diff --git a/CTFd/themes/admin/assets/js/pages/challenges.js b/CTFd/themes/admin/assets/js/pages/challenges.js
index 2c860f14074c5fc2d65009f32da2a83142a3ae3a..d3a9e4f0ce5a9579f3dfdfbe039da6b96da56c6c 100644
--- a/CTFd/themes/admin/assets/js/pages/challenges.js
+++ b/CTFd/themes/admin/assets/js/pages/challenges.js
@@ -208,6 +208,34 @@ document.addEventListener("DOMContentLoaded", function (event) {
   window.processSportConfig = processSportConfig;
 
   function changeTimePeriode() {
+    // Initialize the dates from the existing values
+    const startTimestamp = document.getElementById("start-preview").value;
+    const endTimestamp = document.getElementById("end-preview").value;
+    
+    // Convert timestamps to dates
+    const startDate = new Date(startTimestamp * 1000);
+    const endDate = new Date(endTimestamp * 1000);
+    
+    // Format dates for the date picker (YYYY-MM-DD)
+    const formatDateForPicker = (date) => {
+      const year = date.getFullYear();
+      const month = String(date.getMonth() + 1).padStart(2, '0');
+      const day = String(date.getDate()).padStart(2, '0');
+      return `${year}-${month}-${day}`;
+    };
+    
+    // Format times for the time picker (HH:MM)
+    const formatTimeForPicker = (date) => {
+      const hours = String(date.getHours()).padStart(2, '0');
+      const minutes = String(date.getMinutes()).padStart(2, '0');
+      return `${hours}:${minutes}`;
+    };
+    
+    const startDateFormatted = formatDateForPicker(startDate);
+    const startTimeFormatted = formatTimeForPicker(startDate);
+    const endDateFormatted = formatDateForPicker(endDate);
+    const endTimeFormatted = formatTimeForPicker(endDate);
+  
     ezAlert({
       title: "Choisir Période",
       body: `<div class="mb-3" style="text-align: center;">
@@ -216,11 +244,11 @@ document.addEventListener("DOMContentLoaded", function (event) {
               
                   <div class="col-md-4" >
                       <label>Date</label>
-                      <input required class="form-control start-date" id="start-date" type="date" placeholder="yyyy-mm-dd"  onchange="processDateTime('start')" />
+                      <input required class="form-control start-date" id="start-date" type="date" placeholder="yyyy-mm-dd" value="${startDateFormatted}" onchange="processDateTime('start')" />
                   </div>
                   <div class="col-md-4">
                       <label>Temps</label>
-                      <input required class="form-control start-time" id="start-time" type="time" placeholder="hh:mm" data-preview="#start" onchange="processDateTime('start')"/>
+                      <input required class="form-control start-time" id="start-time" type="time" placeholder="hh:mm" value="${startTimeFormatted}" data-preview="#start" onchange="processDateTime('start')"/>
                   </div>
                 
               </div>
@@ -228,62 +256,23 @@ document.addEventListener("DOMContentLoaded", function (event) {
                 
               </small>
           </div>
-
+  
           <div class="mb-3" style="text-align: center;">
               <label>Fin</label>
               <div class="row" style="justify-content: space-around;">
                   
                   <div class="col-md-4">
                       <label>Date</label>
-                      <input required class="form-control end-date" id="end-date" type="date" placeholder="yyyy-mm-dd" data-preview="#end" onchange="processDateTime('end')"/>
+                      <input required class="form-control end-date" id="end-date" type="date" placeholder="yyyy-mm-dd" value="${endDateFormatted}" data-preview="#end" onchange="processDateTime('end')"/>
                   </div>
                   <div class="col-md-4">
                       <label>Temps</label>
-                      <input required class="form-control end-time" id="end-time" type="time" placeholder="hh:mm" data-preview="#end" onchange="processDateTime('end')"/>
+                      <input required class="form-control end-time" id="end-time" type="time" placeholder="hh:mm" value="${endTimeFormatted}" data-preview="#end" onchange="processDateTime('end')"/>
                   </div>
                   
               </div>
           
-          </div>
-          <script>
-          endDate = new Date(document.getElementById("end-preview").value * 1000);
-          startDate = new Date(document.getElementById("start-preview").value * 1000);
-
-          //faut remodeler le time formater pour avoir YYYY-MM-JJ
-          timeFormatterYMD = new Intl.DateTimeFormat("en-US");
-          endDateYMDNotformated = timeFormatterYMD .format(endDate);
-          endDateYMD = endDateYMDNotformated.split("/")[2]+"-"+(endDateYMDNotformated.split("/")[0].length < 2 ? "0"+endDateYMDNotformated.split("/")[0]: endDateYMDNotformated.split("/")[0])
-          +"-"+(endDateYMDNotformated.split("/")[1].length < 2 ? "0"+endDateYMDNotformated.split("/")[1]: endDateYMDNotformated.split("/")[1]);
-          timeDateEnd = document.getElementsByClassName("end-date");
-          for (let i = 0; i < timeDateEnd.length; i++) {
-            timeDateEnd.item(i).value = endDateYMD;
-          }
-
-
-          startDateYMDNotformated = timeFormatterYMD .format(startDate);
-          startDateYMD = startDateYMDNotformated.split("/")[2]+"-"+(startDateYMDNotformated.split("/")[0].length < 2 ? "0"+startDateYMDNotformated.split("/")[0]: startDateYMDNotformated.split("/")[0])
-          +"-"+(startDateYMDNotformated.split("/")[1].length < 2 ? "0"+startDateYMDNotformated.split("/")[1]: startDateYMDNotformated.split("/")[1]);
-          timeDateStart = document.getElementsByClassName("start-date");
-          for (let i = 0; i < timeDateStart.length; i++) {
-            timeDateStart.item(i).value = startDateYMD;
-          }
-
-          timeFormatterHS = new Intl.DateTimeFormat(undefined, { timeStyle: 'medium' });
-          console.log(timeFormatterHS.format(endDate))
-          endDateHS = timeFormatterHS.format(endDate).split(":")[0]+":"+timeFormatterHS.format(endDate).split(":")[1]
-          timeHSEnd = document.getElementsByClassName("end-time");
-          for (let i = 0; i < timeHSEnd.length; i++) {
-            timeHSEnd.item(i).value = endDateHS;
-          }
-
-          startDateHS  = timeFormatterHS.format(startDate).split(":")[0]+":"+timeFormatterHS.format(startDate).split(":")[1]
-          timeHSStart = document.getElementsByClassName("start-time");
-          for (let i = 0; i < timeHSStart.length; i++) {
-            timeHSStart.item(i).value = startDateHS;
-          }
-          
-
-          </script>`,
+          </div>`,
       button: "Ok",
       success: function () {
         console.log("done");
@@ -292,6 +281,10 @@ document.addEventListener("DOMContentLoaded", function (event) {
   }
 
   function configSportChallenge() {
+    const currentUnit = document.getElementById("unit-preview").value || "km";
+    const currentMaxPoints = document.getElementById("max-points-preview").value || "1";
+    const currentPointsPerUnit = document.getElementById("value-input").value || "1";
+    
     ezAlert({
       title: "Configurer le défi Sportif",
       body: `<div class="tab-pane" id="challenge-points" role="tabpanel">
@@ -299,15 +292,15 @@ document.addEventListener("DOMContentLoaded", function (event) {
                     <div class="row center">
                         <div class="col-md-6">
                             <label>Unité</label>
-                            <input required class="form-control" id="unit-input-config" type="text" placeholder="Entrez l'unité" value="km" onchange="processSportConfig()">
+                            <input required class="form-control" id="unit-input-config" type="text" placeholder="Entrez l'unité" value="${currentUnit}" onchange="processSportConfig()">
                         </div>
                         <div class="col-md-6">
                             <label>Points maximum</label>
-                            <input required class="form-control" id="max-points-input-config" type="number" placeholder="Entrez le nombre de points maximum (0 pour infini)" value="1" min="1" onchange="processSportConfig()">
+                            <input required class="form-control" id="max-points-input-config" type="number" placeholder="Entrez le nombre de points maximum (0 pour infini)" value="${currentMaxPoints}" min="1" onchange="processSportConfig()">
                         </div>
                         <div class="col-md-6">
                             <label>Points par Unité</label>
-                            <input type="number" class="form-control chal-value" id="value-input-config" value="1" onchange="processSportConfig()" min="1" required>
+                            <input type="number" class="form-control chal-value" id="value-input-config" value="${currentPointsPerUnit}" onchange="processSportConfig()" min="1" required>
                         </div>
                         <div class="col-md-6">
                             <label>
diff --git a/CTFd/themes/admin/assets/js/pages/submissions.js b/CTFd/themes/admin/assets/js/pages/submissions.js
index 3662356ad55bcd1b143dfdcbab1809790a259ab6..362fac33482dc3ac82960ae46fe08e07b286ee0c 100644
--- a/CTFd/themes/admin/assets/js/pages/submissions.js
+++ b/CTFd/themes/admin/assets/js/pages/submissions.js
@@ -158,30 +158,53 @@ function copyFlag(event) {
 }
 
 function updateValue(event) {
-  const target = $(event.target).closest("[data-submission-id]"); // Look for the closest parent with data attribute
+  const target = $(event.target).closest("[data-submission-id]");
   const submissionId = target.data("submission-id");
 
   if (!submissionId) {
-    alert("Submission ID is not defined.");
+    ezAlert({
+      title: "Erreur",
+      body: "L'ID de soumission n'est pas défini.",
+      button: "OK"
+    });
     return;
   }
-  const currentValue = $(event.target).text(); // Get the current text value
-  const newValue = prompt("Enter the new value for the submission:", currentValue); // Prompt for a new value
-
-  if (newValue !== null && newValue.trim() !== "") {
-      // Send a PATCH request to update the submission value
-      CTFd.fetch(`/api/v1/submissions/${submissionId}`, {
-        method: "PATCH",
-        credentials: "same-origin",
-        headers: {
-        Accept: "application/json",
-        "Content-Type": "application/json",
-        },
-        body: JSON.stringify({ value: newValue.trim() }),
-      }).then(window.location.reload());
-  } else {
-      alert("Invalid input. Update canceled.");
-  }
+  
+  const currentValue = $(event.target).text().trim();
+  
+  // Use ezAlert instead of prompt for consistent UI
+  ezAlert({
+    title: "Modifier la valeur",
+    body: `
+      <div class="mb-3">
+        <label>Entrez la nouvelle valeur pour la soumission:</label>
+        <input type="text" class="form-control" id="new-submission-value" value="${currentValue}">
+      </div>
+    `,
+    button: "OK",
+    success: function() {
+      const newValue = $("#new-submission-value").val();
+      
+      if (newValue !== null && newValue.trim() !== "") {
+        // Send a PATCH request to update the submission value
+        CTFd.fetch(`/api/v1/submissions/${submissionId}`, {
+          method: "PATCH",
+          credentials: "same-origin",
+          headers: {
+            Accept: "application/json",
+            "Content-Type": "application/json",
+          },
+          body: JSON.stringify({ value: newValue.trim() }),
+        }).then(() => window.location.reload());
+      } else {
+        ezAlert({
+          title: "Erreur",
+          body: "Saisie invalide. Mise à jour annulée.",
+          button: "OK"
+        });
+      }
+    }
+  });
 }
 
 $(() => {
diff --git a/CTFd/themes/admin/static/assets/CommentBox.f5ce8d13.js b/CTFd/themes/admin/static/assets/CommentBox.0d8a3850.js
similarity index 82%
rename from CTFd/themes/admin/static/assets/CommentBox.f5ce8d13.js
rename to CTFd/themes/admin/static/assets/CommentBox.0d8a3850.js
index 37dc382547e7f05281da4866c36035718151fed2..8eb6d74b1f8c12baf1b1a836c59da056590fbbf4 100644
--- a/CTFd/themes/admin/static/assets/CommentBox.f5ce8d13.js
+++ b/CTFd/themes/admin/static/assets/CommentBox.0d8a3850.js
@@ -1 +1 @@
-import{_ as r,C as u,I as h,s as m,J as p,c as l,a as e,h as _,l as g,t as a,b as c,f as b,g as v,T as f,o as d,F as C,r as y,p as k,k as x}from"./pages/main.71d0edc5.js";const $={props:{type:String,id:Number},data:function(){return{page:1,pages:null,next:null,prev:null,total:null,comment:"",comments:[],urlRoot:u.config.urlRoot}},methods:{toLocalTime(t){return h(t).format("MMMM Do, h:mm:ss A")},nextPage:function(){this.page++,this.loadComments()},prevPage:function(){this.page--,this.loadComments()},getArgs:function(){let t={};return t[`${this.$props.type}_id`]=this.$props.id,t},loadComments:function(){let t=this.getArgs();t.page=this.page,t.per_page=10,m.comments.get_comments(t).then(s=>(this.page=s.meta.pagination.page,this.pages=s.meta.pagination.pages,this.next=s.meta.pagination.next,this.prev=s.meta.pagination.prev,this.total=s.meta.pagination.total,this.comments=s.data,this.comments))},submitComment:function(){let t=this.comment.trim();t.length>0&&m.comments.add_comment(t,this.$props.type,this.getArgs(),()=>{this.loadComments()}),this.comment=""},deleteComment:function(t){confirm("Are you sure you'd like to delete this comment?")&&m.comments.delete_comment(t).then(s=>{if(s.success===!0)for(let i=this.comments.length-1;i>=0;--i)this.comments[i].id==t&&this.comments.splice(i,1)})}},created(){this.loadComments()},updated(){this.$el.querySelectorAll("pre code").forEach(t=>{p.highlightBlock(t)})}},A=t=>(k("data-v-53a121d7"),t=t(),x(),t),P={class:"row mb-3"},T={class:"col-md-12"},w={class:"comment"},M={key:0,class:"row"},S={class:"col-md-12"},B={class:"text-center"},L=["disabled"],I=["disabled"],N={class:"col-md-12"},V={class:"text-center"},D={class:"text-muted"},F={class:"comments"},H={class:"card-body pl-0 pb-0 pt-2 pr-2"},R=["onClick"],j=A(()=>e("span",{"aria-hidden":"true"},"\xD7",-1)),E=[j],J={class:"card-body"},q=["innerHTML"],z={class:"text-muted float-left"},G=["href"],U={class:"text-muted float-right"},K={class:"float-right"},O={key:1,class:"row"},Q={class:"col-md-12"},W={class:"text-center"},X=["disabled"],Y=["disabled"],Z={class:"col-md-12"},tt={class:"text-center"},et={class:"text-muted"};function st(t,s,i,ot,nt,n){return d(),l("div",null,[e("div",P,[e("div",T,[e("div",w,[_(e("textarea",{class:"form-control mb-2",rows:"2",id:"comment-input",placeholder:"Ajouter un commentaire","onUpdate:modelValue":s[0]||(s[0]=o=>t.comment=o)},null,512),[[g,t.comment,void 0,{lazy:!0}]]),e("button",{class:"btn btn-sm btn-primary btn-outlined float-right",type:"submit",onClick:s[1]||(s[1]=o=>n.submitComment())}," Comment ")])])]),t.pages>1?(d(),l("div",M,[e("div",S,[e("div",B,[e("button",{type:"button",class:"btn btn-link p-0",onClick:s[2]||(s[2]=o=>n.prevPage()),disabled:!t.prev}," <<< ",8,L),e("button",{type:"button",class:"btn btn-link p-0",onClick:s[3]||(s[3]=o=>n.nextPage()),disabled:!t.next}," >>> ",8,I)])]),e("div",N,[e("div",V,[e("small",D,"Page "+a(t.page)+" de "+a(t.total)+" comments",1)])])])):c("",!0),e("div",F,[b(f,{name:"comment-card"},{default:v(()=>[(d(!0),l(C,null,y(t.comments,o=>(d(),l("div",{class:"comment-card card mb-2",key:o.id},[e("div",H,[e("button",{type:"button",class:"close float-right","aria-label":"Close",onClick:at=>n.deleteComment(o.id)},E,8,R)]),e("div",J,[e("div",{class:"card-text",innerHTML:o.html},null,8,q),e("small",z,[e("span",null,[e("a",{href:`${t.urlRoot}/admin/users/${o.author_id}`},a(o.author.name),9,G)])]),e("small",U,[e("span",K,a(n.toLocalTime(o.date)),1)])])]))),128))]),_:1})]),t.pages>1?(d(),l("div",O,[e("div",Q,[e("div",W,[e("button",{type:"button",class:"btn btn-link p-0",onClick:s[4]||(s[4]=o=>n.prevPage()),disabled:!t.prev}," <<< ",8,X),e("button",{type:"button",class:"btn btn-link p-0",onClick:s[5]||(s[5]=o=>n.nextPage()),disabled:!t.next}," >>> ",8,Y)])]),e("div",Z,[e("div",tt,[e("small",et,"Page "+a(t.page)+" de "+a(t.total)+" comments",1)])])])):c("",!0)])}const lt=r($,[["render",st],["__scopeId","data-v-53a121d7"]]);export{lt as C};
+import{_ as r,C as u,J as h,u as m,K as p,c as l,a as e,h as _,m as g,t as a,b as c,f as b,g as v,T as f,o as d,F as C,r as y,p as k,l as x}from"./pages/main.8d24b34a.js";const $={props:{type:String,id:Number},data:function(){return{page:1,pages:null,next:null,prev:null,total:null,comment:"",comments:[],urlRoot:u.config.urlRoot}},methods:{toLocalTime(t){return h(t).format("MMMM Do, h:mm:ss A")},nextPage:function(){this.page++,this.loadComments()},prevPage:function(){this.page--,this.loadComments()},getArgs:function(){let t={};return t[`${this.$props.type}_id`]=this.$props.id,t},loadComments:function(){let t=this.getArgs();t.page=this.page,t.per_page=10,m.comments.get_comments(t).then(s=>(this.page=s.meta.pagination.page,this.pages=s.meta.pagination.pages,this.next=s.meta.pagination.next,this.prev=s.meta.pagination.prev,this.total=s.meta.pagination.total,this.comments=s.data,this.comments))},submitComment:function(){let t=this.comment.trim();t.length>0&&m.comments.add_comment(t,this.$props.type,this.getArgs(),()=>{this.loadComments()}),this.comment=""},deleteComment:function(t){confirm("Are you sure you'd like to delete this comment?")&&m.comments.delete_comment(t).then(s=>{if(s.success===!0)for(let i=this.comments.length-1;i>=0;--i)this.comments[i].id==t&&this.comments.splice(i,1)})}},created(){this.loadComments()},updated(){this.$el.querySelectorAll("pre code").forEach(t=>{p.highlightBlock(t)})}},A=t=>(k("data-v-53a121d7"),t=t(),x(),t),P={class:"row mb-3"},T={class:"col-md-12"},w={class:"comment"},M={key:0,class:"row"},S={class:"col-md-12"},B={class:"text-center"},L=["disabled"],N=["disabled"],V={class:"col-md-12"},D={class:"text-center"},F={class:"text-muted"},H={class:"comments"},I={class:"card-body pl-0 pb-0 pt-2 pr-2"},R=["onClick"],j=A(()=>e("span",{"aria-hidden":"true"},"\xD7",-1)),E=[j],J={class:"card-body"},q=["innerHTML"],z={class:"text-muted float-left"},G=["href"],K={class:"text-muted float-right"},U={class:"float-right"},O={key:1,class:"row"},Q={class:"col-md-12"},W={class:"text-center"},X=["disabled"],Y=["disabled"],Z={class:"col-md-12"},tt={class:"text-center"},et={class:"text-muted"};function st(t,s,i,ot,nt,n){return d(),l("div",null,[e("div",P,[e("div",T,[e("div",w,[_(e("textarea",{class:"form-control mb-2",rows:"2",id:"comment-input",placeholder:"Ajouter un commentaire","onUpdate:modelValue":s[0]||(s[0]=o=>t.comment=o)},null,512),[[g,t.comment,void 0,{lazy:!0}]]),e("button",{class:"btn btn-sm btn-primary btn-outlined float-right",type:"submit",onClick:s[1]||(s[1]=o=>n.submitComment())}," Comment ")])])]),t.pages>1?(d(),l("div",M,[e("div",S,[e("div",B,[e("button",{type:"button",class:"btn btn-link p-0",onClick:s[2]||(s[2]=o=>n.prevPage()),disabled:!t.prev}," <<< ",8,L),e("button",{type:"button",class:"btn btn-link p-0",onClick:s[3]||(s[3]=o=>n.nextPage()),disabled:!t.next}," >>> ",8,N)])]),e("div",V,[e("div",D,[e("small",F,"Page "+a(t.page)+" de "+a(t.total)+" comments",1)])])])):c("",!0),e("div",H,[b(f,{name:"comment-card"},{default:v(()=>[(d(!0),l(C,null,y(t.comments,o=>(d(),l("div",{class:"comment-card card mb-2",key:o.id},[e("div",I,[e("button",{type:"button",class:"close float-right","aria-label":"Close",onClick:at=>n.deleteComment(o.id)},E,8,R)]),e("div",J,[e("div",{class:"card-text",innerHTML:o.html},null,8,q),e("small",z,[e("span",null,[e("a",{href:`${t.urlRoot}/admin/users/${o.author_id}`},a(o.author.name),9,G)])]),e("small",K,[e("span",U,a(n.toLocalTime(o.date)),1)])])]))),128))]),_:1})]),t.pages>1?(d(),l("div",O,[e("div",Q,[e("div",W,[e("button",{type:"button",class:"btn btn-link p-0",onClick:s[4]||(s[4]=o=>n.prevPage()),disabled:!t.prev}," <<< ",8,X),e("button",{type:"button",class:"btn btn-link p-0",onClick:s[5]||(s[5]=o=>n.nextPage()),disabled:!t.next}," >>> ",8,Y)])]),e("div",Z,[e("div",tt,[e("small",et,"Page "+a(t.page)+" de "+a(t.total)+" comments",1)])])])):c("",!0)])}const lt=r($,[["render",st],["__scopeId","data-v-53a121d7"]]);export{lt as C};
diff --git a/CTFd/themes/admin/static/assets/echarts.common.a0aaa3a0.js b/CTFd/themes/admin/static/assets/echarts.common.5eba8a0a.js
similarity index 99%
rename from CTFd/themes/admin/static/assets/echarts.common.a0aaa3a0.js
rename to CTFd/themes/admin/static/assets/echarts.common.5eba8a0a.js
index 6203d070a8491c5cd899dac4fe7fa6992f8f4d70..643db6911cd10495f4e7c8a38f3ad90f95fa8fcf 100644
--- a/CTFd/themes/admin/static/assets/echarts.common.a0aaa3a0.js
+++ b/CTFd/themes/admin/static/assets/echarts.common.5eba8a0a.js
@@ -1,4 +1,4 @@
-import{O as DB,H as dw}from"./pages/main.71d0edc5.js";var Dd={exports:{}};(function(IB,pw){(function(U,Ji){Ji(pw)})(dw,function(U){/*! *****************************************************************************
+import{P as DB,I as dw}from"./pages/main.8d24b34a.js";var Dd={exports:{}};(function(IB,pw){(function(U,Ji){Ji(pw)})(dw,function(U){/*! *****************************************************************************
 	    Copyright (c) Microsoft Corporation.
 
 	    Permission to use, copy, modify, and/or distribute this software for any
diff --git a/CTFd/themes/admin/static/assets/graphs.253aebe5.js b/CTFd/themes/admin/static/assets/graphs.5c638a7f.js
similarity index 96%
rename from CTFd/themes/admin/static/assets/graphs.253aebe5.js
rename to CTFd/themes/admin/static/assets/graphs.5c638a7f.js
index da36db6080946a890f05e2518540b2dc19dee553..94e0ba7ca541f9364c03ebc7670c16e45f90d192 100644
--- a/CTFd/themes/admin/static/assets/graphs.253aebe5.js
+++ b/CTFd/themes/admin/static/assets/graphs.5c638a7f.js
@@ -1 +1 @@
-import{$ as g,I as y,N as f}from"./pages/main.71d0edc5.js";import{e as h}from"./echarts.common.a0aaa3a0.js";function b(c){let i=c.concat();for(let a=0;a<c.length;a++)i[a]=c.slice(0,a+1).reduce(function(u,r){return u+r});return i}const m={score_graph:{format:(c,i,a,u,r)=>{let n={title:{left:"center",text:"Score dans le temps"},tooltip:{trigger:"axis",axisPointer:{type:"cross"}},legend:{type:"scroll",orient:"horizontal",align:"left",bottom:0,data:[a]},toolbox:{feature:{saveAsImage:{}}},grid:{containLabel:!0},xAxis:[{type:"category",boundaryGap:!1,data:[]}],yAxis:[{type:"value"}],dataZoom:[{id:"dataZoomX",type:"slider",xAxisIndex:[0],filterMode:"filter",height:20,top:35,fillerColor:"rgba(233, 236, 241, 0.4)"}],series:[]};const s=[],l=[],o=r[0].data,d=r[2].data,e=o.concat(d);e.sort((t,p)=>new Date(t.date)-new Date(p.date));for(let t=0;t<e.length;t++){const p=y(e[t].date);s.push(p.toDate());try{l.push(e[t].challenge.value)}catch{l.push(e[t].value)}}return s.forEach(t=>{n.xAxis[0].data.push(t)}),n.series.push({name:window.stats_data.name,type:"line",label:{normal:{show:!0,position:"top"}},areaStyle:{normal:{color:f(a+i)}},itemStyle:{normal:{color:f(a+i)}},data:b(l)}),n}},category_breakdown:{format:(c,i,a,u,r)=>{let n={title:{left:"center",text:"R\xE9partition des cat\xE9gories"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{saveAsImage:{}}},legend:{type:"scroll",orient:"vertical",top:"middle",right:0,data:[]},series:[{name:"R\xE9partition des cat\xE9gories",type:"pie",radius:["30%","50%"],avoidLabelOverlap:!1,label:{show:!1,position:"center"},itemStyle:{normal:{label:{show:!0,formatter:function(e){return`${e.percent}% (${e.value})`}},labelLine:{show:!0}},emphasis:{label:{show:!0,position:"center",textStyle:{fontSize:"14",fontWeight:"normal"}}}},emphasis:{label:{show:!0,fontSize:"30",fontWeight:"bold"}},labelLine:{show:!1},data:[]}]};const s=r[0].data,l=[];for(let e=0;e<s.length;e++)l.push(s[e].challenge.category);const o=l.filter((e,t)=>l.indexOf(e)==t),d=[];for(let e=0;e<o.length;e++){let t=0;for(let p=0;p<l.length;p++)l[p]==o[e]&&t++;d.push(t)}return o.forEach((e,t)=>{n.legend.data.push(e),n.series[0].data.push({value:d[t],name:e,itemStyle:{color:f(e)}})}),n}},solve_percentages:{format:(c,i,a,u,r)=>{const n=r[0].data.length,s=r[1].meta.count;return{title:{left:"center",text:"Pourcentage de r\xE9solution"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{saveAsImage:{}}},legend:{orient:"vertical",top:"middle",right:0,data:["Fails","Solves"]},series:[{name:"Pourcentage de r\xE9solution",type:"pie",radius:["30%","50%"],avoidLabelOverlap:!1,label:{show:!1,position:"center"},itemStyle:{normal:{label:{show:!0,formatter:function(o){return`${o.name} - ${o.value} (${o.percent}%)`}},labelLine:{show:!0}},emphasis:{label:{show:!0,position:"center",textStyle:{fontSize:"14",fontWeight:"normal"}}}},emphasis:{label:{show:!0,fontSize:"30",fontWeight:"bold"}},labelLine:{show:!1},data:[{value:s,name:"Fails",itemStyle:{color:"rgb(207, 38, 0)"}},{value:n,name:"Solves",itemStyle:{color:"rgb(0, 209, 64)"}}]}]}}}};function S(c,i,a,u,r,n,s){const l=m[c];let o=h.init(document.querySelector(i));o.setOption(l.format(u,r,n,s,a)),g(window).on("resize",function(){o!=null&&o!=null&&o.resize()})}function _(c,i,a,u,r,n,s){const l=m[c];h.init(document.querySelector(i)).setOption(l.format(u,r,n,s,a))}export{S as c,_ as u};
+import{j as g,J as y,O as f}from"./pages/main.8d24b34a.js";import{e as h}from"./echarts.common.5eba8a0a.js";function b(c){let i=c.concat();for(let a=0;a<c.length;a++)i[a]=c.slice(0,a+1).reduce(function(u,r){return u+r});return i}const m={score_graph:{format:(c,i,a,u,r)=>{let n={title:{left:"center",text:"Score dans le temps"},tooltip:{trigger:"axis",axisPointer:{type:"cross"}},legend:{type:"scroll",orient:"horizontal",align:"left",bottom:0,data:[a]},toolbox:{feature:{saveAsImage:{}}},grid:{containLabel:!0},xAxis:[{type:"category",boundaryGap:!1,data:[]}],yAxis:[{type:"value"}],dataZoom:[{id:"dataZoomX",type:"slider",xAxisIndex:[0],filterMode:"filter",height:20,top:35,fillerColor:"rgba(233, 236, 241, 0.4)"}],series:[]};const s=[],l=[],o=r[0].data,d=r[2].data,e=o.concat(d);e.sort((t,p)=>new Date(t.date)-new Date(p.date));for(let t=0;t<e.length;t++){const p=y(e[t].date);s.push(p.toDate());try{l.push(e[t].challenge.value)}catch{l.push(e[t].value)}}return s.forEach(t=>{n.xAxis[0].data.push(t)}),n.series.push({name:window.stats_data.name,type:"line",label:{normal:{show:!0,position:"top"}},areaStyle:{normal:{color:f(a+i)}},itemStyle:{normal:{color:f(a+i)}},data:b(l)}),n}},category_breakdown:{format:(c,i,a,u,r)=>{let n={title:{left:"center",text:"R\xE9partition des cat\xE9gories"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{saveAsImage:{}}},legend:{type:"scroll",orient:"vertical",top:"middle",right:0,data:[]},series:[{name:"R\xE9partition des cat\xE9gories",type:"pie",radius:["30%","50%"],avoidLabelOverlap:!1,label:{show:!1,position:"center"},itemStyle:{normal:{label:{show:!0,formatter:function(e){return`${e.percent}% (${e.value})`}},labelLine:{show:!0}},emphasis:{label:{show:!0,position:"center",textStyle:{fontSize:"14",fontWeight:"normal"}}}},emphasis:{label:{show:!0,fontSize:"30",fontWeight:"bold"}},labelLine:{show:!1},data:[]}]};const s=r[0].data,l=[];for(let e=0;e<s.length;e++)l.push(s[e].challenge.category);const o=l.filter((e,t)=>l.indexOf(e)==t),d=[];for(let e=0;e<o.length;e++){let t=0;for(let p=0;p<l.length;p++)l[p]==o[e]&&t++;d.push(t)}return o.forEach((e,t)=>{n.legend.data.push(e),n.series[0].data.push({value:d[t],name:e,itemStyle:{color:f(e)}})}),n}},solve_percentages:{format:(c,i,a,u,r)=>{const n=r[0].data.length,s=r[1].meta.count;return{title:{left:"center",text:"Pourcentage de r\xE9solution"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{saveAsImage:{}}},legend:{orient:"vertical",top:"middle",right:0,data:["Fails","Solves"]},series:[{name:"Pourcentage de r\xE9solution",type:"pie",radius:["30%","50%"],avoidLabelOverlap:!1,label:{show:!1,position:"center"},itemStyle:{normal:{label:{show:!0,formatter:function(o){return`${o.name} - ${o.value} (${o.percent}%)`}},labelLine:{show:!0}},emphasis:{label:{show:!0,position:"center",textStyle:{fontSize:"14",fontWeight:"normal"}}}},emphasis:{label:{show:!0,fontSize:"30",fontWeight:"bold"}},labelLine:{show:!1},data:[{value:s,name:"Fails",itemStyle:{color:"rgb(207, 38, 0)"}},{value:n,name:"Solves",itemStyle:{color:"rgb(0, 209, 64)"}}]}]}}}};function S(c,i,a,u,r,n,s){const l=m[c];let o=h.init(document.querySelector(i));o.setOption(l.format(u,r,n,s,a)),g(window).on("resize",function(){o!=null&&o!=null&&o.resize()})}function _(c,i,a,u,r,n,s){const l=m[c];h.init(document.querySelector(i)).setOption(l.format(u,r,n,s,a))}export{S as c,_ as u};
diff --git a/CTFd/themes/admin/static/assets/htmlmixed.e85df030.js b/CTFd/themes/admin/static/assets/htmlmixed.5e629dd9.js
similarity index 99%
rename from CTFd/themes/admin/static/assets/htmlmixed.e85df030.js
rename to CTFd/themes/admin/static/assets/htmlmixed.5e629dd9.js
index 98c7f23165ffe39ec7b0137b1bf1eae887c93915..9f532b9f5cfa0a0ac9399d64c63807dcd724a8c1 100644
--- a/CTFd/themes/admin/static/assets/htmlmixed.e85df030.js
+++ b/CTFd/themes/admin/static/assets/htmlmixed.5e629dd9.js
@@ -1,4 +1,4 @@
-import{H as pu}from"./pages/main.71d0edc5.js";var lo={exports:{}},sa;function An(){return sa||(sa=1,function(Zr,Dn){(function(F,We){Zr.exports=We()})(pu,function(){var F=navigator.userAgent,We=navigator.platform,pe=/gecko\/\d/i.test(F),Je=/MSIE \d/.test(F),dt=/Trident\/(?:[7-9]|\d{2,})\..*rv:(\d+)/.exec(F),Pe=/Edge\/(\d+)/.exec(F),P=Je||dt||Pe,I=P&&(Je?document.documentMode||6:+(Pe||dt)[1]),se=!Pe&&/WebKit\//.test(F),re=se&&/Qt\/\d+\.\d+/.test(F),X=!Pe&&/Chrome\//.test(F),J=/Opera\//.test(F),fe=/Apple Computer/.test(navigator.vendor),Le=/Mac OS X 1\d\D([8-9]|\d\d)\D/.test(F),ze=/PhantomJS/.test(F),$=!Pe&&/AppleWebKit/.test(F)&&/Mobile\/\w+/.test(F),_e=/Android/.test(F),Q=$||_e||/webOS|BlackBerry|Opera Mini|Opera Mobi|IEMobile/i.test(F),Y=$||/Mac/.test(We),Te=/\bCrOS\b/.test(F),bt=/win/i.test(We),Ae=J&&F.match(/Version\/(\d*\.\d*)/);Ae&&(Ae=Number(Ae[1])),Ae&&Ae>=15&&(J=!1,se=!0);var rt=Y&&(re||J&&(Ae==null||Ae<12.11)),Ie=pe||P&&I>=9;function _(e){return new RegExp("(^|\\s)"+e+"(?:$|\\s)\\s*")}var j=function(e,t){var n=e.className,r=_(t).exec(n);if(r){var i=n.slice(r.index+r[0].length);e.className=n.slice(0,r.index)+(i?r[1]+i:"")}};function k(e){for(var t=e.childNodes.length;t>0;--t)e.removeChild(e.firstChild);return e}function z(e,t){return k(e).appendChild(t)}function c(e,t,n,r){var i=document.createElement(e);if(n&&(i.className=n),r&&(i.style.cssText=r),typeof t=="string")i.appendChild(document.createTextNode(t));else if(t)for(var o=0;o<t.length;++o)i.appendChild(t[o]);return i}function D(e,t,n,r){var i=c(e,t,n,r);return i.setAttribute("role","presentation"),i}var L;document.createRange?L=function(e,t,n,r){var i=document.createRange();return i.setEnd(r||e,n),i.setStart(e,t),i}:L=function(e,t,n){var r=document.body.createTextRange();try{r.moveToElementText(e.parentNode)}catch{return r}return r.collapse(!0),r.moveEnd("character",n),r.moveStart("character",t),r};function U(e,t){if(t.nodeType==3&&(t=t.parentNode),e.contains)return e.contains(t);do if(t.nodeType==11&&(t=t.host),t==e)return!0;while(t=t.parentNode)}function ve(){var e;try{e=document.activeElement}catch{e=document.body||null}for(;e&&e.shadowRoot&&e.shadowRoot.activeElement;)e=e.shadowRoot.activeElement;return e}function De(e,t){var n=e.className;_(t).test(n)||(e.className+=(n?" ":"")+t)}function xt(e,t){for(var n=e.split(" "),r=0;r<n.length;r++)n[r]&&!_(n[r]).test(t)&&(t+=" "+n[r]);return t}var Kt=function(e){e.select()};$?Kt=function(e){e.selectionStart=0,e.selectionEnd=e.value.length}:P&&(Kt=function(e){try{e.select()}catch{}});function wt(e){var t=Array.prototype.slice.call(arguments,1);return function(){return e.apply(null,t)}}function vt(e,t,n){t||(t={});for(var r in e)e.hasOwnProperty(r)&&(n!==!1||!t.hasOwnProperty(r))&&(t[r]=e[r]);return t}function be(e,t,n,r,i){t==null&&(t=e.search(/[^\s\u00a0]/),t==-1&&(t=e.length));for(var o=r||0,l=i||0;;){var a=e.indexOf("	",o);if(a<0||a>=t)return l+(t-o);l+=a-o,l+=n-l%n,o=a+1}}var K=function(){this.id=null,this.f=null,this.time=0,this.handler=wt(this.onTimeout,this)};K.prototype.onTimeout=function(e){e.id=0,e.time<=+new Date?e.f():setTimeout(e.handler,e.time-+new Date)},K.prototype.set=function(e,t){this.f=t;var n=+new Date+e;(!this.id||n<this.time)&&(clearTimeout(this.id),this.id=setTimeout(this.handler,e),this.time=n)};function E(e,t){for(var n=0;n<e.length;++n)if(e[n]==t)return n;return-1}var ne=50,ye={toString:function(){return"CodeMirror.Pass"}},Qe={scroll:!1},H={origin:"*mouse"},ie={origin:"+move"};function _t(e,t,n){for(var r=0,i=0;;){var o=e.indexOf("	",r);o==-1&&(o=e.length);var l=o-r;if(o==e.length||i+l>=t)return r+Math.min(l,t-i);if(i+=o-r,i+=n-i%n,r=o+1,i>=t)return r}}var Dt=[""];function Ct(e){for(;Dt.length<=e;)Dt.push(ee(Dt)+" ");return Dt[e]}function ee(e){return e[e.length-1]}function ce(e,t){for(var n=[],r=0;r<e.length;r++)n[r]=t(e[r],r);return n}function Ve(e,t,n){for(var r=0,i=n(t);r<e.length&&n(e[r])<=i;)r++;e.splice(r,0,t)}function Ot(){}function gt(e,t){var n;return Object.create?n=Object.create(e):(Ot.prototype=e,n=new Ot),t&&vt(t,n),n}var fr=/[\u00df\u0587\u0590-\u05f4\u0600-\u06ff\u3040-\u309f\u30a0-\u30ff\u3400-\u4db5\u4e00-\u9fcc\uac00-\ud7af]/;function me(e){return/\w/.test(e)||e>"\x80"&&(e.toUpperCase()!=e.toLowerCase()||fr.test(e))}function y(e,t){return t?t.source.indexOf("\\w")>-1&&me(e)?!0:t.test(e):me(e)}function T(e){for(var t in e)if(e.hasOwnProperty(t)&&e[t])return!1;return!0}var x=/[\u0300-\u036f\u0483-\u0489\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u065e\u0670\u06d6-\u06dc\u06de-\u06e4\u06e7\u06e8\u06ea-\u06ed\u0711\u0730-\u074a\u07a6-\u07b0\u07eb-\u07f3\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0900-\u0902\u093c\u0941-\u0948\u094d\u0951-\u0955\u0962\u0963\u0981\u09bc\u09be\u09c1-\u09c4\u09cd\u09d7\u09e2\u09e3\u0a01\u0a02\u0a3c\u0a41\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a70\u0a71\u0a75\u0a81\u0a82\u0abc\u0ac1-\u0ac5\u0ac7\u0ac8\u0acd\u0ae2\u0ae3\u0b01\u0b3c\u0b3e\u0b3f\u0b41-\u0b44\u0b4d\u0b56\u0b57\u0b62\u0b63\u0b82\u0bbe\u0bc0\u0bcd\u0bd7\u0c3e-\u0c40\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0cbc\u0cbf\u0cc2\u0cc6\u0ccc\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0d3e\u0d41-\u0d44\u0d4d\u0d57\u0d62\u0d63\u0dca\u0dcf\u0dd2-\u0dd4\u0dd6\u0ddf\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0eb1\u0eb4-\u0eb9\u0ebb\u0ebc\u0ec8-\u0ecd\u0f18\u0f19\u0f35\u0f37\u0f39\u0f71-\u0f7e\u0f80-\u0f84\u0f86\u0f87\u0f90-\u0f97\u0f99-\u0fbc\u0fc6\u102d-\u1030\u1032-\u1037\u1039\u103a\u103d\u103e\u1058\u1059\u105e-\u1060\u1071-\u1074\u1082\u1085\u1086\u108d\u109d\u135f\u1712-\u1714\u1732-\u1734\u1752\u1753\u1772\u1773\u17b7-\u17bd\u17c6\u17c9-\u17d3\u17dd\u180b-\u180d\u18a9\u1920-\u1922\u1927\u1928\u1932\u1939-\u193b\u1a17\u1a18\u1a56\u1a58-\u1a5e\u1a60\u1a62\u1a65-\u1a6c\u1a73-\u1a7c\u1a7f\u1b00-\u1b03\u1b34\u1b36-\u1b3a\u1b3c\u1b42\u1b6b-\u1b73\u1b80\u1b81\u1ba2-\u1ba5\u1ba8\u1ba9\u1c2c-\u1c33\u1c36\u1c37\u1cd0-\u1cd2\u1cd4-\u1ce0\u1ce2-\u1ce8\u1ced\u1dc0-\u1de6\u1dfd-\u1dff\u200c\u200d\u20d0-\u20f0\u2cef-\u2cf1\u2de0-\u2dff\u302a-\u302f\u3099\u309a\ua66f-\ua672\ua67c\ua67d\ua6f0\ua6f1\ua802\ua806\ua80b\ua825\ua826\ua8c4\ua8e0-\ua8f1\ua926-\ua92d\ua947-\ua951\ua980-\ua982\ua9b3\ua9b6-\ua9b9\ua9bc\uaa29-\uaa2e\uaa31\uaa32\uaa35\uaa36\uaa43\uaa4c\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uabe5\uabe8\uabed\udc00-\udfff\ufb1e\ufe00-\ufe0f\ufe20-\ufe26\uff9e\uff9f]/;function oe(e){return e.charCodeAt(0)>=768&&x.test(e)}function Ue(e,t,n){for(;(n<0?t>0:t<e.length)&&oe(e.charAt(t));)t+=n;return t}function cr(e,t,n){for(var r=t>n?-1:1;;){if(t==n)return t;var i=(t+n)/2,o=r<0?Math.ceil(i):Math.floor(i);if(o==t)return e(o)?t:n;e(o)?n=o:t=o+r}}function Ut(e,t,n,r){if(!e)return r(t,n,"ltr",0);for(var i=!1,o=0;o<e.length;++o){var l=e[o];(l.from<n&&l.to>t||t==n&&l.to==t)&&(r(Math.max(l.from,t),Math.min(l.to,n),l.level==1?"rtl":"ltr",o),i=!0)}i||r(t,n,"ltr")}var Se=null;function Lt(e,t,n){var r;Se=null;for(var i=0;i<e.length;++i){var o=e[i];if(o.from<t&&o.to>t)return i;o.to==t&&(o.from!=o.to&&n=="before"?r=i:Se=i),o.from==t&&(o.from!=o.to&&n!="before"?r=i:Se=i)}return r!=null?r:Se}var Sr=function(){var e="bbbbbbbbbtstwsbbbbbbbbbbbbbbssstwNN%%%NNNNNN,N,N1111111111NNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNbbbbbbsbbbbbbbbbbbbbbbbbbbbbbbbbb,N%%%%NNNNLNNNNN%%11NLNNN1LNNNNNLLLLLLLLLLLLLLLLLLLLLLLNLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLN",t="nnnnnnNNr%%r,rNNmmmmmmmmmmmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmmmmmmmmmmmmmmmnnnnnnnnnn%nnrrrmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmnNmmmmmmrrmmNmmmmrr1111111111";function n(u){return u<=247?e.charAt(u):1424<=u&&u<=1524?"R":1536<=u&&u<=1785?t.charAt(u-1536):1774<=u&&u<=2220?"r":8192<=u&&u<=8203?"w":u==8204?"b":"L"}var r=/[\u0590-\u05f4\u0600-\u06ff\u0700-\u08ac]/,i=/[stwN]/,o=/[LRr]/,l=/[Lb1n]/,a=/[1n]/;function s(u,d,h){this.level=u,this.from=d,this.to=h}return function(u,d){var h=d=="ltr"?"L":"R";if(u.length==0||d=="ltr"&&!r.test(u))return!1;for(var m=u.length,g=[],b=0;b<m;++b)g.push(n(u.charCodeAt(b)));for(var S=0,C=h;S<m;++S){var N=g[S];N=="m"?g[S]=C:C=N}for(var O=0,A=h;O<m;++O){var W=g[O];W=="1"&&A=="r"?g[O]="n":o.test(W)&&(A=W,W=="r"&&(g[O]="R"))}for(var q=1,R=g[0];q<m-1;++q){var V=g[q];V=="+"&&R=="1"&&g[q+1]=="1"?g[q]="1":V==","&&R==g[q+1]&&(R=="1"||R=="n")&&(g[q]=R),R=V}for(var ge=0;ge<m;++ge){var Xe=g[ge];if(Xe==",")g[ge]="N";else if(Xe=="%"){var Ce=void 0;for(Ce=ge+1;Ce<m&&g[Ce]=="%";++Ce);for(var pt=ge&&g[ge-1]=="!"||Ce<m&&g[Ce]=="1"?"1":"N",ut=ge;ut<Ce;++ut)g[ut]=pt;ge=Ce-1}}for(var Ee=0,ft=h;Ee<m;++Ee){var Ze=g[Ee];ft=="L"&&Ze=="1"?g[Ee]="L":o.test(Ze)&&(ft=Ze)}for(var Ke=0;Ke<m;++Ke)if(i.test(g[Ke])){var Fe=void 0;for(Fe=Ke+1;Fe<m&&i.test(g[Fe]);++Fe);for(var Ne=(Ke?g[Ke-1]:h)=="L",ct=(Fe<m?g[Fe]:h)=="L",Yr=Ne==ct?Ne?"L":"R":h,ur=Ke;ur<Fe;++ur)g[ur]=Yr;Ke=Fe-1}for(var tt=[],Rt,Ye=0;Ye<m;)if(l.test(g[Ye])){var io=Ye;for(++Ye;Ye<m&&l.test(g[Ye]);++Ye);tt.push(new s(0,io,Ye))}else{var Vt=Ye,wr=tt.length,kr=d=="rtl"?1:0;for(++Ye;Ye<m&&g[Ye]!="L";++Ye);for(var ot=Vt;ot<Ye;)if(a.test(g[ot])){Vt<ot&&(tt.splice(wr,0,new s(1,Vt,ot)),wr+=kr);var jr=ot;for(++ot;ot<Ye&&a.test(g[ot]);++ot);tt.splice(wr,0,new s(2,jr,ot)),wr+=kr,Vt=ot}else++ot;Vt<Ye&&tt.splice(wr,0,new s(1,Vt,Ye))}return d=="ltr"&&(tt[0].level==1&&(Rt=u.match(/^\s+/))&&(tt[0].from=Rt[0].length,tt.unshift(new s(0,0,Rt[0].length))),ee(tt).level==1&&(Rt=u.match(/\s+$/))&&(ee(tt).to-=Rt[0].length,tt.push(new s(0,m-Rt[0].length,m)))),d=="rtl"?tt.reverse():tt}}();function nt(e,t){var n=e.order;return n==null&&(n=e.order=Sr(e.text,t)),n}var On=[],G=function(e,t,n){if(e.addEventListener)e.addEventListener(t,n,!1);else if(e.attachEvent)e.attachEvent("on"+t,n);else{var r=e._handlers||(e._handlers={});r[t]=(r[t]||On).concat(n)}};function Jr(e,t){return e._handlers&&e._handlers[t]||On}function te(e,t,n){if(e.removeEventListener)e.removeEventListener(t,n,!1);else if(e.detachEvent)e.detachEvent("on"+t,n);else{var r=e._handlers,i=r&&r[t];if(i){var o=E(i,n);o>-1&&(r[t]=i.slice(0,o).concat(i.slice(o+1)))}}}function Me(e,t){var n=Jr(e,t);if(!!n.length)for(var r=Array.prototype.slice.call(arguments,2),i=0;i<n.length;++i)n[i].apply(null,r)}function xe(e,t,n){return typeof t=="string"&&(t={type:t,preventDefault:function(){this.defaultPrevented=!0}}),Me(e,n||t.type,e,t),dr(t)||t.codemirrorIgnore}function Cr(e){var t=e._handlers&&e._handlers.cursorActivity;if(!!t)for(var n=e.curOp.cursorActivityHandlers||(e.curOp.cursorActivityHandlers=[]),r=0;r<t.length;++r)E(n,t[r])==-1&&n.push(t[r])}function He(e,t){return Jr(e,t).length>0}function $t(e){e.prototype.on=function(t,n){G(this,t,n)},e.prototype.off=function(t,n){te(this,t,n)}}function Be(e){e.preventDefault?e.preventDefault():e.returnValue=!1}function Wn(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0}function dr(e){return e.defaultPrevented!=null?e.defaultPrevented:e.returnValue==!1}function $e(e){Be(e),Wn(e)}function Lr(e){return e.target||e.srcElement}function Pn(e){var t=e.which;return t==null&&(e.button&1?t=1:e.button&2?t=3:e.button&4&&(t=2)),Y&&e.ctrlKey&&t==1&&(t=3),t}var Wt=function(){if(P&&I<9)return!1;var e=c("div");return"draggable"in e||"dragDrop"in e}(),Qr;function zn(e){if(Qr==null){var t=c("span","\u200B");z(e,c("span",[t,document.createTextNode("x")])),e.firstChild.offsetHeight!=0&&(Qr=t.offsetWidth<=1&&t.offsetHeight>2&&!(P&&I<8))}var n=Qr?c("span","\u200B"):c("span","\xA0",null,"display: inline-block; width: 1px; margin-right: -1px");return n.setAttribute("cm-text",""),n}var Tr;function di(e){if(Tr!=null)return Tr;var t=z(e,document.createTextNode("A\u062EA")),n=L(t,0,1).getBoundingClientRect(),r=L(t,1,2).getBoundingClientRect();return k(e),!n||n.left==n.right?!1:Tr=r.right-n.right<3}var Pt=`
+import{I as pu}from"./pages/main.8d24b34a.js";var lo={exports:{}},sa;function An(){return sa||(sa=1,function(Zr,Dn){(function(F,We){Zr.exports=We()})(pu,function(){var F=navigator.userAgent,We=navigator.platform,pe=/gecko\/\d/i.test(F),Je=/MSIE \d/.test(F),dt=/Trident\/(?:[7-9]|\d{2,})\..*rv:(\d+)/.exec(F),Pe=/Edge\/(\d+)/.exec(F),P=Je||dt||Pe,I=P&&(Je?document.documentMode||6:+(Pe||dt)[1]),se=!Pe&&/WebKit\//.test(F),re=se&&/Qt\/\d+\.\d+/.test(F),X=!Pe&&/Chrome\//.test(F),J=/Opera\//.test(F),fe=/Apple Computer/.test(navigator.vendor),Le=/Mac OS X 1\d\D([8-9]|\d\d)\D/.test(F),ze=/PhantomJS/.test(F),$=!Pe&&/AppleWebKit/.test(F)&&/Mobile\/\w+/.test(F),_e=/Android/.test(F),Q=$||_e||/webOS|BlackBerry|Opera Mini|Opera Mobi|IEMobile/i.test(F),Y=$||/Mac/.test(We),Te=/\bCrOS\b/.test(F),bt=/win/i.test(We),Ae=J&&F.match(/Version\/(\d*\.\d*)/);Ae&&(Ae=Number(Ae[1])),Ae&&Ae>=15&&(J=!1,se=!0);var rt=Y&&(re||J&&(Ae==null||Ae<12.11)),Ie=pe||P&&I>=9;function _(e){return new RegExp("(^|\\s)"+e+"(?:$|\\s)\\s*")}var j=function(e,t){var n=e.className,r=_(t).exec(n);if(r){var i=n.slice(r.index+r[0].length);e.className=n.slice(0,r.index)+(i?r[1]+i:"")}};function k(e){for(var t=e.childNodes.length;t>0;--t)e.removeChild(e.firstChild);return e}function z(e,t){return k(e).appendChild(t)}function c(e,t,n,r){var i=document.createElement(e);if(n&&(i.className=n),r&&(i.style.cssText=r),typeof t=="string")i.appendChild(document.createTextNode(t));else if(t)for(var o=0;o<t.length;++o)i.appendChild(t[o]);return i}function D(e,t,n,r){var i=c(e,t,n,r);return i.setAttribute("role","presentation"),i}var L;document.createRange?L=function(e,t,n,r){var i=document.createRange();return i.setEnd(r||e,n),i.setStart(e,t),i}:L=function(e,t,n){var r=document.body.createTextRange();try{r.moveToElementText(e.parentNode)}catch{return r}return r.collapse(!0),r.moveEnd("character",n),r.moveStart("character",t),r};function U(e,t){if(t.nodeType==3&&(t=t.parentNode),e.contains)return e.contains(t);do if(t.nodeType==11&&(t=t.host),t==e)return!0;while(t=t.parentNode)}function ve(){var e;try{e=document.activeElement}catch{e=document.body||null}for(;e&&e.shadowRoot&&e.shadowRoot.activeElement;)e=e.shadowRoot.activeElement;return e}function De(e,t){var n=e.className;_(t).test(n)||(e.className+=(n?" ":"")+t)}function xt(e,t){for(var n=e.split(" "),r=0;r<n.length;r++)n[r]&&!_(n[r]).test(t)&&(t+=" "+n[r]);return t}var Kt=function(e){e.select()};$?Kt=function(e){e.selectionStart=0,e.selectionEnd=e.value.length}:P&&(Kt=function(e){try{e.select()}catch{}});function wt(e){var t=Array.prototype.slice.call(arguments,1);return function(){return e.apply(null,t)}}function vt(e,t,n){t||(t={});for(var r in e)e.hasOwnProperty(r)&&(n!==!1||!t.hasOwnProperty(r))&&(t[r]=e[r]);return t}function be(e,t,n,r,i){t==null&&(t=e.search(/[^\s\u00a0]/),t==-1&&(t=e.length));for(var o=r||0,l=i||0;;){var a=e.indexOf("	",o);if(a<0||a>=t)return l+(t-o);l+=a-o,l+=n-l%n,o=a+1}}var K=function(){this.id=null,this.f=null,this.time=0,this.handler=wt(this.onTimeout,this)};K.prototype.onTimeout=function(e){e.id=0,e.time<=+new Date?e.f():setTimeout(e.handler,e.time-+new Date)},K.prototype.set=function(e,t){this.f=t;var n=+new Date+e;(!this.id||n<this.time)&&(clearTimeout(this.id),this.id=setTimeout(this.handler,e),this.time=n)};function E(e,t){for(var n=0;n<e.length;++n)if(e[n]==t)return n;return-1}var ne=50,ye={toString:function(){return"CodeMirror.Pass"}},Qe={scroll:!1},H={origin:"*mouse"},ie={origin:"+move"};function _t(e,t,n){for(var r=0,i=0;;){var o=e.indexOf("	",r);o==-1&&(o=e.length);var l=o-r;if(o==e.length||i+l>=t)return r+Math.min(l,t-i);if(i+=o-r,i+=n-i%n,r=o+1,i>=t)return r}}var Dt=[""];function Ct(e){for(;Dt.length<=e;)Dt.push(ee(Dt)+" ");return Dt[e]}function ee(e){return e[e.length-1]}function ce(e,t){for(var n=[],r=0;r<e.length;r++)n[r]=t(e[r],r);return n}function Ve(e,t,n){for(var r=0,i=n(t);r<e.length&&n(e[r])<=i;)r++;e.splice(r,0,t)}function Ot(){}function gt(e,t){var n;return Object.create?n=Object.create(e):(Ot.prototype=e,n=new Ot),t&&vt(t,n),n}var fr=/[\u00df\u0587\u0590-\u05f4\u0600-\u06ff\u3040-\u309f\u30a0-\u30ff\u3400-\u4db5\u4e00-\u9fcc\uac00-\ud7af]/;function me(e){return/\w/.test(e)||e>"\x80"&&(e.toUpperCase()!=e.toLowerCase()||fr.test(e))}function y(e,t){return t?t.source.indexOf("\\w")>-1&&me(e)?!0:t.test(e):me(e)}function T(e){for(var t in e)if(e.hasOwnProperty(t)&&e[t])return!1;return!0}var x=/[\u0300-\u036f\u0483-\u0489\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u065e\u0670\u06d6-\u06dc\u06de-\u06e4\u06e7\u06e8\u06ea-\u06ed\u0711\u0730-\u074a\u07a6-\u07b0\u07eb-\u07f3\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0900-\u0902\u093c\u0941-\u0948\u094d\u0951-\u0955\u0962\u0963\u0981\u09bc\u09be\u09c1-\u09c4\u09cd\u09d7\u09e2\u09e3\u0a01\u0a02\u0a3c\u0a41\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a70\u0a71\u0a75\u0a81\u0a82\u0abc\u0ac1-\u0ac5\u0ac7\u0ac8\u0acd\u0ae2\u0ae3\u0b01\u0b3c\u0b3e\u0b3f\u0b41-\u0b44\u0b4d\u0b56\u0b57\u0b62\u0b63\u0b82\u0bbe\u0bc0\u0bcd\u0bd7\u0c3e-\u0c40\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0cbc\u0cbf\u0cc2\u0cc6\u0ccc\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0d3e\u0d41-\u0d44\u0d4d\u0d57\u0d62\u0d63\u0dca\u0dcf\u0dd2-\u0dd4\u0dd6\u0ddf\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0eb1\u0eb4-\u0eb9\u0ebb\u0ebc\u0ec8-\u0ecd\u0f18\u0f19\u0f35\u0f37\u0f39\u0f71-\u0f7e\u0f80-\u0f84\u0f86\u0f87\u0f90-\u0f97\u0f99-\u0fbc\u0fc6\u102d-\u1030\u1032-\u1037\u1039\u103a\u103d\u103e\u1058\u1059\u105e-\u1060\u1071-\u1074\u1082\u1085\u1086\u108d\u109d\u135f\u1712-\u1714\u1732-\u1734\u1752\u1753\u1772\u1773\u17b7-\u17bd\u17c6\u17c9-\u17d3\u17dd\u180b-\u180d\u18a9\u1920-\u1922\u1927\u1928\u1932\u1939-\u193b\u1a17\u1a18\u1a56\u1a58-\u1a5e\u1a60\u1a62\u1a65-\u1a6c\u1a73-\u1a7c\u1a7f\u1b00-\u1b03\u1b34\u1b36-\u1b3a\u1b3c\u1b42\u1b6b-\u1b73\u1b80\u1b81\u1ba2-\u1ba5\u1ba8\u1ba9\u1c2c-\u1c33\u1c36\u1c37\u1cd0-\u1cd2\u1cd4-\u1ce0\u1ce2-\u1ce8\u1ced\u1dc0-\u1de6\u1dfd-\u1dff\u200c\u200d\u20d0-\u20f0\u2cef-\u2cf1\u2de0-\u2dff\u302a-\u302f\u3099\u309a\ua66f-\ua672\ua67c\ua67d\ua6f0\ua6f1\ua802\ua806\ua80b\ua825\ua826\ua8c4\ua8e0-\ua8f1\ua926-\ua92d\ua947-\ua951\ua980-\ua982\ua9b3\ua9b6-\ua9b9\ua9bc\uaa29-\uaa2e\uaa31\uaa32\uaa35\uaa36\uaa43\uaa4c\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uabe5\uabe8\uabed\udc00-\udfff\ufb1e\ufe00-\ufe0f\ufe20-\ufe26\uff9e\uff9f]/;function oe(e){return e.charCodeAt(0)>=768&&x.test(e)}function Ue(e,t,n){for(;(n<0?t>0:t<e.length)&&oe(e.charAt(t));)t+=n;return t}function cr(e,t,n){for(var r=t>n?-1:1;;){if(t==n)return t;var i=(t+n)/2,o=r<0?Math.ceil(i):Math.floor(i);if(o==t)return e(o)?t:n;e(o)?n=o:t=o+r}}function Ut(e,t,n,r){if(!e)return r(t,n,"ltr",0);for(var i=!1,o=0;o<e.length;++o){var l=e[o];(l.from<n&&l.to>t||t==n&&l.to==t)&&(r(Math.max(l.from,t),Math.min(l.to,n),l.level==1?"rtl":"ltr",o),i=!0)}i||r(t,n,"ltr")}var Se=null;function Lt(e,t,n){var r;Se=null;for(var i=0;i<e.length;++i){var o=e[i];if(o.from<t&&o.to>t)return i;o.to==t&&(o.from!=o.to&&n=="before"?r=i:Se=i),o.from==t&&(o.from!=o.to&&n!="before"?r=i:Se=i)}return r!=null?r:Se}var Sr=function(){var e="bbbbbbbbbtstwsbbbbbbbbbbbbbbssstwNN%%%NNNNNN,N,N1111111111NNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNbbbbbbsbbbbbbbbbbbbbbbbbbbbbbbbbb,N%%%%NNNNLNNNNN%%11NLNNN1LNNNNNLLLLLLLLLLLLLLLLLLLLLLLNLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLN",t="nnnnnnNNr%%r,rNNmmmmmmmmmmmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmmmmmmmmmmmmmmmnnnnnnnnnn%nnrrrmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmnNmmmmmmrrmmNmmmmrr1111111111";function n(u){return u<=247?e.charAt(u):1424<=u&&u<=1524?"R":1536<=u&&u<=1785?t.charAt(u-1536):1774<=u&&u<=2220?"r":8192<=u&&u<=8203?"w":u==8204?"b":"L"}var r=/[\u0590-\u05f4\u0600-\u06ff\u0700-\u08ac]/,i=/[stwN]/,o=/[LRr]/,l=/[Lb1n]/,a=/[1n]/;function s(u,d,h){this.level=u,this.from=d,this.to=h}return function(u,d){var h=d=="ltr"?"L":"R";if(u.length==0||d=="ltr"&&!r.test(u))return!1;for(var m=u.length,g=[],b=0;b<m;++b)g.push(n(u.charCodeAt(b)));for(var S=0,C=h;S<m;++S){var N=g[S];N=="m"?g[S]=C:C=N}for(var O=0,A=h;O<m;++O){var W=g[O];W=="1"&&A=="r"?g[O]="n":o.test(W)&&(A=W,W=="r"&&(g[O]="R"))}for(var q=1,R=g[0];q<m-1;++q){var V=g[q];V=="+"&&R=="1"&&g[q+1]=="1"?g[q]="1":V==","&&R==g[q+1]&&(R=="1"||R=="n")&&(g[q]=R),R=V}for(var ge=0;ge<m;++ge){var Xe=g[ge];if(Xe==",")g[ge]="N";else if(Xe=="%"){var Ce=void 0;for(Ce=ge+1;Ce<m&&g[Ce]=="%";++Ce);for(var pt=ge&&g[ge-1]=="!"||Ce<m&&g[Ce]=="1"?"1":"N",ut=ge;ut<Ce;++ut)g[ut]=pt;ge=Ce-1}}for(var Ee=0,ft=h;Ee<m;++Ee){var Ze=g[Ee];ft=="L"&&Ze=="1"?g[Ee]="L":o.test(Ze)&&(ft=Ze)}for(var Ke=0;Ke<m;++Ke)if(i.test(g[Ke])){var Fe=void 0;for(Fe=Ke+1;Fe<m&&i.test(g[Fe]);++Fe);for(var Ne=(Ke?g[Ke-1]:h)=="L",ct=(Fe<m?g[Fe]:h)=="L",Yr=Ne==ct?Ne?"L":"R":h,ur=Ke;ur<Fe;++ur)g[ur]=Yr;Ke=Fe-1}for(var tt=[],Rt,Ye=0;Ye<m;)if(l.test(g[Ye])){var io=Ye;for(++Ye;Ye<m&&l.test(g[Ye]);++Ye);tt.push(new s(0,io,Ye))}else{var Vt=Ye,wr=tt.length,kr=d=="rtl"?1:0;for(++Ye;Ye<m&&g[Ye]!="L";++Ye);for(var ot=Vt;ot<Ye;)if(a.test(g[ot])){Vt<ot&&(tt.splice(wr,0,new s(1,Vt,ot)),wr+=kr);var jr=ot;for(++ot;ot<Ye&&a.test(g[ot]);++ot);tt.splice(wr,0,new s(2,jr,ot)),wr+=kr,Vt=ot}else++ot;Vt<Ye&&tt.splice(wr,0,new s(1,Vt,Ye))}return d=="ltr"&&(tt[0].level==1&&(Rt=u.match(/^\s+/))&&(tt[0].from=Rt[0].length,tt.unshift(new s(0,0,Rt[0].length))),ee(tt).level==1&&(Rt=u.match(/\s+$/))&&(ee(tt).to-=Rt[0].length,tt.push(new s(0,m-Rt[0].length,m)))),d=="rtl"?tt.reverse():tt}}();function nt(e,t){var n=e.order;return n==null&&(n=e.order=Sr(e.text,t)),n}var On=[],G=function(e,t,n){if(e.addEventListener)e.addEventListener(t,n,!1);else if(e.attachEvent)e.attachEvent("on"+t,n);else{var r=e._handlers||(e._handlers={});r[t]=(r[t]||On).concat(n)}};function Jr(e,t){return e._handlers&&e._handlers[t]||On}function te(e,t,n){if(e.removeEventListener)e.removeEventListener(t,n,!1);else if(e.detachEvent)e.detachEvent("on"+t,n);else{var r=e._handlers,i=r&&r[t];if(i){var o=E(i,n);o>-1&&(r[t]=i.slice(0,o).concat(i.slice(o+1)))}}}function Me(e,t){var n=Jr(e,t);if(!!n.length)for(var r=Array.prototype.slice.call(arguments,2),i=0;i<n.length;++i)n[i].apply(null,r)}function xe(e,t,n){return typeof t=="string"&&(t={type:t,preventDefault:function(){this.defaultPrevented=!0}}),Me(e,n||t.type,e,t),dr(t)||t.codemirrorIgnore}function Cr(e){var t=e._handlers&&e._handlers.cursorActivity;if(!!t)for(var n=e.curOp.cursorActivityHandlers||(e.curOp.cursorActivityHandlers=[]),r=0;r<t.length;++r)E(n,t[r])==-1&&n.push(t[r])}function He(e,t){return Jr(e,t).length>0}function $t(e){e.prototype.on=function(t,n){G(this,t,n)},e.prototype.off=function(t,n){te(this,t,n)}}function Be(e){e.preventDefault?e.preventDefault():e.returnValue=!1}function Wn(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0}function dr(e){return e.defaultPrevented!=null?e.defaultPrevented:e.returnValue==!1}function $e(e){Be(e),Wn(e)}function Lr(e){return e.target||e.srcElement}function Pn(e){var t=e.which;return t==null&&(e.button&1?t=1:e.button&2?t=3:e.button&4&&(t=2)),Y&&e.ctrlKey&&t==1&&(t=3),t}var Wt=function(){if(P&&I<9)return!1;var e=c("div");return"draggable"in e||"dragDrop"in e}(),Qr;function zn(e){if(Qr==null){var t=c("span","\u200B");z(e,c("span",[t,document.createTextNode("x")])),e.firstChild.offsetHeight!=0&&(Qr=t.offsetWidth<=1&&t.offsetHeight>2&&!(P&&I<8))}var n=Qr?c("span","\u200B"):c("span","\xA0",null,"display: inline-block; width: 1px; margin-right: -1px");return n.setAttribute("cm-text",""),n}var Tr;function di(e){if(Tr!=null)return Tr;var t=z(e,document.createTextNode("A\u062EA")),n=L(t,0,1).getBoundingClientRect(),r=L(t,1,2).getBoundingClientRect();return k(e),!n||n.left==n.right?!1:Tr=r.right-n.right<3}var Pt=`
 
 b`.split(/\n/).length!=3?function(e){for(var t=0,n=[],r=e.length;t<=r;){var i=e.indexOf(`
 `,t);i==-1&&(i=e.length);var o=e.slice(t,e.charAt(i-1)=="\r"?i-1:i),l=o.indexOf("\r");l!=-1?(n.push(o.slice(0,l)),t+=l+1):(n.push(o),t=i+1)}return n}:function(e){return e.split(/\r\n?|\n/)},zt=window.getSelection?function(e){try{return e.selectionStart!=e.selectionEnd}catch{return!1}}:function(e){var t;try{t=e.ownerDocument.selection.createRange()}catch{}return!t||t.parentElement()!=e?!1:t.compareEndPoints("StartToEnd",t)!=0},er=function(){var e=c("div");return"oncopy"in e?!0:(e.setAttribute("oncopy","return;"),typeof e.oncopy=="function")}(),Mr=null;function Gt(e){if(Mr!=null)return Mr;var t=z(e,c("span","x")),n=t.getBoundingClientRect(),r=L(t,0,1).getBoundingClientRect();return Mr=Math.abs(n.left-r.left)>1}var Vr={},qt={};function Nr(e,t){arguments.length>2&&(t.dependencies=Array.prototype.slice.call(arguments,2)),Vr[e]=t}function Tt(e,t){qt[e]=t}function Xt(e){if(typeof e=="string"&&qt.hasOwnProperty(e))e=qt[e];else if(e&&typeof e.name=="string"&&qt.hasOwnProperty(e.name)){var t=qt[e.name];typeof t=="string"&&(t={name:t}),e=gt(t,e),e.name=t.name}else{if(typeof e=="string"&&/^[\w\-]+\/[\w\-]+\+xml$/.test(e))return Xt("application/xml");if(typeof e=="string"&&/^[\w\-]+\/[\w\-]+\+json$/.test(e))return Xt("application/json")}return typeof e=="string"?{name:e}:e||{name:"null"}}function $r(e,t){t=Xt(t);var n=Vr[t.name];if(!n)return $r(e,"text/plain");var r=n(e,t);if(Yt.hasOwnProperty(t.name)){var i=Yt[t.name];for(var o in i)!i.hasOwnProperty(o)||(r.hasOwnProperty(o)&&(r["_"+o]=r[o]),r[o]=i[o])}if(r.name=t.name,t.helperType&&(r.helperType=t.helperType),t.modeProps)for(var l in t.modeProps)r[l]=t.modeProps[l];return r}var Yt={};function hi(e,t){var n=Yt.hasOwnProperty(e)?Yt[e]:Yt[e]={};vt(t,n)}function kt(e,t){if(t===!0)return t;if(e.copyState)return e.copyState(t);var n={};for(var r in t){var i=t[r];i instanceof Array&&(i=i.concat([])),n[r]=i}return n}function Ar(e,t){for(var n;e.innerMode&&(n=e.innerMode(t),!(!n||n.mode==e));)t=n.state,e=n.mode;return n||{mode:e,state:t}}function Hn(e,t,n){return e.startState?e.startState(t,n):!0}var we=function(e,t,n){this.pos=this.start=0,this.string=e,this.tabSize=t||8,this.lastColumnPos=this.lastColumnValue=0,this.lineStart=0,this.lineOracle=n};we.prototype.eol=function(){return this.pos>=this.string.length},we.prototype.sol=function(){return this.pos==this.lineStart},we.prototype.peek=function(){return this.string.charAt(this.pos)||void 0},we.prototype.next=function(){if(this.pos<this.string.length)return this.string.charAt(this.pos++)},we.prototype.eat=function(e){var t=this.string.charAt(this.pos),n;if(typeof e=="string"?n=t==e:n=t&&(e.test?e.test(t):e(t)),n)return++this.pos,t},we.prototype.eatWhile=function(e){for(var t=this.pos;this.eat(e););return this.pos>t},we.prototype.eatSpace=function(){for(var e=this.pos;/[\s\u00a0]/.test(this.string.charAt(this.pos));)++this.pos;return this.pos>e},we.prototype.skipToEnd=function(){this.pos=this.string.length},we.prototype.skipTo=function(e){var t=this.string.indexOf(e,this.pos);if(t>-1)return this.pos=t,!0},we.prototype.backUp=function(e){this.pos-=e},we.prototype.column=function(){return this.lastColumnPos<this.start&&(this.lastColumnValue=be(this.string,this.start,this.tabSize,this.lastColumnPos,this.lastColumnValue),this.lastColumnPos=this.start),this.lastColumnValue-(this.lineStart?be(this.string,this.lineStart,this.tabSize):0)},we.prototype.indentation=function(){return be(this.string,null,this.tabSize)-(this.lineStart?be(this.string,this.lineStart,this.tabSize):0)},we.prototype.match=function(e,t,n){if(typeof e=="string"){var r=function(l){return n?l.toLowerCase():l},i=this.string.substr(this.pos,e.length);if(r(i)==r(e))return t!==!1&&(this.pos+=e.length),!0}else{var o=this.string.slice(this.pos).match(e);return o&&o.index>0?null:(o&&t!==!1&&(this.pos+=o[0].length),o)}},we.prototype.current=function(){return this.string.slice(this.start,this.pos)},we.prototype.hideFirstChars=function(e,t){this.lineStart+=e;try{return t()}finally{this.lineStart-=e}},we.prototype.lookAhead=function(e){var t=this.lineOracle;return t&&t.lookAhead(e)},we.prototype.baseToken=function(){var e=this.lineOracle;return e&&e.baseToken(this.pos)};function B(e,t){if(t-=e.first,t<0||t>=e.size)throw new Error("There is no line "+(t+e.first)+" in the document.");for(var n=e;!n.lines;)for(var r=0;;++r){var i=n.children[r],o=i.chunkSize();if(t<o){n=i;break}t-=o}return n.lines[t]}function Ht(e,t,n){var r=[],i=t.line;return e.iter(t.line,n.line+1,function(o){var l=o.text;i==n.line&&(l=l.slice(0,n.ch)),i==t.line&&(l=l.slice(t.ch)),r.push(l),++i}),r}function en(e,t,n){var r=[];return e.iter(t,n,function(i){r.push(i.text)}),r}function St(e,t){var n=t-e.height;if(n)for(var r=e;r;r=r.parent)r.height+=n}function ae(e){if(e.parent==null)return null;for(var t=e.parent,n=E(t.lines,e),r=t.parent;r;t=r,r=r.parent)for(var i=0;r.children[i]!=t;++i)n+=r.children[i].chunkSize();return n+t.first}function f(e,t){var n=e.first;e:do{for(var r=0;r<e.children.length;++r){var i=e.children[r],o=i.height;if(t<o){e=i;continue e}t-=o,n+=i.chunkSize()}return n}while(!e.lines);for(var l=0;l<e.lines.length;++l){var a=e.lines[l],s=a.height;if(t<s)break;t-=s}return n+l}function p(e,t){return t>=e.first&&t<e.first+e.size}function w(e,t){return String(e.lineNumberFormatter(t+e.firstLineNumber))}function v(e,t,n){if(n===void 0&&(n=null),!(this instanceof v))return new v(e,t,n);this.line=e,this.ch=t,this.sticky=n}function M(e,t){return e.line-t.line||e.ch-t.ch}function le(e,t){return e.sticky==t.sticky&&M(e,t)==0}function de(e){return v(e.line,e.ch)}function Re(e,t){return M(e,t)<0?t:e}function lt(e,t){return M(e,t)<0?e:t}function En(e,t){return Math.max(e.first,Math.min(t,e.first+e.size-1))}function Z(e,t){if(t.line<e.first)return v(e.first,0);var n=e.first+e.size-1;return t.line>n?v(n,B(e,n).text.length):va(t,B(e,t.line).text.length)}function va(e,t){var n=e.ch;return n==null||n>t?v(e.line,t):n<0?v(e.line,0):e}function ao(e,t){for(var n=[],r=0;r<t.length;r++)n[r]=Z(e,t[r]);return n}var Fn=function(e,t){this.state=e,this.lookAhead=t},Et=function(e,t,n,r){this.state=t,this.doc=e,this.line=n,this.maxLookAhead=r||0,this.baseTokens=null,this.baseTokenPos=1};Et.prototype.lookAhead=function(e){var t=this.doc.getLine(this.line+e);return t!=null&&e>this.maxLookAhead&&(this.maxLookAhead=e),t},Et.prototype.baseToken=function(e){if(!this.baseTokens)return null;for(;this.baseTokens[this.baseTokenPos]<=e;)this.baseTokenPos+=2;var t=this.baseTokens[this.baseTokenPos+1];return{type:t&&t.replace(/( |^)overlay .*/,""),size:this.baseTokens[this.baseTokenPos]-e}},Et.prototype.nextLine=function(){this.line++,this.maxLookAhead>0&&this.maxLookAhead--},Et.fromSaved=function(e,t,n){return t instanceof Fn?new Et(e,kt(e.mode,t.state),n,t.lookAhead):new Et(e,kt(e.mode,t),n)},Et.prototype.save=function(e){var t=e!==!1?kt(this.doc.mode,this.state):this.state;return this.maxLookAhead>0?new Fn(t,this.maxLookAhead):t};function so(e,t,n,r){var i=[e.state.modeGen],o={};vo(e,t.text,e.doc.mode,n,function(u,d){return i.push(u,d)},o,r);for(var l=n.state,a=function(u){n.baseTokens=i;var d=e.state.overlays[u],h=1,m=0;n.state=!0,vo(e,t.text,d.mode,n,function(g,b){for(var S=h;m<g;){var C=i[h];C>g&&i.splice(h,1,g,i[h+1],C),h+=2,m=Math.min(g,C)}if(!!b)if(d.opaque)i.splice(S,h-S,g,"overlay "+b),h=S+2;else for(;S<h;S+=2){var N=i[S+1];i[S+1]=(N?N+" ":"")+"overlay "+b}},o),n.state=l,n.baseTokens=null,n.baseTokenPos=1},s=0;s<e.state.overlays.length;++s)a(s);return{styles:i,classes:o.bgClass||o.textClass?o:null}}function uo(e,t,n){if(!t.styles||t.styles[0]!=e.state.modeGen){var r=tn(e,ae(t)),i=t.text.length>e.options.maxHighlightLength&&kt(e.doc.mode,r.state),o=so(e,t,r);i&&(r.state=i),t.stateAfter=r.save(!i),t.styles=o.styles,o.classes?t.styleClasses=o.classes:t.styleClasses&&(t.styleClasses=null),n===e.doc.highlightFrontier&&(e.doc.modeFrontier=Math.max(e.doc.modeFrontier,++e.doc.highlightFrontier))}return t.styles}function tn(e,t,n){var r=e.doc,i=e.display;if(!r.mode.startState)return new Et(r,!0,t);var o=ga(e,t,n),l=o>r.first&&B(r,o-1).stateAfter,a=l?Et.fromSaved(r,l,o):new Et(r,Hn(r.mode),o);return r.iter(o,t,function(s){pi(e,s.text,a);var u=a.line;s.stateAfter=u==t-1||u%5==0||u>=i.viewFrom&&u<i.viewTo?a.save():null,a.nextLine()}),n&&(r.modeFrontier=a.line),a}function pi(e,t,n,r){var i=e.doc.mode,o=new we(t,e.options.tabSize,n);for(o.start=o.pos=r||0,t==""&&fo(i,n.state);!o.eol();)vi(i,o,n.state),o.start=o.pos}function fo(e,t){if(e.blankLine)return e.blankLine(t);if(!!e.innerMode){var n=Ar(e,t);if(n.mode.blankLine)return n.mode.blankLine(n.state)}}function vi(e,t,n,r){for(var i=0;i<10;i++){r&&(r[0]=Ar(e,n).mode);var o=e.token(t,n);if(t.pos>t.start)return o}throw new Error("Mode "+e.name+" failed to advance stream.")}var co=function(e,t,n){this.start=e.start,this.end=e.pos,this.string=e.current(),this.type=t||null,this.state=n};function ho(e,t,n,r){var i=e.doc,o=i.mode,l;t=Z(i,t);var a=B(i,t.line),s=tn(e,t.line,n),u=new we(a.text,e.options.tabSize,s),d;for(r&&(d=[]);(r||u.pos<t.ch)&&!u.eol();)u.start=u.pos,l=vi(o,u,s.state),r&&d.push(new co(u,l,kt(i.mode,s.state)));return r?d:new co(u,l,s.state)}function po(e,t){if(e)for(;;){var n=e.match(/(?:^|\s+)line-(background-)?(\S+)/);if(!n)break;e=e.slice(0,n.index)+e.slice(n.index+n[0].length);var r=n[1]?"bgClass":"textClass";t[r]==null?t[r]=n[2]:new RegExp("(?:^|\\s)"+n[2]+"(?:$|\\s)").test(t[r])||(t[r]+=" "+n[2])}return e}function vo(e,t,n,r,i,o,l){var a=n.flattenSpans;a==null&&(a=e.options.flattenSpans);var s=0,u=null,d=new we(t,e.options.tabSize,r),h,m=e.options.addModeClass&&[null];for(t==""&&po(fo(n,r.state),o);!d.eol();){if(d.pos>e.options.maxHighlightLength?(a=!1,l&&pi(e,t,r,d.pos),d.pos=t.length,h=null):h=po(vi(n,d,r.state,m),o),m){var g=m[0].name;g&&(h="m-"+(h?g+" "+h:g))}if(!a||u!=h){for(;s<d.start;)s=Math.min(d.start,s+5e3),i(s,u);u=h}d.start=d.pos}for(;s<d.pos;){var b=Math.min(d.pos,s+5e3);i(b,u),s=b}}function ga(e,t,n){for(var r,i,o=e.doc,l=n?-1:t-(e.doc.mode.innerMode?1e3:100),a=t;a>l;--a){if(a<=o.first)return o.first;var s=B(o,a-1),u=s.stateAfter;if(u&&(!n||a+(u instanceof Fn?u.lookAhead:0)<=o.modeFrontier))return a;var d=be(s.text,null,e.options.tabSize);(i==null||r>d)&&(i=a-1,r=d)}return i}function ma(e,t){if(e.modeFrontier=Math.min(e.modeFrontier,t),!(e.highlightFrontier<t-10)){for(var n=e.first,r=t-1;r>n;r--){var i=B(e,r).stateAfter;if(i&&(!(i instanceof Fn)||r+i.lookAhead<t)){n=r+1;break}}e.highlightFrontier=Math.min(e.highlightFrontier,n)}}var go=!1,jt=!1;function ya(){go=!0}function ba(){jt=!0}function In(e,t,n){this.marker=e,this.from=t,this.to=n}function rn(e,t){if(e)for(var n=0;n<e.length;++n){var r=e[n];if(r.marker==t)return r}}function xa(e,t){for(var n,r=0;r<e.length;++r)e[r]!=t&&(n||(n=[])).push(e[r]);return n}function wa(e,t){e.markedSpans=e.markedSpans?e.markedSpans.concat([t]):[t],t.marker.attachLine(e)}function ka(e,t,n){var r;if(e)for(var i=0;i<e.length;++i){var o=e[i],l=o.marker,a=o.from==null||(l.inclusiveLeft?o.from<=t:o.from<t);if(a||o.from==t&&l.type=="bookmark"&&(!n||!o.marker.insertLeft)){var s=o.to==null||(l.inclusiveRight?o.to>=t:o.to>t);(r||(r=[])).push(new In(l,o.from,s?null:o.to))}}return r}function Sa(e,t,n){var r;if(e)for(var i=0;i<e.length;++i){var o=e[i],l=o.marker,a=o.to==null||(l.inclusiveRight?o.to>=t:o.to>t);if(a||o.from==t&&l.type=="bookmark"&&(!n||o.marker.insertLeft)){var s=o.from==null||(l.inclusiveLeft?o.from<=t:o.from<t);(r||(r=[])).push(new In(l,s?null:o.from-t,o.to==null?null:o.to-t))}}return r}function gi(e,t){if(t.full)return null;var n=p(e,t.from.line)&&B(e,t.from.line).markedSpans,r=p(e,t.to.line)&&B(e,t.to.line).markedSpans;if(!n&&!r)return null;var i=t.from.ch,o=t.to.ch,l=M(t.from,t.to)==0,a=ka(n,i,l),s=Sa(r,o,l),u=t.text.length==1,d=ee(t.text).length+(u?i:0);if(a)for(var h=0;h<a.length;++h){var m=a[h];if(m.to==null){var g=rn(s,m.marker);g?u&&(m.to=g.to==null?null:g.to+d):m.to=i}}if(s)for(var b=0;b<s.length;++b){var S=s[b];if(S.to!=null&&(S.to+=d),S.from==null){var C=rn(a,S.marker);C||(S.from=d,u&&(a||(a=[])).push(S))}else S.from+=d,u&&(a||(a=[])).push(S)}a&&(a=mo(a)),s&&s!=a&&(s=mo(s));var N=[a];if(!u){var O=t.text.length-2,A;if(O>0&&a)for(var W=0;W<a.length;++W)a[W].to==null&&(A||(A=[])).push(new In(a[W].marker,null,null));for(var q=0;q<O;++q)N.push(A);N.push(s)}return N}function mo(e){for(var t=0;t<e.length;++t){var n=e[t];n.from!=null&&n.from==n.to&&n.marker.clearWhenEmpty!==!1&&e.splice(t--,1)}return e.length?e:null}function Ca(e,t,n){var r=null;if(e.iter(t.line,n.line+1,function(g){if(g.markedSpans)for(var b=0;b<g.markedSpans.length;++b){var S=g.markedSpans[b].marker;S.readOnly&&(!r||E(r,S)==-1)&&(r||(r=[])).push(S)}}),!r)return null;for(var i=[{from:t,to:n}],o=0;o<r.length;++o)for(var l=r[o],a=l.find(0),s=0;s<i.length;++s){var u=i[s];if(!(M(u.to,a.from)<0||M(u.from,a.to)>0)){var d=[s,1],h=M(u.from,a.from),m=M(u.to,a.to);(h<0||!l.inclusiveLeft&&!h)&&d.push({from:u.from,to:a.from}),(m>0||!l.inclusiveRight&&!m)&&d.push({from:a.to,to:u.to}),i.splice.apply(i,d),s+=d.length-3}}return i}function yo(e){var t=e.markedSpans;if(!!t){for(var n=0;n<t.length;++n)t[n].marker.detachLine(e);e.markedSpans=null}}function bo(e,t){if(!!t){for(var n=0;n<t.length;++n)t[n].marker.attachLine(e);e.markedSpans=t}}function Bn(e){return e.inclusiveLeft?-1:0}function Rn(e){return e.inclusiveRight?1:0}function mi(e,t){var n=e.lines.length-t.lines.length;if(n!=0)return n;var r=e.find(),i=t.find(),o=M(r.from,i.from)||Bn(e)-Bn(t);if(o)return-o;var l=M(r.to,i.to)||Rn(e)-Rn(t);return l||t.id-e.id}function xo(e,t){var n=jt&&e.markedSpans,r;if(n)for(var i=void 0,o=0;o<n.length;++o)i=n[o],i.marker.collapsed&&(t?i.from:i.to)==null&&(!r||mi(r,i.marker)<0)&&(r=i.marker);return r}function wo(e){return xo(e,!0)}function Kn(e){return xo(e,!1)}function La(e,t){var n=jt&&e.markedSpans,r;if(n)for(var i=0;i<n.length;++i){var o=n[i];o.marker.collapsed&&(o.from==null||o.from<t)&&(o.to==null||o.to>t)&&(!r||mi(r,o.marker)<0)&&(r=o.marker)}return r}function ko(e,t,n,r,i){var o=B(e,t),l=jt&&o.markedSpans;if(l)for(var a=0;a<l.length;++a){var s=l[a];if(!!s.marker.collapsed){var u=s.marker.find(0),d=M(u.from,n)||Bn(s.marker)-Bn(i),h=M(u.to,r)||Rn(s.marker)-Rn(i);if(!(d>=0&&h<=0||d<=0&&h>=0)&&(d<=0&&(s.marker.inclusiveRight&&i.inclusiveLeft?M(u.to,n)>=0:M(u.to,n)>0)||d>=0&&(s.marker.inclusiveRight&&i.inclusiveLeft?M(u.from,r)<=0:M(u.from,r)<0)))return!0}}}function Ft(e){for(var t;t=wo(e);)e=t.find(-1,!0).line;return e}function Ta(e){for(var t;t=Kn(e);)e=t.find(1,!0).line;return e}function Ma(e){for(var t,n;t=Kn(e);)e=t.find(1,!0).line,(n||(n=[])).push(e);return n}function yi(e,t){var n=B(e,t),r=Ft(n);return n==r?t:ae(r)}function So(e,t){if(t>e.lastLine())return t;var n=B(e,t),r;if(!tr(e,n))return t;for(;r=Kn(n);)n=r.find(1,!0).line;return ae(n)+1}function tr(e,t){var n=jt&&t.markedSpans;if(n){for(var r=void 0,i=0;i<n.length;++i)if(r=n[i],!!r.marker.collapsed){if(r.from==null)return!0;if(!r.marker.widgetNode&&r.from==0&&r.marker.inclusiveLeft&&bi(e,t,r))return!0}}}function bi(e,t,n){if(n.to==null){var r=n.marker.find(1,!0);return bi(e,r.line,rn(r.line.markedSpans,n.marker))}if(n.marker.inclusiveRight&&n.to==t.text.length)return!0;for(var i=void 0,o=0;o<t.markedSpans.length;++o)if(i=t.markedSpans[o],i.marker.collapsed&&!i.marker.widgetNode&&i.from==n.to&&(i.to==null||i.to!=n.from)&&(i.marker.inclusiveLeft||n.marker.inclusiveRight)&&bi(e,t,i))return!0}function Zt(e){e=Ft(e);for(var t=0,n=e.parent,r=0;r<n.lines.length;++r){var i=n.lines[r];if(i==e)break;t+=i.height}for(var o=n.parent;o;n=o,o=n.parent)for(var l=0;l<o.children.length;++l){var a=o.children[l];if(a==n)break;t+=a.height}return t}function _n(e){if(e.height==0)return 0;for(var t=e.text.length,n,r=e;n=wo(r);){var i=n.find(0,!0);r=i.from.line,t+=i.from.ch-i.to.ch}for(r=e;n=Kn(r);){var o=n.find(0,!0);t-=r.text.length-o.from.ch,r=o.to.line,t+=r.text.length-o.to.ch}return t}function xi(e){var t=e.display,n=e.doc;t.maxLine=B(n,n.first),t.maxLineLength=_n(t.maxLine),t.maxLineChanged=!0,n.iter(function(r){var i=_n(r);i>t.maxLineLength&&(t.maxLineLength=i,t.maxLine=r)})}var Dr=function(e,t,n){this.text=e,bo(this,t),this.height=n?n(this):1};Dr.prototype.lineNo=function(){return ae(this)},$t(Dr);function Na(e,t,n,r){e.text=t,e.stateAfter&&(e.stateAfter=null),e.styles&&(e.styles=null),e.order!=null&&(e.order=null),yo(e),bo(e,n);var i=r?r(e):1;i!=e.height&&St(e,i)}function Aa(e){e.parent=null,yo(e)}var Da={},Oa={};function Co(e,t){if(!e||/^\s*$/.test(e))return null;var n=t.addModeClass?Oa:Da;return n[e]||(n[e]=e.replace(/\S+/g,"cm-$&"))}function Lo(e,t){var n=D("span",null,null,se?"padding-right: .1px":null),r={pre:D("pre",[n],"CodeMirror-line"),content:n,col:0,pos:0,cm:e,trailingSpace:!1,splitSpaces:e.getOption("lineWrapping")};t.measure={};for(var i=0;i<=(t.rest?t.rest.length:0);i++){var o=i?t.rest[i-1]:t.line,l=void 0;r.pos=0,r.addToken=Pa,di(e.display.measure)&&(l=nt(o,e.doc.direction))&&(r.addToken=Ha(r.addToken,l)),r.map=[];var a=t!=e.display.externalMeasured&&ae(o);Ea(o,r,uo(e,o,a)),o.styleClasses&&(o.styleClasses.bgClass&&(r.bgClass=xt(o.styleClasses.bgClass,r.bgClass||"")),o.styleClasses.textClass&&(r.textClass=xt(o.styleClasses.textClass,r.textClass||""))),r.map.length==0&&r.map.push(0,0,r.content.appendChild(zn(e.display.measure))),i==0?(t.measure.map=r.map,t.measure.cache={}):((t.measure.maps||(t.measure.maps=[])).push(r.map),(t.measure.caches||(t.measure.caches=[])).push({}))}if(se){var s=r.content.lastChild;(/\bcm-tab\b/.test(s.className)||s.querySelector&&s.querySelector(".cm-tab"))&&(r.content.className="cm-tab-wrap-hack")}return Me(e,"renderLine",e,t.line,r.pre),r.pre.className&&(r.textClass=xt(r.pre.className,r.textClass||"")),r}function Wa(e){var t=c("span","\u2022","cm-invalidchar");return t.title="\\u"+e.charCodeAt(0).toString(16),t.setAttribute("aria-label",t.title),t}function Pa(e,t,n,r,i,o,l){if(!!t){var a=e.splitSpaces?za(t,e.trailingSpace):t,s=e.cm.state.specialChars,u=!1,d;if(!s.test(t))e.col+=t.length,d=document.createTextNode(a),e.map.push(e.pos,e.pos+t.length,d),P&&I<9&&(u=!0),e.pos+=t.length;else{d=document.createDocumentFragment();for(var h=0;;){s.lastIndex=h;var m=s.exec(t),g=m?m.index-h:t.length-h;if(g){var b=document.createTextNode(a.slice(h,h+g));P&&I<9?d.appendChild(c("span",[b])):d.appendChild(b),e.map.push(e.pos,e.pos+g,b),e.col+=g,e.pos+=g}if(!m)break;h+=g+1;var S=void 0;if(m[0]=="	"){var C=e.cm.options.tabSize,N=C-e.col%C;S=d.appendChild(c("span",Ct(N),"cm-tab")),S.setAttribute("role","presentation"),S.setAttribute("cm-text","	"),e.col+=N}else m[0]=="\r"||m[0]==`
diff --git a/CTFd/themes/admin/static/assets/pages/challenge.5425c3a4.js b/CTFd/themes/admin/static/assets/pages/challenge.5425c3a4.js
deleted file mode 100644
index 494e9ce3eae332b63fcec4999faa902c6f4d9a72..0000000000000000000000000000000000000000
--- a/CTFd/themes/admin/static/assets/pages/challenge.5425c3a4.js
+++ /dev/null
@@ -1,5 +0,0 @@
-import{_ as _export_sfc,$ as $$1,C as CTFd$1,n as nunjucks,o as openBlock,c as createElementBlock,a as createBaseVNode,F as Fragment,r as renderList,t as toDisplayString,w as withModifiers,b as createCommentVNode,d as createStaticVNode,e as resolveComponent,f as createVNode,g as withCtx,T as TransitionGroup,h as withDirectives,v as vModelSelect,i as vModelCheckbox,j as createTextVNode,p as pushScopeId,k as popScopeId,l as vModelText,m as withKeys,q as normalizeClass,s as helpers,u as ezQuery,x as vShow,y as bindMarkdownEditor,z as htmlEntities,V as Vue$1,A as bindMarkdownEditors,B as ezAlert,D as ezToast}from"./main.71d0edc5.js";import"../tab.facb6ef1.js";import{C as CommentBox}from"../CommentBox.f5ce8d13.js";const _sfc_main$b={name:"FlagCreationForm",props:{challenge_id:Number},data:function(){return{types:{},selectedType:null,createForm:""}},methods:{selectType:function(event){let flagType=event.target.value;if(this.types[flagType]===void 0){this.selectedType=null,this.createForm="";return}let createFormURL=this.types[flagType].templates.create;$$1.get(CTFd$1.config.urlRoot+createFormURL,template_data=>{const template=nunjucks.compile(template_data);this.selectedType=flagType,this.createForm=template.render(),this.createForm.includes("<script")&&setTimeout(()=>{$$1("<div>"+this.createForm+"</div>").find("script").each(function(){eval($$1(this).html())})},100)})},loadTypes:function(){CTFd$1.fetch("/api/v1/flags/types",{method:"GET"}).then(e=>e.json()).then(e=>{this.types=e.data})},submitFlag:function(e){let n=$$1(e.target).serializeJSON(!0);n.challenge=this.$props.challenge_id,CTFd$1.fetch("/api/v1/flags",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(n)}).then(i=>i.json()).then(i=>{this.$emit("refreshFlags",this.$options.name)})}},created(){this.loadTypes()}},_hoisted_1$b={id:"flag-create-modal",class:"modal fade",tabindex:"-1"},_hoisted_2$b={class:"modal-dialog modal-lg"},_hoisted_3$b={class:"modal-content"},_hoisted_4$b=createStaticVNode('<div class="modal-header text-center"><div class="container"><div class="row"><div class="col-md-12"><h3>Create Answer</h3></div></div></div><button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">\xD7</span></button></div>',1),_hoisted_5$b={class:"modal-body"},_hoisted_6$a={class:"create-keys-select-div"},_hoisted_7$8=createBaseVNode("label",{for:"create-keys-select",class:"control-label"}," Choose Answer Type ",-1),_hoisted_8$8=createBaseVNode("option",null,"--",-1),_hoisted_9$8=["value"],_hoisted_10$5=createBaseVNode("br",null,null,-1),_hoisted_11$6=["innerHTML"],_hoisted_12$5={key:0,class:"btn btn-secondary float-right",type:"submit"};function _sfc_render$b(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$b,[createBaseVNode("div",_hoisted_2$b,[createBaseVNode("div",_hoisted_3$b,[_hoisted_4$b,createBaseVNode("div",_hoisted_5$b,[createBaseVNode("div",_hoisted_6$a,[_hoisted_7$8,createBaseVNode("select",{class:"form-control custom-select",onChange:t[0]||(t[0]=s=>o.selectType(s))},[_hoisted_8$8,(openBlock(!0),createElementBlock(Fragment,null,renderList(Object.keys(e.types),s=>(openBlock(),createElementBlock("option",{value:s,key:s},toDisplayString(s),9,_hoisted_9$8))),128))],32)]),_hoisted_10$5,createBaseVNode("form",{onSubmit:t[1]||(t[1]=withModifiers((...s)=>o.submitFlag&&o.submitFlag(...s),["prevent"]))},[createBaseVNode("div",{id:"create-flag-form",innerHTML:e.createForm},null,8,_hoisted_11$6),e.createForm?(openBlock(),createElementBlock("button",_hoisted_12$5," Create Answer ")):createCommentVNode("",!0)],32)])])])])}const FlagCreationForm=_export_sfc(_sfc_main$b,[["render",_sfc_render$b]]),_sfc_main$a={name:"FlagEditForm",props:{flag_id:Number},data:function(){return{flag:{},editForm:""}},watch:{flag_id:{immediate:!0,handler(e,t){e!==null&&this.loadFlag()}}},methods:{loadFlag:function(){CTFd$1.fetch(`/api/v1/flags/${this.$props.flag_id}`,{method:"GET"}).then(e=>e.json()).then(response=>{this.flag=response.data;let editFormURL=this.flag.templates.update;$$1.get(CTFd$1.config.urlRoot+editFormURL,template_data=>{const template=nunjucks.compile(template_data);this.editForm=template.render(this.flag),this.editForm.includes("<script")&&setTimeout(()=>{$$1("<div>"+this.editForm+"</div>").find("script").each(function(){eval($$1(this).html())})},100)})})},updateFlag:function(e){let n=$$1(e.target).serializeJSON(!0);CTFd$1.fetch(`/api/v1/flags/${this.$props.flag_id}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(n)}).then(i=>i.json()).then(i=>{this.$emit("refreshFlags",this.$options.name)})}},mounted(){this.flag_id&&this.loadFlag()},created(){this.flag_id&&this.loadFlag()}},_hoisted_1$a={id:"flag-edit-modal",class:"modal fade",tabindex:"-1"},_hoisted_2$a={class:"modal-dialog modal-lg"},_hoisted_3$a={class:"modal-content"},_hoisted_4$a=createStaticVNode('<div class="modal-header text-center"><div class="container"><div class="row"><div class="col-md-12"><h3 class="text-center">Edit Flag</h3></div></div></div><button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">\xD7</span></button></div>',1),_hoisted_5$a={class:"modal-body"},_hoisted_6$9=["innerHTML"];function _sfc_render$a(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$a,[createBaseVNode("div",_hoisted_2$a,[createBaseVNode("div",_hoisted_3$a,[_hoisted_4$a,createBaseVNode("div",_hoisted_5$a,[createBaseVNode("form",{method:"POST",innerHTML:e.editForm,onSubmit:t[0]||(t[0]=withModifiers((...s)=>o.updateFlag&&o.updateFlag(...s),["prevent"]))},null,40,_hoisted_6$9)])])])])}const FlagEditForm=_export_sfc(_sfc_main$a,[["render",_sfc_render$a]]),_sfc_main$9={components:{FlagCreationForm,FlagEditForm},props:{challenge_id:Number},data:function(){return{flags:[],editing_flag_id:null}},methods:{loadFlags:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/flags`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.flags=e.data)})},refreshFlags(e){this.loadFlags();let t;switch(e){case"FlagEditForm":t=this.$refs.FlagEditForm.$el,$$1(t).modal("hide");break;case"FlagCreationForm":t=this.$refs.FlagCreationForm.$el,$$1(t).modal("hide");break}},addFlag:function(){let e=this.$refs.FlagCreationForm.$el;$$1(e).modal()},editFlag:function(e){this.editing_flag_id=e;let t=this.$refs.FlagEditForm.$el;$$1(t).modal()},deleteFlag:function(e){confirm("Are you sure you'd like to delete this flag?")&&CTFd$1.fetch(`/api/v1/flags/${e}`,{method:"DELETE"}).then(t=>t.json()).then(t=>{t.success&&this.loadFlags()})}},created(){this.loadFlags()}},_hoisted_1$9={id:"flagsboard",class:"table table-striped"},_hoisted_2$9=createBaseVNode("thead",null,[createBaseVNode("tr",null,[createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Type")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Answer")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Settings")])])],-1),_hoisted_3$9=["name"],_hoisted_4$9={class:"text-center"},_hoisted_5$9={class:"text-break"},_hoisted_6$8={class:"flag-content"},_hoisted_7$7={class:"text-center"},_hoisted_8$7=["flag-id","flag-type","onClick"],_hoisted_9$7=["flag-id","onClick"],_hoisted_10$4=createBaseVNode("td",{class:"text-center"},null,-1),_hoisted_11$5=createBaseVNode("td",{class:"text-break"},null,-1),_hoisted_12$4={class:"text-center"};function _sfc_render$9(e,t,n,i,a,o){const s=resolveComponent("FlagCreationForm"),l=resolveComponent("FlagEditForm");return openBlock(),createElementBlock("div",null,[createBaseVNode("div",null,[createVNode(s,{ref:"FlagCreationForm",challenge_id:n.challenge_id,onRefreshFlags:o.refreshFlags},null,8,["challenge_id","onRefreshFlags"])]),createBaseVNode("div",null,[createVNode(l,{ref:"FlagEditForm",flag_id:e.editing_flag_id,onRefreshFlags:o.refreshFlags},null,8,["flag_id","onRefreshFlags"])]),createBaseVNode("table",_hoisted_1$9,[_hoisted_2$9,createBaseVNode("tbody",null,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.flags,d=>(openBlock(),createElementBlock("tr",{name:d.id,key:d.id},[createBaseVNode("td",_hoisted_4$9,toDisplayString(d.type),1),createBaseVNode("td",_hoisted_5$9,[createBaseVNode("pre",_hoisted_6$8,toDisplayString(d.content),1)]),createBaseVNode("td",_hoisted_7$7,[createBaseVNode("i",{role:"button",class:"btn-fa fas fa-edit edit-flag","flag-id":d.id,"flag-type":d.type,onClick:c=>o.editFlag(d.id)},null,8,_hoisted_8$7),createBaseVNode("i",{role:"button",class:"btn-fa fas fa-times delete-flag","flag-id":d.id,onClick:c=>o.deleteFlag(d.id)},null,8,_hoisted_9$7)])],8,_hoisted_3$9))),128)),createBaseVNode("tr",null,[_hoisted_10$4,_hoisted_11$5,createBaseVNode("td",_hoisted_12$4,[createBaseVNode("i",{id:"flag-add-button",class:"btn-fa fas fa-plus add-flag",onClick:t[0]||(t[0]=d=>o.addFlag())})])])])])])}const FlagList=_export_sfc(_sfc_main$9,[["render",_sfc_render$9]]),Requirements_vue_vue_type_style_index_0_scoped_3c612631_lang="",_sfc_main$8={props:{challenge_id:Number},data:function(){return{challenges:[],requirements:{},selectedRequirements:[],selectedAnonymize:!1}},computed:{newRequirements:function(){let e=this.requirements.prerequisites||[],t=this.requirements.anonymize||!1,n=JSON.stringify(e.sort())!==JSON.stringify(this.selectedRequirements.sort()),i=t!==this.selectedAnonymize;return n||i},requiredChallenges:function(){const e=this.requirements.prerequisites||[];return this.challenges.filter(t=>t.id!==this.$props.challenge_id&&e.includes(t.id))},otherChallenges:function(){const e=this.requirements.prerequisites||[];return this.challenges.filter(t=>t.id!==this.$props.challenge_id&&!e.includes(t.id))}},methods:{loadChallenges:function(){CTFd$1.fetch("/api/v1/challenges?view=admin",{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.challenges=e.data)})},getChallengeNameById:function(e){let t=this.challenges.find(n=>n.id===e);return t?t.name:""},loadRequirements:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/requirements`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.requirements=e.data||{},this.selectedRequirements=this.requirements.prerequisites||[],this.selectedAnonymize=this.requirements.anonymize||!1)})},updateRequirements:function(){const t={requirements:{prerequisites:this.selectedRequirements}};this.selectedAnonymize&&(t.requirements.anonymize=!0),CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(t)}).then(n=>n.json()).then(n=>{n.success&&this.loadRequirements()})}},created(){this.loadChallenges(),this.loadRequirements()}},_withScopeId=e=>(pushScopeId("data-v-3c612631"),e=e(),popScopeId(),e),_hoisted_1$8={class:"form-group scrollbox"},_hoisted_2$8={class:"form-check-label cursor-pointer"},_hoisted_3$8=["value"],_hoisted_4$8={class:"form-check-label cursor-pointer"},_hoisted_5$8=["value"],_hoisted_6$7={class:"form-group"},_hoisted_7$6=_withScopeId(()=>createBaseVNode("label",null,[createBaseVNode("b",null,"Behavior if not unlocked")],-1)),_hoisted_8$6=_withScopeId(()=>createBaseVNode("option",{value:!1},"Cach\xE9",-1)),_hoisted_9$6=_withScopeId(()=>createBaseVNode("option",{value:!0},"Anonymized",-1)),_hoisted_10$3=[_hoisted_8$6,_hoisted_9$6],_hoisted_11$4={class:"form-group"},_hoisted_12$3=["disabled"];function _sfc_render$8(e,t,n,i,a,o){return openBlock(),createElementBlock("div",null,[createBaseVNode("form",{onSubmit:t[3]||(t[3]=withModifiers((...s)=>o.updateRequirements&&o.updateRequirements(...s),["prevent"]))},[createBaseVNode("div",_hoisted_1$8,[createVNode(TransitionGroup,{name:"flip-list"},{default:withCtx(()=>[(openBlock(!0),createElementBlock(Fragment,null,renderList(o.requiredChallenges,s=>(openBlock(),createElementBlock("div",{class:"form-check",key:s.id},[createBaseVNode("label",_hoisted_2$8,[withDirectives(createBaseVNode("input",{class:"form-check-input",type:"checkbox",value:s.id,"onUpdate:modelValue":t[0]||(t[0]=l=>e.selectedRequirements=l)},null,8,_hoisted_3$8),[[vModelCheckbox,e.selectedRequirements]]),createTextVNode(" "+toDisplayString(s.name),1)])]))),128)),(openBlock(!0),createElementBlock(Fragment,null,renderList(o.otherChallenges,s=>(openBlock(),createElementBlock("div",{class:"form-check",key:s.id},[createBaseVNode("label",_hoisted_4$8,[withDirectives(createBaseVNode("input",{class:"form-check-input",type:"checkbox",value:s.id,"onUpdate:modelValue":t[1]||(t[1]=l=>e.selectedRequirements=l)},null,8,_hoisted_5$8),[[vModelCheckbox,e.selectedRequirements]]),createTextVNode(" "+toDisplayString(s.name),1)])]))),128))]),_:1})]),createBaseVNode("div",_hoisted_6$7,[_hoisted_7$6,withDirectives(createBaseVNode("select",{class:"form-control custom-select",name:"anonymize","onUpdate:modelValue":t[2]||(t[2]=s=>e.selectedAnonymize=s)},_hoisted_10$3,512),[[vModelSelect,e.selectedAnonymize]])]),createBaseVNode("div",_hoisted_11$4,[createBaseVNode("button",{class:"btn btn-success float-right",disabled:!o.newRequirements}," Save ",8,_hoisted_12$3)])],32)])}const Requirements=_export_sfc(_sfc_main$8,[["render",_sfc_render$8],["__scopeId","data-v-3c612631"]]),_sfc_main$7={props:{challenge_id:Number},data:function(){return{topics:[],topicValue:"",searchedTopic:"",topicResults:[],selectedResultIdx:0,awaitingSearch:!1}},methods:{loadTopics:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/topics`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.topics=e.data)})},searchTopics:function(){if(this.selectedResultIdx=0,this.topicValue==""){this.topicResults=[];return}CTFd$1.fetch(`/api/v1/topics?field=value&q=${this.topicValue}`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.topicResults=e.data.slice(0,10))})},addTopic:function(){let e;if(this.selectedResultIdx===0)e=this.topicValue;else{let n=this.selectedResultIdx-1;e=this.topicResults[n].value}const t={value:e,challenge:this.$props.challenge_id,type:"challenge"};CTFd$1.fetch("/api/v1/topics",{method:"POST",body:JSON.stringify(t)}).then(n=>n.json()).then(n=>{n.success&&(this.topicValue="",this.loadTopics())})},deleteTopic:function(e){CTFd$1.fetch(`/api/v1/topics?type=challenge&target_id=${e}`,{method:"DELETE"}).then(t=>t.json()).then(t=>{t.success&&this.loadTopics()})},moveCursor:function(e){switch(e){case"up":this.selectedResultIdx&&(this.selectedResultIdx-=1);break;case"down":this.selectedResultIdx<this.topicResults.length&&(this.selectedResultIdx+=1);break}},selectTopic:function(e){e===void 0&&(e=this.selectedResultIdx);let t=this.topicResults[e];this.topicValue=t.value}},watch:{topicValue:function(e){this.awaitingSearch===!1&&setTimeout(()=>{this.searchTopics(),this.awaitingSearch=!1},500),this.awaitingSearch=!0}},created(){this.loadTopics()}},_hoisted_1$7={class:"col-md-12"},_hoisted_2$7={id:"challenge-topics",class:"my-3"},_hoisted_3$7={class:"mr-1"},_hoisted_4$7=["onClick"],_hoisted_5$7={class:"form-group"},_hoisted_6$6=createBaseVNode("label",null,[createTextVNode(" Topic "),createBaseVNode("br"),createBaseVNode("small",{class:"text-muted"},"Type topic and press Enter")],-1),_hoisted_7$5={class:"form-group"},_hoisted_8$5={class:"list-group"},_hoisted_9$5=["onClick"];function _sfc_render$7(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$7,[createBaseVNode("div",_hoisted_2$7,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.topics,s=>(openBlock(),createElementBlock("h5",{class:"challenge-tag",key:s.id},[createBaseVNode("span",_hoisted_3$7,toDisplayString(s.value),1),createBaseVNode("a",{class:"btn-fa delete-tag",onClick:l=>o.deleteTopic(s.id)}," \xD7",8,_hoisted_4$7)]))),128))]),createBaseVNode("div",_hoisted_5$7,[_hoisted_6$6,withDirectives(createBaseVNode("input",{id:"tags-add-input",maxlength:"255",type:"text",class:"form-control","onUpdate:modelValue":t[0]||(t[0]=s=>e.topicValue=s),onKeyup:[t[1]||(t[1]=withKeys(s=>o.moveCursor("down"),["down"])),t[2]||(t[2]=withKeys(s=>o.moveCursor("up"),["up"])),t[3]||(t[3]=withKeys(s=>o.addTopic(),["enter"]))]},null,544),[[vModelText,e.topicValue]])]),createBaseVNode("div",_hoisted_7$5,[createBaseVNode("ul",_hoisted_8$5,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.topicResults,(s,l)=>(openBlock(),createElementBlock("li",{class:normalizeClass({"list-group-item":!0,active:l+1===e.selectedResultIdx}),key:s.id,onClick:d=>o.selectTopic(l)},toDisplayString(s.value),11,_hoisted_9$5))),128))])])])}const TopicsList=_export_sfc(_sfc_main$7,[["render",_sfc_render$7]]),_sfc_main$6={props:{challenge_id:Number},data:function(){return{tags:[],tagValue:""}},methods:{loadTags:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/tags`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.tags=e.data)})},addTag:function(){if(this.tagValue){const e={value:this.tagValue,challenge:this.$props.challenge_id};CTFd$1.api.post_tag_list({},e).then(t=>{t.success&&(this.tagValue="",this.loadTags())})}},deleteTag:function(e){CTFd$1.api.delete_tag({tagId:e}).then(t=>{t.success&&this.loadTags()})}},created(){this.loadTags()}},_hoisted_1$6={class:"col-md-12"},_hoisted_2$6={id:"challenge-tags",class:"my-3"},_hoisted_3$6=["onClick"],_hoisted_4$6={class:"form-group"},_hoisted_5$6=createBaseVNode("label",null,[createTextVNode("Tag "),createBaseVNode("br"),createBaseVNode("small",{class:"text-muted"},"Type tag and press Enter")],-1);function _sfc_render$6(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$6,[createBaseVNode("div",_hoisted_2$6,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.tags,s=>(openBlock(),createElementBlock("span",{class:"badge badge-primary mx-1 challenge-tag",key:s.id},[createBaseVNode("span",null,toDisplayString(s.value),1),createBaseVNode("a",{class:"btn-fa delete-tag",onClick:l=>o.deleteTag(s.id)}," \xD7",8,_hoisted_3$6)]))),128))]),createBaseVNode("div",_hoisted_4$6,[_hoisted_5$6,withDirectives(createBaseVNode("input",{id:"tags-add-input",maxlength:"80",type:"text",class:"form-control","onUpdate:modelValue":t[0]||(t[0]=s=>e.tagValue=s),onKeyup:t[1]||(t[1]=withKeys(s=>o.addTag(),["enter"]))},null,544),[[vModelText,e.tagValue]])])])}const TagsList=_export_sfc(_sfc_main$6,[["render",_sfc_render$6]]),_sfc_main$5={props:{challenge_id:Number},data:function(){return{files:[],urlRoot:CTFd$1.config.urlRoot}},methods:{loadFiles:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/files`,{method:"GET"}).then(e=>e.json()).then(e=>{e.success&&(this.files=e.data)})},addFiles:function(){let e={challenge:this.$props.challenge_id,type:"challenge"},t=this.$refs.FileUploadForm;console.log("HELLODSDG"),helpers.files.upload(t,e,n=>{setTimeout(()=>{this.loadFiles()},700)},!0)},deleteFile:function(e){ezQuery({title:"Delete Files",body:"\xCAtes-vous certain de vouloir supprimer this file?",success:()=>{CTFd$1.fetch(`/api/v1/files/${e}`,{method:"DELETE"}).then(t=>t.json()).then(t=>{t.success&&this.loadFiles()})}})}},created(){this.loadFiles()}},_hoisted_1$5={style:{"max-width":"50vw"}},_hoisted_2$5={id:"filesboard",class:"table table-striped"},_hoisted_3$5=createBaseVNode("thead",null,[createBaseVNode("tr",null,[createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"File")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Settings")])])],-1),_hoisted_4$5={class:"text-center"},_hoisted_5$5=["href"],_hoisted_6$5={class:"text-center"},_hoisted_7$4=["onClick"],_hoisted_8$4={class:"col-md-12 mt-3"},_hoisted_9$4=createStaticVNode('<div class="form-group"><input class="form-control-file" id="file" multiple="" name="file" required="" type="file"><sub class="text-muted"> Attach multiple files using CTRL+Click or Cmd+Click. </sub></div><div class="form-group"><input class="btn btn-success float-right" id="_submit" name="_submit" type="submit" value="Upload"></div>',2),_hoisted_11$3=[_hoisted_9$4];function _sfc_render$5(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$5,[createBaseVNode("table",_hoisted_2$5,[_hoisted_3$5,createBaseVNode("tbody",null,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.files,s=>(openBlock(),createElementBlock("tr",{key:s.id},[createBaseVNode("td",_hoisted_4$5,[createBaseVNode("a",{href:`${e.urlRoot}/files/${s.location}`},toDisplayString(s.location.split("/").pop().length>30?s.location.split("/").pop().slice(0,30)+"...":s.location.split("/").pop()),9,_hoisted_5$5)]),createBaseVNode("td",_hoisted_6$5,[createBaseVNode("i",{role:"button",class:"btn-fa fas fa-times delete-file",onClick:l=>o.deleteFile(s.id)},null,8,_hoisted_7$4)])]))),128))])]),createBaseVNode("div",_hoisted_8$4,[createBaseVNode("form",{method:"POST",ref:"FileUploadForm",onSubmit:t[0]||(t[0]=withModifiers((...s)=>o.addFiles&&o.addFiles(...s),["prevent"]))},_hoisted_11$3,544)])])}const ChallengeFilesList=_export_sfc(_sfc_main$5,[["render",_sfc_render$5]]),_sfc_main$4={props:{challengeId:Number,challengeName:String,CHALLENGE_THUMBSNAIL:String},data:function(){return{files:[],urlRoot:CTFd$1.config.urlRoot}},methods:{updateThumbsnailPath(e){CTFd$1.fetch(`/api/v1/challenges/${CHALLENGE_ID}/thumbsnail`,{method:"PATCH",headers:{"Content-Type":"application/json"},body:JSON.stringify({thumbsnail:e})}).then(t=>t.json()).then(t=>{t.success?console.log("Thumbsnail path updated successfully."):console.error("Failed to update thumbsnail path:",t.message)})}},mounted(){document.getElementById("btn-file-input").style.display="block",document.getElementById("btn-file-input").addEventListener("click",()=>{document.getElementById("thumbsnail-get-path").click()}),document.getElementById("thumbsnail-get-path").addEventListener("change",e=>{const t=e.target.files[0];let n=document.getElementById("thumbsnail-upload-form");const i=new FormData(n);if(i.append("file",t),helpers.files.upload(i,n,a=>{const o=a.data[0],s=CTFd$1.config.urlRoot+"/files/"+o.location;document.getElementById("thumbsnail-path").value=s,console.log("Thumbnail uploaded successfully:",s);const l=document.getElementById("image-preview");l.src=s,l.style.display="block",this.updateThumbsnailPath(s)}),t){const a=new FileReader;a.onload=function(o){const s=document.getElementById("image-preview");s.src=o.target.result,s.style.display="block"},a.readAsDataURL(t)}})}},_hoisted_1$4={id:"Thumbsnailboard",class:"table table-striped"},_hoisted_2$4=createBaseVNode("thead",null,[createBaseVNode("tr",null,[createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Miniature")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Settings")])])],-1),_hoisted_3$4={class:"text-center"},_hoisted_4$4=["href"],_hoisted_5$4={class:"text-center"},_hoisted_6$4=["onClick"],_hoisted_7$3={class:"col-md-12 mt-3"},_hoisted_8$3={id:"thumbsnail-upload-form",class:"form-upload",method:"POST",enctype:"multipart/form-data"},_hoisted_9$3=createBaseVNode("button",{id:"btn-file-input",class:"btn btn-secondary",type:"button"},"Select File",-1),_hoisted_10$2=["src"],_hoisted_11$2=createBaseVNode("input",{class:"form-control-file",id:"thumbsnail-get-path",name:"file",type:"file",accept:".png",style:{display:"none"}},null,-1),_hoisted_12$2=createBaseVNode("input",{type:"hidden",id:"thumbsnail-path",name:"thumbsnail"},null,-1);function _sfc_render$4(e,t,n,i,a,o){return openBlock(),createElementBlock("div",null,[createBaseVNode("table",_hoisted_1$4,[_hoisted_2$4,createBaseVNode("tbody",null,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.files,s=>(openBlock(),createElementBlock("tr",{key:s.id},[createBaseVNode("td",_hoisted_3$4,[createBaseVNode("a",{href:`${e.urlRoot}/files/${s.location}`},toDisplayString(s.location.split("/").pop()),9,_hoisted_4$4)]),createBaseVNode("td",_hoisted_5$4,[createBaseVNode("i",{role:"button",class:"btn-fa fas fa-times delete-file",onClick:l=>e.deleteFile(s.id)},null,8,_hoisted_6$4)])]))),128))])]),createBaseVNode("div",_hoisted_7$3,[createBaseVNode("form",_hoisted_8$3,[_hoisted_9$3,withDirectives(createBaseVNode("img",{id:"image-preview",src:n.CHALLENGE_THUMBSNAIL,style:{width:"100px",height:"100px","margin-top":"10px"}},null,8,_hoisted_10$2),[[vShow,n.CHALLENGE_THUMBSNAIL]]),_hoisted_11$2,_hoisted_12$2])])])}const ChallengeThumbsnail=_export_sfc(_sfc_main$4,[["render",_sfc_render$4]]),_sfc_main$3={name:"HintCreationForm",props:{challenge_id:Number,hints:Array},data:function(){return{cost:0,selectedHints:[]}},methods:{getCost:function(){return this.cost||0},getContent:function(){return this.$refs.content.value},submitHint:function(){let e={challenge_id:this.$props.challenge_id,content:this.getContent(),cost:this.getCost(),requirements:{prerequisites:this.selectedHints}};CTFd.fetch("/api/v1/hints",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(t=>t.json()).then(t=>{t.success&&this.$emit("refreshHints",this.$options.name)})}}},_hoisted_1$3={class:"modal fade",tabindex:"-1"},_hoisted_2$3={class:"modal-dialog"},_hoisted_3$3={class:"modal-content"},_hoisted_4$3=createStaticVNode('<div class="modal-header text-center"><div class="container"><div class="row"><div class="col-md-12"><h3>Hint</h3></div></div></div><button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">\xD7</span></button></div>',1),_hoisted_5$3={class:"modal-body"},_hoisted_6$3={class:"container"},_hoisted_7$2={class:"row"},_hoisted_8$2={class:"col-md-12"},_hoisted_9$2={class:"form-group"},_hoisted_10$1=createBaseVNode("label",null,[createTextVNode(" Hint"),createBaseVNode("br"),createBaseVNode("small",null,"Markdown & HTML are supported")],-1),_hoisted_11$1={type:"text",class:"form-control markdown",name:"content",rows:"7",ref:"content"},_hoisted_12$1={class:"form-group"},_hoisted_13$1=createBaseVNode("label",null,[createTextVNode(" Cost"),createBaseVNode("br"),createBaseVNode("small",null,"How many points it costs to see your hint.")],-1),_hoisted_14$1={class:"form-group"},_hoisted_15$1=createBaseVNode("label",null,[createTextVNode(" Requirements"),createBaseVNode("br"),createBaseVNode("small",null,"Hints that must be unlocked before unlocking this hint")],-1),_hoisted_16$1={class:"form-check-label cursor-pointer"},_hoisted_17$1=["value"],_hoisted_18$1=createBaseVNode("input",{type:"hidden",id:"hint-id-for-hint",name:"id"},null,-1),_hoisted_19=createStaticVNode('<div class="modal-footer"><div class="container"><div class="row"><div class="col-md-12"><button class="btn btn-primary float-right">Submit</button></div></div></div></div>',1);function _sfc_render$3(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$3,[createBaseVNode("div",_hoisted_2$3,[createBaseVNode("div",_hoisted_3$3,[_hoisted_4$3,createBaseVNode("form",{method:"POST",onSubmit:t[2]||(t[2]=withModifiers((...s)=>o.submitHint&&o.submitHint(...s),["prevent"]))},[createBaseVNode("div",_hoisted_5$3,[createBaseVNode("div",_hoisted_6$3,[createBaseVNode("div",_hoisted_7$2,[createBaseVNode("div",_hoisted_8$2,[createBaseVNode("div",_hoisted_9$2,[_hoisted_10$1,createBaseVNode("textarea",_hoisted_11$1,null,512)]),createBaseVNode("div",_hoisted_12$1,[_hoisted_13$1,withDirectives(createBaseVNode("input",{type:"number",class:"form-control",name:"cost","onUpdate:modelValue":t[0]||(t[0]=s=>e.cost=s)},null,512),[[vModelText,e.cost,void 0,{lazy:!0}]])]),createBaseVNode("div",_hoisted_14$1,[_hoisted_15$1,(openBlock(!0),createElementBlock(Fragment,null,renderList(n.hints,s=>(openBlock(),createElementBlock("div",{class:"form-check",key:s.id},[createBaseVNode("label",_hoisted_16$1,[withDirectives(createBaseVNode("input",{class:"form-check-input",type:"checkbox",value:s.id,"onUpdate:modelValue":t[1]||(t[1]=l=>e.selectedHints=l)},null,8,_hoisted_17$1),[[vModelCheckbox,e.selectedHints]]),createTextVNode(" "+toDisplayString(s.cost)+" - "+toDisplayString(s.id),1)])]))),128))]),_hoisted_18$1])])])]),_hoisted_19],32)])])])}const HintCreationForm=_export_sfc(_sfc_main$3,[["render",_sfc_render$3]]),_sfc_main$2={name:"HintEditForm",props:{challenge_id:Number,hint_id:Number,hints:Array},data:function(){return{cost:0,content:null,selectedHints:[]}},computed:{otherHints:function(){return this.hints.filter(e=>e.id!==this.$props.hint_id)}},watch:{hint_id:{immediate:!0,handler(e,t){e!==null&&this.loadHint()}}},methods:{loadHint:function(){CTFd$1.fetch(`/api/v1/hints/${this.$props.hint_id}?preview=true`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{var t;if(e.success){let n=e.data;this.cost=n.cost,this.content=n.content,this.selectedHints=((t=n.requirements)==null?void 0:t.prerequisites)||[];let i=this.$refs.content;bindMarkdownEditor(i),setTimeout(()=>{i.mde.codemirror.getDoc().setValue(i.value),this._forceRefresh()},200)}})},_forceRefresh:function(){this.$refs.content.mde.codemirror.refresh()},getCost:function(){return this.cost||0},getContent:function(){return this._forceRefresh(),this.$refs.content.mde.codemirror.getDoc().getValue()},updateHint:function(){let e={challenge_id:this.$props.challenge_id,content:this.getContent(),cost:this.getCost(),requirements:{prerequisites:this.selectedHints}};CTFd$1.fetch(`/api/v1/hints/${this.$props.hint_id}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(t=>t.json()).then(t=>{t.success&&this.$emit("refreshHints",this.$options.name)})}},mounted(){this.hint_id&&this.loadHint()},created(){this.hint_id&&this.loadHint()}},_hoisted_1$2={class:"modal fade",tabindex:"-1"},_hoisted_2$2={class:"modal-dialog"},_hoisted_3$2={class:"modal-content"},_hoisted_4$2=createStaticVNode('<div class="modal-header text-center"><div class="container"><div class="row"><div class="col-md-12"><h3>Hint</h3></div></div></div><button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">\xD7</span></button></div>',1),_hoisted_5$2={class:"modal-body"},_hoisted_6$2={class:"container"},_hoisted_7$1={class:"row"},_hoisted_8$1={class:"col-md-12"},_hoisted_9$1={class:"form-group"},_hoisted_10=createBaseVNode("label",null,[createTextVNode(" Hint"),createBaseVNode("br"),createBaseVNode("small",null,"Markdown & HTML are supported")],-1),_hoisted_11=["value"],_hoisted_12={class:"form-group"},_hoisted_13=createBaseVNode("label",null,[createTextVNode(" Cost"),createBaseVNode("br"),createBaseVNode("small",null,"How many points it costs to see your hint.")],-1),_hoisted_14={class:"form-group"},_hoisted_15=createBaseVNode("label",null,[createTextVNode(" Requirements"),createBaseVNode("br"),createBaseVNode("small",null,"Hints that must be unlocked before unlocking this hint")],-1),_hoisted_16={class:"form-check-label cursor-pointer"},_hoisted_17=["value"],_hoisted_18=createStaticVNode('<div class="modal-footer"><div class="container"><div class="row"><div class="col-md-12"><button class="btn btn-primary float-right">Submit</button></div></div></div></div>',1);function _sfc_render$2(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$2,[createBaseVNode("div",_hoisted_2$2,[createBaseVNode("div",_hoisted_3$2,[_hoisted_4$2,createBaseVNode("form",{method:"POST",onSubmit:t[2]||(t[2]=withModifiers((...s)=>o.updateHint&&o.updateHint(...s),["prevent"]))},[createBaseVNode("div",_hoisted_5$2,[createBaseVNode("div",_hoisted_6$2,[createBaseVNode("div",_hoisted_7$1,[createBaseVNode("div",_hoisted_8$1,[createBaseVNode("div",_hoisted_9$1,[_hoisted_10,createBaseVNode("textarea",{type:"text",class:"form-control",name:"content",rows:"7",value:this.content,ref:"content"},null,8,_hoisted_11)]),createBaseVNode("div",_hoisted_12,[_hoisted_13,withDirectives(createBaseVNode("input",{type:"number",class:"form-control",name:"cost","onUpdate:modelValue":t[0]||(t[0]=s=>e.cost=s)},null,512),[[vModelText,e.cost,void 0,{lazy:!0}]])]),createBaseVNode("div",_hoisted_14,[_hoisted_15,(openBlock(!0),createElementBlock(Fragment,null,renderList(o.otherHints,s=>(openBlock(),createElementBlock("div",{class:"form-check",key:s.id},[createBaseVNode("label",_hoisted_16,[withDirectives(createBaseVNode("input",{class:"form-check-input",type:"checkbox",value:s.id,"onUpdate:modelValue":t[1]||(t[1]=l=>e.selectedHints=l)},null,8,_hoisted_17),[[vModelCheckbox,e.selectedHints]]),createTextVNode(" "+toDisplayString(s.content)+" - "+toDisplayString(s.cost),1)])]))),128))])])])])]),_hoisted_18],32)])])])}const HintEditForm=_export_sfc(_sfc_main$2,[["render",_sfc_render$2]]),_sfc_main$1={components:{HintCreationForm,HintEditForm},props:{challenge_id:Number},data:function(){return{hints:[],editing_hint_id:null}},methods:{loadHints:async function(){let t=await(await CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/hints`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}})).json();return this.hints=t.data,t.success},addHint:function(){let e=this.$refs.HintCreationForm.$el;$(e).modal()},editHint:function(e){this.editing_hint_id=e;let t=this.$refs.HintEditForm.$el;$(t).modal()},refreshHints:function(e){this.loadHints().then(t=>{if(t){let n;switch(e){case"HintCreationForm":n=this.$refs.HintCreationForm.$el,console.log(n),$(n).modal("hide");break;case"HintEditForm":n=this.$refs.HintEditForm.$el,$(n).modal("hide");break}}else alert("An error occurred while updating this hint. Please try again.")})},deleteHint:function(e){ezQuery({title:"Delete Hint",body:"\xCAtes-vous certain de vouloir supprimer this hint?",success:()=>{CTFd$1.fetch(`/api/v1/hints/${e}`,{method:"DELETE"}).then(t=>t.json()).then(t=>{t.success&&this.loadHints()})}})}},created(){this.loadHints()}},_hoisted_1$1={class:"table table-striped"},_hoisted_2$1=createBaseVNode("thead",null,[createBaseVNode("tr",null,[createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"ID")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Hint")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Cost")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Settings")])])],-1),_hoisted_3$1={class:"text-center"},_hoisted_4$1={class:"text-break"},_hoisted_5$1={class:"text-center"},_hoisted_6$1={class:"text-center"},_hoisted_7=["onClick"],_hoisted_8=["onClick"],_hoisted_9={class:"col-md-12"};function _sfc_render$1(e,t,n,i,a,o){const s=resolveComponent("HintCreationForm"),l=resolveComponent("HintEditForm");return openBlock(),createElementBlock("div",null,[createBaseVNode("div",null,[createVNode(s,{ref:"HintCreationForm",challenge_id:n.challenge_id,hints:e.hints,onRefreshHints:o.refreshHints},null,8,["challenge_id","hints","onRefreshHints"])]),createBaseVNode("div",null,[createVNode(l,{ref:"HintEditForm",challenge_id:n.challenge_id,hint_id:e.editing_hint_id,hints:e.hints,onRefreshHints:o.refreshHints},null,8,["challenge_id","hint_id","hints","onRefreshHints"])]),createBaseVNode("table",_hoisted_1$1,[_hoisted_2$1,createBaseVNode("tbody",null,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.hints,d=>(openBlock(),createElementBlock("tr",{key:d.id},[createBaseVNode("td",_hoisted_3$1,toDisplayString(d.type),1),createBaseVNode("td",_hoisted_4$1,[createBaseVNode("pre",null,toDisplayString(d.content),1)]),createBaseVNode("td",_hoisted_5$1,toDisplayString(d.cost),1),createBaseVNode("td",_hoisted_6$1,[createBaseVNode("i",{role:"button",class:"btn-fa fas fa-edit",onClick:c=>o.editHint(d.id)},null,8,_hoisted_7),createBaseVNode("i",{role:"button",class:"btn-fa fas fa-times",onClick:c=>o.deleteHint(d.id)},null,8,_hoisted_8)])]))),128))])]),createBaseVNode("div",_hoisted_9,[createBaseVNode("button",{class:"btn btn-success float-right",onClick:t[0]||(t[0]=(...d)=>o.addHint&&o.addHint(...d))}," Create Hint ")])])}const HintsList=_export_sfc(_sfc_main$1,[["render",_sfc_render$1]]),_sfc_main={props:{challenge_id:Number},data:function(){return{challenge:null,challenges:[],selected_id:null}},computed:{updateAvailable:function(){return this.challenge?this.selected_id!=this.challenge.next_id:!1},otherChallenges:function(){return this.challenges.filter(e=>e.id!==this.$props.challenge_id)}},methods:{loadData:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.challenge=e.data,this.selected_id=e.data.next_id)})},loadChallenges:function(){CTFd$1.fetch("/api/v1/challenges?view=admin",{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.challenges=e.data)})},updateNext:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({next_id:this.selected_id!="null"?this.selected_id:null})}).then(e=>e.json()).then(e=>{e.success&&(this.loadData(),this.loadChallenges())})}},created(){this.loadData(),this.loadChallenges()}},_hoisted_1={class:"form-group"},_hoisted_2=createBaseVNode("label",null,[createTextVNode(" Next Challenge "),createBaseVNode("br"),createBaseVNode("small",{class:"text-muted"},"Challenge to recommend after solving this challenge")],-1),_hoisted_3=createBaseVNode("option",{value:"null"},"--",-1),_hoisted_4=["value"],_hoisted_5={class:"form-group"},_hoisted_6=["disabled"];function _sfc_render(e,t,n,i,a,o){return openBlock(),createElementBlock("div",null,[createBaseVNode("form",{onSubmit:t[1]||(t[1]=withModifiers((...s)=>o.updateNext&&o.updateNext(...s),["prevent"]))},[createBaseVNode("div",_hoisted_1,[_hoisted_2,withDirectives(createBaseVNode("select",{class:"form-control custom-select","onUpdate:modelValue":t[0]||(t[0]=s=>e.selected_id=s)},[_hoisted_3,(openBlock(!0),createElementBlock(Fragment,null,renderList(o.otherChallenges,s=>(openBlock(),createElementBlock("option",{value:s.id,key:s.id},toDisplayString(s.name),9,_hoisted_4))),128))],512),[[vModelSelect,e.selected_id]])]),createBaseVNode("div",_hoisted_5,[createBaseVNode("button",{class:"btn btn-success float-right",disabled:!o.updateAvailable}," Save ",8,_hoisted_6)])],32)])}const NextChallenge=_export_sfc(_sfc_main,[["render",_sfc_render]]);function loadChalTemplate(e){CTFd$1._internal.challenge={},$$1.getScript(CTFd$1.config.urlRoot+e.scripts.view,function(){let t=e.create;$$1("#create-chal-entry-div").html(t),bindMarkdownEditors(),$$1.getScript(CTFd$1.config.urlRoot+e.scripts.create,function(){$$1("#create-chal-entry-div form").submit(function(n){n.preventDefault();const i=$$1("#create-chal-entry-div form").serializeJSON();CTFd$1.fetch("/api/v1/challenges",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(i)}).then(function(a){return a.json()}).then(function(a){if(a.success)$$1("#challenge-create-options #challenge_id").val(a.data.id),$$1("#challenge-create-options").modal();else{let o="";for(const s in a.errors)o+=a.errors[s].join(`
-`),o+=`
-`;ezAlert({title:"Erreur",body:o,button:"Ok"})}})})})})}function handleChallengeOptions(e){print("hit"),e.preventDefault();var t=$$1(e.target).serializeJSON(!0);let n={challenge_id:t.challenge_id,content:t.flag||"",type:t.flag_type,data:t.flag_data?t.flag_data:""},i=function(){setTimeout(function(){window.location=CTFd$1.config.urlRoot+"/admin/challenges#challenge-create-options-quick"},700)};Promise.all([new Promise(function(a,o){if(n.content.length==0){a();return}CTFd$1.fetch("/api/v1/flags",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(n)}).then(function(s){a(s.json())})}),new Promise(function(a,o){let s=e.target,l={challenge:t.challenge_id,type:"challenge"};$$1(s.elements.file).val()&&helpers.files.upload(s,l),a()})]).then(a=>{i()})}$$1(()=>{if($$1(".preview-challenge").click(function(e){let t=`${CTFd$1.config.urlRoot}/admin/challenges/preview/${window.CHALLENGE_ID}`;$$1("#challenge-window").html(`<iframe src="${t}" height="100%" width="100%" frameBorder=0></iframe>`),$$1("#challenge-modal").modal()}),$$1(".comments-challenge").click(function(e){$$1("#challenge-comments-window").modal()}),$$1(".delete-challenge").click(function(e){ezQuery({title:"Delete Challenge",body:`\xCAtes-vous certain de vouloir supprimer <strong>${htmlEntities(window.CHALLENGE_NAME)}</strong>`,success:function(){CTFd$1.fetch("/api/v1/challenges/"+window.CHALLENGE_ID,{method:"DELETE"}).then(function(t){return t.json()}).then(function(t){t.success&&(window.location=CTFd$1.config.urlRoot+"/admin/challenges")})}})}),$$1("#challenge-update-container > form").submit(function(e){e.preventDefault();var t=$$1(e.target).serializeJSON(!0);console.log(t),CTFd$1.fetch("/api/v1/challenges/"+window.CHALLENGE_ID+"/flags",{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(function(n){return n.json()}).then(function(n){(function(){CTFd$1.fetch("/api/v1/challenges/"+window.CHALLENGE_ID,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(t)}).then(function(a){return a.json()}).then(function(a){if(a.success){switch($$1(".challenge-state").text(a.data.state),a.data.state){case"visible":$$1(".challenge-state").removeClass("badge-danger").addClass("badge-success");break;case"hidden":$$1(".challenge-state").removeClass("badge-success").addClass("badge-danger");break}ezToast({title:"Succ\xE8s",body:"Votre d\xE9fi a \xE9t\xE9 mis \xE0 jour!"})}else{let o="";for(const s in a.errors)o+=a.errors[s].join(`
-`),o+=`
-`;ezAlert({title:"Erreur",body:o,button:"Ok"})}})})()})}),$$1("#challenge-create-options").submit(handleChallengeOptions),$$1("#challenge-create-options-quick").change(handleChallengeOptions),document.querySelector("#challenge-flags")){const e=Vue$1.extend(FlagList);let t=document.createElement("div");document.querySelector("#challenge-flags").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#challenge-topics")){const e=Vue$1.extend(TopicsList);let t=document.createElement("div");document.querySelector("#challenge-topics").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#challenge-tags")){const e=Vue$1.extend(TagsList);let t=document.createElement("div");document.querySelector("#challenge-tags").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#prerequisite-add-form")){const e=Vue$1.extend(Requirements);let t=document.createElement("div");document.querySelector("#prerequisite-add-form").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#challenge-files")){const e=Vue$1.extend(ChallengeFilesList);let t=document.createElement("div");document.querySelector("#challenge-files").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#challenge-hints")){const e=Vue$1.extend(HintsList);let t=document.createElement("div");document.querySelector("#challenge-hints").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#next-add-form")){const e=Vue$1.extend(NextChallenge);let t=document.createElement("div");document.querySelector("#next-add-form").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#comment-box")){const e=Vue$1.extend(CommentBox);let t=document.createElement("div");document.querySelector("#comment-box").appendChild(t),new e({propsData:{type:"challenge",id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#challenge-thumbsnail")){const e=Vue$1.extend(ChallengeThumbsnail);let t=document.createElement("div");document.querySelector("#challenge-thumbsnail").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID,CHALLENGE_THUMBSNAIL:window.CHALLENGE_THUMBSNAIL}}).$mount(t)}$$1.get(CTFd$1.config.urlRoot+"/api/v1/challenges/types",function(e){const t=e.data;loadChalTemplate(t.standard),$$1("#create-chals-select input[name=type]").change(function(){let n=t[this.value];loadChalTemplate(n)})})});
diff --git a/CTFd/themes/admin/static/assets/pages/challenge.95a87b31.js b/CTFd/themes/admin/static/assets/pages/challenge.95a87b31.js
new file mode 100644
index 0000000000000000000000000000000000000000..b2fd0e02f103805a6a45bc9212b4402818840423
--- /dev/null
+++ b/CTFd/themes/admin/static/assets/pages/challenge.95a87b31.js
@@ -0,0 +1,5 @@
+import{_ as _export_sfc,j as jqueryExports,C as CTFd$1,n as nunjucks,o as openBlock,c as createElementBlock,a as createBaseVNode,F as Fragment,r as renderList,t as toDisplayString,w as withModifiers,b as createCommentVNode,d as createStaticVNode,e as resolveComponent,f as createVNode,g as withCtx,T as TransitionGroup,h as withDirectives,v as vModelSelect,i as vModelCheckbox,k as createTextVNode,p as pushScopeId,l as popScopeId,m as vModelText,q as withKeys,s as normalizeClass,u as helpers,x as ezQuery,y as vShow,z as bindMarkdownEditor,A as htmlEntities,V as Vue$1,B as bindMarkdownEditors,D as ezAlert,E as ezToast}from"./main.8d24b34a.js";import"../tab.21ccc1b9.js";import{C as CommentBox}from"../CommentBox.0d8a3850.js";const _sfc_main$b={name:"FlagCreationForm",props:{challenge_id:Number},data:function(){return{types:{},selectedType:null,createForm:""}},methods:{selectType:function(event){let flagType=event.target.value;if(this.types[flagType]===void 0){this.selectedType=null,this.createForm="";return}let createFormURL=this.types[flagType].templates.create;jqueryExports.get(CTFd$1.config.urlRoot+createFormURL,template_data=>{const template=nunjucks.compile(template_data);this.selectedType=flagType,this.createForm=template.render(),this.createForm.includes("<script")&&setTimeout(()=>{jqueryExports("<div>"+this.createForm+"</div>").find("script").each(function(){eval(jqueryExports(this).html())})},100)})},loadTypes:function(){CTFd$1.fetch("/api/v1/flags/types",{method:"GET"}).then(e=>e.json()).then(e=>{this.types=e.data})},submitFlag:function(e){let n=jqueryExports(e.target).serializeJSON(!0);n.challenge=this.$props.challenge_id,CTFd$1.fetch("/api/v1/flags",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(n)}).then(i=>i.json()).then(i=>{this.$emit("refreshFlags",this.$options.name)})}},created(){this.loadTypes()}},_hoisted_1$b={id:"flag-create-modal",class:"modal fade",tabindex:"-1"},_hoisted_2$b={class:"modal-dialog modal-lg"},_hoisted_3$b={class:"modal-content"},_hoisted_4$b=createStaticVNode('<div class="modal-header text-center"><div class="container"><div class="row"><div class="col-md-12"><h3>Create Answer</h3></div></div></div><button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">\xD7</span></button></div>',1),_hoisted_5$b={class:"modal-body"},_hoisted_6$a={class:"create-keys-select-div"},_hoisted_7$8=createBaseVNode("label",{for:"create-keys-select",class:"control-label"}," Choose Answer Type ",-1),_hoisted_8$8=createBaseVNode("option",null,"--",-1),_hoisted_9$8=["value"],_hoisted_10$5=createBaseVNode("br",null,null,-1),_hoisted_11$6=["innerHTML"],_hoisted_12$5={key:0,class:"btn btn-secondary float-right",type:"submit"};function _sfc_render$b(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$b,[createBaseVNode("div",_hoisted_2$b,[createBaseVNode("div",_hoisted_3$b,[_hoisted_4$b,createBaseVNode("div",_hoisted_5$b,[createBaseVNode("div",_hoisted_6$a,[_hoisted_7$8,createBaseVNode("select",{class:"form-control custom-select",onChange:t[0]||(t[0]=s=>o.selectType(s))},[_hoisted_8$8,(openBlock(!0),createElementBlock(Fragment,null,renderList(Object.keys(e.types),s=>(openBlock(),createElementBlock("option",{value:s,key:s},toDisplayString(s),9,_hoisted_9$8))),128))],32)]),_hoisted_10$5,createBaseVNode("form",{onSubmit:t[1]||(t[1]=withModifiers((...s)=>o.submitFlag&&o.submitFlag(...s),["prevent"]))},[createBaseVNode("div",{id:"create-flag-form",innerHTML:e.createForm},null,8,_hoisted_11$6),e.createForm?(openBlock(),createElementBlock("button",_hoisted_12$5," Create Answer ")):createCommentVNode("",!0)],32)])])])])}const FlagCreationForm=_export_sfc(_sfc_main$b,[["render",_sfc_render$b]]),_sfc_main$a={name:"FlagEditForm",props:{flag_id:Number},data:function(){return{flag:{},editForm:""}},watch:{flag_id:{immediate:!0,handler(e,t){e!==null&&this.loadFlag()}}},methods:{loadFlag:function(){CTFd$1.fetch(`/api/v1/flags/${this.$props.flag_id}`,{method:"GET"}).then(e=>e.json()).then(response=>{this.flag=response.data;let editFormURL=this.flag.templates.update;jqueryExports.get(CTFd$1.config.urlRoot+editFormURL,template_data=>{const template=nunjucks.compile(template_data);this.editForm=template.render(this.flag),this.editForm.includes("<script")&&setTimeout(()=>{jqueryExports("<div>"+this.editForm+"</div>").find("script").each(function(){eval(jqueryExports(this).html())})},100)})})},updateFlag:function(e){let n=jqueryExports(e.target).serializeJSON(!0);CTFd$1.fetch(`/api/v1/flags/${this.$props.flag_id}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(n)}).then(i=>i.json()).then(i=>{this.$emit("refreshFlags",this.$options.name)})}},mounted(){this.flag_id&&this.loadFlag()},created(){this.flag_id&&this.loadFlag()}},_hoisted_1$a={id:"flag-edit-modal",class:"modal fade",tabindex:"-1"},_hoisted_2$a={class:"modal-dialog modal-lg"},_hoisted_3$a={class:"modal-content"},_hoisted_4$a=createStaticVNode('<div class="modal-header text-center"><div class="container"><div class="row"><div class="col-md-12"><h3 class="text-center">Edit Flag</h3></div></div></div><button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">\xD7</span></button></div>',1),_hoisted_5$a={class:"modal-body"},_hoisted_6$9=["innerHTML"];function _sfc_render$a(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$a,[createBaseVNode("div",_hoisted_2$a,[createBaseVNode("div",_hoisted_3$a,[_hoisted_4$a,createBaseVNode("div",_hoisted_5$a,[createBaseVNode("form",{method:"POST",innerHTML:e.editForm,onSubmit:t[0]||(t[0]=withModifiers((...s)=>o.updateFlag&&o.updateFlag(...s),["prevent"]))},null,40,_hoisted_6$9)])])])])}const FlagEditForm=_export_sfc(_sfc_main$a,[["render",_sfc_render$a]]),_sfc_main$9={components:{FlagCreationForm,FlagEditForm},props:{challenge_id:Number},data:function(){return{flags:[],editing_flag_id:null}},methods:{loadFlags:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/flags`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.flags=e.data)})},refreshFlags(e){this.loadFlags();let t;switch(e){case"FlagEditForm":t=this.$refs.FlagEditForm.$el,jqueryExports(t).modal("hide");break;case"FlagCreationForm":t=this.$refs.FlagCreationForm.$el,jqueryExports(t).modal("hide");break}},addFlag:function(){let e=this.$refs.FlagCreationForm.$el;jqueryExports(e).modal()},editFlag:function(e){this.editing_flag_id=e;let t=this.$refs.FlagEditForm.$el;jqueryExports(t).modal()},deleteFlag:function(e){confirm("Are you sure you'd like to delete this flag?")&&CTFd$1.fetch(`/api/v1/flags/${e}`,{method:"DELETE"}).then(t=>t.json()).then(t=>{t.success&&this.loadFlags()})}},created(){this.loadFlags()}},_hoisted_1$9={id:"flagsboard",class:"table table-striped"},_hoisted_2$9=createBaseVNode("thead",null,[createBaseVNode("tr",null,[createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Type")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Answer")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Settings")])])],-1),_hoisted_3$9=["name"],_hoisted_4$9={class:"text-center"},_hoisted_5$9={class:"text-break"},_hoisted_6$8={class:"flag-content"},_hoisted_7$7={class:"text-center"},_hoisted_8$7=["flag-id","flag-type","onClick"],_hoisted_9$7=["flag-id","onClick"],_hoisted_10$4=createBaseVNode("td",{class:"text-center"},null,-1),_hoisted_11$5=createBaseVNode("td",{class:"text-break"},null,-1),_hoisted_12$4={class:"text-center"};function _sfc_render$9(e,t,n,i,a,o){const s=resolveComponent("FlagCreationForm"),l=resolveComponent("FlagEditForm");return openBlock(),createElementBlock("div",null,[createBaseVNode("div",null,[createVNode(s,{ref:"FlagCreationForm",challenge_id:n.challenge_id,onRefreshFlags:o.refreshFlags},null,8,["challenge_id","onRefreshFlags"])]),createBaseVNode("div",null,[createVNode(l,{ref:"FlagEditForm",flag_id:e.editing_flag_id,onRefreshFlags:o.refreshFlags},null,8,["flag_id","onRefreshFlags"])]),createBaseVNode("table",_hoisted_1$9,[_hoisted_2$9,createBaseVNode("tbody",null,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.flags,d=>(openBlock(),createElementBlock("tr",{name:d.id,key:d.id},[createBaseVNode("td",_hoisted_4$9,toDisplayString(d.type),1),createBaseVNode("td",_hoisted_5$9,[createBaseVNode("pre",_hoisted_6$8,toDisplayString(d.content),1)]),createBaseVNode("td",_hoisted_7$7,[createBaseVNode("i",{role:"button",class:"btn-fa fas fa-edit edit-flag","flag-id":d.id,"flag-type":d.type,onClick:r=>o.editFlag(d.id)},null,8,_hoisted_8$7),createBaseVNode("i",{role:"button",class:"btn-fa fas fa-times delete-flag","flag-id":d.id,onClick:r=>o.deleteFlag(d.id)},null,8,_hoisted_9$7)])],8,_hoisted_3$9))),128)),createBaseVNode("tr",null,[_hoisted_10$4,_hoisted_11$5,createBaseVNode("td",_hoisted_12$4,[createBaseVNode("i",{id:"flag-add-button",class:"btn-fa fas fa-plus add-flag",onClick:t[0]||(t[0]=d=>o.addFlag())})])])])])])}const FlagList=_export_sfc(_sfc_main$9,[["render",_sfc_render$9]]),Requirements_vue_vue_type_style_index_0_scoped_3c612631_lang="",_sfc_main$8={props:{challenge_id:Number},data:function(){return{challenges:[],requirements:{},selectedRequirements:[],selectedAnonymize:!1}},computed:{newRequirements:function(){let e=this.requirements.prerequisites||[],t=this.requirements.anonymize||!1,n=JSON.stringify(e.sort())!==JSON.stringify(this.selectedRequirements.sort()),i=t!==this.selectedAnonymize;return n||i},requiredChallenges:function(){const e=this.requirements.prerequisites||[];return this.challenges.filter(t=>t.id!==this.$props.challenge_id&&e.includes(t.id))},otherChallenges:function(){const e=this.requirements.prerequisites||[];return this.challenges.filter(t=>t.id!==this.$props.challenge_id&&!e.includes(t.id))}},methods:{loadChallenges:function(){CTFd$1.fetch("/api/v1/challenges?view=admin",{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.challenges=e.data)})},getChallengeNameById:function(e){let t=this.challenges.find(n=>n.id===e);return t?t.name:""},loadRequirements:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/requirements`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.requirements=e.data||{},this.selectedRequirements=this.requirements.prerequisites||[],this.selectedAnonymize=this.requirements.anonymize||!1)})},updateRequirements:function(){const t={requirements:{prerequisites:this.selectedRequirements}};this.selectedAnonymize&&(t.requirements.anonymize=!0),CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(t)}).then(n=>n.json()).then(n=>{n.success&&this.loadRequirements()})}},created(){this.loadChallenges(),this.loadRequirements()}},_withScopeId=e=>(pushScopeId("data-v-3c612631"),e=e(),popScopeId(),e),_hoisted_1$8={class:"form-group scrollbox"},_hoisted_2$8={class:"form-check-label cursor-pointer"},_hoisted_3$8=["value"],_hoisted_4$8={class:"form-check-label cursor-pointer"},_hoisted_5$8=["value"],_hoisted_6$7={class:"form-group"},_hoisted_7$6=_withScopeId(()=>createBaseVNode("label",null,[createBaseVNode("b",null,"Behavior if not unlocked")],-1)),_hoisted_8$6=_withScopeId(()=>createBaseVNode("option",{value:!1},"Cach\xE9",-1)),_hoisted_9$6=_withScopeId(()=>createBaseVNode("option",{value:!0},"Anonymized",-1)),_hoisted_10$3=[_hoisted_8$6,_hoisted_9$6],_hoisted_11$4={class:"form-group"},_hoisted_12$3=["disabled"];function _sfc_render$8(e,t,n,i,a,o){return openBlock(),createElementBlock("div",null,[createBaseVNode("form",{onSubmit:t[3]||(t[3]=withModifiers((...s)=>o.updateRequirements&&o.updateRequirements(...s),["prevent"]))},[createBaseVNode("div",_hoisted_1$8,[createVNode(TransitionGroup,{name:"flip-list"},{default:withCtx(()=>[(openBlock(!0),createElementBlock(Fragment,null,renderList(o.requiredChallenges,s=>(openBlock(),createElementBlock("div",{class:"form-check",key:s.id},[createBaseVNode("label",_hoisted_2$8,[withDirectives(createBaseVNode("input",{class:"form-check-input",type:"checkbox",value:s.id,"onUpdate:modelValue":t[0]||(t[0]=l=>e.selectedRequirements=l)},null,8,_hoisted_3$8),[[vModelCheckbox,e.selectedRequirements]]),createTextVNode(" "+toDisplayString(s.name),1)])]))),128)),(openBlock(!0),createElementBlock(Fragment,null,renderList(o.otherChallenges,s=>(openBlock(),createElementBlock("div",{class:"form-check",key:s.id},[createBaseVNode("label",_hoisted_4$8,[withDirectives(createBaseVNode("input",{class:"form-check-input",type:"checkbox",value:s.id,"onUpdate:modelValue":t[1]||(t[1]=l=>e.selectedRequirements=l)},null,8,_hoisted_5$8),[[vModelCheckbox,e.selectedRequirements]]),createTextVNode(" "+toDisplayString(s.name),1)])]))),128))]),_:1})]),createBaseVNode("div",_hoisted_6$7,[_hoisted_7$6,withDirectives(createBaseVNode("select",{class:"form-control custom-select",name:"anonymize","onUpdate:modelValue":t[2]||(t[2]=s=>e.selectedAnonymize=s)},_hoisted_10$3,512),[[vModelSelect,e.selectedAnonymize]])]),createBaseVNode("div",_hoisted_11$4,[createBaseVNode("button",{class:"btn btn-success float-right",disabled:!o.newRequirements}," Save ",8,_hoisted_12$3)])],32)])}const Requirements=_export_sfc(_sfc_main$8,[["render",_sfc_render$8],["__scopeId","data-v-3c612631"]]),_sfc_main$7={props:{challenge_id:Number},data:function(){return{topics:[],topicValue:"",searchedTopic:"",topicResults:[],selectedResultIdx:0,awaitingSearch:!1}},methods:{loadTopics:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/topics`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.topics=e.data)})},searchTopics:function(){if(this.selectedResultIdx=0,this.topicValue==""){this.topicResults=[];return}CTFd$1.fetch(`/api/v1/topics?field=value&q=${this.topicValue}`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.topicResults=e.data.slice(0,10))})},addTopic:function(){let e;if(this.selectedResultIdx===0)e=this.topicValue;else{let n=this.selectedResultIdx-1;e=this.topicResults[n].value}const t={value:e,challenge:this.$props.challenge_id,type:"challenge"};CTFd$1.fetch("/api/v1/topics",{method:"POST",body:JSON.stringify(t)}).then(n=>n.json()).then(n=>{n.success&&(this.topicValue="",this.loadTopics())})},deleteTopic:function(e){CTFd$1.fetch(`/api/v1/topics?type=challenge&target_id=${e}`,{method:"DELETE"}).then(t=>t.json()).then(t=>{t.success&&this.loadTopics()})},moveCursor:function(e){switch(e){case"up":this.selectedResultIdx&&(this.selectedResultIdx-=1);break;case"down":this.selectedResultIdx<this.topicResults.length&&(this.selectedResultIdx+=1);break}},selectTopic:function(e){e===void 0&&(e=this.selectedResultIdx);let t=this.topicResults[e];this.topicValue=t.value}},watch:{topicValue:function(e){this.awaitingSearch===!1&&setTimeout(()=>{this.searchTopics(),this.awaitingSearch=!1},500),this.awaitingSearch=!0}},created(){this.loadTopics()}},_hoisted_1$7={class:"col-md-12"},_hoisted_2$7={id:"challenge-topics",class:"my-3"},_hoisted_3$7={class:"mr-1"},_hoisted_4$7=["onClick"],_hoisted_5$7={class:"form-group"},_hoisted_6$6=createBaseVNode("label",null,[createTextVNode(" Topic "),createBaseVNode("br"),createBaseVNode("small",{class:"text-muted"},"Type topic and press Enter")],-1),_hoisted_7$5={class:"form-group"},_hoisted_8$5={class:"list-group"},_hoisted_9$5=["onClick"];function _sfc_render$7(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$7,[createBaseVNode("div",_hoisted_2$7,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.topics,s=>(openBlock(),createElementBlock("h5",{class:"challenge-tag",key:s.id},[createBaseVNode("span",_hoisted_3$7,toDisplayString(s.value),1),createBaseVNode("a",{class:"btn-fa delete-tag",onClick:l=>o.deleteTopic(s.id)}," \xD7",8,_hoisted_4$7)]))),128))]),createBaseVNode("div",_hoisted_5$7,[_hoisted_6$6,withDirectives(createBaseVNode("input",{id:"tags-add-input",maxlength:"255",type:"text",class:"form-control","onUpdate:modelValue":t[0]||(t[0]=s=>e.topicValue=s),onKeyup:[t[1]||(t[1]=withKeys(s=>o.moveCursor("down"),["down"])),t[2]||(t[2]=withKeys(s=>o.moveCursor("up"),["up"])),t[3]||(t[3]=withKeys(s=>o.addTopic(),["enter"]))]},null,544),[[vModelText,e.topicValue]])]),createBaseVNode("div",_hoisted_7$5,[createBaseVNode("ul",_hoisted_8$5,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.topicResults,(s,l)=>(openBlock(),createElementBlock("li",{class:normalizeClass({"list-group-item":!0,active:l+1===e.selectedResultIdx}),key:s.id,onClick:d=>o.selectTopic(l)},toDisplayString(s.value),11,_hoisted_9$5))),128))])])])}const TopicsList=_export_sfc(_sfc_main$7,[["render",_sfc_render$7]]),_sfc_main$6={props:{challenge_id:Number},data:function(){return{tags:[],tagValue:""}},methods:{loadTags:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/tags`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.tags=e.data)})},addTag:function(){if(this.tagValue){const e={value:this.tagValue,challenge:this.$props.challenge_id};CTFd$1.api.post_tag_list({},e).then(t=>{t.success&&(this.tagValue="",this.loadTags())})}},deleteTag:function(e){CTFd$1.api.delete_tag({tagId:e}).then(t=>{t.success&&this.loadTags()})}},created(){this.loadTags()}},_hoisted_1$6={class:"col-md-12"},_hoisted_2$6={id:"challenge-tags",class:"my-3"},_hoisted_3$6=["onClick"],_hoisted_4$6={class:"form-group"},_hoisted_5$6=createBaseVNode("label",null,[createTextVNode("Tag "),createBaseVNode("br"),createBaseVNode("small",{class:"text-muted"},"Type tag and press Enter")],-1);function _sfc_render$6(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$6,[createBaseVNode("div",_hoisted_2$6,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.tags,s=>(openBlock(),createElementBlock("span",{class:"badge badge-primary mx-1 challenge-tag",key:s.id},[createBaseVNode("span",null,toDisplayString(s.value),1),createBaseVNode("a",{class:"btn-fa delete-tag",onClick:l=>o.deleteTag(s.id)}," \xD7",8,_hoisted_3$6)]))),128))]),createBaseVNode("div",_hoisted_4$6,[_hoisted_5$6,withDirectives(createBaseVNode("input",{id:"tags-add-input",maxlength:"80",type:"text",class:"form-control","onUpdate:modelValue":t[0]||(t[0]=s=>e.tagValue=s),onKeyup:t[1]||(t[1]=withKeys(s=>o.addTag(),["enter"]))},null,544),[[vModelText,e.tagValue]])])])}const TagsList=_export_sfc(_sfc_main$6,[["render",_sfc_render$6]]),_sfc_main$5={props:{challenge_id:Number},data:function(){return{files:[],urlRoot:CTFd$1.config.urlRoot}},methods:{loadFiles:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/files`,{method:"GET"}).then(e=>e.json()).then(e=>{e.success&&(this.files=e.data)})},addFiles:function(){let e={challenge:this.$props.challenge_id,type:"challenge"},t=this.$refs.FileUploadForm;console.log("HELLODSDG"),helpers.files.upload(t,e,n=>{setTimeout(()=>{this.loadFiles()},700)},!0)},deleteFile:function(e){ezQuery({title:"Delete Files",body:"\xCAtes-vous certain de vouloir supprimer this file?",success:()=>{CTFd$1.fetch(`/api/v1/files/${e}`,{method:"DELETE"}).then(t=>t.json()).then(t=>{t.success&&this.loadFiles()})}})}},created(){this.loadFiles()}},_hoisted_1$5={style:{"max-width":"50vw"}},_hoisted_2$5={id:"filesboard",class:"table table-striped"},_hoisted_3$5=createBaseVNode("thead",null,[createBaseVNode("tr",null,[createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"File")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Settings")])])],-1),_hoisted_4$5={class:"text-center"},_hoisted_5$5=["href"],_hoisted_6$5={class:"text-center"},_hoisted_7$4=["onClick"],_hoisted_8$4={class:"col-md-12 mt-3"},_hoisted_9$4=createStaticVNode('<div class="form-group"><input class="form-control-file" id="file" multiple="" name="file" required="" type="file"><sub class="text-muted"> Attach multiple files using CTRL+Click or Cmd+Click. </sub></div><div class="form-group"><input class="btn btn-success float-right" id="_submit" name="_submit" type="submit" value="Upload"></div>',2),_hoisted_11$3=[_hoisted_9$4];function _sfc_render$5(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$5,[createBaseVNode("table",_hoisted_2$5,[_hoisted_3$5,createBaseVNode("tbody",null,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.files,s=>(openBlock(),createElementBlock("tr",{key:s.id},[createBaseVNode("td",_hoisted_4$5,[createBaseVNode("a",{href:`${e.urlRoot}/files/${s.location}`},toDisplayString(s.location.split("/").pop().length>30?s.location.split("/").pop().slice(0,30)+"...":s.location.split("/").pop()),9,_hoisted_5$5)]),createBaseVNode("td",_hoisted_6$5,[createBaseVNode("i",{role:"button",class:"btn-fa fas fa-times delete-file",onClick:l=>o.deleteFile(s.id)},null,8,_hoisted_7$4)])]))),128))])]),createBaseVNode("div",_hoisted_8$4,[createBaseVNode("form",{method:"POST",ref:"FileUploadForm",onSubmit:t[0]||(t[0]=withModifiers((...s)=>o.addFiles&&o.addFiles(...s),["prevent"]))},_hoisted_11$3,544)])])}const ChallengeFilesList=_export_sfc(_sfc_main$5,[["render",_sfc_render$5]]),_sfc_main$4={props:{challengeId:Number,challengeName:String,CHALLENGE_THUMBSNAIL:String},data:function(){return{files:[],urlRoot:CTFd$1.config.urlRoot}},methods:{updateThumbsnailPath(e){CTFd$1.fetch(`/api/v1/challenges/${CHALLENGE_ID}/thumbsnail`,{method:"PATCH",headers:{"Content-Type":"application/json"},body:JSON.stringify({thumbsnail:e})}).then(t=>t.json()).then(t=>{t.success?console.log("Thumbsnail path updated successfully."):console.error("Failed to update thumbsnail path:",t.message)})}},mounted(){document.getElementById("btn-file-input").style.display="block",document.getElementById("btn-file-input").addEventListener("click",()=>{document.getElementById("thumbsnail-get-path").click()}),document.getElementById("thumbsnail-get-path").addEventListener("change",e=>{const t=e.target.files[0];let n=document.getElementById("thumbsnail-upload-form");const i=new FormData(n);if(i.append("file",t),helpers.files.upload(i,n,a=>{const o=a.data[0],s=CTFd$1.config.urlRoot+"/files/"+o.location;document.getElementById("thumbsnail-path").value=s,console.log("Thumbnail uploaded successfully:",s);const l=document.getElementById("image-preview");l.src=s,l.style.display="block",this.updateThumbsnailPath(s)}),t){const a=new FileReader;a.onload=function(o){const s=document.getElementById("image-preview");s.src=o.target.result,s.style.display="block"},a.readAsDataURL(t)}})}},_hoisted_1$4={id:"Thumbsnailboard",class:"table table-striped"},_hoisted_2$4=createBaseVNode("thead",null,[createBaseVNode("tr",null,[createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Miniature")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Settings")])])],-1),_hoisted_3$4={class:"text-center"},_hoisted_4$4=["href"],_hoisted_5$4={class:"text-center"},_hoisted_6$4=["onClick"],_hoisted_7$3={class:"col-md-12 mt-3"},_hoisted_8$3={id:"thumbsnail-upload-form",class:"form-upload",method:"POST",enctype:"multipart/form-data"},_hoisted_9$3=createBaseVNode("button",{id:"btn-file-input",class:"btn btn-secondary",type:"button"},"Select File",-1),_hoisted_10$2=["src"],_hoisted_11$2=createBaseVNode("input",{class:"form-control-file",id:"thumbsnail-get-path",name:"file",type:"file",accept:".png",style:{display:"none"}},null,-1),_hoisted_12$2=createBaseVNode("input",{type:"hidden",id:"thumbsnail-path",name:"thumbsnail"},null,-1);function _sfc_render$4(e,t,n,i,a,o){return openBlock(),createElementBlock("div",null,[createBaseVNode("table",_hoisted_1$4,[_hoisted_2$4,createBaseVNode("tbody",null,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.files,s=>(openBlock(),createElementBlock("tr",{key:s.id},[createBaseVNode("td",_hoisted_3$4,[createBaseVNode("a",{href:`${e.urlRoot}/files/${s.location}`},toDisplayString(s.location.split("/").pop()),9,_hoisted_4$4)]),createBaseVNode("td",_hoisted_5$4,[createBaseVNode("i",{role:"button",class:"btn-fa fas fa-times delete-file",onClick:l=>e.deleteFile(s.id)},null,8,_hoisted_6$4)])]))),128))])]),createBaseVNode("div",_hoisted_7$3,[createBaseVNode("form",_hoisted_8$3,[_hoisted_9$3,withDirectives(createBaseVNode("img",{id:"image-preview",src:n.CHALLENGE_THUMBSNAIL,style:{width:"100px",height:"100px","margin-top":"10px"}},null,8,_hoisted_10$2),[[vShow,n.CHALLENGE_THUMBSNAIL]]),_hoisted_11$2,_hoisted_12$2])])])}const ChallengeThumbsnail=_export_sfc(_sfc_main$4,[["render",_sfc_render$4]]),_sfc_main$3={name:"HintCreationForm",props:{challenge_id:Number,hints:Array},data:function(){return{cost:0,selectedHints:[]}},methods:{getCost:function(){return this.cost||0},getContent:function(){return this.$refs.content.value},submitHint:function(){let e={challenge_id:this.$props.challenge_id,content:this.getContent(),cost:this.getCost(),requirements:{prerequisites:this.selectedHints}};CTFd.fetch("/api/v1/hints",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(t=>t.json()).then(t=>{t.success&&this.$emit("refreshHints",this.$options.name)})}}},_hoisted_1$3={class:"modal fade",tabindex:"-1"},_hoisted_2$3={class:"modal-dialog"},_hoisted_3$3={class:"modal-content"},_hoisted_4$3=createStaticVNode('<div class="modal-header text-center"><div class="container"><div class="row"><div class="col-md-12"><h3>Hint</h3></div></div></div><button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">\xD7</span></button></div>',1),_hoisted_5$3={class:"modal-body"},_hoisted_6$3={class:"container"},_hoisted_7$2={class:"row"},_hoisted_8$2={class:"col-md-12"},_hoisted_9$2={class:"form-group"},_hoisted_10$1=createBaseVNode("label",null,[createTextVNode(" Hint"),createBaseVNode("br"),createBaseVNode("small",null,"Markdown & HTML are supported")],-1),_hoisted_11$1={type:"text",class:"form-control markdown",name:"content",rows:"7",ref:"content"},_hoisted_12$1={class:"form-group"},_hoisted_13$1=createBaseVNode("label",null,[createTextVNode(" Cost"),createBaseVNode("br"),createBaseVNode("small",null,"How many points it costs to see your hint.")],-1),_hoisted_14$1={class:"form-group"},_hoisted_15$1=createBaseVNode("label",null,[createTextVNode(" Requirements"),createBaseVNode("br"),createBaseVNode("small",null,"Hints that must be unlocked before unlocking this hint")],-1),_hoisted_16$1={class:"form-check-label cursor-pointer"},_hoisted_17$1=["value"],_hoisted_18$1=createBaseVNode("input",{type:"hidden",id:"hint-id-for-hint",name:"id"},null,-1),_hoisted_19=createStaticVNode('<div class="modal-footer"><div class="container"><div class="row"><div class="col-md-12"><button class="btn btn-primary float-right">Submit</button></div></div></div></div>',1);function _sfc_render$3(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$3,[createBaseVNode("div",_hoisted_2$3,[createBaseVNode("div",_hoisted_3$3,[_hoisted_4$3,createBaseVNode("form",{method:"POST",onSubmit:t[2]||(t[2]=withModifiers((...s)=>o.submitHint&&o.submitHint(...s),["prevent"]))},[createBaseVNode("div",_hoisted_5$3,[createBaseVNode("div",_hoisted_6$3,[createBaseVNode("div",_hoisted_7$2,[createBaseVNode("div",_hoisted_8$2,[createBaseVNode("div",_hoisted_9$2,[_hoisted_10$1,createBaseVNode("textarea",_hoisted_11$1,null,512)]),createBaseVNode("div",_hoisted_12$1,[_hoisted_13$1,withDirectives(createBaseVNode("input",{type:"number",class:"form-control",name:"cost","onUpdate:modelValue":t[0]||(t[0]=s=>e.cost=s)},null,512),[[vModelText,e.cost,void 0,{lazy:!0}]])]),createBaseVNode("div",_hoisted_14$1,[_hoisted_15$1,(openBlock(!0),createElementBlock(Fragment,null,renderList(n.hints,s=>(openBlock(),createElementBlock("div",{class:"form-check",key:s.id},[createBaseVNode("label",_hoisted_16$1,[withDirectives(createBaseVNode("input",{class:"form-check-input",type:"checkbox",value:s.id,"onUpdate:modelValue":t[1]||(t[1]=l=>e.selectedHints=l)},null,8,_hoisted_17$1),[[vModelCheckbox,e.selectedHints]]),createTextVNode(" "+toDisplayString(s.cost)+" - "+toDisplayString(s.id),1)])]))),128))]),_hoisted_18$1])])])]),_hoisted_19],32)])])])}const HintCreationForm=_export_sfc(_sfc_main$3,[["render",_sfc_render$3]]),_sfc_main$2={name:"HintEditForm",props:{challenge_id:Number,hint_id:Number,hints:Array},data:function(){return{cost:0,content:null,selectedHints:[]}},computed:{otherHints:function(){return this.hints.filter(e=>e.id!==this.$props.hint_id)}},watch:{hint_id:{immediate:!0,handler(e,t){e!==null&&this.loadHint()}}},methods:{loadHint:function(){CTFd$1.fetch(`/api/v1/hints/${this.$props.hint_id}?preview=true`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{var t;if(e.success){let n=e.data;this.cost=n.cost,this.content=n.content,this.selectedHints=((t=n.requirements)==null?void 0:t.prerequisites)||[];let i=this.$refs.content;bindMarkdownEditor(i),setTimeout(()=>{i.mde.codemirror.getDoc().setValue(i.value),this._forceRefresh()},200)}})},_forceRefresh:function(){this.$refs.content.mde.codemirror.refresh()},getCost:function(){return this.cost||0},getContent:function(){return this._forceRefresh(),this.$refs.content.mde.codemirror.getDoc().getValue()},updateHint:function(){let e={challenge_id:this.$props.challenge_id,content:this.getContent(),cost:this.getCost(),requirements:{prerequisites:this.selectedHints}};CTFd$1.fetch(`/api/v1/hints/${this.$props.hint_id}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(t=>t.json()).then(t=>{t.success&&this.$emit("refreshHints",this.$options.name)})}},mounted(){this.hint_id&&this.loadHint()},created(){this.hint_id&&this.loadHint()}},_hoisted_1$2={class:"modal fade",tabindex:"-1"},_hoisted_2$2={class:"modal-dialog"},_hoisted_3$2={class:"modal-content"},_hoisted_4$2=createStaticVNode('<div class="modal-header text-center"><div class="container"><div class="row"><div class="col-md-12"><h3>Hint</h3></div></div></div><button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">\xD7</span></button></div>',1),_hoisted_5$2={class:"modal-body"},_hoisted_6$2={class:"container"},_hoisted_7$1={class:"row"},_hoisted_8$1={class:"col-md-12"},_hoisted_9$1={class:"form-group"},_hoisted_10=createBaseVNode("label",null,[createTextVNode(" Hint"),createBaseVNode("br"),createBaseVNode("small",null,"Markdown & HTML are supported")],-1),_hoisted_11=["value"],_hoisted_12={class:"form-group"},_hoisted_13=createBaseVNode("label",null,[createTextVNode(" Cost"),createBaseVNode("br"),createBaseVNode("small",null,"How many points it costs to see your hint.")],-1),_hoisted_14={class:"form-group"},_hoisted_15=createBaseVNode("label",null,[createTextVNode(" Requirements"),createBaseVNode("br"),createBaseVNode("small",null,"Hints that must be unlocked before unlocking this hint")],-1),_hoisted_16={class:"form-check-label cursor-pointer"},_hoisted_17=["value"],_hoisted_18=createStaticVNode('<div class="modal-footer"><div class="container"><div class="row"><div class="col-md-12"><button class="btn btn-primary float-right">Submit</button></div></div></div></div>',1);function _sfc_render$2(e,t,n,i,a,o){return openBlock(),createElementBlock("div",_hoisted_1$2,[createBaseVNode("div",_hoisted_2$2,[createBaseVNode("div",_hoisted_3$2,[_hoisted_4$2,createBaseVNode("form",{method:"POST",onSubmit:t[2]||(t[2]=withModifiers((...s)=>o.updateHint&&o.updateHint(...s),["prevent"]))},[createBaseVNode("div",_hoisted_5$2,[createBaseVNode("div",_hoisted_6$2,[createBaseVNode("div",_hoisted_7$1,[createBaseVNode("div",_hoisted_8$1,[createBaseVNode("div",_hoisted_9$1,[_hoisted_10,createBaseVNode("textarea",{type:"text",class:"form-control",name:"content",rows:"7",value:this.content,ref:"content"},null,8,_hoisted_11)]),createBaseVNode("div",_hoisted_12,[_hoisted_13,withDirectives(createBaseVNode("input",{type:"number",class:"form-control",name:"cost","onUpdate:modelValue":t[0]||(t[0]=s=>e.cost=s)},null,512),[[vModelText,e.cost,void 0,{lazy:!0}]])]),createBaseVNode("div",_hoisted_14,[_hoisted_15,(openBlock(!0),createElementBlock(Fragment,null,renderList(o.otherHints,s=>(openBlock(),createElementBlock("div",{class:"form-check",key:s.id},[createBaseVNode("label",_hoisted_16,[withDirectives(createBaseVNode("input",{class:"form-check-input",type:"checkbox",value:s.id,"onUpdate:modelValue":t[1]||(t[1]=l=>e.selectedHints=l)},null,8,_hoisted_17),[[vModelCheckbox,e.selectedHints]]),createTextVNode(" "+toDisplayString(s.content)+" - "+toDisplayString(s.cost),1)])]))),128))])])])])]),_hoisted_18],32)])])])}const HintEditForm=_export_sfc(_sfc_main$2,[["render",_sfc_render$2]]),_sfc_main$1={components:{HintCreationForm,HintEditForm},props:{challenge_id:Number},data:function(){return{hints:[],editing_hint_id:null}},methods:{loadHints:async function(){let t=await(await CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}/hints`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}})).json();return this.hints=t.data,t.success},addHint:function(){let e=this.$refs.HintCreationForm.$el;$(e).modal()},editHint:function(e){this.editing_hint_id=e;let t=this.$refs.HintEditForm.$el;$(t).modal()},refreshHints:function(e){this.loadHints().then(t=>{if(t){let n;switch(e){case"HintCreationForm":n=this.$refs.HintCreationForm.$el,console.log(n),$(n).modal("hide");break;case"HintEditForm":n=this.$refs.HintEditForm.$el,$(n).modal("hide");break}}else alert("An error occurred while updating this hint. Please try again.")})},deleteHint:function(e){ezQuery({title:"Delete Hint",body:"\xCAtes-vous certain de vouloir supprimer this hint?",success:()=>{CTFd$1.fetch(`/api/v1/hints/${e}`,{method:"DELETE"}).then(t=>t.json()).then(t=>{t.success&&this.loadHints()})}})}},created(){this.loadHints()}},_hoisted_1$1={class:"table table-striped"},_hoisted_2$1=createBaseVNode("thead",null,[createBaseVNode("tr",null,[createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"ID")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Hint")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Cost")]),createBaseVNode("td",{class:"text-center"},[createBaseVNode("b",null,"Settings")])])],-1),_hoisted_3$1={class:"text-center"},_hoisted_4$1={class:"text-break"},_hoisted_5$1={class:"text-center"},_hoisted_6$1={class:"text-center"},_hoisted_7=["onClick"],_hoisted_8=["onClick"],_hoisted_9={class:"col-md-12"};function _sfc_render$1(e,t,n,i,a,o){const s=resolveComponent("HintCreationForm"),l=resolveComponent("HintEditForm");return openBlock(),createElementBlock("div",null,[createBaseVNode("div",null,[createVNode(s,{ref:"HintCreationForm",challenge_id:n.challenge_id,hints:e.hints,onRefreshHints:o.refreshHints},null,8,["challenge_id","hints","onRefreshHints"])]),createBaseVNode("div",null,[createVNode(l,{ref:"HintEditForm",challenge_id:n.challenge_id,hint_id:e.editing_hint_id,hints:e.hints,onRefreshHints:o.refreshHints},null,8,["challenge_id","hint_id","hints","onRefreshHints"])]),createBaseVNode("table",_hoisted_1$1,[_hoisted_2$1,createBaseVNode("tbody",null,[(openBlock(!0),createElementBlock(Fragment,null,renderList(e.hints,d=>(openBlock(),createElementBlock("tr",{key:d.id},[createBaseVNode("td",_hoisted_3$1,toDisplayString(d.type),1),createBaseVNode("td",_hoisted_4$1,[createBaseVNode("pre",null,toDisplayString(d.content),1)]),createBaseVNode("td",_hoisted_5$1,toDisplayString(d.cost),1),createBaseVNode("td",_hoisted_6$1,[createBaseVNode("i",{role:"button",class:"btn-fa fas fa-edit",onClick:r=>o.editHint(d.id)},null,8,_hoisted_7),createBaseVNode("i",{role:"button",class:"btn-fa fas fa-times",onClick:r=>o.deleteHint(d.id)},null,8,_hoisted_8)])]))),128))])]),createBaseVNode("div",_hoisted_9,[createBaseVNode("button",{class:"btn btn-success float-right",onClick:t[0]||(t[0]=(...d)=>o.addHint&&o.addHint(...d))}," Create Hint ")])])}const HintsList=_export_sfc(_sfc_main$1,[["render",_sfc_render$1]]),_sfc_main={props:{challenge_id:Number},data:function(){return{challenge:null,challenges:[],selected_id:null}},computed:{updateAvailable:function(){return this.challenge?this.selected_id!=this.challenge.next_id:!1},otherChallenges:function(){return this.challenges.filter(e=>e.id!==this.$props.challenge_id)}},methods:{loadData:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.challenge=e.data,this.selected_id=e.data.next_id)})},loadChallenges:function(){CTFd$1.fetch("/api/v1/challenges?view=admin",{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success&&(this.challenges=e.data)})},updateNext:function(){CTFd$1.fetch(`/api/v1/challenges/${this.$props.challenge_id}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({next_id:this.selected_id!="null"?this.selected_id:null})}).then(e=>e.json()).then(e=>{e.success&&(this.loadData(),this.loadChallenges())})}},created(){this.loadData(),this.loadChallenges()}},_hoisted_1={class:"form-group"},_hoisted_2=createBaseVNode("label",null,[createTextVNode(" Next Challenge "),createBaseVNode("br"),createBaseVNode("small",{class:"text-muted"},"Challenge to recommend after solving this challenge")],-1),_hoisted_3=createBaseVNode("option",{value:"null"},"--",-1),_hoisted_4=["value"],_hoisted_5={class:"form-group"},_hoisted_6=["disabled"];function _sfc_render(e,t,n,i,a,o){return openBlock(),createElementBlock("div",null,[createBaseVNode("form",{onSubmit:t[1]||(t[1]=withModifiers((...s)=>o.updateNext&&o.updateNext(...s),["prevent"]))},[createBaseVNode("div",_hoisted_1,[_hoisted_2,withDirectives(createBaseVNode("select",{class:"form-control custom-select","onUpdate:modelValue":t[0]||(t[0]=s=>e.selected_id=s)},[_hoisted_3,(openBlock(!0),createElementBlock(Fragment,null,renderList(o.otherChallenges,s=>(openBlock(),createElementBlock("option",{value:s.id,key:s.id},toDisplayString(s.name),9,_hoisted_4))),128))],512),[[vModelSelect,e.selected_id]])]),createBaseVNode("div",_hoisted_5,[createBaseVNode("button",{class:"btn btn-success float-right",disabled:!o.updateAvailable}," Save ",8,_hoisted_6)])],32)])}const NextChallenge=_export_sfc(_sfc_main,[["render",_sfc_render]]);function loadChalTemplate(e){CTFd$1._internal.challenge={},jqueryExports.getScript(CTFd$1.config.urlRoot+e.scripts.view,function(){let t=e.create;jqueryExports("#create-chal-entry-div").html(t),bindMarkdownEditors(),jqueryExports.getScript(CTFd$1.config.urlRoot+e.scripts.create,function(){jqueryExports("#create-chal-entry-div form").submit(function(n){n.preventDefault();const i=jqueryExports("#create-chal-entry-div form").serializeJSON();CTFd$1.fetch("/api/v1/challenges",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(i)}).then(function(a){return a.json()}).then(function(a){if(a.success)jqueryExports("#challenge-create-options #challenge_id").val(a.data.id),jqueryExports("#challenge-create-options").modal();else{let o="";for(const s in a.errors)o+=a.errors[s].join(`
+`),o+=`
+`;ezAlert({title:"Erreur",body:o,button:"Ok"})}})})})})}function handleChallengeOptions(e){print("hit"),e.preventDefault();var t=jqueryExports(e.target).serializeJSON(!0);let n={challenge_id:t.challenge_id,content:t.flag||"",type:t.flag_type,data:t.flag_data?t.flag_data:""},i=function(){setTimeout(function(){window.location=CTFd$1.config.urlRoot+"/admin/challenges#challenge-create-options-quick"},700)};Promise.all([new Promise(function(a,o){if(n.content.length==0){a();return}CTFd$1.fetch("/api/v1/flags",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(n)}).then(function(s){a(s.json())})}),new Promise(function(a,o){let s=e.target,l={challenge:t.challenge_id,type:"challenge"};jqueryExports(s.elements.file).val()&&helpers.files.upload(s,l),a()})]).then(a=>{i()})}jqueryExports(()=>{if(jqueryExports(".preview-challenge").click(function(e){let t=`${CTFd$1.config.urlRoot}/admin/challenges/preview/${window.CHALLENGE_ID}`;jqueryExports("#challenge-window").html(`<iframe src="${t}" height="100%" width="100%" frameBorder=0></iframe>`),jqueryExports("#challenge-modal").modal()}),jqueryExports(".comments-challenge").click(function(e){jqueryExports("#challenge-comments-window").modal()}),jqueryExports(".delete-challenge").click(function(e){ezQuery({title:"Delete Challenge",body:`\xCAtes-vous certain de vouloir supprimer <strong>${htmlEntities(window.CHALLENGE_NAME)}</strong>`,success:function(){CTFd$1.fetch("/api/v1/challenges/"+window.CHALLENGE_ID,{method:"DELETE"}).then(function(t){return t.json()}).then(function(t){t.success&&(window.location=CTFd$1.config.urlRoot+"/admin/challenges")})}})}),jqueryExports("#challenge-update-container > form").submit(function(e){e.preventDefault();var t=jqueryExports(e.target).serializeJSON(!0);console.log(t),CTFd$1.fetch("/api/v1/challenges/"+window.CHALLENGE_ID+"/flags",{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(function(n){return n.json()}).then(function(n){(function(){CTFd$1.fetch("/api/v1/challenges/"+window.CHALLENGE_ID,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(t)}).then(function(a){return a.json()}).then(function(a){if(a.success){switch(jqueryExports(".challenge-state").text(a.data.state),a.data.state){case"visible":jqueryExports(".challenge-state").removeClass("badge-danger").addClass("badge-success");break;case"hidden":jqueryExports(".challenge-state").removeClass("badge-success").addClass("badge-danger");break}ezToast({title:"Succ\xE8s",body:"Votre d\xE9fi a \xE9t\xE9 mis \xE0 jour!"})}else{let o="";for(const s in a.errors)o+=a.errors[s].join(`
+`),o+=`
+`;ezAlert({title:"Erreur",body:o,button:"Ok"})}})})()})}),jqueryExports("#challenge-create-options").submit(handleChallengeOptions),jqueryExports("#challenge-create-options-quick").change(handleChallengeOptions),document.querySelector("#challenge-flags")){const e=Vue$1.extend(FlagList);let t=document.createElement("div");document.querySelector("#challenge-flags").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#challenge-topics")){const e=Vue$1.extend(TopicsList);let t=document.createElement("div");document.querySelector("#challenge-topics").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#challenge-tags")){const e=Vue$1.extend(TagsList);let t=document.createElement("div");document.querySelector("#challenge-tags").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#prerequisite-add-form")){const e=Vue$1.extend(Requirements);let t=document.createElement("div");document.querySelector("#prerequisite-add-form").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#challenge-files")){const e=Vue$1.extend(ChallengeFilesList);let t=document.createElement("div");document.querySelector("#challenge-files").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#challenge-hints")){const e=Vue$1.extend(HintsList);let t=document.createElement("div");document.querySelector("#challenge-hints").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#next-add-form")){const e=Vue$1.extend(NextChallenge);let t=document.createElement("div");document.querySelector("#next-add-form").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#comment-box")){const e=Vue$1.extend(CommentBox);let t=document.createElement("div");document.querySelector("#comment-box").appendChild(t),new e({propsData:{type:"challenge",id:window.CHALLENGE_ID}}).$mount(t)}if(document.querySelector("#challenge-thumbsnail")){const e=Vue$1.extend(ChallengeThumbsnail);let t=document.createElement("div");document.querySelector("#challenge-thumbsnail").appendChild(t),new e({propsData:{challenge_id:window.CHALLENGE_ID,CHALLENGE_THUMBSNAIL:window.CHALLENGE_THUMBSNAIL}}).$mount(t)}jqueryExports.get(CTFd$1.config.urlRoot+"/api/v1/challenges/types",function(e){const t=e.data;loadChalTemplate(t.standard),jqueryExports("#create-chals-select input[name=type]").change(function(){let n=t[this.value];loadChalTemplate(n)})})});
diff --git a/CTFd/themes/admin/static/assets/pages/challenges.e190ff8d.js b/CTFd/themes/admin/static/assets/pages/challenges.3ef16b00.js
similarity index 56%
rename from CTFd/themes/admin/static/assets/pages/challenges.e190ff8d.js
rename to CTFd/themes/admin/static/assets/pages/challenges.3ef16b00.js
index 85ff2dd04179851563fc04870803c114ed213afd..40a8fdd0a355a5848745d632a3b539cc2a2cec26 100644
--- a/CTFd/themes/admin/static/assets/pages/challenges.e190ff8d.js
+++ b/CTFd/themes/admin/static/assets/pages/challenges.3ef16b00.js
@@ -1,14 +1,14 @@
-import{s as w,C as m,$ as i,B as f,u as I}from"./main.71d0edc5.js";document.addEventListener("DOMContentLoaded",function(g){document.getElementById("btn-file-input").addEventListener("click",function(e){document.getElementById("thumbsnail-get-path").click()}),document.getElementById("thumbsnail-get-path").addEventListener("change",function(e){const t=e.target.files[0];let n=document.getElementById("thumbsnail-upload-form");const o=new FormData(n);if(o.append("file",t),w.files.upload(o,n,function(r){const p=r.data[0],c=m.config.urlRoot+"/files/"+p.location;document.getElementById("thumbsnail-path").value=c,console.log("Miniature t\xE9l\xE9charg\xE9e avec succ\xE8s:",c);const y=document.getElementById("image-preview");y.src=c,y.style.display="block"}),t){const r=new FileReader;r.onload=function(p){const c=document.getElementById("image-preview");c.src=p.target.result,c.style.display="block"},r.readAsDataURL(t)}});const l=Object.keys(document.categories),s=document.getElementById("categories-selector");l.forEach(e=>{const t=document.createElement("option");t.value=e,t.textContent=e,t.textContent!="D\xE9fi Flash"&&s.appendChild(t)});const d=document.createElement("option");d.value="other",d.textContent="Other (type below)",s.appendChild(d);const a=document.getElementById("categories-selector-input");s.value=="other"||l.length==0?(a.style.display="block",a.name="category"):(a.style.display="none",a.value="",a.name=""),s.addEventListener("change",function(){s.value=="other"||l.length==0?(a.style.display="block",a.name="category"):(a.style.display="none",a.value="",a.name="")});let u=0;document.querySelectorAll("td.id").forEach(function(e){const t=parseInt(e.textContent);!isNaN(t)&&t>u&&(u=t)});const h=u+1;document.getElementById("challenge_id_texte").textContent=h,document.getElementById("challenge_id").value=h;function b(){const e=i("#challenge-create-options-quick").serializeJSON();let t=document.getElementById("categories-selector"),n=document.getElementById("categories-selector-input"),o=document.getElementById("time-selector-input");t.hidden&&e.type!="flash"?(o.hidden=!0,n.hidden=!1,t.hidden=!1):!t.hidden&&e.type=="flash"&&(o.hidden=!1,n.hidden=!0,t.hidden=!0)}function D(){const e=i("#challenge-create-options-quick").serializeJSON();let t=document.getElementById("value-input"),n=document.getElementById("sport-config-button");e.type=="sport"?(t.hidden=!0,n.hidden=!1):(t.hidden=!1,n.hidden=!0)}function E(){let e=document.getElementById("unit-input-config"),t=document.getElementById("max-points-input-config"),n=document.getElementById("value-input-config"),o=document.getElementById("value-input"),r=document.getElementById("unit-preview"),p=document.getElementById("max-points-preview");console.log(e.value),o.value=n.value,r.value=e.value,p.value=t.value}window.processSportConfig=E;function x(){f({title:"Choisir P\xE9riode",body:`<div class="mb-3" style="text-align: center;">
+import{u as _,C as m,j as l,D as f,x as P}from"./main.8d24b34a.js";document.addEventListener("DOMContentLoaded",function(b){document.getElementById("btn-file-input").addEventListener("click",function(e){document.getElementById("thumbsnail-get-path").click()}),document.getElementById("thumbsnail-get-path").addEventListener("change",function(e){const t=e.target.files[0];let n=document.getElementById("thumbsnail-upload-form");const o=new FormData(n);if(o.append("file",t),_.files.upload(o,n,function(d){const r=d.data[0],u=m.config.urlRoot+"/files/"+r.location;document.getElementById("thumbsnail-path").value=u,console.log("Miniature t\xE9l\xE9charg\xE9e avec succ\xE8s:",u);const h=document.getElementById("image-preview");h.src=u,h.style.display="block"}),t){const d=new FileReader;d.onload=function(r){const u=document.getElementById("image-preview");u.src=r.target.result,u.style.display="block"},d.readAsDataURL(t)}});const a=Object.keys(document.categories),s=document.getElementById("categories-selector");a.forEach(e=>{const t=document.createElement("option");t.value=e,t.textContent=e,t.textContent!="D\xE9fi Flash"&&s.appendChild(t)});const c=document.createElement("option");c.value="other",c.textContent="Other (type below)",s.appendChild(c);const i=document.getElementById("categories-selector-input");s.value=="other"||a.length==0?(i.style.display="block",i.name="category"):(i.style.display="none",i.value="",i.name=""),s.addEventListener("change",function(){s.value=="other"||a.length==0?(i.style.display="block",i.name="category"):(i.style.display="none",i.value="",i.name="")});let g=0;document.querySelectorAll("td.id").forEach(function(e){const t=parseInt(e.textContent);!isNaN(t)&&t>g&&(g=t)});const E=g+1;document.getElementById("challenge_id_texte").textContent=E,document.getElementById("challenge_id").value=E;function w(){const e=l("#challenge-create-options-quick").serializeJSON();let t=document.getElementById("categories-selector"),n=document.getElementById("categories-selector-input"),o=document.getElementById("time-selector-input");t.hidden&&e.type!="flash"?(o.hidden=!0,n.hidden=!1,t.hidden=!1):!t.hidden&&e.type=="flash"&&(o.hidden=!1,n.hidden=!0,t.hidden=!0)}function I(){const e=l("#challenge-create-options-quick").serializeJSON();let t=document.getElementById("value-input"),n=document.getElementById("sport-config-button");e.type=="sport"?(t.hidden=!0,n.hidden=!1):(t.hidden=!1,n.hidden=!0)}function k(){let e=document.getElementById("unit-input-config"),t=document.getElementById("max-points-input-config"),n=document.getElementById("value-input-config"),o=document.getElementById("value-input"),d=document.getElementById("unit-preview"),r=document.getElementById("max-points-preview");console.log(e.value),o.value=n.value,d.value=e.value,r.value=t.value}window.processSportConfig=k;function B(){const e=document.getElementById("start-preview").value,t=document.getElementById("end-preview").value,n=new Date(e*1e3),o=new Date(t*1e3),d=p=>{const v=p.getFullYear(),y=String(p.getMonth()+1).padStart(2,"0"),T=String(p.getDate()).padStart(2,"0");return`${v}-${y}-${T}`},r=p=>{const v=String(p.getHours()).padStart(2,"0"),y=String(p.getMinutes()).padStart(2,"0");return`${v}:${y}`},u=d(n),h=r(n),D=d(o),C=r(o);f({title:"Choisir P\xE9riode",body:`<div class="mb-3" style="text-align: center;">
               <label>D\xE9but</label>
               <div class="row" style="justify-content: space-around;">
               
                   <div class="col-md-4" >
                       <label>Date</label>
-                      <input required class="form-control start-date" id="start-date" type="date" placeholder="yyyy-mm-dd"  onchange="processDateTime('start')" />
+                      <input required class="form-control start-date" id="start-date" type="date" placeholder="yyyy-mm-dd" value="${u}" onchange="processDateTime('start')" />
                   </div>
                   <div class="col-md-4">
                       <label>Temps</label>
-                      <input required class="form-control start-time" id="start-time" type="time" placeholder="hh:mm" data-preview="#start" onchange="processDateTime('start')"/>
+                      <input required class="form-control start-time" id="start-time" type="time" placeholder="hh:mm" value="${h}" data-preview="#start" onchange="processDateTime('start')"/>
                   </div>
                 
               </div>
@@ -16,75 +16,36 @@ import{s as w,C as m,$ as i,B as f,u as I}from"./main.71d0edc5.js";document.addE
                 
               </small>
           </div>
-
+  
           <div class="mb-3" style="text-align: center;">
               <label>Fin</label>
               <div class="row" style="justify-content: space-around;">
                   
                   <div class="col-md-4">
                       <label>Date</label>
-                      <input required class="form-control end-date" id="end-date" type="date" placeholder="yyyy-mm-dd" data-preview="#end" onchange="processDateTime('end')"/>
+                      <input required class="form-control end-date" id="end-date" type="date" placeholder="yyyy-mm-dd" value="${D}" data-preview="#end" onchange="processDateTime('end')"/>
                   </div>
                   <div class="col-md-4">
                       <label>Temps</label>
-                      <input required class="form-control end-time" id="end-time" type="time" placeholder="hh:mm" data-preview="#end" onchange="processDateTime('end')"/>
+                      <input required class="form-control end-time" id="end-time" type="time" placeholder="hh:mm" value="${C}" data-preview="#end" onchange="processDateTime('end')"/>
                   </div>
                   
               </div>
           
-          </div>
-          <script>
-          endDate = new Date(document.getElementById("end-preview").value * 1000);
-          startDate = new Date(document.getElementById("start-preview").value * 1000);
-
-          //faut remodeler le time formater pour avoir YYYY-MM-JJ
-          timeFormatterYMD = new Intl.DateTimeFormat("en-US");
-          endDateYMDNotformated = timeFormatterYMD .format(endDate);
-          endDateYMD = endDateYMDNotformated.split("/")[2]+"-"+(endDateYMDNotformated.split("/")[0].length < 2 ? "0"+endDateYMDNotformated.split("/")[0]: endDateYMDNotformated.split("/")[0])
-          +"-"+(endDateYMDNotformated.split("/")[1].length < 2 ? "0"+endDateYMDNotformated.split("/")[1]: endDateYMDNotformated.split("/")[1]);
-          timeDateEnd = document.getElementsByClassName("end-date");
-          for (let i = 0; i < timeDateEnd.length; i++) {
-            timeDateEnd.item(i).value = endDateYMD;
-          }
-
-
-          startDateYMDNotformated = timeFormatterYMD .format(startDate);
-          startDateYMD = startDateYMDNotformated.split("/")[2]+"-"+(startDateYMDNotformated.split("/")[0].length < 2 ? "0"+startDateYMDNotformated.split("/")[0]: startDateYMDNotformated.split("/")[0])
-          +"-"+(startDateYMDNotformated.split("/")[1].length < 2 ? "0"+startDateYMDNotformated.split("/")[1]: startDateYMDNotformated.split("/")[1]);
-          timeDateStart = document.getElementsByClassName("start-date");
-          for (let i = 0; i < timeDateStart.length; i++) {
-            timeDateStart.item(i).value = startDateYMD;
-          }
-
-          timeFormatterHS = new Intl.DateTimeFormat(undefined, { timeStyle: 'medium' });
-          console.log(timeFormatterHS.format(endDate))
-          endDateHS = timeFormatterHS.format(endDate).split(":")[0]+":"+timeFormatterHS.format(endDate).split(":")[1]
-          timeHSEnd = document.getElementsByClassName("end-time");
-          for (let i = 0; i < timeHSEnd.length; i++) {
-            timeHSEnd.item(i).value = endDateHS;
-          }
-
-          startDateHS  = timeFormatterHS.format(startDate).split(":")[0]+":"+timeFormatterHS.format(startDate).split(":")[1]
-          timeHSStart = document.getElementsByClassName("start-time");
-          for (let i = 0; i < timeHSStart.length; i++) {
-            timeHSStart.item(i).value = startDateHS;
-          }
-          
-
-          <\/script>`,button:"Ok",success:function(){console.log("done")}})}function S(){f({title:"Configurer le d\xE9fi Sportif",body:`<div class="tab-pane" id="challenge-points" role="tabpanel">
+          </div>`,button:"Ok",success:function(){console.log("done")}})}function S(){const e=document.getElementById("unit-preview").value||"km",t=document.getElementById("max-points-preview").value||"1",n=document.getElementById("value-input").value||"1";f({title:"Configurer le d\xE9fi Sportif",body:`<div class="tab-pane" id="challenge-points" role="tabpanel">
                 <div class="mb-3">
                     <div class="row center">
                         <div class="col-md-6">
                             <label>Unit\xE9</label>
-                            <input required class="form-control" id="unit-input-config" type="text" placeholder="Entrez l'unit\xE9" value="km" onchange="processSportConfig()">
+                            <input required class="form-control" id="unit-input-config" type="text" placeholder="Entrez l'unit\xE9" value="${e}" onchange="processSportConfig()">
                         </div>
                         <div class="col-md-6">
                             <label>Points maximum</label>
-                            <input required class="form-control" id="max-points-input-config" type="number" placeholder="Entrez le nombre de points maximum (0 pour infini)" value="1" min="1" onchange="processSportConfig()">
+                            <input required class="form-control" id="max-points-input-config" type="number" placeholder="Entrez le nombre de points maximum (0 pour infini)" value="${t}" min="1" onchange="processSportConfig()">
                         </div>
                         <div class="col-md-6">
                             <label>Points par Unit\xE9</label>
-                            <input type="number" class="form-control chal-value" id="value-input-config" value="1" onchange="processSportConfig()" min="1" required>
+                            <input type="number" class="form-control chal-value" id="value-input-config" value="${n}" onchange="processSportConfig()" min="1" required>
                         </div>
                         <div class="col-md-6">
                             <label>
@@ -151,9 +112,9 @@ import{s as w,C as m,$ as i,B as f,u as I}from"./main.71d0edc5.js";document.addE
                   .tooltip-text p {
                     margin-bottom: 15px;
                   }
-            </style>`,button:"Ok",success:function(){console.log("done")}})}function v(){const e=i("#challenge-create-options-quick").serializeJSON();if(delete e.challenge_id,delete e.flag_type,e.type!=="sport"&&(delete e.unit,delete e.max_points),e.type!="flash")delete e.startTime,delete e.endTime;else if(e.category="D\xE9fi Flash",e.startTime>=e.endTime)return f({title:"P\xE9riode de temps invalide",body:"Veuillez choisir une p\xE9riode de temps valide",button:"Ok"}),!1;e.description="",m.fetch("/api/v1/challenges",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(function(t){return console.log("hello2"),t.json()}).then(function(t){if(t.success){if(t.data.type=="manualRecursive"){const n={value:"R\xE9cursif",challenge:t.data.id};m.api.post_tag_list({},n).then(o=>{})}if(t.data.type=="flash"){const n={value:"Flash",challenge:t.data.id};m.api.post_tag_list({},n).then(o=>{})}setTimeout(function(){window.location.reload(!0)},400)}else{let n="";for(const o in t.errors)n+=t.errors[o].join(`
+            </style>`,button:"Ok",success:function(){console.log("done")}})}function x(){const e=l("#challenge-create-options-quick").serializeJSON();if(delete e.challenge_id,delete e.flag_type,e.type!=="sport"&&(delete e.unit,delete e.max_points),e.type!="flash")delete e.startTime,delete e.endTime;else if(e.category="D\xE9fi Flash",e.startTime>=e.endTime)return f({title:"P\xE9riode de temps invalide",body:"Veuillez choisir une p\xE9riode de temps valide",button:"Ok"}),!1;e.description="",m.fetch("/api/v1/challenges",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(function(t){return console.log("hello2"),t.json()}).then(function(t){if(t.success){if(t.data.type=="manualRecursive"){const n={value:"R\xE9cursif",challenge:t.data.id};m.api.post_tag_list({},n).then(o=>{})}if(t.data.type=="flash"){const n={value:"Flash",challenge:t.data.id};m.api.post_tag_list({},n).then(o=>{})}setTimeout(function(){window.location.reload(!0)},400)}else{let n="";for(const o in t.errors)n+=t.errors[o].join(`
 `),n+=`
-`;f({title:"Erreur",body:n,button:"Ok"})}})}document.getElementById("submit-button").addEventListener("click",function(e){e.preventDefault(),v()}),document.getElementById("challenge-create-options-quick-selector").addEventListener("keypress",function(e){e.key==="Enter"&&(e.preventDefault(),v())}),document.getElementById("challenge-type").addEventListener("change",function(e){b(),D()}),document.getElementById("time-selector-input").addEventListener("click",function(e){e.preventDefault(),x()}),document.getElementById("sport-config-button").addEventListener("click",function(e){e.preventDefault(),S()})});function B(g){let l=i("input[data-challenge-id]:checked").map(function(){return i(this).data("challenge-id")}),s=l.length===1?"challenge":"challenges";I({title:"Supprimer un d\xE9fi",body:`\xCAtes-vous certain de vouloir supprimer ${l.length} ${s}?`,success:function(){const d=[];for(var a of l)d.push(m.fetch(`/api/v1/challenges/${a}`,{method:"DELETE"}));Promise.all(d).then(u=>{window.location.reload()})}})}function k(g){let l=i("input[data-challenge-id]:checked").map(function(){return i(this).data("challenge-id")});f({title:"Modifier un d\xE9fi",body:i(`
+`;f({title:"Erreur",body:n,button:"Ok"})}})}document.getElementById("submit-button").addEventListener("click",function(e){e.preventDefault(),x()}),document.getElementById("challenge-create-options-quick-selector").addEventListener("keypress",function(e){e.key==="Enter"&&(e.preventDefault(),x())}),document.getElementById("challenge-type").addEventListener("change",function(e){w(),I()}),document.getElementById("time-selector-input").addEventListener("click",function(e){e.preventDefault(),B()}),document.getElementById("sport-config-button").addEventListener("click",function(e){e.preventDefault(),S()})});function q(b){let a=l("input[data-challenge-id]:checked").map(function(){return l(this).data("challenge-id")}),s=a.length===1?"challenge":"challenges";P({title:"Supprimer un d\xE9fi",body:`\xCAtes-vous certain de vouloir supprimer ${a.length} ${s}?`,success:function(){const c=[];for(var i of a)c.push(m.fetch(`/api/v1/challenges/${i}`,{method:"DELETE"}));Promise.all(c).then(g=>{window.location.reload()})}})}function F(b){let a=l("input[data-challenge-id]:checked").map(function(){return l(this).data("challenge-id")});f({title:"Modifier un d\xE9fi",body:l(`
     <form id="challenges-bulk-edit">
       <div class="form-group">
         <label>Cat\xE9gorie</label>
@@ -181,4 +142,4 @@ import{s as w,C as m,$ as i,B as f,u as I}from"./main.71d0edc5.js";document.addE
         </select>
       </div>
     </form>
-    `),button:"Soumettre",success:function(){let s=i("#challenges-bulk-edit").serializeJSON(!0);const d=[];for(var a of l)d.push(m.fetch(`/api/v1/challenges/${a}`,{method:"PATCH",body:JSON.stringify(s)}));Promise.all(d).then(u=>{window.location.reload()})}})}i(()=>{i("#challenges-delete-button").click(B),i("#challenges-edit-button").click(k)});
+    `),button:"Soumettre",success:function(){let s=l("#challenges-bulk-edit").serializeJSON(!0);const c=[];for(var i of a)c.push(m.fetch(`/api/v1/challenges/${i}`,{method:"PATCH",body:JSON.stringify(s)}));Promise.all(c).then(g=>{window.location.reload()})}})}l(()=>{l("#challenges-delete-button").click(q),l("#challenges-edit-button").click(F)});
diff --git a/CTFd/themes/admin/static/assets/pages/configs.1b411858.js b/CTFd/themes/admin/static/assets/pages/configs.eb657dba.js
similarity index 94%
rename from CTFd/themes/admin/static/assets/pages/configs.1b411858.js
rename to CTFd/themes/admin/static/assets/pages/configs.eb657dba.js
index 291f87e712d69c6239af67c91d59c5155501c5b1..a28dd1383e5e987ae95d26cd7169d8b08b18e8c4 100644
--- a/CTFd/themes/admin/static/assets/pages/configs.1b411858.js
+++ b/CTFd/themes/admin/static/assets/pages/configs.eb657dba.js
@@ -1,10 +1,10 @@
-import{H as q,_ as G,C as p,D as K,o as $,c as P,a as i,h as M,v as W,l as j,i as F,j as U,e as Z,F as Q,r as X,f as ee,I as x,K as re,$ as t,V as J,B as O,s as R,u as Y,L as z}from"./main.71d0edc5.js";import"../tab.facb6ef1.js";import{c as L}from"../htmlmixed.e85df030.js";var ae={exports:{}};(function(e,a){(function(r,s){e.exports=s()})(q,function(){var r="minute",s=/[+-]\d\d(?::?\d\d)?/g,l=/([+-]|\d\d)/g;return function(c,o,d){var u=o.prototype;d.utc=function(n){var A={date:n,utc:!0,args:arguments};return new o(A)},u.utc=function(n){var A=d(this.toDate(),{locale:this.$L,utc:!0});return n?A.add(this.utcOffset(),r):A},u.local=function(){return d(this.toDate(),{locale:this.$L,utc:!1})};var E=u.parse;u.parse=function(n){n.utc&&(this.$u=!0),this.$utils().u(n.$offset)||(this.$offset=n.$offset),E.call(this,n)};var S=u.init;u.init=function(){if(this.$u){var n=this.$d;this.$y=n.getUTCFullYear(),this.$M=n.getUTCMonth(),this.$D=n.getUTCDate(),this.$W=n.getUTCDay(),this.$H=n.getUTCHours(),this.$m=n.getUTCMinutes(),this.$s=n.getUTCSeconds(),this.$ms=n.getUTCMilliseconds()}else S.call(this)};var y=u.utcOffset;u.utcOffset=function(n,A){var b=this.$utils().u;if(b(n))return this.$u?0:b(this.$offset)?y.call(this):this.$offset;if(typeof n=="string"&&(n=function(_){_===void 0&&(_="");var B=_.match(s);if(!B)return null;var T=(""+B[0]).match(l)||["-",0,0],w=T[0],C=60*+T[1]+ +T[2];return C===0?0:w==="+"?C:-C}(n),n===null))return this;var g=Math.abs(n)<=16?60*n:n,v=this;if(A)return v.$offset=g,v.$u=n===0,v;if(n!==0){var k=this.$u?this.toDate().getTimezoneOffset():-1*this.utcOffset();(v=this.local().add(g+k,r)).$offset=g,v.$x.$localOffset=k}else v=this.utc();return v};var m=u.format;u.format=function(n){var A=n||(this.$u?"YYYY-MM-DDTHH:mm:ss[Z]":"");return m.call(this,A)},u.valueOf=function(){var n=this.$utils().u(this.$offset)?0:this.$offset+(this.$x.$localOffset||this.$d.getTimezoneOffset());return this.$d.valueOf()-6e4*n},u.isUTC=function(){return!!this.$u},u.toISOString=function(){return this.toDate().toISOString()},u.toString=function(){return this.toDate().toUTCString()};var f=u.toDate;u.toDate=function(n){return n==="s"&&this.$offset?d(this.format("YYYY-MM-DD HH:mm:ss:SSS")).toDate():f.call(this)};var h=u.diff;u.diff=function(n,A,b){if(n&&this.$u===n.$u)return h.call(this,n,A,b);var g=this.local(),v=d(n).local();return h.call(g,v,A,b)}}})})(ae);const se=ae.exports;var te={exports:{}};(function(e,a){(function(r,s){e.exports=s()})(q,function(){var r={year:0,month:1,day:2,hour:3,minute:4,second:5},s={};return function(l,c,o){var d,u=function(m,f,h){h===void 0&&(h={});var n=new Date(m),A=function(b,g){g===void 0&&(g={});var v=g.timeZoneName||"short",k=b+"|"+v,_=s[k];return _||(_=new Intl.DateTimeFormat("en-US",{hour12:!1,timeZone:b,year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit",second:"2-digit",timeZoneName:v}),s[k]=_),_}(f,h);return A.formatToParts(n)},E=function(m,f){for(var h=u(m,f),n=[],A=0;A<h.length;A+=1){var b=h[A],g=b.type,v=b.value,k=r[g];k>=0&&(n[k]=parseInt(v,10))}var _=n[3],B=_===24?0:_,T=n[0]+"-"+n[1]+"-"+n[2]+" "+B+":"+n[4]+":"+n[5]+":000",w=+m;return(o.utc(T).valueOf()-(w-=w%1e3))/6e4},S=c.prototype;S.tz=function(m,f){m===void 0&&(m=d);var h=this.utcOffset(),n=this.toDate(),A=n.toLocaleString("en-US",{timeZone:m}),b=Math.round((n-new Date(A))/1e3/60),g=o(A,{locale:this.$L}).$set("millisecond",this.$ms).utcOffset(15*-Math.round(n.getTimezoneOffset()/15)-b,!0);if(f){var v=g.utcOffset();g=g.add(h-v,"minute")}return g.$x.$timezone=m,g},S.offsetName=function(m){var f=this.$x.$timezone||o.tz.guess(),h=u(this.valueOf(),f,{timeZoneName:m}).find(function(n){return n.type.toLowerCase()==="timezonename"});return h&&h.value};var y=S.startOf;S.startOf=function(m,f){if(!this.$x||!this.$x.$timezone)return y.call(this,m,f);var h=o(this.format("YYYY-MM-DD HH:mm:ss:SSS"),{locale:this.$L});return y.call(h,m,f).tz(this.$x.$timezone,!0)},o.tz=function(m,f,h){var n=h&&f,A=h||f||d,b=E(+o(),A);if(typeof m!="string")return o(m).tz(A);var g=function(B,T,w){var C=B-60*T*1e3,D=E(C,w);if(T===D)return[C,T];var I=E(C-=60*(D-T)*1e3,w);return D===I?[C,D]:[B-60*Math.min(D,I)*1e3,Math.max(D,I)]}(o.utc(m,n).valueOf(),b,A),v=g[0],k=g[1],_=o(v).utcOffset(k);return _.$x.$timezone=A,_},o.tz.guess=function(){return Intl.DateTimeFormat().resolvedOptions().timeZone},o.tz.setDefault=function(m){d=m}}})})(te);const ce=te.exports,le=["Africa/Abidjan","Africa/Accra","Africa/Addis_Ababa","Africa/Algiers","Africa/Asmara","Africa/Asmera","Africa/Bamako","Africa/Bangui","Africa/Banjul","Africa/Bissau","Africa/Blantyre","Africa/Brazzaville","Africa/Bujumbura","Africa/Cairo","Africa/Casablanca","Africa/Ceuta","Africa/Conakry","Africa/Dakar","Africa/Dar_es_Salaam","Africa/Djibouti","Africa/Douala","Africa/El_Aaiun","Africa/Freetown","Africa/Gaborone","Africa/Harare","Africa/Johannesburg","Africa/Juba","Africa/Kampala","Africa/Khartoum","Africa/Kigali","Africa/Kinshasa","Africa/Lagos","Africa/Libreville","Africa/Lome","Africa/Luanda","Africa/Lubumbashi","Africa/Lusaka","Africa/Malabo","Africa/Maputo","Africa/Maseru","Africa/Mbabane","Africa/Mogadishu","Africa/Monrovia","Africa/Nairobi","Africa/Ndjamena","Africa/Niamey","Africa/Nouakchott","Africa/Ouagadougou","Africa/Porto-Novo","Africa/Sao_Tome","Africa/Timbuktu","Africa/Tripoli","Africa/Tunis","Africa/Windhoek","America/Adak","America/Anchorage","America/Anguilla","America/Antigua","America/Araguaina","America/Argentina/Buenos_Aires","America/Argentina/Catamarca","America/Argentina/ComodRivadavia","America/Argentina/Cordoba","America/Argentina/Jujuy","America/Argentina/La_Rioja","America/Argentina/Mendoza","America/Argentina/Rio_Gallegos","America/Argentina/Salta","America/Argentina/San_Juan","America/Argentina/San_Luis","America/Argentina/Tucuman","America/Argentina/Ushuaia","America/Aruba","America/Asuncion","America/Atikokan","America/Atka","America/Bahia","America/Bahia_Banderas","America/Barbados","America/Belem","America/Belize","America/Blanc-Sablon","America/Boa_Vista","America/Bogota","America/Boise","America/Buenos_Aires","America/Cambridge_Bay","America/Campo_Grande","America/Cancun","America/Caracas","America/Catamarca","America/Cayenne","America/Cayman","America/Chicago","America/Chihuahua","America/Coral_Harbour","America/Cordoba","America/Costa_Rica","America/Creston","America/Cuiaba","America/Curacao","America/Danmarkshavn","America/Dawson","America/Dawson_Creek","America/Denver","America/Detroit","America/Dominica","America/Edmonton","America/Eirunepe","America/El_Salvador","America/Ensenada","America/Fort_Nelson","America/Fort_Wayne","America/Fortaleza","America/Glace_Bay","America/Godthab","America/Goose_Bay","America/Grand_Turk","America/Grenada","America/Guadeloupe","America/Guatemala","America/Guayaquil","America/Guyana","America/Halifax","America/Havana","America/Hermosillo","America/Indiana/Indianapolis","America/Indiana/Knox","America/Indiana/Marengo","America/Indiana/Petersburg","America/Indiana/Tell_City","America/Indiana/Vevay","America/Indiana/Vincennes","America/Indiana/Winamac","America/Indianapolis","America/Inuvik","America/Iqaluit","America/Jamaica","America/Jujuy","America/Juneau","America/Kentucky/Louisville","America/Kentucky/Monticello","America/Knox_IN","America/Kralendijk","America/La_Paz","America/Lima","America/Los_Angeles","America/Louisville","America/Lower_Princes","America/Maceio","America/Managua","America/Manaus","America/Marigot","America/Martinique","America/Matamoros","America/Mazatlan","America/Mendoza","America/Menominee","America/Merida","America/Metlakatla","America/Mexico_City","America/Miquelon","America/Moncton","America/Monterrey","America/Montevideo","America/Montreal","America/Montserrat","America/Nassau","America/New_York","America/Nipigon","America/Nome","America/Noronha","America/North_Dakota/Beulah","America/North_Dakota/Center","America/North_Dakota/New_Salem","America/Nuuk","America/Ojinaga","America/Panama","America/Pangnirtung","America/Paramaribo","America/Phoenix","America/Port-au-Prince","America/Port_of_Spain","America/Porto_Acre","America/Porto_Velho","America/Puerto_Rico","America/Punta_Arenas","America/Rainy_River","America/Rankin_Inlet","America/Recife","America/Regina","America/Resolute","America/Rio_Branco","America/Rosario","America/Santa_Isabel","America/Santarem","America/Santiago","America/Santo_Domingo","America/Sao_Paulo","America/Scoresbysund","America/Shiprock","America/Sitka","America/St_Barthelemy","America/St_Johns","America/St_Kitts","America/St_Lucia","America/St_Thomas","America/St_Vincent","America/Swift_Current","America/Tegucigalpa","America/Thule","America/Thunder_Bay","America/Tijuana","America/Toronto","America/Tortola","America/Vancouver","America/Virgin","America/Whitehorse","America/Winnipeg","America/Yakutat","America/Yellowknife","Antarctica/Casey","Antarctica/Davis","Antarctica/DumontDUrville","Antarctica/Macquarie","Antarctica/Mawson","Antarctica/McMurdo","Antarctica/Palmer","Antarctica/Rothera","Antarctica/South_Pole","Antarctica/Syowa","Antarctica/Troll","Antarctica/Vostok","Arctic/Longyearbyen","Asia/Aden","Asia/Almaty","Asia/Amman","Asia/Anadyr","Asia/Aqtau","Asia/Aqtobe","Asia/Ashgabat","Asia/Ashkhabad","Asia/Atyrau","Asia/Baghdad","Asia/Bahrain","Asia/Baku","Asia/Bangkok","Asia/Barnaul","Asia/Beirut","Asia/Bishkek","Asia/Brunei","Asia/Calcutta","Asia/Chita","Asia/Choibalsan","Asia/Chongqing","Asia/Chungking","Asia/Colombo","Asia/Dacca","Asia/Damascus","Asia/Dhaka","Asia/Dili","Asia/Dubai","Asia/Dushanbe","Asia/Famagusta","Asia/Gaza","Asia/Harbin","Asia/Hebron","Asia/Ho_Chi_Minh","Asia/Hong_Kong","Asia/Hovd","Asia/Irkutsk","Asia/Istanbul","Asia/Jakarta","Asia/Jayapura","Asia/Jerusalem","Asia/Kabul","Asia/Kamchatka","Asia/Karachi","Asia/Kashgar","Asia/Kathmandu","Asia/Katmandu","Asia/Khandyga","Asia/Kolkata","Asia/Krasnoyarsk","Asia/Kuala_Lumpur","Asia/Kuching","Asia/Kuwait","Asia/Macao","Asia/Macau","Asia/Magadan","Asia/Makassar","Asia/Manila","Asia/Muscat","Asia/Nicosia","Asia/Novokuznetsk","Asia/Novosibirsk","Asia/Omsk","Asia/Oral","Asia/Phnom_Penh","Asia/Pontianak","Asia/Pyongyang","Asia/Qatar","Asia/Qostanay","Asia/Qyzylorda","Asia/Rangoon","Asia/Riyadh","Asia/Saigon","Asia/Sakhalin","Asia/Samarkand","Asia/Seoul","Asia/Shanghai","Asia/Singapore","Asia/Srednekolymsk","Asia/Taipei","Asia/Tashkent","Asia/Tbilisi","Asia/Tehran","Asia/Tel_Aviv","Asia/Thimbu","Asia/Thimphu","Asia/Tokyo","Asia/Tomsk","Asia/Ujung_Pandang","Asia/Ulaanbaatar","Asia/Ulan_Bator","Asia/Urumqi","Asia/Ust-Nera","Asia/Vientiane","Asia/Vladivostok","Asia/Yakutsk","Asia/Yangon","Asia/Yekaterinburg","Asia/Yerevan","Atlantic/Azores","Atlantic/Bermuda","Atlantic/Canary","Atlantic/Cape_Verde","Atlantic/Faeroe","Atlantic/Faroe","Atlantic/Jan_Mayen","Atlantic/Madeira","Atlantic/Reykjavik","Atlantic/South_Georgia","Atlantic/St_Helena","Atlantic/Stanley","Australia/ACT","Australia/Adelaide","Australia/Brisbane","Australia/Broken_Hill","Australia/Canberra","Australia/Currie","Australia/Darwin","Australia/Eucla","Australia/Hobart","Australia/LHI","Australia/Lindeman","Australia/Lord_Howe","Australia/Melbourne","Australia/NSW","Australia/North","Australia/Perth","Australia/Queensland","Australia/South","Australia/Sydney","Australia/Tasmania","Australia/Victoria","Australia/West","Australia/Yancowinna","Brazil/Acre","Brazil/DeNoronha","Brazil/East","Brazil/West","CET","CST6CDT","Canada/Atlantic","Canada/Central","Canada/Eastern","Canada/Mountain","Canada/Newfoundland","Canada/Pacific","Canada/Saskatchewan","Canada/Yukon","Chile/Continental","Chile/EasterIsland","Cuba","EET","EST","EST5EDT","Egypt","Eire","Etc/GMT","Etc/GMT+0","Etc/GMT+1","Etc/GMT+10","Etc/GMT+11","Etc/GMT+12","Etc/GMT+2","Etc/GMT+3","Etc/GMT+4","Etc/GMT+5","Etc/GMT+6","Etc/GMT+7","Etc/GMT+8","Etc/GMT+9","Etc/GMT-0","Etc/GMT-1","Etc/GMT-10","Etc/GMT-11","Etc/GMT-12","Etc/GMT-13","Etc/GMT-14","Etc/GMT-2","Etc/GMT-3","Etc/GMT-4","Etc/GMT-5","Etc/GMT-6","Etc/GMT-7","Etc/GMT-8","Etc/GMT-9","Etc/GMT0","Etc/Greenwich","Etc/UCT","Etc/UTC","Etc/Universal","Etc/Zulu","Europe/Amsterdam","Europe/Andorra","Europe/Astrakhan","Europe/Athens","Europe/Belfast","Europe/Belgrade","Europe/Berlin","Europe/Bratislava","Europe/Brussels","Europe/Bucharest","Europe/Budapest","Europe/Busingen","Europe/Chisinau","Europe/Copenhagen","Europe/Dublin","Europe/Gibraltar","Europe/Guernsey","Europe/Helsinki","Europe/Isle_of_Man","Europe/Istanbul","Europe/Jersey","Europe/Kaliningrad","Europe/Kiev","Europe/Kirov","Europe/Lisbon","Europe/Ljubljana","Europe/London","Europe/Luxembourg","Europe/Madrid","Europe/Malta","Europe/Mariehamn","Europe/Minsk","Europe/Monaco","Europe/Moscow","Europe/Nicosia","Europe/Oslo","Europe/Paris","Europe/Podgorica","Europe/Prague","Europe/Riga","Europe/Rome","Europe/Samara","Europe/San_Marino","Europe/Sarajevo","Europe/Saratov","Europe/Simferopol","Europe/Skopje","Europe/Sofia","Europe/Stockholm","Europe/Tallinn","Europe/Tirane","Europe/Tiraspol","Europe/Ulyanovsk","Europe/Uzhgorod","Europe/Vaduz","Europe/Vatican","Europe/Vienna","Europe/Vilnius","Europe/Volgograd","Europe/Warsaw","Europe/Zagreb","Europe/Zaporozhye","Europe/Zurich","GB","GB-Eire","GMT","GMT+0","GMT-0","GMT0","Greenwich","HST","Hongkong","Iceland","Indian/Antananarivo","Indian/Chagos","Indian/Christmas","Indian/Cocos","Indian/Comoro","Indian/Kerguelen","Indian/Mahe","Indian/Maldives","Indian/Mauritius","Indian/Mayotte","Indian/Reunion","Iran","Israel","Jamaica","Japan","Kwajalein","Libya","MET","MST","MST7MDT","Mexico/BajaNorte","Mexico/BajaSur","Mexico/General","NZ","NZ-CHAT","Navajo","PRC","PST8PDT","Pacific/Apia","Pacific/Auckland","Pacific/Bougainville","Pacific/Chatham","Pacific/Chuuk","Pacific/Easter","Pacific/Efate","Pacific/Enderbury","Pacific/Fakaofo","Pacific/Fiji","Pacific/Funafuti","Pacific/Galapagos","Pacific/Gambier","Pacific/Guadalcanal","Pacific/Guam","Pacific/Honolulu","Pacific/Johnston","Pacific/Kiritimati","Pacific/Kosrae","Pacific/Kwajalein","Pacific/Majuro","Pacific/Marquesas","Pacific/Midway","Pacific/Nauru","Pacific/Niue","Pacific/Norfolk","Pacific/Noumea","Pacific/Pago_Pago","Pacific/Palau","Pacific/Pitcairn","Pacific/Pohnpei","Pacific/Ponape","Pacific/Port_Moresby","Pacific/Rarotonga","Pacific/Saipan","Pacific/Samoa","Pacific/Tahiti","Pacific/Tarawa","Pacific/Tongatapu","Pacific/Truk","Pacific/Wake","Pacific/Wallis","Pacific/Yap","Poland","Portugal","ROC","ROK","Singapore","Turkey","UCT","US/Alaska","US/Aleutian","US/Arizona","US/Central","US/East-Indiana","US/Eastern","US/Hawaii","US/Indiana-Starke","US/Michigan","US/Mountain","US/Pacific","US/Pacific-New","US/Samoa","UTC","Universal","W-SU","WET","Zulu"],ue={props:{index:Number,initialField:Object},data:function(){return{field:this.initialField}},methods:{persistedField:function(){return this.field.id>=1},saveField:function(){let e=this.field;this.persistedField()?p.fetch(`/api/v1/configs/fields/${this.field.id}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(a=>a.json()).then(a=>{a.success===!0&&(this.field=a.data,K({title:"Succ\xE8s",body:"Field has been updated!",delay:1e3}))}):p.fetch("/api/v1/configs/fields",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(a=>a.json()).then(a=>{a.success===!0&&(this.field=a.data,K({title:"Succ\xE8s",body:"Field has been created!",delay:1e3}))})},deleteField:function(){confirm("Are you sure you'd like to delete this field?")&&(this.persistedField()?p.fetch(`/api/v1/configs/fields/${this.field.id}`,{method:"DELETE",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success===!0&&this.$emit("remove-field",this.index)}):this.$emit("remove-field",this.index))}}},de={class:"border-bottom"},me=i("span",{"aria-hidden":"true"},"\xD7",-1),fe=[me],he={class:"row"},Ae={class:"col-md-3"},pe={class:"form-group"},ge=i("label",null,"Field Type",-1),ve=i("option",{value:"text"},"Text Field",-1),be=i("option",{value:"boolean"},"Checkbox",-1),_e=[ve,be],ye=i("small",{class:"form-text text-muted"},"Type of field shown to the user",-1),ke={class:"col-md-9"},Te={class:"form-group"},Ee=i("label",null,"Field Name",-1),Se=i("small",{class:"form-text text-muted"},"Field name",-1),Me={class:"col-md-12"},Ce={class:"form-group"},$e=i("label",null,"Field Description",-1),Pe=i("small",{id:"emailHelp",class:"form-text text-muted"},"Field Description",-1),Be={class:"col-md-12"},we={class:"form-check"},ze={class:"form-check-label"},De={class:"form-check"},xe={class:"form-check-label"},Ne={class:"form-check"},je={class:"form-check-label"},Ge={class:"row pb-3"},Oe={class:"col-md-12"},Ie={class:"d-block"};function Fe(e,a,r,s,l,c){return $(),P("div",de,[i("div",null,[i("button",{type:"button",class:"close float-right","aria-label":"Close",onClick:a[0]||(a[0]=o=>c.deleteField())},fe)]),i("div",he,[i("div",Ae,[i("div",pe,[ge,M(i("select",{class:"form-control custom-select","onUpdate:modelValue":a[1]||(a[1]=o=>e.field.field_type=o)},_e,512),[[W,e.field.field_type,void 0,{lazy:!0}]]),ye])]),i("div",ke,[i("div",Te,[Ee,M(i("input",{type:"text",class:"form-control","onUpdate:modelValue":a[2]||(a[2]=o=>e.field.name=o)},null,512),[[j,e.field.name,void 0,{lazy:!0}]]),Se])]),i("div",Me,[i("div",Ce,[$e,M(i("input",{type:"text",class:"form-control","onUpdate:modelValue":a[3]||(a[3]=o=>e.field.description=o)},null,512),[[j,e.field.description,void 0,{lazy:!0}]]),Pe])]),i("div",Be,[i("div",we,[i("label",ze,[M(i("input",{class:"form-check-input",type:"checkbox","onUpdate:modelValue":a[4]||(a[4]=o=>e.field.editable=o)},null,512),[[F,e.field.editable,void 0,{lazy:!0}]]),U(" Editable by user in profile ")])]),i("div",De,[i("label",xe,[M(i("input",{class:"form-check-input",type:"checkbox","onUpdate:modelValue":a[5]||(a[5]=o=>e.field.required=o)},null,512),[[F,e.field.required,void 0,{lazy:!0}]]),U(" Required on registration ")])]),i("div",Ne,[i("label",je,[M(i("input",{class:"form-check-input",type:"checkbox","onUpdate:modelValue":a[6]||(a[6]=o=>e.field.public=o)},null,512),[[F,e.field.public,void 0,{lazy:!0}]]),U(" Shown on public profile ")])])])]),i("div",Ge,[i("div",Oe,[i("div",Ie,[i("button",{class:"btn btn-sm btn-success btn-outlined float-right",type:"button",onClick:a[7]||(a[7]=o=>c.saveField())}," Save ")])])])])}const Ue=G(ue,[["render",Fe]]),Le={name:"FieldList",components:{Field:Ue},props:{type:String},data:function(){return{fields:[]}},methods:{loadFields:function(){p.fetch(`/api/v1/configs/fields?type=${this.type}`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{this.fields=e.data})},addField:function(){this.fields.push({id:Math.random(),type:this.type,field_type:"text",name:"",description:"",editable:!1,required:!1,public:!1})},removeField:function(e){this.fields.splice(e,1),console.log(this.fields)}},created(){this.loadFields()}},Ve={class:"row"},He={class:"col text-center"};function Ke(e,a,r,s,l,c){const o=Z("Field");return $(),P("div",null,[($(!0),P(Q,null,X(e.fields,(d,u)=>($(),P("div",{class:"mb-5",key:d.id},[ee(o,{index:u,initialField:e.fields[u],onRemoveField:c.removeField},null,8,["index","initialField","onRemoveField"])]))),128)),i("div",Ve,[i("div",He,[i("button",{class:"btn btn-sm btn-success btn-outlined m-auto",type:"button",onClick:a[0]||(a[0]=d=>c.addField())}," Add New Field ")])])])}const Re=G(Le,[["render",Ke]]),Ye={props:{index:Number,initialBracket:Object},data:function(){return{bracket:this.initialBracket}},methods:{persisted:function(){return this.bracket.id>=1},saveBracket:function(){let e=this.bracket,a="",r="",s="";this.persisted()?(a=`/api/v1/brackets/${this.bracket.id}`,r="PATCH",s="Bracket has been updated!"):(a="/api/v1/brackets",r="POST",s="Bracket has been created!"),p.fetch(a,{method:r,credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(l=>l.json()).then(l=>{l.success===!0&&(this.field=l.data,K({title:"Succ\xE8s",body:s,delay:1e3}))})},deleteBracket:function(){confirm("Are you sure you'd like to delete this bracket?")&&(this.persisted()?p.fetch(`/api/v1/brackets/${this.bracket.id}`,{method:"DELETE",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success===!0&&this.$emit("remove-bracket",this.index)}):this.$emit("remove-bracket",this.index))}}},Je={class:"border-bottom"},qe=i("span",{"aria-hidden":"true"},"\xD7",-1),We=[qe],Ze={class:"row"},Qe={class:"col-md-9"},Xe={class:"form-group"},ea=i("label",null,"Bracket Name",-1),aa=i("small",{class:"form-text text-muted"},' Bracket name (e.g. "Students", "Interns", "Engineers") ',-1),ta={class:"col-md-12"},ia={class:"form-group"},oa=i("label",null,"Bracket Description",-1),na=i("small",{class:"form-text text-muted"},"Bracket Description",-1),ra={class:"col-md-12"},sa=i("label",null,"Bracket Type",-1),ca=i("option",null,null,-1),la=i("option",{value:"users"},"Users",-1),ua=i("option",{value:"teams"},"Teams",-1),da=[ca,la,ua],ma=i("small",{class:"form-text text-muted"}," If you are using Team Mode and would like the bracket to apply to entire teams instead of individuals, select Teams. ",-1),fa={class:"row pb-3"},ha={class:"col-md-12"},Aa={class:"d-block"};function pa(e,a,r,s,l,c){return $(),P("div",Je,[i("div",null,[i("button",{type:"button",class:"close float-right","aria-label":"Close",onClick:a[0]||(a[0]=o=>c.deleteBracket())},We)]),i("div",Ze,[i("div",Qe,[i("div",Xe,[ea,M(i("input",{type:"text",class:"form-control","onUpdate:modelValue":a[1]||(a[1]=o=>e.bracket.name=o)},null,512),[[j,e.bracket.name,void 0,{lazy:!0}]]),aa])]),i("div",ta,[i("div",ia,[oa,M(i("input",{type:"text",class:"form-control","onUpdate:modelValue":a[2]||(a[2]=o=>e.bracket.description=o)},null,512),[[j,e.bracket.description,void 0,{lazy:!0}]]),na])]),i("div",ra,[sa,M(i("select",{class:"custom-select","onUpdate:modelValue":a[3]||(a[3]=o=>e.bracket.type=o)},da,512),[[W,e.bracket.type,void 0,{lazy:!0}]]),ma])]),i("div",fa,[i("div",ha,[i("div",Aa,[i("button",{class:"btn btn-sm btn-success btn-outlined float-right",type:"button",onClick:a[4]||(a[4]=o=>c.saveBracket())}," Save ")])])])])}const ga=G(Ye,[["render",pa]]),va={name:"BracketList",components:{Bracket:ga},data:function(){return{brackets:[]}},methods:{loadBrackets:function(){p.fetch("/api/v1/brackets",{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{this.brackets=e.data})},addBracket:function(){this.brackets.push({id:Math.random(),name:"",description:"",type:null})},removeBracket:function(e){this.brackets.splice(e,1)}},created(){this.loadBrackets()}},ba={class:"row"},_a={class:"col text-center"};function ya(e,a,r,s,l,c){const o=Z("Bracket");return $(),P("div",null,[($(!0),P(Q,null,X(e.brackets,(d,u)=>($(),P("div",{class:"mb-5",key:d.id},[ee(o,{index:u,initialBracket:e.brackets[u],onRemoveBracket:c.removeBracket},null,8,["index","initialBracket","onRemoveBracket"])]))),128)),i("div",ba,[i("div",_a,[i("button",{class:"btn btn-sm btn-success btn-outlined m-auto",type:"button",onClick:a[0]||(a[0]=d=>c.addBracket())}," Add New Bracket ")])])])}const ka=G(va,[["render",ya]]);x.extend(re);x.extend(se);x.extend(ce);function V(e,a){typeof a=="string"&&(a=parseInt(a,10)*1e3);const r=x(a);t("#"+e+"-month").val(r.month()+1),t("#"+e+"-day").val(r.date()),t("#"+e+"-year").val(r.year()),t("#"+e+"-hour").val(r.hour()),t("#"+e+"-minute").val(r.minute()),N(e)}function N(e){const a=t("#"+e+"-month").val(),r=t("#"+e+"-day").val(),s=t("#"+e+"-year").val(),l=t("#"+e+"-hour").val(),c=t("#"+e+"-minute").val(),o=t("#"+e+"-timezone").val(),d=Ta(a,r,s,l,c);d.unix()&&a&&r&&s&&l&&c?(t("#"+e).val(d.unix()),t("#"+e+"-local").val(d.format("dddd, MMMM Do YYYY, h:mm:ss a z (zzz)")),t("#"+e+"-zonetime").val(d.tz(o).format("dddd, MMMM Do YYYY, h:mm:ss a z (zzz)"))):(t("#"+e).val(""),t("#"+e+"-local").val(""),t("#"+e+"-zonetime").val(""))}function Ta(e,a,r,s,l){let c=e.toString();c.length==1&&(c="0"+c);let o=a.toString();o.length==1&&(o="0"+o);let d=s.toString();d.length==1&&(d="0"+d);let u=l.toString();u.length==1&&(u="0"+u);const E=r.toString()+"-"+c+"-"+o+" "+d+":"+u+":00";return x(E)}function ie(e){e.preventDefault();const a=t(this).serializeJSON(),r={};a.mail_useauth===!1?(a.mail_username=null,a.mail_password=null):(a.mail_username===""&&delete a.mail_username,a.mail_password===""&&delete a.mail_password),Object.keys(a).forEach(function(s){a[s]==="true"?r[s]=!0:a[s]==="false"?r[s]=!1:r[s]=a[s]}),p.api.patch_config_list({},r).then(function(s){if(s.success)window.location.reload();else{let l=s.errors.value.join(`
-`);O({title:"Erreur!",body:l,button:"Ok"})}})}function Ea(e){oe(e,1)}function Sa(e){oe(e,2)}function oe(e,a){e.preventDefault();let r=e.target;R.files.upload(r,{},function(s){const c={value:s.data[0].location};p.fetch("/api/v1/configs/ctf_sponsord"+a,{method:"PATCH",body:JSON.stringify(c)}).then(function(o){return o.json()}).then(function(o){o.success?window.location.reload():O({title:"Erreur!",body:"L'envoi du logo a \xE9chou\xE9!",button:"Ok"})})})}function Ma(e){e.preventDefault();let a=new FormData(e.target),r=`\xCAtes-vous s\xFBr que vous souhaitez changer de modes utilisateur?
+import{I as q,_ as G,C as p,E as K,o as $,c as P,a as i,h as M,v as W,m as j,i as F,k as U,e as Z,F as Q,r as X,f as ee,J as x,L as re,j as t,V as J,D as O,u as R,x as Y,M as z}from"./main.8d24b34a.js";import"../tab.21ccc1b9.js";import{c as L}from"../htmlmixed.5e629dd9.js";var ae={exports:{}};(function(e,a){(function(r,s){e.exports=s()})(q,function(){var r="minute",s=/[+-]\d\d(?::?\d\d)?/g,l=/([+-]|\d\d)/g;return function(c,o,d){var u=o.prototype;d.utc=function(n){var A={date:n,utc:!0,args:arguments};return new o(A)},u.utc=function(n){var A=d(this.toDate(),{locale:this.$L,utc:!0});return n?A.add(this.utcOffset(),r):A},u.local=function(){return d(this.toDate(),{locale:this.$L,utc:!1})};var T=u.parse;u.parse=function(n){n.utc&&(this.$u=!0),this.$utils().u(n.$offset)||(this.$offset=n.$offset),T.call(this,n)};var S=u.init;u.init=function(){if(this.$u){var n=this.$d;this.$y=n.getUTCFullYear(),this.$M=n.getUTCMonth(),this.$D=n.getUTCDate(),this.$W=n.getUTCDay(),this.$H=n.getUTCHours(),this.$m=n.getUTCMinutes(),this.$s=n.getUTCSeconds(),this.$ms=n.getUTCMilliseconds()}else S.call(this)};var y=u.utcOffset;u.utcOffset=function(n,A){var b=this.$utils().u;if(b(n))return this.$u?0:b(this.$offset)?y.call(this):this.$offset;if(typeof n=="string"&&(n=function(_){_===void 0&&(_="");var B=_.match(s);if(!B)return null;var E=(""+B[0]).match(l)||["-",0,0],w=E[0],C=60*+E[1]+ +E[2];return C===0?0:w==="+"?C:-C}(n),n===null))return this;var g=Math.abs(n)<=16?60*n:n,v=this;if(A)return v.$offset=g,v.$u=n===0,v;if(n!==0){var k=this.$u?this.toDate().getTimezoneOffset():-1*this.utcOffset();(v=this.local().add(g+k,r)).$offset=g,v.$x.$localOffset=k}else v=this.utc();return v};var m=u.format;u.format=function(n){var A=n||(this.$u?"YYYY-MM-DDTHH:mm:ss[Z]":"");return m.call(this,A)},u.valueOf=function(){var n=this.$utils().u(this.$offset)?0:this.$offset+(this.$x.$localOffset||this.$d.getTimezoneOffset());return this.$d.valueOf()-6e4*n},u.isUTC=function(){return!!this.$u},u.toISOString=function(){return this.toDate().toISOString()},u.toString=function(){return this.toDate().toUTCString()};var f=u.toDate;u.toDate=function(n){return n==="s"&&this.$offset?d(this.format("YYYY-MM-DD HH:mm:ss:SSS")).toDate():f.call(this)};var h=u.diff;u.diff=function(n,A,b){if(n&&this.$u===n.$u)return h.call(this,n,A,b);var g=this.local(),v=d(n).local();return h.call(g,v,A,b)}}})})(ae);const se=ae.exports;var te={exports:{}};(function(e,a){(function(r,s){e.exports=s()})(q,function(){var r={year:0,month:1,day:2,hour:3,minute:4,second:5},s={};return function(l,c,o){var d,u=function(m,f,h){h===void 0&&(h={});var n=new Date(m),A=function(b,g){g===void 0&&(g={});var v=g.timeZoneName||"short",k=b+"|"+v,_=s[k];return _||(_=new Intl.DateTimeFormat("en-US",{hour12:!1,timeZone:b,year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit",second:"2-digit",timeZoneName:v}),s[k]=_),_}(f,h);return A.formatToParts(n)},T=function(m,f){for(var h=u(m,f),n=[],A=0;A<h.length;A+=1){var b=h[A],g=b.type,v=b.value,k=r[g];k>=0&&(n[k]=parseInt(v,10))}var _=n[3],B=_===24?0:_,E=n[0]+"-"+n[1]+"-"+n[2]+" "+B+":"+n[4]+":"+n[5]+":000",w=+m;return(o.utc(E).valueOf()-(w-=w%1e3))/6e4},S=c.prototype;S.tz=function(m,f){m===void 0&&(m=d);var h=this.utcOffset(),n=this.toDate(),A=n.toLocaleString("en-US",{timeZone:m}),b=Math.round((n-new Date(A))/1e3/60),g=o(A,{locale:this.$L}).$set("millisecond",this.$ms).utcOffset(15*-Math.round(n.getTimezoneOffset()/15)-b,!0);if(f){var v=g.utcOffset();g=g.add(h-v,"minute")}return g.$x.$timezone=m,g},S.offsetName=function(m){var f=this.$x.$timezone||o.tz.guess(),h=u(this.valueOf(),f,{timeZoneName:m}).find(function(n){return n.type.toLowerCase()==="timezonename"});return h&&h.value};var y=S.startOf;S.startOf=function(m,f){if(!this.$x||!this.$x.$timezone)return y.call(this,m,f);var h=o(this.format("YYYY-MM-DD HH:mm:ss:SSS"),{locale:this.$L});return y.call(h,m,f).tz(this.$x.$timezone,!0)},o.tz=function(m,f,h){var n=h&&f,A=h||f||d,b=T(+o(),A);if(typeof m!="string")return o(m).tz(A);var g=function(B,E,w){var C=B-60*E*1e3,D=T(C,w);if(E===D)return[C,E];var I=T(C-=60*(D-E)*1e3,w);return D===I?[C,D]:[B-60*Math.min(D,I)*1e3,Math.max(D,I)]}(o.utc(m,n).valueOf(),b,A),v=g[0],k=g[1],_=o(v).utcOffset(k);return _.$x.$timezone=A,_},o.tz.guess=function(){return Intl.DateTimeFormat().resolvedOptions().timeZone},o.tz.setDefault=function(m){d=m}}})})(te);const ce=te.exports,le=["Africa/Abidjan","Africa/Accra","Africa/Addis_Ababa","Africa/Algiers","Africa/Asmara","Africa/Asmera","Africa/Bamako","Africa/Bangui","Africa/Banjul","Africa/Bissau","Africa/Blantyre","Africa/Brazzaville","Africa/Bujumbura","Africa/Cairo","Africa/Casablanca","Africa/Ceuta","Africa/Conakry","Africa/Dakar","Africa/Dar_es_Salaam","Africa/Djibouti","Africa/Douala","Africa/El_Aaiun","Africa/Freetown","Africa/Gaborone","Africa/Harare","Africa/Johannesburg","Africa/Juba","Africa/Kampala","Africa/Khartoum","Africa/Kigali","Africa/Kinshasa","Africa/Lagos","Africa/Libreville","Africa/Lome","Africa/Luanda","Africa/Lubumbashi","Africa/Lusaka","Africa/Malabo","Africa/Maputo","Africa/Maseru","Africa/Mbabane","Africa/Mogadishu","Africa/Monrovia","Africa/Nairobi","Africa/Ndjamena","Africa/Niamey","Africa/Nouakchott","Africa/Ouagadougou","Africa/Porto-Novo","Africa/Sao_Tome","Africa/Timbuktu","Africa/Tripoli","Africa/Tunis","Africa/Windhoek","America/Adak","America/Anchorage","America/Anguilla","America/Antigua","America/Araguaina","America/Argentina/Buenos_Aires","America/Argentina/Catamarca","America/Argentina/ComodRivadavia","America/Argentina/Cordoba","America/Argentina/Jujuy","America/Argentina/La_Rioja","America/Argentina/Mendoza","America/Argentina/Rio_Gallegos","America/Argentina/Salta","America/Argentina/San_Juan","America/Argentina/San_Luis","America/Argentina/Tucuman","America/Argentina/Ushuaia","America/Aruba","America/Asuncion","America/Atikokan","America/Atka","America/Bahia","America/Bahia_Banderas","America/Barbados","America/Belem","America/Belize","America/Blanc-Sablon","America/Boa_Vista","America/Bogota","America/Boise","America/Buenos_Aires","America/Cambridge_Bay","America/Campo_Grande","America/Cancun","America/Caracas","America/Catamarca","America/Cayenne","America/Cayman","America/Chicago","America/Chihuahua","America/Coral_Harbour","America/Cordoba","America/Costa_Rica","America/Creston","America/Cuiaba","America/Curacao","America/Danmarkshavn","America/Dawson","America/Dawson_Creek","America/Denver","America/Detroit","America/Dominica","America/Edmonton","America/Eirunepe","America/El_Salvador","America/Ensenada","America/Fort_Nelson","America/Fort_Wayne","America/Fortaleza","America/Glace_Bay","America/Godthab","America/Goose_Bay","America/Grand_Turk","America/Grenada","America/Guadeloupe","America/Guatemala","America/Guayaquil","America/Guyana","America/Halifax","America/Havana","America/Hermosillo","America/Indiana/Indianapolis","America/Indiana/Knox","America/Indiana/Marengo","America/Indiana/Petersburg","America/Indiana/Tell_City","America/Indiana/Vevay","America/Indiana/Vincennes","America/Indiana/Winamac","America/Indianapolis","America/Inuvik","America/Iqaluit","America/Jamaica","America/Jujuy","America/Juneau","America/Kentucky/Louisville","America/Kentucky/Monticello","America/Knox_IN","America/Kralendijk","America/La_Paz","America/Lima","America/Los_Angeles","America/Louisville","America/Lower_Princes","America/Maceio","America/Managua","America/Manaus","America/Marigot","America/Martinique","America/Matamoros","America/Mazatlan","America/Mendoza","America/Menominee","America/Merida","America/Metlakatla","America/Mexico_City","America/Miquelon","America/Moncton","America/Monterrey","America/Montevideo","America/Montreal","America/Montserrat","America/Nassau","America/New_York","America/Nipigon","America/Nome","America/Noronha","America/North_Dakota/Beulah","America/North_Dakota/Center","America/North_Dakota/New_Salem","America/Nuuk","America/Ojinaga","America/Panama","America/Pangnirtung","America/Paramaribo","America/Phoenix","America/Port-au-Prince","America/Port_of_Spain","America/Porto_Acre","America/Porto_Velho","America/Puerto_Rico","America/Punta_Arenas","America/Rainy_River","America/Rankin_Inlet","America/Recife","America/Regina","America/Resolute","America/Rio_Branco","America/Rosario","America/Santa_Isabel","America/Santarem","America/Santiago","America/Santo_Domingo","America/Sao_Paulo","America/Scoresbysund","America/Shiprock","America/Sitka","America/St_Barthelemy","America/St_Johns","America/St_Kitts","America/St_Lucia","America/St_Thomas","America/St_Vincent","America/Swift_Current","America/Tegucigalpa","America/Thule","America/Thunder_Bay","America/Tijuana","America/Toronto","America/Tortola","America/Vancouver","America/Virgin","America/Whitehorse","America/Winnipeg","America/Yakutat","America/Yellowknife","Antarctica/Casey","Antarctica/Davis","Antarctica/DumontDUrville","Antarctica/Macquarie","Antarctica/Mawson","Antarctica/McMurdo","Antarctica/Palmer","Antarctica/Rothera","Antarctica/South_Pole","Antarctica/Syowa","Antarctica/Troll","Antarctica/Vostok","Arctic/Longyearbyen","Asia/Aden","Asia/Almaty","Asia/Amman","Asia/Anadyr","Asia/Aqtau","Asia/Aqtobe","Asia/Ashgabat","Asia/Ashkhabad","Asia/Atyrau","Asia/Baghdad","Asia/Bahrain","Asia/Baku","Asia/Bangkok","Asia/Barnaul","Asia/Beirut","Asia/Bishkek","Asia/Brunei","Asia/Calcutta","Asia/Chita","Asia/Choibalsan","Asia/Chongqing","Asia/Chungking","Asia/Colombo","Asia/Dacca","Asia/Damascus","Asia/Dhaka","Asia/Dili","Asia/Dubai","Asia/Dushanbe","Asia/Famagusta","Asia/Gaza","Asia/Harbin","Asia/Hebron","Asia/Ho_Chi_Minh","Asia/Hong_Kong","Asia/Hovd","Asia/Irkutsk","Asia/Istanbul","Asia/Jakarta","Asia/Jayapura","Asia/Jerusalem","Asia/Kabul","Asia/Kamchatka","Asia/Karachi","Asia/Kashgar","Asia/Kathmandu","Asia/Katmandu","Asia/Khandyga","Asia/Kolkata","Asia/Krasnoyarsk","Asia/Kuala_Lumpur","Asia/Kuching","Asia/Kuwait","Asia/Macao","Asia/Macau","Asia/Magadan","Asia/Makassar","Asia/Manila","Asia/Muscat","Asia/Nicosia","Asia/Novokuznetsk","Asia/Novosibirsk","Asia/Omsk","Asia/Oral","Asia/Phnom_Penh","Asia/Pontianak","Asia/Pyongyang","Asia/Qatar","Asia/Qostanay","Asia/Qyzylorda","Asia/Rangoon","Asia/Riyadh","Asia/Saigon","Asia/Sakhalin","Asia/Samarkand","Asia/Seoul","Asia/Shanghai","Asia/Singapore","Asia/Srednekolymsk","Asia/Taipei","Asia/Tashkent","Asia/Tbilisi","Asia/Tehran","Asia/Tel_Aviv","Asia/Thimbu","Asia/Thimphu","Asia/Tokyo","Asia/Tomsk","Asia/Ujung_Pandang","Asia/Ulaanbaatar","Asia/Ulan_Bator","Asia/Urumqi","Asia/Ust-Nera","Asia/Vientiane","Asia/Vladivostok","Asia/Yakutsk","Asia/Yangon","Asia/Yekaterinburg","Asia/Yerevan","Atlantic/Azores","Atlantic/Bermuda","Atlantic/Canary","Atlantic/Cape_Verde","Atlantic/Faeroe","Atlantic/Faroe","Atlantic/Jan_Mayen","Atlantic/Madeira","Atlantic/Reykjavik","Atlantic/South_Georgia","Atlantic/St_Helena","Atlantic/Stanley","Australia/ACT","Australia/Adelaide","Australia/Brisbane","Australia/Broken_Hill","Australia/Canberra","Australia/Currie","Australia/Darwin","Australia/Eucla","Australia/Hobart","Australia/LHI","Australia/Lindeman","Australia/Lord_Howe","Australia/Melbourne","Australia/NSW","Australia/North","Australia/Perth","Australia/Queensland","Australia/South","Australia/Sydney","Australia/Tasmania","Australia/Victoria","Australia/West","Australia/Yancowinna","Brazil/Acre","Brazil/DeNoronha","Brazil/East","Brazil/West","CET","CST6CDT","Canada/Atlantic","Canada/Central","Canada/Eastern","Canada/Mountain","Canada/Newfoundland","Canada/Pacific","Canada/Saskatchewan","Canada/Yukon","Chile/Continental","Chile/EasterIsland","Cuba","EET","EST","EST5EDT","Egypt","Eire","Etc/GMT","Etc/GMT+0","Etc/GMT+1","Etc/GMT+10","Etc/GMT+11","Etc/GMT+12","Etc/GMT+2","Etc/GMT+3","Etc/GMT+4","Etc/GMT+5","Etc/GMT+6","Etc/GMT+7","Etc/GMT+8","Etc/GMT+9","Etc/GMT-0","Etc/GMT-1","Etc/GMT-10","Etc/GMT-11","Etc/GMT-12","Etc/GMT-13","Etc/GMT-14","Etc/GMT-2","Etc/GMT-3","Etc/GMT-4","Etc/GMT-5","Etc/GMT-6","Etc/GMT-7","Etc/GMT-8","Etc/GMT-9","Etc/GMT0","Etc/Greenwich","Etc/UCT","Etc/UTC","Etc/Universal","Etc/Zulu","Europe/Amsterdam","Europe/Andorra","Europe/Astrakhan","Europe/Athens","Europe/Belfast","Europe/Belgrade","Europe/Berlin","Europe/Bratislava","Europe/Brussels","Europe/Bucharest","Europe/Budapest","Europe/Busingen","Europe/Chisinau","Europe/Copenhagen","Europe/Dublin","Europe/Gibraltar","Europe/Guernsey","Europe/Helsinki","Europe/Isle_of_Man","Europe/Istanbul","Europe/Jersey","Europe/Kaliningrad","Europe/Kiev","Europe/Kirov","Europe/Lisbon","Europe/Ljubljana","Europe/London","Europe/Luxembourg","Europe/Madrid","Europe/Malta","Europe/Mariehamn","Europe/Minsk","Europe/Monaco","Europe/Moscow","Europe/Nicosia","Europe/Oslo","Europe/Paris","Europe/Podgorica","Europe/Prague","Europe/Riga","Europe/Rome","Europe/Samara","Europe/San_Marino","Europe/Sarajevo","Europe/Saratov","Europe/Simferopol","Europe/Skopje","Europe/Sofia","Europe/Stockholm","Europe/Tallinn","Europe/Tirane","Europe/Tiraspol","Europe/Ulyanovsk","Europe/Uzhgorod","Europe/Vaduz","Europe/Vatican","Europe/Vienna","Europe/Vilnius","Europe/Volgograd","Europe/Warsaw","Europe/Zagreb","Europe/Zaporozhye","Europe/Zurich","GB","GB-Eire","GMT","GMT+0","GMT-0","GMT0","Greenwich","HST","Hongkong","Iceland","Indian/Antananarivo","Indian/Chagos","Indian/Christmas","Indian/Cocos","Indian/Comoro","Indian/Kerguelen","Indian/Mahe","Indian/Maldives","Indian/Mauritius","Indian/Mayotte","Indian/Reunion","Iran","Israel","Jamaica","Japan","Kwajalein","Libya","MET","MST","MST7MDT","Mexico/BajaNorte","Mexico/BajaSur","Mexico/General","NZ","NZ-CHAT","Navajo","PRC","PST8PDT","Pacific/Apia","Pacific/Auckland","Pacific/Bougainville","Pacific/Chatham","Pacific/Chuuk","Pacific/Easter","Pacific/Efate","Pacific/Enderbury","Pacific/Fakaofo","Pacific/Fiji","Pacific/Funafuti","Pacific/Galapagos","Pacific/Gambier","Pacific/Guadalcanal","Pacific/Guam","Pacific/Honolulu","Pacific/Johnston","Pacific/Kiritimati","Pacific/Kosrae","Pacific/Kwajalein","Pacific/Majuro","Pacific/Marquesas","Pacific/Midway","Pacific/Nauru","Pacific/Niue","Pacific/Norfolk","Pacific/Noumea","Pacific/Pago_Pago","Pacific/Palau","Pacific/Pitcairn","Pacific/Pohnpei","Pacific/Ponape","Pacific/Port_Moresby","Pacific/Rarotonga","Pacific/Saipan","Pacific/Samoa","Pacific/Tahiti","Pacific/Tarawa","Pacific/Tongatapu","Pacific/Truk","Pacific/Wake","Pacific/Wallis","Pacific/Yap","Poland","Portugal","ROC","ROK","Singapore","Turkey","UCT","US/Alaska","US/Aleutian","US/Arizona","US/Central","US/East-Indiana","US/Eastern","US/Hawaii","US/Indiana-Starke","US/Michigan","US/Mountain","US/Pacific","US/Pacific-New","US/Samoa","UTC","Universal","W-SU","WET","Zulu"],ue={props:{index:Number,initialField:Object},data:function(){return{field:this.initialField}},methods:{persistedField:function(){return this.field.id>=1},saveField:function(){let e=this.field;this.persistedField()?p.fetch(`/api/v1/configs/fields/${this.field.id}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(a=>a.json()).then(a=>{a.success===!0&&(this.field=a.data,K({title:"Succ\xE8s",body:"Field has been updated!",delay:1e3}))}):p.fetch("/api/v1/configs/fields",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(a=>a.json()).then(a=>{a.success===!0&&(this.field=a.data,K({title:"Succ\xE8s",body:"Field has been created!",delay:1e3}))})},deleteField:function(){confirm("Are you sure you'd like to delete this field?")&&(this.persistedField()?p.fetch(`/api/v1/configs/fields/${this.field.id}`,{method:"DELETE",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success===!0&&this.$emit("remove-field",this.index)}):this.$emit("remove-field",this.index))}}},de={class:"border-bottom"},me=i("span",{"aria-hidden":"true"},"\xD7",-1),fe=[me],he={class:"row"},Ae={class:"col-md-3"},pe={class:"form-group"},ge=i("label",null,"Field Type",-1),ve=i("option",{value:"text"},"Text Field",-1),be=i("option",{value:"boolean"},"Checkbox",-1),_e=[ve,be],ye=i("small",{class:"form-text text-muted"},"Type of field shown to the user",-1),ke={class:"col-md-9"},Ee={class:"form-group"},Te=i("label",null,"Field Name",-1),Se=i("small",{class:"form-text text-muted"},"Field name",-1),Me={class:"col-md-12"},Ce={class:"form-group"},$e=i("label",null,"Field Description",-1),Pe=i("small",{id:"emailHelp",class:"form-text text-muted"},"Field Description",-1),Be={class:"col-md-12"},we={class:"form-check"},ze={class:"form-check-label"},De={class:"form-check"},xe={class:"form-check-label"},Ne={class:"form-check"},je={class:"form-check-label"},Ge={class:"row pb-3"},Oe={class:"col-md-12"},Ie={class:"d-block"};function Fe(e,a,r,s,l,c){return $(),P("div",de,[i("div",null,[i("button",{type:"button",class:"close float-right","aria-label":"Close",onClick:a[0]||(a[0]=o=>c.deleteField())},fe)]),i("div",he,[i("div",Ae,[i("div",pe,[ge,M(i("select",{class:"form-control custom-select","onUpdate:modelValue":a[1]||(a[1]=o=>e.field.field_type=o)},_e,512),[[W,e.field.field_type,void 0,{lazy:!0}]]),ye])]),i("div",ke,[i("div",Ee,[Te,M(i("input",{type:"text",class:"form-control","onUpdate:modelValue":a[2]||(a[2]=o=>e.field.name=o)},null,512),[[j,e.field.name,void 0,{lazy:!0}]]),Se])]),i("div",Me,[i("div",Ce,[$e,M(i("input",{type:"text",class:"form-control","onUpdate:modelValue":a[3]||(a[3]=o=>e.field.description=o)},null,512),[[j,e.field.description,void 0,{lazy:!0}]]),Pe])]),i("div",Be,[i("div",we,[i("label",ze,[M(i("input",{class:"form-check-input",type:"checkbox","onUpdate:modelValue":a[4]||(a[4]=o=>e.field.editable=o)},null,512),[[F,e.field.editable,void 0,{lazy:!0}]]),U(" Editable by user in profile ")])]),i("div",De,[i("label",xe,[M(i("input",{class:"form-check-input",type:"checkbox","onUpdate:modelValue":a[5]||(a[5]=o=>e.field.required=o)},null,512),[[F,e.field.required,void 0,{lazy:!0}]]),U(" Required on registration ")])]),i("div",Ne,[i("label",je,[M(i("input",{class:"form-check-input",type:"checkbox","onUpdate:modelValue":a[6]||(a[6]=o=>e.field.public=o)},null,512),[[F,e.field.public,void 0,{lazy:!0}]]),U(" Shown on public profile ")])])])]),i("div",Ge,[i("div",Oe,[i("div",Ie,[i("button",{class:"btn btn-sm btn-success btn-outlined float-right",type:"button",onClick:a[7]||(a[7]=o=>c.saveField())}," Save ")])])])])}const Ue=G(ue,[["render",Fe]]),Le={name:"FieldList",components:{Field:Ue},props:{type:String},data:function(){return{fields:[]}},methods:{loadFields:function(){p.fetch(`/api/v1/configs/fields?type=${this.type}`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{this.fields=e.data})},addField:function(){this.fields.push({id:Math.random(),type:this.type,field_type:"text",name:"",description:"",editable:!1,required:!1,public:!1})},removeField:function(e){this.fields.splice(e,1),console.log(this.fields)}},created(){this.loadFields()}},Ve={class:"row"},He={class:"col text-center"};function Ke(e,a,r,s,l,c){const o=Z("Field");return $(),P("div",null,[($(!0),P(Q,null,X(e.fields,(d,u)=>($(),P("div",{class:"mb-5",key:d.id},[ee(o,{index:u,initialField:e.fields[u],onRemoveField:c.removeField},null,8,["index","initialField","onRemoveField"])]))),128)),i("div",Ve,[i("div",He,[i("button",{class:"btn btn-sm btn-success btn-outlined m-auto",type:"button",onClick:a[0]||(a[0]=d=>c.addField())}," Add New Field ")])])])}const Re=G(Le,[["render",Ke]]),Ye={props:{index:Number,initialBracket:Object},data:function(){return{bracket:this.initialBracket}},methods:{persisted:function(){return this.bracket.id>=1},saveBracket:function(){let e=this.bracket,a="",r="",s="";this.persisted()?(a=`/api/v1/brackets/${this.bracket.id}`,r="PATCH",s="Bracket has been updated!"):(a="/api/v1/brackets",r="POST",s="Bracket has been created!"),p.fetch(a,{method:r,credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(l=>l.json()).then(l=>{l.success===!0&&(this.field=l.data,K({title:"Succ\xE8s",body:s,delay:1e3}))})},deleteBracket:function(){confirm("Are you sure you'd like to delete this bracket?")&&(this.persisted()?p.fetch(`/api/v1/brackets/${this.bracket.id}`,{method:"DELETE",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{e.success===!0&&this.$emit("remove-bracket",this.index)}):this.$emit("remove-bracket",this.index))}}},Je={class:"border-bottom"},qe=i("span",{"aria-hidden":"true"},"\xD7",-1),We=[qe],Ze={class:"row"},Qe={class:"col-md-9"},Xe={class:"form-group"},ea=i("label",null,"Bracket Name",-1),aa=i("small",{class:"form-text text-muted"},' Bracket name (e.g. "Students", "Interns", "Engineers") ',-1),ta={class:"col-md-12"},ia={class:"form-group"},oa=i("label",null,"Bracket Description",-1),na=i("small",{class:"form-text text-muted"},"Bracket Description",-1),ra={class:"col-md-12"},sa=i("label",null,"Bracket Type",-1),ca=i("option",null,null,-1),la=i("option",{value:"users"},"Users",-1),ua=i("option",{value:"teams"},"Teams",-1),da=[ca,la,ua],ma=i("small",{class:"form-text text-muted"}," If you are using Team Mode and would like the bracket to apply to entire teams instead of individuals, select Teams. ",-1),fa={class:"row pb-3"},ha={class:"col-md-12"},Aa={class:"d-block"};function pa(e,a,r,s,l,c){return $(),P("div",Je,[i("div",null,[i("button",{type:"button",class:"close float-right","aria-label":"Close",onClick:a[0]||(a[0]=o=>c.deleteBracket())},We)]),i("div",Ze,[i("div",Qe,[i("div",Xe,[ea,M(i("input",{type:"text",class:"form-control","onUpdate:modelValue":a[1]||(a[1]=o=>e.bracket.name=o)},null,512),[[j,e.bracket.name,void 0,{lazy:!0}]]),aa])]),i("div",ta,[i("div",ia,[oa,M(i("input",{type:"text",class:"form-control","onUpdate:modelValue":a[2]||(a[2]=o=>e.bracket.description=o)},null,512),[[j,e.bracket.description,void 0,{lazy:!0}]]),na])]),i("div",ra,[sa,M(i("select",{class:"custom-select","onUpdate:modelValue":a[3]||(a[3]=o=>e.bracket.type=o)},da,512),[[W,e.bracket.type,void 0,{lazy:!0}]]),ma])]),i("div",fa,[i("div",ha,[i("div",Aa,[i("button",{class:"btn btn-sm btn-success btn-outlined float-right",type:"button",onClick:a[4]||(a[4]=o=>c.saveBracket())}," Save ")])])])])}const ga=G(Ye,[["render",pa]]),va={name:"BracketList",components:{Bracket:ga},data:function(){return{brackets:[]}},methods:{loadBrackets:function(){p.fetch("/api/v1/brackets",{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(e=>e.json()).then(e=>{this.brackets=e.data})},addBracket:function(){this.brackets.push({id:Math.random(),name:"",description:"",type:null})},removeBracket:function(e){this.brackets.splice(e,1)}},created(){this.loadBrackets()}},ba={class:"row"},_a={class:"col text-center"};function ya(e,a,r,s,l,c){const o=Z("Bracket");return $(),P("div",null,[($(!0),P(Q,null,X(e.brackets,(d,u)=>($(),P("div",{class:"mb-5",key:d.id},[ee(o,{index:u,initialBracket:e.brackets[u],onRemoveBracket:c.removeBracket},null,8,["index","initialBracket","onRemoveBracket"])]))),128)),i("div",ba,[i("div",_a,[i("button",{class:"btn btn-sm btn-success btn-outlined m-auto",type:"button",onClick:a[0]||(a[0]=d=>c.addBracket())}," Add New Bracket ")])])])}const ka=G(va,[["render",ya]]);x.extend(re);x.extend(se);x.extend(ce);function V(e,a){typeof a=="string"&&(a=parseInt(a,10)*1e3);const r=x(a);t("#"+e+"-month").val(r.month()+1),t("#"+e+"-day").val(r.date()),t("#"+e+"-year").val(r.year()),t("#"+e+"-hour").val(r.hour()),t("#"+e+"-minute").val(r.minute()),N(e)}function N(e){const a=t("#"+e+"-month").val(),r=t("#"+e+"-day").val(),s=t("#"+e+"-year").val(),l=t("#"+e+"-hour").val(),c=t("#"+e+"-minute").val(),o=t("#"+e+"-timezone").val(),d=Ea(a,r,s,l,c);d.unix()&&a&&r&&s&&l&&c?(t("#"+e).val(d.unix()),t("#"+e+"-local").val(d.format("dddd, MMMM Do YYYY, h:mm:ss a z (zzz)")),t("#"+e+"-zonetime").val(d.tz(o).format("dddd, MMMM Do YYYY, h:mm:ss a z (zzz)"))):(t("#"+e).val(""),t("#"+e+"-local").val(""),t("#"+e+"-zonetime").val(""))}function Ea(e,a,r,s,l){let c=e.toString();c.length==1&&(c="0"+c);let o=a.toString();o.length==1&&(o="0"+o);let d=s.toString();d.length==1&&(d="0"+d);let u=l.toString();u.length==1&&(u="0"+u);const T=r.toString()+"-"+c+"-"+o+" "+d+":"+u+":00";return x(T)}function ie(e){e.preventDefault();const a=t(this).serializeJSON(),r={};a.mail_useauth===!1?(a.mail_username=null,a.mail_password=null):(a.mail_username===""&&delete a.mail_username,a.mail_password===""&&delete a.mail_password),Object.keys(a).forEach(function(s){a[s]==="true"?r[s]=!0:a[s]==="false"?r[s]=!1:r[s]=a[s]}),p.api.patch_config_list({},r).then(function(s){if(s.success)window.location.reload();else{let l=s.errors.value.join(`
+`);O({title:"Erreur!",body:l,button:"Ok"})}})}function Ta(e){oe(e,1)}function Sa(e){oe(e,2)}function oe(e,a){e.preventDefault();let r=e.target;R.files.upload(r,{},function(s){const c={value:s.data[0].location};p.fetch("/api/v1/configs/ctf_sponsord"+a,{method:"PATCH",body:JSON.stringify(c)}).then(function(o){return o.json()}).then(function(o){o.success?window.location.reload():O({title:"Erreur!",body:"L'envoi du logo a \xE9chou\xE9!",button:"Ok"})})})}function Ma(e){e.preventDefault();let a=new FormData(e.target),r=`\xCAtes-vous s\xFBr que vous souhaitez changer de modes utilisateur?
 Les soumissions, les r\xE9compenses, les d\xE9verrouilles et le suivi seront supprim\xE9s!`;a.get("user_mode")=="users"&&(r=`\xCAtes-vous s\xFBr que vous souhaitez changer de modes utilisateur?
 Les \xE9quipes Nall, les soumissions, les r\xE9compenses, les d\xE9verrouilles et le suivi seront supprim\xE9s!`),confirm(r)&&(a.append("submissions",!0),a.append("nonce",p.config.csrfNonce),fetch(p.config.urlRoot+"/admin/reset",{method:"POST",credentials:"same-origin",body:a}),ie.bind(this)(e))}function Ca(){ne(1)}function $a(){ne(2)}function ne(e){Y({title:"Retirer Sponsor"+e,body:"\xCAtes-vous s\xFBr que vous souhaitez supprimer le sponsor?",success:function(){const a={value:null};p.api.patch_config({configKey:"ctf_sponsord"+e},a).then(r=>{window.location.reload()})}})}function Pa(e){e.preventDefault();let a=e.target;R.files.upload(a,{},function(r){const l={value:r.data[0].location};p.fetch("/api/v1/configs/ctf_banner",{method:"PATCH",body:JSON.stringify(l)}).then(function(c){return c.json()}).then(function(c){c.success?window.location.reload():O({title:"Erreur!",body:"L'envoi de banni\xE8re a \xE9chou\xE9!",button:"Ok"})})})}function Ba(){Y({title:"Supprimer la banni\xE8re",body:"\xCAtes-vous s\xFBr que vous souhaitez retirer la banni\xE8re?",success:function(){const e={value:null};p.api.patch_config({configKey:"ctf_banner"},e).then(a=>{window.location.reload()})}})}function wa(e){e.preventDefault();let a=e.target;R.files.upload(a,{},function(r){const l={value:r.data[0].location};p.fetch("/api/v1/configs/ctf_small_icon",{method:"PATCH",body:JSON.stringify(l)}).then(function(c){return c.json()}).then(function(c){c.success?window.location.reload():O({title:"Erreur!",body:"L'envoi d'ic\xF4nes a \xE9chou\xE9!",button:"Ok"})})})}function za(){Y({title:"Supprimer le logo",body:"\xCAtes-vous s\xFBr que vous souhaitez supprimer le petit ic\xF4ne du site?",success:function(){const e={value:null};p.api.patch_config({configKey:"ctf_small_icon"},e).then(a=>{window.location.reload()})}})}function Da(e){e.preventDefault();let a=document.getElementById("import-csv-file").files[0],r=document.getElementById("import-csv-type").value,s=new FormData;s.append("csv_file",a),s.append("csv_type",r),s.append("nonce",p.config.csrfNonce);let l=z({width:0,title:"Progr\xE8s de l'envoi"});t.ajax({url:p.config.urlRoot+"/admin/import/csv",type:"POST",data:s,processData:!1,contentType:!1,statusCode:{500:function(c){let o=JSON.parse(c.responseText),d="";o.forEach(u=>{d+=`Ligne ${u[0]}: ${JSON.stringify(u[1])}
-`}),alert(d),l=z({target:l,width:100}),setTimeout(function(){l.modal("hide")},500)}},xhr:function(){let c=t.ajaxSettings.xhr();return c.upload.onprogress=function(o){if(o.lengthComputable){let d=o.loaded/o.total*100;l=z({target:l,width:d})}},c},success:function(c){l=z({target:l,width:100}),setTimeout(function(){l.modal("hide")},500),setTimeout(function(){window.location.reload()},700)}})}function xa(e){e.preventDefault();let a=document.getElementById("import-file").files[0],r=new FormData;r.append("backup",a),r.append("nonce",p.config.csrfNonce);let s=z({width:0,title:"Progr\xE8s de l'envoi"});t.ajax({url:p.config.urlRoot+"/admin/import",type:"POST",data:r,processData:!1,contentType:!1,statusCode:{500:function(l){alert(l.responseText)}},xhr:function(){let l=t.ajaxSettings.xhr();return l.upload.onprogress=function(c){if(c.lengthComputable){let o=c.loaded/c.total*100;s=z({target:s,width:o})}},l},success:function(l){s=z({target:s,width:100}),location.href=p.config.urlRoot+"/admin/import"}})}function Na(e){e.preventDefault(),window.location.href=t(this).attr("href")}function H(e){let a=t("<option>").text(x.tz.guess());t(e).append(a);let r=le;for(let s=0;s<r.length;s++){let l=t("<option>").text(r[s]);t(e).append(l)}}t(()=>{const e=L.fromTextArea(document.getElementById("theme-header"),{lineNumbers:!0,lineWrapping:!0,mode:"htmlmixed",htmlMode:!0}),a=L.fromTextArea(document.getElementById("theme-footer"),{lineNumbers:!0,lineWrapping:!0,mode:"htmlmixed",htmlMode:!0}),r=L.fromTextArea(document.getElementById("theme-settings"),{lineNumbers:!0,lineWrapping:!0,readOnly:!0,mode:{name:"javascript",json:!0}});t("a[href='#theme']").on("shown.bs.tab",function(y){e.refresh(),a.refresh(),r.refresh()}),t("a[href='#legal'], a[href='#tos-config'], a[href='#privacy-policy-config']").on("shown.bs.tab",function(y){t("#tos-config .CodeMirror").each(function(m,f){f.CodeMirror.refresh()}),t("#privacy-policy-config .CodeMirror").each(function(m,f){f.CodeMirror.refresh()})}),t("#theme-settings-modal form").submit(function(y){y.preventDefault(),r.getDoc().setValue(JSON.stringify(t(this).serializeJSON(),null,2)),t("#theme-settings-modal").modal("hide")}),t("#theme-settings-button").click(function(){let y=t("#theme-settings-modal form"),m;try{m=JSON.parse(r.getValue())}catch{m={}}t.each(m,function(f,h){var n=y.find(`[name='${f}']`);switch(n.prop("type")){case"radio":case"checkbox":n.each(function(){t(this).attr("checked",h),t(this).attr("value",h)});break;default:n.val(h)}}),t("#theme-settings-modal").modal()}),H(t("#start-timezone")),H(t("#end-timezone")),H(t("#freeze-timezone")),t(".config-section > form:not(.form-upload, .custom-config-form)").submit(ie),t("#Sponsord1-upload").submit(Ea),t("#Sponsord2-upload").submit(Sa),t("#user-mode-form").submit(Ma),t("#remove-Sponsord1").click(Ca),t("#remove-Sponsord2").click($a),t("#banner-upload").submit(Pa),t("#remove-banner").click(Ba),t("#ctf-small-icon-upload").submit(wa),t("#remove-small-icon").click(za),t("#export-button").click(Na),t("#import-button").click(xa),t("#import-csv-form").submit(Da),t("#config-color-update").click(function(){const y=t("#config-color-picker").val(),m=e.getValue();let f;if(m.length){let h=`theme-color: ${y};`;f=m.replace(/theme-color: (.*);/,h)}else f=`<style id="theme-color">
+`}),alert(d),l=z({target:l,width:100}),setTimeout(function(){l.modal("hide")},500)}},xhr:function(){let c=t.ajaxSettings.xhr();return c.upload.onprogress=function(o){if(o.lengthComputable){let d=o.loaded/o.total*100;l=z({target:l,width:d})}},c},success:function(c){l=z({target:l,width:100}),setTimeout(function(){l.modal("hide")},500),setTimeout(function(){window.location.reload()},700)}})}function xa(e){e.preventDefault();let a=document.getElementById("import-file").files[0],r=new FormData;r.append("backup",a),r.append("nonce",p.config.csrfNonce);let s=z({width:0,title:"Progr\xE8s de l'envoi"});t.ajax({url:p.config.urlRoot+"/admin/import",type:"POST",data:r,processData:!1,contentType:!1,statusCode:{500:function(l){alert(l.responseText)}},xhr:function(){let l=t.ajaxSettings.xhr();return l.upload.onprogress=function(c){if(c.lengthComputable){let o=c.loaded/c.total*100;s=z({target:s,width:o})}},l},success:function(l){s=z({target:s,width:100}),location.href=p.config.urlRoot+"/admin/import"}})}function Na(e){e.preventDefault(),window.location.href=t(this).attr("href")}function H(e){let a=t("<option>").text(x.tz.guess());t(e).append(a);let r=le;for(let s=0;s<r.length;s++){let l=t("<option>").text(r[s]);t(e).append(l)}}t(()=>{const e=L.fromTextArea(document.getElementById("theme-header"),{lineNumbers:!0,lineWrapping:!0,mode:"htmlmixed",htmlMode:!0}),a=L.fromTextArea(document.getElementById("theme-footer"),{lineNumbers:!0,lineWrapping:!0,mode:"htmlmixed",htmlMode:!0}),r=L.fromTextArea(document.getElementById("theme-settings"),{lineNumbers:!0,lineWrapping:!0,readOnly:!0,mode:{name:"javascript",json:!0}});t("a[href='#theme']").on("shown.bs.tab",function(y){e.refresh(),a.refresh(),r.refresh()}),t("a[href='#legal'], a[href='#tos-config'], a[href='#privacy-policy-config']").on("shown.bs.tab",function(y){t("#tos-config .CodeMirror").each(function(m,f){f.CodeMirror.refresh()}),t("#privacy-policy-config .CodeMirror").each(function(m,f){f.CodeMirror.refresh()})}),t("#theme-settings-modal form").submit(function(y){y.preventDefault(),r.getDoc().setValue(JSON.stringify(t(this).serializeJSON(),null,2)),t("#theme-settings-modal").modal("hide")}),t("#theme-settings-button").click(function(){let y=t("#theme-settings-modal form"),m;try{m=JSON.parse(r.getValue())}catch{m={}}t.each(m,function(f,h){var n=y.find(`[name='${f}']`);switch(n.prop("type")){case"radio":case"checkbox":n.each(function(){t(this).attr("checked",h),t(this).attr("value",h)});break;default:n.val(h)}}),t("#theme-settings-modal").modal()}),H(t("#start-timezone")),H(t("#end-timezone")),H(t("#freeze-timezone")),t(".config-section > form:not(.form-upload, .custom-config-form)").submit(ie),t("#Sponsord1-upload").submit(Ta),t("#Sponsord2-upload").submit(Sa),t("#user-mode-form").submit(Ma),t("#remove-Sponsord1").click(Ca),t("#remove-Sponsord2").click($a),t("#banner-upload").submit(Pa),t("#remove-banner").click(Ba),t("#ctf-small-icon-upload").submit(wa),t("#remove-small-icon").click(za),t("#export-button").click(Na),t("#import-button").click(xa),t("#import-csv-form").submit(Da),t("#config-color-update").click(function(){const y=t("#config-color-picker").val(),m=e.getValue();let f;if(m.length){let h=`theme-color: ${y};`;f=m.replace(/theme-color: (.*);/,h)}else f=`<style id="theme-color">
 :root {--theme-color: ${y};}
 .navbar{background-color: var(--theme-color) !important;}
 .jumbotron{background-color: var(--theme-color) !important;}
 </style>
-`;e.getDoc().setValue(f)}),t(".start-date").change(function(){N("start")}),t(".end-date").change(function(){N("end")}),t(".freeze-date").change(function(){N("freeze")});const s=t("#start").val(),l=t("#end").val(),c=t("#freeze").val();s&&V("start",s),l&&V("end",l),c&&V("freeze",c),t("#mail_useauth").change(function(){t("#mail_username_password").toggle(this.checked)}).change(),t("#config-sidebar .nav-link").click(function(){window.scrollTo(0,0)});const o=J.extend(Re);let d=document.createElement("div");document.querySelector("#user-field-list").appendChild(d),new o({propsData:{type:"user"}}).$mount(d);let u=document.createElement("div");document.querySelector("#team-field-list").appendChild(u),new o({propsData:{type:"team"}}).$mount(u);const E=J.extend(ka);let S=document.createElement("div");document.querySelector("#brackets-list").appendChild(S),new E({}).$mount(S)});
+`;e.getDoc().setValue(f)}),t(".start-date").change(function(){N("start")}),t(".end-date").change(function(){N("end")}),t(".freeze-date").change(function(){N("freeze")});const s=t("#start").val(),l=t("#end").val(),c=t("#freeze").val();s&&V("start",s),l&&V("end",l),c&&V("freeze",c),t("#mail_useauth").change(function(){t("#mail_username_password").toggle(this.checked)}).change(),t("#config-sidebar .nav-link").click(function(){window.scrollTo(0,0)});const o=J.extend(Re);let d=document.createElement("div");document.querySelector("#user-field-list").appendChild(d),new o({propsData:{type:"user"}}).$mount(d);let u=document.createElement("div");document.querySelector("#team-field-list").appendChild(u),new o({propsData:{type:"team"}}).$mount(u);const T=J.extend(ka);let S=document.createElement("div");document.querySelector("#brackets-list").appendChild(S),new T({}).$mount(S)});
diff --git a/CTFd/themes/admin/static/assets/pages/editor.5cc4e4af.js b/CTFd/themes/admin/static/assets/pages/editor.be7bd728.js
similarity index 78%
rename from CTFd/themes/admin/static/assets/pages/editor.5cc4e4af.js
rename to CTFd/themes/admin/static/assets/pages/editor.be7bd728.js
index 0ae74661d47d93a650aefb0530c9cc7942abf42d..df051c77ee05312498c688f466ad227c5f932a2d 100644
--- a/CTFd/themes/admin/static/assets/pages/editor.5cc4e4af.js
+++ b/CTFd/themes/admin/static/assets/pages/editor.be7bd728.js
@@ -1,3 +1,3 @@
-import{$ as t,M as s,V as m,C as r,B as p,D as l}from"./main.71d0edc5.js";import{c as u}from"../htmlmixed.e85df030.js";import{C as f}from"../CommentBox.f5ce8d13.js";function g(){window.editor.save();var e=t("#page-edit").serializeJSON(),o="/api/v1/pages",n="POST";let d=window.location.pathname.split("/").pop();d!=="new"&&(o+="/"+d,n="PATCH"),e.link_target===""&&(e.link_target=null),r.fetch(o,{method:n,credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(function(i){return i.json()}).then(function(i){if(i.success===!1){let a="";for(const c in i.errors)a+=i.errors[c].join(`
+import{j as t,N as c,V as m,C as r,D as p,E as l}from"./main.8d24b34a.js";import{c as u}from"../htmlmixed.5e629dd9.js";import{C as f}from"../CommentBox.0d8a3850.js";function g(){window.editor.save();var e=t("#page-edit").serializeJSON(),o="/api/v1/pages",n="POST";let d=window.location.pathname.split("/").pop();d!=="new"&&(o+="/"+d,n="PATCH"),e.link_target===""&&(e.link_target=null),r.fetch(o,{method:n,credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(e)}).then(function(i){return i.json()}).then(function(i){if(i.success===!1){let a="";for(const s in i.errors)a+=i.errors[s].join(`
 `),a+=`
-`;p({title:"Erreur",body:a,button:"Ok"});return}n==="PATCH"&&i.success?l({title:"Enregistr\xE9",body:"Vos modifications ont \xE9t\xE9 enregistr\xE9es"}):window.location=r.config.urlRoot+"/admin/pages/"+i.data.id})}function w(){window.editor.save(),t("#page-edit").attr("action",r.config.urlRoot+"/admin/pages/preview"),t("#page-edit").attr("target","_blank"),t("#page-edit").submit()}t(()=>{if(window.editor=u.fromTextArea(document.getElementById("admin-pages-editor"),{lineNumbers:!0,lineWrapping:!0,mode:"htmlmixed",htmlMode:!0}),t("#media-button").click(function(e){s(window.editor)}),t("#save-page").click(function(e){e.preventDefault(),g()}),t(".preview-page").click(function(){w()}),window.PAGE_ID){const e=m.extend(f);let o=document.createElement("div");document.querySelector("#comment-box").appendChild(o),new e({propsData:{type:"page",id:window.PAGE_ID}}).$mount(o)}});
+`;p({title:"Erreur",body:a,button:"Ok"});return}n==="PATCH"&&i.success?l({title:"Enregistr\xE9",body:"Vos modifications ont \xE9t\xE9 enregistr\xE9es"}):window.location=r.config.urlRoot+"/admin/pages/"+i.data.id})}function w(){window.editor.save(),t("#page-edit").attr("action",r.config.urlRoot+"/admin/pages/preview"),t("#page-edit").attr("target","_blank"),t("#page-edit").submit()}t(()=>{if(window.editor=u.fromTextArea(document.getElementById("admin-pages-editor"),{lineNumbers:!0,lineWrapping:!0,mode:"htmlmixed",htmlMode:!0}),t("#media-button").click(function(e){c(window.editor)}),t("#save-page").click(function(e){e.preventDefault(),g()}),t(".preview-page").click(function(){w()}),window.PAGE_ID){const e=m.extend(f);let o=document.createElement("div");document.querySelector("#comment-box").appendChild(o),new e({propsData:{type:"page",id:window.PAGE_ID}}).$mount(o)}});
diff --git a/CTFd/themes/admin/static/assets/pages/main.71d0edc5.js b/CTFd/themes/admin/static/assets/pages/main.8d24b34a.js
similarity index 86%
rename from CTFd/themes/admin/static/assets/pages/main.71d0edc5.js
rename to CTFd/themes/admin/static/assets/pages/main.8d24b34a.js
index 92c0c97a1a311e4b2f51d8cc1fba7615fe3a3ed6..38f4cd3b417f960bf1ee158559c06495845bb0fa 100644
--- a/CTFd/themes/admin/static/assets/pages/main.71d0edc5.js
+++ b/CTFd/themes/admin/static/assets/pages/main.8d24b34a.js
@@ -1,4 +1,4 @@
-var Jr=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"u"?global:typeof self<"u"?self:{};function ID(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}function DD(e){var t=e.default;if(typeof t=="function"){var n=function(){return t.apply(this,arguments)};n.prototype=t.prototype}else n={};return Object.defineProperty(n,"__esModule",{value:!0}),Object.keys(e).forEach(function(r){var a=Object.getOwnPropertyDescriptor(e,r);Object.defineProperty(n,r,a.get?a:{enumerable:!0,get:function(){return e[r]}})}),n}var zl={exports:{}};/*!
+var Jr=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"u"?global:typeof self<"u"?self:{};function xD(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}function wD(e){var t=e.default;if(typeof t=="function"){var n=function(){return t.apply(this,arguments)};n.prototype=t.prototype}else n={};return Object.defineProperty(n,"__esModule",{value:!0}),Object.keys(e).forEach(function(r){var a=Object.getOwnPropertyDescriptor(e,r);Object.defineProperty(n,r,a.get?a:{enumerable:!0,get:function(){return e[r]}})}),n}var op={exports:{}};/*!
  * jQuery JavaScript Library v3.7.1
  * https://jquery.com/
  *
@@ -7,12 +7,12 @@ var Jr=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"
  * https://jquery.org/license
  *
  * Date: 2023-08-28T13:37Z
- */(function(e){(function(t,n){e.exports=t.document?n(t,!0):function(r){if(!r.document)throw new Error("jQuery requires a window with a document");return n(r)}})(typeof window<"u"?window:Jr,function(t,n){var r=[],a=Object.getPrototypeOf,o=r.slice,l=r.flat?function(g){return r.flat.call(g)}:function(g){return r.concat.apply([],g)},u=r.push,c=r.indexOf,d={},S=d.toString,_=d.hasOwnProperty,E=_.toString,T=E.call(Object),y={},M=function(b){return typeof b=="function"&&typeof b.nodeType!="number"&&typeof b.item!="function"},v=function(b){return b!=null&&b===b.window},A=t.document,O={type:!0,src:!0,nonce:!0,noModule:!0};function N(g,b,x){x=x||A;var P,j,X=x.createElement("script");if(X.text=g,b)for(P in O)j=b[P]||b.getAttribute&&b.getAttribute(P),j&&X.setAttribute(P,j);x.head.appendChild(X).parentNode.removeChild(X)}function R(g){return g==null?g+"":typeof g=="object"||typeof g=="function"?d[S.call(g)]||"object":typeof g}var L="3.7.1",I=/HTML$/i,h=function(g,b){return new h.fn.init(g,b)};h.fn=h.prototype={jquery:L,constructor:h,length:0,toArray:function(){return o.call(this)},get:function(g){return g==null?o.call(this):g<0?this[g+this.length]:this[g]},pushStack:function(g){var b=h.merge(this.constructor(),g);return b.prevObject=this,b},each:function(g){return h.each(this,g)},map:function(g){return this.pushStack(h.map(this,function(b,x){return g.call(b,x,b)}))},slice:function(){return this.pushStack(o.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},even:function(){return this.pushStack(h.grep(this,function(g,b){return(b+1)%2}))},odd:function(){return this.pushStack(h.grep(this,function(g,b){return b%2}))},eq:function(g){var b=this.length,x=+g+(g<0?b:0);return this.pushStack(x>=0&&x<b?[this[x]]:[])},end:function(){return this.prevObject||this.constructor()},push:u,sort:r.sort,splice:r.splice},h.extend=h.fn.extend=function(){var g,b,x,P,j,X,ae=arguments[0]||{},Ce=1,ye=arguments.length,Be=!1;for(typeof ae=="boolean"&&(Be=ae,ae=arguments[Ce]||{},Ce++),typeof ae!="object"&&!M(ae)&&(ae={}),Ce===ye&&(ae=this,Ce--);Ce<ye;Ce++)if((g=arguments[Ce])!=null)for(b in g)P=g[b],!(b==="__proto__"||ae===P)&&(Be&&P&&(h.isPlainObject(P)||(j=Array.isArray(P)))?(x=ae[b],j&&!Array.isArray(x)?X=[]:!j&&!h.isPlainObject(x)?X={}:X=x,j=!1,ae[b]=h.extend(Be,X,P)):P!==void 0&&(ae[b]=P));return ae},h.extend({expando:"jQuery"+(L+Math.random()).replace(/\D/g,""),isReady:!0,error:function(g){throw new Error(g)},noop:function(){},isPlainObject:function(g){var b,x;return!g||S.call(g)!=="[object Object]"?!1:(b=a(g),b?(x=_.call(b,"constructor")&&b.constructor,typeof x=="function"&&E.call(x)===T):!0)},isEmptyObject:function(g){var b;for(b in g)return!1;return!0},globalEval:function(g,b,x){N(g,{nonce:b&&b.nonce},x)},each:function(g,b){var x,P=0;if(k(g))for(x=g.length;P<x&&b.call(g[P],P,g[P])!==!1;P++);else for(P in g)if(b.call(g[P],P,g[P])===!1)break;return g},text:function(g){var b,x="",P=0,j=g.nodeType;if(!j)for(;b=g[P++];)x+=h.text(b);return j===1||j===11?g.textContent:j===9?g.documentElement.textContent:j===3||j===4?g.nodeValue:x},makeArray:function(g,b){var x=b||[];return g!=null&&(k(Object(g))?h.merge(x,typeof g=="string"?[g]:g):u.call(x,g)),x},inArray:function(g,b,x){return b==null?-1:c.call(b,g,x)},isXMLDoc:function(g){var b=g&&g.namespaceURI,x=g&&(g.ownerDocument||g).documentElement;return!I.test(b||x&&x.nodeName||"HTML")},merge:function(g,b){for(var x=+b.length,P=0,j=g.length;P<x;P++)g[j++]=b[P];return g.length=j,g},grep:function(g,b,x){for(var P,j=[],X=0,ae=g.length,Ce=!x;X<ae;X++)P=!b(g[X],X),P!==Ce&&j.push(g[X]);return j},map:function(g,b,x){var P,j,X=0,ae=[];if(k(g))for(P=g.length;X<P;X++)j=b(g[X],X,x),j!=null&&ae.push(j);else for(X in g)j=b(g[X],X,x),j!=null&&ae.push(j);return l(ae)},guid:1,support:y}),typeof Symbol=="function"&&(h.fn[Symbol.iterator]=r[Symbol.iterator]),h.each("Boolean Number String Function Array Date RegExp Object Error Symbol".split(" "),function(g,b){d["[object "+b+"]"]=b.toLowerCase()});function k(g){var b=!!g&&"length"in g&&g.length,x=R(g);return M(g)||v(g)?!1:x==="array"||b===0||typeof b=="number"&&b>0&&b-1 in g}function F(g,b){return g.nodeName&&g.nodeName.toLowerCase()===b.toLowerCase()}var z=r.pop,K=r.sort,ue=r.splice,Z="[\\x20\\t\\r\\n\\f]",fe=new RegExp("^"+Z+"+|((?:^|[^\\\\])(?:\\\\.)*)"+Z+"+$","g");h.contains=function(g,b){var x=b&&b.parentNode;return g===x||!!(x&&x.nodeType===1&&(g.contains?g.contains(x):g.compareDocumentPosition&&g.compareDocumentPosition(x)&16))};var V=/([\0-\x1f\x7f]|^-?\d)|^-$|[^\x80-\uFFFF\w-]/g;function ne(g,b){return b?g==="\0"?"\uFFFD":g.slice(0,-1)+"\\"+g.charCodeAt(g.length-1).toString(16)+" ":"\\"+g}h.escapeSelector=function(g){return(g+"").replace(V,ne)};var te=A,G=u;(function(){var g,b,x,P,j,X=G,ae,Ce,ye,Be,et,ot=h.expando,Ke=0,mt=0,zt=ma(),rn=ma(),Qt=ma(),vn=ma(),On=function(Se,xe){return Se===xe&&(j=!0),0},Gn="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",kn="(?:\\\\[\\da-fA-F]{1,6}"+Z+"?|\\\\[^\\r\\n\\f]|[\\w-]|[^\0-\\x7f])+",nn="\\["+Z+"*("+kn+")(?:"+Z+"*([*^$|!~]?=)"+Z+`*(?:'((?:\\\\.|[^\\\\'])*)'|"((?:\\\\.|[^\\\\"])*)"|(`+kn+"))|)"+Z+"*\\]",ji=":("+kn+`)(?:\\((('((?:\\\\.|[^\\\\'])*)'|"((?:\\\\.|[^\\\\"])*)")|((?:\\\\.|[^\\\\()[\\]]|`+nn+")*)|.*)\\)|)",tn=new RegExp(Z+"+","g"),jt=new RegExp("^"+Z+"*,"+Z+"*"),lo=new RegExp("^"+Z+"*([>+~]|"+Z+")"+Z+"*"),Lo=new RegExp(Z+"|>"),fr=new RegExp(ji),wr=new RegExp("^"+kn+"$"),Gr={ID:new RegExp("^#("+kn+")"),CLASS:new RegExp("^\\.("+kn+")"),TAG:new RegExp("^("+kn+"|[*])"),ATTR:new RegExp("^"+nn),PSEUDO:new RegExp("^"+ji),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+Z+"*(even|odd|(([+-]|)(\\d*)n|)"+Z+"*(?:([+-]|)"+Z+"*(\\d+)|))"+Z+"*\\)|)","i"),bool:new RegExp("^(?:"+Gn+")$","i"),needsContext:new RegExp("^"+Z+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+Z+"*((?:-\\d)?\\d*)"+Z+"*\\)|)(?=[^-]|$)","i")},Vn=/^(?:input|select|textarea|button)$/i,Hr=/^h\d$/i,Rn=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,xi=/[+~]/,pr=new RegExp("\\\\[\\da-fA-F]{1,6}"+Z+"?|\\\\([^\\r\\n\\f])","g"),ci=function(Se,xe){var We="0x"+Se.slice(1)-65536;return xe||(We<0?String.fromCharCode(We+65536):String.fromCharCode(We>>10|55296,We&1023|56320))},uo=function(){Zi()},qr=Cr(function(Se){return Se.disabled===!0&&F(Se,"fieldset")},{dir:"parentNode",next:"legend"});function co(){try{return ae.activeElement}catch{}}try{X.apply(r=o.call(te.childNodes),te.childNodes),r[te.childNodes.length].nodeType}catch{X={apply:function(xe,We){G.apply(xe,o.call(We))},call:function(xe){G.apply(xe,o.call(arguments,1))}}}function Jt(Se,xe,We,Qe){var it,vt,St,Dt,Ot,Kt,Wt,Vt=xe&&xe.ownerDocument,$t=xe?xe.nodeType:9;if(We=We||[],typeof Se!="string"||!Se||$t!==1&&$t!==9&&$t!==11)return We;if(!Qe&&(Zi(xe),xe=xe||ae,ye)){if($t!==11&&(Ot=Rn.exec(Se)))if(it=Ot[1]){if($t===9)if(St=xe.getElementById(it)){if(St.id===it)return X.call(We,St),We}else return We;else if(Vt&&(St=Vt.getElementById(it))&&Jt.contains(xe,St)&&St.id===it)return X.call(We,St),We}else{if(Ot[2])return X.apply(We,xe.getElementsByTagName(Se)),We;if((it=Ot[3])&&xe.getElementsByClassName)return X.apply(We,xe.getElementsByClassName(it)),We}if(!vn[Se+" "]&&(!Be||!Be.test(Se))){if(Wt=Se,Vt=xe,$t===1&&(Lo.test(Se)||lo.test(Se))){for(Vt=xi.test(Se)&&fi(xe.parentNode)||xe,(Vt!=xe||!y.scope)&&((Dt=xe.getAttribute("id"))?Dt=h.escapeSelector(Dt):xe.setAttribute("id",Dt=ot)),Kt=pi(Se),vt=Kt.length;vt--;)Kt[vt]=(Dt?"#"+Dt:":scope")+" "+wi(Kt[vt]);Wt=Kt.join(",")}try{return X.apply(We,Vt.querySelectorAll(Wt)),We}catch{vn(Se,!0)}finally{Dt===ot&&xe.removeAttribute("id")}}}return mi(Se.replace(fe,"$1"),xe,We,Qe)}function ma(){var Se=[];function xe(We,Qe){return Se.push(We+" ")>b.cacheLength&&delete xe[Se.shift()],xe[We+" "]=Qe}return xe}function yr(Se){return Se[ot]=!0,Se}function ga(Se){var xe=ae.createElement("fieldset");try{return!!Se(xe)}catch{return!1}finally{xe.parentNode&&xe.parentNode.removeChild(xe),xe=null}}function Yr(Se){return function(xe){return F(xe,"input")&&xe.type===Se}}function Xi(Se){return function(xe){return(F(xe,"input")||F(xe,"button"))&&xe.type===Se}}function Mo(Se){return function(xe){return"form"in xe?xe.parentNode&&xe.disabled===!1?"label"in xe?"label"in xe.parentNode?xe.parentNode.disabled===Se:xe.disabled===Se:xe.isDisabled===Se||xe.isDisabled!==!Se&&qr(xe)===Se:xe.disabled===Se:"label"in xe?xe.disabled===Se:!1}}function di(Se){return yr(function(xe){return xe=+xe,yr(function(We,Qe){for(var it,vt=Se([],We.length,xe),St=vt.length;St--;)We[it=vt[St]]&&(We[it]=!(Qe[it]=We[it]))})})}function fi(Se){return Se&&typeof Se.getElementsByTagName<"u"&&Se}function Zi(Se){var xe,We=Se?Se.ownerDocument||Se:te;return We==ae||We.nodeType!==9||!We.documentElement||(ae=We,Ce=ae.documentElement,ye=!h.isXMLDoc(ae),et=Ce.matches||Ce.webkitMatchesSelector||Ce.msMatchesSelector,Ce.msMatchesSelector&&te!=ae&&(xe=ae.defaultView)&&xe.top!==xe&&xe.addEventListener("unload",uo),y.getById=ga(function(Qe){return Ce.appendChild(Qe).id=h.expando,!ae.getElementsByName||!ae.getElementsByName(h.expando).length}),y.disconnectedMatch=ga(function(Qe){return et.call(Qe,"*")}),y.scope=ga(function(){return ae.querySelectorAll(":scope")}),y.cssHas=ga(function(){try{return ae.querySelector(":has(*,:jqfake)"),!1}catch{return!0}}),y.getById?(b.filter.ID=function(Qe){var it=Qe.replace(pr,ci);return function(vt){return vt.getAttribute("id")===it}},b.find.ID=function(Qe,it){if(typeof it.getElementById<"u"&&ye){var vt=it.getElementById(Qe);return vt?[vt]:[]}}):(b.filter.ID=function(Qe){var it=Qe.replace(pr,ci);return function(vt){var St=typeof vt.getAttributeNode<"u"&&vt.getAttributeNode("id");return St&&St.value===it}},b.find.ID=function(Qe,it){if(typeof it.getElementById<"u"&&ye){var vt,St,Dt,Ot=it.getElementById(Qe);if(Ot){if(vt=Ot.getAttributeNode("id"),vt&&vt.value===Qe)return[Ot];for(Dt=it.getElementsByName(Qe),St=0;Ot=Dt[St++];)if(vt=Ot.getAttributeNode("id"),vt&&vt.value===Qe)return[Ot]}return[]}}),b.find.TAG=function(Qe,it){return typeof it.getElementsByTagName<"u"?it.getElementsByTagName(Qe):it.querySelectorAll(Qe)},b.find.CLASS=function(Qe,it){if(typeof it.getElementsByClassName<"u"&&ye)return it.getElementsByClassName(Qe)},Be=[],ga(function(Qe){var it;Ce.appendChild(Qe).innerHTML="<a id='"+ot+"' href='' disabled='disabled'></a><select id='"+ot+"-\r\\' disabled='disabled'><option selected=''></option></select>",Qe.querySelectorAll("[selected]").length||Be.push("\\["+Z+"*(?:value|"+Gn+")"),Qe.querySelectorAll("[id~="+ot+"-]").length||Be.push("~="),Qe.querySelectorAll("a#"+ot+"+*").length||Be.push(".#.+[+~]"),Qe.querySelectorAll(":checked").length||Be.push(":checked"),it=ae.createElement("input"),it.setAttribute("type","hidden"),Qe.appendChild(it).setAttribute("name","D"),Ce.appendChild(Qe).disabled=!0,Qe.querySelectorAll(":disabled").length!==2&&Be.push(":enabled",":disabled"),it=ae.createElement("input"),it.setAttribute("name",""),Qe.appendChild(it),Qe.querySelectorAll("[name='']").length||Be.push("\\["+Z+"*name"+Z+"*="+Z+`*(?:''|"")`)}),y.cssHas||Be.push(":has"),Be=Be.length&&new RegExp(Be.join("|")),On=function(Qe,it){if(Qe===it)return j=!0,0;var vt=!Qe.compareDocumentPosition-!it.compareDocumentPosition;return vt||(vt=(Qe.ownerDocument||Qe)==(it.ownerDocument||it)?Qe.compareDocumentPosition(it):1,vt&1||!y.sortDetached&&it.compareDocumentPosition(Qe)===vt?Qe===ae||Qe.ownerDocument==te&&Jt.contains(te,Qe)?-1:it===ae||it.ownerDocument==te&&Jt.contains(te,it)?1:P?c.call(P,Qe)-c.call(P,it):0:vt&4?-1:1)}),ae}Jt.matches=function(Se,xe){return Jt(Se,null,null,xe)},Jt.matchesSelector=function(Se,xe){if(Zi(Se),ye&&!vn[xe+" "]&&(!Be||!Be.test(xe)))try{var We=et.call(Se,xe);if(We||y.disconnectedMatch||Se.document&&Se.document.nodeType!==11)return We}catch{vn(xe,!0)}return Jt(xe,ae,null,[Se]).length>0},Jt.contains=function(Se,xe){return(Se.ownerDocument||Se)!=ae&&Zi(Se),h.contains(Se,xe)},Jt.attr=function(Se,xe){(Se.ownerDocument||Se)!=ae&&Zi(Se);var We=b.attrHandle[xe.toLowerCase()],Qe=We&&_.call(b.attrHandle,xe.toLowerCase())?We(Se,xe,!ye):void 0;return Qe!==void 0?Qe:Se.getAttribute(xe)},Jt.error=function(Se){throw new Error("Syntax error, unrecognized expression: "+Se)},h.uniqueSort=function(Se){var xe,We=[],Qe=0,it=0;if(j=!y.sortStable,P=!y.sortStable&&o.call(Se,0),K.call(Se,On),j){for(;xe=Se[it++];)xe===Se[it]&&(Qe=We.push(it));for(;Qe--;)ue.call(Se,We[Qe],1)}return P=null,Se},h.fn.uniqueSort=function(){return this.pushStack(h.uniqueSort(o.apply(this)))},b=h.expr={cacheLength:50,createPseudo:yr,match:Gr,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(Se){return Se[1]=Se[1].replace(pr,ci),Se[3]=(Se[3]||Se[4]||Se[5]||"").replace(pr,ci),Se[2]==="~="&&(Se[3]=" "+Se[3]+" "),Se.slice(0,4)},CHILD:function(Se){return Se[1]=Se[1].toLowerCase(),Se[1].slice(0,3)==="nth"?(Se[3]||Jt.error(Se[0]),Se[4]=+(Se[4]?Se[5]+(Se[6]||1):2*(Se[3]==="even"||Se[3]==="odd")),Se[5]=+(Se[7]+Se[8]||Se[3]==="odd")):Se[3]&&Jt.error(Se[0]),Se},PSEUDO:function(Se){var xe,We=!Se[6]&&Se[2];return Gr.CHILD.test(Se[0])?null:(Se[3]?Se[2]=Se[4]||Se[5]||"":We&&fr.test(We)&&(xe=pi(We,!0))&&(xe=We.indexOf(")",We.length-xe)-We.length)&&(Se[0]=Se[0].slice(0,xe),Se[2]=We.slice(0,xe)),Se.slice(0,3))}},filter:{TAG:function(Se){var xe=Se.replace(pr,ci).toLowerCase();return Se==="*"?function(){return!0}:function(We){return F(We,xe)}},CLASS:function(Se){var xe=zt[Se+" "];return xe||(xe=new RegExp("(^|"+Z+")"+Se+"("+Z+"|$)"))&&zt(Se,function(We){return xe.test(typeof We.className=="string"&&We.className||typeof We.getAttribute<"u"&&We.getAttribute("class")||"")})},ATTR:function(Se,xe,We){return function(Qe){var it=Jt.attr(Qe,Se);return it==null?xe==="!=":xe?(it+="",xe==="="?it===We:xe==="!="?it!==We:xe==="^="?We&&it.indexOf(We)===0:xe==="*="?We&&it.indexOf(We)>-1:xe==="$="?We&&it.slice(-We.length)===We:xe==="~="?(" "+it.replace(tn," ")+" ").indexOf(We)>-1:xe==="|="?it===We||it.slice(0,We.length+1)===We+"-":!1):!0}},CHILD:function(Se,xe,We,Qe,it){var vt=Se.slice(0,3)!=="nth",St=Se.slice(-4)!=="last",Dt=xe==="of-type";return Qe===1&&it===0?function(Ot){return!!Ot.parentNode}:function(Ot,Kt,Wt){var Vt,$t,qt,fn,An,Nn=vt!==St?"nextSibling":"previousSibling",Hn=Ot.parentNode,tr=Dt&&Ot.nodeName.toLowerCase(),Wr=!Wt&&!Dt,q=!1;if(Hn){if(vt){for(;Nn;){for(qt=Ot;qt=qt[Nn];)if(Dt?F(qt,tr):qt.nodeType===1)return!1;An=Nn=Se==="only"&&!An&&"nextSibling"}return!0}if(An=[St?Hn.firstChild:Hn.lastChild],St&&Wr){for($t=Hn[ot]||(Hn[ot]={}),Vt=$t[Se]||[],fn=Vt[0]===Ke&&Vt[1],q=fn&&Vt[2],qt=fn&&Hn.childNodes[fn];qt=++fn&&qt&&qt[Nn]||(q=fn=0)||An.pop();)if(qt.nodeType===1&&++q&&qt===Ot){$t[Se]=[Ke,fn,q];break}}else if(Wr&&($t=Ot[ot]||(Ot[ot]={}),Vt=$t[Se]||[],fn=Vt[0]===Ke&&Vt[1],q=fn),q===!1)for(;(qt=++fn&&qt&&qt[Nn]||(q=fn=0)||An.pop())&&!((Dt?F(qt,tr):qt.nodeType===1)&&++q&&(Wr&&($t=qt[ot]||(qt[ot]={}),$t[Se]=[Ke,q]),qt===Ot)););return q-=it,q===Qe||q%Qe===0&&q/Qe>=0}}},PSEUDO:function(Se,xe){var We,Qe=b.pseudos[Se]||b.setFilters[Se.toLowerCase()]||Jt.error("unsupported pseudo: "+Se);return Qe[ot]?Qe(xe):Qe.length>1?(We=[Se,Se,"",xe],b.setFilters.hasOwnProperty(Se.toLowerCase())?yr(function(it,vt){for(var St,Dt=Qe(it,xe),Ot=Dt.length;Ot--;)St=c.call(it,Dt[Ot]),it[St]=!(vt[St]=Dt[Ot])}):function(it){return Qe(it,0,We)}):Qe}},pseudos:{not:yr(function(Se){var xe=[],We=[],Qe=Ji(Se.replace(fe,"$1"));return Qe[ot]?yr(function(it,vt,St,Dt){for(var Ot,Kt=Qe(it,null,Dt,[]),Wt=it.length;Wt--;)(Ot=Kt[Wt])&&(it[Wt]=!(vt[Wt]=Ot))}):function(it,vt,St){return xe[0]=it,Qe(xe,null,St,We),xe[0]=null,!We.pop()}}),has:yr(function(Se){return function(xe){return Jt(Se,xe).length>0}}),contains:yr(function(Se){return Se=Se.replace(pr,ci),function(xe){return(xe.textContent||h.text(xe)).indexOf(Se)>-1}}),lang:yr(function(Se){return wr.test(Se||"")||Jt.error("unsupported lang: "+Se),Se=Se.replace(pr,ci).toLowerCase(),function(xe){var We;do if(We=ye?xe.lang:xe.getAttribute("xml:lang")||xe.getAttribute("lang"))return We=We.toLowerCase(),We===Se||We.indexOf(Se+"-")===0;while((xe=xe.parentNode)&&xe.nodeType===1);return!1}}),target:function(Se){var xe=t.location&&t.location.hash;return xe&&xe.slice(1)===Se.id},root:function(Se){return Se===Ce},focus:function(Se){return Se===co()&&ae.hasFocus()&&!!(Se.type||Se.href||~Se.tabIndex)},enabled:Mo(!1),disabled:Mo(!0),checked:function(Se){return F(Se,"input")&&!!Se.checked||F(Se,"option")&&!!Se.selected},selected:function(Se){return Se.parentNode&&Se.parentNode.selectedIndex,Se.selected===!0},empty:function(Se){for(Se=Se.firstChild;Se;Se=Se.nextSibling)if(Se.nodeType<6)return!1;return!0},parent:function(Se){return!b.pseudos.empty(Se)},header:function(Se){return Hr.test(Se.nodeName)},input:function(Se){return Vn.test(Se.nodeName)},button:function(Se){return F(Se,"input")&&Se.type==="button"||F(Se,"button")},text:function(Se){var xe;return F(Se,"input")&&Se.type==="text"&&((xe=Se.getAttribute("type"))==null||xe.toLowerCase()==="text")},first:di(function(){return[0]}),last:di(function(Se,xe){return[xe-1]}),eq:di(function(Se,xe,We){return[We<0?We+xe:We]}),even:di(function(Se,xe){for(var We=0;We<xe;We+=2)Se.push(We);return Se}),odd:di(function(Se,xe){for(var We=1;We<xe;We+=2)Se.push(We);return Se}),lt:di(function(Se,xe,We){var Qe;for(We<0?Qe=We+xe:We>xe?Qe=xe:Qe=We;--Qe>=0;)Se.push(Qe);return Se}),gt:di(function(Se,xe,We){for(var Qe=We<0?We+xe:We;++Qe<xe;)Se.push(Qe);return Se})}},b.pseudos.nth=b.pseudos.eq;for(g in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})b.pseudos[g]=Yr(g);for(g in{submit:!0,reset:!0})b.pseudos[g]=Xi(g);function xa(){}xa.prototype=b.filters=b.pseudos,b.setFilters=new xa;function pi(Se,xe){var We,Qe,it,vt,St,Dt,Ot,Kt=rn[Se+" "];if(Kt)return xe?0:Kt.slice(0);for(St=Se,Dt=[],Ot=b.preFilter;St;){(!We||(Qe=jt.exec(St)))&&(Qe&&(St=St.slice(Qe[0].length)||St),Dt.push(it=[])),We=!1,(Qe=lo.exec(St))&&(We=Qe.shift(),it.push({value:We,type:Qe[0].replace(fe," ")}),St=St.slice(We.length));for(vt in b.filter)(Qe=Gr[vt].exec(St))&&(!Ot[vt]||(Qe=Ot[vt](Qe)))&&(We=Qe.shift(),it.push({value:We,type:vt,matches:Qe}),St=St.slice(We.length));if(!We)break}return xe?St.length:St?Jt.error(Se):rn(Se,Dt).slice(0)}function wi(Se){for(var xe=0,We=Se.length,Qe="";xe<We;xe++)Qe+=Se[xe].value;return Qe}function Cr(Se,xe,We){var Qe=xe.dir,it=xe.next,vt=it||Qe,St=We&&vt==="parentNode",Dt=mt++;return xe.first?function(Ot,Kt,Wt){for(;Ot=Ot[Qe];)if(Ot.nodeType===1||St)return Se(Ot,Kt,Wt);return!1}:function(Ot,Kt,Wt){var Vt,$t,qt=[Ke,Dt];if(Wt){for(;Ot=Ot[Qe];)if((Ot.nodeType===1||St)&&Se(Ot,Kt,Wt))return!0}else for(;Ot=Ot[Qe];)if(Ot.nodeType===1||St)if($t=Ot[ot]||(Ot[ot]={}),it&&F(Ot,it))Ot=Ot[Qe]||Ot;else{if((Vt=$t[vt])&&Vt[0]===Ke&&Vt[1]===Dt)return qt[2]=Vt[2];if($t[vt]=qt,qt[2]=Se(Ot,Kt,Wt))return!0}return!1}}function fo(Se){return Se.length>1?function(xe,We,Qe){for(var it=Se.length;it--;)if(!Se[it](xe,We,Qe))return!1;return!0}:Se[0]}function il(Se,xe,We){for(var Qe=0,it=xe.length;Qe<it;Qe++)Jt(Se,xe[Qe],We);return We}function wa(Se,xe,We,Qe,it){for(var vt,St=[],Dt=0,Ot=Se.length,Kt=xe!=null;Dt<Ot;Dt++)(vt=Se[Dt])&&(!We||We(vt,Qe,it))&&(St.push(vt),Kt&&xe.push(Dt));return St}function _i(Se,xe,We,Qe,it,vt){return Qe&&!Qe[ot]&&(Qe=_i(Qe)),it&&!it[ot]&&(it=_i(it,vt)),yr(function(St,Dt,Ot,Kt){var Wt,Vt,$t,qt,fn=[],An=[],Nn=Dt.length,Hn=St||il(xe||"*",Ot.nodeType?[Ot]:Ot,[]),tr=Se&&(St||!xe)?wa(Hn,fn,Se,Ot,Kt):Hn;if(We?(qt=it||(St?Se:Nn||Qe)?[]:Dt,We(tr,qt,Ot,Kt)):qt=tr,Qe)for(Wt=wa(qt,An),Qe(Wt,[],Ot,Kt),Vt=Wt.length;Vt--;)($t=Wt[Vt])&&(qt[An[Vt]]=!(tr[An[Vt]]=$t));if(St){if(it||Se){if(it){for(Wt=[],Vt=qt.length;Vt--;)($t=qt[Vt])&&Wt.push(tr[Vt]=$t);it(null,qt=[],Wt,Kt)}for(Vt=qt.length;Vt--;)($t=qt[Vt])&&(Wt=it?c.call(St,$t):fn[Vt])>-1&&(St[Wt]=!(Dt[Wt]=$t))}}else qt=wa(qt===Dt?qt.splice(Nn,qt.length):qt),it?it(null,Dt,qt,Kt):X.apply(Dt,qt)})}function _r(Se){for(var xe,We,Qe,it=Se.length,vt=b.relative[Se[0].type],St=vt||b.relative[" "],Dt=vt?1:0,Ot=Cr(function(Vt){return Vt===xe},St,!0),Kt=Cr(function(Vt){return c.call(xe,Vt)>-1},St,!0),Wt=[function(Vt,$t,qt){var fn=!vt&&(qt||$t!=x)||((xe=$t).nodeType?Ot(Vt,$t,qt):Kt(Vt,$t,qt));return xe=null,fn}];Dt<it;Dt++)if(We=b.relative[Se[Dt].type])Wt=[Cr(fo(Wt),We)];else{if(We=b.filter[Se[Dt].type].apply(null,Se[Dt].matches),We[ot]){for(Qe=++Dt;Qe<it&&!b.relative[Se[Qe].type];Qe++);return _i(Dt>1&&fo(Wt),Dt>1&&wi(Se.slice(0,Dt-1).concat({value:Se[Dt-2].type===" "?"*":""})).replace(fe,"$1"),We,Dt<Qe&&_r(Se.slice(Dt,Qe)),Qe<it&&_r(Se=Se.slice(Qe)),Qe<it&&wi(Se))}Wt.push(We)}return fo(Wt)}function ko(Se,xe){var We=xe.length>0,Qe=Se.length>0,it=function(vt,St,Dt,Ot,Kt){var Wt,Vt,$t,qt=0,fn="0",An=vt&&[],Nn=[],Hn=x,tr=vt||Qe&&b.find.TAG("*",Kt),Wr=Ke+=Hn==null?1:Math.random()||.1,q=tr.length;for(Kt&&(x=St==ae||St||Kt);fn!==q&&(Wt=tr[fn])!=null;fn++){if(Qe&&Wt){for(Vt=0,!St&&Wt.ownerDocument!=ae&&(Zi(Wt),Dt=!ye);$t=Se[Vt++];)if($t(Wt,St||ae,Dt)){X.call(Ot,Wt);break}Kt&&(Ke=Wr)}We&&((Wt=!$t&&Wt)&&qt--,vt&&An.push(Wt))}if(qt+=fn,We&&fn!==qt){for(Vt=0;$t=xe[Vt++];)$t(An,Nn,St,Dt);if(vt){if(qt>0)for(;fn--;)An[fn]||Nn[fn]||(Nn[fn]=z.call(Ot));Nn=wa(Nn)}X.apply(Ot,Nn),Kt&&!vt&&Nn.length>0&&qt+xe.length>1&&h.uniqueSort(Ot)}return Kt&&(Ke=Wr,x=Hn),An};return We?yr(it):it}function Ji(Se,xe){var We,Qe=[],it=[],vt=Qt[Se+" "];if(!vt){for(xe||(xe=pi(Se)),We=xe.length;We--;)vt=_r(xe[We]),vt[ot]?Qe.push(vt):it.push(vt);vt=Qt(Se,ko(it,Qe)),vt.selector=Se}return vt}function mi(Se,xe,We,Qe){var it,vt,St,Dt,Ot,Kt=typeof Se=="function"&&Se,Wt=!Qe&&pi(Se=Kt.selector||Se);if(We=We||[],Wt.length===1){if(vt=Wt[0]=Wt[0].slice(0),vt.length>2&&(St=vt[0]).type==="ID"&&xe.nodeType===9&&ye&&b.relative[vt[1].type]){if(xe=(b.find.ID(St.matches[0].replace(pr,ci),xe)||[])[0],xe)Kt&&(xe=xe.parentNode);else return We;Se=Se.slice(vt.shift().value.length)}for(it=Gr.needsContext.test(Se)?0:vt.length;it--&&(St=vt[it],!b.relative[Dt=St.type]);)if((Ot=b.find[Dt])&&(Qe=Ot(St.matches[0].replace(pr,ci),xi.test(vt[0].type)&&fi(xe.parentNode)||xe))){if(vt.splice(it,1),Se=Qe.length&&wi(vt),!Se)return X.apply(We,Qe),We;break}}return(Kt||Ji(Se,Wt))(Qe,xe,!ye,We,!xe||xi.test(Se)&&fi(xe.parentNode)||xe),We}y.sortStable=ot.split("").sort(On).join("")===ot,Zi(),y.sortDetached=ga(function(Se){return Se.compareDocumentPosition(ae.createElement("fieldset"))&1}),h.find=Jt,h.expr[":"]=h.expr.pseudos,h.unique=h.uniqueSort,Jt.compile=Ji,Jt.select=mi,Jt.setDocument=Zi,Jt.tokenize=pi,Jt.escape=h.escapeSelector,Jt.getText=h.text,Jt.isXML=h.isXMLDoc,Jt.selectors=h.expr,Jt.support=h.support,Jt.uniqueSort=h.uniqueSort})();var se=function(g,b,x){for(var P=[],j=x!==void 0;(g=g[b])&&g.nodeType!==9;)if(g.nodeType===1){if(j&&h(g).is(x))break;P.push(g)}return P},ve=function(g,b){for(var x=[];g;g=g.nextSibling)g.nodeType===1&&g!==b&&x.push(g);return x},Ge=h.expr.match.needsContext,oe=/^<([a-z][^\/\0>:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i;function W(g,b,x){return M(b)?h.grep(g,function(P,j){return!!b.call(P,j,P)!==x}):b.nodeType?h.grep(g,function(P){return P===b!==x}):typeof b!="string"?h.grep(g,function(P){return c.call(b,P)>-1!==x}):h.filter(b,g,x)}h.filter=function(g,b,x){var P=b[0];return x&&(g=":not("+g+")"),b.length===1&&P.nodeType===1?h.find.matchesSelector(P,g)?[P]:[]:h.find.matches(g,h.grep(b,function(j){return j.nodeType===1}))},h.fn.extend({find:function(g){var b,x,P=this.length,j=this;if(typeof g!="string")return this.pushStack(h(g).filter(function(){for(b=0;b<P;b++)if(h.contains(j[b],this))return!0}));for(x=this.pushStack([]),b=0;b<P;b++)h.find(g,j[b],x);return P>1?h.uniqueSort(x):x},filter:function(g){return this.pushStack(W(this,g||[],!1))},not:function(g){return this.pushStack(W(this,g||[],!0))},is:function(g){return!!W(this,typeof g=="string"&&Ge.test(g)?h(g):g||[],!1).length}});var Oe,tt=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]+))$/,rt=h.fn.init=function(g,b,x){var P,j;if(!g)return this;if(x=x||Oe,typeof g=="string")if(g[0]==="<"&&g[g.length-1]===">"&&g.length>=3?P=[null,g,null]:P=tt.exec(g),P&&(P[1]||!b))if(P[1]){if(b=b instanceof h?b[0]:b,h.merge(this,h.parseHTML(P[1],b&&b.nodeType?b.ownerDocument||b:A,!0)),oe.test(P[1])&&h.isPlainObject(b))for(P in b)M(this[P])?this[P](b[P]):this.attr(P,b[P]);return this}else return j=A.getElementById(P[2]),j&&(this[0]=j,this.length=1),this;else return!b||b.jquery?(b||x).find(g):this.constructor(b).find(g);else{if(g.nodeType)return this[0]=g,this.length=1,this;if(M(g))return x.ready!==void 0?x.ready(g):g(h)}return h.makeArray(g,this)};rt.prototype=h.fn,Oe=h(A);var bt=/^(?:parents|prev(?:Until|All))/,dt={children:!0,contents:!0,next:!0,prev:!0};h.fn.extend({has:function(g){var b=h(g,this),x=b.length;return this.filter(function(){for(var P=0;P<x;P++)if(h.contains(this,b[P]))return!0})},closest:function(g,b){var x,P=0,j=this.length,X=[],ae=typeof g!="string"&&h(g);if(!Ge.test(g)){for(;P<j;P++)for(x=this[P];x&&x!==b;x=x.parentNode)if(x.nodeType<11&&(ae?ae.index(x)>-1:x.nodeType===1&&h.find.matchesSelector(x,g))){X.push(x);break}}return this.pushStack(X.length>1?h.uniqueSort(X):X)},index:function(g){return g?typeof g=="string"?c.call(h(g),this[0]):c.call(this,g.jquery?g[0]:g):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(g,b){return this.pushStack(h.uniqueSort(h.merge(this.get(),h(g,b))))},addBack:function(g){return this.add(g==null?this.prevObject:this.prevObject.filter(g))}});function ct(g,b){for(;(g=g[b])&&g.nodeType!==1;);return g}h.each({parent:function(g){var b=g.parentNode;return b&&b.nodeType!==11?b:null},parents:function(g){return se(g,"parentNode")},parentsUntil:function(g,b,x){return se(g,"parentNode",x)},next:function(g){return ct(g,"nextSibling")},prev:function(g){return ct(g,"previousSibling")},nextAll:function(g){return se(g,"nextSibling")},prevAll:function(g){return se(g,"previousSibling")},nextUntil:function(g,b,x){return se(g,"nextSibling",x)},prevUntil:function(g,b,x){return se(g,"previousSibling",x)},siblings:function(g){return ve((g.parentNode||{}).firstChild,g)},children:function(g){return ve(g.firstChild)},contents:function(g){return g.contentDocument!=null&&a(g.contentDocument)?g.contentDocument:(F(g,"template")&&(g=g.content||g),h.merge([],g.childNodes))}},function(g,b){h.fn[g]=function(x,P){var j=h.map(this,b,x);return g.slice(-5)!=="Until"&&(P=x),P&&typeof P=="string"&&(j=h.filter(P,j)),this.length>1&&(dt[g]||h.uniqueSort(j),bt.test(g)&&j.reverse()),this.pushStack(j)}});var Ze=/[^\x20\t\r\n\f]+/g;function nt(g){var b={};return h.each(g.match(Ze)||[],function(x,P){b[P]=!0}),b}h.Callbacks=function(g){g=typeof g=="string"?nt(g):h.extend({},g);var b,x,P,j,X=[],ae=[],Ce=-1,ye=function(){for(j=j||g.once,P=b=!0;ae.length;Ce=-1)for(x=ae.shift();++Ce<X.length;)X[Ce].apply(x[0],x[1])===!1&&g.stopOnFalse&&(Ce=X.length,x=!1);g.memory||(x=!1),b=!1,j&&(x?X=[]:X="")},Be={add:function(){return X&&(x&&!b&&(Ce=X.length-1,ae.push(x)),function et(ot){h.each(ot,function(Ke,mt){M(mt)?(!g.unique||!Be.has(mt))&&X.push(mt):mt&&mt.length&&R(mt)!=="string"&&et(mt)})}(arguments),x&&!b&&ye()),this},remove:function(){return h.each(arguments,function(et,ot){for(var Ke;(Ke=h.inArray(ot,X,Ke))>-1;)X.splice(Ke,1),Ke<=Ce&&Ce--}),this},has:function(et){return et?h.inArray(et,X)>-1:X.length>0},empty:function(){return X&&(X=[]),this},disable:function(){return j=ae=[],X=x="",this},disabled:function(){return!X},lock:function(){return j=ae=[],!x&&!b&&(X=x=""),this},locked:function(){return!!j},fireWith:function(et,ot){return j||(ot=ot||[],ot=[et,ot.slice?ot.slice():ot],ae.push(ot),b||ye()),this},fire:function(){return Be.fireWith(this,arguments),this},fired:function(){return!!P}};return Be};function ce(g){return g}function Ee(g){throw g}function He(g,b,x,P){var j;try{g&&M(j=g.promise)?j.call(g).done(b).fail(x):g&&M(j=g.then)?j.call(g,b,x):b.apply(void 0,[g].slice(P))}catch(X){x.apply(void 0,[X])}}h.extend({Deferred:function(g){var b=[["notify","progress",h.Callbacks("memory"),h.Callbacks("memory"),2],["resolve","done",h.Callbacks("once memory"),h.Callbacks("once memory"),0,"resolved"],["reject","fail",h.Callbacks("once memory"),h.Callbacks("once memory"),1,"rejected"]],x="pending",P={state:function(){return x},always:function(){return j.done(arguments).fail(arguments),this},catch:function(X){return P.then(null,X)},pipe:function(){var X=arguments;return h.Deferred(function(ae){h.each(b,function(Ce,ye){var Be=M(X[ye[4]])&&X[ye[4]];j[ye[1]](function(){var et=Be&&Be.apply(this,arguments);et&&M(et.promise)?et.promise().progress(ae.notify).done(ae.resolve).fail(ae.reject):ae[ye[0]+"With"](this,Be?[et]:arguments)})}),X=null}).promise()},then:function(X,ae,Ce){var ye=0;function Be(et,ot,Ke,mt){return function(){var zt=this,rn=arguments,Qt=function(){var On,Gn;if(!(et<ye)){if(On=Ke.apply(zt,rn),On===ot.promise())throw new TypeError("Thenable self-resolution");Gn=On&&(typeof On=="object"||typeof On=="function")&&On.then,M(Gn)?mt?Gn.call(On,Be(ye,ot,ce,mt),Be(ye,ot,Ee,mt)):(ye++,Gn.call(On,Be(ye,ot,ce,mt),Be(ye,ot,Ee,mt),Be(ye,ot,ce,ot.notifyWith))):(Ke!==ce&&(zt=void 0,rn=[On]),(mt||ot.resolveWith)(zt,rn))}},vn=mt?Qt:function(){try{Qt()}catch(On){h.Deferred.exceptionHook&&h.Deferred.exceptionHook(On,vn.error),et+1>=ye&&(Ke!==Ee&&(zt=void 0,rn=[On]),ot.rejectWith(zt,rn))}};et?vn():(h.Deferred.getErrorHook?vn.error=h.Deferred.getErrorHook():h.Deferred.getStackHook&&(vn.error=h.Deferred.getStackHook()),t.setTimeout(vn))}}return h.Deferred(function(et){b[0][3].add(Be(0,et,M(Ce)?Ce:ce,et.notifyWith)),b[1][3].add(Be(0,et,M(X)?X:ce)),b[2][3].add(Be(0,et,M(ae)?ae:Ee))}).promise()},promise:function(X){return X!=null?h.extend(X,P):P}},j={};return h.each(b,function(X,ae){var Ce=ae[2],ye=ae[5];P[ae[1]]=Ce.add,ye&&Ce.add(function(){x=ye},b[3-X][2].disable,b[3-X][3].disable,b[0][2].lock,b[0][3].lock),Ce.add(ae[3].fire),j[ae[0]]=function(){return j[ae[0]+"With"](this===j?void 0:this,arguments),this},j[ae[0]+"With"]=Ce.fireWith}),P.promise(j),g&&g.call(j,j),j},when:function(g){var b=arguments.length,x=b,P=Array(x),j=o.call(arguments),X=h.Deferred(),ae=function(Ce){return function(ye){P[Ce]=this,j[Ce]=arguments.length>1?o.call(arguments):ye,--b||X.resolveWith(P,j)}};if(b<=1&&(He(g,X.done(ae(x)).resolve,X.reject,!b),X.state()==="pending"||M(j[x]&&j[x].then)))return X.then();for(;x--;)He(j[x],ae(x),X.reject);return X.promise()}});var we=/^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/;h.Deferred.exceptionHook=function(g,b){t.console&&t.console.warn&&g&&we.test(g.name)&&t.console.warn("jQuery.Deferred exception: "+g.message,g.stack,b)},h.readyException=function(g){t.setTimeout(function(){throw g})};var ze=h.Deferred();h.fn.ready=function(g){return ze.then(g).catch(function(b){h.readyException(b)}),this},h.extend({isReady:!1,readyWait:1,ready:function(g){(g===!0?--h.readyWait:h.isReady)||(h.isReady=!0,!(g!==!0&&--h.readyWait>0)&&ze.resolveWith(A,[h]))}}),h.ready.then=ze.then;function pe(){A.removeEventListener("DOMContentLoaded",pe),t.removeEventListener("load",pe),h.ready()}A.readyState==="complete"||A.readyState!=="loading"&&!A.documentElement.doScroll?t.setTimeout(h.ready):(A.addEventListener("DOMContentLoaded",pe),t.addEventListener("load",pe));var Re=function(g,b,x,P,j,X,ae){var Ce=0,ye=g.length,Be=x==null;if(R(x)==="object"){j=!0;for(Ce in x)Re(g,b,Ce,x[Ce],!0,X,ae)}else if(P!==void 0&&(j=!0,M(P)||(ae=!0),Be&&(ae?(b.call(g,P),b=null):(Be=b,b=function(et,ot,Ke){return Be.call(h(et),Ke)})),b))for(;Ce<ye;Ce++)b(g[Ce],x,ae?P:P.call(g[Ce],Ce,b(g[Ce],x)));return j?g:Be?b.call(g):ye?b(g[0],x):X},Ne=/^-ms-/,Ie=/-([a-z])/g;function Ue(g,b){return b.toUpperCase()}function Ve(g){return g.replace(Ne,"ms-").replace(Ie,Ue)}var lt=function(g){return g.nodeType===1||g.nodeType===9||!+g.nodeType};function ge(){this.expando=h.expando+ge.uid++}ge.uid=1,ge.prototype={cache:function(g){var b=g[this.expando];return b||(b={},lt(g)&&(g.nodeType?g[this.expando]=b:Object.defineProperty(g,this.expando,{value:b,configurable:!0}))),b},set:function(g,b,x){var P,j=this.cache(g);if(typeof b=="string")j[Ve(b)]=x;else for(P in b)j[Ve(P)]=b[P];return j},get:function(g,b){return b===void 0?this.cache(g):g[this.expando]&&g[this.expando][Ve(b)]},access:function(g,b,x){return b===void 0||b&&typeof b=="string"&&x===void 0?this.get(g,b):(this.set(g,b,x),x!==void 0?x:b)},remove:function(g,b){var x,P=g[this.expando];if(P!==void 0){if(b!==void 0)for(Array.isArray(b)?b=b.map(Ve):(b=Ve(b),b=b in P?[b]:b.match(Ze)||[]),x=b.length;x--;)delete P[b[x]];(b===void 0||h.isEmptyObject(P))&&(g.nodeType?g[this.expando]=void 0:delete g[this.expando])}},hasData:function(g){var b=g[this.expando];return b!==void 0&&!h.isEmptyObject(b)}};var de=new ge,be=new ge,H=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,ee=/[A-Z]/g;function _e(g){return g==="true"?!0:g==="false"?!1:g==="null"?null:g===+g+""?+g:H.test(g)?JSON.parse(g):g}function U(g,b,x){var P;if(x===void 0&&g.nodeType===1)if(P="data-"+b.replace(ee,"-$&").toLowerCase(),x=g.getAttribute(P),typeof x=="string"){try{x=_e(x)}catch{}be.set(g,b,x)}else x=void 0;return x}h.extend({hasData:function(g){return be.hasData(g)||de.hasData(g)},data:function(g,b,x){return be.access(g,b,x)},removeData:function(g,b){be.remove(g,b)},_data:function(g,b,x){return de.access(g,b,x)},_removeData:function(g,b){de.remove(g,b)}}),h.fn.extend({data:function(g,b){var x,P,j,X=this[0],ae=X&&X.attributes;if(g===void 0){if(this.length&&(j=be.get(X),X.nodeType===1&&!de.get(X,"hasDataAttrs"))){for(x=ae.length;x--;)ae[x]&&(P=ae[x].name,P.indexOf("data-")===0&&(P=Ve(P.slice(5)),U(X,P,j[P])));de.set(X,"hasDataAttrs",!0)}return j}return typeof g=="object"?this.each(function(){be.set(this,g)}):Re(this,function(Ce){var ye;if(X&&Ce===void 0)return ye=be.get(X,g),ye!==void 0||(ye=U(X,g),ye!==void 0)?ye:void 0;this.each(function(){be.set(this,g,Ce)})},null,b,arguments.length>1,null,!0)},removeData:function(g){return this.each(function(){be.remove(this,g)})}}),h.extend({queue:function(g,b,x){var P;if(g)return b=(b||"fx")+"queue",P=de.get(g,b),x&&(!P||Array.isArray(x)?P=de.access(g,b,h.makeArray(x)):P.push(x)),P||[]},dequeue:function(g,b){b=b||"fx";var x=h.queue(g,b),P=x.length,j=x.shift(),X=h._queueHooks(g,b),ae=function(){h.dequeue(g,b)};j==="inprogress"&&(j=x.shift(),P--),j&&(b==="fx"&&x.unshift("inprogress"),delete X.stop,j.call(g,ae,X)),!P&&X&&X.empty.fire()},_queueHooks:function(g,b){var x=b+"queueHooks";return de.get(g,x)||de.access(g,x,{empty:h.Callbacks("once memory").add(function(){de.remove(g,[b+"queue",x])})})}}),h.fn.extend({queue:function(g,b){var x=2;return typeof g!="string"&&(b=g,g="fx",x--),arguments.length<x?h.queue(this[0],g):b===void 0?this:this.each(function(){var P=h.queue(this,g,b);h._queueHooks(this,g),g==="fx"&&P[0]!=="inprogress"&&h.dequeue(this,g)})},dequeue:function(g){return this.each(function(){h.dequeue(this,g)})},clearQueue:function(g){return this.queue(g||"fx",[])},promise:function(g,b){var x,P=1,j=h.Deferred(),X=this,ae=this.length,Ce=function(){--P||j.resolveWith(X,[X])};for(typeof g!="string"&&(b=g,g=void 0),g=g||"fx";ae--;)x=de.get(X[ae],g+"queueHooks"),x&&x.empty&&(P++,x.empty.add(Ce));return Ce(),j.promise(b)}});var Q=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,he=new RegExp("^(?:([+-])=|)("+Q+")([a-z%]*)$","i"),Le=["Top","Right","Bottom","Left"],Xe=A.documentElement,je=function(g){return h.contains(g.ownerDocument,g)},at={composed:!0};Xe.getRootNode&&(je=function(g){return h.contains(g.ownerDocument,g)||g.getRootNode(at)===g.ownerDocument});var ke=function(g,b){return g=b||g,g.style.display==="none"||g.style.display===""&&je(g)&&h.css(g,"display")==="none"};function $e(g,b,x,P){var j,X,ae=20,Ce=P?function(){return P.cur()}:function(){return h.css(g,b,"")},ye=Ce(),Be=x&&x[3]||(h.cssNumber[b]?"":"px"),et=g.nodeType&&(h.cssNumber[b]||Be!=="px"&&+ye)&&he.exec(h.css(g,b));if(et&&et[3]!==Be){for(ye=ye/2,Be=Be||et[3],et=+ye||1;ae--;)h.style(g,b,et+Be),(1-X)*(1-(X=Ce()/ye||.5))<=0&&(ae=0),et=et/X;et=et*2,h.style(g,b,et+Be),x=x||[]}return x&&(et=+et||+ye||0,j=x[1]?et+(x[1]+1)*x[2]:+x[2],P&&(P.unit=Be,P.start=et,P.end=j)),j}var De={};function pt(g){var b,x=g.ownerDocument,P=g.nodeName,j=De[P];return j||(b=x.body.appendChild(x.createElement(P)),j=h.css(b,"display"),b.parentNode.removeChild(b),j==="none"&&(j="block"),De[P]=j,j)}function _t(g,b){for(var x,P,j=[],X=0,ae=g.length;X<ae;X++)P=g[X],P.style&&(x=P.style.display,b?(x==="none"&&(j[X]=de.get(P,"display")||null,j[X]||(P.style.display="")),P.style.display===""&&ke(P)&&(j[X]=pt(P))):x!=="none"&&(j[X]="none",de.set(P,"display",x)));for(X=0;X<ae;X++)j[X]!=null&&(g[X].style.display=j[X]);return g}h.fn.extend({show:function(){return _t(this,!0)},hide:function(){return _t(this)},toggle:function(g){return typeof g=="boolean"?g?this.show():this.hide():this.each(function(){ke(this)?h(this).show():h(this).hide()})}});var wt=/^(?:checkbox|radio)$/i,Lt=/<([a-z][^\/\0>\x20\t\r\n\f]*)/i,cn=/^$|^module$|\/(?:java|ecma)script/i;(function(){var g=A.createDocumentFragment(),b=g.appendChild(A.createElement("div")),x=A.createElement("input");x.setAttribute("type","radio"),x.setAttribute("checked","checked"),x.setAttribute("name","t"),b.appendChild(x),y.checkClone=b.cloneNode(!0).cloneNode(!0).lastChild.checked,b.innerHTML="<textarea>x</textarea>",y.noCloneChecked=!!b.cloneNode(!0).lastChild.defaultValue,b.innerHTML="<option></option>",y.option=!!b.lastChild})();var Xt={thead:[1,"<table>","</table>"],col:[2,"<table><colgroup>","</colgroup></table>"],tr:[2,"<table><tbody>","</tbody></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:[0,"",""]};Xt.tbody=Xt.tfoot=Xt.colgroup=Xt.caption=Xt.thead,Xt.th=Xt.td,y.option||(Xt.optgroup=Xt.option=[1,"<select multiple='multiple'>","</select>"]);function an(g,b){var x;return typeof g.getElementsByTagName<"u"?x=g.getElementsByTagName(b||"*"):typeof g.querySelectorAll<"u"?x=g.querySelectorAll(b||"*"):x=[],b===void 0||b&&F(g,b)?h.merge([g],x):x}function Zt(g,b){for(var x=0,P=g.length;x<P;x++)de.set(g[x],"globalEval",!b||de.get(b[x],"globalEval"))}var Sr=/<|&#?\w+;/;function Qn(g,b,x,P,j){for(var X,ae,Ce,ye,Be,et,ot=b.createDocumentFragment(),Ke=[],mt=0,zt=g.length;mt<zt;mt++)if(X=g[mt],X||X===0)if(R(X)==="object")h.merge(Ke,X.nodeType?[X]:X);else if(!Sr.test(X))Ke.push(b.createTextNode(X));else{for(ae=ae||ot.appendChild(b.createElement("div")),Ce=(Lt.exec(X)||["",""])[1].toLowerCase(),ye=Xt[Ce]||Xt._default,ae.innerHTML=ye[1]+h.htmlPrefilter(X)+ye[2],et=ye[0];et--;)ae=ae.lastChild;h.merge(Ke,ae.childNodes),ae=ot.firstChild,ae.textContent=""}for(ot.textContent="",mt=0;X=Ke[mt++];){if(P&&h.inArray(X,P)>-1){j&&j.push(X);continue}if(Be=je(X),ae=an(ot.appendChild(X),"script"),Be&&Zt(ae),x)for(et=0;X=ae[et++];)cn.test(X.type||"")&&x.push(X)}return ot}var wn=/^([^.]*)(?:\.(.+)|)/;function Wn(){return!0}function Jn(){return!1}function Oa(g,b,x,P,j,X){var ae,Ce;if(typeof b=="object"){typeof x!="string"&&(P=P||x,x=void 0);for(Ce in b)Oa(g,Ce,x,P,b[Ce],X);return g}if(P==null&&j==null?(j=x,P=x=void 0):j==null&&(typeof x=="string"?(j=P,P=void 0):(j=P,P=x,x=void 0)),j===!1)j=Jn;else if(!j)return g;return X===1&&(ae=j,j=function(ye){return h().off(ye),ae.apply(this,arguments)},j.guid=ae.guid||(ae.guid=h.guid++)),g.each(function(){h.event.add(this,b,j,P,x)})}h.event={global:{},add:function(g,b,x,P,j){var X,ae,Ce,ye,Be,et,ot,Ke,mt,zt,rn,Qt=de.get(g);if(!!lt(g))for(x.handler&&(X=x,x=X.handler,j=X.selector),j&&h.find.matchesSelector(Xe,j),x.guid||(x.guid=h.guid++),(ye=Qt.events)||(ye=Qt.events=Object.create(null)),(ae=Qt.handle)||(ae=Qt.handle=function(vn){return typeof h<"u"&&h.event.triggered!==vn.type?h.event.dispatch.apply(g,arguments):void 0}),b=(b||"").match(Ze)||[""],Be=b.length;Be--;)Ce=wn.exec(b[Be])||[],mt=rn=Ce[1],zt=(Ce[2]||"").split(".").sort(),mt&&(ot=h.event.special[mt]||{},mt=(j?ot.delegateType:ot.bindType)||mt,ot=h.event.special[mt]||{},et=h.extend({type:mt,origType:rn,data:P,handler:x,guid:x.guid,selector:j,needsContext:j&&h.expr.match.needsContext.test(j),namespace:zt.join(".")},X),(Ke=ye[mt])||(Ke=ye[mt]=[],Ke.delegateCount=0,(!ot.setup||ot.setup.call(g,P,zt,ae)===!1)&&g.addEventListener&&g.addEventListener(mt,ae)),ot.add&&(ot.add.call(g,et),et.handler.guid||(et.handler.guid=x.guid)),j?Ke.splice(Ke.delegateCount++,0,et):Ke.push(et),h.event.global[mt]=!0)},remove:function(g,b,x,P,j){var X,ae,Ce,ye,Be,et,ot,Ke,mt,zt,rn,Qt=de.hasData(g)&&de.get(g);if(!(!Qt||!(ye=Qt.events))){for(b=(b||"").match(Ze)||[""],Be=b.length;Be--;){if(Ce=wn.exec(b[Be])||[],mt=rn=Ce[1],zt=(Ce[2]||"").split(".").sort(),!mt){for(mt in ye)h.event.remove(g,mt+b[Be],x,P,!0);continue}for(ot=h.event.special[mt]||{},mt=(P?ot.delegateType:ot.bindType)||mt,Ke=ye[mt]||[],Ce=Ce[2]&&new RegExp("(^|\\.)"+zt.join("\\.(?:.*\\.|)")+"(\\.|$)"),ae=X=Ke.length;X--;)et=Ke[X],(j||rn===et.origType)&&(!x||x.guid===et.guid)&&(!Ce||Ce.test(et.namespace))&&(!P||P===et.selector||P==="**"&&et.selector)&&(Ke.splice(X,1),et.selector&&Ke.delegateCount--,ot.remove&&ot.remove.call(g,et));ae&&!Ke.length&&((!ot.teardown||ot.teardown.call(g,zt,Qt.handle)===!1)&&h.removeEvent(g,mt,Qt.handle),delete ye[mt])}h.isEmptyObject(ye)&&de.remove(g,"handle events")}},dispatch:function(g){var b,x,P,j,X,ae,Ce=new Array(arguments.length),ye=h.event.fix(g),Be=(de.get(this,"events")||Object.create(null))[ye.type]||[],et=h.event.special[ye.type]||{};for(Ce[0]=ye,b=1;b<arguments.length;b++)Ce[b]=arguments[b];if(ye.delegateTarget=this,!(et.preDispatch&&et.preDispatch.call(this,ye)===!1)){for(ae=h.event.handlers.call(this,ye,Be),b=0;(j=ae[b++])&&!ye.isPropagationStopped();)for(ye.currentTarget=j.elem,x=0;(X=j.handlers[x++])&&!ye.isImmediatePropagationStopped();)(!ye.rnamespace||X.namespace===!1||ye.rnamespace.test(X.namespace))&&(ye.handleObj=X,ye.data=X.data,P=((h.event.special[X.origType]||{}).handle||X.handler).apply(j.elem,Ce),P!==void 0&&(ye.result=P)===!1&&(ye.preventDefault(),ye.stopPropagation()));return et.postDispatch&&et.postDispatch.call(this,ye),ye.result}},handlers:function(g,b){var x,P,j,X,ae,Ce=[],ye=b.delegateCount,Be=g.target;if(ye&&Be.nodeType&&!(g.type==="click"&&g.button>=1)){for(;Be!==this;Be=Be.parentNode||this)if(Be.nodeType===1&&!(g.type==="click"&&Be.disabled===!0)){for(X=[],ae={},x=0;x<ye;x++)P=b[x],j=P.selector+" ",ae[j]===void 0&&(ae[j]=P.needsContext?h(j,this).index(Be)>-1:h.find(j,this,null,[Be]).length),ae[j]&&X.push(P);X.length&&Ce.push({elem:Be,handlers:X})}}return Be=this,ye<b.length&&Ce.push({elem:Be,handlers:b.slice(ye)}),Ce},addProp:function(g,b){Object.defineProperty(h.Event.prototype,g,{enumerable:!0,configurable:!0,get:M(b)?function(){if(this.originalEvent)return b(this.originalEvent)}:function(){if(this.originalEvent)return this.originalEvent[g]},set:function(x){Object.defineProperty(this,g,{enumerable:!0,configurable:!0,writable:!0,value:x})}})},fix:function(g){return g[h.expando]?g:new h.Event(g)},special:{load:{noBubble:!0},click:{setup:function(g){var b=this||g;return wt.test(b.type)&&b.click&&F(b,"input")&&Ai(b,"click",!0),!1},trigger:function(g){var b=this||g;return wt.test(b.type)&&b.click&&F(b,"input")&&Ai(b,"click"),!0},_default:function(g){var b=g.target;return wt.test(b.type)&&b.click&&F(b,"input")&&de.get(b,"click")||F(b,"a")}},beforeunload:{postDispatch:function(g){g.result!==void 0&&g.originalEvent&&(g.originalEvent.returnValue=g.result)}}}};function Ai(g,b,x){if(!x){de.get(g,b)===void 0&&h.event.add(g,b,Wn);return}de.set(g,b,!1),h.event.add(g,b,{namespace:!1,handler:function(P){var j,X=de.get(this,b);if(P.isTrigger&1&&this[b]){if(X)(h.event.special[b]||{}).delegateType&&P.stopPropagation();else if(X=o.call(arguments),de.set(this,b,X),this[b](),j=de.get(this,b),de.set(this,b,!1),X!==j)return P.stopImmediatePropagation(),P.preventDefault(),j}else X&&(de.set(this,b,h.event.trigger(X[0],X.slice(1),this)),P.stopPropagation(),P.isImmediatePropagationStopped=Wn)}})}h.removeEvent=function(g,b,x){g.removeEventListener&&g.removeEventListener(b,x)},h.Event=function(g,b){if(!(this instanceof h.Event))return new h.Event(g,b);g&&g.type?(this.originalEvent=g,this.type=g.type,this.isDefaultPrevented=g.defaultPrevented||g.defaultPrevented===void 0&&g.returnValue===!1?Wn:Jn,this.target=g.target&&g.target.nodeType===3?g.target.parentNode:g.target,this.currentTarget=g.currentTarget,this.relatedTarget=g.relatedTarget):this.type=g,b&&h.extend(this,b),this.timeStamp=g&&g.timeStamp||Date.now(),this[h.expando]=!0},h.Event.prototype={constructor:h.Event,isDefaultPrevented:Jn,isPropagationStopped:Jn,isImmediatePropagationStopped:Jn,isSimulated:!1,preventDefault:function(){var g=this.originalEvent;this.isDefaultPrevented=Wn,g&&!this.isSimulated&&g.preventDefault()},stopPropagation:function(){var g=this.originalEvent;this.isPropagationStopped=Wn,g&&!this.isSimulated&&g.stopPropagation()},stopImmediatePropagation:function(){var g=this.originalEvent;this.isImmediatePropagationStopped=Wn,g&&!this.isSimulated&&g.stopImmediatePropagation(),this.stopPropagation()}},h.each({altKey:!0,bubbles:!0,cancelable:!0,changedTouches:!0,ctrlKey:!0,detail:!0,eventPhase:!0,metaKey:!0,pageX:!0,pageY:!0,shiftKey:!0,view:!0,char:!0,code:!0,charCode:!0,key:!0,keyCode:!0,button:!0,buttons:!0,clientX:!0,clientY:!0,offsetX:!0,offsetY:!0,pointerId:!0,pointerType:!0,screenX:!0,screenY:!0,targetTouches:!0,toElement:!0,touches:!0,which:!0},h.event.addProp),h.each({focus:"focusin",blur:"focusout"},function(g,b){function x(P){if(A.documentMode){var j=de.get(this,"handle"),X=h.event.fix(P);X.type=P.type==="focusin"?"focus":"blur",X.isSimulated=!0,j(P),X.target===X.currentTarget&&j(X)}else h.event.simulate(b,P.target,h.event.fix(P))}h.event.special[g]={setup:function(){var P;if(Ai(this,g,!0),A.documentMode)P=de.get(this,b),P||this.addEventListener(b,x),de.set(this,b,(P||0)+1);else return!1},trigger:function(){return Ai(this,g),!0},teardown:function(){var P;if(A.documentMode)P=de.get(this,b)-1,P?de.set(this,b,P):(this.removeEventListener(b,x),de.remove(this,b));else return!1},_default:function(P){return de.get(P.target,g)},delegateType:b},h.event.special[b]={setup:function(){var P=this.ownerDocument||this.document||this,j=A.documentMode?this:P,X=de.get(j,b);X||(A.documentMode?this.addEventListener(b,x):P.addEventListener(g,x,!0)),de.set(j,b,(X||0)+1)},teardown:function(){var P=this.ownerDocument||this.document||this,j=A.documentMode?this:P,X=de.get(j,b)-1;X?de.set(j,b,X):(A.documentMode?this.removeEventListener(b,x):P.removeEventListener(g,x,!0),de.remove(j,b))}}}),h.each({mouseenter:"mouseover",mouseleave:"mouseout",pointerenter:"pointerover",pointerleave:"pointerout"},function(g,b){h.event.special[g]={delegateType:b,bindType:b,handle:function(x){var P,j=this,X=x.relatedTarget,ae=x.handleObj;return(!X||X!==j&&!h.contains(j,X))&&(x.type=ae.origType,P=ae.handler.apply(this,arguments),x.type=b),P}}}),h.fn.extend({on:function(g,b,x,P){return Oa(this,g,b,x,P)},one:function(g,b,x,P){return Oa(this,g,b,x,P,1)},off:function(g,b,x){var P,j;if(g&&g.preventDefault&&g.handleObj)return P=g.handleObj,h(g.delegateTarget).off(P.namespace?P.origType+"."+P.namespace:P.origType,P.selector,P.handler),this;if(typeof g=="object"){for(j in g)this.off(j,b,g[j]);return this}return(b===!1||typeof b=="function")&&(x=b,b=void 0),x===!1&&(x=Jn),this.each(function(){h.event.remove(this,g,x,b)})}});var Oo=/<script|<style|<link/i,ja=/checked\s*(?:[^=]|=\s*.checked.)/i,ps=/^\s*<!\[CDATA\[|\]\]>\s*$/g;function Pr(g,b){return F(g,"table")&&F(b.nodeType!==11?b:b.firstChild,"tr")&&h(g).children("tbody")[0]||g}function ur(g){return g.type=(g.getAttribute("type")!==null)+"/"+g.type,g}function ii(g){return(g.type||"").slice(0,5)==="true/"?g.type=g.type.slice(5):g.removeAttribute("type"),g}function Gi(g,b){var x,P,j,X,ae,Ce,ye;if(b.nodeType===1){if(de.hasData(g)&&(X=de.get(g),ye=X.events,ye)){de.remove(b,"handle events");for(j in ye)for(x=0,P=ye[j].length;x<P;x++)h.event.add(b,j,ye[j][x])}be.hasData(g)&&(ae=be.access(g),Ce=h.extend({},ae),be.set(b,Ce))}}function Xa(g,b){var x=b.nodeName.toLowerCase();x==="input"&&wt.test(g.type)?b.checked=g.checked:(x==="input"||x==="textarea")&&(b.defaultValue=g.defaultValue)}function ai(g,b,x,P){b=l(b);var j,X,ae,Ce,ye,Be,et=0,ot=g.length,Ke=ot-1,mt=b[0],zt=M(mt);if(zt||ot>1&&typeof mt=="string"&&!y.checkClone&&ja.test(mt))return g.each(function(rn){var Qt=g.eq(rn);zt&&(b[0]=mt.call(this,rn,Qt.html())),ai(Qt,b,x,P)});if(ot&&(j=Qn(b,g[0].ownerDocument,!1,g,P),X=j.firstChild,j.childNodes.length===1&&(j=X),X||P)){for(ae=h.map(an(j,"script"),ur),Ce=ae.length;et<ot;et++)ye=j,et!==Ke&&(ye=h.clone(ye,!0,!0),Ce&&h.merge(ae,an(ye,"script"))),x.call(g[et],ye,et);if(Ce)for(Be=ae[ae.length-1].ownerDocument,h.map(ae,ii),et=0;et<Ce;et++)ye=ae[et],cn.test(ye.type||"")&&!de.access(ye,"globalEval")&&h.contains(Be,ye)&&(ye.src&&(ye.type||"").toLowerCase()!=="module"?h._evalUrl&&!ye.noModule&&h._evalUrl(ye.src,{nonce:ye.nonce||ye.getAttribute("nonce")},Be):N(ye.textContent.replace(ps,""),ye,Be))}return g}function oi(g,b,x){for(var P,j=b?h.filter(b,g):g,X=0;(P=j[X])!=null;X++)!x&&P.nodeType===1&&h.cleanData(an(P)),P.parentNode&&(x&&je(P)&&Zt(an(P,"script")),P.parentNode.removeChild(P));return g}h.extend({htmlPrefilter:function(g){return g},clone:function(g,b,x){var P,j,X,ae,Ce=g.cloneNode(!0),ye=je(g);if(!y.noCloneChecked&&(g.nodeType===1||g.nodeType===11)&&!h.isXMLDoc(g))for(ae=an(Ce),X=an(g),P=0,j=X.length;P<j;P++)Xa(X[P],ae[P]);if(b)if(x)for(X=X||an(g),ae=ae||an(Ce),P=0,j=X.length;P<j;P++)Gi(X[P],ae[P]);else Gi(g,Ce);return ae=an(Ce,"script"),ae.length>0&&Zt(ae,!ye&&an(g,"script")),Ce},cleanData:function(g){for(var b,x,P,j=h.event.special,X=0;(x=g[X])!==void 0;X++)if(lt(x)){if(b=x[de.expando]){if(b.events)for(P in b.events)j[P]?h.event.remove(x,P):h.removeEvent(x,P,b.handle);x[de.expando]=void 0}x[be.expando]&&(x[be.expando]=void 0)}}}),h.fn.extend({detach:function(g){return oi(this,g,!0)},remove:function(g){return oi(this,g)},text:function(g){return Re(this,function(b){return b===void 0?h.text(this):this.empty().each(function(){(this.nodeType===1||this.nodeType===11||this.nodeType===9)&&(this.textContent=b)})},null,g,arguments.length)},append:function(){return ai(this,arguments,function(g){if(this.nodeType===1||this.nodeType===11||this.nodeType===9){var b=Pr(this,g);b.appendChild(g)}})},prepend:function(){return ai(this,arguments,function(g){if(this.nodeType===1||this.nodeType===11||this.nodeType===9){var b=Pr(this,g);b.insertBefore(g,b.firstChild)}})},before:function(){return ai(this,arguments,function(g){this.parentNode&&this.parentNode.insertBefore(g,this)})},after:function(){return ai(this,arguments,function(g){this.parentNode&&this.parentNode.insertBefore(g,this.nextSibling)})},empty:function(){for(var g,b=0;(g=this[b])!=null;b++)g.nodeType===1&&(h.cleanData(an(g,!1)),g.textContent="");return this},clone:function(g,b){return g=g==null?!1:g,b=b==null?g:b,this.map(function(){return h.clone(this,g,b)})},html:function(g){return Re(this,function(b){var x=this[0]||{},P=0,j=this.length;if(b===void 0&&x.nodeType===1)return x.innerHTML;if(typeof b=="string"&&!Oo.test(b)&&!Xt[(Lt.exec(b)||["",""])[1].toLowerCase()]){b=h.htmlPrefilter(b);try{for(;P<j;P++)x=this[P]||{},x.nodeType===1&&(h.cleanData(an(x,!1)),x.innerHTML=b);x=0}catch{}}x&&this.empty().append(b)},null,g,arguments.length)},replaceWith:function(){var g=[];return ai(this,arguments,function(b){var x=this.parentNode;h.inArray(this,g)<0&&(h.cleanData(an(this)),x&&x.replaceChild(b,this))},g)}}),h.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(g,b){h.fn[g]=function(x){for(var P,j=[],X=h(x),ae=X.length-1,Ce=0;Ce<=ae;Ce++)P=Ce===ae?this:this.clone(!0),h(X[Ce])[b](P),u.apply(j,P.get());return this.pushStack(j)}});var Ra=new RegExp("^("+Q+")(?!px)[a-z%]+$","i"),aa=/^--/,Oi=function(g){var b=g.ownerDocument.defaultView;return(!b||!b.opener)&&(b=t),b.getComputedStyle(g)},oa=function(g,b,x){var P,j,X={};for(j in b)X[j]=g.style[j],g.style[j]=b[j];P=x.call(g);for(j in b)g.style[j]=X[j];return P},Ri=new RegExp(Le.join("|"),"i");(function(){function g(){if(!!Be){ye.style.cssText="position:absolute;left:-11111px;width:60px;margin-top:1px;padding:0;border:0",Be.style.cssText="position:relative;display:block;box-sizing:border-box;overflow:scroll;margin:auto;border:1px;padding:1px;width:60%;top:1%",Xe.appendChild(ye).appendChild(Be);var et=t.getComputedStyle(Be);x=et.top!=="1%",Ce=b(et.marginLeft)===12,Be.style.right="60%",X=b(et.right)===36,P=b(et.width)===36,Be.style.position="absolute",j=b(Be.offsetWidth/3)===12,Xe.removeChild(ye),Be=null}}function b(et){return Math.round(parseFloat(et))}var x,P,j,X,ae,Ce,ye=A.createElement("div"),Be=A.createElement("div");!Be.style||(Be.style.backgroundClip="content-box",Be.cloneNode(!0).style.backgroundClip="",y.clearCloneStyle=Be.style.backgroundClip==="content-box",h.extend(y,{boxSizingReliable:function(){return g(),P},pixelBoxStyles:function(){return g(),X},pixelPosition:function(){return g(),x},reliableMarginLeft:function(){return g(),Ce},scrollboxSize:function(){return g(),j},reliableTrDimensions:function(){var et,ot,Ke,mt;return ae==null&&(et=A.createElement("table"),ot=A.createElement("tr"),Ke=A.createElement("div"),et.style.cssText="position:absolute;left:-11111px;border-collapse:separate",ot.style.cssText="box-sizing:content-box;border:1px solid",ot.style.height="1px",Ke.style.height="9px",Ke.style.display="block",Xe.appendChild(et).appendChild(ot).appendChild(Ke),mt=t.getComputedStyle(ot),ae=parseInt(mt.height,10)+parseInt(mt.borderTopWidth,10)+parseInt(mt.borderBottomWidth,10)===ot.offsetHeight,Xe.removeChild(et)),ae}}))})();function Hi(g,b,x){var P,j,X,ae,Ce=aa.test(b),ye=g.style;return x=x||Oi(g),x&&(ae=x.getPropertyValue(b)||x[b],Ce&&ae&&(ae=ae.replace(fe,"$1")||void 0),ae===""&&!je(g)&&(ae=h.style(g,b)),!y.pixelBoxStyles()&&Ra.test(ae)&&Ri.test(b)&&(P=ye.width,j=ye.minWidth,X=ye.maxWidth,ye.minWidth=ye.maxWidth=ye.width=ae,ae=x.width,ye.width=P,ye.minWidth=j,ye.maxWidth=X)),ae!==void 0?ae+"":ae}function br(g,b){return{get:function(){if(g()){delete this.get;return}return(this.get=b).apply(this,arguments)}}}var sa=["Webkit","Moz","ms"],Ni=A.createElement("div").style,bn={};function Mt(g){for(var b=g[0].toUpperCase()+g.slice(1),x=sa.length;x--;)if(g=sa[x]+b,g in Ni)return g}function Fr(g){var b=h.cssProps[g]||bn[g];return b||(g in Ni?g:bn[g]=Mt(g)||g)}var Na=/^(none|table(?!-c[ea]).+)/,cr={position:"absolute",visibility:"hidden",display:"block"},un={letterSpacing:"0",fontWeight:"400"};function Br(g,b,x){var P=he.exec(b);return P?Math.max(0,P[2]-(x||0))+(P[3]||"px"):b}function si(g,b,x,P,j,X){var ae=b==="width"?1:0,Ce=0,ye=0,Be=0;if(x===(P?"border":"content"))return 0;for(;ae<4;ae+=2)x==="margin"&&(Be+=h.css(g,x+Le[ae],!0,j)),P?(x==="content"&&(ye-=h.css(g,"padding"+Le[ae],!0,j)),x!=="margin"&&(ye-=h.css(g,"border"+Le[ae]+"Width",!0,j))):(ye+=h.css(g,"padding"+Le[ae],!0,j),x!=="padding"?ye+=h.css(g,"border"+Le[ae]+"Width",!0,j):Ce+=h.css(g,"border"+Le[ae]+"Width",!0,j));return!P&&X>=0&&(ye+=Math.max(0,Math.ceil(g["offset"+b[0].toUpperCase()+b.slice(1)]-X-ye-Ce-.5))||0),ye+Be}function Ia(g,b,x){var P=Oi(g),j=!y.boxSizingReliable()||x,X=j&&h.css(g,"boxSizing",!1,P)==="border-box",ae=X,Ce=Hi(g,b,P),ye="offset"+b[0].toUpperCase()+b.slice(1);if(Ra.test(Ce)){if(!x)return Ce;Ce="auto"}return(!y.boxSizingReliable()&&X||!y.reliableTrDimensions()&&F(g,"tr")||Ce==="auto"||!parseFloat(Ce)&&h.css(g,"display",!1,P)==="inline")&&g.getClientRects().length&&(X=h.css(g,"boxSizing",!1,P)==="border-box",ae=ye in g,ae&&(Ce=g[ye])),Ce=parseFloat(Ce)||0,Ce+si(g,b,x||(X?"border":"content"),ae,P,Ce)+"px"}h.extend({cssHooks:{opacity:{get:function(g,b){if(b){var x=Hi(g,"opacity");return x===""?"1":x}}}},cssNumber:{animationIterationCount:!0,aspectRatio:!0,borderImageSlice:!0,columnCount:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,gridArea:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnStart:!0,gridRow:!0,gridRowEnd:!0,gridRowStart:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,scale:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeMiterlimit:!0,strokeOpacity:!0},cssProps:{},style:function(g,b,x,P){if(!(!g||g.nodeType===3||g.nodeType===8||!g.style)){var j,X,ae,Ce=Ve(b),ye=aa.test(b),Be=g.style;if(ye||(b=Fr(Ce)),ae=h.cssHooks[b]||h.cssHooks[Ce],x!==void 0){if(X=typeof x,X==="string"&&(j=he.exec(x))&&j[1]&&(x=$e(g,b,j),X="number"),x==null||x!==x)return;X==="number"&&!ye&&(x+=j&&j[3]||(h.cssNumber[Ce]?"":"px")),!y.clearCloneStyle&&x===""&&b.indexOf("background")===0&&(Be[b]="inherit"),(!ae||!("set"in ae)||(x=ae.set(g,x,P))!==void 0)&&(ye?Be.setProperty(b,x):Be[b]=x)}else return ae&&"get"in ae&&(j=ae.get(g,!1,P))!==void 0?j:Be[b]}},css:function(g,b,x,P){var j,X,ae,Ce=Ve(b),ye=aa.test(b);return ye||(b=Fr(Ce)),ae=h.cssHooks[b]||h.cssHooks[Ce],ae&&"get"in ae&&(j=ae.get(g,!0,x)),j===void 0&&(j=Hi(g,b,P)),j==="normal"&&b in un&&(j=un[b]),x===""||x?(X=parseFloat(j),x===!0||isFinite(X)?X||0:j):j}}),h.each(["height","width"],function(g,b){h.cssHooks[b]={get:function(x,P,j){if(P)return Na.test(h.css(x,"display"))&&(!x.getClientRects().length||!x.getBoundingClientRect().width)?oa(x,cr,function(){return Ia(x,b,j)}):Ia(x,b,j)},set:function(x,P,j){var X,ae=Oi(x),Ce=!y.scrollboxSize()&&ae.position==="absolute",ye=Ce||j,Be=ye&&h.css(x,"boxSizing",!1,ae)==="border-box",et=j?si(x,b,j,Be,ae):0;return Be&&Ce&&(et-=Math.ceil(x["offset"+b[0].toUpperCase()+b.slice(1)]-parseFloat(ae[b])-si(x,b,"border",!1,ae)-.5)),et&&(X=he.exec(P))&&(X[3]||"px")!=="px"&&(x.style[b]=P,P=h.css(x,b)),Br(x,P,et)}}}),h.cssHooks.marginLeft=br(y.reliableMarginLeft,function(g,b){if(b)return(parseFloat(Hi(g,"marginLeft"))||g.getBoundingClientRect().left-oa(g,{marginLeft:0},function(){return g.getBoundingClientRect().left}))+"px"}),h.each({margin:"",padding:"",border:"Width"},function(g,b){h.cssHooks[g+b]={expand:function(x){for(var P=0,j={},X=typeof x=="string"?x.split(" "):[x];P<4;P++)j[g+Le[P]+b]=X[P]||X[P-2]||X[0];return j}},g!=="margin"&&(h.cssHooks[g+b].set=Br)}),h.fn.extend({css:function(g,b){return Re(this,function(x,P,j){var X,ae,Ce={},ye=0;if(Array.isArray(P)){for(X=Oi(x),ae=P.length;ye<ae;ye++)Ce[P[ye]]=h.css(x,P[ye],!1,X);return Ce}return j!==void 0?h.style(x,P,j):h.css(x,P)},g,b,arguments.length>1)}});function st(g,b,x,P,j){return new st.prototype.init(g,b,x,P,j)}h.Tween=st,st.prototype={constructor:st,init:function(g,b,x,P,j,X){this.elem=g,this.prop=x,this.easing=j||h.easing._default,this.options=b,this.start=this.now=this.cur(),this.end=P,this.unit=X||(h.cssNumber[x]?"":"px")},cur:function(){var g=st.propHooks[this.prop];return g&&g.get?g.get(this):st.propHooks._default.get(this)},run:function(g){var b,x=st.propHooks[this.prop];return this.options.duration?this.pos=b=h.easing[this.easing](g,this.options.duration*g,0,1,this.options.duration):this.pos=b=g,this.now=(this.end-this.start)*b+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),x&&x.set?x.set(this):st.propHooks._default.set(this),this}},st.prototype.init.prototype=st.prototype,st.propHooks={_default:{get:function(g){var b;return g.elem.nodeType!==1||g.elem[g.prop]!=null&&g.elem.style[g.prop]==null?g.elem[g.prop]:(b=h.css(g.elem,g.prop,""),!b||b==="auto"?0:b)},set:function(g){h.fx.step[g.prop]?h.fx.step[g.prop](g):g.elem.nodeType===1&&(h.cssHooks[g.prop]||g.elem.style[Fr(g.prop)]!=null)?h.style(g.elem,g.prop,g.now+g.unit):g.elem[g.prop]=g.now}}},st.propHooks.scrollTop=st.propHooks.scrollLeft={set:function(g){g.elem.nodeType&&g.elem.parentNode&&(g.elem[g.prop]=g.now)}},h.easing={linear:function(g){return g},swing:function(g){return .5-Math.cos(g*Math.PI)/2},_default:"swing"},h.fx=st.prototype.init,h.fx.step={};var Bt,qi,la=/^(?:toggle|show|hide)$/,Yi=/queueHooks$/;function Wi(){qi&&(A.hidden===!1&&t.requestAnimationFrame?t.requestAnimationFrame(Wi):t.setTimeout(Wi,h.fx.interval),h.fx.tick())}function Za(){return t.setTimeout(function(){Bt=void 0}),Bt=Date.now()}function Ht(g,b){var x,P=0,j={height:g};for(b=b?1:0;P<4;P+=2-b)x=Le[P],j["margin"+x]=j["padding"+x]=g;return b&&(j.opacity=j.width=g),j}function Ro(g,b,x){for(var P,j=(Cn.tweeners[b]||[]).concat(Cn.tweeners["*"]),X=0,ae=j.length;X<ae;X++)if(P=j[X].call(x,b,g))return P}function No(g,b,x){var P,j,X,ae,Ce,ye,Be,et,ot="width"in b||"height"in b,Ke=this,mt={},zt=g.style,rn=g.nodeType&&ke(g),Qt=de.get(g,"fxshow");x.queue||(ae=h._queueHooks(g,"fx"),ae.unqueued==null&&(ae.unqueued=0,Ce=ae.empty.fire,ae.empty.fire=function(){ae.unqueued||Ce()}),ae.unqueued++,Ke.always(function(){Ke.always(function(){ae.unqueued--,h.queue(g,"fx").length||ae.empty.fire()})}));for(P in b)if(j=b[P],la.test(j)){if(delete b[P],X=X||j==="toggle",j===(rn?"hide":"show"))if(j==="show"&&Qt&&Qt[P]!==void 0)rn=!0;else continue;mt[P]=Qt&&Qt[P]||h.style(g,P)}if(ye=!h.isEmptyObject(b),!(!ye&&h.isEmptyObject(mt))){ot&&g.nodeType===1&&(x.overflow=[zt.overflow,zt.overflowX,zt.overflowY],Be=Qt&&Qt.display,Be==null&&(Be=de.get(g,"display")),et=h.css(g,"display"),et==="none"&&(Be?et=Be:(_t([g],!0),Be=g.style.display||Be,et=h.css(g,"display"),_t([g]))),(et==="inline"||et==="inline-block"&&Be!=null)&&h.css(g,"float")==="none"&&(ye||(Ke.done(function(){zt.display=Be}),Be==null&&(et=zt.display,Be=et==="none"?"":et)),zt.display="inline-block")),x.overflow&&(zt.overflow="hidden",Ke.always(function(){zt.overflow=x.overflow[0],zt.overflowX=x.overflow[1],zt.overflowY=x.overflow[2]})),ye=!1;for(P in mt)ye||(Qt?"hidden"in Qt&&(rn=Qt.hidden):Qt=de.access(g,"fxshow",{display:Be}),X&&(Qt.hidden=!rn),rn&&_t([g],!0),Ke.done(function(){rn||_t([g]),de.remove(g,"fxshow");for(P in mt)h.style(g,P,mt[P])})),ye=Ro(rn?Qt[P]:0,P,Ke),P in Qt||(Qt[P]=ye.start,rn&&(ye.end=ye.start,ye.start=0))}}function Da(g,b){var x,P,j,X,ae;for(x in g)if(P=Ve(x),j=b[P],X=g[x],Array.isArray(X)&&(j=X[1],X=g[x]=X[0]),x!==P&&(g[P]=X,delete g[x]),ae=h.cssHooks[P],ae&&"expand"in ae){X=ae.expand(X),delete g[P];for(x in X)x in g||(g[x]=X[x],b[x]=j)}else b[P]=j}function Cn(g,b,x){var P,j,X=0,ae=Cn.prefilters.length,Ce=h.Deferred().always(function(){delete ye.elem}),ye=function(){if(j)return!1;for(var ot=Bt||Za(),Ke=Math.max(0,Be.startTime+Be.duration-ot),mt=Ke/Be.duration||0,zt=1-mt,rn=0,Qt=Be.tweens.length;rn<Qt;rn++)Be.tweens[rn].run(zt);return Ce.notifyWith(g,[Be,zt,Ke]),zt<1&&Qt?Ke:(Qt||Ce.notifyWith(g,[Be,1,0]),Ce.resolveWith(g,[Be]),!1)},Be=Ce.promise({elem:g,props:h.extend({},b),opts:h.extend(!0,{specialEasing:{},easing:h.easing._default},x),originalProperties:b,originalOptions:x,startTime:Bt||Za(),duration:x.duration,tweens:[],createTween:function(ot,Ke){var mt=h.Tween(g,Be.opts,ot,Ke,Be.opts.specialEasing[ot]||Be.opts.easing);return Be.tweens.push(mt),mt},stop:function(ot){var Ke=0,mt=ot?Be.tweens.length:0;if(j)return this;for(j=!0;Ke<mt;Ke++)Be.tweens[Ke].run(1);return ot?(Ce.notifyWith(g,[Be,1,0]),Ce.resolveWith(g,[Be,ot])):Ce.rejectWith(g,[Be,ot]),this}}),et=Be.props;for(Da(et,Be.opts.specialEasing);X<ae;X++)if(P=Cn.prefilters[X].call(Be,g,et,Be.opts),P)return M(P.stop)&&(h._queueHooks(Be.elem,Be.opts.queue).stop=P.stop.bind(P)),P;return h.map(et,Ro,Be),M(Be.opts.start)&&Be.opts.start.call(g,Be),Be.progress(Be.opts.progress).done(Be.opts.done,Be.opts.complete).fail(Be.opts.fail).always(Be.opts.always),h.fx.timer(h.extend(ye,{elem:g,anim:Be,queue:Be.opts.queue})),Be}h.Animation=h.extend(Cn,{tweeners:{"*":[function(g,b){var x=this.createTween(g,b);return $e(x.elem,g,he.exec(b),x),x}]},tweener:function(g,b){M(g)?(b=g,g=["*"]):g=g.match(Ze);for(var x,P=0,j=g.length;P<j;P++)x=g[P],Cn.tweeners[x]=Cn.tweeners[x]||[],Cn.tweeners[x].unshift(b)},prefilters:[No],prefilter:function(g,b){b?Cn.prefilters.unshift(g):Cn.prefilters.push(g)}}),h.speed=function(g,b,x){var P=g&&typeof g=="object"?h.extend({},g):{complete:x||!x&&b||M(g)&&g,duration:g,easing:x&&b||b&&!M(b)&&b};return h.fx.off?P.duration=0:typeof P.duration!="number"&&(P.duration in h.fx.speeds?P.duration=h.fx.speeds[P.duration]:P.duration=h.fx.speeds._default),(P.queue==null||P.queue===!0)&&(P.queue="fx"),P.old=P.complete,P.complete=function(){M(P.old)&&P.old.call(this),P.queue&&h.dequeue(this,P.queue)},P},h.fn.extend({fadeTo:function(g,b,x,P){return this.filter(ke).css("opacity",0).show().end().animate({opacity:b},g,x,P)},animate:function(g,b,x,P){var j=h.isEmptyObject(g),X=h.speed(b,x,P),ae=function(){var Ce=Cn(this,h.extend({},g),X);(j||de.get(this,"finish"))&&Ce.stop(!0)};return ae.finish=ae,j||X.queue===!1?this.each(ae):this.queue(X.queue,ae)},stop:function(g,b,x){var P=function(j){var X=j.stop;delete j.stop,X(x)};return typeof g!="string"&&(x=b,b=g,g=void 0),b&&this.queue(g||"fx",[]),this.each(function(){var j=!0,X=g!=null&&g+"queueHooks",ae=h.timers,Ce=de.get(this);if(X)Ce[X]&&Ce[X].stop&&P(Ce[X]);else for(X in Ce)Ce[X]&&Ce[X].stop&&Yi.test(X)&&P(Ce[X]);for(X=ae.length;X--;)ae[X].elem===this&&(g==null||ae[X].queue===g)&&(ae[X].anim.stop(x),j=!1,ae.splice(X,1));(j||!x)&&h.dequeue(this,g)})},finish:function(g){return g!==!1&&(g=g||"fx"),this.each(function(){var b,x=de.get(this),P=x[g+"queue"],j=x[g+"queueHooks"],X=h.timers,ae=P?P.length:0;for(x.finish=!0,h.queue(this,g,[]),j&&j.stop&&j.stop.call(this,!0),b=X.length;b--;)X[b].elem===this&&X[b].queue===g&&(X[b].anim.stop(!0),X.splice(b,1));for(b=0;b<ae;b++)P[b]&&P[b].finish&&P[b].finish.call(this);delete x.finish})}}),h.each(["toggle","show","hide"],function(g,b){var x=h.fn[b];h.fn[b]=function(P,j,X){return P==null||typeof P=="boolean"?x.apply(this,arguments):this.animate(Ht(b,!0),P,j,X)}}),h.each({slideDown:Ht("show"),slideUp:Ht("hide"),slideToggle:Ht("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(g,b){h.fn[g]=function(x,P,j){return this.animate(b,x,P,j)}}),h.timers=[],h.fx.tick=function(){var g,b=0,x=h.timers;for(Bt=Date.now();b<x.length;b++)g=x[b],!g()&&x[b]===g&&x.splice(b--,1);x.length||h.fx.stop(),Bt=void 0},h.fx.timer=function(g){h.timers.push(g),h.fx.start()},h.fx.interval=13,h.fx.start=function(){qi||(qi=!0,Wi())},h.fx.stop=function(){qi=null},h.fx.speeds={slow:600,fast:200,_default:400},h.fn.delay=function(g,b){return g=h.fx&&h.fx.speeds[g]||g,b=b||"fx",this.queue(b,function(x,P){var j=t.setTimeout(x,g);P.stop=function(){t.clearTimeout(j)}})},function(){var g=A.createElement("input"),b=A.createElement("select"),x=b.appendChild(A.createElement("option"));g.type="checkbox",y.checkOn=g.value!=="",y.optSelected=x.selected,g=A.createElement("input"),g.value="t",g.type="radio",y.radioValue=g.value==="t"}();var Ja,Vi=h.expr.attrHandle;h.fn.extend({attr:function(g,b){return Re(this,h.attr,g,b,arguments.length>1)},removeAttr:function(g){return this.each(function(){h.removeAttr(this,g)})}}),h.extend({attr:function(g,b,x){var P,j,X=g.nodeType;if(!(X===3||X===8||X===2)){if(typeof g.getAttribute>"u")return h.prop(g,b,x);if((X!==1||!h.isXMLDoc(g))&&(j=h.attrHooks[b.toLowerCase()]||(h.expr.match.bool.test(b)?Ja:void 0)),x!==void 0){if(x===null){h.removeAttr(g,b);return}return j&&"set"in j&&(P=j.set(g,x,b))!==void 0?P:(g.setAttribute(b,x+""),x)}return j&&"get"in j&&(P=j.get(g,b))!==null?P:(P=h.find.attr(g,b),P==null?void 0:P)}},attrHooks:{type:{set:function(g,b){if(!y.radioValue&&b==="radio"&&F(g,"input")){var x=g.value;return g.setAttribute("type",b),x&&(g.value=x),b}}}},removeAttr:function(g,b){var x,P=0,j=b&&b.match(Ze);if(j&&g.nodeType===1)for(;x=j[P++];)g.removeAttribute(x)}}),Ja={set:function(g,b,x){return b===!1?h.removeAttr(g,x):g.setAttribute(x,x),x}},h.each(h.expr.match.bool.source.match(/\w+/g),function(g,b){var x=Vi[b]||h.find.attr;Vi[b]=function(P,j,X){var ae,Ce,ye=j.toLowerCase();return X||(Ce=Vi[ye],Vi[ye]=ae,ae=x(P,j,X)!=null?ye:null,Vi[ye]=Ce),ae}});var zi=/^(?:input|select|textarea|button)$/i,ua=/^(?:a|area)$/i;h.fn.extend({prop:function(g,b){return Re(this,h.prop,g,b,arguments.length>1)},removeProp:function(g){return this.each(function(){delete this[h.propFix[g]||g]})}}),h.extend({prop:function(g,b,x){var P,j,X=g.nodeType;if(!(X===3||X===8||X===2))return(X!==1||!h.isXMLDoc(g))&&(b=h.propFix[b]||b,j=h.propHooks[b]),x!==void 0?j&&"set"in j&&(P=j.set(g,x,b))!==void 0?P:g[b]=x:j&&"get"in j&&(P=j.get(g,b))!==null?P:g[b]},propHooks:{tabIndex:{get:function(g){var b=h.find.attr(g,"tabindex");return b?parseInt(b,10):zi.test(g.nodeName)||ua.test(g.nodeName)&&g.href?0:-1}}},propFix:{for:"htmlFor",class:"className"}}),y.optSelected||(h.propHooks.selected={get:function(g){var b=g.parentNode;return b&&b.parentNode&&b.parentNode.selectedIndex,null},set:function(g){var b=g.parentNode;b&&(b.selectedIndex,b.parentNode&&b.parentNode.selectedIndex)}}),h.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){h.propFix[this.toLowerCase()]=this});function Ur(g){var b=g.match(Ze)||[];return b.join(" ")}function vr(g){return g.getAttribute&&g.getAttribute("class")||""}function ca(g){return Array.isArray(g)?g:typeof g=="string"?g.match(Ze)||[]:[]}h.fn.extend({addClass:function(g){var b,x,P,j,X,ae;return M(g)?this.each(function(Ce){h(this).addClass(g.call(this,Ce,vr(this)))}):(b=ca(g),b.length?this.each(function(){if(P=vr(this),x=this.nodeType===1&&" "+Ur(P)+" ",x){for(X=0;X<b.length;X++)j=b[X],x.indexOf(" "+j+" ")<0&&(x+=j+" ");ae=Ur(x),P!==ae&&this.setAttribute("class",ae)}}):this)},removeClass:function(g){var b,x,P,j,X,ae;return M(g)?this.each(function(Ce){h(this).removeClass(g.call(this,Ce,vr(this)))}):arguments.length?(b=ca(g),b.length?this.each(function(){if(P=vr(this),x=this.nodeType===1&&" "+Ur(P)+" ",x){for(X=0;X<b.length;X++)for(j=b[X];x.indexOf(" "+j+" ")>-1;)x=x.replace(" "+j+" "," ");ae=Ur(x),P!==ae&&this.setAttribute("class",ae)}}):this):this.attr("class","")},toggleClass:function(g,b){var x,P,j,X,ae=typeof g,Ce=ae==="string"||Array.isArray(g);return M(g)?this.each(function(ye){h(this).toggleClass(g.call(this,ye,vr(this),b),b)}):typeof b=="boolean"&&Ce?b?this.addClass(g):this.removeClass(g):(x=ca(g),this.each(function(){if(Ce)for(X=h(this),j=0;j<x.length;j++)P=x[j],X.hasClass(P)?X.removeClass(P):X.addClass(P);else(g===void 0||ae==="boolean")&&(P=vr(this),P&&de.set(this,"__className__",P),this.setAttribute&&this.setAttribute("class",P||g===!1?"":de.get(this,"__className__")||""))}))},hasClass:function(g){var b,x,P=0;for(b=" "+g+" ";x=this[P++];)if(x.nodeType===1&&(" "+Ur(vr(x))+" ").indexOf(b)>-1)return!0;return!1}});var eo=/\r/g;h.fn.extend({val:function(g){var b,x,P,j=this[0];return arguments.length?(P=M(g),this.each(function(X){var ae;this.nodeType===1&&(P?ae=g.call(this,X,h(this).val()):ae=g,ae==null?ae="":typeof ae=="number"?ae+="":Array.isArray(ae)&&(ae=h.map(ae,function(Ce){return Ce==null?"":Ce+""})),b=h.valHooks[this.type]||h.valHooks[this.nodeName.toLowerCase()],(!b||!("set"in b)||b.set(this,ae,"value")===void 0)&&(this.value=ae))})):j?(b=h.valHooks[j.type]||h.valHooks[j.nodeName.toLowerCase()],b&&"get"in b&&(x=b.get(j,"value"))!==void 0?x:(x=j.value,typeof x=="string"?x.replace(eo,""):x==null?"":x)):void 0}}),h.extend({valHooks:{option:{get:function(g){var b=h.find.attr(g,"value");return b!=null?b:Ur(h.text(g))}},select:{get:function(g){var b,x,P,j=g.options,X=g.selectedIndex,ae=g.type==="select-one",Ce=ae?null:[],ye=ae?X+1:j.length;for(X<0?P=ye:P=ae?X:0;P<ye;P++)if(x=j[P],(x.selected||P===X)&&!x.disabled&&(!x.parentNode.disabled||!F(x.parentNode,"optgroup"))){if(b=h(x).val(),ae)return b;Ce.push(b)}return Ce},set:function(g,b){for(var x,P,j=g.options,X=h.makeArray(b),ae=j.length;ae--;)P=j[ae],(P.selected=h.inArray(h.valHooks.option.get(P),X)>-1)&&(x=!0);return x||(g.selectedIndex=-1),X}}}}),h.each(["radio","checkbox"],function(){h.valHooks[this]={set:function(g,b){if(Array.isArray(b))return g.checked=h.inArray(h(g).val(),b)>-1}},y.checkOn||(h.valHooks[this].get=function(g){return g.getAttribute("value")===null?"on":g.value})});var Ii=t.location,to={guid:Date.now()},no=/\?/;h.parseXML=function(g){var b,x;if(!g||typeof g!="string")return null;try{b=new t.DOMParser().parseFromString(g,"text/xml")}catch{}return x=b&&b.getElementsByTagName("parsererror")[0],(!b||x)&&h.error("Invalid XML: "+(x?h.map(x.childNodes,function(P){return P.textContent}).join(`
+ */var Hb;function ac(){return Hb||(Hb=1,function(e){(function(t,n){e.exports=t.document?n(t,!0):function(r){if(!r.document)throw new Error("jQuery requires a window with a document");return n(r)}})(typeof window<"u"?window:Jr,function(t,n){var r=[],a=Object.getPrototypeOf,o=r.slice,l=r.flat?function(g){return r.flat.call(g)}:function(g){return r.concat.apply([],g)},u=r.push,c=r.indexOf,d={},S=d.toString,_=d.hasOwnProperty,E=_.toString,T=E.call(Object),y={},M=function(b){return typeof b=="function"&&typeof b.nodeType!="number"&&typeof b.item!="function"},v=function(b){return b!=null&&b===b.window},A=t.document,O={type:!0,src:!0,nonce:!0,noModule:!0};function N(g,b,x){x=x||A;var P,j,X=x.createElement("script");if(X.text=g,b)for(P in O)j=b[P]||b.getAttribute&&b.getAttribute(P),j&&X.setAttribute(P,j);x.head.appendChild(X).parentNode.removeChild(X)}function R(g){return g==null?g+"":typeof g=="object"||typeof g=="function"?d[S.call(g)]||"object":typeof g}var L="3.7.1",I=/HTML$/i,h=function(g,b){return new h.fn.init(g,b)};h.fn=h.prototype={jquery:L,constructor:h,length:0,toArray:function(){return o.call(this)},get:function(g){return g==null?o.call(this):g<0?this[g+this.length]:this[g]},pushStack:function(g){var b=h.merge(this.constructor(),g);return b.prevObject=this,b},each:function(g){return h.each(this,g)},map:function(g){return this.pushStack(h.map(this,function(b,x){return g.call(b,x,b)}))},slice:function(){return this.pushStack(o.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},even:function(){return this.pushStack(h.grep(this,function(g,b){return(b+1)%2}))},odd:function(){return this.pushStack(h.grep(this,function(g,b){return b%2}))},eq:function(g){var b=this.length,x=+g+(g<0?b:0);return this.pushStack(x>=0&&x<b?[this[x]]:[])},end:function(){return this.prevObject||this.constructor()},push:u,sort:r.sort,splice:r.splice},h.extend=h.fn.extend=function(){var g,b,x,P,j,X,ae=arguments[0]||{},Ce=1,ye=arguments.length,Be=!1;for(typeof ae=="boolean"&&(Be=ae,ae=arguments[Ce]||{},Ce++),typeof ae!="object"&&!M(ae)&&(ae={}),Ce===ye&&(ae=this,Ce--);Ce<ye;Ce++)if((g=arguments[Ce])!=null)for(b in g)P=g[b],!(b==="__proto__"||ae===P)&&(Be&&P&&(h.isPlainObject(P)||(j=Array.isArray(P)))?(x=ae[b],j&&!Array.isArray(x)?X=[]:!j&&!h.isPlainObject(x)?X={}:X=x,j=!1,ae[b]=h.extend(Be,X,P)):P!==void 0&&(ae[b]=P));return ae},h.extend({expando:"jQuery"+(L+Math.random()).replace(/\D/g,""),isReady:!0,error:function(g){throw new Error(g)},noop:function(){},isPlainObject:function(g){var b,x;return!g||S.call(g)!=="[object Object]"?!1:(b=a(g),b?(x=_.call(b,"constructor")&&b.constructor,typeof x=="function"&&E.call(x)===T):!0)},isEmptyObject:function(g){var b;for(b in g)return!1;return!0},globalEval:function(g,b,x){N(g,{nonce:b&&b.nonce},x)},each:function(g,b){var x,P=0;if(k(g))for(x=g.length;P<x&&b.call(g[P],P,g[P])!==!1;P++);else for(P in g)if(b.call(g[P],P,g[P])===!1)break;return g},text:function(g){var b,x="",P=0,j=g.nodeType;if(!j)for(;b=g[P++];)x+=h.text(b);return j===1||j===11?g.textContent:j===9?g.documentElement.textContent:j===3||j===4?g.nodeValue:x},makeArray:function(g,b){var x=b||[];return g!=null&&(k(Object(g))?h.merge(x,typeof g=="string"?[g]:g):u.call(x,g)),x},inArray:function(g,b,x){return b==null?-1:c.call(b,g,x)},isXMLDoc:function(g){var b=g&&g.namespaceURI,x=g&&(g.ownerDocument||g).documentElement;return!I.test(b||x&&x.nodeName||"HTML")},merge:function(g,b){for(var x=+b.length,P=0,j=g.length;P<x;P++)g[j++]=b[P];return g.length=j,g},grep:function(g,b,x){for(var P,j=[],X=0,ae=g.length,Ce=!x;X<ae;X++)P=!b(g[X],X),P!==Ce&&j.push(g[X]);return j},map:function(g,b,x){var P,j,X=0,ae=[];if(k(g))for(P=g.length;X<P;X++)j=b(g[X],X,x),j!=null&&ae.push(j);else for(X in g)j=b(g[X],X,x),j!=null&&ae.push(j);return l(ae)},guid:1,support:y}),typeof Symbol=="function"&&(h.fn[Symbol.iterator]=r[Symbol.iterator]),h.each("Boolean Number String Function Array Date RegExp Object Error Symbol".split(" "),function(g,b){d["[object "+b+"]"]=b.toLowerCase()});function k(g){var b=!!g&&"length"in g&&g.length,x=R(g);return M(g)||v(g)?!1:x==="array"||b===0||typeof b=="number"&&b>0&&b-1 in g}function F(g,b){return g.nodeName&&g.nodeName.toLowerCase()===b.toLowerCase()}var z=r.pop,K=r.sort,ue=r.splice,Z="[\\x20\\t\\r\\n\\f]",fe=new RegExp("^"+Z+"+|((?:^|[^\\\\])(?:\\\\.)*)"+Z+"+$","g");h.contains=function(g,b){var x=b&&b.parentNode;return g===x||!!(x&&x.nodeType===1&&(g.contains?g.contains(x):g.compareDocumentPosition&&g.compareDocumentPosition(x)&16))};var V=/([\0-\x1f\x7f]|^-?\d)|^-$|[^\x80-\uFFFF\w-]/g;function ne(g,b){return b?g==="\0"?"\uFFFD":g.slice(0,-1)+"\\"+g.charCodeAt(g.length-1).toString(16)+" ":"\\"+g}h.escapeSelector=function(g){return(g+"").replace(V,ne)};var te=A,G=u;(function(){var g,b,x,P,j,X=G,ae,Ce,ye,Be,et,ot=h.expando,Ke=0,mt=0,zt=ma(),rn=ma(),Qt=ma(),vn=ma(),On=function(Se,xe){return Se===xe&&(j=!0),0},Gn="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",kn="(?:\\\\[\\da-fA-F]{1,6}"+Z+"?|\\\\[^\\r\\n\\f]|[\\w-]|[^\0-\\x7f])+",nn="\\["+Z+"*("+kn+")(?:"+Z+"*([*^$|!~]?=)"+Z+`*(?:'((?:\\\\.|[^\\\\'])*)'|"((?:\\\\.|[^\\\\"])*)"|(`+kn+"))|)"+Z+"*\\]",ji=":("+kn+`)(?:\\((('((?:\\\\.|[^\\\\'])*)'|"((?:\\\\.|[^\\\\"])*)")|((?:\\\\.|[^\\\\()[\\]]|`+nn+")*)|.*)\\)|)",tn=new RegExp(Z+"+","g"),jt=new RegExp("^"+Z+"*,"+Z+"*"),lo=new RegExp("^"+Z+"*([>+~]|"+Z+")"+Z+"*"),Lo=new RegExp(Z+"|>"),fr=new RegExp(ji),wr=new RegExp("^"+kn+"$"),Gr={ID:new RegExp("^#("+kn+")"),CLASS:new RegExp("^\\.("+kn+")"),TAG:new RegExp("^("+kn+"|[*])"),ATTR:new RegExp("^"+nn),PSEUDO:new RegExp("^"+ji),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+Z+"*(even|odd|(([+-]|)(\\d*)n|)"+Z+"*(?:([+-]|)"+Z+"*(\\d+)|))"+Z+"*\\)|)","i"),bool:new RegExp("^(?:"+Gn+")$","i"),needsContext:new RegExp("^"+Z+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+Z+"*((?:-\\d)?\\d*)"+Z+"*\\)|)(?=[^-]|$)","i")},Vn=/^(?:input|select|textarea|button)$/i,Hr=/^h\d$/i,Rn=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,xi=/[+~]/,pr=new RegExp("\\\\[\\da-fA-F]{1,6}"+Z+"?|\\\\([^\\r\\n\\f])","g"),ci=function(Se,xe){var We="0x"+Se.slice(1)-65536;return xe||(We<0?String.fromCharCode(We+65536):String.fromCharCode(We>>10|55296,We&1023|56320))},uo=function(){Zi()},qr=Cr(function(Se){return Se.disabled===!0&&F(Se,"fieldset")},{dir:"parentNode",next:"legend"});function co(){try{return ae.activeElement}catch{}}try{X.apply(r=o.call(te.childNodes),te.childNodes),r[te.childNodes.length].nodeType}catch{X={apply:function(xe,We){G.apply(xe,o.call(We))},call:function(xe){G.apply(xe,o.call(arguments,1))}}}function Jt(Se,xe,We,Qe){var it,vt,St,Dt,Ot,Kt,Wt,Vt=xe&&xe.ownerDocument,$t=xe?xe.nodeType:9;if(We=We||[],typeof Se!="string"||!Se||$t!==1&&$t!==9&&$t!==11)return We;if(!Qe&&(Zi(xe),xe=xe||ae,ye)){if($t!==11&&(Ot=Rn.exec(Se)))if(it=Ot[1]){if($t===9)if(St=xe.getElementById(it)){if(St.id===it)return X.call(We,St),We}else return We;else if(Vt&&(St=Vt.getElementById(it))&&Jt.contains(xe,St)&&St.id===it)return X.call(We,St),We}else{if(Ot[2])return X.apply(We,xe.getElementsByTagName(Se)),We;if((it=Ot[3])&&xe.getElementsByClassName)return X.apply(We,xe.getElementsByClassName(it)),We}if(!vn[Se+" "]&&(!Be||!Be.test(Se))){if(Wt=Se,Vt=xe,$t===1&&(Lo.test(Se)||lo.test(Se))){for(Vt=xi.test(Se)&&fi(xe.parentNode)||xe,(Vt!=xe||!y.scope)&&((Dt=xe.getAttribute("id"))?Dt=h.escapeSelector(Dt):xe.setAttribute("id",Dt=ot)),Kt=pi(Se),vt=Kt.length;vt--;)Kt[vt]=(Dt?"#"+Dt:":scope")+" "+wi(Kt[vt]);Wt=Kt.join(",")}try{return X.apply(We,Vt.querySelectorAll(Wt)),We}catch{vn(Se,!0)}finally{Dt===ot&&xe.removeAttribute("id")}}}return mi(Se.replace(fe,"$1"),xe,We,Qe)}function ma(){var Se=[];function xe(We,Qe){return Se.push(We+" ")>b.cacheLength&&delete xe[Se.shift()],xe[We+" "]=Qe}return xe}function yr(Se){return Se[ot]=!0,Se}function ga(Se){var xe=ae.createElement("fieldset");try{return!!Se(xe)}catch{return!1}finally{xe.parentNode&&xe.parentNode.removeChild(xe),xe=null}}function Yr(Se){return function(xe){return F(xe,"input")&&xe.type===Se}}function Xi(Se){return function(xe){return(F(xe,"input")||F(xe,"button"))&&xe.type===Se}}function Mo(Se){return function(xe){return"form"in xe?xe.parentNode&&xe.disabled===!1?"label"in xe?"label"in xe.parentNode?xe.parentNode.disabled===Se:xe.disabled===Se:xe.isDisabled===Se||xe.isDisabled!==!Se&&qr(xe)===Se:xe.disabled===Se:"label"in xe?xe.disabled===Se:!1}}function di(Se){return yr(function(xe){return xe=+xe,yr(function(We,Qe){for(var it,vt=Se([],We.length,xe),St=vt.length;St--;)We[it=vt[St]]&&(We[it]=!(Qe[it]=We[it]))})})}function fi(Se){return Se&&typeof Se.getElementsByTagName<"u"&&Se}function Zi(Se){var xe,We=Se?Se.ownerDocument||Se:te;return We==ae||We.nodeType!==9||!We.documentElement||(ae=We,Ce=ae.documentElement,ye=!h.isXMLDoc(ae),et=Ce.matches||Ce.webkitMatchesSelector||Ce.msMatchesSelector,Ce.msMatchesSelector&&te!=ae&&(xe=ae.defaultView)&&xe.top!==xe&&xe.addEventListener("unload",uo),y.getById=ga(function(Qe){return Ce.appendChild(Qe).id=h.expando,!ae.getElementsByName||!ae.getElementsByName(h.expando).length}),y.disconnectedMatch=ga(function(Qe){return et.call(Qe,"*")}),y.scope=ga(function(){return ae.querySelectorAll(":scope")}),y.cssHas=ga(function(){try{return ae.querySelector(":has(*,:jqfake)"),!1}catch{return!0}}),y.getById?(b.filter.ID=function(Qe){var it=Qe.replace(pr,ci);return function(vt){return vt.getAttribute("id")===it}},b.find.ID=function(Qe,it){if(typeof it.getElementById<"u"&&ye){var vt=it.getElementById(Qe);return vt?[vt]:[]}}):(b.filter.ID=function(Qe){var it=Qe.replace(pr,ci);return function(vt){var St=typeof vt.getAttributeNode<"u"&&vt.getAttributeNode("id");return St&&St.value===it}},b.find.ID=function(Qe,it){if(typeof it.getElementById<"u"&&ye){var vt,St,Dt,Ot=it.getElementById(Qe);if(Ot){if(vt=Ot.getAttributeNode("id"),vt&&vt.value===Qe)return[Ot];for(Dt=it.getElementsByName(Qe),St=0;Ot=Dt[St++];)if(vt=Ot.getAttributeNode("id"),vt&&vt.value===Qe)return[Ot]}return[]}}),b.find.TAG=function(Qe,it){return typeof it.getElementsByTagName<"u"?it.getElementsByTagName(Qe):it.querySelectorAll(Qe)},b.find.CLASS=function(Qe,it){if(typeof it.getElementsByClassName<"u"&&ye)return it.getElementsByClassName(Qe)},Be=[],ga(function(Qe){var it;Ce.appendChild(Qe).innerHTML="<a id='"+ot+"' href='' disabled='disabled'></a><select id='"+ot+"-\r\\' disabled='disabled'><option selected=''></option></select>",Qe.querySelectorAll("[selected]").length||Be.push("\\["+Z+"*(?:value|"+Gn+")"),Qe.querySelectorAll("[id~="+ot+"-]").length||Be.push("~="),Qe.querySelectorAll("a#"+ot+"+*").length||Be.push(".#.+[+~]"),Qe.querySelectorAll(":checked").length||Be.push(":checked"),it=ae.createElement("input"),it.setAttribute("type","hidden"),Qe.appendChild(it).setAttribute("name","D"),Ce.appendChild(Qe).disabled=!0,Qe.querySelectorAll(":disabled").length!==2&&Be.push(":enabled",":disabled"),it=ae.createElement("input"),it.setAttribute("name",""),Qe.appendChild(it),Qe.querySelectorAll("[name='']").length||Be.push("\\["+Z+"*name"+Z+"*="+Z+`*(?:''|"")`)}),y.cssHas||Be.push(":has"),Be=Be.length&&new RegExp(Be.join("|")),On=function(Qe,it){if(Qe===it)return j=!0,0;var vt=!Qe.compareDocumentPosition-!it.compareDocumentPosition;return vt||(vt=(Qe.ownerDocument||Qe)==(it.ownerDocument||it)?Qe.compareDocumentPosition(it):1,vt&1||!y.sortDetached&&it.compareDocumentPosition(Qe)===vt?Qe===ae||Qe.ownerDocument==te&&Jt.contains(te,Qe)?-1:it===ae||it.ownerDocument==te&&Jt.contains(te,it)?1:P?c.call(P,Qe)-c.call(P,it):0:vt&4?-1:1)}),ae}Jt.matches=function(Se,xe){return Jt(Se,null,null,xe)},Jt.matchesSelector=function(Se,xe){if(Zi(Se),ye&&!vn[xe+" "]&&(!Be||!Be.test(xe)))try{var We=et.call(Se,xe);if(We||y.disconnectedMatch||Se.document&&Se.document.nodeType!==11)return We}catch{vn(xe,!0)}return Jt(xe,ae,null,[Se]).length>0},Jt.contains=function(Se,xe){return(Se.ownerDocument||Se)!=ae&&Zi(Se),h.contains(Se,xe)},Jt.attr=function(Se,xe){(Se.ownerDocument||Se)!=ae&&Zi(Se);var We=b.attrHandle[xe.toLowerCase()],Qe=We&&_.call(b.attrHandle,xe.toLowerCase())?We(Se,xe,!ye):void 0;return Qe!==void 0?Qe:Se.getAttribute(xe)},Jt.error=function(Se){throw new Error("Syntax error, unrecognized expression: "+Se)},h.uniqueSort=function(Se){var xe,We=[],Qe=0,it=0;if(j=!y.sortStable,P=!y.sortStable&&o.call(Se,0),K.call(Se,On),j){for(;xe=Se[it++];)xe===Se[it]&&(Qe=We.push(it));for(;Qe--;)ue.call(Se,We[Qe],1)}return P=null,Se},h.fn.uniqueSort=function(){return this.pushStack(h.uniqueSort(o.apply(this)))},b=h.expr={cacheLength:50,createPseudo:yr,match:Gr,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(Se){return Se[1]=Se[1].replace(pr,ci),Se[3]=(Se[3]||Se[4]||Se[5]||"").replace(pr,ci),Se[2]==="~="&&(Se[3]=" "+Se[3]+" "),Se.slice(0,4)},CHILD:function(Se){return Se[1]=Se[1].toLowerCase(),Se[1].slice(0,3)==="nth"?(Se[3]||Jt.error(Se[0]),Se[4]=+(Se[4]?Se[5]+(Se[6]||1):2*(Se[3]==="even"||Se[3]==="odd")),Se[5]=+(Se[7]+Se[8]||Se[3]==="odd")):Se[3]&&Jt.error(Se[0]),Se},PSEUDO:function(Se){var xe,We=!Se[6]&&Se[2];return Gr.CHILD.test(Se[0])?null:(Se[3]?Se[2]=Se[4]||Se[5]||"":We&&fr.test(We)&&(xe=pi(We,!0))&&(xe=We.indexOf(")",We.length-xe)-We.length)&&(Se[0]=Se[0].slice(0,xe),Se[2]=We.slice(0,xe)),Se.slice(0,3))}},filter:{TAG:function(Se){var xe=Se.replace(pr,ci).toLowerCase();return Se==="*"?function(){return!0}:function(We){return F(We,xe)}},CLASS:function(Se){var xe=zt[Se+" "];return xe||(xe=new RegExp("(^|"+Z+")"+Se+"("+Z+"|$)"))&&zt(Se,function(We){return xe.test(typeof We.className=="string"&&We.className||typeof We.getAttribute<"u"&&We.getAttribute("class")||"")})},ATTR:function(Se,xe,We){return function(Qe){var it=Jt.attr(Qe,Se);return it==null?xe==="!=":xe?(it+="",xe==="="?it===We:xe==="!="?it!==We:xe==="^="?We&&it.indexOf(We)===0:xe==="*="?We&&it.indexOf(We)>-1:xe==="$="?We&&it.slice(-We.length)===We:xe==="~="?(" "+it.replace(tn," ")+" ").indexOf(We)>-1:xe==="|="?it===We||it.slice(0,We.length+1)===We+"-":!1):!0}},CHILD:function(Se,xe,We,Qe,it){var vt=Se.slice(0,3)!=="nth",St=Se.slice(-4)!=="last",Dt=xe==="of-type";return Qe===1&&it===0?function(Ot){return!!Ot.parentNode}:function(Ot,Kt,Wt){var Vt,$t,qt,fn,An,Nn=vt!==St?"nextSibling":"previousSibling",Hn=Ot.parentNode,tr=Dt&&Ot.nodeName.toLowerCase(),Wr=!Wt&&!Dt,q=!1;if(Hn){if(vt){for(;Nn;){for(qt=Ot;qt=qt[Nn];)if(Dt?F(qt,tr):qt.nodeType===1)return!1;An=Nn=Se==="only"&&!An&&"nextSibling"}return!0}if(An=[St?Hn.firstChild:Hn.lastChild],St&&Wr){for($t=Hn[ot]||(Hn[ot]={}),Vt=$t[Se]||[],fn=Vt[0]===Ke&&Vt[1],q=fn&&Vt[2],qt=fn&&Hn.childNodes[fn];qt=++fn&&qt&&qt[Nn]||(q=fn=0)||An.pop();)if(qt.nodeType===1&&++q&&qt===Ot){$t[Se]=[Ke,fn,q];break}}else if(Wr&&($t=Ot[ot]||(Ot[ot]={}),Vt=$t[Se]||[],fn=Vt[0]===Ke&&Vt[1],q=fn),q===!1)for(;(qt=++fn&&qt&&qt[Nn]||(q=fn=0)||An.pop())&&!((Dt?F(qt,tr):qt.nodeType===1)&&++q&&(Wr&&($t=qt[ot]||(qt[ot]={}),$t[Se]=[Ke,q]),qt===Ot)););return q-=it,q===Qe||q%Qe===0&&q/Qe>=0}}},PSEUDO:function(Se,xe){var We,Qe=b.pseudos[Se]||b.setFilters[Se.toLowerCase()]||Jt.error("unsupported pseudo: "+Se);return Qe[ot]?Qe(xe):Qe.length>1?(We=[Se,Se,"",xe],b.setFilters.hasOwnProperty(Se.toLowerCase())?yr(function(it,vt){for(var St,Dt=Qe(it,xe),Ot=Dt.length;Ot--;)St=c.call(it,Dt[Ot]),it[St]=!(vt[St]=Dt[Ot])}):function(it){return Qe(it,0,We)}):Qe}},pseudos:{not:yr(function(Se){var xe=[],We=[],Qe=Ji(Se.replace(fe,"$1"));return Qe[ot]?yr(function(it,vt,St,Dt){for(var Ot,Kt=Qe(it,null,Dt,[]),Wt=it.length;Wt--;)(Ot=Kt[Wt])&&(it[Wt]=!(vt[Wt]=Ot))}):function(it,vt,St){return xe[0]=it,Qe(xe,null,St,We),xe[0]=null,!We.pop()}}),has:yr(function(Se){return function(xe){return Jt(Se,xe).length>0}}),contains:yr(function(Se){return Se=Se.replace(pr,ci),function(xe){return(xe.textContent||h.text(xe)).indexOf(Se)>-1}}),lang:yr(function(Se){return wr.test(Se||"")||Jt.error("unsupported lang: "+Se),Se=Se.replace(pr,ci).toLowerCase(),function(xe){var We;do if(We=ye?xe.lang:xe.getAttribute("xml:lang")||xe.getAttribute("lang"))return We=We.toLowerCase(),We===Se||We.indexOf(Se+"-")===0;while((xe=xe.parentNode)&&xe.nodeType===1);return!1}}),target:function(Se){var xe=t.location&&t.location.hash;return xe&&xe.slice(1)===Se.id},root:function(Se){return Se===Ce},focus:function(Se){return Se===co()&&ae.hasFocus()&&!!(Se.type||Se.href||~Se.tabIndex)},enabled:Mo(!1),disabled:Mo(!0),checked:function(Se){return F(Se,"input")&&!!Se.checked||F(Se,"option")&&!!Se.selected},selected:function(Se){return Se.parentNode&&Se.parentNode.selectedIndex,Se.selected===!0},empty:function(Se){for(Se=Se.firstChild;Se;Se=Se.nextSibling)if(Se.nodeType<6)return!1;return!0},parent:function(Se){return!b.pseudos.empty(Se)},header:function(Se){return Hr.test(Se.nodeName)},input:function(Se){return Vn.test(Se.nodeName)},button:function(Se){return F(Se,"input")&&Se.type==="button"||F(Se,"button")},text:function(Se){var xe;return F(Se,"input")&&Se.type==="text"&&((xe=Se.getAttribute("type"))==null||xe.toLowerCase()==="text")},first:di(function(){return[0]}),last:di(function(Se,xe){return[xe-1]}),eq:di(function(Se,xe,We){return[We<0?We+xe:We]}),even:di(function(Se,xe){for(var We=0;We<xe;We+=2)Se.push(We);return Se}),odd:di(function(Se,xe){for(var We=1;We<xe;We+=2)Se.push(We);return Se}),lt:di(function(Se,xe,We){var Qe;for(We<0?Qe=We+xe:We>xe?Qe=xe:Qe=We;--Qe>=0;)Se.push(Qe);return Se}),gt:di(function(Se,xe,We){for(var Qe=We<0?We+xe:We;++Qe<xe;)Se.push(Qe);return Se})}},b.pseudos.nth=b.pseudos.eq;for(g in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})b.pseudos[g]=Yr(g);for(g in{submit:!0,reset:!0})b.pseudos[g]=Xi(g);function xa(){}xa.prototype=b.filters=b.pseudos,b.setFilters=new xa;function pi(Se,xe){var We,Qe,it,vt,St,Dt,Ot,Kt=rn[Se+" "];if(Kt)return xe?0:Kt.slice(0);for(St=Se,Dt=[],Ot=b.preFilter;St;){(!We||(Qe=jt.exec(St)))&&(Qe&&(St=St.slice(Qe[0].length)||St),Dt.push(it=[])),We=!1,(Qe=lo.exec(St))&&(We=Qe.shift(),it.push({value:We,type:Qe[0].replace(fe," ")}),St=St.slice(We.length));for(vt in b.filter)(Qe=Gr[vt].exec(St))&&(!Ot[vt]||(Qe=Ot[vt](Qe)))&&(We=Qe.shift(),it.push({value:We,type:vt,matches:Qe}),St=St.slice(We.length));if(!We)break}return xe?St.length:St?Jt.error(Se):rn(Se,Dt).slice(0)}function wi(Se){for(var xe=0,We=Se.length,Qe="";xe<We;xe++)Qe+=Se[xe].value;return Qe}function Cr(Se,xe,We){var Qe=xe.dir,it=xe.next,vt=it||Qe,St=We&&vt==="parentNode",Dt=mt++;return xe.first?function(Ot,Kt,Wt){for(;Ot=Ot[Qe];)if(Ot.nodeType===1||St)return Se(Ot,Kt,Wt);return!1}:function(Ot,Kt,Wt){var Vt,$t,qt=[Ke,Dt];if(Wt){for(;Ot=Ot[Qe];)if((Ot.nodeType===1||St)&&Se(Ot,Kt,Wt))return!0}else for(;Ot=Ot[Qe];)if(Ot.nodeType===1||St)if($t=Ot[ot]||(Ot[ot]={}),it&&F(Ot,it))Ot=Ot[Qe]||Ot;else{if((Vt=$t[vt])&&Vt[0]===Ke&&Vt[1]===Dt)return qt[2]=Vt[2];if($t[vt]=qt,qt[2]=Se(Ot,Kt,Wt))return!0}return!1}}function fo(Se){return Se.length>1?function(xe,We,Qe){for(var it=Se.length;it--;)if(!Se[it](xe,We,Qe))return!1;return!0}:Se[0]}function il(Se,xe,We){for(var Qe=0,it=xe.length;Qe<it;Qe++)Jt(Se,xe[Qe],We);return We}function wa(Se,xe,We,Qe,it){for(var vt,St=[],Dt=0,Ot=Se.length,Kt=xe!=null;Dt<Ot;Dt++)(vt=Se[Dt])&&(!We||We(vt,Qe,it))&&(St.push(vt),Kt&&xe.push(Dt));return St}function _i(Se,xe,We,Qe,it,vt){return Qe&&!Qe[ot]&&(Qe=_i(Qe)),it&&!it[ot]&&(it=_i(it,vt)),yr(function(St,Dt,Ot,Kt){var Wt,Vt,$t,qt,fn=[],An=[],Nn=Dt.length,Hn=St||il(xe||"*",Ot.nodeType?[Ot]:Ot,[]),tr=Se&&(St||!xe)?wa(Hn,fn,Se,Ot,Kt):Hn;if(We?(qt=it||(St?Se:Nn||Qe)?[]:Dt,We(tr,qt,Ot,Kt)):qt=tr,Qe)for(Wt=wa(qt,An),Qe(Wt,[],Ot,Kt),Vt=Wt.length;Vt--;)($t=Wt[Vt])&&(qt[An[Vt]]=!(tr[An[Vt]]=$t));if(St){if(it||Se){if(it){for(Wt=[],Vt=qt.length;Vt--;)($t=qt[Vt])&&Wt.push(tr[Vt]=$t);it(null,qt=[],Wt,Kt)}for(Vt=qt.length;Vt--;)($t=qt[Vt])&&(Wt=it?c.call(St,$t):fn[Vt])>-1&&(St[Wt]=!(Dt[Wt]=$t))}}else qt=wa(qt===Dt?qt.splice(Nn,qt.length):qt),it?it(null,Dt,qt,Kt):X.apply(Dt,qt)})}function _r(Se){for(var xe,We,Qe,it=Se.length,vt=b.relative[Se[0].type],St=vt||b.relative[" "],Dt=vt?1:0,Ot=Cr(function(Vt){return Vt===xe},St,!0),Kt=Cr(function(Vt){return c.call(xe,Vt)>-1},St,!0),Wt=[function(Vt,$t,qt){var fn=!vt&&(qt||$t!=x)||((xe=$t).nodeType?Ot(Vt,$t,qt):Kt(Vt,$t,qt));return xe=null,fn}];Dt<it;Dt++)if(We=b.relative[Se[Dt].type])Wt=[Cr(fo(Wt),We)];else{if(We=b.filter[Se[Dt].type].apply(null,Se[Dt].matches),We[ot]){for(Qe=++Dt;Qe<it&&!b.relative[Se[Qe].type];Qe++);return _i(Dt>1&&fo(Wt),Dt>1&&wi(Se.slice(0,Dt-1).concat({value:Se[Dt-2].type===" "?"*":""})).replace(fe,"$1"),We,Dt<Qe&&_r(Se.slice(Dt,Qe)),Qe<it&&_r(Se=Se.slice(Qe)),Qe<it&&wi(Se))}Wt.push(We)}return fo(Wt)}function ko(Se,xe){var We=xe.length>0,Qe=Se.length>0,it=function(vt,St,Dt,Ot,Kt){var Wt,Vt,$t,qt=0,fn="0",An=vt&&[],Nn=[],Hn=x,tr=vt||Qe&&b.find.TAG("*",Kt),Wr=Ke+=Hn==null?1:Math.random()||.1,q=tr.length;for(Kt&&(x=St==ae||St||Kt);fn!==q&&(Wt=tr[fn])!=null;fn++){if(Qe&&Wt){for(Vt=0,!St&&Wt.ownerDocument!=ae&&(Zi(Wt),Dt=!ye);$t=Se[Vt++];)if($t(Wt,St||ae,Dt)){X.call(Ot,Wt);break}Kt&&(Ke=Wr)}We&&((Wt=!$t&&Wt)&&qt--,vt&&An.push(Wt))}if(qt+=fn,We&&fn!==qt){for(Vt=0;$t=xe[Vt++];)$t(An,Nn,St,Dt);if(vt){if(qt>0)for(;fn--;)An[fn]||Nn[fn]||(Nn[fn]=z.call(Ot));Nn=wa(Nn)}X.apply(Ot,Nn),Kt&&!vt&&Nn.length>0&&qt+xe.length>1&&h.uniqueSort(Ot)}return Kt&&(Ke=Wr,x=Hn),An};return We?yr(it):it}function Ji(Se,xe){var We,Qe=[],it=[],vt=Qt[Se+" "];if(!vt){for(xe||(xe=pi(Se)),We=xe.length;We--;)vt=_r(xe[We]),vt[ot]?Qe.push(vt):it.push(vt);vt=Qt(Se,ko(it,Qe)),vt.selector=Se}return vt}function mi(Se,xe,We,Qe){var it,vt,St,Dt,Ot,Kt=typeof Se=="function"&&Se,Wt=!Qe&&pi(Se=Kt.selector||Se);if(We=We||[],Wt.length===1){if(vt=Wt[0]=Wt[0].slice(0),vt.length>2&&(St=vt[0]).type==="ID"&&xe.nodeType===9&&ye&&b.relative[vt[1].type]){if(xe=(b.find.ID(St.matches[0].replace(pr,ci),xe)||[])[0],xe)Kt&&(xe=xe.parentNode);else return We;Se=Se.slice(vt.shift().value.length)}for(it=Gr.needsContext.test(Se)?0:vt.length;it--&&(St=vt[it],!b.relative[Dt=St.type]);)if((Ot=b.find[Dt])&&(Qe=Ot(St.matches[0].replace(pr,ci),xi.test(vt[0].type)&&fi(xe.parentNode)||xe))){if(vt.splice(it,1),Se=Qe.length&&wi(vt),!Se)return X.apply(We,Qe),We;break}}return(Kt||Ji(Se,Wt))(Qe,xe,!ye,We,!xe||xi.test(Se)&&fi(xe.parentNode)||xe),We}y.sortStable=ot.split("").sort(On).join("")===ot,Zi(),y.sortDetached=ga(function(Se){return Se.compareDocumentPosition(ae.createElement("fieldset"))&1}),h.find=Jt,h.expr[":"]=h.expr.pseudos,h.unique=h.uniqueSort,Jt.compile=Ji,Jt.select=mi,Jt.setDocument=Zi,Jt.tokenize=pi,Jt.escape=h.escapeSelector,Jt.getText=h.text,Jt.isXML=h.isXMLDoc,Jt.selectors=h.expr,Jt.support=h.support,Jt.uniqueSort=h.uniqueSort})();var se=function(g,b,x){for(var P=[],j=x!==void 0;(g=g[b])&&g.nodeType!==9;)if(g.nodeType===1){if(j&&h(g).is(x))break;P.push(g)}return P},ve=function(g,b){for(var x=[];g;g=g.nextSibling)g.nodeType===1&&g!==b&&x.push(g);return x},Ge=h.expr.match.needsContext,oe=/^<([a-z][^\/\0>:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i;function W(g,b,x){return M(b)?h.grep(g,function(P,j){return!!b.call(P,j,P)!==x}):b.nodeType?h.grep(g,function(P){return P===b!==x}):typeof b!="string"?h.grep(g,function(P){return c.call(b,P)>-1!==x}):h.filter(b,g,x)}h.filter=function(g,b,x){var P=b[0];return x&&(g=":not("+g+")"),b.length===1&&P.nodeType===1?h.find.matchesSelector(P,g)?[P]:[]:h.find.matches(g,h.grep(b,function(j){return j.nodeType===1}))},h.fn.extend({find:function(g){var b,x,P=this.length,j=this;if(typeof g!="string")return this.pushStack(h(g).filter(function(){for(b=0;b<P;b++)if(h.contains(j[b],this))return!0}));for(x=this.pushStack([]),b=0;b<P;b++)h.find(g,j[b],x);return P>1?h.uniqueSort(x):x},filter:function(g){return this.pushStack(W(this,g||[],!1))},not:function(g){return this.pushStack(W(this,g||[],!0))},is:function(g){return!!W(this,typeof g=="string"&&Ge.test(g)?h(g):g||[],!1).length}});var Oe,tt=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]+))$/,rt=h.fn.init=function(g,b,x){var P,j;if(!g)return this;if(x=x||Oe,typeof g=="string")if(g[0]==="<"&&g[g.length-1]===">"&&g.length>=3?P=[null,g,null]:P=tt.exec(g),P&&(P[1]||!b))if(P[1]){if(b=b instanceof h?b[0]:b,h.merge(this,h.parseHTML(P[1],b&&b.nodeType?b.ownerDocument||b:A,!0)),oe.test(P[1])&&h.isPlainObject(b))for(P in b)M(this[P])?this[P](b[P]):this.attr(P,b[P]);return this}else return j=A.getElementById(P[2]),j&&(this[0]=j,this.length=1),this;else return!b||b.jquery?(b||x).find(g):this.constructor(b).find(g);else{if(g.nodeType)return this[0]=g,this.length=1,this;if(M(g))return x.ready!==void 0?x.ready(g):g(h)}return h.makeArray(g,this)};rt.prototype=h.fn,Oe=h(A);var bt=/^(?:parents|prev(?:Until|All))/,dt={children:!0,contents:!0,next:!0,prev:!0};h.fn.extend({has:function(g){var b=h(g,this),x=b.length;return this.filter(function(){for(var P=0;P<x;P++)if(h.contains(this,b[P]))return!0})},closest:function(g,b){var x,P=0,j=this.length,X=[],ae=typeof g!="string"&&h(g);if(!Ge.test(g)){for(;P<j;P++)for(x=this[P];x&&x!==b;x=x.parentNode)if(x.nodeType<11&&(ae?ae.index(x)>-1:x.nodeType===1&&h.find.matchesSelector(x,g))){X.push(x);break}}return this.pushStack(X.length>1?h.uniqueSort(X):X)},index:function(g){return g?typeof g=="string"?c.call(h(g),this[0]):c.call(this,g.jquery?g[0]:g):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(g,b){return this.pushStack(h.uniqueSort(h.merge(this.get(),h(g,b))))},addBack:function(g){return this.add(g==null?this.prevObject:this.prevObject.filter(g))}});function ct(g,b){for(;(g=g[b])&&g.nodeType!==1;);return g}h.each({parent:function(g){var b=g.parentNode;return b&&b.nodeType!==11?b:null},parents:function(g){return se(g,"parentNode")},parentsUntil:function(g,b,x){return se(g,"parentNode",x)},next:function(g){return ct(g,"nextSibling")},prev:function(g){return ct(g,"previousSibling")},nextAll:function(g){return se(g,"nextSibling")},prevAll:function(g){return se(g,"previousSibling")},nextUntil:function(g,b,x){return se(g,"nextSibling",x)},prevUntil:function(g,b,x){return se(g,"previousSibling",x)},siblings:function(g){return ve((g.parentNode||{}).firstChild,g)},children:function(g){return ve(g.firstChild)},contents:function(g){return g.contentDocument!=null&&a(g.contentDocument)?g.contentDocument:(F(g,"template")&&(g=g.content||g),h.merge([],g.childNodes))}},function(g,b){h.fn[g]=function(x,P){var j=h.map(this,b,x);return g.slice(-5)!=="Until"&&(P=x),P&&typeof P=="string"&&(j=h.filter(P,j)),this.length>1&&(dt[g]||h.uniqueSort(j),bt.test(g)&&j.reverse()),this.pushStack(j)}});var Ze=/[^\x20\t\r\n\f]+/g;function nt(g){var b={};return h.each(g.match(Ze)||[],function(x,P){b[P]=!0}),b}h.Callbacks=function(g){g=typeof g=="string"?nt(g):h.extend({},g);var b,x,P,j,X=[],ae=[],Ce=-1,ye=function(){for(j=j||g.once,P=b=!0;ae.length;Ce=-1)for(x=ae.shift();++Ce<X.length;)X[Ce].apply(x[0],x[1])===!1&&g.stopOnFalse&&(Ce=X.length,x=!1);g.memory||(x=!1),b=!1,j&&(x?X=[]:X="")},Be={add:function(){return X&&(x&&!b&&(Ce=X.length-1,ae.push(x)),function et(ot){h.each(ot,function(Ke,mt){M(mt)?(!g.unique||!Be.has(mt))&&X.push(mt):mt&&mt.length&&R(mt)!=="string"&&et(mt)})}(arguments),x&&!b&&ye()),this},remove:function(){return h.each(arguments,function(et,ot){for(var Ke;(Ke=h.inArray(ot,X,Ke))>-1;)X.splice(Ke,1),Ke<=Ce&&Ce--}),this},has:function(et){return et?h.inArray(et,X)>-1:X.length>0},empty:function(){return X&&(X=[]),this},disable:function(){return j=ae=[],X=x="",this},disabled:function(){return!X},lock:function(){return j=ae=[],!x&&!b&&(X=x=""),this},locked:function(){return!!j},fireWith:function(et,ot){return j||(ot=ot||[],ot=[et,ot.slice?ot.slice():ot],ae.push(ot),b||ye()),this},fire:function(){return Be.fireWith(this,arguments),this},fired:function(){return!!P}};return Be};function ce(g){return g}function Ee(g){throw g}function He(g,b,x,P){var j;try{g&&M(j=g.promise)?j.call(g).done(b).fail(x):g&&M(j=g.then)?j.call(g,b,x):b.apply(void 0,[g].slice(P))}catch(X){x.apply(void 0,[X])}}h.extend({Deferred:function(g){var b=[["notify","progress",h.Callbacks("memory"),h.Callbacks("memory"),2],["resolve","done",h.Callbacks("once memory"),h.Callbacks("once memory"),0,"resolved"],["reject","fail",h.Callbacks("once memory"),h.Callbacks("once memory"),1,"rejected"]],x="pending",P={state:function(){return x},always:function(){return j.done(arguments).fail(arguments),this},catch:function(X){return P.then(null,X)},pipe:function(){var X=arguments;return h.Deferred(function(ae){h.each(b,function(Ce,ye){var Be=M(X[ye[4]])&&X[ye[4]];j[ye[1]](function(){var et=Be&&Be.apply(this,arguments);et&&M(et.promise)?et.promise().progress(ae.notify).done(ae.resolve).fail(ae.reject):ae[ye[0]+"With"](this,Be?[et]:arguments)})}),X=null}).promise()},then:function(X,ae,Ce){var ye=0;function Be(et,ot,Ke,mt){return function(){var zt=this,rn=arguments,Qt=function(){var On,Gn;if(!(et<ye)){if(On=Ke.apply(zt,rn),On===ot.promise())throw new TypeError("Thenable self-resolution");Gn=On&&(typeof On=="object"||typeof On=="function")&&On.then,M(Gn)?mt?Gn.call(On,Be(ye,ot,ce,mt),Be(ye,ot,Ee,mt)):(ye++,Gn.call(On,Be(ye,ot,ce,mt),Be(ye,ot,Ee,mt),Be(ye,ot,ce,ot.notifyWith))):(Ke!==ce&&(zt=void 0,rn=[On]),(mt||ot.resolveWith)(zt,rn))}},vn=mt?Qt:function(){try{Qt()}catch(On){h.Deferred.exceptionHook&&h.Deferred.exceptionHook(On,vn.error),et+1>=ye&&(Ke!==Ee&&(zt=void 0,rn=[On]),ot.rejectWith(zt,rn))}};et?vn():(h.Deferred.getErrorHook?vn.error=h.Deferred.getErrorHook():h.Deferred.getStackHook&&(vn.error=h.Deferred.getStackHook()),t.setTimeout(vn))}}return h.Deferred(function(et){b[0][3].add(Be(0,et,M(Ce)?Ce:ce,et.notifyWith)),b[1][3].add(Be(0,et,M(X)?X:ce)),b[2][3].add(Be(0,et,M(ae)?ae:Ee))}).promise()},promise:function(X){return X!=null?h.extend(X,P):P}},j={};return h.each(b,function(X,ae){var Ce=ae[2],ye=ae[5];P[ae[1]]=Ce.add,ye&&Ce.add(function(){x=ye},b[3-X][2].disable,b[3-X][3].disable,b[0][2].lock,b[0][3].lock),Ce.add(ae[3].fire),j[ae[0]]=function(){return j[ae[0]+"With"](this===j?void 0:this,arguments),this},j[ae[0]+"With"]=Ce.fireWith}),P.promise(j),g&&g.call(j,j),j},when:function(g){var b=arguments.length,x=b,P=Array(x),j=o.call(arguments),X=h.Deferred(),ae=function(Ce){return function(ye){P[Ce]=this,j[Ce]=arguments.length>1?o.call(arguments):ye,--b||X.resolveWith(P,j)}};if(b<=1&&(He(g,X.done(ae(x)).resolve,X.reject,!b),X.state()==="pending"||M(j[x]&&j[x].then)))return X.then();for(;x--;)He(j[x],ae(x),X.reject);return X.promise()}});var we=/^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/;h.Deferred.exceptionHook=function(g,b){t.console&&t.console.warn&&g&&we.test(g.name)&&t.console.warn("jQuery.Deferred exception: "+g.message,g.stack,b)},h.readyException=function(g){t.setTimeout(function(){throw g})};var ze=h.Deferred();h.fn.ready=function(g){return ze.then(g).catch(function(b){h.readyException(b)}),this},h.extend({isReady:!1,readyWait:1,ready:function(g){(g===!0?--h.readyWait:h.isReady)||(h.isReady=!0,!(g!==!0&&--h.readyWait>0)&&ze.resolveWith(A,[h]))}}),h.ready.then=ze.then;function pe(){A.removeEventListener("DOMContentLoaded",pe),t.removeEventListener("load",pe),h.ready()}A.readyState==="complete"||A.readyState!=="loading"&&!A.documentElement.doScroll?t.setTimeout(h.ready):(A.addEventListener("DOMContentLoaded",pe),t.addEventListener("load",pe));var Re=function(g,b,x,P,j,X,ae){var Ce=0,ye=g.length,Be=x==null;if(R(x)==="object"){j=!0;for(Ce in x)Re(g,b,Ce,x[Ce],!0,X,ae)}else if(P!==void 0&&(j=!0,M(P)||(ae=!0),Be&&(ae?(b.call(g,P),b=null):(Be=b,b=function(et,ot,Ke){return Be.call(h(et),Ke)})),b))for(;Ce<ye;Ce++)b(g[Ce],x,ae?P:P.call(g[Ce],Ce,b(g[Ce],x)));return j?g:Be?b.call(g):ye?b(g[0],x):X},Ne=/^-ms-/,Ie=/-([a-z])/g;function Ue(g,b){return b.toUpperCase()}function Ve(g){return g.replace(Ne,"ms-").replace(Ie,Ue)}var lt=function(g){return g.nodeType===1||g.nodeType===9||!+g.nodeType};function ge(){this.expando=h.expando+ge.uid++}ge.uid=1,ge.prototype={cache:function(g){var b=g[this.expando];return b||(b={},lt(g)&&(g.nodeType?g[this.expando]=b:Object.defineProperty(g,this.expando,{value:b,configurable:!0}))),b},set:function(g,b,x){var P,j=this.cache(g);if(typeof b=="string")j[Ve(b)]=x;else for(P in b)j[Ve(P)]=b[P];return j},get:function(g,b){return b===void 0?this.cache(g):g[this.expando]&&g[this.expando][Ve(b)]},access:function(g,b,x){return b===void 0||b&&typeof b=="string"&&x===void 0?this.get(g,b):(this.set(g,b,x),x!==void 0?x:b)},remove:function(g,b){var x,P=g[this.expando];if(P!==void 0){if(b!==void 0)for(Array.isArray(b)?b=b.map(Ve):(b=Ve(b),b=b in P?[b]:b.match(Ze)||[]),x=b.length;x--;)delete P[b[x]];(b===void 0||h.isEmptyObject(P))&&(g.nodeType?g[this.expando]=void 0:delete g[this.expando])}},hasData:function(g){var b=g[this.expando];return b!==void 0&&!h.isEmptyObject(b)}};var de=new ge,be=new ge,H=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,ee=/[A-Z]/g;function _e(g){return g==="true"?!0:g==="false"?!1:g==="null"?null:g===+g+""?+g:H.test(g)?JSON.parse(g):g}function U(g,b,x){var P;if(x===void 0&&g.nodeType===1)if(P="data-"+b.replace(ee,"-$&").toLowerCase(),x=g.getAttribute(P),typeof x=="string"){try{x=_e(x)}catch{}be.set(g,b,x)}else x=void 0;return x}h.extend({hasData:function(g){return be.hasData(g)||de.hasData(g)},data:function(g,b,x){return be.access(g,b,x)},removeData:function(g,b){be.remove(g,b)},_data:function(g,b,x){return de.access(g,b,x)},_removeData:function(g,b){de.remove(g,b)}}),h.fn.extend({data:function(g,b){var x,P,j,X=this[0],ae=X&&X.attributes;if(g===void 0){if(this.length&&(j=be.get(X),X.nodeType===1&&!de.get(X,"hasDataAttrs"))){for(x=ae.length;x--;)ae[x]&&(P=ae[x].name,P.indexOf("data-")===0&&(P=Ve(P.slice(5)),U(X,P,j[P])));de.set(X,"hasDataAttrs",!0)}return j}return typeof g=="object"?this.each(function(){be.set(this,g)}):Re(this,function(Ce){var ye;if(X&&Ce===void 0)return ye=be.get(X,g),ye!==void 0||(ye=U(X,g),ye!==void 0)?ye:void 0;this.each(function(){be.set(this,g,Ce)})},null,b,arguments.length>1,null,!0)},removeData:function(g){return this.each(function(){be.remove(this,g)})}}),h.extend({queue:function(g,b,x){var P;if(g)return b=(b||"fx")+"queue",P=de.get(g,b),x&&(!P||Array.isArray(x)?P=de.access(g,b,h.makeArray(x)):P.push(x)),P||[]},dequeue:function(g,b){b=b||"fx";var x=h.queue(g,b),P=x.length,j=x.shift(),X=h._queueHooks(g,b),ae=function(){h.dequeue(g,b)};j==="inprogress"&&(j=x.shift(),P--),j&&(b==="fx"&&x.unshift("inprogress"),delete X.stop,j.call(g,ae,X)),!P&&X&&X.empty.fire()},_queueHooks:function(g,b){var x=b+"queueHooks";return de.get(g,x)||de.access(g,x,{empty:h.Callbacks("once memory").add(function(){de.remove(g,[b+"queue",x])})})}}),h.fn.extend({queue:function(g,b){var x=2;return typeof g!="string"&&(b=g,g="fx",x--),arguments.length<x?h.queue(this[0],g):b===void 0?this:this.each(function(){var P=h.queue(this,g,b);h._queueHooks(this,g),g==="fx"&&P[0]!=="inprogress"&&h.dequeue(this,g)})},dequeue:function(g){return this.each(function(){h.dequeue(this,g)})},clearQueue:function(g){return this.queue(g||"fx",[])},promise:function(g,b){var x,P=1,j=h.Deferred(),X=this,ae=this.length,Ce=function(){--P||j.resolveWith(X,[X])};for(typeof g!="string"&&(b=g,g=void 0),g=g||"fx";ae--;)x=de.get(X[ae],g+"queueHooks"),x&&x.empty&&(P++,x.empty.add(Ce));return Ce(),j.promise(b)}});var Q=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,he=new RegExp("^(?:([+-])=|)("+Q+")([a-z%]*)$","i"),Le=["Top","Right","Bottom","Left"],Xe=A.documentElement,je=function(g){return h.contains(g.ownerDocument,g)},at={composed:!0};Xe.getRootNode&&(je=function(g){return h.contains(g.ownerDocument,g)||g.getRootNode(at)===g.ownerDocument});var ke=function(g,b){return g=b||g,g.style.display==="none"||g.style.display===""&&je(g)&&h.css(g,"display")==="none"};function $e(g,b,x,P){var j,X,ae=20,Ce=P?function(){return P.cur()}:function(){return h.css(g,b,"")},ye=Ce(),Be=x&&x[3]||(h.cssNumber[b]?"":"px"),et=g.nodeType&&(h.cssNumber[b]||Be!=="px"&&+ye)&&he.exec(h.css(g,b));if(et&&et[3]!==Be){for(ye=ye/2,Be=Be||et[3],et=+ye||1;ae--;)h.style(g,b,et+Be),(1-X)*(1-(X=Ce()/ye||.5))<=0&&(ae=0),et=et/X;et=et*2,h.style(g,b,et+Be),x=x||[]}return x&&(et=+et||+ye||0,j=x[1]?et+(x[1]+1)*x[2]:+x[2],P&&(P.unit=Be,P.start=et,P.end=j)),j}var De={};function pt(g){var b,x=g.ownerDocument,P=g.nodeName,j=De[P];return j||(b=x.body.appendChild(x.createElement(P)),j=h.css(b,"display"),b.parentNode.removeChild(b),j==="none"&&(j="block"),De[P]=j,j)}function _t(g,b){for(var x,P,j=[],X=0,ae=g.length;X<ae;X++)P=g[X],P.style&&(x=P.style.display,b?(x==="none"&&(j[X]=de.get(P,"display")||null,j[X]||(P.style.display="")),P.style.display===""&&ke(P)&&(j[X]=pt(P))):x!=="none"&&(j[X]="none",de.set(P,"display",x)));for(X=0;X<ae;X++)j[X]!=null&&(g[X].style.display=j[X]);return g}h.fn.extend({show:function(){return _t(this,!0)},hide:function(){return _t(this)},toggle:function(g){return typeof g=="boolean"?g?this.show():this.hide():this.each(function(){ke(this)?h(this).show():h(this).hide()})}});var wt=/^(?:checkbox|radio)$/i,Lt=/<([a-z][^\/\0>\x20\t\r\n\f]*)/i,cn=/^$|^module$|\/(?:java|ecma)script/i;(function(){var g=A.createDocumentFragment(),b=g.appendChild(A.createElement("div")),x=A.createElement("input");x.setAttribute("type","radio"),x.setAttribute("checked","checked"),x.setAttribute("name","t"),b.appendChild(x),y.checkClone=b.cloneNode(!0).cloneNode(!0).lastChild.checked,b.innerHTML="<textarea>x</textarea>",y.noCloneChecked=!!b.cloneNode(!0).lastChild.defaultValue,b.innerHTML="<option></option>",y.option=!!b.lastChild})();var Xt={thead:[1,"<table>","</table>"],col:[2,"<table><colgroup>","</colgroup></table>"],tr:[2,"<table><tbody>","</tbody></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:[0,"",""]};Xt.tbody=Xt.tfoot=Xt.colgroup=Xt.caption=Xt.thead,Xt.th=Xt.td,y.option||(Xt.optgroup=Xt.option=[1,"<select multiple='multiple'>","</select>"]);function an(g,b){var x;return typeof g.getElementsByTagName<"u"?x=g.getElementsByTagName(b||"*"):typeof g.querySelectorAll<"u"?x=g.querySelectorAll(b||"*"):x=[],b===void 0||b&&F(g,b)?h.merge([g],x):x}function Zt(g,b){for(var x=0,P=g.length;x<P;x++)de.set(g[x],"globalEval",!b||de.get(b[x],"globalEval"))}var Sr=/<|&#?\w+;/;function Qn(g,b,x,P,j){for(var X,ae,Ce,ye,Be,et,ot=b.createDocumentFragment(),Ke=[],mt=0,zt=g.length;mt<zt;mt++)if(X=g[mt],X||X===0)if(R(X)==="object")h.merge(Ke,X.nodeType?[X]:X);else if(!Sr.test(X))Ke.push(b.createTextNode(X));else{for(ae=ae||ot.appendChild(b.createElement("div")),Ce=(Lt.exec(X)||["",""])[1].toLowerCase(),ye=Xt[Ce]||Xt._default,ae.innerHTML=ye[1]+h.htmlPrefilter(X)+ye[2],et=ye[0];et--;)ae=ae.lastChild;h.merge(Ke,ae.childNodes),ae=ot.firstChild,ae.textContent=""}for(ot.textContent="",mt=0;X=Ke[mt++];){if(P&&h.inArray(X,P)>-1){j&&j.push(X);continue}if(Be=je(X),ae=an(ot.appendChild(X),"script"),Be&&Zt(ae),x)for(et=0;X=ae[et++];)cn.test(X.type||"")&&x.push(X)}return ot}var wn=/^([^.]*)(?:\.(.+)|)/;function Wn(){return!0}function Jn(){return!1}function Oa(g,b,x,P,j,X){var ae,Ce;if(typeof b=="object"){typeof x!="string"&&(P=P||x,x=void 0);for(Ce in b)Oa(g,Ce,x,P,b[Ce],X);return g}if(P==null&&j==null?(j=x,P=x=void 0):j==null&&(typeof x=="string"?(j=P,P=void 0):(j=P,P=x,x=void 0)),j===!1)j=Jn;else if(!j)return g;return X===1&&(ae=j,j=function(ye){return h().off(ye),ae.apply(this,arguments)},j.guid=ae.guid||(ae.guid=h.guid++)),g.each(function(){h.event.add(this,b,j,P,x)})}h.event={global:{},add:function(g,b,x,P,j){var X,ae,Ce,ye,Be,et,ot,Ke,mt,zt,rn,Qt=de.get(g);if(!!lt(g))for(x.handler&&(X=x,x=X.handler,j=X.selector),j&&h.find.matchesSelector(Xe,j),x.guid||(x.guid=h.guid++),(ye=Qt.events)||(ye=Qt.events=Object.create(null)),(ae=Qt.handle)||(ae=Qt.handle=function(vn){return typeof h<"u"&&h.event.triggered!==vn.type?h.event.dispatch.apply(g,arguments):void 0}),b=(b||"").match(Ze)||[""],Be=b.length;Be--;)Ce=wn.exec(b[Be])||[],mt=rn=Ce[1],zt=(Ce[2]||"").split(".").sort(),mt&&(ot=h.event.special[mt]||{},mt=(j?ot.delegateType:ot.bindType)||mt,ot=h.event.special[mt]||{},et=h.extend({type:mt,origType:rn,data:P,handler:x,guid:x.guid,selector:j,needsContext:j&&h.expr.match.needsContext.test(j),namespace:zt.join(".")},X),(Ke=ye[mt])||(Ke=ye[mt]=[],Ke.delegateCount=0,(!ot.setup||ot.setup.call(g,P,zt,ae)===!1)&&g.addEventListener&&g.addEventListener(mt,ae)),ot.add&&(ot.add.call(g,et),et.handler.guid||(et.handler.guid=x.guid)),j?Ke.splice(Ke.delegateCount++,0,et):Ke.push(et),h.event.global[mt]=!0)},remove:function(g,b,x,P,j){var X,ae,Ce,ye,Be,et,ot,Ke,mt,zt,rn,Qt=de.hasData(g)&&de.get(g);if(!(!Qt||!(ye=Qt.events))){for(b=(b||"").match(Ze)||[""],Be=b.length;Be--;){if(Ce=wn.exec(b[Be])||[],mt=rn=Ce[1],zt=(Ce[2]||"").split(".").sort(),!mt){for(mt in ye)h.event.remove(g,mt+b[Be],x,P,!0);continue}for(ot=h.event.special[mt]||{},mt=(P?ot.delegateType:ot.bindType)||mt,Ke=ye[mt]||[],Ce=Ce[2]&&new RegExp("(^|\\.)"+zt.join("\\.(?:.*\\.|)")+"(\\.|$)"),ae=X=Ke.length;X--;)et=Ke[X],(j||rn===et.origType)&&(!x||x.guid===et.guid)&&(!Ce||Ce.test(et.namespace))&&(!P||P===et.selector||P==="**"&&et.selector)&&(Ke.splice(X,1),et.selector&&Ke.delegateCount--,ot.remove&&ot.remove.call(g,et));ae&&!Ke.length&&((!ot.teardown||ot.teardown.call(g,zt,Qt.handle)===!1)&&h.removeEvent(g,mt,Qt.handle),delete ye[mt])}h.isEmptyObject(ye)&&de.remove(g,"handle events")}},dispatch:function(g){var b,x,P,j,X,ae,Ce=new Array(arguments.length),ye=h.event.fix(g),Be=(de.get(this,"events")||Object.create(null))[ye.type]||[],et=h.event.special[ye.type]||{};for(Ce[0]=ye,b=1;b<arguments.length;b++)Ce[b]=arguments[b];if(ye.delegateTarget=this,!(et.preDispatch&&et.preDispatch.call(this,ye)===!1)){for(ae=h.event.handlers.call(this,ye,Be),b=0;(j=ae[b++])&&!ye.isPropagationStopped();)for(ye.currentTarget=j.elem,x=0;(X=j.handlers[x++])&&!ye.isImmediatePropagationStopped();)(!ye.rnamespace||X.namespace===!1||ye.rnamespace.test(X.namespace))&&(ye.handleObj=X,ye.data=X.data,P=((h.event.special[X.origType]||{}).handle||X.handler).apply(j.elem,Ce),P!==void 0&&(ye.result=P)===!1&&(ye.preventDefault(),ye.stopPropagation()));return et.postDispatch&&et.postDispatch.call(this,ye),ye.result}},handlers:function(g,b){var x,P,j,X,ae,Ce=[],ye=b.delegateCount,Be=g.target;if(ye&&Be.nodeType&&!(g.type==="click"&&g.button>=1)){for(;Be!==this;Be=Be.parentNode||this)if(Be.nodeType===1&&!(g.type==="click"&&Be.disabled===!0)){for(X=[],ae={},x=0;x<ye;x++)P=b[x],j=P.selector+" ",ae[j]===void 0&&(ae[j]=P.needsContext?h(j,this).index(Be)>-1:h.find(j,this,null,[Be]).length),ae[j]&&X.push(P);X.length&&Ce.push({elem:Be,handlers:X})}}return Be=this,ye<b.length&&Ce.push({elem:Be,handlers:b.slice(ye)}),Ce},addProp:function(g,b){Object.defineProperty(h.Event.prototype,g,{enumerable:!0,configurable:!0,get:M(b)?function(){if(this.originalEvent)return b(this.originalEvent)}:function(){if(this.originalEvent)return this.originalEvent[g]},set:function(x){Object.defineProperty(this,g,{enumerable:!0,configurable:!0,writable:!0,value:x})}})},fix:function(g){return g[h.expando]?g:new h.Event(g)},special:{load:{noBubble:!0},click:{setup:function(g){var b=this||g;return wt.test(b.type)&&b.click&&F(b,"input")&&Ai(b,"click",!0),!1},trigger:function(g){var b=this||g;return wt.test(b.type)&&b.click&&F(b,"input")&&Ai(b,"click"),!0},_default:function(g){var b=g.target;return wt.test(b.type)&&b.click&&F(b,"input")&&de.get(b,"click")||F(b,"a")}},beforeunload:{postDispatch:function(g){g.result!==void 0&&g.originalEvent&&(g.originalEvent.returnValue=g.result)}}}};function Ai(g,b,x){if(!x){de.get(g,b)===void 0&&h.event.add(g,b,Wn);return}de.set(g,b,!1),h.event.add(g,b,{namespace:!1,handler:function(P){var j,X=de.get(this,b);if(P.isTrigger&1&&this[b]){if(X)(h.event.special[b]||{}).delegateType&&P.stopPropagation();else if(X=o.call(arguments),de.set(this,b,X),this[b](),j=de.get(this,b),de.set(this,b,!1),X!==j)return P.stopImmediatePropagation(),P.preventDefault(),j}else X&&(de.set(this,b,h.event.trigger(X[0],X.slice(1),this)),P.stopPropagation(),P.isImmediatePropagationStopped=Wn)}})}h.removeEvent=function(g,b,x){g.removeEventListener&&g.removeEventListener(b,x)},h.Event=function(g,b){if(!(this instanceof h.Event))return new h.Event(g,b);g&&g.type?(this.originalEvent=g,this.type=g.type,this.isDefaultPrevented=g.defaultPrevented||g.defaultPrevented===void 0&&g.returnValue===!1?Wn:Jn,this.target=g.target&&g.target.nodeType===3?g.target.parentNode:g.target,this.currentTarget=g.currentTarget,this.relatedTarget=g.relatedTarget):this.type=g,b&&h.extend(this,b),this.timeStamp=g&&g.timeStamp||Date.now(),this[h.expando]=!0},h.Event.prototype={constructor:h.Event,isDefaultPrevented:Jn,isPropagationStopped:Jn,isImmediatePropagationStopped:Jn,isSimulated:!1,preventDefault:function(){var g=this.originalEvent;this.isDefaultPrevented=Wn,g&&!this.isSimulated&&g.preventDefault()},stopPropagation:function(){var g=this.originalEvent;this.isPropagationStopped=Wn,g&&!this.isSimulated&&g.stopPropagation()},stopImmediatePropagation:function(){var g=this.originalEvent;this.isImmediatePropagationStopped=Wn,g&&!this.isSimulated&&g.stopImmediatePropagation(),this.stopPropagation()}},h.each({altKey:!0,bubbles:!0,cancelable:!0,changedTouches:!0,ctrlKey:!0,detail:!0,eventPhase:!0,metaKey:!0,pageX:!0,pageY:!0,shiftKey:!0,view:!0,char:!0,code:!0,charCode:!0,key:!0,keyCode:!0,button:!0,buttons:!0,clientX:!0,clientY:!0,offsetX:!0,offsetY:!0,pointerId:!0,pointerType:!0,screenX:!0,screenY:!0,targetTouches:!0,toElement:!0,touches:!0,which:!0},h.event.addProp),h.each({focus:"focusin",blur:"focusout"},function(g,b){function x(P){if(A.documentMode){var j=de.get(this,"handle"),X=h.event.fix(P);X.type=P.type==="focusin"?"focus":"blur",X.isSimulated=!0,j(P),X.target===X.currentTarget&&j(X)}else h.event.simulate(b,P.target,h.event.fix(P))}h.event.special[g]={setup:function(){var P;if(Ai(this,g,!0),A.documentMode)P=de.get(this,b),P||this.addEventListener(b,x),de.set(this,b,(P||0)+1);else return!1},trigger:function(){return Ai(this,g),!0},teardown:function(){var P;if(A.documentMode)P=de.get(this,b)-1,P?de.set(this,b,P):(this.removeEventListener(b,x),de.remove(this,b));else return!1},_default:function(P){return de.get(P.target,g)},delegateType:b},h.event.special[b]={setup:function(){var P=this.ownerDocument||this.document||this,j=A.documentMode?this:P,X=de.get(j,b);X||(A.documentMode?this.addEventListener(b,x):P.addEventListener(g,x,!0)),de.set(j,b,(X||0)+1)},teardown:function(){var P=this.ownerDocument||this.document||this,j=A.documentMode?this:P,X=de.get(j,b)-1;X?de.set(j,b,X):(A.documentMode?this.removeEventListener(b,x):P.removeEventListener(g,x,!0),de.remove(j,b))}}}),h.each({mouseenter:"mouseover",mouseleave:"mouseout",pointerenter:"pointerover",pointerleave:"pointerout"},function(g,b){h.event.special[g]={delegateType:b,bindType:b,handle:function(x){var P,j=this,X=x.relatedTarget,ae=x.handleObj;return(!X||X!==j&&!h.contains(j,X))&&(x.type=ae.origType,P=ae.handler.apply(this,arguments),x.type=b),P}}}),h.fn.extend({on:function(g,b,x,P){return Oa(this,g,b,x,P)},one:function(g,b,x,P){return Oa(this,g,b,x,P,1)},off:function(g,b,x){var P,j;if(g&&g.preventDefault&&g.handleObj)return P=g.handleObj,h(g.delegateTarget).off(P.namespace?P.origType+"."+P.namespace:P.origType,P.selector,P.handler),this;if(typeof g=="object"){for(j in g)this.off(j,b,g[j]);return this}return(b===!1||typeof b=="function")&&(x=b,b=void 0),x===!1&&(x=Jn),this.each(function(){h.event.remove(this,g,x,b)})}});var Oo=/<script|<style|<link/i,ja=/checked\s*(?:[^=]|=\s*.checked.)/i,ps=/^\s*<!\[CDATA\[|\]\]>\s*$/g;function Pr(g,b){return F(g,"table")&&F(b.nodeType!==11?b:b.firstChild,"tr")&&h(g).children("tbody")[0]||g}function ur(g){return g.type=(g.getAttribute("type")!==null)+"/"+g.type,g}function ii(g){return(g.type||"").slice(0,5)==="true/"?g.type=g.type.slice(5):g.removeAttribute("type"),g}function Gi(g,b){var x,P,j,X,ae,Ce,ye;if(b.nodeType===1){if(de.hasData(g)&&(X=de.get(g),ye=X.events,ye)){de.remove(b,"handle events");for(j in ye)for(x=0,P=ye[j].length;x<P;x++)h.event.add(b,j,ye[j][x])}be.hasData(g)&&(ae=be.access(g),Ce=h.extend({},ae),be.set(b,Ce))}}function Xa(g,b){var x=b.nodeName.toLowerCase();x==="input"&&wt.test(g.type)?b.checked=g.checked:(x==="input"||x==="textarea")&&(b.defaultValue=g.defaultValue)}function ai(g,b,x,P){b=l(b);var j,X,ae,Ce,ye,Be,et=0,ot=g.length,Ke=ot-1,mt=b[0],zt=M(mt);if(zt||ot>1&&typeof mt=="string"&&!y.checkClone&&ja.test(mt))return g.each(function(rn){var Qt=g.eq(rn);zt&&(b[0]=mt.call(this,rn,Qt.html())),ai(Qt,b,x,P)});if(ot&&(j=Qn(b,g[0].ownerDocument,!1,g,P),X=j.firstChild,j.childNodes.length===1&&(j=X),X||P)){for(ae=h.map(an(j,"script"),ur),Ce=ae.length;et<ot;et++)ye=j,et!==Ke&&(ye=h.clone(ye,!0,!0),Ce&&h.merge(ae,an(ye,"script"))),x.call(g[et],ye,et);if(Ce)for(Be=ae[ae.length-1].ownerDocument,h.map(ae,ii),et=0;et<Ce;et++)ye=ae[et],cn.test(ye.type||"")&&!de.access(ye,"globalEval")&&h.contains(Be,ye)&&(ye.src&&(ye.type||"").toLowerCase()!=="module"?h._evalUrl&&!ye.noModule&&h._evalUrl(ye.src,{nonce:ye.nonce||ye.getAttribute("nonce")},Be):N(ye.textContent.replace(ps,""),ye,Be))}return g}function oi(g,b,x){for(var P,j=b?h.filter(b,g):g,X=0;(P=j[X])!=null;X++)!x&&P.nodeType===1&&h.cleanData(an(P)),P.parentNode&&(x&&je(P)&&Zt(an(P,"script")),P.parentNode.removeChild(P));return g}h.extend({htmlPrefilter:function(g){return g},clone:function(g,b,x){var P,j,X,ae,Ce=g.cloneNode(!0),ye=je(g);if(!y.noCloneChecked&&(g.nodeType===1||g.nodeType===11)&&!h.isXMLDoc(g))for(ae=an(Ce),X=an(g),P=0,j=X.length;P<j;P++)Xa(X[P],ae[P]);if(b)if(x)for(X=X||an(g),ae=ae||an(Ce),P=0,j=X.length;P<j;P++)Gi(X[P],ae[P]);else Gi(g,Ce);return ae=an(Ce,"script"),ae.length>0&&Zt(ae,!ye&&an(g,"script")),Ce},cleanData:function(g){for(var b,x,P,j=h.event.special,X=0;(x=g[X])!==void 0;X++)if(lt(x)){if(b=x[de.expando]){if(b.events)for(P in b.events)j[P]?h.event.remove(x,P):h.removeEvent(x,P,b.handle);x[de.expando]=void 0}x[be.expando]&&(x[be.expando]=void 0)}}}),h.fn.extend({detach:function(g){return oi(this,g,!0)},remove:function(g){return oi(this,g)},text:function(g){return Re(this,function(b){return b===void 0?h.text(this):this.empty().each(function(){(this.nodeType===1||this.nodeType===11||this.nodeType===9)&&(this.textContent=b)})},null,g,arguments.length)},append:function(){return ai(this,arguments,function(g){if(this.nodeType===1||this.nodeType===11||this.nodeType===9){var b=Pr(this,g);b.appendChild(g)}})},prepend:function(){return ai(this,arguments,function(g){if(this.nodeType===1||this.nodeType===11||this.nodeType===9){var b=Pr(this,g);b.insertBefore(g,b.firstChild)}})},before:function(){return ai(this,arguments,function(g){this.parentNode&&this.parentNode.insertBefore(g,this)})},after:function(){return ai(this,arguments,function(g){this.parentNode&&this.parentNode.insertBefore(g,this.nextSibling)})},empty:function(){for(var g,b=0;(g=this[b])!=null;b++)g.nodeType===1&&(h.cleanData(an(g,!1)),g.textContent="");return this},clone:function(g,b){return g=g==null?!1:g,b=b==null?g:b,this.map(function(){return h.clone(this,g,b)})},html:function(g){return Re(this,function(b){var x=this[0]||{},P=0,j=this.length;if(b===void 0&&x.nodeType===1)return x.innerHTML;if(typeof b=="string"&&!Oo.test(b)&&!Xt[(Lt.exec(b)||["",""])[1].toLowerCase()]){b=h.htmlPrefilter(b);try{for(;P<j;P++)x=this[P]||{},x.nodeType===1&&(h.cleanData(an(x,!1)),x.innerHTML=b);x=0}catch{}}x&&this.empty().append(b)},null,g,arguments.length)},replaceWith:function(){var g=[];return ai(this,arguments,function(b){var x=this.parentNode;h.inArray(this,g)<0&&(h.cleanData(an(this)),x&&x.replaceChild(b,this))},g)}}),h.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(g,b){h.fn[g]=function(x){for(var P,j=[],X=h(x),ae=X.length-1,Ce=0;Ce<=ae;Ce++)P=Ce===ae?this:this.clone(!0),h(X[Ce])[b](P),u.apply(j,P.get());return this.pushStack(j)}});var Ra=new RegExp("^("+Q+")(?!px)[a-z%]+$","i"),aa=/^--/,Oi=function(g){var b=g.ownerDocument.defaultView;return(!b||!b.opener)&&(b=t),b.getComputedStyle(g)},oa=function(g,b,x){var P,j,X={};for(j in b)X[j]=g.style[j],g.style[j]=b[j];P=x.call(g);for(j in b)g.style[j]=X[j];return P},Ri=new RegExp(Le.join("|"),"i");(function(){function g(){if(!!Be){ye.style.cssText="position:absolute;left:-11111px;width:60px;margin-top:1px;padding:0;border:0",Be.style.cssText="position:relative;display:block;box-sizing:border-box;overflow:scroll;margin:auto;border:1px;padding:1px;width:60%;top:1%",Xe.appendChild(ye).appendChild(Be);var et=t.getComputedStyle(Be);x=et.top!=="1%",Ce=b(et.marginLeft)===12,Be.style.right="60%",X=b(et.right)===36,P=b(et.width)===36,Be.style.position="absolute",j=b(Be.offsetWidth/3)===12,Xe.removeChild(ye),Be=null}}function b(et){return Math.round(parseFloat(et))}var x,P,j,X,ae,Ce,ye=A.createElement("div"),Be=A.createElement("div");!Be.style||(Be.style.backgroundClip="content-box",Be.cloneNode(!0).style.backgroundClip="",y.clearCloneStyle=Be.style.backgroundClip==="content-box",h.extend(y,{boxSizingReliable:function(){return g(),P},pixelBoxStyles:function(){return g(),X},pixelPosition:function(){return g(),x},reliableMarginLeft:function(){return g(),Ce},scrollboxSize:function(){return g(),j},reliableTrDimensions:function(){var et,ot,Ke,mt;return ae==null&&(et=A.createElement("table"),ot=A.createElement("tr"),Ke=A.createElement("div"),et.style.cssText="position:absolute;left:-11111px;border-collapse:separate",ot.style.cssText="box-sizing:content-box;border:1px solid",ot.style.height="1px",Ke.style.height="9px",Ke.style.display="block",Xe.appendChild(et).appendChild(ot).appendChild(Ke),mt=t.getComputedStyle(ot),ae=parseInt(mt.height,10)+parseInt(mt.borderTopWidth,10)+parseInt(mt.borderBottomWidth,10)===ot.offsetHeight,Xe.removeChild(et)),ae}}))})();function Hi(g,b,x){var P,j,X,ae,Ce=aa.test(b),ye=g.style;return x=x||Oi(g),x&&(ae=x.getPropertyValue(b)||x[b],Ce&&ae&&(ae=ae.replace(fe,"$1")||void 0),ae===""&&!je(g)&&(ae=h.style(g,b)),!y.pixelBoxStyles()&&Ra.test(ae)&&Ri.test(b)&&(P=ye.width,j=ye.minWidth,X=ye.maxWidth,ye.minWidth=ye.maxWidth=ye.width=ae,ae=x.width,ye.width=P,ye.minWidth=j,ye.maxWidth=X)),ae!==void 0?ae+"":ae}function br(g,b){return{get:function(){if(g()){delete this.get;return}return(this.get=b).apply(this,arguments)}}}var sa=["Webkit","Moz","ms"],Ni=A.createElement("div").style,bn={};function Mt(g){for(var b=g[0].toUpperCase()+g.slice(1),x=sa.length;x--;)if(g=sa[x]+b,g in Ni)return g}function Fr(g){var b=h.cssProps[g]||bn[g];return b||(g in Ni?g:bn[g]=Mt(g)||g)}var Na=/^(none|table(?!-c[ea]).+)/,cr={position:"absolute",visibility:"hidden",display:"block"},un={letterSpacing:"0",fontWeight:"400"};function Br(g,b,x){var P=he.exec(b);return P?Math.max(0,P[2]-(x||0))+(P[3]||"px"):b}function si(g,b,x,P,j,X){var ae=b==="width"?1:0,Ce=0,ye=0,Be=0;if(x===(P?"border":"content"))return 0;for(;ae<4;ae+=2)x==="margin"&&(Be+=h.css(g,x+Le[ae],!0,j)),P?(x==="content"&&(ye-=h.css(g,"padding"+Le[ae],!0,j)),x!=="margin"&&(ye-=h.css(g,"border"+Le[ae]+"Width",!0,j))):(ye+=h.css(g,"padding"+Le[ae],!0,j),x!=="padding"?ye+=h.css(g,"border"+Le[ae]+"Width",!0,j):Ce+=h.css(g,"border"+Le[ae]+"Width",!0,j));return!P&&X>=0&&(ye+=Math.max(0,Math.ceil(g["offset"+b[0].toUpperCase()+b.slice(1)]-X-ye-Ce-.5))||0),ye+Be}function Ia(g,b,x){var P=Oi(g),j=!y.boxSizingReliable()||x,X=j&&h.css(g,"boxSizing",!1,P)==="border-box",ae=X,Ce=Hi(g,b,P),ye="offset"+b[0].toUpperCase()+b.slice(1);if(Ra.test(Ce)){if(!x)return Ce;Ce="auto"}return(!y.boxSizingReliable()&&X||!y.reliableTrDimensions()&&F(g,"tr")||Ce==="auto"||!parseFloat(Ce)&&h.css(g,"display",!1,P)==="inline")&&g.getClientRects().length&&(X=h.css(g,"boxSizing",!1,P)==="border-box",ae=ye in g,ae&&(Ce=g[ye])),Ce=parseFloat(Ce)||0,Ce+si(g,b,x||(X?"border":"content"),ae,P,Ce)+"px"}h.extend({cssHooks:{opacity:{get:function(g,b){if(b){var x=Hi(g,"opacity");return x===""?"1":x}}}},cssNumber:{animationIterationCount:!0,aspectRatio:!0,borderImageSlice:!0,columnCount:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,gridArea:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnStart:!0,gridRow:!0,gridRowEnd:!0,gridRowStart:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,scale:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeMiterlimit:!0,strokeOpacity:!0},cssProps:{},style:function(g,b,x,P){if(!(!g||g.nodeType===3||g.nodeType===8||!g.style)){var j,X,ae,Ce=Ve(b),ye=aa.test(b),Be=g.style;if(ye||(b=Fr(Ce)),ae=h.cssHooks[b]||h.cssHooks[Ce],x!==void 0){if(X=typeof x,X==="string"&&(j=he.exec(x))&&j[1]&&(x=$e(g,b,j),X="number"),x==null||x!==x)return;X==="number"&&!ye&&(x+=j&&j[3]||(h.cssNumber[Ce]?"":"px")),!y.clearCloneStyle&&x===""&&b.indexOf("background")===0&&(Be[b]="inherit"),(!ae||!("set"in ae)||(x=ae.set(g,x,P))!==void 0)&&(ye?Be.setProperty(b,x):Be[b]=x)}else return ae&&"get"in ae&&(j=ae.get(g,!1,P))!==void 0?j:Be[b]}},css:function(g,b,x,P){var j,X,ae,Ce=Ve(b),ye=aa.test(b);return ye||(b=Fr(Ce)),ae=h.cssHooks[b]||h.cssHooks[Ce],ae&&"get"in ae&&(j=ae.get(g,!0,x)),j===void 0&&(j=Hi(g,b,P)),j==="normal"&&b in un&&(j=un[b]),x===""||x?(X=parseFloat(j),x===!0||isFinite(X)?X||0:j):j}}),h.each(["height","width"],function(g,b){h.cssHooks[b]={get:function(x,P,j){if(P)return Na.test(h.css(x,"display"))&&(!x.getClientRects().length||!x.getBoundingClientRect().width)?oa(x,cr,function(){return Ia(x,b,j)}):Ia(x,b,j)},set:function(x,P,j){var X,ae=Oi(x),Ce=!y.scrollboxSize()&&ae.position==="absolute",ye=Ce||j,Be=ye&&h.css(x,"boxSizing",!1,ae)==="border-box",et=j?si(x,b,j,Be,ae):0;return Be&&Ce&&(et-=Math.ceil(x["offset"+b[0].toUpperCase()+b.slice(1)]-parseFloat(ae[b])-si(x,b,"border",!1,ae)-.5)),et&&(X=he.exec(P))&&(X[3]||"px")!=="px"&&(x.style[b]=P,P=h.css(x,b)),Br(x,P,et)}}}),h.cssHooks.marginLeft=br(y.reliableMarginLeft,function(g,b){if(b)return(parseFloat(Hi(g,"marginLeft"))||g.getBoundingClientRect().left-oa(g,{marginLeft:0},function(){return g.getBoundingClientRect().left}))+"px"}),h.each({margin:"",padding:"",border:"Width"},function(g,b){h.cssHooks[g+b]={expand:function(x){for(var P=0,j={},X=typeof x=="string"?x.split(" "):[x];P<4;P++)j[g+Le[P]+b]=X[P]||X[P-2]||X[0];return j}},g!=="margin"&&(h.cssHooks[g+b].set=Br)}),h.fn.extend({css:function(g,b){return Re(this,function(x,P,j){var X,ae,Ce={},ye=0;if(Array.isArray(P)){for(X=Oi(x),ae=P.length;ye<ae;ye++)Ce[P[ye]]=h.css(x,P[ye],!1,X);return Ce}return j!==void 0?h.style(x,P,j):h.css(x,P)},g,b,arguments.length>1)}});function st(g,b,x,P,j){return new st.prototype.init(g,b,x,P,j)}h.Tween=st,st.prototype={constructor:st,init:function(g,b,x,P,j,X){this.elem=g,this.prop=x,this.easing=j||h.easing._default,this.options=b,this.start=this.now=this.cur(),this.end=P,this.unit=X||(h.cssNumber[x]?"":"px")},cur:function(){var g=st.propHooks[this.prop];return g&&g.get?g.get(this):st.propHooks._default.get(this)},run:function(g){var b,x=st.propHooks[this.prop];return this.options.duration?this.pos=b=h.easing[this.easing](g,this.options.duration*g,0,1,this.options.duration):this.pos=b=g,this.now=(this.end-this.start)*b+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),x&&x.set?x.set(this):st.propHooks._default.set(this),this}},st.prototype.init.prototype=st.prototype,st.propHooks={_default:{get:function(g){var b;return g.elem.nodeType!==1||g.elem[g.prop]!=null&&g.elem.style[g.prop]==null?g.elem[g.prop]:(b=h.css(g.elem,g.prop,""),!b||b==="auto"?0:b)},set:function(g){h.fx.step[g.prop]?h.fx.step[g.prop](g):g.elem.nodeType===1&&(h.cssHooks[g.prop]||g.elem.style[Fr(g.prop)]!=null)?h.style(g.elem,g.prop,g.now+g.unit):g.elem[g.prop]=g.now}}},st.propHooks.scrollTop=st.propHooks.scrollLeft={set:function(g){g.elem.nodeType&&g.elem.parentNode&&(g.elem[g.prop]=g.now)}},h.easing={linear:function(g){return g},swing:function(g){return .5-Math.cos(g*Math.PI)/2},_default:"swing"},h.fx=st.prototype.init,h.fx.step={};var Bt,qi,la=/^(?:toggle|show|hide)$/,Yi=/queueHooks$/;function Wi(){qi&&(A.hidden===!1&&t.requestAnimationFrame?t.requestAnimationFrame(Wi):t.setTimeout(Wi,h.fx.interval),h.fx.tick())}function Za(){return t.setTimeout(function(){Bt=void 0}),Bt=Date.now()}function Ht(g,b){var x,P=0,j={height:g};for(b=b?1:0;P<4;P+=2-b)x=Le[P],j["margin"+x]=j["padding"+x]=g;return b&&(j.opacity=j.width=g),j}function Ro(g,b,x){for(var P,j=(Cn.tweeners[b]||[]).concat(Cn.tweeners["*"]),X=0,ae=j.length;X<ae;X++)if(P=j[X].call(x,b,g))return P}function No(g,b,x){var P,j,X,ae,Ce,ye,Be,et,ot="width"in b||"height"in b,Ke=this,mt={},zt=g.style,rn=g.nodeType&&ke(g),Qt=de.get(g,"fxshow");x.queue||(ae=h._queueHooks(g,"fx"),ae.unqueued==null&&(ae.unqueued=0,Ce=ae.empty.fire,ae.empty.fire=function(){ae.unqueued||Ce()}),ae.unqueued++,Ke.always(function(){Ke.always(function(){ae.unqueued--,h.queue(g,"fx").length||ae.empty.fire()})}));for(P in b)if(j=b[P],la.test(j)){if(delete b[P],X=X||j==="toggle",j===(rn?"hide":"show"))if(j==="show"&&Qt&&Qt[P]!==void 0)rn=!0;else continue;mt[P]=Qt&&Qt[P]||h.style(g,P)}if(ye=!h.isEmptyObject(b),!(!ye&&h.isEmptyObject(mt))){ot&&g.nodeType===1&&(x.overflow=[zt.overflow,zt.overflowX,zt.overflowY],Be=Qt&&Qt.display,Be==null&&(Be=de.get(g,"display")),et=h.css(g,"display"),et==="none"&&(Be?et=Be:(_t([g],!0),Be=g.style.display||Be,et=h.css(g,"display"),_t([g]))),(et==="inline"||et==="inline-block"&&Be!=null)&&h.css(g,"float")==="none"&&(ye||(Ke.done(function(){zt.display=Be}),Be==null&&(et=zt.display,Be=et==="none"?"":et)),zt.display="inline-block")),x.overflow&&(zt.overflow="hidden",Ke.always(function(){zt.overflow=x.overflow[0],zt.overflowX=x.overflow[1],zt.overflowY=x.overflow[2]})),ye=!1;for(P in mt)ye||(Qt?"hidden"in Qt&&(rn=Qt.hidden):Qt=de.access(g,"fxshow",{display:Be}),X&&(Qt.hidden=!rn),rn&&_t([g],!0),Ke.done(function(){rn||_t([g]),de.remove(g,"fxshow");for(P in mt)h.style(g,P,mt[P])})),ye=Ro(rn?Qt[P]:0,P,Ke),P in Qt||(Qt[P]=ye.start,rn&&(ye.end=ye.start,ye.start=0))}}function Da(g,b){var x,P,j,X,ae;for(x in g)if(P=Ve(x),j=b[P],X=g[x],Array.isArray(X)&&(j=X[1],X=g[x]=X[0]),x!==P&&(g[P]=X,delete g[x]),ae=h.cssHooks[P],ae&&"expand"in ae){X=ae.expand(X),delete g[P];for(x in X)x in g||(g[x]=X[x],b[x]=j)}else b[P]=j}function Cn(g,b,x){var P,j,X=0,ae=Cn.prefilters.length,Ce=h.Deferred().always(function(){delete ye.elem}),ye=function(){if(j)return!1;for(var ot=Bt||Za(),Ke=Math.max(0,Be.startTime+Be.duration-ot),mt=Ke/Be.duration||0,zt=1-mt,rn=0,Qt=Be.tweens.length;rn<Qt;rn++)Be.tweens[rn].run(zt);return Ce.notifyWith(g,[Be,zt,Ke]),zt<1&&Qt?Ke:(Qt||Ce.notifyWith(g,[Be,1,0]),Ce.resolveWith(g,[Be]),!1)},Be=Ce.promise({elem:g,props:h.extend({},b),opts:h.extend(!0,{specialEasing:{},easing:h.easing._default},x),originalProperties:b,originalOptions:x,startTime:Bt||Za(),duration:x.duration,tweens:[],createTween:function(ot,Ke){var mt=h.Tween(g,Be.opts,ot,Ke,Be.opts.specialEasing[ot]||Be.opts.easing);return Be.tweens.push(mt),mt},stop:function(ot){var Ke=0,mt=ot?Be.tweens.length:0;if(j)return this;for(j=!0;Ke<mt;Ke++)Be.tweens[Ke].run(1);return ot?(Ce.notifyWith(g,[Be,1,0]),Ce.resolveWith(g,[Be,ot])):Ce.rejectWith(g,[Be,ot]),this}}),et=Be.props;for(Da(et,Be.opts.specialEasing);X<ae;X++)if(P=Cn.prefilters[X].call(Be,g,et,Be.opts),P)return M(P.stop)&&(h._queueHooks(Be.elem,Be.opts.queue).stop=P.stop.bind(P)),P;return h.map(et,Ro,Be),M(Be.opts.start)&&Be.opts.start.call(g,Be),Be.progress(Be.opts.progress).done(Be.opts.done,Be.opts.complete).fail(Be.opts.fail).always(Be.opts.always),h.fx.timer(h.extend(ye,{elem:g,anim:Be,queue:Be.opts.queue})),Be}h.Animation=h.extend(Cn,{tweeners:{"*":[function(g,b){var x=this.createTween(g,b);return $e(x.elem,g,he.exec(b),x),x}]},tweener:function(g,b){M(g)?(b=g,g=["*"]):g=g.match(Ze);for(var x,P=0,j=g.length;P<j;P++)x=g[P],Cn.tweeners[x]=Cn.tweeners[x]||[],Cn.tweeners[x].unshift(b)},prefilters:[No],prefilter:function(g,b){b?Cn.prefilters.unshift(g):Cn.prefilters.push(g)}}),h.speed=function(g,b,x){var P=g&&typeof g=="object"?h.extend({},g):{complete:x||!x&&b||M(g)&&g,duration:g,easing:x&&b||b&&!M(b)&&b};return h.fx.off?P.duration=0:typeof P.duration!="number"&&(P.duration in h.fx.speeds?P.duration=h.fx.speeds[P.duration]:P.duration=h.fx.speeds._default),(P.queue==null||P.queue===!0)&&(P.queue="fx"),P.old=P.complete,P.complete=function(){M(P.old)&&P.old.call(this),P.queue&&h.dequeue(this,P.queue)},P},h.fn.extend({fadeTo:function(g,b,x,P){return this.filter(ke).css("opacity",0).show().end().animate({opacity:b},g,x,P)},animate:function(g,b,x,P){var j=h.isEmptyObject(g),X=h.speed(b,x,P),ae=function(){var Ce=Cn(this,h.extend({},g),X);(j||de.get(this,"finish"))&&Ce.stop(!0)};return ae.finish=ae,j||X.queue===!1?this.each(ae):this.queue(X.queue,ae)},stop:function(g,b,x){var P=function(j){var X=j.stop;delete j.stop,X(x)};return typeof g!="string"&&(x=b,b=g,g=void 0),b&&this.queue(g||"fx",[]),this.each(function(){var j=!0,X=g!=null&&g+"queueHooks",ae=h.timers,Ce=de.get(this);if(X)Ce[X]&&Ce[X].stop&&P(Ce[X]);else for(X in Ce)Ce[X]&&Ce[X].stop&&Yi.test(X)&&P(Ce[X]);for(X=ae.length;X--;)ae[X].elem===this&&(g==null||ae[X].queue===g)&&(ae[X].anim.stop(x),j=!1,ae.splice(X,1));(j||!x)&&h.dequeue(this,g)})},finish:function(g){return g!==!1&&(g=g||"fx"),this.each(function(){var b,x=de.get(this),P=x[g+"queue"],j=x[g+"queueHooks"],X=h.timers,ae=P?P.length:0;for(x.finish=!0,h.queue(this,g,[]),j&&j.stop&&j.stop.call(this,!0),b=X.length;b--;)X[b].elem===this&&X[b].queue===g&&(X[b].anim.stop(!0),X.splice(b,1));for(b=0;b<ae;b++)P[b]&&P[b].finish&&P[b].finish.call(this);delete x.finish})}}),h.each(["toggle","show","hide"],function(g,b){var x=h.fn[b];h.fn[b]=function(P,j,X){return P==null||typeof P=="boolean"?x.apply(this,arguments):this.animate(Ht(b,!0),P,j,X)}}),h.each({slideDown:Ht("show"),slideUp:Ht("hide"),slideToggle:Ht("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(g,b){h.fn[g]=function(x,P,j){return this.animate(b,x,P,j)}}),h.timers=[],h.fx.tick=function(){var g,b=0,x=h.timers;for(Bt=Date.now();b<x.length;b++)g=x[b],!g()&&x[b]===g&&x.splice(b--,1);x.length||h.fx.stop(),Bt=void 0},h.fx.timer=function(g){h.timers.push(g),h.fx.start()},h.fx.interval=13,h.fx.start=function(){qi||(qi=!0,Wi())},h.fx.stop=function(){qi=null},h.fx.speeds={slow:600,fast:200,_default:400},h.fn.delay=function(g,b){return g=h.fx&&h.fx.speeds[g]||g,b=b||"fx",this.queue(b,function(x,P){var j=t.setTimeout(x,g);P.stop=function(){t.clearTimeout(j)}})},function(){var g=A.createElement("input"),b=A.createElement("select"),x=b.appendChild(A.createElement("option"));g.type="checkbox",y.checkOn=g.value!=="",y.optSelected=x.selected,g=A.createElement("input"),g.value="t",g.type="radio",y.radioValue=g.value==="t"}();var Ja,Vi=h.expr.attrHandle;h.fn.extend({attr:function(g,b){return Re(this,h.attr,g,b,arguments.length>1)},removeAttr:function(g){return this.each(function(){h.removeAttr(this,g)})}}),h.extend({attr:function(g,b,x){var P,j,X=g.nodeType;if(!(X===3||X===8||X===2)){if(typeof g.getAttribute>"u")return h.prop(g,b,x);if((X!==1||!h.isXMLDoc(g))&&(j=h.attrHooks[b.toLowerCase()]||(h.expr.match.bool.test(b)?Ja:void 0)),x!==void 0){if(x===null){h.removeAttr(g,b);return}return j&&"set"in j&&(P=j.set(g,x,b))!==void 0?P:(g.setAttribute(b,x+""),x)}return j&&"get"in j&&(P=j.get(g,b))!==null?P:(P=h.find.attr(g,b),P==null?void 0:P)}},attrHooks:{type:{set:function(g,b){if(!y.radioValue&&b==="radio"&&F(g,"input")){var x=g.value;return g.setAttribute("type",b),x&&(g.value=x),b}}}},removeAttr:function(g,b){var x,P=0,j=b&&b.match(Ze);if(j&&g.nodeType===1)for(;x=j[P++];)g.removeAttribute(x)}}),Ja={set:function(g,b,x){return b===!1?h.removeAttr(g,x):g.setAttribute(x,x),x}},h.each(h.expr.match.bool.source.match(/\w+/g),function(g,b){var x=Vi[b]||h.find.attr;Vi[b]=function(P,j,X){var ae,Ce,ye=j.toLowerCase();return X||(Ce=Vi[ye],Vi[ye]=ae,ae=x(P,j,X)!=null?ye:null,Vi[ye]=Ce),ae}});var zi=/^(?:input|select|textarea|button)$/i,ua=/^(?:a|area)$/i;h.fn.extend({prop:function(g,b){return Re(this,h.prop,g,b,arguments.length>1)},removeProp:function(g){return this.each(function(){delete this[h.propFix[g]||g]})}}),h.extend({prop:function(g,b,x){var P,j,X=g.nodeType;if(!(X===3||X===8||X===2))return(X!==1||!h.isXMLDoc(g))&&(b=h.propFix[b]||b,j=h.propHooks[b]),x!==void 0?j&&"set"in j&&(P=j.set(g,x,b))!==void 0?P:g[b]=x:j&&"get"in j&&(P=j.get(g,b))!==null?P:g[b]},propHooks:{tabIndex:{get:function(g){var b=h.find.attr(g,"tabindex");return b?parseInt(b,10):zi.test(g.nodeName)||ua.test(g.nodeName)&&g.href?0:-1}}},propFix:{for:"htmlFor",class:"className"}}),y.optSelected||(h.propHooks.selected={get:function(g){var b=g.parentNode;return b&&b.parentNode&&b.parentNode.selectedIndex,null},set:function(g){var b=g.parentNode;b&&(b.selectedIndex,b.parentNode&&b.parentNode.selectedIndex)}}),h.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){h.propFix[this.toLowerCase()]=this});function Ur(g){var b=g.match(Ze)||[];return b.join(" ")}function vr(g){return g.getAttribute&&g.getAttribute("class")||""}function ca(g){return Array.isArray(g)?g:typeof g=="string"?g.match(Ze)||[]:[]}h.fn.extend({addClass:function(g){var b,x,P,j,X,ae;return M(g)?this.each(function(Ce){h(this).addClass(g.call(this,Ce,vr(this)))}):(b=ca(g),b.length?this.each(function(){if(P=vr(this),x=this.nodeType===1&&" "+Ur(P)+" ",x){for(X=0;X<b.length;X++)j=b[X],x.indexOf(" "+j+" ")<0&&(x+=j+" ");ae=Ur(x),P!==ae&&this.setAttribute("class",ae)}}):this)},removeClass:function(g){var b,x,P,j,X,ae;return M(g)?this.each(function(Ce){h(this).removeClass(g.call(this,Ce,vr(this)))}):arguments.length?(b=ca(g),b.length?this.each(function(){if(P=vr(this),x=this.nodeType===1&&" "+Ur(P)+" ",x){for(X=0;X<b.length;X++)for(j=b[X];x.indexOf(" "+j+" ")>-1;)x=x.replace(" "+j+" "," ");ae=Ur(x),P!==ae&&this.setAttribute("class",ae)}}):this):this.attr("class","")},toggleClass:function(g,b){var x,P,j,X,ae=typeof g,Ce=ae==="string"||Array.isArray(g);return M(g)?this.each(function(ye){h(this).toggleClass(g.call(this,ye,vr(this),b),b)}):typeof b=="boolean"&&Ce?b?this.addClass(g):this.removeClass(g):(x=ca(g),this.each(function(){if(Ce)for(X=h(this),j=0;j<x.length;j++)P=x[j],X.hasClass(P)?X.removeClass(P):X.addClass(P);else(g===void 0||ae==="boolean")&&(P=vr(this),P&&de.set(this,"__className__",P),this.setAttribute&&this.setAttribute("class",P||g===!1?"":de.get(this,"__className__")||""))}))},hasClass:function(g){var b,x,P=0;for(b=" "+g+" ";x=this[P++];)if(x.nodeType===1&&(" "+Ur(vr(x))+" ").indexOf(b)>-1)return!0;return!1}});var eo=/\r/g;h.fn.extend({val:function(g){var b,x,P,j=this[0];return arguments.length?(P=M(g),this.each(function(X){var ae;this.nodeType===1&&(P?ae=g.call(this,X,h(this).val()):ae=g,ae==null?ae="":typeof ae=="number"?ae+="":Array.isArray(ae)&&(ae=h.map(ae,function(Ce){return Ce==null?"":Ce+""})),b=h.valHooks[this.type]||h.valHooks[this.nodeName.toLowerCase()],(!b||!("set"in b)||b.set(this,ae,"value")===void 0)&&(this.value=ae))})):j?(b=h.valHooks[j.type]||h.valHooks[j.nodeName.toLowerCase()],b&&"get"in b&&(x=b.get(j,"value"))!==void 0?x:(x=j.value,typeof x=="string"?x.replace(eo,""):x==null?"":x)):void 0}}),h.extend({valHooks:{option:{get:function(g){var b=h.find.attr(g,"value");return b!=null?b:Ur(h.text(g))}},select:{get:function(g){var b,x,P,j=g.options,X=g.selectedIndex,ae=g.type==="select-one",Ce=ae?null:[],ye=ae?X+1:j.length;for(X<0?P=ye:P=ae?X:0;P<ye;P++)if(x=j[P],(x.selected||P===X)&&!x.disabled&&(!x.parentNode.disabled||!F(x.parentNode,"optgroup"))){if(b=h(x).val(),ae)return b;Ce.push(b)}return Ce},set:function(g,b){for(var x,P,j=g.options,X=h.makeArray(b),ae=j.length;ae--;)P=j[ae],(P.selected=h.inArray(h.valHooks.option.get(P),X)>-1)&&(x=!0);return x||(g.selectedIndex=-1),X}}}}),h.each(["radio","checkbox"],function(){h.valHooks[this]={set:function(g,b){if(Array.isArray(b))return g.checked=h.inArray(h(g).val(),b)>-1}},y.checkOn||(h.valHooks[this].get=function(g){return g.getAttribute("value")===null?"on":g.value})});var Ii=t.location,to={guid:Date.now()},no=/\?/;h.parseXML=function(g){var b,x;if(!g||typeof g!="string")return null;try{b=new t.DOMParser().parseFromString(g,"text/xml")}catch{}return x=b&&b.getElementsByTagName("parsererror")[0],(!b||x)&&h.error("Invalid XML: "+(x?h.map(x.childNodes,function(P){return P.textContent}).join(`
 `):g)),b};var ro=/^(?:focusinfocus|focusoutblur)$/,Ki=function(g){g.stopPropagation()};h.extend(h.event,{trigger:function(g,b,x,P){var j,X,ae,Ce,ye,Be,et,ot,Ke=[x||A],mt=_.call(g,"type")?g.type:g,zt=_.call(g,"namespace")?g.namespace.split("."):[];if(X=ot=ae=x=x||A,!(x.nodeType===3||x.nodeType===8)&&!ro.test(mt+h.event.triggered)&&(mt.indexOf(".")>-1&&(zt=mt.split("."),mt=zt.shift(),zt.sort()),ye=mt.indexOf(":")<0&&"on"+mt,g=g[h.expando]?g:new h.Event(mt,typeof g=="object"&&g),g.isTrigger=P?2:3,g.namespace=zt.join("."),g.rnamespace=g.namespace?new RegExp("(^|\\.)"+zt.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,g.result=void 0,g.target||(g.target=x),b=b==null?[g]:h.makeArray(b,[g]),et=h.event.special[mt]||{},!(!P&&et.trigger&&et.trigger.apply(x,b)===!1))){if(!P&&!et.noBubble&&!v(x)){for(Ce=et.delegateType||mt,ro.test(Ce+mt)||(X=X.parentNode);X;X=X.parentNode)Ke.push(X),ae=X;ae===(x.ownerDocument||A)&&Ke.push(ae.defaultView||ae.parentWindow||t)}for(j=0;(X=Ke[j++])&&!g.isPropagationStopped();)ot=X,g.type=j>1?Ce:et.bindType||mt,Be=(de.get(X,"events")||Object.create(null))[g.type]&&de.get(X,"handle"),Be&&Be.apply(X,b),Be=ye&&X[ye],Be&&Be.apply&&lt(X)&&(g.result=Be.apply(X,b),g.result===!1&&g.preventDefault());return g.type=mt,!P&&!g.isDefaultPrevented()&&(!et._default||et._default.apply(Ke.pop(),b)===!1)&&lt(x)&&ye&&M(x[mt])&&!v(x)&&(ae=x[ye],ae&&(x[ye]=null),h.event.triggered=mt,g.isPropagationStopped()&&ot.addEventListener(mt,Ki),x[mt](),g.isPropagationStopped()&&ot.removeEventListener(mt,Ki),h.event.triggered=void 0,ae&&(x[ye]=ae)),g.result}},simulate:function(g,b,x){var P=h.extend(new h.Event,x,{type:g,isSimulated:!0});h.event.trigger(P,null,b)}}),h.fn.extend({trigger:function(g,b){return this.each(function(){h.event.trigger(g,b,this)})},triggerHandler:function(g,b){var x=this[0];if(x)return h.event.trigger(g,b,x,!0)}});var Tr=/\[\]$/,io=/\r?\n/g,Io=/^(?:submit|button|image|reset|file)$/i,da=/^(?:input|select|textarea|keygen)/i;function dr(g,b,x,P){var j;if(Array.isArray(b))h.each(b,function(X,ae){x||Tr.test(g)?P(g,ae):dr(g+"["+(typeof ae=="object"&&ae!=null?X:"")+"]",ae,x,P)});else if(!x&&R(b)==="object")for(j in b)dr(g+"["+j+"]",b[j],x,P);else P(g,b)}h.param=function(g,b){var x,P=[],j=function(X,ae){var Ce=M(ae)?ae():ae;P[P.length]=encodeURIComponent(X)+"="+encodeURIComponent(Ce==null?"":Ce)};if(g==null)return"";if(Array.isArray(g)||g.jquery&&!h.isPlainObject(g))h.each(g,function(){j(this.name,this.value)});else for(x in g)dr(x,g[x],b,j);return P.join("&")},h.fn.extend({serialize:function(){return h.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var g=h.prop(this,"elements");return g?h.makeArray(g):this}).filter(function(){var g=this.type;return this.name&&!h(this).is(":disabled")&&da.test(this.nodeName)&&!Io.test(g)&&(this.checked||!wt.test(g))}).map(function(g,b){var x=h(this).val();return x==null?null:Array.isArray(x)?h.map(x,function(P){return{name:b.name,value:P.replace(io,`\r
 `)}}):{name:b.name,value:x.replace(io,`\r
-`)}}).get()}});var fa=/%20/g,iu=/#.*$/,ao=/([?&])_=[^&]*/,Di=/^(.*?):[ \t]*([^\r\n]*)$/mg,oo=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,tl=/^(?:GET|HEAD)$/,Do=/^\/\//,xo={},so={},pa="*/".concat("*"),$i=A.createElement("a");$i.href=Ii.href;function wo(g){return function(b,x){typeof b!="string"&&(x=b,b="*");var P,j=0,X=b.toLowerCase().match(Ze)||[];if(M(x))for(;P=X[j++];)P[0]==="+"?(P=P.slice(1)||"*",(g[P]=g[P]||[]).unshift(x)):(g[P]=g[P]||[]).push(x)}}function _s(g,b,x,P){var j={},X=g===so;function ae(Ce){var ye;return j[Ce]=!0,h.each(g[Ce]||[],function(Be,et){var ot=et(b,x,P);if(typeof ot=="string"&&!X&&!j[ot])return b.dataTypes.unshift(ot),ae(ot),!1;if(X)return!(ye=ot)}),ye}return ae(b.dataTypes[0])||!j["*"]&&ae("*")}function Un(g,b){var x,P,j=h.ajaxSettings.flatOptions||{};for(x in b)b[x]!==void 0&&((j[x]?g:P||(P={}))[x]=b[x]);return P&&h.extend(!0,g,P),g}function gn(g,b,x){for(var P,j,X,ae,Ce=g.contents,ye=g.dataTypes;ye[0]==="*";)ye.shift(),P===void 0&&(P=g.mimeType||b.getResponseHeader("Content-Type"));if(P){for(j in Ce)if(Ce[j]&&Ce[j].test(P)){ye.unshift(j);break}}if(ye[0]in x)X=ye[0];else{for(j in x){if(!ye[0]||g.converters[j+" "+ye[0]]){X=j;break}ae||(ae=j)}X=X||ae}if(X)return X!==ye[0]&&ye.unshift(X),x[X]}function li(g,b,x,P){var j,X,ae,Ce,ye,Be={},et=g.dataTypes.slice();if(et[1])for(ae in g.converters)Be[ae.toLowerCase()]=g.converters[ae];for(X=et.shift();X;)if(g.responseFields[X]&&(x[g.responseFields[X]]=b),!ye&&P&&g.dataFilter&&(b=g.dataFilter(b,g.dataType)),ye=X,X=et.shift(),X){if(X==="*")X=ye;else if(ye!=="*"&&ye!==X){if(ae=Be[ye+" "+X]||Be["* "+X],!ae){for(j in Be)if(Ce=j.split(" "),Ce[1]===X&&(ae=Be[ye+" "+Ce[0]]||Be["* "+Ce[0]],ae)){ae===!0?ae=Be[j]:Be[j]!==!0&&(X=Ce[0],et.unshift(Ce[1]));break}}if(ae!==!0)if(ae&&g.throws)b=ae(b);else try{b=ae(b)}catch(ot){return{state:"parsererror",error:ae?ot:"No conversion from "+ye+" to "+X}}}}return{state:"success",data:b}}h.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:Ii.href,type:"GET",isLocal:oo.test(Ii.protocol),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":pa,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/\bxml\b/,html:/\bhtml/,json:/\bjson\b/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":JSON.parse,"text xml":h.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(g,b){return b?Un(Un(g,h.ajaxSettings),b):Un(h.ajaxSettings,g)},ajaxPrefilter:wo(xo),ajaxTransport:wo(so),ajax:function(g,b){typeof g=="object"&&(b=g,g=void 0),b=b||{};var x,P,j,X,ae,Ce,ye,Be,et,ot,Ke=h.ajaxSetup({},b),mt=Ke.context||Ke,zt=Ke.context&&(mt.nodeType||mt.jquery)?h(mt):h.event,rn=h.Deferred(),Qt=h.Callbacks("once memory"),vn=Ke.statusCode||{},On={},Gn={},kn="canceled",nn={readyState:0,getResponseHeader:function(tn){var jt;if(ye){if(!X)for(X={};jt=Di.exec(j);)X[jt[1].toLowerCase()+" "]=(X[jt[1].toLowerCase()+" "]||[]).concat(jt[2]);jt=X[tn.toLowerCase()+" "]}return jt==null?null:jt.join(", ")},getAllResponseHeaders:function(){return ye?j:null},setRequestHeader:function(tn,jt){return ye==null&&(tn=Gn[tn.toLowerCase()]=Gn[tn.toLowerCase()]||tn,On[tn]=jt),this},overrideMimeType:function(tn){return ye==null&&(Ke.mimeType=tn),this},statusCode:function(tn){var jt;if(tn)if(ye)nn.always(tn[nn.status]);else for(jt in tn)vn[jt]=[vn[jt],tn[jt]];return this},abort:function(tn){var jt=tn||kn;return x&&x.abort(jt),ji(0,jt),this}};if(rn.promise(nn),Ke.url=((g||Ke.url||Ii.href)+"").replace(Do,Ii.protocol+"//"),Ke.type=b.method||b.type||Ke.method||Ke.type,Ke.dataTypes=(Ke.dataType||"*").toLowerCase().match(Ze)||[""],Ke.crossDomain==null){Ce=A.createElement("a");try{Ce.href=Ke.url,Ce.href=Ce.href,Ke.crossDomain=$i.protocol+"//"+$i.host!=Ce.protocol+"//"+Ce.host}catch{Ke.crossDomain=!0}}if(Ke.data&&Ke.processData&&typeof Ke.data!="string"&&(Ke.data=h.param(Ke.data,Ke.traditional)),_s(xo,Ke,b,nn),ye)return nn;Be=h.event&&Ke.global,Be&&h.active++===0&&h.event.trigger("ajaxStart"),Ke.type=Ke.type.toUpperCase(),Ke.hasContent=!tl.test(Ke.type),P=Ke.url.replace(iu,""),Ke.hasContent?Ke.data&&Ke.processData&&(Ke.contentType||"").indexOf("application/x-www-form-urlencoded")===0&&(Ke.data=Ke.data.replace(fa,"+")):(ot=Ke.url.slice(P.length),Ke.data&&(Ke.processData||typeof Ke.data=="string")&&(P+=(no.test(P)?"&":"?")+Ke.data,delete Ke.data),Ke.cache===!1&&(P=P.replace(ao,"$1"),ot=(no.test(P)?"&":"?")+"_="+to.guid+++ot),Ke.url=P+ot),Ke.ifModified&&(h.lastModified[P]&&nn.setRequestHeader("If-Modified-Since",h.lastModified[P]),h.etag[P]&&nn.setRequestHeader("If-None-Match",h.etag[P])),(Ke.data&&Ke.hasContent&&Ke.contentType!==!1||b.contentType)&&nn.setRequestHeader("Content-Type",Ke.contentType),nn.setRequestHeader("Accept",Ke.dataTypes[0]&&Ke.accepts[Ke.dataTypes[0]]?Ke.accepts[Ke.dataTypes[0]]+(Ke.dataTypes[0]!=="*"?", "+pa+"; q=0.01":""):Ke.accepts["*"]);for(et in Ke.headers)nn.setRequestHeader(et,Ke.headers[et]);if(Ke.beforeSend&&(Ke.beforeSend.call(mt,nn,Ke)===!1||ye))return nn.abort();if(kn="abort",Qt.add(Ke.complete),nn.done(Ke.success),nn.fail(Ke.error),x=_s(so,Ke,b,nn),!x)ji(-1,"No Transport");else{if(nn.readyState=1,Be&&zt.trigger("ajaxSend",[nn,Ke]),ye)return nn;Ke.async&&Ke.timeout>0&&(ae=t.setTimeout(function(){nn.abort("timeout")},Ke.timeout));try{ye=!1,x.send(On,ji)}catch(tn){if(ye)throw tn;ji(-1,tn)}}function ji(tn,jt,lo,Lo){var fr,wr,Gr,Vn,Hr,Rn=jt;ye||(ye=!0,ae&&t.clearTimeout(ae),x=void 0,j=Lo||"",nn.readyState=tn>0?4:0,fr=tn>=200&&tn<300||tn===304,lo&&(Vn=gn(Ke,nn,lo)),!fr&&h.inArray("script",Ke.dataTypes)>-1&&h.inArray("json",Ke.dataTypes)<0&&(Ke.converters["text script"]=function(){}),Vn=li(Ke,Vn,nn,fr),fr?(Ke.ifModified&&(Hr=nn.getResponseHeader("Last-Modified"),Hr&&(h.lastModified[P]=Hr),Hr=nn.getResponseHeader("etag"),Hr&&(h.etag[P]=Hr)),tn===204||Ke.type==="HEAD"?Rn="nocontent":tn===304?Rn="notmodified":(Rn=Vn.state,wr=Vn.data,Gr=Vn.error,fr=!Gr)):(Gr=Rn,(tn||!Rn)&&(Rn="error",tn<0&&(tn=0))),nn.status=tn,nn.statusText=(jt||Rn)+"",fr?rn.resolveWith(mt,[wr,Rn,nn]):rn.rejectWith(mt,[nn,Rn,Gr]),nn.statusCode(vn),vn=void 0,Be&&zt.trigger(fr?"ajaxSuccess":"ajaxError",[nn,Ke,fr?wr:Gr]),Qt.fireWith(mt,[nn,Rn]),Be&&(zt.trigger("ajaxComplete",[nn,Ke]),--h.active||h.event.trigger("ajaxStop")))}return nn},getJSON:function(g,b,x){return h.get(g,b,x,"json")},getScript:function(g,b){return h.get(g,void 0,b,"script")}}),h.each(["get","post"],function(g,b){h[b]=function(x,P,j,X){return M(P)&&(X=X||j,j=P,P=void 0),h.ajax(h.extend({url:x,type:b,dataType:X,data:P,success:j},h.isPlainObject(x)&&x))}}),h.ajaxPrefilter(function(g){var b;for(b in g.headers)b.toLowerCase()==="content-type"&&(g.contentType=g.headers[b]||"")}),h._evalUrl=function(g,b,x){return h.ajax({url:g,type:"GET",dataType:"script",cache:!0,async:!1,global:!1,converters:{"text script":function(){}},dataFilter:function(P){h.globalEval(P,b,x)}})},h.fn.extend({wrapAll:function(g){var b;return this[0]&&(M(g)&&(g=g.call(this[0])),b=h(g,this[0].ownerDocument).eq(0).clone(!0),this[0].parentNode&&b.insertBefore(this[0]),b.map(function(){for(var x=this;x.firstElementChild;)x=x.firstElementChild;return x}).append(this)),this},wrapInner:function(g){return M(g)?this.each(function(b){h(this).wrapInner(g.call(this,b))}):this.each(function(){var b=h(this),x=b.contents();x.length?x.wrapAll(g):b.append(g)})},wrap:function(g){var b=M(g);return this.each(function(x){h(this).wrapAll(b?g.call(this,x):g)})},unwrap:function(g){return this.parent(g).not("body").each(function(){h(this).replaceWith(this.childNodes)}),this}}),h.expr.pseudos.hidden=function(g){return!h.expr.pseudos.visible(g)},h.expr.pseudos.visible=function(g){return!!(g.offsetWidth||g.offsetHeight||g.getClientRects().length)},h.ajaxSettings.xhr=function(){try{return new t.XMLHttpRequest}catch{}};var _a={0:200,1223:204},er=h.ajaxSettings.xhr();y.cors=!!er&&"withCredentials"in er,y.ajax=er=!!er,h.ajaxTransport(function(g){var b,x;if(y.cors||er&&!g.crossDomain)return{send:function(P,j){var X,ae=g.xhr();if(ae.open(g.type,g.url,g.async,g.username,g.password),g.xhrFields)for(X in g.xhrFields)ae[X]=g.xhrFields[X];g.mimeType&&ae.overrideMimeType&&ae.overrideMimeType(g.mimeType),!g.crossDomain&&!P["X-Requested-With"]&&(P["X-Requested-With"]="XMLHttpRequest");for(X in P)ae.setRequestHeader(X,P[X]);b=function(Ce){return function(){b&&(b=x=ae.onload=ae.onerror=ae.onabort=ae.ontimeout=ae.onreadystatechange=null,Ce==="abort"?ae.abort():Ce==="error"?typeof ae.status!="number"?j(0,"error"):j(ae.status,ae.statusText):j(_a[ae.status]||ae.status,ae.statusText,(ae.responseType||"text")!=="text"||typeof ae.responseText!="string"?{binary:ae.response}:{text:ae.responseText},ae.getAllResponseHeaders()))}},ae.onload=b(),x=ae.onerror=ae.ontimeout=b("error"),ae.onabort!==void 0?ae.onabort=x:ae.onreadystatechange=function(){ae.readyState===4&&t.setTimeout(function(){b&&x()})},b=b("abort");try{ae.send(g.hasContent&&g.data||null)}catch(Ce){if(b)throw Ce}},abort:function(){b&&b()}}}),h.ajaxPrefilter(function(g){g.crossDomain&&(g.contents.script=!1)}),h.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/\b(?:java|ecma)script\b/},converters:{"text script":function(g){return h.globalEval(g),g}}}),h.ajaxPrefilter("script",function(g){g.cache===void 0&&(g.cache=!1),g.crossDomain&&(g.type="GET")}),h.ajaxTransport("script",function(g){if(g.crossDomain||g.scriptAttrs){var b,x;return{send:function(P,j){b=h("<script>").attr(g.scriptAttrs||{}).prop({charset:g.scriptCharset,src:g.url}).on("load error",x=function(X){b.remove(),x=null,X&&j(X.type==="error"?404:200,X.type)}),A.head.appendChild(b[0])},abort:function(){x&&x()}}}});var nl=[],ui=/(=)\?(?=&|$)|\?\?/;h.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var g=nl.pop()||h.expando+"_"+to.guid++;return this[g]=!0,g}}),h.ajaxPrefilter("json jsonp",function(g,b,x){var P,j,X,ae=g.jsonp!==!1&&(ui.test(g.url)?"url":typeof g.data=="string"&&(g.contentType||"").indexOf("application/x-www-form-urlencoded")===0&&ui.test(g.data)&&"data");if(ae||g.dataTypes[0]==="jsonp")return P=g.jsonpCallback=M(g.jsonpCallback)?g.jsonpCallback():g.jsonpCallback,ae?g[ae]=g[ae].replace(ui,"$1"+P):g.jsonp!==!1&&(g.url+=(no.test(g.url)?"&":"?")+g.jsonp+"="+P),g.converters["script json"]=function(){return X||h.error(P+" was not called"),X[0]},g.dataTypes[0]="json",j=t[P],t[P]=function(){X=arguments},x.always(function(){j===void 0?h(t).removeProp(P):t[P]=j,g[P]&&(g.jsonpCallback=b.jsonpCallback,nl.push(P)),X&&M(j)&&j(X[0]),X=j=void 0}),"script"}),y.createHTMLDocument=function(){var g=A.implementation.createHTMLDocument("").body;return g.innerHTML="<form></form><form></form>",g.childNodes.length===2}(),h.parseHTML=function(g,b,x){if(typeof g!="string")return[];typeof b=="boolean"&&(x=b,b=!1);var P,j,X;return b||(y.createHTMLDocument?(b=A.implementation.createHTMLDocument(""),P=b.createElement("base"),P.href=A.location.href,b.head.appendChild(P)):b=A),j=oe.exec(g),X=!x&&[],j?[b.createElement(j[1])]:(j=Qn([g],b,X),X&&X.length&&h(X).remove(),h.merge([],j.childNodes))},h.fn.load=function(g,b,x){var P,j,X,ae=this,Ce=g.indexOf(" ");return Ce>-1&&(P=Ur(g.slice(Ce)),g=g.slice(0,Ce)),M(b)?(x=b,b=void 0):b&&typeof b=="object"&&(j="POST"),ae.length>0&&h.ajax({url:g,type:j||"GET",dataType:"html",data:b}).done(function(ye){X=arguments,ae.html(P?h("<div>").append(h.parseHTML(ye)).find(P):ye)}).always(x&&function(ye,Be){ae.each(function(){x.apply(this,X||[ye.responseText,Be,ye])})}),this},h.expr.pseudos.animated=function(g){return h.grep(h.timers,function(b){return g===b.elem}).length},h.offset={setOffset:function(g,b,x){var P,j,X,ae,Ce,ye,Be,et=h.css(g,"position"),ot=h(g),Ke={};et==="static"&&(g.style.position="relative"),Ce=ot.offset(),X=h.css(g,"top"),ye=h.css(g,"left"),Be=(et==="absolute"||et==="fixed")&&(X+ye).indexOf("auto")>-1,Be?(P=ot.position(),ae=P.top,j=P.left):(ae=parseFloat(X)||0,j=parseFloat(ye)||0),M(b)&&(b=b.call(g,x,h.extend({},Ce))),b.top!=null&&(Ke.top=b.top-Ce.top+ae),b.left!=null&&(Ke.left=b.left-Ce.left+j),"using"in b?b.using.call(g,Ke):ot.css(Ke)}},h.fn.extend({offset:function(g){if(arguments.length)return g===void 0?this:this.each(function(j){h.offset.setOffset(this,g,j)});var b,x,P=this[0];if(!!P)return P.getClientRects().length?(b=P.getBoundingClientRect(),x=P.ownerDocument.defaultView,{top:b.top+x.pageYOffset,left:b.left+x.pageXOffset}):{top:0,left:0}},position:function(){if(!!this[0]){var g,b,x,P=this[0],j={top:0,left:0};if(h.css(P,"position")==="fixed")b=P.getBoundingClientRect();else{for(b=this.offset(),x=P.ownerDocument,g=P.offsetParent||x.documentElement;g&&(g===x.body||g===x.documentElement)&&h.css(g,"position")==="static";)g=g.parentNode;g&&g!==P&&g.nodeType===1&&(j=h(g).offset(),j.top+=h.css(g,"borderTopWidth",!0),j.left+=h.css(g,"borderLeftWidth",!0))}return{top:b.top-j.top-h.css(P,"marginTop",!0),left:b.left-j.left-h.css(P,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){for(var g=this.offsetParent;g&&h.css(g,"position")==="static";)g=g.offsetParent;return g||Xe})}}),h.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(g,b){var x=b==="pageYOffset";h.fn[g]=function(P){return Re(this,function(j,X,ae){var Ce;if(v(j)?Ce=j:j.nodeType===9&&(Ce=j.defaultView),ae===void 0)return Ce?Ce[b]:j[X];Ce?Ce.scrollTo(x?Ce.pageXOffset:ae,x?ae:Ce.pageYOffset):j[X]=ae},g,P,arguments.length)}}),h.each(["top","left"],function(g,b){h.cssHooks[b]=br(y.pixelPosition,function(x,P){if(P)return P=Hi(x,b),Ra.test(P)?h(x).position()[b]+"px":P})}),h.each({Height:"height",Width:"width"},function(g,b){h.each({padding:"inner"+g,content:b,"":"outer"+g},function(x,P){h.fn[P]=function(j,X){var ae=arguments.length&&(x||typeof j!="boolean"),Ce=x||(j===!0||X===!0?"margin":"border");return Re(this,function(ye,Be,et){var ot;return v(ye)?P.indexOf("outer")===0?ye["inner"+g]:ye.document.documentElement["client"+g]:ye.nodeType===9?(ot=ye.documentElement,Math.max(ye.body["scroll"+g],ot["scroll"+g],ye.body["offset"+g],ot["offset"+g],ot["client"+g])):et===void 0?h.css(ye,Be,Ce):h.style(ye,Be,et,Ce)},b,ae?j:void 0,ae)}})}),h.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(g,b){h.fn[b]=function(x){return this.on(b,x)}}),h.fn.extend({bind:function(g,b,x){return this.on(g,null,b,x)},unbind:function(g,b){return this.off(g,null,b)},delegate:function(g,b,x,P){return this.on(b,g,x,P)},undelegate:function(g,b,x){return arguments.length===1?this.off(g,"**"):this.off(b,g||"**",x)},hover:function(g,b){return this.on("mouseenter",g).on("mouseleave",b||g)}}),h.each("blur focus focusin focusout resize scroll click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup contextmenu".split(" "),function(g,b){h.fn[b]=function(x,P){return arguments.length>0?this.on(b,null,x,P):this.trigger(b)}});var Qi=/^[\s\uFEFF\xA0]+|([^\s\uFEFF\xA0])[\s\uFEFF\xA0]+$/g;h.proxy=function(g,b){var x,P,j;if(typeof b=="string"&&(x=g[b],b=g,g=x),!!M(g))return P=o.call(arguments,2),j=function(){return g.apply(b||this,P.concat(o.call(arguments)))},j.guid=g.guid=g.guid||h.guid++,j},h.holdReady=function(g){g?h.readyWait++:h.ready(!0)},h.isArray=Array.isArray,h.parseJSON=JSON.parse,h.nodeName=F,h.isFunction=M,h.isWindow=v,h.camelCase=Ve,h.type=R,h.now=Date.now,h.isNumeric=function(g){var b=h.type(g);return(b==="number"||b==="string")&&!isNaN(g-parseFloat(g))},h.trim=function(g){return g==null?"":(g+"").replace(Qi,"$1")};var rl=t.jQuery,xr=t.$;return h.noConflict=function(g){return t.$===h&&(t.$=xr),g&&t.jQuery===h&&(t.jQuery=rl),h},typeof n>"u"&&(t.jQuery=t.$=h),h})})(zl);const At=zl.exports;var nA={exports:{}};(function(e,t){(function(n,r){e.exports=r()})(Jr,function(){var n=1e3,r=6e4,a=36e5,o="millisecond",l="second",u="minute",c="hour",d="day",S="week",_="month",E="quarter",T="year",y="date",M="Invalid Date",v=/^(\d{4})[-/]?(\d{1,2})?[-/]?(\d{0,2})[Tt\s]*(\d{1,2})?:?(\d{1,2})?:?(\d{1,2})?[.:]?(\d+)?$/,A=/\[([^\]]+)]|Y{1,4}|M{1,4}|D{1,2}|d{1,4}|H{1,2}|h{1,2}|a|A|m{1,2}|s{1,2}|Z{1,2}|SSS/g,O={name:"en",weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),ordinal:function(fe){var V=["th","st","nd","rd"],ne=fe%100;return"["+fe+(V[(ne-20)%10]||V[ne]||V[0])+"]"}},N=function(fe,V,ne){var te=String(fe);return!te||te.length>=V?fe:""+Array(V+1-te.length).join(ne)+fe},R={s:N,z:function(fe){var V=-fe.utcOffset(),ne=Math.abs(V),te=Math.floor(ne/60),G=ne%60;return(V<=0?"+":"-")+N(te,2,"0")+":"+N(G,2,"0")},m:function fe(V,ne){if(V.date()<ne.date())return-fe(ne,V);var te=12*(ne.year()-V.year())+(ne.month()-V.month()),G=V.clone().add(te,_),se=ne-G<0,ve=V.clone().add(te+(se?-1:1),_);return+(-(te+(ne-G)/(se?G-ve:ve-G))||0)},a:function(fe){return fe<0?Math.ceil(fe)||0:Math.floor(fe)},p:function(fe){return{M:_,y:T,w:S,d,D:y,h:c,m:u,s:l,ms:o,Q:E}[fe]||String(fe||"").toLowerCase().replace(/s$/,"")},u:function(fe){return fe===void 0}},L="en",I={};I[L]=O;var h="$isDayjsObject",k=function(fe){return fe instanceof ue||!(!fe||!fe[h])},F=function fe(V,ne,te){var G;if(!V)return L;if(typeof V=="string"){var se=V.toLowerCase();I[se]&&(G=se),ne&&(I[se]=ne,G=se);var ve=V.split("-");if(!G&&ve.length>1)return fe(ve[0])}else{var Ge=V.name;I[Ge]=V,G=Ge}return!te&&G&&(L=G),G||!te&&L},z=function(fe,V){if(k(fe))return fe.clone();var ne=typeof V=="object"?V:{};return ne.date=fe,ne.args=arguments,new ue(ne)},K=R;K.l=F,K.i=k,K.w=function(fe,V){return z(fe,{locale:V.$L,utc:V.$u,x:V.$x,$offset:V.$offset})};var ue=function(){function fe(ne){this.$L=F(ne.locale,null,!0),this.parse(ne),this.$x=this.$x||ne.x||{},this[h]=!0}var V=fe.prototype;return V.parse=function(ne){this.$d=function(te){var G=te.date,se=te.utc;if(G===null)return new Date(NaN);if(K.u(G))return new Date;if(G instanceof Date)return new Date(G);if(typeof G=="string"&&!/Z$/i.test(G)){var ve=G.match(v);if(ve){var Ge=ve[2]-1||0,oe=(ve[7]||"0").substring(0,3);return se?new Date(Date.UTC(ve[1],Ge,ve[3]||1,ve[4]||0,ve[5]||0,ve[6]||0,oe)):new Date(ve[1],Ge,ve[3]||1,ve[4]||0,ve[5]||0,ve[6]||0,oe)}}return new Date(G)}(ne),this.init()},V.init=function(){var ne=this.$d;this.$y=ne.getFullYear(),this.$M=ne.getMonth(),this.$D=ne.getDate(),this.$W=ne.getDay(),this.$H=ne.getHours(),this.$m=ne.getMinutes(),this.$s=ne.getSeconds(),this.$ms=ne.getMilliseconds()},V.$utils=function(){return K},V.isValid=function(){return this.$d.toString()!==M},V.isSame=function(ne,te){var G=z(ne);return this.startOf(te)<=G&&G<=this.endOf(te)},V.isAfter=function(ne,te){return z(ne)<this.startOf(te)},V.isBefore=function(ne,te){return this.endOf(te)<z(ne)},V.$g=function(ne,te,G){return K.u(ne)?this[te]:this.set(G,ne)},V.unix=function(){return Math.floor(this.valueOf()/1e3)},V.valueOf=function(){return this.$d.getTime()},V.startOf=function(ne,te){var G=this,se=!!K.u(te)||te,ve=K.p(ne),Ge=function(ct,Ze){var nt=K.w(G.$u?Date.UTC(G.$y,Ze,ct):new Date(G.$y,Ze,ct),G);return se?nt:nt.endOf(d)},oe=function(ct,Ze){return K.w(G.toDate()[ct].apply(G.toDate("s"),(se?[0,0,0,0]:[23,59,59,999]).slice(Ze)),G)},W=this.$W,Oe=this.$M,tt=this.$D,rt="set"+(this.$u?"UTC":"");switch(ve){case T:return se?Ge(1,0):Ge(31,11);case _:return se?Ge(1,Oe):Ge(0,Oe+1);case S:var bt=this.$locale().weekStart||0,dt=(W<bt?W+7:W)-bt;return Ge(se?tt-dt:tt+(6-dt),Oe);case d:case y:return oe(rt+"Hours",0);case c:return oe(rt+"Minutes",1);case u:return oe(rt+"Seconds",2);case l:return oe(rt+"Milliseconds",3);default:return this.clone()}},V.endOf=function(ne){return this.startOf(ne,!1)},V.$set=function(ne,te){var G,se=K.p(ne),ve="set"+(this.$u?"UTC":""),Ge=(G={},G[d]=ve+"Date",G[y]=ve+"Date",G[_]=ve+"Month",G[T]=ve+"FullYear",G[c]=ve+"Hours",G[u]=ve+"Minutes",G[l]=ve+"Seconds",G[o]=ve+"Milliseconds",G)[se],oe=se===d?this.$D+(te-this.$W):te;if(se===_||se===T){var W=this.clone().set(y,1);W.$d[Ge](oe),W.init(),this.$d=W.set(y,Math.min(this.$D,W.daysInMonth())).$d}else Ge&&this.$d[Ge](oe);return this.init(),this},V.set=function(ne,te){return this.clone().$set(ne,te)},V.get=function(ne){return this[K.p(ne)]()},V.add=function(ne,te){var G,se=this;ne=Number(ne);var ve=K.p(te),Ge=function(Oe){var tt=z(se);return K.w(tt.date(tt.date()+Math.round(Oe*ne)),se)};if(ve===_)return this.set(_,this.$M+ne);if(ve===T)return this.set(T,this.$y+ne);if(ve===d)return Ge(1);if(ve===S)return Ge(7);var oe=(G={},G[u]=r,G[c]=a,G[l]=n,G)[ve]||1,W=this.$d.getTime()+ne*oe;return K.w(W,this)},V.subtract=function(ne,te){return this.add(-1*ne,te)},V.format=function(ne){var te=this,G=this.$locale();if(!this.isValid())return G.invalidDate||M;var se=ne||"YYYY-MM-DDTHH:mm:ssZ",ve=K.z(this),Ge=this.$H,oe=this.$m,W=this.$M,Oe=G.weekdays,tt=G.months,rt=G.meridiem,bt=function(Ze,nt,ce,Ee){return Ze&&(Ze[nt]||Ze(te,se))||ce[nt].slice(0,Ee)},dt=function(Ze){return K.s(Ge%12||12,Ze,"0")},ct=rt||function(Ze,nt,ce){var Ee=Ze<12?"AM":"PM";return ce?Ee.toLowerCase():Ee};return se.replace(A,function(Ze,nt){return nt||function(ce){switch(ce){case"YY":return String(te.$y).slice(-2);case"YYYY":return K.s(te.$y,4,"0");case"M":return W+1;case"MM":return K.s(W+1,2,"0");case"MMM":return bt(G.monthsShort,W,tt,3);case"MMMM":return bt(tt,W);case"D":return te.$D;case"DD":return K.s(te.$D,2,"0");case"d":return String(te.$W);case"dd":return bt(G.weekdaysMin,te.$W,Oe,2);case"ddd":return bt(G.weekdaysShort,te.$W,Oe,3);case"dddd":return Oe[te.$W];case"H":return String(Ge);case"HH":return K.s(Ge,2,"0");case"h":return dt(1);case"hh":return dt(2);case"a":return ct(Ge,oe,!0);case"A":return ct(Ge,oe,!1);case"m":return String(oe);case"mm":return K.s(oe,2,"0");case"s":return String(te.$s);case"ss":return K.s(te.$s,2,"0");case"SSS":return K.s(te.$ms,3,"0");case"Z":return ve}return null}(Ze)||ve.replace(":","")})},V.utcOffset=function(){return 15*-Math.round(this.$d.getTimezoneOffset()/15)},V.diff=function(ne,te,G){var se,ve=this,Ge=K.p(te),oe=z(ne),W=(oe.utcOffset()-this.utcOffset())*r,Oe=this-oe,tt=function(){return K.m(ve,oe)};switch(Ge){case T:se=tt()/12;break;case _:se=tt();break;case E:se=tt()/3;break;case S:se=(Oe-W)/6048e5;break;case d:se=(Oe-W)/864e5;break;case c:se=Oe/a;break;case u:se=Oe/r;break;case l:se=Oe/n;break;default:se=Oe}return G?se:K.a(se)},V.daysInMonth=function(){return this.endOf(_).$D},V.$locale=function(){return I[this.$L]},V.locale=function(ne,te){if(!ne)return this.$L;var G=this.clone(),se=F(ne,te,!0);return se&&(G.$L=se),G},V.clone=function(){return K.w(this.$d,this)},V.toDate=function(){return new Date(this.valueOf())},V.toJSON=function(){return this.isValid()?this.toISOString():null},V.toISOString=function(){return this.$d.toISOString()},V.toString=function(){return this.$d.toUTCString()},fe}(),Z=ue.prototype;return z.prototype=Z,[["$ms",o],["$s",l],["$m",u],["$H",c],["$W",d],["$M",_],["$y",T],["$D",y]].forEach(function(fe){Z[fe[1]]=function(V){return this.$g(V,fe[0],fe[1])}}),z.extend=function(fe,V){return fe.$i||(fe(V,ue,z),fe.$i=!0),z},z.locale=F,z.isDayjs=k,z.unix=function(fe){return z(1e3*fe)},z.en=I[L],z.Ls=I,z.p={},z})})(nA);const oc=nA.exports,Gb={};function xD(e){let t=Gb[e];if(t)return t;t=Gb[e]=[];for(let n=0;n<128;n++){const r=String.fromCharCode(n);t.push(r)}for(let n=0;n<e.length;n++){const r=e.charCodeAt(n);t[r]="%"+("0"+r.toString(16).toUpperCase()).slice(-2)}return t}function kl(e,t){typeof t!="string"&&(t=kl.defaultChars);const n=xD(t);return e.replace(/(%[a-f0-9]{2})+/gi,function(r){let a="";for(let o=0,l=r.length;o<l;o+=3){const u=parseInt(r.slice(o+1,o+3),16);if(u<128){a+=n[u];continue}if((u&224)===192&&o+3<l){const c=parseInt(r.slice(o+4,o+6),16);if((c&192)===128){const d=u<<6&1984|c&63;d<128?a+="\uFFFD\uFFFD":a+=String.fromCharCode(d),o+=3;continue}}if((u&240)===224&&o+6<l){const c=parseInt(r.slice(o+4,o+6),16),d=parseInt(r.slice(o+7,o+9),16);if((c&192)===128&&(d&192)===128){const S=u<<12&61440|c<<6&4032|d&63;S<2048||S>=55296&&S<=57343?a+="\uFFFD\uFFFD\uFFFD":a+=String.fromCharCode(S),o+=6;continue}}if((u&248)===240&&o+9<l){const c=parseInt(r.slice(o+4,o+6),16),d=parseInt(r.slice(o+7,o+9),16),S=parseInt(r.slice(o+10,o+12),16);if((c&192)===128&&(d&192)===128&&(S&192)===128){let _=u<<18&1835008|c<<12&258048|d<<6&4032|S&63;_<65536||_>1114111?a+="\uFFFD\uFFFD\uFFFD\uFFFD":(_-=65536,a+=String.fromCharCode(55296+(_>>10),56320+(_&1023))),o+=9;continue}}a+="\uFFFD"}return a})}kl.defaultChars=";/?:@&=+$,#";kl.componentChars="";const Hb={};function wD(e){let t=Hb[e];if(t)return t;t=Hb[e]=[];for(let n=0;n<128;n++){const r=String.fromCharCode(n);/^[0-9a-z]$/i.test(r)?t.push(r):t.push("%"+("0"+n.toString(16).toUpperCase()).slice(-2))}for(let n=0;n<e.length;n++)t[e.charCodeAt(n)]=e[n];return t}function sc(e,t,n){typeof t!="string"&&(n=t,t=sc.defaultChars),typeof n>"u"&&(n=!0);const r=wD(t);let a="";for(let o=0,l=e.length;o<l;o++){const u=e.charCodeAt(o);if(n&&u===37&&o+2<l&&/^[0-9a-f]{2}$/i.test(e.slice(o+1,o+3))){a+=e.slice(o,o+3),o+=2;continue}if(u<128){a+=r[u];continue}if(u>=55296&&u<=57343){if(u>=55296&&u<=56319&&o+1<l){const c=e.charCodeAt(o+1);if(c>=56320&&c<=57343){a+=encodeURIComponent(e[o]+e[o+1]),o++;continue}}a+="%EF%BF%BD";continue}a+=encodeURIComponent(e[o])}return a}sc.defaultChars=";/?:@&=+$,-_.!~*'()#";sc.componentChars="-_.!~*'()";function eE(e){let t="";return t+=e.protocol||"",t+=e.slashes?"//":"",t+=e.auth?e.auth+"@":"",e.hostname&&e.hostname.indexOf(":")!==-1?t+="["+e.hostname+"]":t+=e.hostname||"",t+=e.port?":"+e.port:"",t+=e.pathname||"",t+=e.search||"",t+=e.hash||"",t}function gd(){this.protocol=null,this.slashes=null,this.auth=null,this.port=null,this.hostname=null,this.hash=null,this.search=null,this.pathname=null}const LD=/^([a-z0-9.+-]+:)/i,MD=/:[0-9]*$/,kD=/^(\/\/?(?!\/)[^\?\s]*)(\?[^\s]*)?$/,PD=["<",">",'"',"`"," ","\r",`
-`,"	"],FD=["{","}","|","\\","^","`"].concat(PD),BD=["'"].concat(FD),qb=["%","/","?",";","#"].concat(BD),Yb=["/","?","#"],UD=255,Wb=/^[+a-z0-9A-Z_-]{0,63}$/,GD=/^([+a-z0-9A-Z_-]{0,63})(.*)$/,Vb={javascript:!0,"javascript:":!0},zb={http:!0,https:!0,ftp:!0,gopher:!0,file:!0,"http:":!0,"https:":!0,"ftp:":!0,"gopher:":!0,"file:":!0};function tE(e,t){if(e&&e instanceof gd)return e;const n=new gd;return n.parse(e,t),n}gd.prototype.parse=function(e,t){let n,r,a,o=e;if(o=o.trim(),!t&&e.split("#").length===1){const d=kD.exec(o);if(d)return this.pathname=d[1],d[2]&&(this.search=d[2]),this}let l=LD.exec(o);if(l&&(l=l[0],n=l.toLowerCase(),this.protocol=l,o=o.substr(l.length)),(t||l||o.match(/^\/\/[^@\/]+@[^@\/]+/))&&(a=o.substr(0,2)==="//",a&&!(l&&Vb[l])&&(o=o.substr(2),this.slashes=!0)),!Vb[l]&&(a||l&&!zb[l])){let d=-1;for(let y=0;y<Yb.length;y++)r=o.indexOf(Yb[y]),r!==-1&&(d===-1||r<d)&&(d=r);let S,_;d===-1?_=o.lastIndexOf("@"):_=o.lastIndexOf("@",d),_!==-1&&(S=o.slice(0,_),o=o.slice(_+1),this.auth=S),d=-1;for(let y=0;y<qb.length;y++)r=o.indexOf(qb[y]),r!==-1&&(d===-1||r<d)&&(d=r);d===-1&&(d=o.length),o[d-1]===":"&&d--;const E=o.slice(0,d);o=o.slice(d),this.parseHost(E),this.hostname=this.hostname||"";const T=this.hostname[0]==="["&&this.hostname[this.hostname.length-1]==="]";if(!T){const y=this.hostname.split(/\./);for(let M=0,v=y.length;M<v;M++){const A=y[M];if(!!A&&!A.match(Wb)){let O="";for(let N=0,R=A.length;N<R;N++)A.charCodeAt(N)>127?O+="x":O+=A[N];if(!O.match(Wb)){const N=y.slice(0,M),R=y.slice(M+1),L=A.match(GD);L&&(N.push(L[1]),R.unshift(L[2])),R.length&&(o=R.join(".")+o),this.hostname=N.join(".");break}}}}this.hostname.length>UD&&(this.hostname=""),T&&(this.hostname=this.hostname.substr(1,this.hostname.length-2))}const u=o.indexOf("#");u!==-1&&(this.hash=o.substr(u),o=o.slice(0,u));const c=o.indexOf("?");return c!==-1&&(this.search=o.substr(c),o=o.slice(0,c)),o&&(this.pathname=o),zb[n]&&this.hostname&&!this.pathname&&(this.pathname=""),this};gd.prototype.parseHost=function(e){let t=MD.exec(e);t&&(t=t[0],t!==":"&&(this.port=t.substr(1)),e=e.substr(0,e.length-t.length)),e&&(this.hostname=e)};const HD=Object.freeze(Object.defineProperty({__proto__:null,decode:kl,encode:sc,format:eE,parse:tE},Symbol.toStringTag,{value:"Module"})),rA=/[\0-\uD7FF\uE000-\uFFFF]|[\uD800-\uDBFF][\uDC00-\uDFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]/,iA=/[\0-\x1F\x7F-\x9F]/,qD=/[\xAD\u0600-\u0605\u061C\u06DD\u070F\u0890\u0891\u08E2\u180E\u200B-\u200F\u202A-\u202E\u2060-\u2064\u2066-\u206F\uFEFF\uFFF9-\uFFFB]|\uD804[\uDCBD\uDCCD]|\uD80D[\uDC30-\uDC3F]|\uD82F[\uDCA0-\uDCA3]|\uD834[\uDD73-\uDD7A]|\uDB40[\uDC01\uDC20-\uDC7F]/,nE=/[!-#%-\*,-\/:;\?@\[-\]_\{\}\xA1\xA7\xAB\xB6\xB7\xBB\xBF\u037E\u0387\u055A-\u055F\u0589\u058A\u05BE\u05C0\u05C3\u05C6\u05F3\u05F4\u0609\u060A\u060C\u060D\u061B\u061D-\u061F\u066A-\u066D\u06D4\u0700-\u070D\u07F7-\u07F9\u0830-\u083E\u085E\u0964\u0965\u0970\u09FD\u0A76\u0AF0\u0C77\u0C84\u0DF4\u0E4F\u0E5A\u0E5B\u0F04-\u0F12\u0F14\u0F3A-\u0F3D\u0F85\u0FD0-\u0FD4\u0FD9\u0FDA\u104A-\u104F\u10FB\u1360-\u1368\u1400\u166E\u169B\u169C\u16EB-\u16ED\u1735\u1736\u17D4-\u17D6\u17D8-\u17DA\u1800-\u180A\u1944\u1945\u1A1E\u1A1F\u1AA0-\u1AA6\u1AA8-\u1AAD\u1B5A-\u1B60\u1B7D\u1B7E\u1BFC-\u1BFF\u1C3B-\u1C3F\u1C7E\u1C7F\u1CC0-\u1CC7\u1CD3\u2010-\u2027\u2030-\u2043\u2045-\u2051\u2053-\u205E\u207D\u207E\u208D\u208E\u2308-\u230B\u2329\u232A\u2768-\u2775\u27C5\u27C6\u27E6-\u27EF\u2983-\u2998\u29D8-\u29DB\u29FC\u29FD\u2CF9-\u2CFC\u2CFE\u2CFF\u2D70\u2E00-\u2E2E\u2E30-\u2E4F\u2E52-\u2E5D\u3001-\u3003\u3008-\u3011\u3014-\u301F\u3030\u303D\u30A0\u30FB\uA4FE\uA4FF\uA60D-\uA60F\uA673\uA67E\uA6F2-\uA6F7\uA874-\uA877\uA8CE\uA8CF\uA8F8-\uA8FA\uA8FC\uA92E\uA92F\uA95F\uA9C1-\uA9CD\uA9DE\uA9DF\uAA5C-\uAA5F\uAADE\uAADF\uAAF0\uAAF1\uABEB\uFD3E\uFD3F\uFE10-\uFE19\uFE30-\uFE52\uFE54-\uFE61\uFE63\uFE68\uFE6A\uFE6B\uFF01-\uFF03\uFF05-\uFF0A\uFF0C-\uFF0F\uFF1A\uFF1B\uFF1F\uFF20\uFF3B-\uFF3D\uFF3F\uFF5B\uFF5D\uFF5F-\uFF65]|\uD800[\uDD00-\uDD02\uDF9F\uDFD0]|\uD801\uDD6F|\uD802[\uDC57\uDD1F\uDD3F\uDE50-\uDE58\uDE7F\uDEF0-\uDEF6\uDF39-\uDF3F\uDF99-\uDF9C]|\uD803[\uDEAD\uDF55-\uDF59\uDF86-\uDF89]|\uD804[\uDC47-\uDC4D\uDCBB\uDCBC\uDCBE-\uDCC1\uDD40-\uDD43\uDD74\uDD75\uDDC5-\uDDC8\uDDCD\uDDDB\uDDDD-\uDDDF\uDE38-\uDE3D\uDEA9]|\uD805[\uDC4B-\uDC4F\uDC5A\uDC5B\uDC5D\uDCC6\uDDC1-\uDDD7\uDE41-\uDE43\uDE60-\uDE6C\uDEB9\uDF3C-\uDF3E]|\uD806[\uDC3B\uDD44-\uDD46\uDDE2\uDE3F-\uDE46\uDE9A-\uDE9C\uDE9E-\uDEA2\uDF00-\uDF09]|\uD807[\uDC41-\uDC45\uDC70\uDC71\uDEF7\uDEF8\uDF43-\uDF4F\uDFFF]|\uD809[\uDC70-\uDC74]|\uD80B[\uDFF1\uDFF2]|\uD81A[\uDE6E\uDE6F\uDEF5\uDF37-\uDF3B\uDF44]|\uD81B[\uDE97-\uDE9A\uDFE2]|\uD82F\uDC9F|\uD836[\uDE87-\uDE8B]|\uD83A[\uDD5E\uDD5F]/,aA=/[ \xA0\u1680\u2000-\u200A\u2028\u2029\u202F\u205F\u3000]/,YD=Object.freeze(Object.defineProperty({__proto__:null,Any:rA,Cc:iA,Cf:qD,P:nE,Z:aA},Symbol.toStringTag,{value:"Module"})),WD=new Uint16Array('\u1D41<\xD5\u0131\u028A\u049D\u057B\u05D0\u0675\u06DE\u07A2\u07D6\u080F\u0A4A\u0A91\u0DA1\u0E6D\u0F09\u0F26\u10CA\u1228\u12E1\u1415\u149D\u14C3\u14DF\u1525\0\0\0\0\0\0\u156B\u16CD\u198D\u1C12\u1DDD\u1F7E\u2060\u21B0\u228D\u23C0\u23FB\u2442\u2824\u2912\u2D08\u2E48\u2FCE\u3016\u32BA\u3639\u37AC\u38FE\u3A28\u3A71\u3AE0\u3B2E\u0800EMabcfglmnoprstu\\bfms\x7F\x84\x8B\x90\x95\x98\xA6\xB3\xB9\xC8\xCFlig\u803B\xC6\u40C6P\u803B&\u4026cute\u803B\xC1\u40C1reve;\u4102\u0100iyx}rc\u803B\xC2\u40C2;\u4410r;\uC000\u{1D504}rave\u803B\xC0\u40C0pha;\u4391acr;\u4100d;\u6A53\u0100gp\x9D\xA1on;\u4104f;\uC000\u{1D538}plyFunction;\u6061ing\u803B\xC5\u40C5\u0100cs\xBE\xC3r;\uC000\u{1D49C}ign;\u6254ilde\u803B\xC3\u40C3ml\u803B\xC4\u40C4\u0400aceforsu\xE5\xFB\xFE\u0117\u011C\u0122\u0127\u012A\u0100cr\xEA\xF2kslash;\u6216\u0176\xF6\xF8;\u6AE7ed;\u6306y;\u4411\u0180crt\u0105\u010B\u0114ause;\u6235noullis;\u612Ca;\u4392r;\uC000\u{1D505}pf;\uC000\u{1D539}eve;\u42D8c\xF2\u0113mpeq;\u624E\u0700HOacdefhilorsu\u014D\u0151\u0156\u0180\u019E\u01A2\u01B5\u01B7\u01BA\u01DC\u0215\u0273\u0278\u027Ecy;\u4427PY\u803B\xA9\u40A9\u0180cpy\u015D\u0162\u017Aute;\u4106\u0100;i\u0167\u0168\u62D2talDifferentialD;\u6145leys;\u612D\u0200aeio\u0189\u018E\u0194\u0198ron;\u410Cdil\u803B\xC7\u40C7rc;\u4108nint;\u6230ot;\u410A\u0100dn\u01A7\u01ADilla;\u40B8terDot;\u40B7\xF2\u017Fi;\u43A7rcle\u0200DMPT\u01C7\u01CB\u01D1\u01D6ot;\u6299inus;\u6296lus;\u6295imes;\u6297o\u0100cs\u01E2\u01F8kwiseContourIntegral;\u6232eCurly\u0100DQ\u0203\u020FoubleQuote;\u601Duote;\u6019\u0200lnpu\u021E\u0228\u0247\u0255on\u0100;e\u0225\u0226\u6237;\u6A74\u0180git\u022F\u0236\u023Aruent;\u6261nt;\u622FourIntegral;\u622E\u0100fr\u024C\u024E;\u6102oduct;\u6210nterClockwiseContourIntegral;\u6233oss;\u6A2Fcr;\uC000\u{1D49E}p\u0100;C\u0284\u0285\u62D3ap;\u624D\u0580DJSZacefios\u02A0\u02AC\u02B0\u02B4\u02B8\u02CB\u02D7\u02E1\u02E6\u0333\u048D\u0100;o\u0179\u02A5trahd;\u6911cy;\u4402cy;\u4405cy;\u440F\u0180grs\u02BF\u02C4\u02C7ger;\u6021r;\u61A1hv;\u6AE4\u0100ay\u02D0\u02D5ron;\u410E;\u4414l\u0100;t\u02DD\u02DE\u6207a;\u4394r;\uC000\u{1D507}\u0100af\u02EB\u0327\u0100cm\u02F0\u0322ritical\u0200ADGT\u0300\u0306\u0316\u031Ccute;\u40B4o\u0174\u030B\u030D;\u42D9bleAcute;\u42DDrave;\u4060ilde;\u42DCond;\u62C4ferentialD;\u6146\u0470\u033D\0\0\0\u0342\u0354\0\u0405f;\uC000\u{1D53B}\u0180;DE\u0348\u0349\u034D\u40A8ot;\u60DCqual;\u6250ble\u0300CDLRUV\u0363\u0372\u0382\u03CF\u03E2\u03F8ontourIntegra\xEC\u0239o\u0274\u0379\0\0\u037B\xBB\u0349nArrow;\u61D3\u0100eo\u0387\u03A4ft\u0180ART\u0390\u0396\u03A1rrow;\u61D0ightArrow;\u61D4e\xE5\u02CAng\u0100LR\u03AB\u03C4eft\u0100AR\u03B3\u03B9rrow;\u67F8ightArrow;\u67FAightArrow;\u67F9ight\u0100AT\u03D8\u03DErrow;\u61D2ee;\u62A8p\u0241\u03E9\0\0\u03EFrrow;\u61D1ownArrow;\u61D5erticalBar;\u6225n\u0300ABLRTa\u0412\u042A\u0430\u045E\u047F\u037Crrow\u0180;BU\u041D\u041E\u0422\u6193ar;\u6913pArrow;\u61F5reve;\u4311eft\u02D2\u043A\0\u0446\0\u0450ightVector;\u6950eeVector;\u695Eector\u0100;B\u0459\u045A\u61BDar;\u6956ight\u01D4\u0467\0\u0471eeVector;\u695Fector\u0100;B\u047A\u047B\u61C1ar;\u6957ee\u0100;A\u0486\u0487\u62A4rrow;\u61A7\u0100ct\u0492\u0497r;\uC000\u{1D49F}rok;\u4110\u0800NTacdfglmopqstux\u04BD\u04C0\u04C4\u04CB\u04DE\u04E2\u04E7\u04EE\u04F5\u0521\u052F\u0536\u0552\u055D\u0560\u0565G;\u414AH\u803B\xD0\u40D0cute\u803B\xC9\u40C9\u0180aiy\u04D2\u04D7\u04DCron;\u411Arc\u803B\xCA\u40CA;\u442Dot;\u4116r;\uC000\u{1D508}rave\u803B\xC8\u40C8ement;\u6208\u0100ap\u04FA\u04FEcr;\u4112ty\u0253\u0506\0\0\u0512mallSquare;\u65FBerySmallSquare;\u65AB\u0100gp\u0526\u052Aon;\u4118f;\uC000\u{1D53C}silon;\u4395u\u0100ai\u053C\u0549l\u0100;T\u0542\u0543\u6A75ilde;\u6242librium;\u61CC\u0100ci\u0557\u055Ar;\u6130m;\u6A73a;\u4397ml\u803B\xCB\u40CB\u0100ip\u056A\u056Fsts;\u6203onentialE;\u6147\u0280cfios\u0585\u0588\u058D\u05B2\u05CCy;\u4424r;\uC000\u{1D509}lled\u0253\u0597\0\0\u05A3mallSquare;\u65FCerySmallSquare;\u65AA\u0370\u05BA\0\u05BF\0\0\u05C4f;\uC000\u{1D53D}All;\u6200riertrf;\u6131c\xF2\u05CB\u0600JTabcdfgorst\u05E8\u05EC\u05EF\u05FA\u0600\u0612\u0616\u061B\u061D\u0623\u066C\u0672cy;\u4403\u803B>\u403Emma\u0100;d\u05F7\u05F8\u4393;\u43DCreve;\u411E\u0180eiy\u0607\u060C\u0610dil;\u4122rc;\u411C;\u4413ot;\u4120r;\uC000\u{1D50A};\u62D9pf;\uC000\u{1D53E}eater\u0300EFGLST\u0635\u0644\u064E\u0656\u065B\u0666qual\u0100;L\u063E\u063F\u6265ess;\u62DBullEqual;\u6267reater;\u6AA2ess;\u6277lantEqual;\u6A7Eilde;\u6273cr;\uC000\u{1D4A2};\u626B\u0400Aacfiosu\u0685\u068B\u0696\u069B\u069E\u06AA\u06BE\u06CARDcy;\u442A\u0100ct\u0690\u0694ek;\u42C7;\u405Eirc;\u4124r;\u610ClbertSpace;\u610B\u01F0\u06AF\0\u06B2f;\u610DizontalLine;\u6500\u0100ct\u06C3\u06C5\xF2\u06A9rok;\u4126mp\u0144\u06D0\u06D8ownHum\xF0\u012Fqual;\u624F\u0700EJOacdfgmnostu\u06FA\u06FE\u0703\u0707\u070E\u071A\u071E\u0721\u0728\u0744\u0778\u078B\u078F\u0795cy;\u4415lig;\u4132cy;\u4401cute\u803B\xCD\u40CD\u0100iy\u0713\u0718rc\u803B\xCE\u40CE;\u4418ot;\u4130r;\u6111rave\u803B\xCC\u40CC\u0180;ap\u0720\u072F\u073F\u0100cg\u0734\u0737r;\u412AinaryI;\u6148lie\xF3\u03DD\u01F4\u0749\0\u0762\u0100;e\u074D\u074E\u622C\u0100gr\u0753\u0758ral;\u622Bsection;\u62C2isible\u0100CT\u076C\u0772omma;\u6063imes;\u6062\u0180gpt\u077F\u0783\u0788on;\u412Ef;\uC000\u{1D540}a;\u4399cr;\u6110ilde;\u4128\u01EB\u079A\0\u079Ecy;\u4406l\u803B\xCF\u40CF\u0280cfosu\u07AC\u07B7\u07BC\u07C2\u07D0\u0100iy\u07B1\u07B5rc;\u4134;\u4419r;\uC000\u{1D50D}pf;\uC000\u{1D541}\u01E3\u07C7\0\u07CCr;\uC000\u{1D4A5}rcy;\u4408kcy;\u4404\u0380HJacfos\u07E4\u07E8\u07EC\u07F1\u07FD\u0802\u0808cy;\u4425cy;\u440Cppa;\u439A\u0100ey\u07F6\u07FBdil;\u4136;\u441Ar;\uC000\u{1D50E}pf;\uC000\u{1D542}cr;\uC000\u{1D4A6}\u0580JTaceflmost\u0825\u0829\u082C\u0850\u0863\u09B3\u09B8\u09C7\u09CD\u0A37\u0A47cy;\u4409\u803B<\u403C\u0280cmnpr\u0837\u083C\u0841\u0844\u084Dute;\u4139bda;\u439Bg;\u67EAlacetrf;\u6112r;\u619E\u0180aey\u0857\u085C\u0861ron;\u413Ddil;\u413B;\u441B\u0100fs\u0868\u0970t\u0500ACDFRTUVar\u087E\u08A9\u08B1\u08E0\u08E6\u08FC\u092F\u095B\u0390\u096A\u0100nr\u0883\u088FgleBracket;\u67E8row\u0180;BR\u0899\u089A\u089E\u6190ar;\u61E4ightArrow;\u61C6eiling;\u6308o\u01F5\u08B7\0\u08C3bleBracket;\u67E6n\u01D4\u08C8\0\u08D2eeVector;\u6961ector\u0100;B\u08DB\u08DC\u61C3ar;\u6959loor;\u630Aight\u0100AV\u08EF\u08F5rrow;\u6194ector;\u694E\u0100er\u0901\u0917e\u0180;AV\u0909\u090A\u0910\u62A3rrow;\u61A4ector;\u695Aiangle\u0180;BE\u0924\u0925\u0929\u62B2ar;\u69CFqual;\u62B4p\u0180DTV\u0937\u0942\u094CownVector;\u6951eeVector;\u6960ector\u0100;B\u0956\u0957\u61BFar;\u6958ector\u0100;B\u0965\u0966\u61BCar;\u6952ight\xE1\u039Cs\u0300EFGLST\u097E\u098B\u0995\u099D\u09A2\u09ADqualGreater;\u62DAullEqual;\u6266reater;\u6276ess;\u6AA1lantEqual;\u6A7Dilde;\u6272r;\uC000\u{1D50F}\u0100;e\u09BD\u09BE\u62D8ftarrow;\u61DAidot;\u413F\u0180npw\u09D4\u0A16\u0A1Bg\u0200LRlr\u09DE\u09F7\u0A02\u0A10eft\u0100AR\u09E6\u09ECrrow;\u67F5ightArrow;\u67F7ightArrow;\u67F6eft\u0100ar\u03B3\u0A0Aight\xE1\u03BFight\xE1\u03CAf;\uC000\u{1D543}er\u0100LR\u0A22\u0A2CeftArrow;\u6199ightArrow;\u6198\u0180cht\u0A3E\u0A40\u0A42\xF2\u084C;\u61B0rok;\u4141;\u626A\u0400acefiosu\u0A5A\u0A5D\u0A60\u0A77\u0A7C\u0A85\u0A8B\u0A8Ep;\u6905y;\u441C\u0100dl\u0A65\u0A6FiumSpace;\u605Flintrf;\u6133r;\uC000\u{1D510}nusPlus;\u6213pf;\uC000\u{1D544}c\xF2\u0A76;\u439C\u0480Jacefostu\u0AA3\u0AA7\u0AAD\u0AC0\u0B14\u0B19\u0D91\u0D97\u0D9Ecy;\u440Acute;\u4143\u0180aey\u0AB4\u0AB9\u0ABEron;\u4147dil;\u4145;\u441D\u0180gsw\u0AC7\u0AF0\u0B0Eative\u0180MTV\u0AD3\u0ADF\u0AE8ediumSpace;\u600Bhi\u0100cn\u0AE6\u0AD8\xEB\u0AD9eryThi\xEE\u0AD9ted\u0100GL\u0AF8\u0B06reaterGreate\xF2\u0673essLes\xF3\u0A48Line;\u400Ar;\uC000\u{1D511}\u0200Bnpt\u0B22\u0B28\u0B37\u0B3Areak;\u6060BreakingSpace;\u40A0f;\u6115\u0680;CDEGHLNPRSTV\u0B55\u0B56\u0B6A\u0B7C\u0BA1\u0BEB\u0C04\u0C5E\u0C84\u0CA6\u0CD8\u0D61\u0D85\u6AEC\u0100ou\u0B5B\u0B64ngruent;\u6262pCap;\u626DoubleVerticalBar;\u6226\u0180lqx\u0B83\u0B8A\u0B9Bement;\u6209ual\u0100;T\u0B92\u0B93\u6260ilde;\uC000\u2242\u0338ists;\u6204reater\u0380;EFGLST\u0BB6\u0BB7\u0BBD\u0BC9\u0BD3\u0BD8\u0BE5\u626Fqual;\u6271ullEqual;\uC000\u2267\u0338reater;\uC000\u226B\u0338ess;\u6279lantEqual;\uC000\u2A7E\u0338ilde;\u6275ump\u0144\u0BF2\u0BFDownHump;\uC000\u224E\u0338qual;\uC000\u224F\u0338e\u0100fs\u0C0A\u0C27tTriangle\u0180;BE\u0C1A\u0C1B\u0C21\u62EAar;\uC000\u29CF\u0338qual;\u62ECs\u0300;EGLST\u0C35\u0C36\u0C3C\u0C44\u0C4B\u0C58\u626Equal;\u6270reater;\u6278ess;\uC000\u226A\u0338lantEqual;\uC000\u2A7D\u0338ilde;\u6274ested\u0100GL\u0C68\u0C79reaterGreater;\uC000\u2AA2\u0338essLess;\uC000\u2AA1\u0338recedes\u0180;ES\u0C92\u0C93\u0C9B\u6280qual;\uC000\u2AAF\u0338lantEqual;\u62E0\u0100ei\u0CAB\u0CB9verseElement;\u620CghtTriangle\u0180;BE\u0CCB\u0CCC\u0CD2\u62EBar;\uC000\u29D0\u0338qual;\u62ED\u0100qu\u0CDD\u0D0CuareSu\u0100bp\u0CE8\u0CF9set\u0100;E\u0CF0\u0CF3\uC000\u228F\u0338qual;\u62E2erset\u0100;E\u0D03\u0D06\uC000\u2290\u0338qual;\u62E3\u0180bcp\u0D13\u0D24\u0D4Eset\u0100;E\u0D1B\u0D1E\uC000\u2282\u20D2qual;\u6288ceeds\u0200;EST\u0D32\u0D33\u0D3B\u0D46\u6281qual;\uC000\u2AB0\u0338lantEqual;\u62E1ilde;\uC000\u227F\u0338erset\u0100;E\u0D58\u0D5B\uC000\u2283\u20D2qual;\u6289ilde\u0200;EFT\u0D6E\u0D6F\u0D75\u0D7F\u6241qual;\u6244ullEqual;\u6247ilde;\u6249erticalBar;\u6224cr;\uC000\u{1D4A9}ilde\u803B\xD1\u40D1;\u439D\u0700Eacdfgmoprstuv\u0DBD\u0DC2\u0DC9\u0DD5\u0DDB\u0DE0\u0DE7\u0DFC\u0E02\u0E20\u0E22\u0E32\u0E3F\u0E44lig;\u4152cute\u803B\xD3\u40D3\u0100iy\u0DCE\u0DD3rc\u803B\xD4\u40D4;\u441Eblac;\u4150r;\uC000\u{1D512}rave\u803B\xD2\u40D2\u0180aei\u0DEE\u0DF2\u0DF6cr;\u414Cga;\u43A9cron;\u439Fpf;\uC000\u{1D546}enCurly\u0100DQ\u0E0E\u0E1AoubleQuote;\u601Cuote;\u6018;\u6A54\u0100cl\u0E27\u0E2Cr;\uC000\u{1D4AA}ash\u803B\xD8\u40D8i\u016C\u0E37\u0E3Cde\u803B\xD5\u40D5es;\u6A37ml\u803B\xD6\u40D6er\u0100BP\u0E4B\u0E60\u0100ar\u0E50\u0E53r;\u603Eac\u0100ek\u0E5A\u0E5C;\u63DEet;\u63B4arenthesis;\u63DC\u0480acfhilors\u0E7F\u0E87\u0E8A\u0E8F\u0E92\u0E94\u0E9D\u0EB0\u0EFCrtialD;\u6202y;\u441Fr;\uC000\u{1D513}i;\u43A6;\u43A0usMinus;\u40B1\u0100ip\u0EA2\u0EADncareplan\xE5\u069Df;\u6119\u0200;eio\u0EB9\u0EBA\u0EE0\u0EE4\u6ABBcedes\u0200;EST\u0EC8\u0EC9\u0ECF\u0EDA\u627Aqual;\u6AAFlantEqual;\u627Cilde;\u627Eme;\u6033\u0100dp\u0EE9\u0EEEuct;\u620Fortion\u0100;a\u0225\u0EF9l;\u621D\u0100ci\u0F01\u0F06r;\uC000\u{1D4AB};\u43A8\u0200Ufos\u0F11\u0F16\u0F1B\u0F1FOT\u803B"\u4022r;\uC000\u{1D514}pf;\u611Acr;\uC000\u{1D4AC}\u0600BEacefhiorsu\u0F3E\u0F43\u0F47\u0F60\u0F73\u0FA7\u0FAA\u0FAD\u1096\u10A9\u10B4\u10BEarr;\u6910G\u803B\xAE\u40AE\u0180cnr\u0F4E\u0F53\u0F56ute;\u4154g;\u67EBr\u0100;t\u0F5C\u0F5D\u61A0l;\u6916\u0180aey\u0F67\u0F6C\u0F71ron;\u4158dil;\u4156;\u4420\u0100;v\u0F78\u0F79\u611Cerse\u0100EU\u0F82\u0F99\u0100lq\u0F87\u0F8Eement;\u620Builibrium;\u61CBpEquilibrium;\u696Fr\xBB\u0F79o;\u43A1ght\u0400ACDFTUVa\u0FC1\u0FEB\u0FF3\u1022\u1028\u105B\u1087\u03D8\u0100nr\u0FC6\u0FD2gleBracket;\u67E9row\u0180;BL\u0FDC\u0FDD\u0FE1\u6192ar;\u61E5eftArrow;\u61C4eiling;\u6309o\u01F5\u0FF9\0\u1005bleBracket;\u67E7n\u01D4\u100A\0\u1014eeVector;\u695Dector\u0100;B\u101D\u101E\u61C2ar;\u6955loor;\u630B\u0100er\u102D\u1043e\u0180;AV\u1035\u1036\u103C\u62A2rrow;\u61A6ector;\u695Biangle\u0180;BE\u1050\u1051\u1055\u62B3ar;\u69D0qual;\u62B5p\u0180DTV\u1063\u106E\u1078ownVector;\u694FeeVector;\u695Cector\u0100;B\u1082\u1083\u61BEar;\u6954ector\u0100;B\u1091\u1092\u61C0ar;\u6953\u0100pu\u109B\u109Ef;\u611DndImplies;\u6970ightarrow;\u61DB\u0100ch\u10B9\u10BCr;\u611B;\u61B1leDelayed;\u69F4\u0680HOacfhimoqstu\u10E4\u10F1\u10F7\u10FD\u1119\u111E\u1151\u1156\u1161\u1167\u11B5\u11BB\u11BF\u0100Cc\u10E9\u10EEHcy;\u4429y;\u4428FTcy;\u442Ccute;\u415A\u0280;aeiy\u1108\u1109\u110E\u1113\u1117\u6ABCron;\u4160dil;\u415Erc;\u415C;\u4421r;\uC000\u{1D516}ort\u0200DLRU\u112A\u1134\u113E\u1149ownArrow\xBB\u041EeftArrow\xBB\u089AightArrow\xBB\u0FDDpArrow;\u6191gma;\u43A3allCircle;\u6218pf;\uC000\u{1D54A}\u0272\u116D\0\0\u1170t;\u621Aare\u0200;ISU\u117B\u117C\u1189\u11AF\u65A1ntersection;\u6293u\u0100bp\u118F\u119Eset\u0100;E\u1197\u1198\u628Fqual;\u6291erset\u0100;E\u11A8\u11A9\u6290qual;\u6292nion;\u6294cr;\uC000\u{1D4AE}ar;\u62C6\u0200bcmp\u11C8\u11DB\u1209\u120B\u0100;s\u11CD\u11CE\u62D0et\u0100;E\u11CD\u11D5qual;\u6286\u0100ch\u11E0\u1205eeds\u0200;EST\u11ED\u11EE\u11F4\u11FF\u627Bqual;\u6AB0lantEqual;\u627Dilde;\u627FTh\xE1\u0F8C;\u6211\u0180;es\u1212\u1213\u1223\u62D1rset\u0100;E\u121C\u121D\u6283qual;\u6287et\xBB\u1213\u0580HRSacfhiors\u123E\u1244\u1249\u1255\u125E\u1271\u1276\u129F\u12C2\u12C8\u12D1ORN\u803B\xDE\u40DEADE;\u6122\u0100Hc\u124E\u1252cy;\u440By;\u4426\u0100bu\u125A\u125C;\u4009;\u43A4\u0180aey\u1265\u126A\u126Fron;\u4164dil;\u4162;\u4422r;\uC000\u{1D517}\u0100ei\u127B\u1289\u01F2\u1280\0\u1287efore;\u6234a;\u4398\u0100cn\u128E\u1298kSpace;\uC000\u205F\u200ASpace;\u6009lde\u0200;EFT\u12AB\u12AC\u12B2\u12BC\u623Cqual;\u6243ullEqual;\u6245ilde;\u6248pf;\uC000\u{1D54B}ipleDot;\u60DB\u0100ct\u12D6\u12DBr;\uC000\u{1D4AF}rok;\u4166\u0AE1\u12F7\u130E\u131A\u1326\0\u132C\u1331\0\0\0\0\0\u1338\u133D\u1377\u1385\0\u13FF\u1404\u140A\u1410\u0100cr\u12FB\u1301ute\u803B\xDA\u40DAr\u0100;o\u1307\u1308\u619Fcir;\u6949r\u01E3\u1313\0\u1316y;\u440Eve;\u416C\u0100iy\u131E\u1323rc\u803B\xDB\u40DB;\u4423blac;\u4170r;\uC000\u{1D518}rave\u803B\xD9\u40D9acr;\u416A\u0100di\u1341\u1369er\u0100BP\u1348\u135D\u0100ar\u134D\u1350r;\u405Fac\u0100ek\u1357\u1359;\u63DFet;\u63B5arenthesis;\u63DDon\u0100;P\u1370\u1371\u62C3lus;\u628E\u0100gp\u137B\u137Fon;\u4172f;\uC000\u{1D54C}\u0400ADETadps\u1395\u13AE\u13B8\u13C4\u03E8\u13D2\u13D7\u13F3rrow\u0180;BD\u1150\u13A0\u13A4ar;\u6912ownArrow;\u61C5ownArrow;\u6195quilibrium;\u696Eee\u0100;A\u13CB\u13CC\u62A5rrow;\u61A5own\xE1\u03F3er\u0100LR\u13DE\u13E8eftArrow;\u6196ightArrow;\u6197i\u0100;l\u13F9\u13FA\u43D2on;\u43A5ing;\u416Ecr;\uC000\u{1D4B0}ilde;\u4168ml\u803B\xDC\u40DC\u0480Dbcdefosv\u1427\u142C\u1430\u1433\u143E\u1485\u148A\u1490\u1496ash;\u62ABar;\u6AEBy;\u4412ash\u0100;l\u143B\u143C\u62A9;\u6AE6\u0100er\u1443\u1445;\u62C1\u0180bty\u144C\u1450\u147Aar;\u6016\u0100;i\u144F\u1455cal\u0200BLST\u1461\u1465\u146A\u1474ar;\u6223ine;\u407Ceparator;\u6758ilde;\u6240ThinSpace;\u600Ar;\uC000\u{1D519}pf;\uC000\u{1D54D}cr;\uC000\u{1D4B1}dash;\u62AA\u0280cefos\u14A7\u14AC\u14B1\u14B6\u14BCirc;\u4174dge;\u62C0r;\uC000\u{1D51A}pf;\uC000\u{1D54E}cr;\uC000\u{1D4B2}\u0200fios\u14CB\u14D0\u14D2\u14D8r;\uC000\u{1D51B};\u439Epf;\uC000\u{1D54F}cr;\uC000\u{1D4B3}\u0480AIUacfosu\u14F1\u14F5\u14F9\u14FD\u1504\u150F\u1514\u151A\u1520cy;\u442Fcy;\u4407cy;\u442Ecute\u803B\xDD\u40DD\u0100iy\u1509\u150Drc;\u4176;\u442Br;\uC000\u{1D51C}pf;\uC000\u{1D550}cr;\uC000\u{1D4B4}ml;\u4178\u0400Hacdefos\u1535\u1539\u153F\u154B\u154F\u155D\u1560\u1564cy;\u4416cute;\u4179\u0100ay\u1544\u1549ron;\u417D;\u4417ot;\u417B\u01F2\u1554\0\u155BoWidt\xE8\u0AD9a;\u4396r;\u6128pf;\u6124cr;\uC000\u{1D4B5}\u0BE1\u1583\u158A\u1590\0\u15B0\u15B6\u15BF\0\0\0\0\u15C6\u15DB\u15EB\u165F\u166D\0\u1695\u169B\u16B2\u16B9\0\u16BEcute\u803B\xE1\u40E1reve;\u4103\u0300;Ediuy\u159C\u159D\u15A1\u15A3\u15A8\u15AD\u623E;\uC000\u223E\u0333;\u623Frc\u803B\xE2\u40E2te\u80BB\xB4\u0306;\u4430lig\u803B\xE6\u40E6\u0100;r\xB2\u15BA;\uC000\u{1D51E}rave\u803B\xE0\u40E0\u0100ep\u15CA\u15D6\u0100fp\u15CF\u15D4sym;\u6135\xE8\u15D3ha;\u43B1\u0100ap\u15DFc\u0100cl\u15E4\u15E7r;\u4101g;\u6A3F\u0264\u15F0\0\0\u160A\u0280;adsv\u15FA\u15FB\u15FF\u1601\u1607\u6227nd;\u6A55;\u6A5Clope;\u6A58;\u6A5A\u0380;elmrsz\u1618\u1619\u161B\u161E\u163F\u164F\u1659\u6220;\u69A4e\xBB\u1619sd\u0100;a\u1625\u1626\u6221\u0461\u1630\u1632\u1634\u1636\u1638\u163A\u163C\u163E;\u69A8;\u69A9;\u69AA;\u69AB;\u69AC;\u69AD;\u69AE;\u69AFt\u0100;v\u1645\u1646\u621Fb\u0100;d\u164C\u164D\u62BE;\u699D\u0100pt\u1654\u1657h;\u6222\xBB\xB9arr;\u637C\u0100gp\u1663\u1667on;\u4105f;\uC000\u{1D552}\u0380;Eaeiop\u12C1\u167B\u167D\u1682\u1684\u1687\u168A;\u6A70cir;\u6A6F;\u624Ad;\u624Bs;\u4027rox\u0100;e\u12C1\u1692\xF1\u1683ing\u803B\xE5\u40E5\u0180cty\u16A1\u16A6\u16A8r;\uC000\u{1D4B6};\u402Amp\u0100;e\u12C1\u16AF\xF1\u0288ilde\u803B\xE3\u40E3ml\u803B\xE4\u40E4\u0100ci\u16C2\u16C8onin\xF4\u0272nt;\u6A11\u0800Nabcdefiklnoprsu\u16ED\u16F1\u1730\u173C\u1743\u1748\u1778\u177D\u17E0\u17E6\u1839\u1850\u170D\u193D\u1948\u1970ot;\u6AED\u0100cr\u16F6\u171Ek\u0200ceps\u1700\u1705\u170D\u1713ong;\u624Cpsilon;\u43F6rime;\u6035im\u0100;e\u171A\u171B\u623Dq;\u62CD\u0176\u1722\u1726ee;\u62BDed\u0100;g\u172C\u172D\u6305e\xBB\u172Drk\u0100;t\u135C\u1737brk;\u63B6\u0100oy\u1701\u1741;\u4431quo;\u601E\u0280cmprt\u1753\u175B\u1761\u1764\u1768aus\u0100;e\u010A\u0109ptyv;\u69B0s\xE9\u170Cno\xF5\u0113\u0180ahw\u176F\u1771\u1773;\u43B2;\u6136een;\u626Cr;\uC000\u{1D51F}g\u0380costuvw\u178D\u179D\u17B3\u17C1\u17D5\u17DB\u17DE\u0180aiu\u1794\u1796\u179A\xF0\u0760rc;\u65EFp\xBB\u1371\u0180dpt\u17A4\u17A8\u17ADot;\u6A00lus;\u6A01imes;\u6A02\u0271\u17B9\0\0\u17BEcup;\u6A06ar;\u6605riangle\u0100du\u17CD\u17D2own;\u65BDp;\u65B3plus;\u6A04e\xE5\u1444\xE5\u14ADarow;\u690D\u0180ako\u17ED\u1826\u1835\u0100cn\u17F2\u1823k\u0180lst\u17FA\u05AB\u1802ozenge;\u69EBriangle\u0200;dlr\u1812\u1813\u1818\u181D\u65B4own;\u65BEeft;\u65C2ight;\u65B8k;\u6423\u01B1\u182B\0\u1833\u01B2\u182F\0\u1831;\u6592;\u65914;\u6593ck;\u6588\u0100eo\u183E\u184D\u0100;q\u1843\u1846\uC000=\u20E5uiv;\uC000\u2261\u20E5t;\u6310\u0200ptwx\u1859\u185E\u1867\u186Cf;\uC000\u{1D553}\u0100;t\u13CB\u1863om\xBB\u13CCtie;\u62C8\u0600DHUVbdhmptuv\u1885\u1896\u18AA\u18BB\u18D7\u18DB\u18EC\u18FF\u1905\u190A\u1910\u1921\u0200LRlr\u188E\u1890\u1892\u1894;\u6557;\u6554;\u6556;\u6553\u0280;DUdu\u18A1\u18A2\u18A4\u18A6\u18A8\u6550;\u6566;\u6569;\u6564;\u6567\u0200LRlr\u18B3\u18B5\u18B7\u18B9;\u655D;\u655A;\u655C;\u6559\u0380;HLRhlr\u18CA\u18CB\u18CD\u18CF\u18D1\u18D3\u18D5\u6551;\u656C;\u6563;\u6560;\u656B;\u6562;\u655Fox;\u69C9\u0200LRlr\u18E4\u18E6\u18E8\u18EA;\u6555;\u6552;\u6510;\u650C\u0280;DUdu\u06BD\u18F7\u18F9\u18FB\u18FD;\u6565;\u6568;\u652C;\u6534inus;\u629Flus;\u629Eimes;\u62A0\u0200LRlr\u1919\u191B\u191D\u191F;\u655B;\u6558;\u6518;\u6514\u0380;HLRhlr\u1930\u1931\u1933\u1935\u1937\u1939\u193B\u6502;\u656A;\u6561;\u655E;\u653C;\u6524;\u651C\u0100ev\u0123\u1942bar\u803B\xA6\u40A6\u0200ceio\u1951\u1956\u195A\u1960r;\uC000\u{1D4B7}mi;\u604Fm\u0100;e\u171A\u171Cl\u0180;bh\u1968\u1969\u196B\u405C;\u69C5sub;\u67C8\u016C\u1974\u197El\u0100;e\u1979\u197A\u6022t\xBB\u197Ap\u0180;Ee\u012F\u1985\u1987;\u6AAE\u0100;q\u06DC\u06DB\u0CE1\u19A7\0\u19E8\u1A11\u1A15\u1A32\0\u1A37\u1A50\0\0\u1AB4\0\0\u1AC1\0\0\u1B21\u1B2E\u1B4D\u1B52\0\u1BFD\0\u1C0C\u0180cpr\u19AD\u19B2\u19DDute;\u4107\u0300;abcds\u19BF\u19C0\u19C4\u19CA\u19D5\u19D9\u6229nd;\u6A44rcup;\u6A49\u0100au\u19CF\u19D2p;\u6A4Bp;\u6A47ot;\u6A40;\uC000\u2229\uFE00\u0100eo\u19E2\u19E5t;\u6041\xEE\u0693\u0200aeiu\u19F0\u19FB\u1A01\u1A05\u01F0\u19F5\0\u19F8s;\u6A4Don;\u410Ddil\u803B\xE7\u40E7rc;\u4109ps\u0100;s\u1A0C\u1A0D\u6A4Cm;\u6A50ot;\u410B\u0180dmn\u1A1B\u1A20\u1A26il\u80BB\xB8\u01ADptyv;\u69B2t\u8100\xA2;e\u1A2D\u1A2E\u40A2r\xE4\u01B2r;\uC000\u{1D520}\u0180cei\u1A3D\u1A40\u1A4Dy;\u4447ck\u0100;m\u1A47\u1A48\u6713ark\xBB\u1A48;\u43C7r\u0380;Ecefms\u1A5F\u1A60\u1A62\u1A6B\u1AA4\u1AAA\u1AAE\u65CB;\u69C3\u0180;el\u1A69\u1A6A\u1A6D\u42C6q;\u6257e\u0261\u1A74\0\0\u1A88rrow\u0100lr\u1A7C\u1A81eft;\u61BAight;\u61BB\u0280RSacd\u1A92\u1A94\u1A96\u1A9A\u1A9F\xBB\u0F47;\u64C8st;\u629Birc;\u629Aash;\u629Dnint;\u6A10id;\u6AEFcir;\u69C2ubs\u0100;u\u1ABB\u1ABC\u6663it\xBB\u1ABC\u02EC\u1AC7\u1AD4\u1AFA\0\u1B0Aon\u0100;e\u1ACD\u1ACE\u403A\u0100;q\xC7\xC6\u026D\u1AD9\0\0\u1AE2a\u0100;t\u1ADE\u1ADF\u402C;\u4040\u0180;fl\u1AE8\u1AE9\u1AEB\u6201\xEE\u1160e\u0100mx\u1AF1\u1AF6ent\xBB\u1AE9e\xF3\u024D\u01E7\u1AFE\0\u1B07\u0100;d\u12BB\u1B02ot;\u6A6Dn\xF4\u0246\u0180fry\u1B10\u1B14\u1B17;\uC000\u{1D554}o\xE4\u0254\u8100\xA9;s\u0155\u1B1Dr;\u6117\u0100ao\u1B25\u1B29rr;\u61B5ss;\u6717\u0100cu\u1B32\u1B37r;\uC000\u{1D4B8}\u0100bp\u1B3C\u1B44\u0100;e\u1B41\u1B42\u6ACF;\u6AD1\u0100;e\u1B49\u1B4A\u6AD0;\u6AD2dot;\u62EF\u0380delprvw\u1B60\u1B6C\u1B77\u1B82\u1BAC\u1BD4\u1BF9arr\u0100lr\u1B68\u1B6A;\u6938;\u6935\u0270\u1B72\0\0\u1B75r;\u62DEc;\u62DFarr\u0100;p\u1B7F\u1B80\u61B6;\u693D\u0300;bcdos\u1B8F\u1B90\u1B96\u1BA1\u1BA5\u1BA8\u622Arcap;\u6A48\u0100au\u1B9B\u1B9Ep;\u6A46p;\u6A4Aot;\u628Dr;\u6A45;\uC000\u222A\uFE00\u0200alrv\u1BB5\u1BBF\u1BDE\u1BE3rr\u0100;m\u1BBC\u1BBD\u61B7;\u693Cy\u0180evw\u1BC7\u1BD4\u1BD8q\u0270\u1BCE\0\0\u1BD2re\xE3\u1B73u\xE3\u1B75ee;\u62CEedge;\u62CFen\u803B\xA4\u40A4earrow\u0100lr\u1BEE\u1BF3eft\xBB\u1B80ight\xBB\u1BBDe\xE4\u1BDD\u0100ci\u1C01\u1C07onin\xF4\u01F7nt;\u6231lcty;\u632D\u0980AHabcdefhijlorstuwz\u1C38\u1C3B\u1C3F\u1C5D\u1C69\u1C75\u1C8A\u1C9E\u1CAC\u1CB7\u1CFB\u1CFF\u1D0D\u1D7B\u1D91\u1DAB\u1DBB\u1DC6\u1DCDr\xF2\u0381ar;\u6965\u0200glrs\u1C48\u1C4D\u1C52\u1C54ger;\u6020eth;\u6138\xF2\u1133h\u0100;v\u1C5A\u1C5B\u6010\xBB\u090A\u016B\u1C61\u1C67arow;\u690Fa\xE3\u0315\u0100ay\u1C6E\u1C73ron;\u410F;\u4434\u0180;ao\u0332\u1C7C\u1C84\u0100gr\u02BF\u1C81r;\u61CAtseq;\u6A77\u0180glm\u1C91\u1C94\u1C98\u803B\xB0\u40B0ta;\u43B4ptyv;\u69B1\u0100ir\u1CA3\u1CA8sht;\u697F;\uC000\u{1D521}ar\u0100lr\u1CB3\u1CB5\xBB\u08DC\xBB\u101E\u0280aegsv\u1CC2\u0378\u1CD6\u1CDC\u1CE0m\u0180;os\u0326\u1CCA\u1CD4nd\u0100;s\u0326\u1CD1uit;\u6666amma;\u43DDin;\u62F2\u0180;io\u1CE7\u1CE8\u1CF8\u40F7de\u8100\xF7;o\u1CE7\u1CF0ntimes;\u62C7n\xF8\u1CF7cy;\u4452c\u026F\u1D06\0\0\u1D0Arn;\u631Eop;\u630D\u0280lptuw\u1D18\u1D1D\u1D22\u1D49\u1D55lar;\u4024f;\uC000\u{1D555}\u0280;emps\u030B\u1D2D\u1D37\u1D3D\u1D42q\u0100;d\u0352\u1D33ot;\u6251inus;\u6238lus;\u6214quare;\u62A1blebarwedg\xE5\xFAn\u0180adh\u112E\u1D5D\u1D67ownarrow\xF3\u1C83arpoon\u0100lr\u1D72\u1D76ef\xF4\u1CB4igh\xF4\u1CB6\u0162\u1D7F\u1D85karo\xF7\u0F42\u026F\u1D8A\0\0\u1D8Ern;\u631Fop;\u630C\u0180cot\u1D98\u1DA3\u1DA6\u0100ry\u1D9D\u1DA1;\uC000\u{1D4B9};\u4455l;\u69F6rok;\u4111\u0100dr\u1DB0\u1DB4ot;\u62F1i\u0100;f\u1DBA\u1816\u65BF\u0100ah\u1DC0\u1DC3r\xF2\u0429a\xF2\u0FA6angle;\u69A6\u0100ci\u1DD2\u1DD5y;\u445Fgrarr;\u67FF\u0900Dacdefglmnopqrstux\u1E01\u1E09\u1E19\u1E38\u0578\u1E3C\u1E49\u1E61\u1E7E\u1EA5\u1EAF\u1EBD\u1EE1\u1F2A\u1F37\u1F44\u1F4E\u1F5A\u0100Do\u1E06\u1D34o\xF4\u1C89\u0100cs\u1E0E\u1E14ute\u803B\xE9\u40E9ter;\u6A6E\u0200aioy\u1E22\u1E27\u1E31\u1E36ron;\u411Br\u0100;c\u1E2D\u1E2E\u6256\u803B\xEA\u40EAlon;\u6255;\u444Dot;\u4117\u0100Dr\u1E41\u1E45ot;\u6252;\uC000\u{1D522}\u0180;rs\u1E50\u1E51\u1E57\u6A9Aave\u803B\xE8\u40E8\u0100;d\u1E5C\u1E5D\u6A96ot;\u6A98\u0200;ils\u1E6A\u1E6B\u1E72\u1E74\u6A99nters;\u63E7;\u6113\u0100;d\u1E79\u1E7A\u6A95ot;\u6A97\u0180aps\u1E85\u1E89\u1E97cr;\u4113ty\u0180;sv\u1E92\u1E93\u1E95\u6205et\xBB\u1E93p\u01001;\u1E9D\u1EA4\u0133\u1EA1\u1EA3;\u6004;\u6005\u6003\u0100gs\u1EAA\u1EAC;\u414Bp;\u6002\u0100gp\u1EB4\u1EB8on;\u4119f;\uC000\u{1D556}\u0180als\u1EC4\u1ECE\u1ED2r\u0100;s\u1ECA\u1ECB\u62D5l;\u69E3us;\u6A71i\u0180;lv\u1EDA\u1EDB\u1EDF\u43B5on\xBB\u1EDB;\u43F5\u0200csuv\u1EEA\u1EF3\u1F0B\u1F23\u0100io\u1EEF\u1E31rc\xBB\u1E2E\u0269\u1EF9\0\0\u1EFB\xED\u0548ant\u0100gl\u1F02\u1F06tr\xBB\u1E5Dess\xBB\u1E7A\u0180aei\u1F12\u1F16\u1F1Als;\u403Dst;\u625Fv\u0100;D\u0235\u1F20D;\u6A78parsl;\u69E5\u0100Da\u1F2F\u1F33ot;\u6253rr;\u6971\u0180cdi\u1F3E\u1F41\u1EF8r;\u612Fo\xF4\u0352\u0100ah\u1F49\u1F4B;\u43B7\u803B\xF0\u40F0\u0100mr\u1F53\u1F57l\u803B\xEB\u40EBo;\u60AC\u0180cip\u1F61\u1F64\u1F67l;\u4021s\xF4\u056E\u0100eo\u1F6C\u1F74ctatio\xEE\u0559nential\xE5\u0579\u09E1\u1F92\0\u1F9E\0\u1FA1\u1FA7\0\0\u1FC6\u1FCC\0\u1FD3\0\u1FE6\u1FEA\u2000\0\u2008\u205Allingdotse\xF1\u1E44y;\u4444male;\u6640\u0180ilr\u1FAD\u1FB3\u1FC1lig;\u8000\uFB03\u0269\u1FB9\0\0\u1FBDg;\u8000\uFB00ig;\u8000\uFB04;\uC000\u{1D523}lig;\u8000\uFB01lig;\uC000fj\u0180alt\u1FD9\u1FDC\u1FE1t;\u666Dig;\u8000\uFB02ns;\u65B1of;\u4192\u01F0\u1FEE\0\u1FF3f;\uC000\u{1D557}\u0100ak\u05BF\u1FF7\u0100;v\u1FFC\u1FFD\u62D4;\u6AD9artint;\u6A0D\u0100ao\u200C\u2055\u0100cs\u2011\u2052\u03B1\u201A\u2030\u2038\u2045\u2048\0\u2050\u03B2\u2022\u2025\u2027\u202A\u202C\0\u202E\u803B\xBD\u40BD;\u6153\u803B\xBC\u40BC;\u6155;\u6159;\u615B\u01B3\u2034\0\u2036;\u6154;\u6156\u02B4\u203E\u2041\0\0\u2043\u803B\xBE\u40BE;\u6157;\u615C5;\u6158\u01B6\u204C\0\u204E;\u615A;\u615D8;\u615El;\u6044wn;\u6322cr;\uC000\u{1D4BB}\u0880Eabcdefgijlnorstv\u2082\u2089\u209F\u20A5\u20B0\u20B4\u20F0\u20F5\u20FA\u20FF\u2103\u2112\u2138\u0317\u213E\u2152\u219E\u0100;l\u064D\u2087;\u6A8C\u0180cmp\u2090\u2095\u209Dute;\u41F5ma\u0100;d\u209C\u1CDA\u43B3;\u6A86reve;\u411F\u0100iy\u20AA\u20AErc;\u411D;\u4433ot;\u4121\u0200;lqs\u063E\u0642\u20BD\u20C9\u0180;qs\u063E\u064C\u20C4lan\xF4\u0665\u0200;cdl\u0665\u20D2\u20D5\u20E5c;\u6AA9ot\u0100;o\u20DC\u20DD\u6A80\u0100;l\u20E2\u20E3\u6A82;\u6A84\u0100;e\u20EA\u20ED\uC000\u22DB\uFE00s;\u6A94r;\uC000\u{1D524}\u0100;g\u0673\u061Bmel;\u6137cy;\u4453\u0200;Eaj\u065A\u210C\u210E\u2110;\u6A92;\u6AA5;\u6AA4\u0200Eaes\u211B\u211D\u2129\u2134;\u6269p\u0100;p\u2123\u2124\u6A8Arox\xBB\u2124\u0100;q\u212E\u212F\u6A88\u0100;q\u212E\u211Bim;\u62E7pf;\uC000\u{1D558}\u0100ci\u2143\u2146r;\u610Am\u0180;el\u066B\u214E\u2150;\u6A8E;\u6A90\u8300>;cdlqr\u05EE\u2160\u216A\u216E\u2173\u2179\u0100ci\u2165\u2167;\u6AA7r;\u6A7Aot;\u62D7Par;\u6995uest;\u6A7C\u0280adels\u2184\u216A\u2190\u0656\u219B\u01F0\u2189\0\u218Epro\xF8\u209Er;\u6978q\u0100lq\u063F\u2196les\xF3\u2088i\xED\u066B\u0100en\u21A3\u21ADrtneqq;\uC000\u2269\uFE00\xC5\u21AA\u0500Aabcefkosy\u21C4\u21C7\u21F1\u21F5\u21FA\u2218\u221D\u222F\u2268\u227Dr\xF2\u03A0\u0200ilmr\u21D0\u21D4\u21D7\u21DBrs\xF0\u1484f\xBB\u2024il\xF4\u06A9\u0100dr\u21E0\u21E4cy;\u444A\u0180;cw\u08F4\u21EB\u21EFir;\u6948;\u61ADar;\u610Firc;\u4125\u0180alr\u2201\u220E\u2213rts\u0100;u\u2209\u220A\u6665it\xBB\u220Alip;\u6026con;\u62B9r;\uC000\u{1D525}s\u0100ew\u2223\u2229arow;\u6925arow;\u6926\u0280amopr\u223A\u223E\u2243\u225E\u2263rr;\u61FFtht;\u623Bk\u0100lr\u2249\u2253eftarrow;\u61A9ightarrow;\u61AAf;\uC000\u{1D559}bar;\u6015\u0180clt\u226F\u2274\u2278r;\uC000\u{1D4BD}as\xE8\u21F4rok;\u4127\u0100bp\u2282\u2287ull;\u6043hen\xBB\u1C5B\u0AE1\u22A3\0\u22AA\0\u22B8\u22C5\u22CE\0\u22D5\u22F3\0\0\u22F8\u2322\u2367\u2362\u237F\0\u2386\u23AA\u23B4cute\u803B\xED\u40ED\u0180;iy\u0771\u22B0\u22B5rc\u803B\xEE\u40EE;\u4438\u0100cx\u22BC\u22BFy;\u4435cl\u803B\xA1\u40A1\u0100fr\u039F\u22C9;\uC000\u{1D526}rave\u803B\xEC\u40EC\u0200;ino\u073E\u22DD\u22E9\u22EE\u0100in\u22E2\u22E6nt;\u6A0Ct;\u622Dfin;\u69DCta;\u6129lig;\u4133\u0180aop\u22FE\u231A\u231D\u0180cgt\u2305\u2308\u2317r;\u412B\u0180elp\u071F\u230F\u2313in\xE5\u078Ear\xF4\u0720h;\u4131f;\u62B7ed;\u41B5\u0280;cfot\u04F4\u232C\u2331\u233D\u2341are;\u6105in\u0100;t\u2338\u2339\u621Eie;\u69DDdo\xF4\u2319\u0280;celp\u0757\u234C\u2350\u235B\u2361al;\u62BA\u0100gr\u2355\u2359er\xF3\u1563\xE3\u234Darhk;\u6A17rod;\u6A3C\u0200cgpt\u236F\u2372\u2376\u237By;\u4451on;\u412Ff;\uC000\u{1D55A}a;\u43B9uest\u803B\xBF\u40BF\u0100ci\u238A\u238Fr;\uC000\u{1D4BE}n\u0280;Edsv\u04F4\u239B\u239D\u23A1\u04F3;\u62F9ot;\u62F5\u0100;v\u23A6\u23A7\u62F4;\u62F3\u0100;i\u0777\u23AElde;\u4129\u01EB\u23B8\0\u23BCcy;\u4456l\u803B\xEF\u40EF\u0300cfmosu\u23CC\u23D7\u23DC\u23E1\u23E7\u23F5\u0100iy\u23D1\u23D5rc;\u4135;\u4439r;\uC000\u{1D527}ath;\u4237pf;\uC000\u{1D55B}\u01E3\u23EC\0\u23F1r;\uC000\u{1D4BF}rcy;\u4458kcy;\u4454\u0400acfghjos\u240B\u2416\u2422\u2427\u242D\u2431\u2435\u243Bppa\u0100;v\u2413\u2414\u43BA;\u43F0\u0100ey\u241B\u2420dil;\u4137;\u443Ar;\uC000\u{1D528}reen;\u4138cy;\u4445cy;\u445Cpf;\uC000\u{1D55C}cr;\uC000\u{1D4C0}\u0B80ABEHabcdefghjlmnoprstuv\u2470\u2481\u2486\u248D\u2491\u250E\u253D\u255A\u2580\u264E\u265E\u2665\u2679\u267D\u269A\u26B2\u26D8\u275D\u2768\u278B\u27C0\u2801\u2812\u0180art\u2477\u247A\u247Cr\xF2\u09C6\xF2\u0395ail;\u691Barr;\u690E\u0100;g\u0994\u248B;\u6A8Bar;\u6962\u0963\u24A5\0\u24AA\0\u24B1\0\0\0\0\0\u24B5\u24BA\0\u24C6\u24C8\u24CD\0\u24F9ute;\u413Amptyv;\u69B4ra\xEE\u084Cbda;\u43BBg\u0180;dl\u088E\u24C1\u24C3;\u6991\xE5\u088E;\u6A85uo\u803B\xAB\u40ABr\u0400;bfhlpst\u0899\u24DE\u24E6\u24E9\u24EB\u24EE\u24F1\u24F5\u0100;f\u089D\u24E3s;\u691Fs;\u691D\xEB\u2252p;\u61ABl;\u6939im;\u6973l;\u61A2\u0180;ae\u24FF\u2500\u2504\u6AABil;\u6919\u0100;s\u2509\u250A\u6AAD;\uC000\u2AAD\uFE00\u0180abr\u2515\u2519\u251Drr;\u690Crk;\u6772\u0100ak\u2522\u252Cc\u0100ek\u2528\u252A;\u407B;\u405B\u0100es\u2531\u2533;\u698Bl\u0100du\u2539\u253B;\u698F;\u698D\u0200aeuy\u2546\u254B\u2556\u2558ron;\u413E\u0100di\u2550\u2554il;\u413C\xEC\u08B0\xE2\u2529;\u443B\u0200cqrs\u2563\u2566\u256D\u257Da;\u6936uo\u0100;r\u0E19\u1746\u0100du\u2572\u2577har;\u6967shar;\u694Bh;\u61B2\u0280;fgqs\u258B\u258C\u0989\u25F3\u25FF\u6264t\u0280ahlrt\u2598\u25A4\u25B7\u25C2\u25E8rrow\u0100;t\u0899\u25A1a\xE9\u24F6arpoon\u0100du\u25AF\u25B4own\xBB\u045Ap\xBB\u0966eftarrows;\u61C7ight\u0180ahs\u25CD\u25D6\u25DErrow\u0100;s\u08F4\u08A7arpoon\xF3\u0F98quigarro\xF7\u21F0hreetimes;\u62CB\u0180;qs\u258B\u0993\u25FAlan\xF4\u09AC\u0280;cdgs\u09AC\u260A\u260D\u261D\u2628c;\u6AA8ot\u0100;o\u2614\u2615\u6A7F\u0100;r\u261A\u261B\u6A81;\u6A83\u0100;e\u2622\u2625\uC000\u22DA\uFE00s;\u6A93\u0280adegs\u2633\u2639\u263D\u2649\u264Bppro\xF8\u24C6ot;\u62D6q\u0100gq\u2643\u2645\xF4\u0989gt\xF2\u248C\xF4\u099Bi\xED\u09B2\u0180ilr\u2655\u08E1\u265Asht;\u697C;\uC000\u{1D529}\u0100;E\u099C\u2663;\u6A91\u0161\u2669\u2676r\u0100du\u25B2\u266E\u0100;l\u0965\u2673;\u696Alk;\u6584cy;\u4459\u0280;acht\u0A48\u2688\u268B\u2691\u2696r\xF2\u25C1orne\xF2\u1D08ard;\u696Bri;\u65FA\u0100io\u269F\u26A4dot;\u4140ust\u0100;a\u26AC\u26AD\u63B0che\xBB\u26AD\u0200Eaes\u26BB\u26BD\u26C9\u26D4;\u6268p\u0100;p\u26C3\u26C4\u6A89rox\xBB\u26C4\u0100;q\u26CE\u26CF\u6A87\u0100;q\u26CE\u26BBim;\u62E6\u0400abnoptwz\u26E9\u26F4\u26F7\u271A\u272F\u2741\u2747\u2750\u0100nr\u26EE\u26F1g;\u67ECr;\u61FDr\xEB\u08C1g\u0180lmr\u26FF\u270D\u2714eft\u0100ar\u09E6\u2707ight\xE1\u09F2apsto;\u67FCight\xE1\u09FDparrow\u0100lr\u2725\u2729ef\xF4\u24EDight;\u61AC\u0180afl\u2736\u2739\u273Dr;\u6985;\uC000\u{1D55D}us;\u6A2Dimes;\u6A34\u0161\u274B\u274Fst;\u6217\xE1\u134E\u0180;ef\u2757\u2758\u1800\u65CAnge\xBB\u2758ar\u0100;l\u2764\u2765\u4028t;\u6993\u0280achmt\u2773\u2776\u277C\u2785\u2787r\xF2\u08A8orne\xF2\u1D8Car\u0100;d\u0F98\u2783;\u696D;\u600Eri;\u62BF\u0300achiqt\u2798\u279D\u0A40\u27A2\u27AE\u27BBquo;\u6039r;\uC000\u{1D4C1}m\u0180;eg\u09B2\u27AA\u27AC;\u6A8D;\u6A8F\u0100bu\u252A\u27B3o\u0100;r\u0E1F\u27B9;\u601Arok;\u4142\u8400<;cdhilqr\u082B\u27D2\u2639\u27DC\u27E0\u27E5\u27EA\u27F0\u0100ci\u27D7\u27D9;\u6AA6r;\u6A79re\xE5\u25F2mes;\u62C9arr;\u6976uest;\u6A7B\u0100Pi\u27F5\u27F9ar;\u6996\u0180;ef\u2800\u092D\u181B\u65C3r\u0100du\u2807\u280Dshar;\u694Ahar;\u6966\u0100en\u2817\u2821rtneqq;\uC000\u2268\uFE00\xC5\u281E\u0700Dacdefhilnopsu\u2840\u2845\u2882\u288E\u2893\u28A0\u28A5\u28A8\u28DA\u28E2\u28E4\u0A83\u28F3\u2902Dot;\u623A\u0200clpr\u284E\u2852\u2863\u287Dr\u803B\xAF\u40AF\u0100et\u2857\u2859;\u6642\u0100;e\u285E\u285F\u6720se\xBB\u285F\u0100;s\u103B\u2868to\u0200;dlu\u103B\u2873\u2877\u287Bow\xEE\u048Cef\xF4\u090F\xF0\u13D1ker;\u65AE\u0100oy\u2887\u288Cmma;\u6A29;\u443Cash;\u6014asuredangle\xBB\u1626r;\uC000\u{1D52A}o;\u6127\u0180cdn\u28AF\u28B4\u28C9ro\u803B\xB5\u40B5\u0200;acd\u1464\u28BD\u28C0\u28C4s\xF4\u16A7ir;\u6AF0ot\u80BB\xB7\u01B5us\u0180;bd\u28D2\u1903\u28D3\u6212\u0100;u\u1D3C\u28D8;\u6A2A\u0163\u28DE\u28E1p;\u6ADB\xF2\u2212\xF0\u0A81\u0100dp\u28E9\u28EEels;\u62A7f;\uC000\u{1D55E}\u0100ct\u28F8\u28FDr;\uC000\u{1D4C2}pos\xBB\u159D\u0180;lm\u2909\u290A\u290D\u43BCtimap;\u62B8\u0C00GLRVabcdefghijlmoprstuvw\u2942\u2953\u297E\u2989\u2998\u29DA\u29E9\u2A15\u2A1A\u2A58\u2A5D\u2A83\u2A95\u2AA4\u2AA8\u2B04\u2B07\u2B44\u2B7F\u2BAE\u2C34\u2C67\u2C7C\u2CE9\u0100gt\u2947\u294B;\uC000\u22D9\u0338\u0100;v\u2950\u0BCF\uC000\u226B\u20D2\u0180elt\u295A\u2972\u2976ft\u0100ar\u2961\u2967rrow;\u61CDightarrow;\u61CE;\uC000\u22D8\u0338\u0100;v\u297B\u0C47\uC000\u226A\u20D2ightarrow;\u61CF\u0100Dd\u298E\u2993ash;\u62AFash;\u62AE\u0280bcnpt\u29A3\u29A7\u29AC\u29B1\u29CCla\xBB\u02DEute;\u4144g;\uC000\u2220\u20D2\u0280;Eiop\u0D84\u29BC\u29C0\u29C5\u29C8;\uC000\u2A70\u0338d;\uC000\u224B\u0338s;\u4149ro\xF8\u0D84ur\u0100;a\u29D3\u29D4\u666El\u0100;s\u29D3\u0B38\u01F3\u29DF\0\u29E3p\u80BB\xA0\u0B37mp\u0100;e\u0BF9\u0C00\u0280aeouy\u29F4\u29FE\u2A03\u2A10\u2A13\u01F0\u29F9\0\u29FB;\u6A43on;\u4148dil;\u4146ng\u0100;d\u0D7E\u2A0Aot;\uC000\u2A6D\u0338p;\u6A42;\u443Dash;\u6013\u0380;Aadqsx\u0B92\u2A29\u2A2D\u2A3B\u2A41\u2A45\u2A50rr;\u61D7r\u0100hr\u2A33\u2A36k;\u6924\u0100;o\u13F2\u13F0ot;\uC000\u2250\u0338ui\xF6\u0B63\u0100ei\u2A4A\u2A4Ear;\u6928\xED\u0B98ist\u0100;s\u0BA0\u0B9Fr;\uC000\u{1D52B}\u0200Eest\u0BC5\u2A66\u2A79\u2A7C\u0180;qs\u0BBC\u2A6D\u0BE1\u0180;qs\u0BBC\u0BC5\u2A74lan\xF4\u0BE2i\xED\u0BEA\u0100;r\u0BB6\u2A81\xBB\u0BB7\u0180Aap\u2A8A\u2A8D\u2A91r\xF2\u2971rr;\u61AEar;\u6AF2\u0180;sv\u0F8D\u2A9C\u0F8C\u0100;d\u2AA1\u2AA2\u62FC;\u62FAcy;\u445A\u0380AEadest\u2AB7\u2ABA\u2ABE\u2AC2\u2AC5\u2AF6\u2AF9r\xF2\u2966;\uC000\u2266\u0338rr;\u619Ar;\u6025\u0200;fqs\u0C3B\u2ACE\u2AE3\u2AEFt\u0100ar\u2AD4\u2AD9rro\xF7\u2AC1ightarro\xF7\u2A90\u0180;qs\u0C3B\u2ABA\u2AEAlan\xF4\u0C55\u0100;s\u0C55\u2AF4\xBB\u0C36i\xED\u0C5D\u0100;r\u0C35\u2AFEi\u0100;e\u0C1A\u0C25i\xE4\u0D90\u0100pt\u2B0C\u2B11f;\uC000\u{1D55F}\u8180\xAC;in\u2B19\u2B1A\u2B36\u40ACn\u0200;Edv\u0B89\u2B24\u2B28\u2B2E;\uC000\u22F9\u0338ot;\uC000\u22F5\u0338\u01E1\u0B89\u2B33\u2B35;\u62F7;\u62F6i\u0100;v\u0CB8\u2B3C\u01E1\u0CB8\u2B41\u2B43;\u62FE;\u62FD\u0180aor\u2B4B\u2B63\u2B69r\u0200;ast\u0B7B\u2B55\u2B5A\u2B5Flle\xEC\u0B7Bl;\uC000\u2AFD\u20E5;\uC000\u2202\u0338lint;\u6A14\u0180;ce\u0C92\u2B70\u2B73u\xE5\u0CA5\u0100;c\u0C98\u2B78\u0100;e\u0C92\u2B7D\xF1\u0C98\u0200Aait\u2B88\u2B8B\u2B9D\u2BA7r\xF2\u2988rr\u0180;cw\u2B94\u2B95\u2B99\u619B;\uC000\u2933\u0338;\uC000\u219D\u0338ghtarrow\xBB\u2B95ri\u0100;e\u0CCB\u0CD6\u0380chimpqu\u2BBD\u2BCD\u2BD9\u2B04\u0B78\u2BE4\u2BEF\u0200;cer\u0D32\u2BC6\u0D37\u2BC9u\xE5\u0D45;\uC000\u{1D4C3}ort\u026D\u2B05\0\0\u2BD6ar\xE1\u2B56m\u0100;e\u0D6E\u2BDF\u0100;q\u0D74\u0D73su\u0100bp\u2BEB\u2BED\xE5\u0CF8\xE5\u0D0B\u0180bcp\u2BF6\u2C11\u2C19\u0200;Ees\u2BFF\u2C00\u0D22\u2C04\u6284;\uC000\u2AC5\u0338et\u0100;e\u0D1B\u2C0Bq\u0100;q\u0D23\u2C00c\u0100;e\u0D32\u2C17\xF1\u0D38\u0200;Ees\u2C22\u2C23\u0D5F\u2C27\u6285;\uC000\u2AC6\u0338et\u0100;e\u0D58\u2C2Eq\u0100;q\u0D60\u2C23\u0200gilr\u2C3D\u2C3F\u2C45\u2C47\xEC\u0BD7lde\u803B\xF1\u40F1\xE7\u0C43iangle\u0100lr\u2C52\u2C5Ceft\u0100;e\u0C1A\u2C5A\xF1\u0C26ight\u0100;e\u0CCB\u2C65\xF1\u0CD7\u0100;m\u2C6C\u2C6D\u43BD\u0180;es\u2C74\u2C75\u2C79\u4023ro;\u6116p;\u6007\u0480DHadgilrs\u2C8F\u2C94\u2C99\u2C9E\u2CA3\u2CB0\u2CB6\u2CD3\u2CE3ash;\u62ADarr;\u6904p;\uC000\u224D\u20D2ash;\u62AC\u0100et\u2CA8\u2CAC;\uC000\u2265\u20D2;\uC000>\u20D2nfin;\u69DE\u0180Aet\u2CBD\u2CC1\u2CC5rr;\u6902;\uC000\u2264\u20D2\u0100;r\u2CCA\u2CCD\uC000<\u20D2ie;\uC000\u22B4\u20D2\u0100At\u2CD8\u2CDCrr;\u6903rie;\uC000\u22B5\u20D2im;\uC000\u223C\u20D2\u0180Aan\u2CF0\u2CF4\u2D02rr;\u61D6r\u0100hr\u2CFA\u2CFDk;\u6923\u0100;o\u13E7\u13E5ear;\u6927\u1253\u1A95\0\0\0\0\0\0\0\0\0\0\0\0\0\u2D2D\0\u2D38\u2D48\u2D60\u2D65\u2D72\u2D84\u1B07\0\0\u2D8D\u2DAB\0\u2DC8\u2DCE\0\u2DDC\u2E19\u2E2B\u2E3E\u2E43\u0100cs\u2D31\u1A97ute\u803B\xF3\u40F3\u0100iy\u2D3C\u2D45r\u0100;c\u1A9E\u2D42\u803B\xF4\u40F4;\u443E\u0280abios\u1AA0\u2D52\u2D57\u01C8\u2D5Alac;\u4151v;\u6A38old;\u69BClig;\u4153\u0100cr\u2D69\u2D6Dir;\u69BF;\uC000\u{1D52C}\u036F\u2D79\0\0\u2D7C\0\u2D82n;\u42DBave\u803B\xF2\u40F2;\u69C1\u0100bm\u2D88\u0DF4ar;\u69B5\u0200acit\u2D95\u2D98\u2DA5\u2DA8r\xF2\u1A80\u0100ir\u2D9D\u2DA0r;\u69BEoss;\u69BBn\xE5\u0E52;\u69C0\u0180aei\u2DB1\u2DB5\u2DB9cr;\u414Dga;\u43C9\u0180cdn\u2DC0\u2DC5\u01CDron;\u43BF;\u69B6pf;\uC000\u{1D560}\u0180ael\u2DD4\u2DD7\u01D2r;\u69B7rp;\u69B9\u0380;adiosv\u2DEA\u2DEB\u2DEE\u2E08\u2E0D\u2E10\u2E16\u6228r\xF2\u1A86\u0200;efm\u2DF7\u2DF8\u2E02\u2E05\u6A5Dr\u0100;o\u2DFE\u2DFF\u6134f\xBB\u2DFF\u803B\xAA\u40AA\u803B\xBA\u40BAgof;\u62B6r;\u6A56lope;\u6A57;\u6A5B\u0180clo\u2E1F\u2E21\u2E27\xF2\u2E01ash\u803B\xF8\u40F8l;\u6298i\u016C\u2E2F\u2E34de\u803B\xF5\u40F5es\u0100;a\u01DB\u2E3As;\u6A36ml\u803B\xF6\u40F6bar;\u633D\u0AE1\u2E5E\0\u2E7D\0\u2E80\u2E9D\0\u2EA2\u2EB9\0\0\u2ECB\u0E9C\0\u2F13\0\0\u2F2B\u2FBC\0\u2FC8r\u0200;ast\u0403\u2E67\u2E72\u0E85\u8100\xB6;l\u2E6D\u2E6E\u40B6le\xEC\u0403\u0269\u2E78\0\0\u2E7Bm;\u6AF3;\u6AFDy;\u443Fr\u0280cimpt\u2E8B\u2E8F\u2E93\u1865\u2E97nt;\u4025od;\u402Eil;\u6030enk;\u6031r;\uC000\u{1D52D}\u0180imo\u2EA8\u2EB0\u2EB4\u0100;v\u2EAD\u2EAE\u43C6;\u43D5ma\xF4\u0A76ne;\u660E\u0180;tv\u2EBF\u2EC0\u2EC8\u43C0chfork\xBB\u1FFD;\u43D6\u0100au\u2ECF\u2EDFn\u0100ck\u2ED5\u2EDDk\u0100;h\u21F4\u2EDB;\u610E\xF6\u21F4s\u0480;abcdemst\u2EF3\u2EF4\u1908\u2EF9\u2EFD\u2F04\u2F06\u2F0A\u2F0E\u402Bcir;\u6A23ir;\u6A22\u0100ou\u1D40\u2F02;\u6A25;\u6A72n\u80BB\xB1\u0E9Dim;\u6A26wo;\u6A27\u0180ipu\u2F19\u2F20\u2F25ntint;\u6A15f;\uC000\u{1D561}nd\u803B\xA3\u40A3\u0500;Eaceinosu\u0EC8\u2F3F\u2F41\u2F44\u2F47\u2F81\u2F89\u2F92\u2F7E\u2FB6;\u6AB3p;\u6AB7u\xE5\u0ED9\u0100;c\u0ECE\u2F4C\u0300;acens\u0EC8\u2F59\u2F5F\u2F66\u2F68\u2F7Eppro\xF8\u2F43urlye\xF1\u0ED9\xF1\u0ECE\u0180aes\u2F6F\u2F76\u2F7Approx;\u6AB9qq;\u6AB5im;\u62E8i\xED\u0EDFme\u0100;s\u2F88\u0EAE\u6032\u0180Eas\u2F78\u2F90\u2F7A\xF0\u2F75\u0180dfp\u0EEC\u2F99\u2FAF\u0180als\u2FA0\u2FA5\u2FAAlar;\u632Eine;\u6312urf;\u6313\u0100;t\u0EFB\u2FB4\xEF\u0EFBrel;\u62B0\u0100ci\u2FC0\u2FC5r;\uC000\u{1D4C5};\u43C8ncsp;\u6008\u0300fiopsu\u2FDA\u22E2\u2FDF\u2FE5\u2FEB\u2FF1r;\uC000\u{1D52E}pf;\uC000\u{1D562}rime;\u6057cr;\uC000\u{1D4C6}\u0180aeo\u2FF8\u3009\u3013t\u0100ei\u2FFE\u3005rnion\xF3\u06B0nt;\u6A16st\u0100;e\u3010\u3011\u403F\xF1\u1F19\xF4\u0F14\u0A80ABHabcdefhilmnoprstux\u3040\u3051\u3055\u3059\u30E0\u310E\u312B\u3147\u3162\u3172\u318E\u3206\u3215\u3224\u3229\u3258\u326E\u3272\u3290\u32B0\u32B7\u0180art\u3047\u304A\u304Cr\xF2\u10B3\xF2\u03DDail;\u691Car\xF2\u1C65ar;\u6964\u0380cdenqrt\u3068\u3075\u3078\u307F\u308F\u3094\u30CC\u0100eu\u306D\u3071;\uC000\u223D\u0331te;\u4155i\xE3\u116Emptyv;\u69B3g\u0200;del\u0FD1\u3089\u308B\u308D;\u6992;\u69A5\xE5\u0FD1uo\u803B\xBB\u40BBr\u0580;abcfhlpstw\u0FDC\u30AC\u30AF\u30B7\u30B9\u30BC\u30BE\u30C0\u30C3\u30C7\u30CAp;\u6975\u0100;f\u0FE0\u30B4s;\u6920;\u6933s;\u691E\xEB\u225D\xF0\u272El;\u6945im;\u6974l;\u61A3;\u619D\u0100ai\u30D1\u30D5il;\u691Ao\u0100;n\u30DB\u30DC\u6236al\xF3\u0F1E\u0180abr\u30E7\u30EA\u30EEr\xF2\u17E5rk;\u6773\u0100ak\u30F3\u30FDc\u0100ek\u30F9\u30FB;\u407D;\u405D\u0100es\u3102\u3104;\u698Cl\u0100du\u310A\u310C;\u698E;\u6990\u0200aeuy\u3117\u311C\u3127\u3129ron;\u4159\u0100di\u3121\u3125il;\u4157\xEC\u0FF2\xE2\u30FA;\u4440\u0200clqs\u3134\u3137\u313D\u3144a;\u6937dhar;\u6969uo\u0100;r\u020E\u020Dh;\u61B3\u0180acg\u314E\u315F\u0F44l\u0200;ips\u0F78\u3158\u315B\u109Cn\xE5\u10BBar\xF4\u0FA9t;\u65AD\u0180ilr\u3169\u1023\u316Esht;\u697D;\uC000\u{1D52F}\u0100ao\u3177\u3186r\u0100du\u317D\u317F\xBB\u047B\u0100;l\u1091\u3184;\u696C\u0100;v\u318B\u318C\u43C1;\u43F1\u0180gns\u3195\u31F9\u31FCht\u0300ahlrst\u31A4\u31B0\u31C2\u31D8\u31E4\u31EErrow\u0100;t\u0FDC\u31ADa\xE9\u30C8arpoon\u0100du\u31BB\u31BFow\xEE\u317Ep\xBB\u1092eft\u0100ah\u31CA\u31D0rrow\xF3\u0FEAarpoon\xF3\u0551ightarrows;\u61C9quigarro\xF7\u30CBhreetimes;\u62CCg;\u42DAingdotse\xF1\u1F32\u0180ahm\u320D\u3210\u3213r\xF2\u0FEAa\xF2\u0551;\u600Foust\u0100;a\u321E\u321F\u63B1che\xBB\u321Fmid;\u6AEE\u0200abpt\u3232\u323D\u3240\u3252\u0100nr\u3237\u323Ag;\u67EDr;\u61FEr\xEB\u1003\u0180afl\u3247\u324A\u324Er;\u6986;\uC000\u{1D563}us;\u6A2Eimes;\u6A35\u0100ap\u325D\u3267r\u0100;g\u3263\u3264\u4029t;\u6994olint;\u6A12ar\xF2\u31E3\u0200achq\u327B\u3280\u10BC\u3285quo;\u603Ar;\uC000\u{1D4C7}\u0100bu\u30FB\u328Ao\u0100;r\u0214\u0213\u0180hir\u3297\u329B\u32A0re\xE5\u31F8mes;\u62CAi\u0200;efl\u32AA\u1059\u1821\u32AB\u65B9tri;\u69CEluhar;\u6968;\u611E\u0D61\u32D5\u32DB\u32DF\u332C\u3338\u3371\0\u337A\u33A4\0\0\u33EC\u33F0\0\u3428\u3448\u345A\u34AD\u34B1\u34CA\u34F1\0\u3616\0\0\u3633cute;\u415Bqu\xEF\u27BA\u0500;Eaceinpsy\u11ED\u32F3\u32F5\u32FF\u3302\u330B\u330F\u331F\u3326\u3329;\u6AB4\u01F0\u32FA\0\u32FC;\u6AB8on;\u4161u\xE5\u11FE\u0100;d\u11F3\u3307il;\u415Frc;\u415D\u0180Eas\u3316\u3318\u331B;\u6AB6p;\u6ABAim;\u62E9olint;\u6A13i\xED\u1204;\u4441ot\u0180;be\u3334\u1D47\u3335\u62C5;\u6A66\u0380Aacmstx\u3346\u334A\u3357\u335B\u335E\u3363\u336Drr;\u61D8r\u0100hr\u3350\u3352\xEB\u2228\u0100;o\u0A36\u0A34t\u803B\xA7\u40A7i;\u403Bwar;\u6929m\u0100in\u3369\xF0nu\xF3\xF1t;\u6736r\u0100;o\u3376\u2055\uC000\u{1D530}\u0200acoy\u3382\u3386\u3391\u33A0rp;\u666F\u0100hy\u338B\u338Fcy;\u4449;\u4448rt\u026D\u3399\0\0\u339Ci\xE4\u1464ara\xEC\u2E6F\u803B\xAD\u40AD\u0100gm\u33A8\u33B4ma\u0180;fv\u33B1\u33B2\u33B2\u43C3;\u43C2\u0400;deglnpr\u12AB\u33C5\u33C9\u33CE\u33D6\u33DE\u33E1\u33E6ot;\u6A6A\u0100;q\u12B1\u12B0\u0100;E\u33D3\u33D4\u6A9E;\u6AA0\u0100;E\u33DB\u33DC\u6A9D;\u6A9Fe;\u6246lus;\u6A24arr;\u6972ar\xF2\u113D\u0200aeit\u33F8\u3408\u340F\u3417\u0100ls\u33FD\u3404lsetm\xE9\u336Ahp;\u6A33parsl;\u69E4\u0100dl\u1463\u3414e;\u6323\u0100;e\u341C\u341D\u6AAA\u0100;s\u3422\u3423\u6AAC;\uC000\u2AAC\uFE00\u0180flp\u342E\u3433\u3442tcy;\u444C\u0100;b\u3438\u3439\u402F\u0100;a\u343E\u343F\u69C4r;\u633Ff;\uC000\u{1D564}a\u0100dr\u344D\u0402es\u0100;u\u3454\u3455\u6660it\xBB\u3455\u0180csu\u3460\u3479\u349F\u0100au\u3465\u346Fp\u0100;s\u1188\u346B;\uC000\u2293\uFE00p\u0100;s\u11B4\u3475;\uC000\u2294\uFE00u\u0100bp\u347F\u348F\u0180;es\u1197\u119C\u3486et\u0100;e\u1197\u348D\xF1\u119D\u0180;es\u11A8\u11AD\u3496et\u0100;e\u11A8\u349D\xF1\u11AE\u0180;af\u117B\u34A6\u05B0r\u0165\u34AB\u05B1\xBB\u117Car\xF2\u1148\u0200cemt\u34B9\u34BE\u34C2\u34C5r;\uC000\u{1D4C8}tm\xEE\xF1i\xEC\u3415ar\xE6\u11BE\u0100ar\u34CE\u34D5r\u0100;f\u34D4\u17BF\u6606\u0100an\u34DA\u34EDight\u0100ep\u34E3\u34EApsilo\xEE\u1EE0h\xE9\u2EAFs\xBB\u2852\u0280bcmnp\u34FB\u355E\u1209\u358B\u358E\u0480;Edemnprs\u350E\u350F\u3511\u3515\u351E\u3523\u352C\u3531\u3536\u6282;\u6AC5ot;\u6ABD\u0100;d\u11DA\u351Aot;\u6AC3ult;\u6AC1\u0100Ee\u3528\u352A;\u6ACB;\u628Alus;\u6ABFarr;\u6979\u0180eiu\u353D\u3552\u3555t\u0180;en\u350E\u3545\u354Bq\u0100;q\u11DA\u350Feq\u0100;q\u352B\u3528m;\u6AC7\u0100bp\u355A\u355C;\u6AD5;\u6AD3c\u0300;acens\u11ED\u356C\u3572\u3579\u357B\u3326ppro\xF8\u32FAurlye\xF1\u11FE\xF1\u11F3\u0180aes\u3582\u3588\u331Bppro\xF8\u331Aq\xF1\u3317g;\u666A\u0680123;Edehlmnps\u35A9\u35AC\u35AF\u121C\u35B2\u35B4\u35C0\u35C9\u35D5\u35DA\u35DF\u35E8\u35ED\u803B\xB9\u40B9\u803B\xB2\u40B2\u803B\xB3\u40B3;\u6AC6\u0100os\u35B9\u35BCt;\u6ABEub;\u6AD8\u0100;d\u1222\u35C5ot;\u6AC4s\u0100ou\u35CF\u35D2l;\u67C9b;\u6AD7arr;\u697Bult;\u6AC2\u0100Ee\u35E4\u35E6;\u6ACC;\u628Blus;\u6AC0\u0180eiu\u35F4\u3609\u360Ct\u0180;en\u121C\u35FC\u3602q\u0100;q\u1222\u35B2eq\u0100;q\u35E7\u35E4m;\u6AC8\u0100bp\u3611\u3613;\u6AD4;\u6AD6\u0180Aan\u361C\u3620\u362Drr;\u61D9r\u0100hr\u3626\u3628\xEB\u222E\u0100;o\u0A2B\u0A29war;\u692Alig\u803B\xDF\u40DF\u0BE1\u3651\u365D\u3660\u12CE\u3673\u3679\0\u367E\u36C2\0\0\0\0\0\u36DB\u3703\0\u3709\u376C\0\0\0\u3787\u0272\u3656\0\0\u365Bget;\u6316;\u43C4r\xEB\u0E5F\u0180aey\u3666\u366B\u3670ron;\u4165dil;\u4163;\u4442lrec;\u6315r;\uC000\u{1D531}\u0200eiko\u3686\u369D\u36B5\u36BC\u01F2\u368B\0\u3691e\u01004f\u1284\u1281a\u0180;sv\u3698\u3699\u369B\u43B8ym;\u43D1\u0100cn\u36A2\u36B2k\u0100as\u36A8\u36AEppro\xF8\u12C1im\xBB\u12ACs\xF0\u129E\u0100as\u36BA\u36AE\xF0\u12C1rn\u803B\xFE\u40FE\u01EC\u031F\u36C6\u22E7es\u8180\xD7;bd\u36CF\u36D0\u36D8\u40D7\u0100;a\u190F\u36D5r;\u6A31;\u6A30\u0180eps\u36E1\u36E3\u3700\xE1\u2A4D\u0200;bcf\u0486\u36EC\u36F0\u36F4ot;\u6336ir;\u6AF1\u0100;o\u36F9\u36FC\uC000\u{1D565}rk;\u6ADA\xE1\u3362rime;\u6034\u0180aip\u370F\u3712\u3764d\xE5\u1248\u0380adempst\u3721\u374D\u3740\u3751\u3757\u375C\u375Fngle\u0280;dlqr\u3730\u3731\u3736\u3740\u3742\u65B5own\xBB\u1DBBeft\u0100;e\u2800\u373E\xF1\u092E;\u625Cight\u0100;e\u32AA\u374B\xF1\u105Aot;\u65ECinus;\u6A3Alus;\u6A39b;\u69CDime;\u6A3Bezium;\u63E2\u0180cht\u3772\u377D\u3781\u0100ry\u3777\u377B;\uC000\u{1D4C9};\u4446cy;\u445Brok;\u4167\u0100io\u378B\u378Ex\xF4\u1777head\u0100lr\u3797\u37A0eftarro\xF7\u084Fightarrow\xBB\u0F5D\u0900AHabcdfghlmoprstuw\u37D0\u37D3\u37D7\u37E4\u37F0\u37FC\u380E\u381C\u3823\u3834\u3851\u385D\u386B\u38A9\u38CC\u38D2\u38EA\u38F6r\xF2\u03EDar;\u6963\u0100cr\u37DC\u37E2ute\u803B\xFA\u40FA\xF2\u1150r\u01E3\u37EA\0\u37EDy;\u445Eve;\u416D\u0100iy\u37F5\u37FArc\u803B\xFB\u40FB;\u4443\u0180abh\u3803\u3806\u380Br\xF2\u13ADlac;\u4171a\xF2\u13C3\u0100ir\u3813\u3818sht;\u697E;\uC000\u{1D532}rave\u803B\xF9\u40F9\u0161\u3827\u3831r\u0100lr\u382C\u382E\xBB\u0957\xBB\u1083lk;\u6580\u0100ct\u3839\u384D\u026F\u383F\0\0\u384Arn\u0100;e\u3845\u3846\u631Cr\xBB\u3846op;\u630Fri;\u65F8\u0100al\u3856\u385Acr;\u416B\u80BB\xA8\u0349\u0100gp\u3862\u3866on;\u4173f;\uC000\u{1D566}\u0300adhlsu\u114B\u3878\u387D\u1372\u3891\u38A0own\xE1\u13B3arpoon\u0100lr\u3888\u388Cef\xF4\u382Digh\xF4\u382Fi\u0180;hl\u3899\u389A\u389C\u43C5\xBB\u13FAon\xBB\u389Aparrows;\u61C8\u0180cit\u38B0\u38C4\u38C8\u026F\u38B6\0\0\u38C1rn\u0100;e\u38BC\u38BD\u631Dr\xBB\u38BDop;\u630Eng;\u416Fri;\u65F9cr;\uC000\u{1D4CA}\u0180dir\u38D9\u38DD\u38E2ot;\u62F0lde;\u4169i\u0100;f\u3730\u38E8\xBB\u1813\u0100am\u38EF\u38F2r\xF2\u38A8l\u803B\xFC\u40FCangle;\u69A7\u0780ABDacdeflnoprsz\u391C\u391F\u3929\u392D\u39B5\u39B8\u39BD\u39DF\u39E4\u39E8\u39F3\u39F9\u39FD\u3A01\u3A20r\xF2\u03F7ar\u0100;v\u3926\u3927\u6AE8;\u6AE9as\xE8\u03E1\u0100nr\u3932\u3937grt;\u699C\u0380eknprst\u34E3\u3946\u394B\u3952\u395D\u3964\u3996app\xE1\u2415othin\xE7\u1E96\u0180hir\u34EB\u2EC8\u3959op\xF4\u2FB5\u0100;h\u13B7\u3962\xEF\u318D\u0100iu\u3969\u396Dgm\xE1\u33B3\u0100bp\u3972\u3984setneq\u0100;q\u397D\u3980\uC000\u228A\uFE00;\uC000\u2ACB\uFE00setneq\u0100;q\u398F\u3992\uC000\u228B\uFE00;\uC000\u2ACC\uFE00\u0100hr\u399B\u399Fet\xE1\u369Ciangle\u0100lr\u39AA\u39AFeft\xBB\u0925ight\xBB\u1051y;\u4432ash\xBB\u1036\u0180elr\u39C4\u39D2\u39D7\u0180;be\u2DEA\u39CB\u39CFar;\u62BBq;\u625Alip;\u62EE\u0100bt\u39DC\u1468a\xF2\u1469r;\uC000\u{1D533}tr\xE9\u39AEsu\u0100bp\u39EF\u39F1\xBB\u0D1C\xBB\u0D59pf;\uC000\u{1D567}ro\xF0\u0EFBtr\xE9\u39B4\u0100cu\u3A06\u3A0Br;\uC000\u{1D4CB}\u0100bp\u3A10\u3A18n\u0100Ee\u3980\u3A16\xBB\u397En\u0100Ee\u3992\u3A1E\xBB\u3990igzag;\u699A\u0380cefoprs\u3A36\u3A3B\u3A56\u3A5B\u3A54\u3A61\u3A6Airc;\u4175\u0100di\u3A40\u3A51\u0100bg\u3A45\u3A49ar;\u6A5Fe\u0100;q\u15FA\u3A4F;\u6259erp;\u6118r;\uC000\u{1D534}pf;\uC000\u{1D568}\u0100;e\u1479\u3A66at\xE8\u1479cr;\uC000\u{1D4CC}\u0AE3\u178E\u3A87\0\u3A8B\0\u3A90\u3A9B\0\0\u3A9D\u3AA8\u3AAB\u3AAF\0\0\u3AC3\u3ACE\0\u3AD8\u17DC\u17DFtr\xE9\u17D1r;\uC000\u{1D535}\u0100Aa\u3A94\u3A97r\xF2\u03C3r\xF2\u09F6;\u43BE\u0100Aa\u3AA1\u3AA4r\xF2\u03B8r\xF2\u09EBa\xF0\u2713is;\u62FB\u0180dpt\u17A4\u3AB5\u3ABE\u0100fl\u3ABA\u17A9;\uC000\u{1D569}im\xE5\u17B2\u0100Aa\u3AC7\u3ACAr\xF2\u03CEr\xF2\u0A01\u0100cq\u3AD2\u17B8r;\uC000\u{1D4CD}\u0100pt\u17D6\u3ADCr\xE9\u17D4\u0400acefiosu\u3AF0\u3AFD\u3B08\u3B0C\u3B11\u3B15\u3B1B\u3B21c\u0100uy\u3AF6\u3AFBte\u803B\xFD\u40FD;\u444F\u0100iy\u3B02\u3B06rc;\u4177;\u444Bn\u803B\xA5\u40A5r;\uC000\u{1D536}cy;\u4457pf;\uC000\u{1D56A}cr;\uC000\u{1D4CE}\u0100cm\u3B26\u3B29y;\u444El\u803B\xFF\u40FF\u0500acdefhiosw\u3B42\u3B48\u3B54\u3B58\u3B64\u3B69\u3B6D\u3B74\u3B7A\u3B80cute;\u417A\u0100ay\u3B4D\u3B52ron;\u417E;\u4437ot;\u417C\u0100et\u3B5D\u3B61tr\xE6\u155Fa;\u43B6r;\uC000\u{1D537}cy;\u4436grarr;\u61DDpf;\uC000\u{1D56B}cr;\uC000\u{1D4CF}\u0100jn\u3B85\u3B87;\u600Dj;\u600C'.split("").map(e=>e.charCodeAt(0))),VD=new Uint16Array("\u0200aglq	\x1B\u026D\0\0p;\u4026os;\u4027t;\u403Et;\u403Cuot;\u4022".split("").map(e=>e.charCodeAt(0)));var op;const zD=new Map([[0,65533],[128,8364],[130,8218],[131,402],[132,8222],[133,8230],[134,8224],[135,8225],[136,710],[137,8240],[138,352],[139,8249],[140,338],[142,381],[145,8216],[146,8217],[147,8220],[148,8221],[149,8226],[150,8211],[151,8212],[152,732],[153,8482],[154,353],[155,8250],[156,339],[158,382],[159,376]]),KD=(op=String.fromCodePoint)!==null&&op!==void 0?op:function(e){let t="";return e>65535&&(e-=65536,t+=String.fromCharCode(e>>>10&1023|55296),e=56320|e&1023),t+=String.fromCharCode(e),t};function $D(e){var t;return e>=55296&&e<=57343||e>1114111?65533:(t=zD.get(e))!==null&&t!==void 0?t:e}var Er;(function(e){e[e.NUM=35]="NUM",e[e.SEMI=59]="SEMI",e[e.EQUALS=61]="EQUALS",e[e.ZERO=48]="ZERO",e[e.NINE=57]="NINE",e[e.LOWER_A=97]="LOWER_A",e[e.LOWER_F=102]="LOWER_F",e[e.LOWER_X=120]="LOWER_X",e[e.LOWER_Z=122]="LOWER_Z",e[e.UPPER_A=65]="UPPER_A",e[e.UPPER_F=70]="UPPER_F",e[e.UPPER_Z=90]="UPPER_Z"})(Er||(Er={}));const QD=32;var jo;(function(e){e[e.VALUE_LENGTH=49152]="VALUE_LENGTH",e[e.BRANCH_LENGTH=16256]="BRANCH_LENGTH",e[e.JUMP_TABLE=127]="JUMP_TABLE"})(jo||(jo={}));function ch(e){return e>=Er.ZERO&&e<=Er.NINE}function jD(e){return e>=Er.UPPER_A&&e<=Er.UPPER_F||e>=Er.LOWER_A&&e<=Er.LOWER_F}function XD(e){return e>=Er.UPPER_A&&e<=Er.UPPER_Z||e>=Er.LOWER_A&&e<=Er.LOWER_Z||ch(e)}function ZD(e){return e===Er.EQUALS||XD(e)}var gr;(function(e){e[e.EntityStart=0]="EntityStart",e[e.NumericStart=1]="NumericStart",e[e.NumericDecimal=2]="NumericDecimal",e[e.NumericHex=3]="NumericHex",e[e.NamedEntity=4]="NamedEntity"})(gr||(gr={}));var Qo;(function(e){e[e.Legacy=0]="Legacy",e[e.Strict=1]="Strict",e[e.Attribute=2]="Attribute"})(Qo||(Qo={}));class JD{constructor(t,n,r){this.decodeTree=t,this.emitCodePoint=n,this.errors=r,this.state=gr.EntityStart,this.consumed=1,this.result=0,this.treeIndex=0,this.excess=1,this.decodeMode=Qo.Strict}startEntity(t){this.decodeMode=t,this.state=gr.EntityStart,this.result=0,this.treeIndex=0,this.excess=1,this.consumed=1}write(t,n){switch(this.state){case gr.EntityStart:return t.charCodeAt(n)===Er.NUM?(this.state=gr.NumericStart,this.consumed+=1,this.stateNumericStart(t,n+1)):(this.state=gr.NamedEntity,this.stateNamedEntity(t,n));case gr.NumericStart:return this.stateNumericStart(t,n);case gr.NumericDecimal:return this.stateNumericDecimal(t,n);case gr.NumericHex:return this.stateNumericHex(t,n);case gr.NamedEntity:return this.stateNamedEntity(t,n)}}stateNumericStart(t,n){return n>=t.length?-1:(t.charCodeAt(n)|QD)===Er.LOWER_X?(this.state=gr.NumericHex,this.consumed+=1,this.stateNumericHex(t,n+1)):(this.state=gr.NumericDecimal,this.stateNumericDecimal(t,n))}addToNumericResult(t,n,r,a){if(n!==r){const o=r-n;this.result=this.result*Math.pow(a,o)+parseInt(t.substr(n,o),a),this.consumed+=o}}stateNumericHex(t,n){const r=n;for(;n<t.length;){const a=t.charCodeAt(n);if(ch(a)||jD(a))n+=1;else return this.addToNumericResult(t,r,n,16),this.emitNumericEntity(a,3)}return this.addToNumericResult(t,r,n,16),-1}stateNumericDecimal(t,n){const r=n;for(;n<t.length;){const a=t.charCodeAt(n);if(ch(a))n+=1;else return this.addToNumericResult(t,r,n,10),this.emitNumericEntity(a,2)}return this.addToNumericResult(t,r,n,10),-1}emitNumericEntity(t,n){var r;if(this.consumed<=n)return(r=this.errors)===null||r===void 0||r.absenceOfDigitsInNumericCharacterReference(this.consumed),0;if(t===Er.SEMI)this.consumed+=1;else if(this.decodeMode===Qo.Strict)return 0;return this.emitCodePoint($D(this.result),this.consumed),this.errors&&(t!==Er.SEMI&&this.errors.missingSemicolonAfterCharacterReference(),this.errors.validateNumericCharacterReference(this.result)),this.consumed}stateNamedEntity(t,n){const{decodeTree:r}=this;let a=r[this.treeIndex],o=(a&jo.VALUE_LENGTH)>>14;for(;n<t.length;n++,this.excess++){const l=t.charCodeAt(n);if(this.treeIndex=ex(r,a,this.treeIndex+Math.max(1,o),l),this.treeIndex<0)return this.result===0||this.decodeMode===Qo.Attribute&&(o===0||ZD(l))?0:this.emitNotTerminatedNamedEntity();if(a=r[this.treeIndex],o=(a&jo.VALUE_LENGTH)>>14,o!==0){if(l===Er.SEMI)return this.emitNamedEntityData(this.treeIndex,o,this.consumed+this.excess);this.decodeMode!==Qo.Strict&&(this.result=this.treeIndex,this.consumed+=this.excess,this.excess=0)}}return-1}emitNotTerminatedNamedEntity(){var t;const{result:n,decodeTree:r}=this,a=(r[n]&jo.VALUE_LENGTH)>>14;return this.emitNamedEntityData(n,a,this.consumed),(t=this.errors)===null||t===void 0||t.missingSemicolonAfterCharacterReference(),this.consumed}emitNamedEntityData(t,n,r){const{decodeTree:a}=this;return this.emitCodePoint(n===1?a[t]&~jo.VALUE_LENGTH:a[t+1],r),n===3&&this.emitCodePoint(a[t+2],r),r}end(){var t;switch(this.state){case gr.NamedEntity:return this.result!==0&&(this.decodeMode!==Qo.Attribute||this.result===this.treeIndex)?this.emitNotTerminatedNamedEntity():0;case gr.NumericDecimal:return this.emitNumericEntity(0,2);case gr.NumericHex:return this.emitNumericEntity(0,3);case gr.NumericStart:return(t=this.errors)===null||t===void 0||t.absenceOfDigitsInNumericCharacterReference(this.consumed),0;case gr.EntityStart:return 0}}}function oA(e){let t="";const n=new JD(e,r=>t+=KD(r));return function(a,o){let l=0,u=0;for(;(u=a.indexOf("&",u))>=0;){t+=a.slice(l,u),n.startEntity(o);const d=n.write(a,u+1);if(d<0){l=u+n.end();break}l=u+d,u=d===0?l+1:l}const c=t+a.slice(l);return t="",c}}function ex(e,t,n,r){const a=(t&jo.BRANCH_LENGTH)>>7,o=t&jo.JUMP_TABLE;if(a===0)return o!==0&&r===o?n:-1;if(o){const c=r-o;return c<0||c>=a?-1:e[n+c]-1}let l=n,u=l+a-1;for(;l<=u;){const c=l+u>>>1,d=e[c];if(d<r)l=c+1;else if(d>r)u=c-1;else return e[c+a]}return-1}const tx=oA(WD);oA(VD);function sA(e,t=Qo.Legacy){return tx(e,t)}function nx(e){return Object.prototype.toString.call(e)}function rE(e){return nx(e)==="[object String]"}const rx=Object.prototype.hasOwnProperty;function ix(e,t){return rx.call(e,t)}function Fd(e){return Array.prototype.slice.call(arguments,1).forEach(function(n){if(!!n){if(typeof n!="object")throw new TypeError(n+"must be object");Object.keys(n).forEach(function(r){e[r]=n[r]})}}),e}function lA(e,t,n){return[].concat(e.slice(0,t),n,e.slice(t+1))}function iE(e){return!(e>=55296&&e<=57343||e>=64976&&e<=65007||(e&65535)===65535||(e&65535)===65534||e>=0&&e<=8||e===11||e>=14&&e<=31||e>=127&&e<=159||e>1114111)}function hd(e){if(e>65535){e-=65536;const t=55296+(e>>10),n=56320+(e&1023);return String.fromCharCode(t,n)}return String.fromCharCode(e)}const uA=/\\([!"#$%&'()*+,\-./:;<=>?@[\\\]^_`{|}~])/g,ax=/&([a-z#][a-z0-9]{1,31});/gi,ox=new RegExp(uA.source+"|"+ax.source,"gi"),sx=/^#((?:x[a-f0-9]{1,8}|[0-9]{1,8}))$/i;function lx(e,t){if(t.charCodeAt(0)===35&&sx.test(t)){const r=t[1].toLowerCase()==="x"?parseInt(t.slice(2),16):parseInt(t.slice(1),10);return iE(r)?hd(r):e}const n=sA(e);return n!==e?n:e}function ux(e){return e.indexOf("\\")<0?e:e.replace(uA,"$1")}function Uu(e){return e.indexOf("\\")<0&&e.indexOf("&")<0?e:e.replace(ox,function(t,n,r){return n||lx(t,r)})}const cx=/[&<>"]/,dx=/[&<>"]/g,fx={"&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;"};function px(e){return fx[e]}function ns(e){return cx.test(e)?e.replace(dx,px):e}const _x=/[.?*+^$[\]\\(){}|-]/g;function mx(e){return e.replace(_x,"\\$&")}function Dn(e){switch(e){case 9:case 32:return!0}return!1}function Gu(e){if(e>=8192&&e<=8202)return!0;switch(e){case 9:case 10:case 11:case 12:case 13:case 32:case 160:case 5760:case 8239:case 8287:case 12288:return!0}return!1}function Hu(e){return nE.test(e)}function qu(e){switch(e){case 33:case 34:case 35:case 36:case 37:case 38:case 39:case 40:case 41:case 42:case 43:case 44:case 45:case 46:case 47:case 58:case 59:case 60:case 61:case 62:case 63:case 64:case 91:case 92:case 93:case 94:case 95:case 96:case 123:case 124:case 125:case 126:return!0;default:return!1}}function Bd(e){return e=e.trim().replace(/\s+/g," "),"\u1E9E".toLowerCase()==="\u1E7E"&&(e=e.replace(/ẞ/g,"\xDF")),e.toLowerCase().toUpperCase()}const gx={mdurl:HD,ucmicro:YD},hx=Object.freeze(Object.defineProperty({__proto__:null,lib:gx,assign:Fd,isString:rE,has:ix,unescapeMd:ux,unescapeAll:Uu,isValidEntityCode:iE,fromCodePoint:hd,escapeHtml:ns,arrayReplaceAt:lA,isSpace:Dn,isWhiteSpace:Gu,isMdAsciiPunct:qu,isPunctChar:Hu,escapeRE:mx,normalizeReference:Bd},Symbol.toStringTag,{value:"Module"}));function Ex(e,t,n){let r,a,o,l;const u=e.posMax,c=e.pos;for(e.pos=t+1,r=1;e.pos<u;){if(o=e.src.charCodeAt(e.pos),o===93&&(r--,r===0)){a=!0;break}if(l=e.pos,e.md.inline.skipToken(e),o===91){if(l===e.pos-1)r++;else if(n)return e.pos=c,-1}}let d=-1;return a&&(d=e.pos),e.pos=c,d}function Sx(e,t,n){let r,a=t;const o={ok:!1,pos:0,lines:0,str:""};if(e.charCodeAt(a)===60){for(a++;a<n;){if(r=e.charCodeAt(a),r===10||r===60)return o;if(r===62)return o.pos=a+1,o.str=Uu(e.slice(t+1,a)),o.ok=!0,o;if(r===92&&a+1<n){a+=2;continue}a++}return o}let l=0;for(;a<n&&(r=e.charCodeAt(a),!(r===32||r<32||r===127));){if(r===92&&a+1<n){if(e.charCodeAt(a+1)===32)break;a+=2;continue}if(r===40&&(l++,l>32))return o;if(r===41){if(l===0)break;l--}a++}return t===a||l!==0||(o.str=Uu(e.slice(t,a)),o.pos=a,o.ok=!0),o}function bx(e,t,n){let r,a,o=0,l=t;const u={ok:!1,pos:0,lines:0,str:""};if(l>=n||(a=e.charCodeAt(l),a!==34&&a!==39&&a!==40))return u;for(l++,a===40&&(a=41);l<n;){if(r=e.charCodeAt(l),r===a)return u.pos=l+1,u.lines=o,u.str=Uu(e.slice(t+1,l)),u.ok=!0,u;if(r===40&&a===41)return u;r===10?o++:r===92&&l+1<n&&(l++,e.charCodeAt(l)===10&&o++),l++}return u}const vx=Object.freeze(Object.defineProperty({__proto__:null,parseLinkLabel:Ex,parseLinkDestination:Sx,parseLinkTitle:bx},Symbol.toStringTag,{value:"Module"})),Ka={};Ka.code_inline=function(e,t,n,r,a){const o=e[t];return"<code"+a.renderAttrs(o)+">"+ns(o.content)+"</code>"};Ka.code_block=function(e,t,n,r,a){const o=e[t];return"<pre"+a.renderAttrs(o)+"><code>"+ns(e[t].content)+`</code></pre>
-`};Ka.fence=function(e,t,n,r,a){const o=e[t],l=o.info?Uu(o.info).trim():"";let u="",c="";if(l){const S=l.split(/(\s+)/g);u=S[0],c=S.slice(2).join("")}let d;if(n.highlight?d=n.highlight(o.content,u,c)||ns(o.content):d=ns(o.content),d.indexOf("<pre")===0)return d+`
+`)}}).get()}});var fa=/%20/g,ru=/#.*$/,ao=/([?&])_=[^&]*/,Di=/^(.*?):[ \t]*([^\r\n]*)$/mg,oo=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,tl=/^(?:GET|HEAD)$/,Do=/^\/\//,xo={},so={},pa="*/".concat("*"),$i=A.createElement("a");$i.href=Ii.href;function wo(g){return function(b,x){typeof b!="string"&&(x=b,b="*");var P,j=0,X=b.toLowerCase().match(Ze)||[];if(M(x))for(;P=X[j++];)P[0]==="+"?(P=P.slice(1)||"*",(g[P]=g[P]||[]).unshift(x)):(g[P]=g[P]||[]).push(x)}}function _s(g,b,x,P){var j={},X=g===so;function ae(Ce){var ye;return j[Ce]=!0,h.each(g[Ce]||[],function(Be,et){var ot=et(b,x,P);if(typeof ot=="string"&&!X&&!j[ot])return b.dataTypes.unshift(ot),ae(ot),!1;if(X)return!(ye=ot)}),ye}return ae(b.dataTypes[0])||!j["*"]&&ae("*")}function Un(g,b){var x,P,j=h.ajaxSettings.flatOptions||{};for(x in b)b[x]!==void 0&&((j[x]?g:P||(P={}))[x]=b[x]);return P&&h.extend(!0,g,P),g}function gn(g,b,x){for(var P,j,X,ae,Ce=g.contents,ye=g.dataTypes;ye[0]==="*";)ye.shift(),P===void 0&&(P=g.mimeType||b.getResponseHeader("Content-Type"));if(P){for(j in Ce)if(Ce[j]&&Ce[j].test(P)){ye.unshift(j);break}}if(ye[0]in x)X=ye[0];else{for(j in x){if(!ye[0]||g.converters[j+" "+ye[0]]){X=j;break}ae||(ae=j)}X=X||ae}if(X)return X!==ye[0]&&ye.unshift(X),x[X]}function li(g,b,x,P){var j,X,ae,Ce,ye,Be={},et=g.dataTypes.slice();if(et[1])for(ae in g.converters)Be[ae.toLowerCase()]=g.converters[ae];for(X=et.shift();X;)if(g.responseFields[X]&&(x[g.responseFields[X]]=b),!ye&&P&&g.dataFilter&&(b=g.dataFilter(b,g.dataType)),ye=X,X=et.shift(),X){if(X==="*")X=ye;else if(ye!=="*"&&ye!==X){if(ae=Be[ye+" "+X]||Be["* "+X],!ae){for(j in Be)if(Ce=j.split(" "),Ce[1]===X&&(ae=Be[ye+" "+Ce[0]]||Be["* "+Ce[0]],ae)){ae===!0?ae=Be[j]:Be[j]!==!0&&(X=Ce[0],et.unshift(Ce[1]));break}}if(ae!==!0)if(ae&&g.throws)b=ae(b);else try{b=ae(b)}catch(ot){return{state:"parsererror",error:ae?ot:"No conversion from "+ye+" to "+X}}}}return{state:"success",data:b}}h.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:Ii.href,type:"GET",isLocal:oo.test(Ii.protocol),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":pa,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/\bxml\b/,html:/\bhtml/,json:/\bjson\b/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":JSON.parse,"text xml":h.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(g,b){return b?Un(Un(g,h.ajaxSettings),b):Un(h.ajaxSettings,g)},ajaxPrefilter:wo(xo),ajaxTransport:wo(so),ajax:function(g,b){typeof g=="object"&&(b=g,g=void 0),b=b||{};var x,P,j,X,ae,Ce,ye,Be,et,ot,Ke=h.ajaxSetup({},b),mt=Ke.context||Ke,zt=Ke.context&&(mt.nodeType||mt.jquery)?h(mt):h.event,rn=h.Deferred(),Qt=h.Callbacks("once memory"),vn=Ke.statusCode||{},On={},Gn={},kn="canceled",nn={readyState:0,getResponseHeader:function(tn){var jt;if(ye){if(!X)for(X={};jt=Di.exec(j);)X[jt[1].toLowerCase()+" "]=(X[jt[1].toLowerCase()+" "]||[]).concat(jt[2]);jt=X[tn.toLowerCase()+" "]}return jt==null?null:jt.join(", ")},getAllResponseHeaders:function(){return ye?j:null},setRequestHeader:function(tn,jt){return ye==null&&(tn=Gn[tn.toLowerCase()]=Gn[tn.toLowerCase()]||tn,On[tn]=jt),this},overrideMimeType:function(tn){return ye==null&&(Ke.mimeType=tn),this},statusCode:function(tn){var jt;if(tn)if(ye)nn.always(tn[nn.status]);else for(jt in tn)vn[jt]=[vn[jt],tn[jt]];return this},abort:function(tn){var jt=tn||kn;return x&&x.abort(jt),ji(0,jt),this}};if(rn.promise(nn),Ke.url=((g||Ke.url||Ii.href)+"").replace(Do,Ii.protocol+"//"),Ke.type=b.method||b.type||Ke.method||Ke.type,Ke.dataTypes=(Ke.dataType||"*").toLowerCase().match(Ze)||[""],Ke.crossDomain==null){Ce=A.createElement("a");try{Ce.href=Ke.url,Ce.href=Ce.href,Ke.crossDomain=$i.protocol+"//"+$i.host!=Ce.protocol+"//"+Ce.host}catch{Ke.crossDomain=!0}}if(Ke.data&&Ke.processData&&typeof Ke.data!="string"&&(Ke.data=h.param(Ke.data,Ke.traditional)),_s(xo,Ke,b,nn),ye)return nn;Be=h.event&&Ke.global,Be&&h.active++===0&&h.event.trigger("ajaxStart"),Ke.type=Ke.type.toUpperCase(),Ke.hasContent=!tl.test(Ke.type),P=Ke.url.replace(ru,""),Ke.hasContent?Ke.data&&Ke.processData&&(Ke.contentType||"").indexOf("application/x-www-form-urlencoded")===0&&(Ke.data=Ke.data.replace(fa,"+")):(ot=Ke.url.slice(P.length),Ke.data&&(Ke.processData||typeof Ke.data=="string")&&(P+=(no.test(P)?"&":"?")+Ke.data,delete Ke.data),Ke.cache===!1&&(P=P.replace(ao,"$1"),ot=(no.test(P)?"&":"?")+"_="+to.guid+++ot),Ke.url=P+ot),Ke.ifModified&&(h.lastModified[P]&&nn.setRequestHeader("If-Modified-Since",h.lastModified[P]),h.etag[P]&&nn.setRequestHeader("If-None-Match",h.etag[P])),(Ke.data&&Ke.hasContent&&Ke.contentType!==!1||b.contentType)&&nn.setRequestHeader("Content-Type",Ke.contentType),nn.setRequestHeader("Accept",Ke.dataTypes[0]&&Ke.accepts[Ke.dataTypes[0]]?Ke.accepts[Ke.dataTypes[0]]+(Ke.dataTypes[0]!=="*"?", "+pa+"; q=0.01":""):Ke.accepts["*"]);for(et in Ke.headers)nn.setRequestHeader(et,Ke.headers[et]);if(Ke.beforeSend&&(Ke.beforeSend.call(mt,nn,Ke)===!1||ye))return nn.abort();if(kn="abort",Qt.add(Ke.complete),nn.done(Ke.success),nn.fail(Ke.error),x=_s(so,Ke,b,nn),!x)ji(-1,"No Transport");else{if(nn.readyState=1,Be&&zt.trigger("ajaxSend",[nn,Ke]),ye)return nn;Ke.async&&Ke.timeout>0&&(ae=t.setTimeout(function(){nn.abort("timeout")},Ke.timeout));try{ye=!1,x.send(On,ji)}catch(tn){if(ye)throw tn;ji(-1,tn)}}function ji(tn,jt,lo,Lo){var fr,wr,Gr,Vn,Hr,Rn=jt;ye||(ye=!0,ae&&t.clearTimeout(ae),x=void 0,j=Lo||"",nn.readyState=tn>0?4:0,fr=tn>=200&&tn<300||tn===304,lo&&(Vn=gn(Ke,nn,lo)),!fr&&h.inArray("script",Ke.dataTypes)>-1&&h.inArray("json",Ke.dataTypes)<0&&(Ke.converters["text script"]=function(){}),Vn=li(Ke,Vn,nn,fr),fr?(Ke.ifModified&&(Hr=nn.getResponseHeader("Last-Modified"),Hr&&(h.lastModified[P]=Hr),Hr=nn.getResponseHeader("etag"),Hr&&(h.etag[P]=Hr)),tn===204||Ke.type==="HEAD"?Rn="nocontent":tn===304?Rn="notmodified":(Rn=Vn.state,wr=Vn.data,Gr=Vn.error,fr=!Gr)):(Gr=Rn,(tn||!Rn)&&(Rn="error",tn<0&&(tn=0))),nn.status=tn,nn.statusText=(jt||Rn)+"",fr?rn.resolveWith(mt,[wr,Rn,nn]):rn.rejectWith(mt,[nn,Rn,Gr]),nn.statusCode(vn),vn=void 0,Be&&zt.trigger(fr?"ajaxSuccess":"ajaxError",[nn,Ke,fr?wr:Gr]),Qt.fireWith(mt,[nn,Rn]),Be&&(zt.trigger("ajaxComplete",[nn,Ke]),--h.active||h.event.trigger("ajaxStop")))}return nn},getJSON:function(g,b,x){return h.get(g,b,x,"json")},getScript:function(g,b){return h.get(g,void 0,b,"script")}}),h.each(["get","post"],function(g,b){h[b]=function(x,P,j,X){return M(P)&&(X=X||j,j=P,P=void 0),h.ajax(h.extend({url:x,type:b,dataType:X,data:P,success:j},h.isPlainObject(x)&&x))}}),h.ajaxPrefilter(function(g){var b;for(b in g.headers)b.toLowerCase()==="content-type"&&(g.contentType=g.headers[b]||"")}),h._evalUrl=function(g,b,x){return h.ajax({url:g,type:"GET",dataType:"script",cache:!0,async:!1,global:!1,converters:{"text script":function(){}},dataFilter:function(P){h.globalEval(P,b,x)}})},h.fn.extend({wrapAll:function(g){var b;return this[0]&&(M(g)&&(g=g.call(this[0])),b=h(g,this[0].ownerDocument).eq(0).clone(!0),this[0].parentNode&&b.insertBefore(this[0]),b.map(function(){for(var x=this;x.firstElementChild;)x=x.firstElementChild;return x}).append(this)),this},wrapInner:function(g){return M(g)?this.each(function(b){h(this).wrapInner(g.call(this,b))}):this.each(function(){var b=h(this),x=b.contents();x.length?x.wrapAll(g):b.append(g)})},wrap:function(g){var b=M(g);return this.each(function(x){h(this).wrapAll(b?g.call(this,x):g)})},unwrap:function(g){return this.parent(g).not("body").each(function(){h(this).replaceWith(this.childNodes)}),this}}),h.expr.pseudos.hidden=function(g){return!h.expr.pseudos.visible(g)},h.expr.pseudos.visible=function(g){return!!(g.offsetWidth||g.offsetHeight||g.getClientRects().length)},h.ajaxSettings.xhr=function(){try{return new t.XMLHttpRequest}catch{}};var _a={0:200,1223:204},er=h.ajaxSettings.xhr();y.cors=!!er&&"withCredentials"in er,y.ajax=er=!!er,h.ajaxTransport(function(g){var b,x;if(y.cors||er&&!g.crossDomain)return{send:function(P,j){var X,ae=g.xhr();if(ae.open(g.type,g.url,g.async,g.username,g.password),g.xhrFields)for(X in g.xhrFields)ae[X]=g.xhrFields[X];g.mimeType&&ae.overrideMimeType&&ae.overrideMimeType(g.mimeType),!g.crossDomain&&!P["X-Requested-With"]&&(P["X-Requested-With"]="XMLHttpRequest");for(X in P)ae.setRequestHeader(X,P[X]);b=function(Ce){return function(){b&&(b=x=ae.onload=ae.onerror=ae.onabort=ae.ontimeout=ae.onreadystatechange=null,Ce==="abort"?ae.abort():Ce==="error"?typeof ae.status!="number"?j(0,"error"):j(ae.status,ae.statusText):j(_a[ae.status]||ae.status,ae.statusText,(ae.responseType||"text")!=="text"||typeof ae.responseText!="string"?{binary:ae.response}:{text:ae.responseText},ae.getAllResponseHeaders()))}},ae.onload=b(),x=ae.onerror=ae.ontimeout=b("error"),ae.onabort!==void 0?ae.onabort=x:ae.onreadystatechange=function(){ae.readyState===4&&t.setTimeout(function(){b&&x()})},b=b("abort");try{ae.send(g.hasContent&&g.data||null)}catch(Ce){if(b)throw Ce}},abort:function(){b&&b()}}}),h.ajaxPrefilter(function(g){g.crossDomain&&(g.contents.script=!1)}),h.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/\b(?:java|ecma)script\b/},converters:{"text script":function(g){return h.globalEval(g),g}}}),h.ajaxPrefilter("script",function(g){g.cache===void 0&&(g.cache=!1),g.crossDomain&&(g.type="GET")}),h.ajaxTransport("script",function(g){if(g.crossDomain||g.scriptAttrs){var b,x;return{send:function(P,j){b=h("<script>").attr(g.scriptAttrs||{}).prop({charset:g.scriptCharset,src:g.url}).on("load error",x=function(X){b.remove(),x=null,X&&j(X.type==="error"?404:200,X.type)}),A.head.appendChild(b[0])},abort:function(){x&&x()}}}});var nl=[],ui=/(=)\?(?=&|$)|\?\?/;h.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var g=nl.pop()||h.expando+"_"+to.guid++;return this[g]=!0,g}}),h.ajaxPrefilter("json jsonp",function(g,b,x){var P,j,X,ae=g.jsonp!==!1&&(ui.test(g.url)?"url":typeof g.data=="string"&&(g.contentType||"").indexOf("application/x-www-form-urlencoded")===0&&ui.test(g.data)&&"data");if(ae||g.dataTypes[0]==="jsonp")return P=g.jsonpCallback=M(g.jsonpCallback)?g.jsonpCallback():g.jsonpCallback,ae?g[ae]=g[ae].replace(ui,"$1"+P):g.jsonp!==!1&&(g.url+=(no.test(g.url)?"&":"?")+g.jsonp+"="+P),g.converters["script json"]=function(){return X||h.error(P+" was not called"),X[0]},g.dataTypes[0]="json",j=t[P],t[P]=function(){X=arguments},x.always(function(){j===void 0?h(t).removeProp(P):t[P]=j,g[P]&&(g.jsonpCallback=b.jsonpCallback,nl.push(P)),X&&M(j)&&j(X[0]),X=j=void 0}),"script"}),y.createHTMLDocument=function(){var g=A.implementation.createHTMLDocument("").body;return g.innerHTML="<form></form><form></form>",g.childNodes.length===2}(),h.parseHTML=function(g,b,x){if(typeof g!="string")return[];typeof b=="boolean"&&(x=b,b=!1);var P,j,X;return b||(y.createHTMLDocument?(b=A.implementation.createHTMLDocument(""),P=b.createElement("base"),P.href=A.location.href,b.head.appendChild(P)):b=A),j=oe.exec(g),X=!x&&[],j?[b.createElement(j[1])]:(j=Qn([g],b,X),X&&X.length&&h(X).remove(),h.merge([],j.childNodes))},h.fn.load=function(g,b,x){var P,j,X,ae=this,Ce=g.indexOf(" ");return Ce>-1&&(P=Ur(g.slice(Ce)),g=g.slice(0,Ce)),M(b)?(x=b,b=void 0):b&&typeof b=="object"&&(j="POST"),ae.length>0&&h.ajax({url:g,type:j||"GET",dataType:"html",data:b}).done(function(ye){X=arguments,ae.html(P?h("<div>").append(h.parseHTML(ye)).find(P):ye)}).always(x&&function(ye,Be){ae.each(function(){x.apply(this,X||[ye.responseText,Be,ye])})}),this},h.expr.pseudos.animated=function(g){return h.grep(h.timers,function(b){return g===b.elem}).length},h.offset={setOffset:function(g,b,x){var P,j,X,ae,Ce,ye,Be,et=h.css(g,"position"),ot=h(g),Ke={};et==="static"&&(g.style.position="relative"),Ce=ot.offset(),X=h.css(g,"top"),ye=h.css(g,"left"),Be=(et==="absolute"||et==="fixed")&&(X+ye).indexOf("auto")>-1,Be?(P=ot.position(),ae=P.top,j=P.left):(ae=parseFloat(X)||0,j=parseFloat(ye)||0),M(b)&&(b=b.call(g,x,h.extend({},Ce))),b.top!=null&&(Ke.top=b.top-Ce.top+ae),b.left!=null&&(Ke.left=b.left-Ce.left+j),"using"in b?b.using.call(g,Ke):ot.css(Ke)}},h.fn.extend({offset:function(g){if(arguments.length)return g===void 0?this:this.each(function(j){h.offset.setOffset(this,g,j)});var b,x,P=this[0];if(!!P)return P.getClientRects().length?(b=P.getBoundingClientRect(),x=P.ownerDocument.defaultView,{top:b.top+x.pageYOffset,left:b.left+x.pageXOffset}):{top:0,left:0}},position:function(){if(!!this[0]){var g,b,x,P=this[0],j={top:0,left:0};if(h.css(P,"position")==="fixed")b=P.getBoundingClientRect();else{for(b=this.offset(),x=P.ownerDocument,g=P.offsetParent||x.documentElement;g&&(g===x.body||g===x.documentElement)&&h.css(g,"position")==="static";)g=g.parentNode;g&&g!==P&&g.nodeType===1&&(j=h(g).offset(),j.top+=h.css(g,"borderTopWidth",!0),j.left+=h.css(g,"borderLeftWidth",!0))}return{top:b.top-j.top-h.css(P,"marginTop",!0),left:b.left-j.left-h.css(P,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){for(var g=this.offsetParent;g&&h.css(g,"position")==="static";)g=g.offsetParent;return g||Xe})}}),h.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(g,b){var x=b==="pageYOffset";h.fn[g]=function(P){return Re(this,function(j,X,ae){var Ce;if(v(j)?Ce=j:j.nodeType===9&&(Ce=j.defaultView),ae===void 0)return Ce?Ce[b]:j[X];Ce?Ce.scrollTo(x?Ce.pageXOffset:ae,x?ae:Ce.pageYOffset):j[X]=ae},g,P,arguments.length)}}),h.each(["top","left"],function(g,b){h.cssHooks[b]=br(y.pixelPosition,function(x,P){if(P)return P=Hi(x,b),Ra.test(P)?h(x).position()[b]+"px":P})}),h.each({Height:"height",Width:"width"},function(g,b){h.each({padding:"inner"+g,content:b,"":"outer"+g},function(x,P){h.fn[P]=function(j,X){var ae=arguments.length&&(x||typeof j!="boolean"),Ce=x||(j===!0||X===!0?"margin":"border");return Re(this,function(ye,Be,et){var ot;return v(ye)?P.indexOf("outer")===0?ye["inner"+g]:ye.document.documentElement["client"+g]:ye.nodeType===9?(ot=ye.documentElement,Math.max(ye.body["scroll"+g],ot["scroll"+g],ye.body["offset"+g],ot["offset"+g],ot["client"+g])):et===void 0?h.css(ye,Be,Ce):h.style(ye,Be,et,Ce)},b,ae?j:void 0,ae)}})}),h.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(g,b){h.fn[b]=function(x){return this.on(b,x)}}),h.fn.extend({bind:function(g,b,x){return this.on(g,null,b,x)},unbind:function(g,b){return this.off(g,null,b)},delegate:function(g,b,x,P){return this.on(b,g,x,P)},undelegate:function(g,b,x){return arguments.length===1?this.off(g,"**"):this.off(b,g||"**",x)},hover:function(g,b){return this.on("mouseenter",g).on("mouseleave",b||g)}}),h.each("blur focus focusin focusout resize scroll click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup contextmenu".split(" "),function(g,b){h.fn[b]=function(x,P){return arguments.length>0?this.on(b,null,x,P):this.trigger(b)}});var Qi=/^[\s\uFEFF\xA0]+|([^\s\uFEFF\xA0])[\s\uFEFF\xA0]+$/g;h.proxy=function(g,b){var x,P,j;if(typeof b=="string"&&(x=g[b],b=g,g=x),!!M(g))return P=o.call(arguments,2),j=function(){return g.apply(b||this,P.concat(o.call(arguments)))},j.guid=g.guid=g.guid||h.guid++,j},h.holdReady=function(g){g?h.readyWait++:h.ready(!0)},h.isArray=Array.isArray,h.parseJSON=JSON.parse,h.nodeName=F,h.isFunction=M,h.isWindow=v,h.camelCase=Ve,h.type=R,h.now=Date.now,h.isNumeric=function(g){var b=h.type(g);return(b==="number"||b==="string")&&!isNaN(g-parseFloat(g))},h.trim=function(g){return g==null?"":(g+"").replace(Qi,"$1")};var rl=t.jQuery,xr=t.$;return h.noConflict=function(g){return t.$===h&&(t.$=xr),g&&t.jQuery===h&&(t.jQuery=rl),h},typeof n>"u"&&(t.jQuery=t.$=h),h})}(op)),op.exports}var At=ac(),iA={exports:{}};(function(e,t){(function(n,r){e.exports=r()})(Jr,function(){var n=1e3,r=6e4,a=36e5,o="millisecond",l="second",u="minute",c="hour",d="day",S="week",_="month",E="quarter",T="year",y="date",M="Invalid Date",v=/^(\d{4})[-/]?(\d{1,2})?[-/]?(\d{0,2})[Tt\s]*(\d{1,2})?:?(\d{1,2})?:?(\d{1,2})?[.:]?(\d+)?$/,A=/\[([^\]]+)]|Y{1,4}|M{1,4}|D{1,2}|d{1,4}|H{1,2}|h{1,2}|a|A|m{1,2}|s{1,2}|Z{1,2}|SSS/g,O={name:"en",weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),ordinal:function(fe){var V=["th","st","nd","rd"],ne=fe%100;return"["+fe+(V[(ne-20)%10]||V[ne]||V[0])+"]"}},N=function(fe,V,ne){var te=String(fe);return!te||te.length>=V?fe:""+Array(V+1-te.length).join(ne)+fe},R={s:N,z:function(fe){var V=-fe.utcOffset(),ne=Math.abs(V),te=Math.floor(ne/60),G=ne%60;return(V<=0?"+":"-")+N(te,2,"0")+":"+N(G,2,"0")},m:function fe(V,ne){if(V.date()<ne.date())return-fe(ne,V);var te=12*(ne.year()-V.year())+(ne.month()-V.month()),G=V.clone().add(te,_),se=ne-G<0,ve=V.clone().add(te+(se?-1:1),_);return+(-(te+(ne-G)/(se?G-ve:ve-G))||0)},a:function(fe){return fe<0?Math.ceil(fe)||0:Math.floor(fe)},p:function(fe){return{M:_,y:T,w:S,d,D:y,h:c,m:u,s:l,ms:o,Q:E}[fe]||String(fe||"").toLowerCase().replace(/s$/,"")},u:function(fe){return fe===void 0}},L="en",I={};I[L]=O;var h="$isDayjsObject",k=function(fe){return fe instanceof ue||!(!fe||!fe[h])},F=function fe(V,ne,te){var G;if(!V)return L;if(typeof V=="string"){var se=V.toLowerCase();I[se]&&(G=se),ne&&(I[se]=ne,G=se);var ve=V.split("-");if(!G&&ve.length>1)return fe(ve[0])}else{var Ge=V.name;I[Ge]=V,G=Ge}return!te&&G&&(L=G),G||!te&&L},z=function(fe,V){if(k(fe))return fe.clone();var ne=typeof V=="object"?V:{};return ne.date=fe,ne.args=arguments,new ue(ne)},K=R;K.l=F,K.i=k,K.w=function(fe,V){return z(fe,{locale:V.$L,utc:V.$u,x:V.$x,$offset:V.$offset})};var ue=function(){function fe(ne){this.$L=F(ne.locale,null,!0),this.parse(ne),this.$x=this.$x||ne.x||{},this[h]=!0}var V=fe.prototype;return V.parse=function(ne){this.$d=function(te){var G=te.date,se=te.utc;if(G===null)return new Date(NaN);if(K.u(G))return new Date;if(G instanceof Date)return new Date(G);if(typeof G=="string"&&!/Z$/i.test(G)){var ve=G.match(v);if(ve){var Ge=ve[2]-1||0,oe=(ve[7]||"0").substring(0,3);return se?new Date(Date.UTC(ve[1],Ge,ve[3]||1,ve[4]||0,ve[5]||0,ve[6]||0,oe)):new Date(ve[1],Ge,ve[3]||1,ve[4]||0,ve[5]||0,ve[6]||0,oe)}}return new Date(G)}(ne),this.init()},V.init=function(){var ne=this.$d;this.$y=ne.getFullYear(),this.$M=ne.getMonth(),this.$D=ne.getDate(),this.$W=ne.getDay(),this.$H=ne.getHours(),this.$m=ne.getMinutes(),this.$s=ne.getSeconds(),this.$ms=ne.getMilliseconds()},V.$utils=function(){return K},V.isValid=function(){return this.$d.toString()!==M},V.isSame=function(ne,te){var G=z(ne);return this.startOf(te)<=G&&G<=this.endOf(te)},V.isAfter=function(ne,te){return z(ne)<this.startOf(te)},V.isBefore=function(ne,te){return this.endOf(te)<z(ne)},V.$g=function(ne,te,G){return K.u(ne)?this[te]:this.set(G,ne)},V.unix=function(){return Math.floor(this.valueOf()/1e3)},V.valueOf=function(){return this.$d.getTime()},V.startOf=function(ne,te){var G=this,se=!!K.u(te)||te,ve=K.p(ne),Ge=function(ct,Ze){var nt=K.w(G.$u?Date.UTC(G.$y,Ze,ct):new Date(G.$y,Ze,ct),G);return se?nt:nt.endOf(d)},oe=function(ct,Ze){return K.w(G.toDate()[ct].apply(G.toDate("s"),(se?[0,0,0,0]:[23,59,59,999]).slice(Ze)),G)},W=this.$W,Oe=this.$M,tt=this.$D,rt="set"+(this.$u?"UTC":"");switch(ve){case T:return se?Ge(1,0):Ge(31,11);case _:return se?Ge(1,Oe):Ge(0,Oe+1);case S:var bt=this.$locale().weekStart||0,dt=(W<bt?W+7:W)-bt;return Ge(se?tt-dt:tt+(6-dt),Oe);case d:case y:return oe(rt+"Hours",0);case c:return oe(rt+"Minutes",1);case u:return oe(rt+"Seconds",2);case l:return oe(rt+"Milliseconds",3);default:return this.clone()}},V.endOf=function(ne){return this.startOf(ne,!1)},V.$set=function(ne,te){var G,se=K.p(ne),ve="set"+(this.$u?"UTC":""),Ge=(G={},G[d]=ve+"Date",G[y]=ve+"Date",G[_]=ve+"Month",G[T]=ve+"FullYear",G[c]=ve+"Hours",G[u]=ve+"Minutes",G[l]=ve+"Seconds",G[o]=ve+"Milliseconds",G)[se],oe=se===d?this.$D+(te-this.$W):te;if(se===_||se===T){var W=this.clone().set(y,1);W.$d[Ge](oe),W.init(),this.$d=W.set(y,Math.min(this.$D,W.daysInMonth())).$d}else Ge&&this.$d[Ge](oe);return this.init(),this},V.set=function(ne,te){return this.clone().$set(ne,te)},V.get=function(ne){return this[K.p(ne)]()},V.add=function(ne,te){var G,se=this;ne=Number(ne);var ve=K.p(te),Ge=function(Oe){var tt=z(se);return K.w(tt.date(tt.date()+Math.round(Oe*ne)),se)};if(ve===_)return this.set(_,this.$M+ne);if(ve===T)return this.set(T,this.$y+ne);if(ve===d)return Ge(1);if(ve===S)return Ge(7);var oe=(G={},G[u]=r,G[c]=a,G[l]=n,G)[ve]||1,W=this.$d.getTime()+ne*oe;return K.w(W,this)},V.subtract=function(ne,te){return this.add(-1*ne,te)},V.format=function(ne){var te=this,G=this.$locale();if(!this.isValid())return G.invalidDate||M;var se=ne||"YYYY-MM-DDTHH:mm:ssZ",ve=K.z(this),Ge=this.$H,oe=this.$m,W=this.$M,Oe=G.weekdays,tt=G.months,rt=G.meridiem,bt=function(Ze,nt,ce,Ee){return Ze&&(Ze[nt]||Ze(te,se))||ce[nt].slice(0,Ee)},dt=function(Ze){return K.s(Ge%12||12,Ze,"0")},ct=rt||function(Ze,nt,ce){var Ee=Ze<12?"AM":"PM";return ce?Ee.toLowerCase():Ee};return se.replace(A,function(Ze,nt){return nt||function(ce){switch(ce){case"YY":return String(te.$y).slice(-2);case"YYYY":return K.s(te.$y,4,"0");case"M":return W+1;case"MM":return K.s(W+1,2,"0");case"MMM":return bt(G.monthsShort,W,tt,3);case"MMMM":return bt(tt,W);case"D":return te.$D;case"DD":return K.s(te.$D,2,"0");case"d":return String(te.$W);case"dd":return bt(G.weekdaysMin,te.$W,Oe,2);case"ddd":return bt(G.weekdaysShort,te.$W,Oe,3);case"dddd":return Oe[te.$W];case"H":return String(Ge);case"HH":return K.s(Ge,2,"0");case"h":return dt(1);case"hh":return dt(2);case"a":return ct(Ge,oe,!0);case"A":return ct(Ge,oe,!1);case"m":return String(oe);case"mm":return K.s(oe,2,"0");case"s":return String(te.$s);case"ss":return K.s(te.$s,2,"0");case"SSS":return K.s(te.$ms,3,"0");case"Z":return ve}return null}(Ze)||ve.replace(":","")})},V.utcOffset=function(){return 15*-Math.round(this.$d.getTimezoneOffset()/15)},V.diff=function(ne,te,G){var se,ve=this,Ge=K.p(te),oe=z(ne),W=(oe.utcOffset()-this.utcOffset())*r,Oe=this-oe,tt=function(){return K.m(ve,oe)};switch(Ge){case T:se=tt()/12;break;case _:se=tt();break;case E:se=tt()/3;break;case S:se=(Oe-W)/6048e5;break;case d:se=(Oe-W)/864e5;break;case c:se=Oe/a;break;case u:se=Oe/r;break;case l:se=Oe/n;break;default:se=Oe}return G?se:K.a(se)},V.daysInMonth=function(){return this.endOf(_).$D},V.$locale=function(){return I[this.$L]},V.locale=function(ne,te){if(!ne)return this.$L;var G=this.clone(),se=F(ne,te,!0);return se&&(G.$L=se),G},V.clone=function(){return K.w(this.$d,this)},V.toDate=function(){return new Date(this.valueOf())},V.toJSON=function(){return this.isValid()?this.toISOString():null},V.toISOString=function(){return this.$d.toISOString()},V.toString=function(){return this.$d.toUTCString()},fe}(),Z=ue.prototype;return z.prototype=Z,[["$ms",o],["$s",l],["$m",u],["$H",c],["$W",d],["$M",_],["$y",T],["$D",y]].forEach(function(fe){Z[fe[1]]=function(V){return this.$g(V,fe[0],fe[1])}}),z.extend=function(fe,V){return fe.$i||(fe(V,ue,z),fe.$i=!0),z},z.locale=F,z.isDayjs=k,z.unix=function(fe){return z(1e3*fe)},z.en=I[L],z.Ls=I,z.p={},z})})(iA);const oc=iA.exports,qb={};function LD(e){let t=qb[e];if(t)return t;t=qb[e]=[];for(let n=0;n<128;n++){const r=String.fromCharCode(n);t.push(r)}for(let n=0;n<e.length;n++){const r=e.charCodeAt(n);t[r]="%"+("0"+r.toString(16).toUpperCase()).slice(-2)}return t}function kl(e,t){typeof t!="string"&&(t=kl.defaultChars);const n=LD(t);return e.replace(/(%[a-f0-9]{2})+/gi,function(r){let a="";for(let o=0,l=r.length;o<l;o+=3){const u=parseInt(r.slice(o+1,o+3),16);if(u<128){a+=n[u];continue}if((u&224)===192&&o+3<l){const c=parseInt(r.slice(o+4,o+6),16);if((c&192)===128){const d=u<<6&1984|c&63;d<128?a+="\uFFFD\uFFFD":a+=String.fromCharCode(d),o+=3;continue}}if((u&240)===224&&o+6<l){const c=parseInt(r.slice(o+4,o+6),16),d=parseInt(r.slice(o+7,o+9),16);if((c&192)===128&&(d&192)===128){const S=u<<12&61440|c<<6&4032|d&63;S<2048||S>=55296&&S<=57343?a+="\uFFFD\uFFFD\uFFFD":a+=String.fromCharCode(S),o+=6;continue}}if((u&248)===240&&o+9<l){const c=parseInt(r.slice(o+4,o+6),16),d=parseInt(r.slice(o+7,o+9),16),S=parseInt(r.slice(o+10,o+12),16);if((c&192)===128&&(d&192)===128&&(S&192)===128){let _=u<<18&1835008|c<<12&258048|d<<6&4032|S&63;_<65536||_>1114111?a+="\uFFFD\uFFFD\uFFFD\uFFFD":(_-=65536,a+=String.fromCharCode(55296+(_>>10),56320+(_&1023))),o+=9;continue}}a+="\uFFFD"}return a})}kl.defaultChars=";/?:@&=+$,#";kl.componentChars="";const Yb={};function MD(e){let t=Yb[e];if(t)return t;t=Yb[e]=[];for(let n=0;n<128;n++){const r=String.fromCharCode(n);/^[0-9a-z]$/i.test(r)?t.push(r):t.push("%"+("0"+n.toString(16).toUpperCase()).slice(-2))}for(let n=0;n<e.length;n++)t[e.charCodeAt(n)]=e[n];return t}function sc(e,t,n){typeof t!="string"&&(n=t,t=sc.defaultChars),typeof n>"u"&&(n=!0);const r=MD(t);let a="";for(let o=0,l=e.length;o<l;o++){const u=e.charCodeAt(o);if(n&&u===37&&o+2<l&&/^[0-9a-f]{2}$/i.test(e.slice(o+1,o+3))){a+=e.slice(o,o+3),o+=2;continue}if(u<128){a+=r[u];continue}if(u>=55296&&u<=57343){if(u>=55296&&u<=56319&&o+1<l){const c=e.charCodeAt(o+1);if(c>=56320&&c<=57343){a+=encodeURIComponent(e[o]+e[o+1]),o++;continue}}a+="%EF%BF%BD";continue}a+=encodeURIComponent(e[o])}return a}sc.defaultChars=";/?:@&=+$,-_.!~*'()#";sc.componentChars="-_.!~*'()";function tE(e){let t="";return t+=e.protocol||"",t+=e.slashes?"//":"",t+=e.auth?e.auth+"@":"",e.hostname&&e.hostname.indexOf(":")!==-1?t+="["+e.hostname+"]":t+=e.hostname||"",t+=e.port?":"+e.port:"",t+=e.pathname||"",t+=e.search||"",t+=e.hash||"",t}function gd(){this.protocol=null,this.slashes=null,this.auth=null,this.port=null,this.hostname=null,this.hash=null,this.search=null,this.pathname=null}const kD=/^([a-z0-9.+-]+:)/i,PD=/:[0-9]*$/,FD=/^(\/\/?(?!\/)[^\?\s]*)(\?[^\s]*)?$/,BD=["<",">",'"',"`"," ","\r",`
+`,"	"],UD=["{","}","|","\\","^","`"].concat(BD),GD=["'"].concat(UD),Wb=["%","/","?",";","#"].concat(GD),Vb=["/","?","#"],HD=255,zb=/^[+a-z0-9A-Z_-]{0,63}$/,qD=/^([+a-z0-9A-Z_-]{0,63})(.*)$/,Kb={javascript:!0,"javascript:":!0},$b={http:!0,https:!0,ftp:!0,gopher:!0,file:!0,"http:":!0,"https:":!0,"ftp:":!0,"gopher:":!0,"file:":!0};function nE(e,t){if(e&&e instanceof gd)return e;const n=new gd;return n.parse(e,t),n}gd.prototype.parse=function(e,t){let n,r,a,o=e;if(o=o.trim(),!t&&e.split("#").length===1){const d=FD.exec(o);if(d)return this.pathname=d[1],d[2]&&(this.search=d[2]),this}let l=kD.exec(o);if(l&&(l=l[0],n=l.toLowerCase(),this.protocol=l,o=o.substr(l.length)),(t||l||o.match(/^\/\/[^@\/]+@[^@\/]+/))&&(a=o.substr(0,2)==="//",a&&!(l&&Kb[l])&&(o=o.substr(2),this.slashes=!0)),!Kb[l]&&(a||l&&!$b[l])){let d=-1;for(let y=0;y<Vb.length;y++)r=o.indexOf(Vb[y]),r!==-1&&(d===-1||r<d)&&(d=r);let S,_;d===-1?_=o.lastIndexOf("@"):_=o.lastIndexOf("@",d),_!==-1&&(S=o.slice(0,_),o=o.slice(_+1),this.auth=S),d=-1;for(let y=0;y<Wb.length;y++)r=o.indexOf(Wb[y]),r!==-1&&(d===-1||r<d)&&(d=r);d===-1&&(d=o.length),o[d-1]===":"&&d--;const E=o.slice(0,d);o=o.slice(d),this.parseHost(E),this.hostname=this.hostname||"";const T=this.hostname[0]==="["&&this.hostname[this.hostname.length-1]==="]";if(!T){const y=this.hostname.split(/\./);for(let M=0,v=y.length;M<v;M++){const A=y[M];if(!!A&&!A.match(zb)){let O="";for(let N=0,R=A.length;N<R;N++)A.charCodeAt(N)>127?O+="x":O+=A[N];if(!O.match(zb)){const N=y.slice(0,M),R=y.slice(M+1),L=A.match(qD);L&&(N.push(L[1]),R.unshift(L[2])),R.length&&(o=R.join(".")+o),this.hostname=N.join(".");break}}}}this.hostname.length>HD&&(this.hostname=""),T&&(this.hostname=this.hostname.substr(1,this.hostname.length-2))}const u=o.indexOf("#");u!==-1&&(this.hash=o.substr(u),o=o.slice(0,u));const c=o.indexOf("?");return c!==-1&&(this.search=o.substr(c),o=o.slice(0,c)),o&&(this.pathname=o),$b[n]&&this.hostname&&!this.pathname&&(this.pathname=""),this};gd.prototype.parseHost=function(e){let t=PD.exec(e);t&&(t=t[0],t!==":"&&(this.port=t.substr(1)),e=e.substr(0,e.length-t.length)),e&&(this.hostname=e)};const YD=Object.freeze(Object.defineProperty({__proto__:null,decode:kl,encode:sc,format:tE,parse:nE},Symbol.toStringTag,{value:"Module"})),aA=/[\0-\uD7FF\uE000-\uFFFF]|[\uD800-\uDBFF][\uDC00-\uDFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]/,oA=/[\0-\x1F\x7F-\x9F]/,WD=/[\xAD\u0600-\u0605\u061C\u06DD\u070F\u0890\u0891\u08E2\u180E\u200B-\u200F\u202A-\u202E\u2060-\u2064\u2066-\u206F\uFEFF\uFFF9-\uFFFB]|\uD804[\uDCBD\uDCCD]|\uD80D[\uDC30-\uDC3F]|\uD82F[\uDCA0-\uDCA3]|\uD834[\uDD73-\uDD7A]|\uDB40[\uDC01\uDC20-\uDC7F]/,rE=/[!-#%-\*,-\/:;\?@\[-\]_\{\}\xA1\xA7\xAB\xB6\xB7\xBB\xBF\u037E\u0387\u055A-\u055F\u0589\u058A\u05BE\u05C0\u05C3\u05C6\u05F3\u05F4\u0609\u060A\u060C\u060D\u061B\u061D-\u061F\u066A-\u066D\u06D4\u0700-\u070D\u07F7-\u07F9\u0830-\u083E\u085E\u0964\u0965\u0970\u09FD\u0A76\u0AF0\u0C77\u0C84\u0DF4\u0E4F\u0E5A\u0E5B\u0F04-\u0F12\u0F14\u0F3A-\u0F3D\u0F85\u0FD0-\u0FD4\u0FD9\u0FDA\u104A-\u104F\u10FB\u1360-\u1368\u1400\u166E\u169B\u169C\u16EB-\u16ED\u1735\u1736\u17D4-\u17D6\u17D8-\u17DA\u1800-\u180A\u1944\u1945\u1A1E\u1A1F\u1AA0-\u1AA6\u1AA8-\u1AAD\u1B5A-\u1B60\u1B7D\u1B7E\u1BFC-\u1BFF\u1C3B-\u1C3F\u1C7E\u1C7F\u1CC0-\u1CC7\u1CD3\u2010-\u2027\u2030-\u2043\u2045-\u2051\u2053-\u205E\u207D\u207E\u208D\u208E\u2308-\u230B\u2329\u232A\u2768-\u2775\u27C5\u27C6\u27E6-\u27EF\u2983-\u2998\u29D8-\u29DB\u29FC\u29FD\u2CF9-\u2CFC\u2CFE\u2CFF\u2D70\u2E00-\u2E2E\u2E30-\u2E4F\u2E52-\u2E5D\u3001-\u3003\u3008-\u3011\u3014-\u301F\u3030\u303D\u30A0\u30FB\uA4FE\uA4FF\uA60D-\uA60F\uA673\uA67E\uA6F2-\uA6F7\uA874-\uA877\uA8CE\uA8CF\uA8F8-\uA8FA\uA8FC\uA92E\uA92F\uA95F\uA9C1-\uA9CD\uA9DE\uA9DF\uAA5C-\uAA5F\uAADE\uAADF\uAAF0\uAAF1\uABEB\uFD3E\uFD3F\uFE10-\uFE19\uFE30-\uFE52\uFE54-\uFE61\uFE63\uFE68\uFE6A\uFE6B\uFF01-\uFF03\uFF05-\uFF0A\uFF0C-\uFF0F\uFF1A\uFF1B\uFF1F\uFF20\uFF3B-\uFF3D\uFF3F\uFF5B\uFF5D\uFF5F-\uFF65]|\uD800[\uDD00-\uDD02\uDF9F\uDFD0]|\uD801\uDD6F|\uD802[\uDC57\uDD1F\uDD3F\uDE50-\uDE58\uDE7F\uDEF0-\uDEF6\uDF39-\uDF3F\uDF99-\uDF9C]|\uD803[\uDEAD\uDF55-\uDF59\uDF86-\uDF89]|\uD804[\uDC47-\uDC4D\uDCBB\uDCBC\uDCBE-\uDCC1\uDD40-\uDD43\uDD74\uDD75\uDDC5-\uDDC8\uDDCD\uDDDB\uDDDD-\uDDDF\uDE38-\uDE3D\uDEA9]|\uD805[\uDC4B-\uDC4F\uDC5A\uDC5B\uDC5D\uDCC6\uDDC1-\uDDD7\uDE41-\uDE43\uDE60-\uDE6C\uDEB9\uDF3C-\uDF3E]|\uD806[\uDC3B\uDD44-\uDD46\uDDE2\uDE3F-\uDE46\uDE9A-\uDE9C\uDE9E-\uDEA2\uDF00-\uDF09]|\uD807[\uDC41-\uDC45\uDC70\uDC71\uDEF7\uDEF8\uDF43-\uDF4F\uDFFF]|\uD809[\uDC70-\uDC74]|\uD80B[\uDFF1\uDFF2]|\uD81A[\uDE6E\uDE6F\uDEF5\uDF37-\uDF3B\uDF44]|\uD81B[\uDE97-\uDE9A\uDFE2]|\uD82F\uDC9F|\uD836[\uDE87-\uDE8B]|\uD83A[\uDD5E\uDD5F]/,sA=/[ \xA0\u1680\u2000-\u200A\u2028\u2029\u202F\u205F\u3000]/,VD=Object.freeze(Object.defineProperty({__proto__:null,Any:aA,Cc:oA,Cf:WD,P:rE,Z:sA},Symbol.toStringTag,{value:"Module"})),zD=new Uint16Array('\u1D41<\xD5\u0131\u028A\u049D\u057B\u05D0\u0675\u06DE\u07A2\u07D6\u080F\u0A4A\u0A91\u0DA1\u0E6D\u0F09\u0F26\u10CA\u1228\u12E1\u1415\u149D\u14C3\u14DF\u1525\0\0\0\0\0\0\u156B\u16CD\u198D\u1C12\u1DDD\u1F7E\u2060\u21B0\u228D\u23C0\u23FB\u2442\u2824\u2912\u2D08\u2E48\u2FCE\u3016\u32BA\u3639\u37AC\u38FE\u3A28\u3A71\u3AE0\u3B2E\u0800EMabcfglmnoprstu\\bfms\x7F\x84\x8B\x90\x95\x98\xA6\xB3\xB9\xC8\xCFlig\u803B\xC6\u40C6P\u803B&\u4026cute\u803B\xC1\u40C1reve;\u4102\u0100iyx}rc\u803B\xC2\u40C2;\u4410r;\uC000\u{1D504}rave\u803B\xC0\u40C0pha;\u4391acr;\u4100d;\u6A53\u0100gp\x9D\xA1on;\u4104f;\uC000\u{1D538}plyFunction;\u6061ing\u803B\xC5\u40C5\u0100cs\xBE\xC3r;\uC000\u{1D49C}ign;\u6254ilde\u803B\xC3\u40C3ml\u803B\xC4\u40C4\u0400aceforsu\xE5\xFB\xFE\u0117\u011C\u0122\u0127\u012A\u0100cr\xEA\xF2kslash;\u6216\u0176\xF6\xF8;\u6AE7ed;\u6306y;\u4411\u0180crt\u0105\u010B\u0114ause;\u6235noullis;\u612Ca;\u4392r;\uC000\u{1D505}pf;\uC000\u{1D539}eve;\u42D8c\xF2\u0113mpeq;\u624E\u0700HOacdefhilorsu\u014D\u0151\u0156\u0180\u019E\u01A2\u01B5\u01B7\u01BA\u01DC\u0215\u0273\u0278\u027Ecy;\u4427PY\u803B\xA9\u40A9\u0180cpy\u015D\u0162\u017Aute;\u4106\u0100;i\u0167\u0168\u62D2talDifferentialD;\u6145leys;\u612D\u0200aeio\u0189\u018E\u0194\u0198ron;\u410Cdil\u803B\xC7\u40C7rc;\u4108nint;\u6230ot;\u410A\u0100dn\u01A7\u01ADilla;\u40B8terDot;\u40B7\xF2\u017Fi;\u43A7rcle\u0200DMPT\u01C7\u01CB\u01D1\u01D6ot;\u6299inus;\u6296lus;\u6295imes;\u6297o\u0100cs\u01E2\u01F8kwiseContourIntegral;\u6232eCurly\u0100DQ\u0203\u020FoubleQuote;\u601Duote;\u6019\u0200lnpu\u021E\u0228\u0247\u0255on\u0100;e\u0225\u0226\u6237;\u6A74\u0180git\u022F\u0236\u023Aruent;\u6261nt;\u622FourIntegral;\u622E\u0100fr\u024C\u024E;\u6102oduct;\u6210nterClockwiseContourIntegral;\u6233oss;\u6A2Fcr;\uC000\u{1D49E}p\u0100;C\u0284\u0285\u62D3ap;\u624D\u0580DJSZacefios\u02A0\u02AC\u02B0\u02B4\u02B8\u02CB\u02D7\u02E1\u02E6\u0333\u048D\u0100;o\u0179\u02A5trahd;\u6911cy;\u4402cy;\u4405cy;\u440F\u0180grs\u02BF\u02C4\u02C7ger;\u6021r;\u61A1hv;\u6AE4\u0100ay\u02D0\u02D5ron;\u410E;\u4414l\u0100;t\u02DD\u02DE\u6207a;\u4394r;\uC000\u{1D507}\u0100af\u02EB\u0327\u0100cm\u02F0\u0322ritical\u0200ADGT\u0300\u0306\u0316\u031Ccute;\u40B4o\u0174\u030B\u030D;\u42D9bleAcute;\u42DDrave;\u4060ilde;\u42DCond;\u62C4ferentialD;\u6146\u0470\u033D\0\0\0\u0342\u0354\0\u0405f;\uC000\u{1D53B}\u0180;DE\u0348\u0349\u034D\u40A8ot;\u60DCqual;\u6250ble\u0300CDLRUV\u0363\u0372\u0382\u03CF\u03E2\u03F8ontourIntegra\xEC\u0239o\u0274\u0379\0\0\u037B\xBB\u0349nArrow;\u61D3\u0100eo\u0387\u03A4ft\u0180ART\u0390\u0396\u03A1rrow;\u61D0ightArrow;\u61D4e\xE5\u02CAng\u0100LR\u03AB\u03C4eft\u0100AR\u03B3\u03B9rrow;\u67F8ightArrow;\u67FAightArrow;\u67F9ight\u0100AT\u03D8\u03DErrow;\u61D2ee;\u62A8p\u0241\u03E9\0\0\u03EFrrow;\u61D1ownArrow;\u61D5erticalBar;\u6225n\u0300ABLRTa\u0412\u042A\u0430\u045E\u047F\u037Crrow\u0180;BU\u041D\u041E\u0422\u6193ar;\u6913pArrow;\u61F5reve;\u4311eft\u02D2\u043A\0\u0446\0\u0450ightVector;\u6950eeVector;\u695Eector\u0100;B\u0459\u045A\u61BDar;\u6956ight\u01D4\u0467\0\u0471eeVector;\u695Fector\u0100;B\u047A\u047B\u61C1ar;\u6957ee\u0100;A\u0486\u0487\u62A4rrow;\u61A7\u0100ct\u0492\u0497r;\uC000\u{1D49F}rok;\u4110\u0800NTacdfglmopqstux\u04BD\u04C0\u04C4\u04CB\u04DE\u04E2\u04E7\u04EE\u04F5\u0521\u052F\u0536\u0552\u055D\u0560\u0565G;\u414AH\u803B\xD0\u40D0cute\u803B\xC9\u40C9\u0180aiy\u04D2\u04D7\u04DCron;\u411Arc\u803B\xCA\u40CA;\u442Dot;\u4116r;\uC000\u{1D508}rave\u803B\xC8\u40C8ement;\u6208\u0100ap\u04FA\u04FEcr;\u4112ty\u0253\u0506\0\0\u0512mallSquare;\u65FBerySmallSquare;\u65AB\u0100gp\u0526\u052Aon;\u4118f;\uC000\u{1D53C}silon;\u4395u\u0100ai\u053C\u0549l\u0100;T\u0542\u0543\u6A75ilde;\u6242librium;\u61CC\u0100ci\u0557\u055Ar;\u6130m;\u6A73a;\u4397ml\u803B\xCB\u40CB\u0100ip\u056A\u056Fsts;\u6203onentialE;\u6147\u0280cfios\u0585\u0588\u058D\u05B2\u05CCy;\u4424r;\uC000\u{1D509}lled\u0253\u0597\0\0\u05A3mallSquare;\u65FCerySmallSquare;\u65AA\u0370\u05BA\0\u05BF\0\0\u05C4f;\uC000\u{1D53D}All;\u6200riertrf;\u6131c\xF2\u05CB\u0600JTabcdfgorst\u05E8\u05EC\u05EF\u05FA\u0600\u0612\u0616\u061B\u061D\u0623\u066C\u0672cy;\u4403\u803B>\u403Emma\u0100;d\u05F7\u05F8\u4393;\u43DCreve;\u411E\u0180eiy\u0607\u060C\u0610dil;\u4122rc;\u411C;\u4413ot;\u4120r;\uC000\u{1D50A};\u62D9pf;\uC000\u{1D53E}eater\u0300EFGLST\u0635\u0644\u064E\u0656\u065B\u0666qual\u0100;L\u063E\u063F\u6265ess;\u62DBullEqual;\u6267reater;\u6AA2ess;\u6277lantEqual;\u6A7Eilde;\u6273cr;\uC000\u{1D4A2};\u626B\u0400Aacfiosu\u0685\u068B\u0696\u069B\u069E\u06AA\u06BE\u06CARDcy;\u442A\u0100ct\u0690\u0694ek;\u42C7;\u405Eirc;\u4124r;\u610ClbertSpace;\u610B\u01F0\u06AF\0\u06B2f;\u610DizontalLine;\u6500\u0100ct\u06C3\u06C5\xF2\u06A9rok;\u4126mp\u0144\u06D0\u06D8ownHum\xF0\u012Fqual;\u624F\u0700EJOacdfgmnostu\u06FA\u06FE\u0703\u0707\u070E\u071A\u071E\u0721\u0728\u0744\u0778\u078B\u078F\u0795cy;\u4415lig;\u4132cy;\u4401cute\u803B\xCD\u40CD\u0100iy\u0713\u0718rc\u803B\xCE\u40CE;\u4418ot;\u4130r;\u6111rave\u803B\xCC\u40CC\u0180;ap\u0720\u072F\u073F\u0100cg\u0734\u0737r;\u412AinaryI;\u6148lie\xF3\u03DD\u01F4\u0749\0\u0762\u0100;e\u074D\u074E\u622C\u0100gr\u0753\u0758ral;\u622Bsection;\u62C2isible\u0100CT\u076C\u0772omma;\u6063imes;\u6062\u0180gpt\u077F\u0783\u0788on;\u412Ef;\uC000\u{1D540}a;\u4399cr;\u6110ilde;\u4128\u01EB\u079A\0\u079Ecy;\u4406l\u803B\xCF\u40CF\u0280cfosu\u07AC\u07B7\u07BC\u07C2\u07D0\u0100iy\u07B1\u07B5rc;\u4134;\u4419r;\uC000\u{1D50D}pf;\uC000\u{1D541}\u01E3\u07C7\0\u07CCr;\uC000\u{1D4A5}rcy;\u4408kcy;\u4404\u0380HJacfos\u07E4\u07E8\u07EC\u07F1\u07FD\u0802\u0808cy;\u4425cy;\u440Cppa;\u439A\u0100ey\u07F6\u07FBdil;\u4136;\u441Ar;\uC000\u{1D50E}pf;\uC000\u{1D542}cr;\uC000\u{1D4A6}\u0580JTaceflmost\u0825\u0829\u082C\u0850\u0863\u09B3\u09B8\u09C7\u09CD\u0A37\u0A47cy;\u4409\u803B<\u403C\u0280cmnpr\u0837\u083C\u0841\u0844\u084Dute;\u4139bda;\u439Bg;\u67EAlacetrf;\u6112r;\u619E\u0180aey\u0857\u085C\u0861ron;\u413Ddil;\u413B;\u441B\u0100fs\u0868\u0970t\u0500ACDFRTUVar\u087E\u08A9\u08B1\u08E0\u08E6\u08FC\u092F\u095B\u0390\u096A\u0100nr\u0883\u088FgleBracket;\u67E8row\u0180;BR\u0899\u089A\u089E\u6190ar;\u61E4ightArrow;\u61C6eiling;\u6308o\u01F5\u08B7\0\u08C3bleBracket;\u67E6n\u01D4\u08C8\0\u08D2eeVector;\u6961ector\u0100;B\u08DB\u08DC\u61C3ar;\u6959loor;\u630Aight\u0100AV\u08EF\u08F5rrow;\u6194ector;\u694E\u0100er\u0901\u0917e\u0180;AV\u0909\u090A\u0910\u62A3rrow;\u61A4ector;\u695Aiangle\u0180;BE\u0924\u0925\u0929\u62B2ar;\u69CFqual;\u62B4p\u0180DTV\u0937\u0942\u094CownVector;\u6951eeVector;\u6960ector\u0100;B\u0956\u0957\u61BFar;\u6958ector\u0100;B\u0965\u0966\u61BCar;\u6952ight\xE1\u039Cs\u0300EFGLST\u097E\u098B\u0995\u099D\u09A2\u09ADqualGreater;\u62DAullEqual;\u6266reater;\u6276ess;\u6AA1lantEqual;\u6A7Dilde;\u6272r;\uC000\u{1D50F}\u0100;e\u09BD\u09BE\u62D8ftarrow;\u61DAidot;\u413F\u0180npw\u09D4\u0A16\u0A1Bg\u0200LRlr\u09DE\u09F7\u0A02\u0A10eft\u0100AR\u09E6\u09ECrrow;\u67F5ightArrow;\u67F7ightArrow;\u67F6eft\u0100ar\u03B3\u0A0Aight\xE1\u03BFight\xE1\u03CAf;\uC000\u{1D543}er\u0100LR\u0A22\u0A2CeftArrow;\u6199ightArrow;\u6198\u0180cht\u0A3E\u0A40\u0A42\xF2\u084C;\u61B0rok;\u4141;\u626A\u0400acefiosu\u0A5A\u0A5D\u0A60\u0A77\u0A7C\u0A85\u0A8B\u0A8Ep;\u6905y;\u441C\u0100dl\u0A65\u0A6FiumSpace;\u605Flintrf;\u6133r;\uC000\u{1D510}nusPlus;\u6213pf;\uC000\u{1D544}c\xF2\u0A76;\u439C\u0480Jacefostu\u0AA3\u0AA7\u0AAD\u0AC0\u0B14\u0B19\u0D91\u0D97\u0D9Ecy;\u440Acute;\u4143\u0180aey\u0AB4\u0AB9\u0ABEron;\u4147dil;\u4145;\u441D\u0180gsw\u0AC7\u0AF0\u0B0Eative\u0180MTV\u0AD3\u0ADF\u0AE8ediumSpace;\u600Bhi\u0100cn\u0AE6\u0AD8\xEB\u0AD9eryThi\xEE\u0AD9ted\u0100GL\u0AF8\u0B06reaterGreate\xF2\u0673essLes\xF3\u0A48Line;\u400Ar;\uC000\u{1D511}\u0200Bnpt\u0B22\u0B28\u0B37\u0B3Areak;\u6060BreakingSpace;\u40A0f;\u6115\u0680;CDEGHLNPRSTV\u0B55\u0B56\u0B6A\u0B7C\u0BA1\u0BEB\u0C04\u0C5E\u0C84\u0CA6\u0CD8\u0D61\u0D85\u6AEC\u0100ou\u0B5B\u0B64ngruent;\u6262pCap;\u626DoubleVerticalBar;\u6226\u0180lqx\u0B83\u0B8A\u0B9Bement;\u6209ual\u0100;T\u0B92\u0B93\u6260ilde;\uC000\u2242\u0338ists;\u6204reater\u0380;EFGLST\u0BB6\u0BB7\u0BBD\u0BC9\u0BD3\u0BD8\u0BE5\u626Fqual;\u6271ullEqual;\uC000\u2267\u0338reater;\uC000\u226B\u0338ess;\u6279lantEqual;\uC000\u2A7E\u0338ilde;\u6275ump\u0144\u0BF2\u0BFDownHump;\uC000\u224E\u0338qual;\uC000\u224F\u0338e\u0100fs\u0C0A\u0C27tTriangle\u0180;BE\u0C1A\u0C1B\u0C21\u62EAar;\uC000\u29CF\u0338qual;\u62ECs\u0300;EGLST\u0C35\u0C36\u0C3C\u0C44\u0C4B\u0C58\u626Equal;\u6270reater;\u6278ess;\uC000\u226A\u0338lantEqual;\uC000\u2A7D\u0338ilde;\u6274ested\u0100GL\u0C68\u0C79reaterGreater;\uC000\u2AA2\u0338essLess;\uC000\u2AA1\u0338recedes\u0180;ES\u0C92\u0C93\u0C9B\u6280qual;\uC000\u2AAF\u0338lantEqual;\u62E0\u0100ei\u0CAB\u0CB9verseElement;\u620CghtTriangle\u0180;BE\u0CCB\u0CCC\u0CD2\u62EBar;\uC000\u29D0\u0338qual;\u62ED\u0100qu\u0CDD\u0D0CuareSu\u0100bp\u0CE8\u0CF9set\u0100;E\u0CF0\u0CF3\uC000\u228F\u0338qual;\u62E2erset\u0100;E\u0D03\u0D06\uC000\u2290\u0338qual;\u62E3\u0180bcp\u0D13\u0D24\u0D4Eset\u0100;E\u0D1B\u0D1E\uC000\u2282\u20D2qual;\u6288ceeds\u0200;EST\u0D32\u0D33\u0D3B\u0D46\u6281qual;\uC000\u2AB0\u0338lantEqual;\u62E1ilde;\uC000\u227F\u0338erset\u0100;E\u0D58\u0D5B\uC000\u2283\u20D2qual;\u6289ilde\u0200;EFT\u0D6E\u0D6F\u0D75\u0D7F\u6241qual;\u6244ullEqual;\u6247ilde;\u6249erticalBar;\u6224cr;\uC000\u{1D4A9}ilde\u803B\xD1\u40D1;\u439D\u0700Eacdfgmoprstuv\u0DBD\u0DC2\u0DC9\u0DD5\u0DDB\u0DE0\u0DE7\u0DFC\u0E02\u0E20\u0E22\u0E32\u0E3F\u0E44lig;\u4152cute\u803B\xD3\u40D3\u0100iy\u0DCE\u0DD3rc\u803B\xD4\u40D4;\u441Eblac;\u4150r;\uC000\u{1D512}rave\u803B\xD2\u40D2\u0180aei\u0DEE\u0DF2\u0DF6cr;\u414Cga;\u43A9cron;\u439Fpf;\uC000\u{1D546}enCurly\u0100DQ\u0E0E\u0E1AoubleQuote;\u601Cuote;\u6018;\u6A54\u0100cl\u0E27\u0E2Cr;\uC000\u{1D4AA}ash\u803B\xD8\u40D8i\u016C\u0E37\u0E3Cde\u803B\xD5\u40D5es;\u6A37ml\u803B\xD6\u40D6er\u0100BP\u0E4B\u0E60\u0100ar\u0E50\u0E53r;\u603Eac\u0100ek\u0E5A\u0E5C;\u63DEet;\u63B4arenthesis;\u63DC\u0480acfhilors\u0E7F\u0E87\u0E8A\u0E8F\u0E92\u0E94\u0E9D\u0EB0\u0EFCrtialD;\u6202y;\u441Fr;\uC000\u{1D513}i;\u43A6;\u43A0usMinus;\u40B1\u0100ip\u0EA2\u0EADncareplan\xE5\u069Df;\u6119\u0200;eio\u0EB9\u0EBA\u0EE0\u0EE4\u6ABBcedes\u0200;EST\u0EC8\u0EC9\u0ECF\u0EDA\u627Aqual;\u6AAFlantEqual;\u627Cilde;\u627Eme;\u6033\u0100dp\u0EE9\u0EEEuct;\u620Fortion\u0100;a\u0225\u0EF9l;\u621D\u0100ci\u0F01\u0F06r;\uC000\u{1D4AB};\u43A8\u0200Ufos\u0F11\u0F16\u0F1B\u0F1FOT\u803B"\u4022r;\uC000\u{1D514}pf;\u611Acr;\uC000\u{1D4AC}\u0600BEacefhiorsu\u0F3E\u0F43\u0F47\u0F60\u0F73\u0FA7\u0FAA\u0FAD\u1096\u10A9\u10B4\u10BEarr;\u6910G\u803B\xAE\u40AE\u0180cnr\u0F4E\u0F53\u0F56ute;\u4154g;\u67EBr\u0100;t\u0F5C\u0F5D\u61A0l;\u6916\u0180aey\u0F67\u0F6C\u0F71ron;\u4158dil;\u4156;\u4420\u0100;v\u0F78\u0F79\u611Cerse\u0100EU\u0F82\u0F99\u0100lq\u0F87\u0F8Eement;\u620Builibrium;\u61CBpEquilibrium;\u696Fr\xBB\u0F79o;\u43A1ght\u0400ACDFTUVa\u0FC1\u0FEB\u0FF3\u1022\u1028\u105B\u1087\u03D8\u0100nr\u0FC6\u0FD2gleBracket;\u67E9row\u0180;BL\u0FDC\u0FDD\u0FE1\u6192ar;\u61E5eftArrow;\u61C4eiling;\u6309o\u01F5\u0FF9\0\u1005bleBracket;\u67E7n\u01D4\u100A\0\u1014eeVector;\u695Dector\u0100;B\u101D\u101E\u61C2ar;\u6955loor;\u630B\u0100er\u102D\u1043e\u0180;AV\u1035\u1036\u103C\u62A2rrow;\u61A6ector;\u695Biangle\u0180;BE\u1050\u1051\u1055\u62B3ar;\u69D0qual;\u62B5p\u0180DTV\u1063\u106E\u1078ownVector;\u694FeeVector;\u695Cector\u0100;B\u1082\u1083\u61BEar;\u6954ector\u0100;B\u1091\u1092\u61C0ar;\u6953\u0100pu\u109B\u109Ef;\u611DndImplies;\u6970ightarrow;\u61DB\u0100ch\u10B9\u10BCr;\u611B;\u61B1leDelayed;\u69F4\u0680HOacfhimoqstu\u10E4\u10F1\u10F7\u10FD\u1119\u111E\u1151\u1156\u1161\u1167\u11B5\u11BB\u11BF\u0100Cc\u10E9\u10EEHcy;\u4429y;\u4428FTcy;\u442Ccute;\u415A\u0280;aeiy\u1108\u1109\u110E\u1113\u1117\u6ABCron;\u4160dil;\u415Erc;\u415C;\u4421r;\uC000\u{1D516}ort\u0200DLRU\u112A\u1134\u113E\u1149ownArrow\xBB\u041EeftArrow\xBB\u089AightArrow\xBB\u0FDDpArrow;\u6191gma;\u43A3allCircle;\u6218pf;\uC000\u{1D54A}\u0272\u116D\0\0\u1170t;\u621Aare\u0200;ISU\u117B\u117C\u1189\u11AF\u65A1ntersection;\u6293u\u0100bp\u118F\u119Eset\u0100;E\u1197\u1198\u628Fqual;\u6291erset\u0100;E\u11A8\u11A9\u6290qual;\u6292nion;\u6294cr;\uC000\u{1D4AE}ar;\u62C6\u0200bcmp\u11C8\u11DB\u1209\u120B\u0100;s\u11CD\u11CE\u62D0et\u0100;E\u11CD\u11D5qual;\u6286\u0100ch\u11E0\u1205eeds\u0200;EST\u11ED\u11EE\u11F4\u11FF\u627Bqual;\u6AB0lantEqual;\u627Dilde;\u627FTh\xE1\u0F8C;\u6211\u0180;es\u1212\u1213\u1223\u62D1rset\u0100;E\u121C\u121D\u6283qual;\u6287et\xBB\u1213\u0580HRSacfhiors\u123E\u1244\u1249\u1255\u125E\u1271\u1276\u129F\u12C2\u12C8\u12D1ORN\u803B\xDE\u40DEADE;\u6122\u0100Hc\u124E\u1252cy;\u440By;\u4426\u0100bu\u125A\u125C;\u4009;\u43A4\u0180aey\u1265\u126A\u126Fron;\u4164dil;\u4162;\u4422r;\uC000\u{1D517}\u0100ei\u127B\u1289\u01F2\u1280\0\u1287efore;\u6234a;\u4398\u0100cn\u128E\u1298kSpace;\uC000\u205F\u200ASpace;\u6009lde\u0200;EFT\u12AB\u12AC\u12B2\u12BC\u623Cqual;\u6243ullEqual;\u6245ilde;\u6248pf;\uC000\u{1D54B}ipleDot;\u60DB\u0100ct\u12D6\u12DBr;\uC000\u{1D4AF}rok;\u4166\u0AE1\u12F7\u130E\u131A\u1326\0\u132C\u1331\0\0\0\0\0\u1338\u133D\u1377\u1385\0\u13FF\u1404\u140A\u1410\u0100cr\u12FB\u1301ute\u803B\xDA\u40DAr\u0100;o\u1307\u1308\u619Fcir;\u6949r\u01E3\u1313\0\u1316y;\u440Eve;\u416C\u0100iy\u131E\u1323rc\u803B\xDB\u40DB;\u4423blac;\u4170r;\uC000\u{1D518}rave\u803B\xD9\u40D9acr;\u416A\u0100di\u1341\u1369er\u0100BP\u1348\u135D\u0100ar\u134D\u1350r;\u405Fac\u0100ek\u1357\u1359;\u63DFet;\u63B5arenthesis;\u63DDon\u0100;P\u1370\u1371\u62C3lus;\u628E\u0100gp\u137B\u137Fon;\u4172f;\uC000\u{1D54C}\u0400ADETadps\u1395\u13AE\u13B8\u13C4\u03E8\u13D2\u13D7\u13F3rrow\u0180;BD\u1150\u13A0\u13A4ar;\u6912ownArrow;\u61C5ownArrow;\u6195quilibrium;\u696Eee\u0100;A\u13CB\u13CC\u62A5rrow;\u61A5own\xE1\u03F3er\u0100LR\u13DE\u13E8eftArrow;\u6196ightArrow;\u6197i\u0100;l\u13F9\u13FA\u43D2on;\u43A5ing;\u416Ecr;\uC000\u{1D4B0}ilde;\u4168ml\u803B\xDC\u40DC\u0480Dbcdefosv\u1427\u142C\u1430\u1433\u143E\u1485\u148A\u1490\u1496ash;\u62ABar;\u6AEBy;\u4412ash\u0100;l\u143B\u143C\u62A9;\u6AE6\u0100er\u1443\u1445;\u62C1\u0180bty\u144C\u1450\u147Aar;\u6016\u0100;i\u144F\u1455cal\u0200BLST\u1461\u1465\u146A\u1474ar;\u6223ine;\u407Ceparator;\u6758ilde;\u6240ThinSpace;\u600Ar;\uC000\u{1D519}pf;\uC000\u{1D54D}cr;\uC000\u{1D4B1}dash;\u62AA\u0280cefos\u14A7\u14AC\u14B1\u14B6\u14BCirc;\u4174dge;\u62C0r;\uC000\u{1D51A}pf;\uC000\u{1D54E}cr;\uC000\u{1D4B2}\u0200fios\u14CB\u14D0\u14D2\u14D8r;\uC000\u{1D51B};\u439Epf;\uC000\u{1D54F}cr;\uC000\u{1D4B3}\u0480AIUacfosu\u14F1\u14F5\u14F9\u14FD\u1504\u150F\u1514\u151A\u1520cy;\u442Fcy;\u4407cy;\u442Ecute\u803B\xDD\u40DD\u0100iy\u1509\u150Drc;\u4176;\u442Br;\uC000\u{1D51C}pf;\uC000\u{1D550}cr;\uC000\u{1D4B4}ml;\u4178\u0400Hacdefos\u1535\u1539\u153F\u154B\u154F\u155D\u1560\u1564cy;\u4416cute;\u4179\u0100ay\u1544\u1549ron;\u417D;\u4417ot;\u417B\u01F2\u1554\0\u155BoWidt\xE8\u0AD9a;\u4396r;\u6128pf;\u6124cr;\uC000\u{1D4B5}\u0BE1\u1583\u158A\u1590\0\u15B0\u15B6\u15BF\0\0\0\0\u15C6\u15DB\u15EB\u165F\u166D\0\u1695\u169B\u16B2\u16B9\0\u16BEcute\u803B\xE1\u40E1reve;\u4103\u0300;Ediuy\u159C\u159D\u15A1\u15A3\u15A8\u15AD\u623E;\uC000\u223E\u0333;\u623Frc\u803B\xE2\u40E2te\u80BB\xB4\u0306;\u4430lig\u803B\xE6\u40E6\u0100;r\xB2\u15BA;\uC000\u{1D51E}rave\u803B\xE0\u40E0\u0100ep\u15CA\u15D6\u0100fp\u15CF\u15D4sym;\u6135\xE8\u15D3ha;\u43B1\u0100ap\u15DFc\u0100cl\u15E4\u15E7r;\u4101g;\u6A3F\u0264\u15F0\0\0\u160A\u0280;adsv\u15FA\u15FB\u15FF\u1601\u1607\u6227nd;\u6A55;\u6A5Clope;\u6A58;\u6A5A\u0380;elmrsz\u1618\u1619\u161B\u161E\u163F\u164F\u1659\u6220;\u69A4e\xBB\u1619sd\u0100;a\u1625\u1626\u6221\u0461\u1630\u1632\u1634\u1636\u1638\u163A\u163C\u163E;\u69A8;\u69A9;\u69AA;\u69AB;\u69AC;\u69AD;\u69AE;\u69AFt\u0100;v\u1645\u1646\u621Fb\u0100;d\u164C\u164D\u62BE;\u699D\u0100pt\u1654\u1657h;\u6222\xBB\xB9arr;\u637C\u0100gp\u1663\u1667on;\u4105f;\uC000\u{1D552}\u0380;Eaeiop\u12C1\u167B\u167D\u1682\u1684\u1687\u168A;\u6A70cir;\u6A6F;\u624Ad;\u624Bs;\u4027rox\u0100;e\u12C1\u1692\xF1\u1683ing\u803B\xE5\u40E5\u0180cty\u16A1\u16A6\u16A8r;\uC000\u{1D4B6};\u402Amp\u0100;e\u12C1\u16AF\xF1\u0288ilde\u803B\xE3\u40E3ml\u803B\xE4\u40E4\u0100ci\u16C2\u16C8onin\xF4\u0272nt;\u6A11\u0800Nabcdefiklnoprsu\u16ED\u16F1\u1730\u173C\u1743\u1748\u1778\u177D\u17E0\u17E6\u1839\u1850\u170D\u193D\u1948\u1970ot;\u6AED\u0100cr\u16F6\u171Ek\u0200ceps\u1700\u1705\u170D\u1713ong;\u624Cpsilon;\u43F6rime;\u6035im\u0100;e\u171A\u171B\u623Dq;\u62CD\u0176\u1722\u1726ee;\u62BDed\u0100;g\u172C\u172D\u6305e\xBB\u172Drk\u0100;t\u135C\u1737brk;\u63B6\u0100oy\u1701\u1741;\u4431quo;\u601E\u0280cmprt\u1753\u175B\u1761\u1764\u1768aus\u0100;e\u010A\u0109ptyv;\u69B0s\xE9\u170Cno\xF5\u0113\u0180ahw\u176F\u1771\u1773;\u43B2;\u6136een;\u626Cr;\uC000\u{1D51F}g\u0380costuvw\u178D\u179D\u17B3\u17C1\u17D5\u17DB\u17DE\u0180aiu\u1794\u1796\u179A\xF0\u0760rc;\u65EFp\xBB\u1371\u0180dpt\u17A4\u17A8\u17ADot;\u6A00lus;\u6A01imes;\u6A02\u0271\u17B9\0\0\u17BEcup;\u6A06ar;\u6605riangle\u0100du\u17CD\u17D2own;\u65BDp;\u65B3plus;\u6A04e\xE5\u1444\xE5\u14ADarow;\u690D\u0180ako\u17ED\u1826\u1835\u0100cn\u17F2\u1823k\u0180lst\u17FA\u05AB\u1802ozenge;\u69EBriangle\u0200;dlr\u1812\u1813\u1818\u181D\u65B4own;\u65BEeft;\u65C2ight;\u65B8k;\u6423\u01B1\u182B\0\u1833\u01B2\u182F\0\u1831;\u6592;\u65914;\u6593ck;\u6588\u0100eo\u183E\u184D\u0100;q\u1843\u1846\uC000=\u20E5uiv;\uC000\u2261\u20E5t;\u6310\u0200ptwx\u1859\u185E\u1867\u186Cf;\uC000\u{1D553}\u0100;t\u13CB\u1863om\xBB\u13CCtie;\u62C8\u0600DHUVbdhmptuv\u1885\u1896\u18AA\u18BB\u18D7\u18DB\u18EC\u18FF\u1905\u190A\u1910\u1921\u0200LRlr\u188E\u1890\u1892\u1894;\u6557;\u6554;\u6556;\u6553\u0280;DUdu\u18A1\u18A2\u18A4\u18A6\u18A8\u6550;\u6566;\u6569;\u6564;\u6567\u0200LRlr\u18B3\u18B5\u18B7\u18B9;\u655D;\u655A;\u655C;\u6559\u0380;HLRhlr\u18CA\u18CB\u18CD\u18CF\u18D1\u18D3\u18D5\u6551;\u656C;\u6563;\u6560;\u656B;\u6562;\u655Fox;\u69C9\u0200LRlr\u18E4\u18E6\u18E8\u18EA;\u6555;\u6552;\u6510;\u650C\u0280;DUdu\u06BD\u18F7\u18F9\u18FB\u18FD;\u6565;\u6568;\u652C;\u6534inus;\u629Flus;\u629Eimes;\u62A0\u0200LRlr\u1919\u191B\u191D\u191F;\u655B;\u6558;\u6518;\u6514\u0380;HLRhlr\u1930\u1931\u1933\u1935\u1937\u1939\u193B\u6502;\u656A;\u6561;\u655E;\u653C;\u6524;\u651C\u0100ev\u0123\u1942bar\u803B\xA6\u40A6\u0200ceio\u1951\u1956\u195A\u1960r;\uC000\u{1D4B7}mi;\u604Fm\u0100;e\u171A\u171Cl\u0180;bh\u1968\u1969\u196B\u405C;\u69C5sub;\u67C8\u016C\u1974\u197El\u0100;e\u1979\u197A\u6022t\xBB\u197Ap\u0180;Ee\u012F\u1985\u1987;\u6AAE\u0100;q\u06DC\u06DB\u0CE1\u19A7\0\u19E8\u1A11\u1A15\u1A32\0\u1A37\u1A50\0\0\u1AB4\0\0\u1AC1\0\0\u1B21\u1B2E\u1B4D\u1B52\0\u1BFD\0\u1C0C\u0180cpr\u19AD\u19B2\u19DDute;\u4107\u0300;abcds\u19BF\u19C0\u19C4\u19CA\u19D5\u19D9\u6229nd;\u6A44rcup;\u6A49\u0100au\u19CF\u19D2p;\u6A4Bp;\u6A47ot;\u6A40;\uC000\u2229\uFE00\u0100eo\u19E2\u19E5t;\u6041\xEE\u0693\u0200aeiu\u19F0\u19FB\u1A01\u1A05\u01F0\u19F5\0\u19F8s;\u6A4Don;\u410Ddil\u803B\xE7\u40E7rc;\u4109ps\u0100;s\u1A0C\u1A0D\u6A4Cm;\u6A50ot;\u410B\u0180dmn\u1A1B\u1A20\u1A26il\u80BB\xB8\u01ADptyv;\u69B2t\u8100\xA2;e\u1A2D\u1A2E\u40A2r\xE4\u01B2r;\uC000\u{1D520}\u0180cei\u1A3D\u1A40\u1A4Dy;\u4447ck\u0100;m\u1A47\u1A48\u6713ark\xBB\u1A48;\u43C7r\u0380;Ecefms\u1A5F\u1A60\u1A62\u1A6B\u1AA4\u1AAA\u1AAE\u65CB;\u69C3\u0180;el\u1A69\u1A6A\u1A6D\u42C6q;\u6257e\u0261\u1A74\0\0\u1A88rrow\u0100lr\u1A7C\u1A81eft;\u61BAight;\u61BB\u0280RSacd\u1A92\u1A94\u1A96\u1A9A\u1A9F\xBB\u0F47;\u64C8st;\u629Birc;\u629Aash;\u629Dnint;\u6A10id;\u6AEFcir;\u69C2ubs\u0100;u\u1ABB\u1ABC\u6663it\xBB\u1ABC\u02EC\u1AC7\u1AD4\u1AFA\0\u1B0Aon\u0100;e\u1ACD\u1ACE\u403A\u0100;q\xC7\xC6\u026D\u1AD9\0\0\u1AE2a\u0100;t\u1ADE\u1ADF\u402C;\u4040\u0180;fl\u1AE8\u1AE9\u1AEB\u6201\xEE\u1160e\u0100mx\u1AF1\u1AF6ent\xBB\u1AE9e\xF3\u024D\u01E7\u1AFE\0\u1B07\u0100;d\u12BB\u1B02ot;\u6A6Dn\xF4\u0246\u0180fry\u1B10\u1B14\u1B17;\uC000\u{1D554}o\xE4\u0254\u8100\xA9;s\u0155\u1B1Dr;\u6117\u0100ao\u1B25\u1B29rr;\u61B5ss;\u6717\u0100cu\u1B32\u1B37r;\uC000\u{1D4B8}\u0100bp\u1B3C\u1B44\u0100;e\u1B41\u1B42\u6ACF;\u6AD1\u0100;e\u1B49\u1B4A\u6AD0;\u6AD2dot;\u62EF\u0380delprvw\u1B60\u1B6C\u1B77\u1B82\u1BAC\u1BD4\u1BF9arr\u0100lr\u1B68\u1B6A;\u6938;\u6935\u0270\u1B72\0\0\u1B75r;\u62DEc;\u62DFarr\u0100;p\u1B7F\u1B80\u61B6;\u693D\u0300;bcdos\u1B8F\u1B90\u1B96\u1BA1\u1BA5\u1BA8\u622Arcap;\u6A48\u0100au\u1B9B\u1B9Ep;\u6A46p;\u6A4Aot;\u628Dr;\u6A45;\uC000\u222A\uFE00\u0200alrv\u1BB5\u1BBF\u1BDE\u1BE3rr\u0100;m\u1BBC\u1BBD\u61B7;\u693Cy\u0180evw\u1BC7\u1BD4\u1BD8q\u0270\u1BCE\0\0\u1BD2re\xE3\u1B73u\xE3\u1B75ee;\u62CEedge;\u62CFen\u803B\xA4\u40A4earrow\u0100lr\u1BEE\u1BF3eft\xBB\u1B80ight\xBB\u1BBDe\xE4\u1BDD\u0100ci\u1C01\u1C07onin\xF4\u01F7nt;\u6231lcty;\u632D\u0980AHabcdefhijlorstuwz\u1C38\u1C3B\u1C3F\u1C5D\u1C69\u1C75\u1C8A\u1C9E\u1CAC\u1CB7\u1CFB\u1CFF\u1D0D\u1D7B\u1D91\u1DAB\u1DBB\u1DC6\u1DCDr\xF2\u0381ar;\u6965\u0200glrs\u1C48\u1C4D\u1C52\u1C54ger;\u6020eth;\u6138\xF2\u1133h\u0100;v\u1C5A\u1C5B\u6010\xBB\u090A\u016B\u1C61\u1C67arow;\u690Fa\xE3\u0315\u0100ay\u1C6E\u1C73ron;\u410F;\u4434\u0180;ao\u0332\u1C7C\u1C84\u0100gr\u02BF\u1C81r;\u61CAtseq;\u6A77\u0180glm\u1C91\u1C94\u1C98\u803B\xB0\u40B0ta;\u43B4ptyv;\u69B1\u0100ir\u1CA3\u1CA8sht;\u697F;\uC000\u{1D521}ar\u0100lr\u1CB3\u1CB5\xBB\u08DC\xBB\u101E\u0280aegsv\u1CC2\u0378\u1CD6\u1CDC\u1CE0m\u0180;os\u0326\u1CCA\u1CD4nd\u0100;s\u0326\u1CD1uit;\u6666amma;\u43DDin;\u62F2\u0180;io\u1CE7\u1CE8\u1CF8\u40F7de\u8100\xF7;o\u1CE7\u1CF0ntimes;\u62C7n\xF8\u1CF7cy;\u4452c\u026F\u1D06\0\0\u1D0Arn;\u631Eop;\u630D\u0280lptuw\u1D18\u1D1D\u1D22\u1D49\u1D55lar;\u4024f;\uC000\u{1D555}\u0280;emps\u030B\u1D2D\u1D37\u1D3D\u1D42q\u0100;d\u0352\u1D33ot;\u6251inus;\u6238lus;\u6214quare;\u62A1blebarwedg\xE5\xFAn\u0180adh\u112E\u1D5D\u1D67ownarrow\xF3\u1C83arpoon\u0100lr\u1D72\u1D76ef\xF4\u1CB4igh\xF4\u1CB6\u0162\u1D7F\u1D85karo\xF7\u0F42\u026F\u1D8A\0\0\u1D8Ern;\u631Fop;\u630C\u0180cot\u1D98\u1DA3\u1DA6\u0100ry\u1D9D\u1DA1;\uC000\u{1D4B9};\u4455l;\u69F6rok;\u4111\u0100dr\u1DB0\u1DB4ot;\u62F1i\u0100;f\u1DBA\u1816\u65BF\u0100ah\u1DC0\u1DC3r\xF2\u0429a\xF2\u0FA6angle;\u69A6\u0100ci\u1DD2\u1DD5y;\u445Fgrarr;\u67FF\u0900Dacdefglmnopqrstux\u1E01\u1E09\u1E19\u1E38\u0578\u1E3C\u1E49\u1E61\u1E7E\u1EA5\u1EAF\u1EBD\u1EE1\u1F2A\u1F37\u1F44\u1F4E\u1F5A\u0100Do\u1E06\u1D34o\xF4\u1C89\u0100cs\u1E0E\u1E14ute\u803B\xE9\u40E9ter;\u6A6E\u0200aioy\u1E22\u1E27\u1E31\u1E36ron;\u411Br\u0100;c\u1E2D\u1E2E\u6256\u803B\xEA\u40EAlon;\u6255;\u444Dot;\u4117\u0100Dr\u1E41\u1E45ot;\u6252;\uC000\u{1D522}\u0180;rs\u1E50\u1E51\u1E57\u6A9Aave\u803B\xE8\u40E8\u0100;d\u1E5C\u1E5D\u6A96ot;\u6A98\u0200;ils\u1E6A\u1E6B\u1E72\u1E74\u6A99nters;\u63E7;\u6113\u0100;d\u1E79\u1E7A\u6A95ot;\u6A97\u0180aps\u1E85\u1E89\u1E97cr;\u4113ty\u0180;sv\u1E92\u1E93\u1E95\u6205et\xBB\u1E93p\u01001;\u1E9D\u1EA4\u0133\u1EA1\u1EA3;\u6004;\u6005\u6003\u0100gs\u1EAA\u1EAC;\u414Bp;\u6002\u0100gp\u1EB4\u1EB8on;\u4119f;\uC000\u{1D556}\u0180als\u1EC4\u1ECE\u1ED2r\u0100;s\u1ECA\u1ECB\u62D5l;\u69E3us;\u6A71i\u0180;lv\u1EDA\u1EDB\u1EDF\u43B5on\xBB\u1EDB;\u43F5\u0200csuv\u1EEA\u1EF3\u1F0B\u1F23\u0100io\u1EEF\u1E31rc\xBB\u1E2E\u0269\u1EF9\0\0\u1EFB\xED\u0548ant\u0100gl\u1F02\u1F06tr\xBB\u1E5Dess\xBB\u1E7A\u0180aei\u1F12\u1F16\u1F1Als;\u403Dst;\u625Fv\u0100;D\u0235\u1F20D;\u6A78parsl;\u69E5\u0100Da\u1F2F\u1F33ot;\u6253rr;\u6971\u0180cdi\u1F3E\u1F41\u1EF8r;\u612Fo\xF4\u0352\u0100ah\u1F49\u1F4B;\u43B7\u803B\xF0\u40F0\u0100mr\u1F53\u1F57l\u803B\xEB\u40EBo;\u60AC\u0180cip\u1F61\u1F64\u1F67l;\u4021s\xF4\u056E\u0100eo\u1F6C\u1F74ctatio\xEE\u0559nential\xE5\u0579\u09E1\u1F92\0\u1F9E\0\u1FA1\u1FA7\0\0\u1FC6\u1FCC\0\u1FD3\0\u1FE6\u1FEA\u2000\0\u2008\u205Allingdotse\xF1\u1E44y;\u4444male;\u6640\u0180ilr\u1FAD\u1FB3\u1FC1lig;\u8000\uFB03\u0269\u1FB9\0\0\u1FBDg;\u8000\uFB00ig;\u8000\uFB04;\uC000\u{1D523}lig;\u8000\uFB01lig;\uC000fj\u0180alt\u1FD9\u1FDC\u1FE1t;\u666Dig;\u8000\uFB02ns;\u65B1of;\u4192\u01F0\u1FEE\0\u1FF3f;\uC000\u{1D557}\u0100ak\u05BF\u1FF7\u0100;v\u1FFC\u1FFD\u62D4;\u6AD9artint;\u6A0D\u0100ao\u200C\u2055\u0100cs\u2011\u2052\u03B1\u201A\u2030\u2038\u2045\u2048\0\u2050\u03B2\u2022\u2025\u2027\u202A\u202C\0\u202E\u803B\xBD\u40BD;\u6153\u803B\xBC\u40BC;\u6155;\u6159;\u615B\u01B3\u2034\0\u2036;\u6154;\u6156\u02B4\u203E\u2041\0\0\u2043\u803B\xBE\u40BE;\u6157;\u615C5;\u6158\u01B6\u204C\0\u204E;\u615A;\u615D8;\u615El;\u6044wn;\u6322cr;\uC000\u{1D4BB}\u0880Eabcdefgijlnorstv\u2082\u2089\u209F\u20A5\u20B0\u20B4\u20F0\u20F5\u20FA\u20FF\u2103\u2112\u2138\u0317\u213E\u2152\u219E\u0100;l\u064D\u2087;\u6A8C\u0180cmp\u2090\u2095\u209Dute;\u41F5ma\u0100;d\u209C\u1CDA\u43B3;\u6A86reve;\u411F\u0100iy\u20AA\u20AErc;\u411D;\u4433ot;\u4121\u0200;lqs\u063E\u0642\u20BD\u20C9\u0180;qs\u063E\u064C\u20C4lan\xF4\u0665\u0200;cdl\u0665\u20D2\u20D5\u20E5c;\u6AA9ot\u0100;o\u20DC\u20DD\u6A80\u0100;l\u20E2\u20E3\u6A82;\u6A84\u0100;e\u20EA\u20ED\uC000\u22DB\uFE00s;\u6A94r;\uC000\u{1D524}\u0100;g\u0673\u061Bmel;\u6137cy;\u4453\u0200;Eaj\u065A\u210C\u210E\u2110;\u6A92;\u6AA5;\u6AA4\u0200Eaes\u211B\u211D\u2129\u2134;\u6269p\u0100;p\u2123\u2124\u6A8Arox\xBB\u2124\u0100;q\u212E\u212F\u6A88\u0100;q\u212E\u211Bim;\u62E7pf;\uC000\u{1D558}\u0100ci\u2143\u2146r;\u610Am\u0180;el\u066B\u214E\u2150;\u6A8E;\u6A90\u8300>;cdlqr\u05EE\u2160\u216A\u216E\u2173\u2179\u0100ci\u2165\u2167;\u6AA7r;\u6A7Aot;\u62D7Par;\u6995uest;\u6A7C\u0280adels\u2184\u216A\u2190\u0656\u219B\u01F0\u2189\0\u218Epro\xF8\u209Er;\u6978q\u0100lq\u063F\u2196les\xF3\u2088i\xED\u066B\u0100en\u21A3\u21ADrtneqq;\uC000\u2269\uFE00\xC5\u21AA\u0500Aabcefkosy\u21C4\u21C7\u21F1\u21F5\u21FA\u2218\u221D\u222F\u2268\u227Dr\xF2\u03A0\u0200ilmr\u21D0\u21D4\u21D7\u21DBrs\xF0\u1484f\xBB\u2024il\xF4\u06A9\u0100dr\u21E0\u21E4cy;\u444A\u0180;cw\u08F4\u21EB\u21EFir;\u6948;\u61ADar;\u610Firc;\u4125\u0180alr\u2201\u220E\u2213rts\u0100;u\u2209\u220A\u6665it\xBB\u220Alip;\u6026con;\u62B9r;\uC000\u{1D525}s\u0100ew\u2223\u2229arow;\u6925arow;\u6926\u0280amopr\u223A\u223E\u2243\u225E\u2263rr;\u61FFtht;\u623Bk\u0100lr\u2249\u2253eftarrow;\u61A9ightarrow;\u61AAf;\uC000\u{1D559}bar;\u6015\u0180clt\u226F\u2274\u2278r;\uC000\u{1D4BD}as\xE8\u21F4rok;\u4127\u0100bp\u2282\u2287ull;\u6043hen\xBB\u1C5B\u0AE1\u22A3\0\u22AA\0\u22B8\u22C5\u22CE\0\u22D5\u22F3\0\0\u22F8\u2322\u2367\u2362\u237F\0\u2386\u23AA\u23B4cute\u803B\xED\u40ED\u0180;iy\u0771\u22B0\u22B5rc\u803B\xEE\u40EE;\u4438\u0100cx\u22BC\u22BFy;\u4435cl\u803B\xA1\u40A1\u0100fr\u039F\u22C9;\uC000\u{1D526}rave\u803B\xEC\u40EC\u0200;ino\u073E\u22DD\u22E9\u22EE\u0100in\u22E2\u22E6nt;\u6A0Ct;\u622Dfin;\u69DCta;\u6129lig;\u4133\u0180aop\u22FE\u231A\u231D\u0180cgt\u2305\u2308\u2317r;\u412B\u0180elp\u071F\u230F\u2313in\xE5\u078Ear\xF4\u0720h;\u4131f;\u62B7ed;\u41B5\u0280;cfot\u04F4\u232C\u2331\u233D\u2341are;\u6105in\u0100;t\u2338\u2339\u621Eie;\u69DDdo\xF4\u2319\u0280;celp\u0757\u234C\u2350\u235B\u2361al;\u62BA\u0100gr\u2355\u2359er\xF3\u1563\xE3\u234Darhk;\u6A17rod;\u6A3C\u0200cgpt\u236F\u2372\u2376\u237By;\u4451on;\u412Ff;\uC000\u{1D55A}a;\u43B9uest\u803B\xBF\u40BF\u0100ci\u238A\u238Fr;\uC000\u{1D4BE}n\u0280;Edsv\u04F4\u239B\u239D\u23A1\u04F3;\u62F9ot;\u62F5\u0100;v\u23A6\u23A7\u62F4;\u62F3\u0100;i\u0777\u23AElde;\u4129\u01EB\u23B8\0\u23BCcy;\u4456l\u803B\xEF\u40EF\u0300cfmosu\u23CC\u23D7\u23DC\u23E1\u23E7\u23F5\u0100iy\u23D1\u23D5rc;\u4135;\u4439r;\uC000\u{1D527}ath;\u4237pf;\uC000\u{1D55B}\u01E3\u23EC\0\u23F1r;\uC000\u{1D4BF}rcy;\u4458kcy;\u4454\u0400acfghjos\u240B\u2416\u2422\u2427\u242D\u2431\u2435\u243Bppa\u0100;v\u2413\u2414\u43BA;\u43F0\u0100ey\u241B\u2420dil;\u4137;\u443Ar;\uC000\u{1D528}reen;\u4138cy;\u4445cy;\u445Cpf;\uC000\u{1D55C}cr;\uC000\u{1D4C0}\u0B80ABEHabcdefghjlmnoprstuv\u2470\u2481\u2486\u248D\u2491\u250E\u253D\u255A\u2580\u264E\u265E\u2665\u2679\u267D\u269A\u26B2\u26D8\u275D\u2768\u278B\u27C0\u2801\u2812\u0180art\u2477\u247A\u247Cr\xF2\u09C6\xF2\u0395ail;\u691Barr;\u690E\u0100;g\u0994\u248B;\u6A8Bar;\u6962\u0963\u24A5\0\u24AA\0\u24B1\0\0\0\0\0\u24B5\u24BA\0\u24C6\u24C8\u24CD\0\u24F9ute;\u413Amptyv;\u69B4ra\xEE\u084Cbda;\u43BBg\u0180;dl\u088E\u24C1\u24C3;\u6991\xE5\u088E;\u6A85uo\u803B\xAB\u40ABr\u0400;bfhlpst\u0899\u24DE\u24E6\u24E9\u24EB\u24EE\u24F1\u24F5\u0100;f\u089D\u24E3s;\u691Fs;\u691D\xEB\u2252p;\u61ABl;\u6939im;\u6973l;\u61A2\u0180;ae\u24FF\u2500\u2504\u6AABil;\u6919\u0100;s\u2509\u250A\u6AAD;\uC000\u2AAD\uFE00\u0180abr\u2515\u2519\u251Drr;\u690Crk;\u6772\u0100ak\u2522\u252Cc\u0100ek\u2528\u252A;\u407B;\u405B\u0100es\u2531\u2533;\u698Bl\u0100du\u2539\u253B;\u698F;\u698D\u0200aeuy\u2546\u254B\u2556\u2558ron;\u413E\u0100di\u2550\u2554il;\u413C\xEC\u08B0\xE2\u2529;\u443B\u0200cqrs\u2563\u2566\u256D\u257Da;\u6936uo\u0100;r\u0E19\u1746\u0100du\u2572\u2577har;\u6967shar;\u694Bh;\u61B2\u0280;fgqs\u258B\u258C\u0989\u25F3\u25FF\u6264t\u0280ahlrt\u2598\u25A4\u25B7\u25C2\u25E8rrow\u0100;t\u0899\u25A1a\xE9\u24F6arpoon\u0100du\u25AF\u25B4own\xBB\u045Ap\xBB\u0966eftarrows;\u61C7ight\u0180ahs\u25CD\u25D6\u25DErrow\u0100;s\u08F4\u08A7arpoon\xF3\u0F98quigarro\xF7\u21F0hreetimes;\u62CB\u0180;qs\u258B\u0993\u25FAlan\xF4\u09AC\u0280;cdgs\u09AC\u260A\u260D\u261D\u2628c;\u6AA8ot\u0100;o\u2614\u2615\u6A7F\u0100;r\u261A\u261B\u6A81;\u6A83\u0100;e\u2622\u2625\uC000\u22DA\uFE00s;\u6A93\u0280adegs\u2633\u2639\u263D\u2649\u264Bppro\xF8\u24C6ot;\u62D6q\u0100gq\u2643\u2645\xF4\u0989gt\xF2\u248C\xF4\u099Bi\xED\u09B2\u0180ilr\u2655\u08E1\u265Asht;\u697C;\uC000\u{1D529}\u0100;E\u099C\u2663;\u6A91\u0161\u2669\u2676r\u0100du\u25B2\u266E\u0100;l\u0965\u2673;\u696Alk;\u6584cy;\u4459\u0280;acht\u0A48\u2688\u268B\u2691\u2696r\xF2\u25C1orne\xF2\u1D08ard;\u696Bri;\u65FA\u0100io\u269F\u26A4dot;\u4140ust\u0100;a\u26AC\u26AD\u63B0che\xBB\u26AD\u0200Eaes\u26BB\u26BD\u26C9\u26D4;\u6268p\u0100;p\u26C3\u26C4\u6A89rox\xBB\u26C4\u0100;q\u26CE\u26CF\u6A87\u0100;q\u26CE\u26BBim;\u62E6\u0400abnoptwz\u26E9\u26F4\u26F7\u271A\u272F\u2741\u2747\u2750\u0100nr\u26EE\u26F1g;\u67ECr;\u61FDr\xEB\u08C1g\u0180lmr\u26FF\u270D\u2714eft\u0100ar\u09E6\u2707ight\xE1\u09F2apsto;\u67FCight\xE1\u09FDparrow\u0100lr\u2725\u2729ef\xF4\u24EDight;\u61AC\u0180afl\u2736\u2739\u273Dr;\u6985;\uC000\u{1D55D}us;\u6A2Dimes;\u6A34\u0161\u274B\u274Fst;\u6217\xE1\u134E\u0180;ef\u2757\u2758\u1800\u65CAnge\xBB\u2758ar\u0100;l\u2764\u2765\u4028t;\u6993\u0280achmt\u2773\u2776\u277C\u2785\u2787r\xF2\u08A8orne\xF2\u1D8Car\u0100;d\u0F98\u2783;\u696D;\u600Eri;\u62BF\u0300achiqt\u2798\u279D\u0A40\u27A2\u27AE\u27BBquo;\u6039r;\uC000\u{1D4C1}m\u0180;eg\u09B2\u27AA\u27AC;\u6A8D;\u6A8F\u0100bu\u252A\u27B3o\u0100;r\u0E1F\u27B9;\u601Arok;\u4142\u8400<;cdhilqr\u082B\u27D2\u2639\u27DC\u27E0\u27E5\u27EA\u27F0\u0100ci\u27D7\u27D9;\u6AA6r;\u6A79re\xE5\u25F2mes;\u62C9arr;\u6976uest;\u6A7B\u0100Pi\u27F5\u27F9ar;\u6996\u0180;ef\u2800\u092D\u181B\u65C3r\u0100du\u2807\u280Dshar;\u694Ahar;\u6966\u0100en\u2817\u2821rtneqq;\uC000\u2268\uFE00\xC5\u281E\u0700Dacdefhilnopsu\u2840\u2845\u2882\u288E\u2893\u28A0\u28A5\u28A8\u28DA\u28E2\u28E4\u0A83\u28F3\u2902Dot;\u623A\u0200clpr\u284E\u2852\u2863\u287Dr\u803B\xAF\u40AF\u0100et\u2857\u2859;\u6642\u0100;e\u285E\u285F\u6720se\xBB\u285F\u0100;s\u103B\u2868to\u0200;dlu\u103B\u2873\u2877\u287Bow\xEE\u048Cef\xF4\u090F\xF0\u13D1ker;\u65AE\u0100oy\u2887\u288Cmma;\u6A29;\u443Cash;\u6014asuredangle\xBB\u1626r;\uC000\u{1D52A}o;\u6127\u0180cdn\u28AF\u28B4\u28C9ro\u803B\xB5\u40B5\u0200;acd\u1464\u28BD\u28C0\u28C4s\xF4\u16A7ir;\u6AF0ot\u80BB\xB7\u01B5us\u0180;bd\u28D2\u1903\u28D3\u6212\u0100;u\u1D3C\u28D8;\u6A2A\u0163\u28DE\u28E1p;\u6ADB\xF2\u2212\xF0\u0A81\u0100dp\u28E9\u28EEels;\u62A7f;\uC000\u{1D55E}\u0100ct\u28F8\u28FDr;\uC000\u{1D4C2}pos\xBB\u159D\u0180;lm\u2909\u290A\u290D\u43BCtimap;\u62B8\u0C00GLRVabcdefghijlmoprstuvw\u2942\u2953\u297E\u2989\u2998\u29DA\u29E9\u2A15\u2A1A\u2A58\u2A5D\u2A83\u2A95\u2AA4\u2AA8\u2B04\u2B07\u2B44\u2B7F\u2BAE\u2C34\u2C67\u2C7C\u2CE9\u0100gt\u2947\u294B;\uC000\u22D9\u0338\u0100;v\u2950\u0BCF\uC000\u226B\u20D2\u0180elt\u295A\u2972\u2976ft\u0100ar\u2961\u2967rrow;\u61CDightarrow;\u61CE;\uC000\u22D8\u0338\u0100;v\u297B\u0C47\uC000\u226A\u20D2ightarrow;\u61CF\u0100Dd\u298E\u2993ash;\u62AFash;\u62AE\u0280bcnpt\u29A3\u29A7\u29AC\u29B1\u29CCla\xBB\u02DEute;\u4144g;\uC000\u2220\u20D2\u0280;Eiop\u0D84\u29BC\u29C0\u29C5\u29C8;\uC000\u2A70\u0338d;\uC000\u224B\u0338s;\u4149ro\xF8\u0D84ur\u0100;a\u29D3\u29D4\u666El\u0100;s\u29D3\u0B38\u01F3\u29DF\0\u29E3p\u80BB\xA0\u0B37mp\u0100;e\u0BF9\u0C00\u0280aeouy\u29F4\u29FE\u2A03\u2A10\u2A13\u01F0\u29F9\0\u29FB;\u6A43on;\u4148dil;\u4146ng\u0100;d\u0D7E\u2A0Aot;\uC000\u2A6D\u0338p;\u6A42;\u443Dash;\u6013\u0380;Aadqsx\u0B92\u2A29\u2A2D\u2A3B\u2A41\u2A45\u2A50rr;\u61D7r\u0100hr\u2A33\u2A36k;\u6924\u0100;o\u13F2\u13F0ot;\uC000\u2250\u0338ui\xF6\u0B63\u0100ei\u2A4A\u2A4Ear;\u6928\xED\u0B98ist\u0100;s\u0BA0\u0B9Fr;\uC000\u{1D52B}\u0200Eest\u0BC5\u2A66\u2A79\u2A7C\u0180;qs\u0BBC\u2A6D\u0BE1\u0180;qs\u0BBC\u0BC5\u2A74lan\xF4\u0BE2i\xED\u0BEA\u0100;r\u0BB6\u2A81\xBB\u0BB7\u0180Aap\u2A8A\u2A8D\u2A91r\xF2\u2971rr;\u61AEar;\u6AF2\u0180;sv\u0F8D\u2A9C\u0F8C\u0100;d\u2AA1\u2AA2\u62FC;\u62FAcy;\u445A\u0380AEadest\u2AB7\u2ABA\u2ABE\u2AC2\u2AC5\u2AF6\u2AF9r\xF2\u2966;\uC000\u2266\u0338rr;\u619Ar;\u6025\u0200;fqs\u0C3B\u2ACE\u2AE3\u2AEFt\u0100ar\u2AD4\u2AD9rro\xF7\u2AC1ightarro\xF7\u2A90\u0180;qs\u0C3B\u2ABA\u2AEAlan\xF4\u0C55\u0100;s\u0C55\u2AF4\xBB\u0C36i\xED\u0C5D\u0100;r\u0C35\u2AFEi\u0100;e\u0C1A\u0C25i\xE4\u0D90\u0100pt\u2B0C\u2B11f;\uC000\u{1D55F}\u8180\xAC;in\u2B19\u2B1A\u2B36\u40ACn\u0200;Edv\u0B89\u2B24\u2B28\u2B2E;\uC000\u22F9\u0338ot;\uC000\u22F5\u0338\u01E1\u0B89\u2B33\u2B35;\u62F7;\u62F6i\u0100;v\u0CB8\u2B3C\u01E1\u0CB8\u2B41\u2B43;\u62FE;\u62FD\u0180aor\u2B4B\u2B63\u2B69r\u0200;ast\u0B7B\u2B55\u2B5A\u2B5Flle\xEC\u0B7Bl;\uC000\u2AFD\u20E5;\uC000\u2202\u0338lint;\u6A14\u0180;ce\u0C92\u2B70\u2B73u\xE5\u0CA5\u0100;c\u0C98\u2B78\u0100;e\u0C92\u2B7D\xF1\u0C98\u0200Aait\u2B88\u2B8B\u2B9D\u2BA7r\xF2\u2988rr\u0180;cw\u2B94\u2B95\u2B99\u619B;\uC000\u2933\u0338;\uC000\u219D\u0338ghtarrow\xBB\u2B95ri\u0100;e\u0CCB\u0CD6\u0380chimpqu\u2BBD\u2BCD\u2BD9\u2B04\u0B78\u2BE4\u2BEF\u0200;cer\u0D32\u2BC6\u0D37\u2BC9u\xE5\u0D45;\uC000\u{1D4C3}ort\u026D\u2B05\0\0\u2BD6ar\xE1\u2B56m\u0100;e\u0D6E\u2BDF\u0100;q\u0D74\u0D73su\u0100bp\u2BEB\u2BED\xE5\u0CF8\xE5\u0D0B\u0180bcp\u2BF6\u2C11\u2C19\u0200;Ees\u2BFF\u2C00\u0D22\u2C04\u6284;\uC000\u2AC5\u0338et\u0100;e\u0D1B\u2C0Bq\u0100;q\u0D23\u2C00c\u0100;e\u0D32\u2C17\xF1\u0D38\u0200;Ees\u2C22\u2C23\u0D5F\u2C27\u6285;\uC000\u2AC6\u0338et\u0100;e\u0D58\u2C2Eq\u0100;q\u0D60\u2C23\u0200gilr\u2C3D\u2C3F\u2C45\u2C47\xEC\u0BD7lde\u803B\xF1\u40F1\xE7\u0C43iangle\u0100lr\u2C52\u2C5Ceft\u0100;e\u0C1A\u2C5A\xF1\u0C26ight\u0100;e\u0CCB\u2C65\xF1\u0CD7\u0100;m\u2C6C\u2C6D\u43BD\u0180;es\u2C74\u2C75\u2C79\u4023ro;\u6116p;\u6007\u0480DHadgilrs\u2C8F\u2C94\u2C99\u2C9E\u2CA3\u2CB0\u2CB6\u2CD3\u2CE3ash;\u62ADarr;\u6904p;\uC000\u224D\u20D2ash;\u62AC\u0100et\u2CA8\u2CAC;\uC000\u2265\u20D2;\uC000>\u20D2nfin;\u69DE\u0180Aet\u2CBD\u2CC1\u2CC5rr;\u6902;\uC000\u2264\u20D2\u0100;r\u2CCA\u2CCD\uC000<\u20D2ie;\uC000\u22B4\u20D2\u0100At\u2CD8\u2CDCrr;\u6903rie;\uC000\u22B5\u20D2im;\uC000\u223C\u20D2\u0180Aan\u2CF0\u2CF4\u2D02rr;\u61D6r\u0100hr\u2CFA\u2CFDk;\u6923\u0100;o\u13E7\u13E5ear;\u6927\u1253\u1A95\0\0\0\0\0\0\0\0\0\0\0\0\0\u2D2D\0\u2D38\u2D48\u2D60\u2D65\u2D72\u2D84\u1B07\0\0\u2D8D\u2DAB\0\u2DC8\u2DCE\0\u2DDC\u2E19\u2E2B\u2E3E\u2E43\u0100cs\u2D31\u1A97ute\u803B\xF3\u40F3\u0100iy\u2D3C\u2D45r\u0100;c\u1A9E\u2D42\u803B\xF4\u40F4;\u443E\u0280abios\u1AA0\u2D52\u2D57\u01C8\u2D5Alac;\u4151v;\u6A38old;\u69BClig;\u4153\u0100cr\u2D69\u2D6Dir;\u69BF;\uC000\u{1D52C}\u036F\u2D79\0\0\u2D7C\0\u2D82n;\u42DBave\u803B\xF2\u40F2;\u69C1\u0100bm\u2D88\u0DF4ar;\u69B5\u0200acit\u2D95\u2D98\u2DA5\u2DA8r\xF2\u1A80\u0100ir\u2D9D\u2DA0r;\u69BEoss;\u69BBn\xE5\u0E52;\u69C0\u0180aei\u2DB1\u2DB5\u2DB9cr;\u414Dga;\u43C9\u0180cdn\u2DC0\u2DC5\u01CDron;\u43BF;\u69B6pf;\uC000\u{1D560}\u0180ael\u2DD4\u2DD7\u01D2r;\u69B7rp;\u69B9\u0380;adiosv\u2DEA\u2DEB\u2DEE\u2E08\u2E0D\u2E10\u2E16\u6228r\xF2\u1A86\u0200;efm\u2DF7\u2DF8\u2E02\u2E05\u6A5Dr\u0100;o\u2DFE\u2DFF\u6134f\xBB\u2DFF\u803B\xAA\u40AA\u803B\xBA\u40BAgof;\u62B6r;\u6A56lope;\u6A57;\u6A5B\u0180clo\u2E1F\u2E21\u2E27\xF2\u2E01ash\u803B\xF8\u40F8l;\u6298i\u016C\u2E2F\u2E34de\u803B\xF5\u40F5es\u0100;a\u01DB\u2E3As;\u6A36ml\u803B\xF6\u40F6bar;\u633D\u0AE1\u2E5E\0\u2E7D\0\u2E80\u2E9D\0\u2EA2\u2EB9\0\0\u2ECB\u0E9C\0\u2F13\0\0\u2F2B\u2FBC\0\u2FC8r\u0200;ast\u0403\u2E67\u2E72\u0E85\u8100\xB6;l\u2E6D\u2E6E\u40B6le\xEC\u0403\u0269\u2E78\0\0\u2E7Bm;\u6AF3;\u6AFDy;\u443Fr\u0280cimpt\u2E8B\u2E8F\u2E93\u1865\u2E97nt;\u4025od;\u402Eil;\u6030enk;\u6031r;\uC000\u{1D52D}\u0180imo\u2EA8\u2EB0\u2EB4\u0100;v\u2EAD\u2EAE\u43C6;\u43D5ma\xF4\u0A76ne;\u660E\u0180;tv\u2EBF\u2EC0\u2EC8\u43C0chfork\xBB\u1FFD;\u43D6\u0100au\u2ECF\u2EDFn\u0100ck\u2ED5\u2EDDk\u0100;h\u21F4\u2EDB;\u610E\xF6\u21F4s\u0480;abcdemst\u2EF3\u2EF4\u1908\u2EF9\u2EFD\u2F04\u2F06\u2F0A\u2F0E\u402Bcir;\u6A23ir;\u6A22\u0100ou\u1D40\u2F02;\u6A25;\u6A72n\u80BB\xB1\u0E9Dim;\u6A26wo;\u6A27\u0180ipu\u2F19\u2F20\u2F25ntint;\u6A15f;\uC000\u{1D561}nd\u803B\xA3\u40A3\u0500;Eaceinosu\u0EC8\u2F3F\u2F41\u2F44\u2F47\u2F81\u2F89\u2F92\u2F7E\u2FB6;\u6AB3p;\u6AB7u\xE5\u0ED9\u0100;c\u0ECE\u2F4C\u0300;acens\u0EC8\u2F59\u2F5F\u2F66\u2F68\u2F7Eppro\xF8\u2F43urlye\xF1\u0ED9\xF1\u0ECE\u0180aes\u2F6F\u2F76\u2F7Approx;\u6AB9qq;\u6AB5im;\u62E8i\xED\u0EDFme\u0100;s\u2F88\u0EAE\u6032\u0180Eas\u2F78\u2F90\u2F7A\xF0\u2F75\u0180dfp\u0EEC\u2F99\u2FAF\u0180als\u2FA0\u2FA5\u2FAAlar;\u632Eine;\u6312urf;\u6313\u0100;t\u0EFB\u2FB4\xEF\u0EFBrel;\u62B0\u0100ci\u2FC0\u2FC5r;\uC000\u{1D4C5};\u43C8ncsp;\u6008\u0300fiopsu\u2FDA\u22E2\u2FDF\u2FE5\u2FEB\u2FF1r;\uC000\u{1D52E}pf;\uC000\u{1D562}rime;\u6057cr;\uC000\u{1D4C6}\u0180aeo\u2FF8\u3009\u3013t\u0100ei\u2FFE\u3005rnion\xF3\u06B0nt;\u6A16st\u0100;e\u3010\u3011\u403F\xF1\u1F19\xF4\u0F14\u0A80ABHabcdefhilmnoprstux\u3040\u3051\u3055\u3059\u30E0\u310E\u312B\u3147\u3162\u3172\u318E\u3206\u3215\u3224\u3229\u3258\u326E\u3272\u3290\u32B0\u32B7\u0180art\u3047\u304A\u304Cr\xF2\u10B3\xF2\u03DDail;\u691Car\xF2\u1C65ar;\u6964\u0380cdenqrt\u3068\u3075\u3078\u307F\u308F\u3094\u30CC\u0100eu\u306D\u3071;\uC000\u223D\u0331te;\u4155i\xE3\u116Emptyv;\u69B3g\u0200;del\u0FD1\u3089\u308B\u308D;\u6992;\u69A5\xE5\u0FD1uo\u803B\xBB\u40BBr\u0580;abcfhlpstw\u0FDC\u30AC\u30AF\u30B7\u30B9\u30BC\u30BE\u30C0\u30C3\u30C7\u30CAp;\u6975\u0100;f\u0FE0\u30B4s;\u6920;\u6933s;\u691E\xEB\u225D\xF0\u272El;\u6945im;\u6974l;\u61A3;\u619D\u0100ai\u30D1\u30D5il;\u691Ao\u0100;n\u30DB\u30DC\u6236al\xF3\u0F1E\u0180abr\u30E7\u30EA\u30EEr\xF2\u17E5rk;\u6773\u0100ak\u30F3\u30FDc\u0100ek\u30F9\u30FB;\u407D;\u405D\u0100es\u3102\u3104;\u698Cl\u0100du\u310A\u310C;\u698E;\u6990\u0200aeuy\u3117\u311C\u3127\u3129ron;\u4159\u0100di\u3121\u3125il;\u4157\xEC\u0FF2\xE2\u30FA;\u4440\u0200clqs\u3134\u3137\u313D\u3144a;\u6937dhar;\u6969uo\u0100;r\u020E\u020Dh;\u61B3\u0180acg\u314E\u315F\u0F44l\u0200;ips\u0F78\u3158\u315B\u109Cn\xE5\u10BBar\xF4\u0FA9t;\u65AD\u0180ilr\u3169\u1023\u316Esht;\u697D;\uC000\u{1D52F}\u0100ao\u3177\u3186r\u0100du\u317D\u317F\xBB\u047B\u0100;l\u1091\u3184;\u696C\u0100;v\u318B\u318C\u43C1;\u43F1\u0180gns\u3195\u31F9\u31FCht\u0300ahlrst\u31A4\u31B0\u31C2\u31D8\u31E4\u31EErrow\u0100;t\u0FDC\u31ADa\xE9\u30C8arpoon\u0100du\u31BB\u31BFow\xEE\u317Ep\xBB\u1092eft\u0100ah\u31CA\u31D0rrow\xF3\u0FEAarpoon\xF3\u0551ightarrows;\u61C9quigarro\xF7\u30CBhreetimes;\u62CCg;\u42DAingdotse\xF1\u1F32\u0180ahm\u320D\u3210\u3213r\xF2\u0FEAa\xF2\u0551;\u600Foust\u0100;a\u321E\u321F\u63B1che\xBB\u321Fmid;\u6AEE\u0200abpt\u3232\u323D\u3240\u3252\u0100nr\u3237\u323Ag;\u67EDr;\u61FEr\xEB\u1003\u0180afl\u3247\u324A\u324Er;\u6986;\uC000\u{1D563}us;\u6A2Eimes;\u6A35\u0100ap\u325D\u3267r\u0100;g\u3263\u3264\u4029t;\u6994olint;\u6A12ar\xF2\u31E3\u0200achq\u327B\u3280\u10BC\u3285quo;\u603Ar;\uC000\u{1D4C7}\u0100bu\u30FB\u328Ao\u0100;r\u0214\u0213\u0180hir\u3297\u329B\u32A0re\xE5\u31F8mes;\u62CAi\u0200;efl\u32AA\u1059\u1821\u32AB\u65B9tri;\u69CEluhar;\u6968;\u611E\u0D61\u32D5\u32DB\u32DF\u332C\u3338\u3371\0\u337A\u33A4\0\0\u33EC\u33F0\0\u3428\u3448\u345A\u34AD\u34B1\u34CA\u34F1\0\u3616\0\0\u3633cute;\u415Bqu\xEF\u27BA\u0500;Eaceinpsy\u11ED\u32F3\u32F5\u32FF\u3302\u330B\u330F\u331F\u3326\u3329;\u6AB4\u01F0\u32FA\0\u32FC;\u6AB8on;\u4161u\xE5\u11FE\u0100;d\u11F3\u3307il;\u415Frc;\u415D\u0180Eas\u3316\u3318\u331B;\u6AB6p;\u6ABAim;\u62E9olint;\u6A13i\xED\u1204;\u4441ot\u0180;be\u3334\u1D47\u3335\u62C5;\u6A66\u0380Aacmstx\u3346\u334A\u3357\u335B\u335E\u3363\u336Drr;\u61D8r\u0100hr\u3350\u3352\xEB\u2228\u0100;o\u0A36\u0A34t\u803B\xA7\u40A7i;\u403Bwar;\u6929m\u0100in\u3369\xF0nu\xF3\xF1t;\u6736r\u0100;o\u3376\u2055\uC000\u{1D530}\u0200acoy\u3382\u3386\u3391\u33A0rp;\u666F\u0100hy\u338B\u338Fcy;\u4449;\u4448rt\u026D\u3399\0\0\u339Ci\xE4\u1464ara\xEC\u2E6F\u803B\xAD\u40AD\u0100gm\u33A8\u33B4ma\u0180;fv\u33B1\u33B2\u33B2\u43C3;\u43C2\u0400;deglnpr\u12AB\u33C5\u33C9\u33CE\u33D6\u33DE\u33E1\u33E6ot;\u6A6A\u0100;q\u12B1\u12B0\u0100;E\u33D3\u33D4\u6A9E;\u6AA0\u0100;E\u33DB\u33DC\u6A9D;\u6A9Fe;\u6246lus;\u6A24arr;\u6972ar\xF2\u113D\u0200aeit\u33F8\u3408\u340F\u3417\u0100ls\u33FD\u3404lsetm\xE9\u336Ahp;\u6A33parsl;\u69E4\u0100dl\u1463\u3414e;\u6323\u0100;e\u341C\u341D\u6AAA\u0100;s\u3422\u3423\u6AAC;\uC000\u2AAC\uFE00\u0180flp\u342E\u3433\u3442tcy;\u444C\u0100;b\u3438\u3439\u402F\u0100;a\u343E\u343F\u69C4r;\u633Ff;\uC000\u{1D564}a\u0100dr\u344D\u0402es\u0100;u\u3454\u3455\u6660it\xBB\u3455\u0180csu\u3460\u3479\u349F\u0100au\u3465\u346Fp\u0100;s\u1188\u346B;\uC000\u2293\uFE00p\u0100;s\u11B4\u3475;\uC000\u2294\uFE00u\u0100bp\u347F\u348F\u0180;es\u1197\u119C\u3486et\u0100;e\u1197\u348D\xF1\u119D\u0180;es\u11A8\u11AD\u3496et\u0100;e\u11A8\u349D\xF1\u11AE\u0180;af\u117B\u34A6\u05B0r\u0165\u34AB\u05B1\xBB\u117Car\xF2\u1148\u0200cemt\u34B9\u34BE\u34C2\u34C5r;\uC000\u{1D4C8}tm\xEE\xF1i\xEC\u3415ar\xE6\u11BE\u0100ar\u34CE\u34D5r\u0100;f\u34D4\u17BF\u6606\u0100an\u34DA\u34EDight\u0100ep\u34E3\u34EApsilo\xEE\u1EE0h\xE9\u2EAFs\xBB\u2852\u0280bcmnp\u34FB\u355E\u1209\u358B\u358E\u0480;Edemnprs\u350E\u350F\u3511\u3515\u351E\u3523\u352C\u3531\u3536\u6282;\u6AC5ot;\u6ABD\u0100;d\u11DA\u351Aot;\u6AC3ult;\u6AC1\u0100Ee\u3528\u352A;\u6ACB;\u628Alus;\u6ABFarr;\u6979\u0180eiu\u353D\u3552\u3555t\u0180;en\u350E\u3545\u354Bq\u0100;q\u11DA\u350Feq\u0100;q\u352B\u3528m;\u6AC7\u0100bp\u355A\u355C;\u6AD5;\u6AD3c\u0300;acens\u11ED\u356C\u3572\u3579\u357B\u3326ppro\xF8\u32FAurlye\xF1\u11FE\xF1\u11F3\u0180aes\u3582\u3588\u331Bppro\xF8\u331Aq\xF1\u3317g;\u666A\u0680123;Edehlmnps\u35A9\u35AC\u35AF\u121C\u35B2\u35B4\u35C0\u35C9\u35D5\u35DA\u35DF\u35E8\u35ED\u803B\xB9\u40B9\u803B\xB2\u40B2\u803B\xB3\u40B3;\u6AC6\u0100os\u35B9\u35BCt;\u6ABEub;\u6AD8\u0100;d\u1222\u35C5ot;\u6AC4s\u0100ou\u35CF\u35D2l;\u67C9b;\u6AD7arr;\u697Bult;\u6AC2\u0100Ee\u35E4\u35E6;\u6ACC;\u628Blus;\u6AC0\u0180eiu\u35F4\u3609\u360Ct\u0180;en\u121C\u35FC\u3602q\u0100;q\u1222\u35B2eq\u0100;q\u35E7\u35E4m;\u6AC8\u0100bp\u3611\u3613;\u6AD4;\u6AD6\u0180Aan\u361C\u3620\u362Drr;\u61D9r\u0100hr\u3626\u3628\xEB\u222E\u0100;o\u0A2B\u0A29war;\u692Alig\u803B\xDF\u40DF\u0BE1\u3651\u365D\u3660\u12CE\u3673\u3679\0\u367E\u36C2\0\0\0\0\0\u36DB\u3703\0\u3709\u376C\0\0\0\u3787\u0272\u3656\0\0\u365Bget;\u6316;\u43C4r\xEB\u0E5F\u0180aey\u3666\u366B\u3670ron;\u4165dil;\u4163;\u4442lrec;\u6315r;\uC000\u{1D531}\u0200eiko\u3686\u369D\u36B5\u36BC\u01F2\u368B\0\u3691e\u01004f\u1284\u1281a\u0180;sv\u3698\u3699\u369B\u43B8ym;\u43D1\u0100cn\u36A2\u36B2k\u0100as\u36A8\u36AEppro\xF8\u12C1im\xBB\u12ACs\xF0\u129E\u0100as\u36BA\u36AE\xF0\u12C1rn\u803B\xFE\u40FE\u01EC\u031F\u36C6\u22E7es\u8180\xD7;bd\u36CF\u36D0\u36D8\u40D7\u0100;a\u190F\u36D5r;\u6A31;\u6A30\u0180eps\u36E1\u36E3\u3700\xE1\u2A4D\u0200;bcf\u0486\u36EC\u36F0\u36F4ot;\u6336ir;\u6AF1\u0100;o\u36F9\u36FC\uC000\u{1D565}rk;\u6ADA\xE1\u3362rime;\u6034\u0180aip\u370F\u3712\u3764d\xE5\u1248\u0380adempst\u3721\u374D\u3740\u3751\u3757\u375C\u375Fngle\u0280;dlqr\u3730\u3731\u3736\u3740\u3742\u65B5own\xBB\u1DBBeft\u0100;e\u2800\u373E\xF1\u092E;\u625Cight\u0100;e\u32AA\u374B\xF1\u105Aot;\u65ECinus;\u6A3Alus;\u6A39b;\u69CDime;\u6A3Bezium;\u63E2\u0180cht\u3772\u377D\u3781\u0100ry\u3777\u377B;\uC000\u{1D4C9};\u4446cy;\u445Brok;\u4167\u0100io\u378B\u378Ex\xF4\u1777head\u0100lr\u3797\u37A0eftarro\xF7\u084Fightarrow\xBB\u0F5D\u0900AHabcdfghlmoprstuw\u37D0\u37D3\u37D7\u37E4\u37F0\u37FC\u380E\u381C\u3823\u3834\u3851\u385D\u386B\u38A9\u38CC\u38D2\u38EA\u38F6r\xF2\u03EDar;\u6963\u0100cr\u37DC\u37E2ute\u803B\xFA\u40FA\xF2\u1150r\u01E3\u37EA\0\u37EDy;\u445Eve;\u416D\u0100iy\u37F5\u37FArc\u803B\xFB\u40FB;\u4443\u0180abh\u3803\u3806\u380Br\xF2\u13ADlac;\u4171a\xF2\u13C3\u0100ir\u3813\u3818sht;\u697E;\uC000\u{1D532}rave\u803B\xF9\u40F9\u0161\u3827\u3831r\u0100lr\u382C\u382E\xBB\u0957\xBB\u1083lk;\u6580\u0100ct\u3839\u384D\u026F\u383F\0\0\u384Arn\u0100;e\u3845\u3846\u631Cr\xBB\u3846op;\u630Fri;\u65F8\u0100al\u3856\u385Acr;\u416B\u80BB\xA8\u0349\u0100gp\u3862\u3866on;\u4173f;\uC000\u{1D566}\u0300adhlsu\u114B\u3878\u387D\u1372\u3891\u38A0own\xE1\u13B3arpoon\u0100lr\u3888\u388Cef\xF4\u382Digh\xF4\u382Fi\u0180;hl\u3899\u389A\u389C\u43C5\xBB\u13FAon\xBB\u389Aparrows;\u61C8\u0180cit\u38B0\u38C4\u38C8\u026F\u38B6\0\0\u38C1rn\u0100;e\u38BC\u38BD\u631Dr\xBB\u38BDop;\u630Eng;\u416Fri;\u65F9cr;\uC000\u{1D4CA}\u0180dir\u38D9\u38DD\u38E2ot;\u62F0lde;\u4169i\u0100;f\u3730\u38E8\xBB\u1813\u0100am\u38EF\u38F2r\xF2\u38A8l\u803B\xFC\u40FCangle;\u69A7\u0780ABDacdeflnoprsz\u391C\u391F\u3929\u392D\u39B5\u39B8\u39BD\u39DF\u39E4\u39E8\u39F3\u39F9\u39FD\u3A01\u3A20r\xF2\u03F7ar\u0100;v\u3926\u3927\u6AE8;\u6AE9as\xE8\u03E1\u0100nr\u3932\u3937grt;\u699C\u0380eknprst\u34E3\u3946\u394B\u3952\u395D\u3964\u3996app\xE1\u2415othin\xE7\u1E96\u0180hir\u34EB\u2EC8\u3959op\xF4\u2FB5\u0100;h\u13B7\u3962\xEF\u318D\u0100iu\u3969\u396Dgm\xE1\u33B3\u0100bp\u3972\u3984setneq\u0100;q\u397D\u3980\uC000\u228A\uFE00;\uC000\u2ACB\uFE00setneq\u0100;q\u398F\u3992\uC000\u228B\uFE00;\uC000\u2ACC\uFE00\u0100hr\u399B\u399Fet\xE1\u369Ciangle\u0100lr\u39AA\u39AFeft\xBB\u0925ight\xBB\u1051y;\u4432ash\xBB\u1036\u0180elr\u39C4\u39D2\u39D7\u0180;be\u2DEA\u39CB\u39CFar;\u62BBq;\u625Alip;\u62EE\u0100bt\u39DC\u1468a\xF2\u1469r;\uC000\u{1D533}tr\xE9\u39AEsu\u0100bp\u39EF\u39F1\xBB\u0D1C\xBB\u0D59pf;\uC000\u{1D567}ro\xF0\u0EFBtr\xE9\u39B4\u0100cu\u3A06\u3A0Br;\uC000\u{1D4CB}\u0100bp\u3A10\u3A18n\u0100Ee\u3980\u3A16\xBB\u397En\u0100Ee\u3992\u3A1E\xBB\u3990igzag;\u699A\u0380cefoprs\u3A36\u3A3B\u3A56\u3A5B\u3A54\u3A61\u3A6Airc;\u4175\u0100di\u3A40\u3A51\u0100bg\u3A45\u3A49ar;\u6A5Fe\u0100;q\u15FA\u3A4F;\u6259erp;\u6118r;\uC000\u{1D534}pf;\uC000\u{1D568}\u0100;e\u1479\u3A66at\xE8\u1479cr;\uC000\u{1D4CC}\u0AE3\u178E\u3A87\0\u3A8B\0\u3A90\u3A9B\0\0\u3A9D\u3AA8\u3AAB\u3AAF\0\0\u3AC3\u3ACE\0\u3AD8\u17DC\u17DFtr\xE9\u17D1r;\uC000\u{1D535}\u0100Aa\u3A94\u3A97r\xF2\u03C3r\xF2\u09F6;\u43BE\u0100Aa\u3AA1\u3AA4r\xF2\u03B8r\xF2\u09EBa\xF0\u2713is;\u62FB\u0180dpt\u17A4\u3AB5\u3ABE\u0100fl\u3ABA\u17A9;\uC000\u{1D569}im\xE5\u17B2\u0100Aa\u3AC7\u3ACAr\xF2\u03CEr\xF2\u0A01\u0100cq\u3AD2\u17B8r;\uC000\u{1D4CD}\u0100pt\u17D6\u3ADCr\xE9\u17D4\u0400acefiosu\u3AF0\u3AFD\u3B08\u3B0C\u3B11\u3B15\u3B1B\u3B21c\u0100uy\u3AF6\u3AFBte\u803B\xFD\u40FD;\u444F\u0100iy\u3B02\u3B06rc;\u4177;\u444Bn\u803B\xA5\u40A5r;\uC000\u{1D536}cy;\u4457pf;\uC000\u{1D56A}cr;\uC000\u{1D4CE}\u0100cm\u3B26\u3B29y;\u444El\u803B\xFF\u40FF\u0500acdefhiosw\u3B42\u3B48\u3B54\u3B58\u3B64\u3B69\u3B6D\u3B74\u3B7A\u3B80cute;\u417A\u0100ay\u3B4D\u3B52ron;\u417E;\u4437ot;\u417C\u0100et\u3B5D\u3B61tr\xE6\u155Fa;\u43B6r;\uC000\u{1D537}cy;\u4436grarr;\u61DDpf;\uC000\u{1D56B}cr;\uC000\u{1D4CF}\u0100jn\u3B85\u3B87;\u600Dj;\u600C'.split("").map(e=>e.charCodeAt(0))),KD=new Uint16Array("\u0200aglq	\x1B\u026D\0\0p;\u4026os;\u4027t;\u403Et;\u403Cuot;\u4022".split("").map(e=>e.charCodeAt(0)));var sp;const $D=new Map([[0,65533],[128,8364],[130,8218],[131,402],[132,8222],[133,8230],[134,8224],[135,8225],[136,710],[137,8240],[138,352],[139,8249],[140,338],[142,381],[145,8216],[146,8217],[147,8220],[148,8221],[149,8226],[150,8211],[151,8212],[152,732],[153,8482],[154,353],[155,8250],[156,339],[158,382],[159,376]]),QD=(sp=String.fromCodePoint)!==null&&sp!==void 0?sp:function(e){let t="";return e>65535&&(e-=65536,t+=String.fromCharCode(e>>>10&1023|55296),e=56320|e&1023),t+=String.fromCharCode(e),t};function jD(e){var t;return e>=55296&&e<=57343||e>1114111?65533:(t=$D.get(e))!==null&&t!==void 0?t:e}var Er;(function(e){e[e.NUM=35]="NUM",e[e.SEMI=59]="SEMI",e[e.EQUALS=61]="EQUALS",e[e.ZERO=48]="ZERO",e[e.NINE=57]="NINE",e[e.LOWER_A=97]="LOWER_A",e[e.LOWER_F=102]="LOWER_F",e[e.LOWER_X=120]="LOWER_X",e[e.LOWER_Z=122]="LOWER_Z",e[e.UPPER_A=65]="UPPER_A",e[e.UPPER_F=70]="UPPER_F",e[e.UPPER_Z=90]="UPPER_Z"})(Er||(Er={}));const XD=32;var jo;(function(e){e[e.VALUE_LENGTH=49152]="VALUE_LENGTH",e[e.BRANCH_LENGTH=16256]="BRANCH_LENGTH",e[e.JUMP_TABLE=127]="JUMP_TABLE"})(jo||(jo={}));function dh(e){return e>=Er.ZERO&&e<=Er.NINE}function ZD(e){return e>=Er.UPPER_A&&e<=Er.UPPER_F||e>=Er.LOWER_A&&e<=Er.LOWER_F}function JD(e){return e>=Er.UPPER_A&&e<=Er.UPPER_Z||e>=Er.LOWER_A&&e<=Er.LOWER_Z||dh(e)}function ex(e){return e===Er.EQUALS||JD(e)}var gr;(function(e){e[e.EntityStart=0]="EntityStart",e[e.NumericStart=1]="NumericStart",e[e.NumericDecimal=2]="NumericDecimal",e[e.NumericHex=3]="NumericHex",e[e.NamedEntity=4]="NamedEntity"})(gr||(gr={}));var Qo;(function(e){e[e.Legacy=0]="Legacy",e[e.Strict=1]="Strict",e[e.Attribute=2]="Attribute"})(Qo||(Qo={}));class tx{constructor(t,n,r){this.decodeTree=t,this.emitCodePoint=n,this.errors=r,this.state=gr.EntityStart,this.consumed=1,this.result=0,this.treeIndex=0,this.excess=1,this.decodeMode=Qo.Strict}startEntity(t){this.decodeMode=t,this.state=gr.EntityStart,this.result=0,this.treeIndex=0,this.excess=1,this.consumed=1}write(t,n){switch(this.state){case gr.EntityStart:return t.charCodeAt(n)===Er.NUM?(this.state=gr.NumericStart,this.consumed+=1,this.stateNumericStart(t,n+1)):(this.state=gr.NamedEntity,this.stateNamedEntity(t,n));case gr.NumericStart:return this.stateNumericStart(t,n);case gr.NumericDecimal:return this.stateNumericDecimal(t,n);case gr.NumericHex:return this.stateNumericHex(t,n);case gr.NamedEntity:return this.stateNamedEntity(t,n)}}stateNumericStart(t,n){return n>=t.length?-1:(t.charCodeAt(n)|XD)===Er.LOWER_X?(this.state=gr.NumericHex,this.consumed+=1,this.stateNumericHex(t,n+1)):(this.state=gr.NumericDecimal,this.stateNumericDecimal(t,n))}addToNumericResult(t,n,r,a){if(n!==r){const o=r-n;this.result=this.result*Math.pow(a,o)+parseInt(t.substr(n,o),a),this.consumed+=o}}stateNumericHex(t,n){const r=n;for(;n<t.length;){const a=t.charCodeAt(n);if(dh(a)||ZD(a))n+=1;else return this.addToNumericResult(t,r,n,16),this.emitNumericEntity(a,3)}return this.addToNumericResult(t,r,n,16),-1}stateNumericDecimal(t,n){const r=n;for(;n<t.length;){const a=t.charCodeAt(n);if(dh(a))n+=1;else return this.addToNumericResult(t,r,n,10),this.emitNumericEntity(a,2)}return this.addToNumericResult(t,r,n,10),-1}emitNumericEntity(t,n){var r;if(this.consumed<=n)return(r=this.errors)===null||r===void 0||r.absenceOfDigitsInNumericCharacterReference(this.consumed),0;if(t===Er.SEMI)this.consumed+=1;else if(this.decodeMode===Qo.Strict)return 0;return this.emitCodePoint(jD(this.result),this.consumed),this.errors&&(t!==Er.SEMI&&this.errors.missingSemicolonAfterCharacterReference(),this.errors.validateNumericCharacterReference(this.result)),this.consumed}stateNamedEntity(t,n){const{decodeTree:r}=this;let a=r[this.treeIndex],o=(a&jo.VALUE_LENGTH)>>14;for(;n<t.length;n++,this.excess++){const l=t.charCodeAt(n);if(this.treeIndex=nx(r,a,this.treeIndex+Math.max(1,o),l),this.treeIndex<0)return this.result===0||this.decodeMode===Qo.Attribute&&(o===0||ex(l))?0:this.emitNotTerminatedNamedEntity();if(a=r[this.treeIndex],o=(a&jo.VALUE_LENGTH)>>14,o!==0){if(l===Er.SEMI)return this.emitNamedEntityData(this.treeIndex,o,this.consumed+this.excess);this.decodeMode!==Qo.Strict&&(this.result=this.treeIndex,this.consumed+=this.excess,this.excess=0)}}return-1}emitNotTerminatedNamedEntity(){var t;const{result:n,decodeTree:r}=this,a=(r[n]&jo.VALUE_LENGTH)>>14;return this.emitNamedEntityData(n,a,this.consumed),(t=this.errors)===null||t===void 0||t.missingSemicolonAfterCharacterReference(),this.consumed}emitNamedEntityData(t,n,r){const{decodeTree:a}=this;return this.emitCodePoint(n===1?a[t]&~jo.VALUE_LENGTH:a[t+1],r),n===3&&this.emitCodePoint(a[t+2],r),r}end(){var t;switch(this.state){case gr.NamedEntity:return this.result!==0&&(this.decodeMode!==Qo.Attribute||this.result===this.treeIndex)?this.emitNotTerminatedNamedEntity():0;case gr.NumericDecimal:return this.emitNumericEntity(0,2);case gr.NumericHex:return this.emitNumericEntity(0,3);case gr.NumericStart:return(t=this.errors)===null||t===void 0||t.absenceOfDigitsInNumericCharacterReference(this.consumed),0;case gr.EntityStart:return 0}}}function lA(e){let t="";const n=new tx(e,r=>t+=QD(r));return function(a,o){let l=0,u=0;for(;(u=a.indexOf("&",u))>=0;){t+=a.slice(l,u),n.startEntity(o);const d=n.write(a,u+1);if(d<0){l=u+n.end();break}l=u+d,u=d===0?l+1:l}const c=t+a.slice(l);return t="",c}}function nx(e,t,n,r){const a=(t&jo.BRANCH_LENGTH)>>7,o=t&jo.JUMP_TABLE;if(a===0)return o!==0&&r===o?n:-1;if(o){const c=r-o;return c<0||c>=a?-1:e[n+c]-1}let l=n,u=l+a-1;for(;l<=u;){const c=l+u>>>1,d=e[c];if(d<r)l=c+1;else if(d>r)u=c-1;else return e[c+a]}return-1}const rx=lA(zD);lA(KD);function uA(e,t=Qo.Legacy){return rx(e,t)}function ix(e){return Object.prototype.toString.call(e)}function iE(e){return ix(e)==="[object String]"}const ax=Object.prototype.hasOwnProperty;function ox(e,t){return ax.call(e,t)}function Fd(e){return Array.prototype.slice.call(arguments,1).forEach(function(n){if(!!n){if(typeof n!="object")throw new TypeError(n+"must be object");Object.keys(n).forEach(function(r){e[r]=n[r]})}}),e}function cA(e,t,n){return[].concat(e.slice(0,t),n,e.slice(t+1))}function aE(e){return!(e>=55296&&e<=57343||e>=64976&&e<=65007||(e&65535)===65535||(e&65535)===65534||e>=0&&e<=8||e===11||e>=14&&e<=31||e>=127&&e<=159||e>1114111)}function hd(e){if(e>65535){e-=65536;const t=55296+(e>>10),n=56320+(e&1023);return String.fromCharCode(t,n)}return String.fromCharCode(e)}const dA=/\\([!"#$%&'()*+,\-./:;<=>?@[\\\]^_`{|}~])/g,sx=/&([a-z#][a-z0-9]{1,31});/gi,lx=new RegExp(dA.source+"|"+sx.source,"gi"),ux=/^#((?:x[a-f0-9]{1,8}|[0-9]{1,8}))$/i;function cx(e,t){if(t.charCodeAt(0)===35&&ux.test(t)){const r=t[1].toLowerCase()==="x"?parseInt(t.slice(2),16):parseInt(t.slice(1),10);return aE(r)?hd(r):e}const n=uA(e);return n!==e?n:e}function dx(e){return e.indexOf("\\")<0?e:e.replace(dA,"$1")}function Bu(e){return e.indexOf("\\")<0&&e.indexOf("&")<0?e:e.replace(lx,function(t,n,r){return n||cx(t,r)})}const fx=/[&<>"]/,px=/[&<>"]/g,_x={"&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;"};function mx(e){return _x[e]}function ns(e){return fx.test(e)?e.replace(px,mx):e}const gx=/[.?*+^$[\]\\(){}|-]/g;function hx(e){return e.replace(gx,"\\$&")}function Dn(e){switch(e){case 9:case 32:return!0}return!1}function Uu(e){if(e>=8192&&e<=8202)return!0;switch(e){case 9:case 10:case 11:case 12:case 13:case 32:case 160:case 5760:case 8239:case 8287:case 12288:return!0}return!1}function Gu(e){return rE.test(e)}function Hu(e){switch(e){case 33:case 34:case 35:case 36:case 37:case 38:case 39:case 40:case 41:case 42:case 43:case 44:case 45:case 46:case 47:case 58:case 59:case 60:case 61:case 62:case 63:case 64:case 91:case 92:case 93:case 94:case 95:case 96:case 123:case 124:case 125:case 126:return!0;default:return!1}}function Bd(e){return e=e.trim().replace(/\s+/g," "),"\u1E9E".toLowerCase()==="\u1E7E"&&(e=e.replace(/ẞ/g,"\xDF")),e.toLowerCase().toUpperCase()}const Ex={mdurl:YD,ucmicro:VD},Sx=Object.freeze(Object.defineProperty({__proto__:null,lib:Ex,assign:Fd,isString:iE,has:ox,unescapeMd:dx,unescapeAll:Bu,isValidEntityCode:aE,fromCodePoint:hd,escapeHtml:ns,arrayReplaceAt:cA,isSpace:Dn,isWhiteSpace:Uu,isMdAsciiPunct:Hu,isPunctChar:Gu,escapeRE:hx,normalizeReference:Bd},Symbol.toStringTag,{value:"Module"}));function bx(e,t,n){let r,a,o,l;const u=e.posMax,c=e.pos;for(e.pos=t+1,r=1;e.pos<u;){if(o=e.src.charCodeAt(e.pos),o===93&&(r--,r===0)){a=!0;break}if(l=e.pos,e.md.inline.skipToken(e),o===91){if(l===e.pos-1)r++;else if(n)return e.pos=c,-1}}let d=-1;return a&&(d=e.pos),e.pos=c,d}function vx(e,t,n){let r,a=t;const o={ok:!1,pos:0,lines:0,str:""};if(e.charCodeAt(a)===60){for(a++;a<n;){if(r=e.charCodeAt(a),r===10||r===60)return o;if(r===62)return o.pos=a+1,o.str=Bu(e.slice(t+1,a)),o.ok=!0,o;if(r===92&&a+1<n){a+=2;continue}a++}return o}let l=0;for(;a<n&&(r=e.charCodeAt(a),!(r===32||r<32||r===127));){if(r===92&&a+1<n){if(e.charCodeAt(a+1)===32)break;a+=2;continue}if(r===40&&(l++,l>32))return o;if(r===41){if(l===0)break;l--}a++}return t===a||l!==0||(o.str=Bu(e.slice(t,a)),o.pos=a,o.ok=!0),o}function Tx(e,t,n){let r,a,o=0,l=t;const u={ok:!1,pos:0,lines:0,str:""};if(l>=n||(a=e.charCodeAt(l),a!==34&&a!==39&&a!==40))return u;for(l++,a===40&&(a=41);l<n;){if(r=e.charCodeAt(l),r===a)return u.pos=l+1,u.lines=o,u.str=Bu(e.slice(t+1,l)),u.ok=!0,u;if(r===40&&a===41)return u;r===10?o++:r===92&&l+1<n&&(l++,e.charCodeAt(l)===10&&o++),l++}return u}const yx=Object.freeze(Object.defineProperty({__proto__:null,parseLinkLabel:bx,parseLinkDestination:vx,parseLinkTitle:Tx},Symbol.toStringTag,{value:"Module"})),Ka={};Ka.code_inline=function(e,t,n,r,a){const o=e[t];return"<code"+a.renderAttrs(o)+">"+ns(o.content)+"</code>"};Ka.code_block=function(e,t,n,r,a){const o=e[t];return"<pre"+a.renderAttrs(o)+"><code>"+ns(e[t].content)+`</code></pre>
+`};Ka.fence=function(e,t,n,r,a){const o=e[t],l=o.info?Bu(o.info).trim():"";let u="",c="";if(l){const S=l.split(/(\s+)/g);u=S[0],c=S.slice(2).join("")}let d;if(n.highlight?d=n.highlight(o.content,u,c)||ns(o.content):d=ns(o.content),d.indexOf("<pre")===0)return d+`
 `;if(l){const S=o.attrIndex("class"),_=o.attrs?o.attrs.slice():[];S<0?_.push(["class",n.langPrefix+u]):(_[S]=_[S].slice(),_[S][1]+=" "+n.langPrefix+u);const E={attrs:_};return`<pre><code${a.renderAttrs(E)}>${d}</code></pre>
 `}return`<pre><code${a.renderAttrs(o)}>${d}</code></pre>
 `};Ka.image=function(e,t,n,r,a){const o=e[t];return o.attrs[o.attrIndex("alt")][1]=a.renderInlineAsText(o.children,n,r),a.renderToken(e,t,n)};Ka.hardbreak=function(e,t,n){return n.xhtmlOut?`<br />
@@ -20,12 +20,12 @@ var Jr=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"
 `};Ka.softbreak=function(e,t,n){return n.breaks?n.xhtmlOut?`<br />
 `:`<br>
 `:`
-`};Ka.text=function(e,t){return ns(e[t].content)};Ka.html_block=function(e,t){return e[t].content};Ka.html_inline=function(e,t){return e[t].content};function Kl(){this.rules=Fd({},Ka)}Kl.prototype.renderAttrs=function(t){let n,r,a;if(!t.attrs)return"";for(a="",n=0,r=t.attrs.length;n<r;n++)a+=" "+ns(t.attrs[n][0])+'="'+ns(t.attrs[n][1])+'"';return a};Kl.prototype.renderToken=function(t,n,r){const a=t[n];let o="";if(a.hidden)return"";a.block&&a.nesting!==-1&&n&&t[n-1].hidden&&(o+=`
+`};Ka.text=function(e,t){return ns(e[t].content)};Ka.html_block=function(e,t){return e[t].content};Ka.html_inline=function(e,t){return e[t].content};function zl(){this.rules=Fd({},Ka)}zl.prototype.renderAttrs=function(t){let n,r,a;if(!t.attrs)return"";for(a="",n=0,r=t.attrs.length;n<r;n++)a+=" "+ns(t.attrs[n][0])+'="'+ns(t.attrs[n][1])+'"';return a};zl.prototype.renderToken=function(t,n,r){const a=t[n];let o="";if(a.hidden)return"";a.block&&a.nesting!==-1&&n&&t[n-1].hidden&&(o+=`
 `),o+=(a.nesting===-1?"</":"<")+a.tag,o+=this.renderAttrs(a),a.nesting===0&&r.xhtmlOut&&(o+=" /");let l=!1;if(a.block&&(l=!0,a.nesting===1&&n+1<t.length)){const u=t[n+1];(u.type==="inline"||u.hidden||u.nesting===-1&&u.tag===a.tag)&&(l=!1)}return o+=l?`>
-`:">",o};Kl.prototype.renderInline=function(e,t,n){let r="";const a=this.rules;for(let o=0,l=e.length;o<l;o++){const u=e[o].type;typeof a[u]<"u"?r+=a[u](e,o,t,n,this):r+=this.renderToken(e,o,t)}return r};Kl.prototype.renderInlineAsText=function(e,t,n){let r="";for(let a=0,o=e.length;a<o;a++)switch(e[a].type){case"text":r+=e[a].content;break;case"image":r+=this.renderInlineAsText(e[a].children,t,n);break;case"html_inline":case"html_block":r+=e[a].content;break;case"softbreak":case"hardbreak":r+=`
-`;break}return r};Kl.prototype.render=function(e,t,n){let r="";const a=this.rules;for(let o=0,l=e.length;o<l;o++){const u=e[o].type;u==="inline"?r+=this.renderInline(e[o].children,t,n):typeof a[u]<"u"?r+=a[u](e,o,t,n,this):r+=this.renderToken(e,o,t,n)}return r};function yi(){this.__rules__=[],this.__cache__=null}yi.prototype.__find__=function(e){for(let t=0;t<this.__rules__.length;t++)if(this.__rules__[t].name===e)return t;return-1};yi.prototype.__compile__=function(){const e=this,t=[""];e.__rules__.forEach(function(n){!n.enabled||n.alt.forEach(function(r){t.indexOf(r)<0&&t.push(r)})}),e.__cache__={},t.forEach(function(n){e.__cache__[n]=[],e.__rules__.forEach(function(r){!r.enabled||n&&r.alt.indexOf(n)<0||e.__cache__[n].push(r.fn)})})};yi.prototype.at=function(e,t,n){const r=this.__find__(e),a=n||{};if(r===-1)throw new Error("Parser rule not found: "+e);this.__rules__[r].fn=t,this.__rules__[r].alt=a.alt||[],this.__cache__=null};yi.prototype.before=function(e,t,n,r){const a=this.__find__(e),o=r||{};if(a===-1)throw new Error("Parser rule not found: "+e);this.__rules__.splice(a,0,{name:t,enabled:!0,fn:n,alt:o.alt||[]}),this.__cache__=null};yi.prototype.after=function(e,t,n,r){const a=this.__find__(e),o=r||{};if(a===-1)throw new Error("Parser rule not found: "+e);this.__rules__.splice(a+1,0,{name:t,enabled:!0,fn:n,alt:o.alt||[]}),this.__cache__=null};yi.prototype.push=function(e,t,n){const r=n||{};this.__rules__.push({name:e,enabled:!0,fn:t,alt:r.alt||[]}),this.__cache__=null};yi.prototype.enable=function(e,t){Array.isArray(e)||(e=[e]);const n=[];return e.forEach(function(r){const a=this.__find__(r);if(a<0){if(t)return;throw new Error("Rules manager: invalid rule name "+r)}this.__rules__[a].enabled=!0,n.push(r)},this),this.__cache__=null,n};yi.prototype.enableOnly=function(e,t){Array.isArray(e)||(e=[e]),this.__rules__.forEach(function(n){n.enabled=!1}),this.enable(e,t)};yi.prototype.disable=function(e,t){Array.isArray(e)||(e=[e]);const n=[];return e.forEach(function(r){const a=this.__find__(r);if(a<0){if(t)return;throw new Error("Rules manager: invalid rule name "+r)}this.__rules__[a].enabled=!1,n.push(r)},this),this.__cache__=null,n};yi.prototype.getRules=function(e){return this.__cache__===null&&this.__compile__(),this.__cache__[e]||[]};function ya(e,t,n){this.type=e,this.tag=t,this.attrs=null,this.map=null,this.nesting=n,this.level=0,this.children=null,this.content="",this.markup="",this.info="",this.meta=null,this.block=!1,this.hidden=!1}ya.prototype.attrIndex=function(t){if(!this.attrs)return-1;const n=this.attrs;for(let r=0,a=n.length;r<a;r++)if(n[r][0]===t)return r;return-1};ya.prototype.attrPush=function(t){this.attrs?this.attrs.push(t):this.attrs=[t]};ya.prototype.attrSet=function(t,n){const r=this.attrIndex(t),a=[t,n];r<0?this.attrPush(a):this.attrs[r]=a};ya.prototype.attrGet=function(t){const n=this.attrIndex(t);let r=null;return n>=0&&(r=this.attrs[n][1]),r};ya.prototype.attrJoin=function(t,n){const r=this.attrIndex(t);r<0?this.attrPush([t,n]):this.attrs[r][1]=this.attrs[r][1]+" "+n};function cA(e,t,n){this.src=e,this.env=n,this.tokens=[],this.inlineMode=!1,this.md=t}cA.prototype.Token=ya;const Tx=/\r\n?|\n/g,yx=/\0/g;function Cx(e){let t;t=e.src.replace(Tx,`
-`),t=t.replace(yx,"\uFFFD"),e.src=t}function Ax(e){let t;e.inlineMode?(t=new e.Token("inline","",0),t.content=e.src,t.map=[0,1],t.children=[],e.tokens.push(t)):e.md.block.parse(e.src,e.md,e.env,e.tokens)}function Ox(e){const t=e.tokens;for(let n=0,r=t.length;n<r;n++){const a=t[n];a.type==="inline"&&e.md.inline.parse(a.content,e.md,e.env,a.children)}}function Rx(e){return/^<a[>\s]/i.test(e)}function Nx(e){return/^<\/a\s*>/i.test(e)}function Ix(e){const t=e.tokens;if(!!e.md.options.linkify)for(let n=0,r=t.length;n<r;n++){if(t[n].type!=="inline"||!e.md.linkify.pretest(t[n].content))continue;let a=t[n].children,o=0;for(let l=a.length-1;l>=0;l--){const u=a[l];if(u.type==="link_close"){for(l--;a[l].level!==u.level&&a[l].type!=="link_open";)l--;continue}if(u.type==="html_inline"&&(Rx(u.content)&&o>0&&o--,Nx(u.content)&&o++),!(o>0)&&u.type==="text"&&e.md.linkify.test(u.content)){const c=u.content;let d=e.md.linkify.match(c);const S=[];let _=u.level,E=0;d.length>0&&d[0].index===0&&l>0&&a[l-1].type==="text_special"&&(d=d.slice(1));for(let T=0;T<d.length;T++){const y=d[T].url,M=e.md.normalizeLink(y);if(!e.md.validateLink(M))continue;let v=d[T].text;d[T].schema?d[T].schema==="mailto:"&&!/^mailto:/i.test(v)?v=e.md.normalizeLinkText("mailto:"+v).replace(/^mailto:/,""):v=e.md.normalizeLinkText(v):v=e.md.normalizeLinkText("http://"+v).replace(/^http:\/\//,"");const A=d[T].index;if(A>E){const L=new e.Token("text","",0);L.content=c.slice(E,A),L.level=_,S.push(L)}const O=new e.Token("link_open","a",1);O.attrs=[["href",M]],O.level=_++,O.markup="linkify",O.info="auto",S.push(O);const N=new e.Token("text","",0);N.content=v,N.level=_,S.push(N);const R=new e.Token("link_close","a",-1);R.level=--_,R.markup="linkify",R.info="auto",S.push(R),E=d[T].lastIndex}if(E<c.length){const T=new e.Token("text","",0);T.content=c.slice(E),T.level=_,S.push(T)}t[n].children=a=lA(a,l,S)}}}}const dA=/\+-|\.\.|\?\?\?\?|!!!!|,,|--/,Dx=/\((c|tm|r)\)/i,xx=/\((c|tm|r)\)/ig,wx={c:"\xA9",r:"\xAE",tm:"\u2122"};function Lx(e,t){return wx[t.toLowerCase()]}function Mx(e){let t=0;for(let n=e.length-1;n>=0;n--){const r=e[n];r.type==="text"&&!t&&(r.content=r.content.replace(xx,Lx)),r.type==="link_open"&&r.info==="auto"&&t--,r.type==="link_close"&&r.info==="auto"&&t++}}function kx(e){let t=0;for(let n=e.length-1;n>=0;n--){const r=e[n];r.type==="text"&&!t&&dA.test(r.content)&&(r.content=r.content.replace(/\+-/g,"\xB1").replace(/\.{2,}/g,"\u2026").replace(/([?!])…/g,"$1..").replace(/([?!]){4,}/g,"$1$1$1").replace(/,{2,}/g,",").replace(/(^|[^-])---(?=[^-]|$)/mg,"$1\u2014").replace(/(^|\s)--(?=\s|$)/mg,"$1\u2013").replace(/(^|[^-\s])--(?=[^-\s]|$)/mg,"$1\u2013")),r.type==="link_open"&&r.info==="auto"&&t--,r.type==="link_close"&&r.info==="auto"&&t++}}function Px(e){let t;if(!!e.md.options.typographer)for(t=e.tokens.length-1;t>=0;t--)e.tokens[t].type==="inline"&&(Dx.test(e.tokens[t].content)&&Mx(e.tokens[t].children),dA.test(e.tokens[t].content)&&kx(e.tokens[t].children))}const Fx=/['"]/,Kb=/['"]/g,$b="\u2019";function qc(e,t,n){return e.slice(0,t)+n+e.slice(t+1)}function Bx(e,t){let n;const r=[];for(let a=0;a<e.length;a++){const o=e[a],l=e[a].level;for(n=r.length-1;n>=0&&!(r[n].level<=l);n--);if(r.length=n+1,o.type!=="text")continue;let u=o.content,c=0,d=u.length;e:for(;c<d;){Kb.lastIndex=c;const S=Kb.exec(u);if(!S)break;let _=!0,E=!0;c=S.index+1;const T=S[0]==="'";let y=32;if(S.index-1>=0)y=u.charCodeAt(S.index-1);else for(n=a-1;n>=0&&!(e[n].type==="softbreak"||e[n].type==="hardbreak");n--)if(!!e[n].content){y=e[n].content.charCodeAt(e[n].content.length-1);break}let M=32;if(c<d)M=u.charCodeAt(c);else for(n=a+1;n<e.length&&!(e[n].type==="softbreak"||e[n].type==="hardbreak");n++)if(!!e[n].content){M=e[n].content.charCodeAt(0);break}const v=qu(y)||Hu(String.fromCharCode(y)),A=qu(M)||Hu(String.fromCharCode(M)),O=Gu(y),N=Gu(M);if(N?_=!1:A&&(O||v||(_=!1)),O?E=!1:v&&(N||A||(E=!1)),M===34&&S[0]==='"'&&y>=48&&y<=57&&(E=_=!1),_&&E&&(_=v,E=A),!_&&!E){T&&(o.content=qc(o.content,S.index,$b));continue}if(E)for(n=r.length-1;n>=0;n--){let R=r[n];if(r[n].level<l)break;if(R.single===T&&r[n].level===l){R=r[n];let L,I;T?(L=t.md.options.quotes[2],I=t.md.options.quotes[3]):(L=t.md.options.quotes[0],I=t.md.options.quotes[1]),o.content=qc(o.content,S.index,I),e[R.token].content=qc(e[R.token].content,R.pos,L),c+=I.length-1,R.token===a&&(c+=L.length-1),u=o.content,d=u.length,r.length=n;continue e}}_?r.push({token:a,pos:S.index,single:T,level:l}):E&&T&&(o.content=qc(o.content,S.index,$b))}}}function Ux(e){if(!!e.md.options.typographer)for(let t=e.tokens.length-1;t>=0;t--)e.tokens[t].type!=="inline"||!Fx.test(e.tokens[t].content)||Bx(e.tokens[t].children,e)}function Gx(e){let t,n;const r=e.tokens,a=r.length;for(let o=0;o<a;o++){if(r[o].type!=="inline")continue;const l=r[o].children,u=l.length;for(t=0;t<u;t++)l[t].type==="text_special"&&(l[t].type="text");for(t=n=0;t<u;t++)l[t].type==="text"&&t+1<u&&l[t+1].type==="text"?l[t+1].content=l[t].content+l[t+1].content:(t!==n&&(l[n]=l[t]),n++);t!==n&&(l.length=n)}}const sp=[["normalize",Cx],["block",Ax],["inline",Ox],["linkify",Ix],["replacements",Px],["smartquotes",Ux],["text_join",Gx]];function aE(){this.ruler=new yi;for(let e=0;e<sp.length;e++)this.ruler.push(sp[e][0],sp[e][1])}aE.prototype.process=function(e){const t=this.ruler.getRules("");for(let n=0,r=t.length;n<r;n++)t[n](e)};aE.prototype.State=cA;function $a(e,t,n,r){this.src=e,this.md=t,this.env=n,this.tokens=r,this.bMarks=[],this.eMarks=[],this.tShift=[],this.sCount=[],this.bsCount=[],this.blkIndent=0,this.line=0,this.lineMax=0,this.tight=!1,this.ddIndent=-1,this.listIndent=-1,this.parentType="root",this.level=0;const a=this.src;for(let o=0,l=0,u=0,c=0,d=a.length,S=!1;l<d;l++){const _=a.charCodeAt(l);if(!S)if(Dn(_)){u++,_===9?c+=4-c%4:c++;continue}else S=!0;(_===10||l===d-1)&&(_!==10&&l++,this.bMarks.push(o),this.eMarks.push(l),this.tShift.push(u),this.sCount.push(c),this.bsCount.push(0),S=!1,u=0,c=0,o=l+1)}this.bMarks.push(a.length),this.eMarks.push(a.length),this.tShift.push(0),this.sCount.push(0),this.bsCount.push(0),this.lineMax=this.bMarks.length-1}$a.prototype.push=function(e,t,n){const r=new ya(e,t,n);return r.block=!0,n<0&&this.level--,r.level=this.level,n>0&&this.level++,this.tokens.push(r),r};$a.prototype.isEmpty=function(t){return this.bMarks[t]+this.tShift[t]>=this.eMarks[t]};$a.prototype.skipEmptyLines=function(t){for(let n=this.lineMax;t<n&&!(this.bMarks[t]+this.tShift[t]<this.eMarks[t]);t++);return t};$a.prototype.skipSpaces=function(t){for(let n=this.src.length;t<n;t++){const r=this.src.charCodeAt(t);if(!Dn(r))break}return t};$a.prototype.skipSpacesBack=function(t,n){if(t<=n)return t;for(;t>n;)if(!Dn(this.src.charCodeAt(--t)))return t+1;return t};$a.prototype.skipChars=function(t,n){for(let r=this.src.length;t<r&&this.src.charCodeAt(t)===n;t++);return t};$a.prototype.skipCharsBack=function(t,n,r){if(t<=r)return t;for(;t>r;)if(n!==this.src.charCodeAt(--t))return t+1;return t};$a.prototype.getLines=function(t,n,r,a){if(t>=n)return"";const o=new Array(n-t);for(let l=0,u=t;u<n;u++,l++){let c=0;const d=this.bMarks[u];let S=d,_;for(u+1<n||a?_=this.eMarks[u]+1:_=this.eMarks[u];S<_&&c<r;){const E=this.src.charCodeAt(S);if(Dn(E))E===9?c+=4-(c+this.bsCount[u])%4:c++;else if(S-d<this.tShift[u])c++;else break;S++}c>r?o[l]=new Array(c-r+1).join(" ")+this.src.slice(S,_):o[l]=this.src.slice(S,_)}return o.join("")};$a.prototype.Token=ya;function lp(e,t){const n=e.bMarks[t]+e.tShift[t],r=e.eMarks[t];return e.src.slice(n,r)}function Qb(e){const t=[],n=e.length;let r=0,a=e.charCodeAt(r),o=!1,l=0,u="";for(;r<n;)a===124&&(o?(u+=e.substring(l,r-1),l=r):(t.push(u+e.substring(l,r)),u="",l=r+1)),o=a===92,r++,a=e.charCodeAt(r);return t.push(u+e.substring(l)),t}function Hx(e,t,n,r){if(t+2>n)return!1;let a=t+1;if(e.sCount[a]<e.blkIndent||e.sCount[a]-e.blkIndent>=4)return!1;let o=e.bMarks[a]+e.tShift[a];if(o>=e.eMarks[a])return!1;const l=e.src.charCodeAt(o++);if(l!==124&&l!==45&&l!==58||o>=e.eMarks[a])return!1;const u=e.src.charCodeAt(o++);if(u!==124&&u!==45&&u!==58&&!Dn(u)||l===45&&Dn(u))return!1;for(;o<e.eMarks[a];){const N=e.src.charCodeAt(o);if(N!==124&&N!==45&&N!==58&&!Dn(N))return!1;o++}let c=lp(e,t+1),d=c.split("|");const S=[];for(let N=0;N<d.length;N++){const R=d[N].trim();if(!R){if(N===0||N===d.length-1)continue;return!1}if(!/^:?-+:?$/.test(R))return!1;R.charCodeAt(R.length-1)===58?S.push(R.charCodeAt(0)===58?"center":"right"):R.charCodeAt(0)===58?S.push("left"):S.push("")}if(c=lp(e,t).trim(),c.indexOf("|")===-1||e.sCount[t]-e.blkIndent>=4)return!1;d=Qb(c),d.length&&d[0]===""&&d.shift(),d.length&&d[d.length-1]===""&&d.pop();const _=d.length;if(_===0||_!==S.length)return!1;if(r)return!0;const E=e.parentType;e.parentType="table";const T=e.md.block.ruler.getRules("blockquote"),y=e.push("table_open","table",1),M=[t,0];y.map=M;const v=e.push("thead_open","thead",1);v.map=[t,t+1];const A=e.push("tr_open","tr",1);A.map=[t,t+1];for(let N=0;N<d.length;N++){const R=e.push("th_open","th",1);S[N]&&(R.attrs=[["style","text-align:"+S[N]]]);const L=e.push("inline","",0);L.content=d[N].trim(),L.children=[],e.push("th_close","th",-1)}e.push("tr_close","tr",-1),e.push("thead_close","thead",-1);let O;for(a=t+2;a<n&&!(e.sCount[a]<e.blkIndent);a++){let N=!1;for(let L=0,I=T.length;L<I;L++)if(T[L](e,a,n,!0)){N=!0;break}if(N||(c=lp(e,a).trim(),!c)||e.sCount[a]-e.blkIndent>=4)break;if(d=Qb(c),d.length&&d[0]===""&&d.shift(),d.length&&d[d.length-1]===""&&d.pop(),a===t+2){const L=e.push("tbody_open","tbody",1);L.map=O=[t+2,0]}const R=e.push("tr_open","tr",1);R.map=[a,a+1];for(let L=0;L<_;L++){const I=e.push("td_open","td",1);S[L]&&(I.attrs=[["style","text-align:"+S[L]]]);const h=e.push("inline","",0);h.content=d[L]?d[L].trim():"",h.children=[],e.push("td_close","td",-1)}e.push("tr_close","tr",-1)}return O&&(e.push("tbody_close","tbody",-1),O[1]=a),e.push("table_close","table",-1),M[1]=a,e.parentType=E,e.line=a,!0}function qx(e,t,n){if(e.sCount[t]-e.blkIndent<4)return!1;let r=t+1,a=r;for(;r<n;){if(e.isEmpty(r)){r++;continue}if(e.sCount[r]-e.blkIndent>=4){r++,a=r;continue}break}e.line=a;const o=e.push("code_block","code",0);return o.content=e.getLines(t,a,4+e.blkIndent,!1)+`
-`,o.map=[t,e.line],!0}function Yx(e,t,n,r){let a=e.bMarks[t]+e.tShift[t],o=e.eMarks[t];if(e.sCount[t]-e.blkIndent>=4||a+3>o)return!1;const l=e.src.charCodeAt(a);if(l!==126&&l!==96)return!1;let u=a;a=e.skipChars(a,l);let c=a-u;if(c<3)return!1;const d=e.src.slice(u,a),S=e.src.slice(a,o);if(l===96&&S.indexOf(String.fromCharCode(l))>=0)return!1;if(r)return!0;let _=t,E=!1;for(;_++,!(_>=n||(a=u=e.bMarks[_]+e.tShift[_],o=e.eMarks[_],a<o&&e.sCount[_]<e.blkIndent));)if(e.src.charCodeAt(a)===l&&!(e.sCount[_]-e.blkIndent>=4)&&(a=e.skipChars(a,l),!(a-u<c)&&(a=e.skipSpaces(a),!(a<o)))){E=!0;break}c=e.sCount[t],e.line=_+(E?1:0);const T=e.push("fence","code",0);return T.info=S,T.content=e.getLines(t+1,_,c,!0),T.markup=d,T.map=[t,e.line],!0}function Wx(e,t,n,r){let a=e.bMarks[t]+e.tShift[t],o=e.eMarks[t];const l=e.lineMax;if(e.sCount[t]-e.blkIndent>=4||e.src.charCodeAt(a)!==62)return!1;if(r)return!0;const u=[],c=[],d=[],S=[],_=e.md.block.ruler.getRules("blockquote"),E=e.parentType;e.parentType="blockquote";let T=!1,y;for(y=t;y<n;y++){const N=e.sCount[y]<e.blkIndent;if(a=e.bMarks[y]+e.tShift[y],o=e.eMarks[y],a>=o)break;if(e.src.charCodeAt(a++)===62&&!N){let L=e.sCount[y]+1,I,h;e.src.charCodeAt(a)===32?(a++,L++,h=!1,I=!0):e.src.charCodeAt(a)===9?(I=!0,(e.bsCount[y]+L)%4===3?(a++,L++,h=!1):h=!0):I=!1;let k=L;for(u.push(e.bMarks[y]),e.bMarks[y]=a;a<o;){const F=e.src.charCodeAt(a);if(Dn(F))F===9?k+=4-(k+e.bsCount[y]+(h?1:0))%4:k++;else break;a++}T=a>=o,c.push(e.bsCount[y]),e.bsCount[y]=e.sCount[y]+1+(I?1:0),d.push(e.sCount[y]),e.sCount[y]=k-L,S.push(e.tShift[y]),e.tShift[y]=a-e.bMarks[y];continue}if(T)break;let R=!1;for(let L=0,I=_.length;L<I;L++)if(_[L](e,y,n,!0)){R=!0;break}if(R){e.lineMax=y,e.blkIndent!==0&&(u.push(e.bMarks[y]),c.push(e.bsCount[y]),S.push(e.tShift[y]),d.push(e.sCount[y]),e.sCount[y]-=e.blkIndent);break}u.push(e.bMarks[y]),c.push(e.bsCount[y]),S.push(e.tShift[y]),d.push(e.sCount[y]),e.sCount[y]=-1}const M=e.blkIndent;e.blkIndent=0;const v=e.push("blockquote_open","blockquote",1);v.markup=">";const A=[t,0];v.map=A,e.md.block.tokenize(e,t,y);const O=e.push("blockquote_close","blockquote",-1);O.markup=">",e.lineMax=l,e.parentType=E,A[1]=e.line;for(let N=0;N<S.length;N++)e.bMarks[N+t]=u[N],e.tShift[N+t]=S[N],e.sCount[N+t]=d[N],e.bsCount[N+t]=c[N];return e.blkIndent=M,!0}function Vx(e,t,n,r){const a=e.eMarks[t];if(e.sCount[t]-e.blkIndent>=4)return!1;let o=e.bMarks[t]+e.tShift[t];const l=e.src.charCodeAt(o++);if(l!==42&&l!==45&&l!==95)return!1;let u=1;for(;o<a;){const d=e.src.charCodeAt(o++);if(d!==l&&!Dn(d))return!1;d===l&&u++}if(u<3)return!1;if(r)return!0;e.line=t+1;const c=e.push("hr","hr",0);return c.map=[t,e.line],c.markup=Array(u+1).join(String.fromCharCode(l)),!0}function jb(e,t){const n=e.eMarks[t];let r=e.bMarks[t]+e.tShift[t];const a=e.src.charCodeAt(r++);if(a!==42&&a!==45&&a!==43)return-1;if(r<n){const o=e.src.charCodeAt(r);if(!Dn(o))return-1}return r}function Xb(e,t){const n=e.bMarks[t]+e.tShift[t],r=e.eMarks[t];let a=n;if(a+1>=r)return-1;let o=e.src.charCodeAt(a++);if(o<48||o>57)return-1;for(;;){if(a>=r)return-1;if(o=e.src.charCodeAt(a++),o>=48&&o<=57){if(a-n>=10)return-1;continue}if(o===41||o===46)break;return-1}return a<r&&(o=e.src.charCodeAt(a),!Dn(o))?-1:a}function zx(e,t){const n=e.level+2;for(let r=t+2,a=e.tokens.length-2;r<a;r++)e.tokens[r].level===n&&e.tokens[r].type==="paragraph_open"&&(e.tokens[r+2].hidden=!0,e.tokens[r].hidden=!0,r+=2)}function Kx(e,t,n,r){let a,o,l,u,c=t,d=!0;if(e.sCount[c]-e.blkIndent>=4||e.listIndent>=0&&e.sCount[c]-e.listIndent>=4&&e.sCount[c]<e.blkIndent)return!1;let S=!1;r&&e.parentType==="paragraph"&&e.sCount[c]>=e.blkIndent&&(S=!0);let _,E,T;if((T=Xb(e,c))>=0){if(_=!0,l=e.bMarks[c]+e.tShift[c],E=Number(e.src.slice(l,T-1)),S&&E!==1)return!1}else if((T=jb(e,c))>=0)_=!1;else return!1;if(S&&e.skipSpaces(T)>=e.eMarks[c])return!1;if(r)return!0;const y=e.src.charCodeAt(T-1),M=e.tokens.length;_?(u=e.push("ordered_list_open","ol",1),E!==1&&(u.attrs=[["start",E]])):u=e.push("bullet_list_open","ul",1);const v=[c,0];u.map=v,u.markup=String.fromCharCode(y);let A=!1;const O=e.md.block.ruler.getRules("list"),N=e.parentType;for(e.parentType="list";c<n;){o=T,a=e.eMarks[c];const R=e.sCount[c]+T-(e.bMarks[c]+e.tShift[c]);let L=R;for(;o<a;){const V=e.src.charCodeAt(o);if(V===9)L+=4-(L+e.bsCount[c])%4;else if(V===32)L++;else break;o++}const I=o;let h;I>=a?h=1:h=L-R,h>4&&(h=1);const k=R+h;u=e.push("list_item_open","li",1),u.markup=String.fromCharCode(y);const F=[c,0];u.map=F,_&&(u.info=e.src.slice(l,T-1));const z=e.tight,K=e.tShift[c],ue=e.sCount[c],Z=e.listIndent;if(e.listIndent=e.blkIndent,e.blkIndent=k,e.tight=!0,e.tShift[c]=I-e.bMarks[c],e.sCount[c]=L,I>=a&&e.isEmpty(c+1)?e.line=Math.min(e.line+2,n):e.md.block.tokenize(e,c,n,!0),(!e.tight||A)&&(d=!1),A=e.line-c>1&&e.isEmpty(e.line-1),e.blkIndent=e.listIndent,e.listIndent=Z,e.tShift[c]=K,e.sCount[c]=ue,e.tight=z,u=e.push("list_item_close","li",-1),u.markup=String.fromCharCode(y),c=e.line,F[1]=c,c>=n||e.sCount[c]<e.blkIndent||e.sCount[c]-e.blkIndent>=4)break;let fe=!1;for(let V=0,ne=O.length;V<ne;V++)if(O[V](e,c,n,!0)){fe=!0;break}if(fe)break;if(_){if(T=Xb(e,c),T<0)break;l=e.bMarks[c]+e.tShift[c]}else if(T=jb(e,c),T<0)break;if(y!==e.src.charCodeAt(T-1))break}return _?u=e.push("ordered_list_close","ol",-1):u=e.push("bullet_list_close","ul",-1),u.markup=String.fromCharCode(y),v[1]=c,e.line=c,e.parentType=N,d&&zx(e,M),!0}function $x(e,t,n,r){let a=0,o=e.bMarks[t]+e.tShift[t],l=e.eMarks[t],u=t+1;if(e.sCount[t]-e.blkIndent>=4||e.src.charCodeAt(o)!==91)return!1;for(;++o<l;)if(e.src.charCodeAt(o)===93&&e.src.charCodeAt(o-1)!==92){if(o+1===l||e.src.charCodeAt(o+1)!==58)return!1;break}const c=e.lineMax,d=e.md.block.ruler.getRules("reference"),S=e.parentType;for(e.parentType="reference";u<c&&!e.isEmpty(u);u++){if(e.sCount[u]-e.blkIndent>3||e.sCount[u]<0)continue;let L=!1;for(let I=0,h=d.length;I<h;I++)if(d[I](e,u,c,!0)){L=!0;break}if(L)break}const _=e.getLines(t,u,e.blkIndent,!1).trim();l=_.length;let E=-1;for(o=1;o<l;o++){const L=_.charCodeAt(o);if(L===91)return!1;if(L===93){E=o;break}else L===10?a++:L===92&&(o++,o<l&&_.charCodeAt(o)===10&&a++)}if(E<0||_.charCodeAt(E+1)!==58)return!1;for(o=E+2;o<l;o++){const L=_.charCodeAt(o);if(L===10)a++;else if(!Dn(L))break}const T=e.md.helpers.parseLinkDestination(_,o,l);if(!T.ok)return!1;const y=e.md.normalizeLink(T.str);if(!e.md.validateLink(y))return!1;o=T.pos,a+=T.lines;const M=o,v=a,A=o;for(;o<l;o++){const L=_.charCodeAt(o);if(L===10)a++;else if(!Dn(L))break}const O=e.md.helpers.parseLinkTitle(_,o,l);let N;for(o<l&&A!==o&&O.ok?(N=O.str,o=O.pos,a+=O.lines):(N="",o=M,a=v);o<l;){const L=_.charCodeAt(o);if(!Dn(L))break;o++}if(o<l&&_.charCodeAt(o)!==10&&N)for(N="",o=M,a=v;o<l;){const L=_.charCodeAt(o);if(!Dn(L))break;o++}if(o<l&&_.charCodeAt(o)!==10)return!1;const R=Bd(_.slice(1,E));return R?(r||(typeof e.env.references>"u"&&(e.env.references={}),typeof e.env.references[R]>"u"&&(e.env.references[R]={title:N,href:y}),e.parentType=S,e.line=t+a+1),!0):!1}const Qx=["address","article","aside","base","basefont","blockquote","body","caption","center","col","colgroup","dd","details","dialog","dir","div","dl","dt","fieldset","figcaption","figure","footer","form","frame","frameset","h1","h2","h3","h4","h5","h6","head","header","hr","html","iframe","legend","li","link","main","menu","menuitem","nav","noframes","ol","optgroup","option","p","param","section","source","summary","table","tbody","td","tfoot","th","thead","title","tr","track","ul"],jx="[a-zA-Z_:][a-zA-Z0-9:._-]*",Xx="[^\"'=<>`\\x00-\\x20]+",Zx="'[^']*'",Jx='"[^"]*"',ew="(?:"+Xx+"|"+Zx+"|"+Jx+")",tw="(?:\\s+"+jx+"(?:\\s*=\\s*"+ew+")?)",fA="<[A-Za-z][A-Za-z0-9\\-]*"+tw+"*\\s*\\/?>",pA="<\\/[A-Za-z][A-Za-z0-9\\-]*\\s*>",nw="<!---->|<!--(?:-?[^>-])(?:-?[^-])*-->",rw="<[?][\\s\\S]*?[?]>",iw="<![A-Z]+\\s+[^>]*>",aw="<!\\[CDATA\\[[\\s\\S]*?\\]\\]>",ow=new RegExp("^(?:"+fA+"|"+pA+"|"+nw+"|"+rw+"|"+iw+"|"+aw+")"),sw=new RegExp("^(?:"+fA+"|"+pA+")"),Sl=[[/^<(script|pre|style|textarea)(?=(\s|>|$))/i,/<\/(script|pre|style|textarea)>/i,!0],[/^<!--/,/-->/,!0],[/^<\?/,/\?>/,!0],[/^<![A-Z]/,/>/,!0],[/^<!\[CDATA\[/,/\]\]>/,!0],[new RegExp("^</?("+Qx.join("|")+")(?=(\\s|/?>|$))","i"),/^$/,!0],[new RegExp(sw.source+"\\s*$"),/^$/,!1]];function lw(e,t,n,r){let a=e.bMarks[t]+e.tShift[t],o=e.eMarks[t];if(e.sCount[t]-e.blkIndent>=4||!e.md.options.html||e.src.charCodeAt(a)!==60)return!1;let l=e.src.slice(a,o),u=0;for(;u<Sl.length&&!Sl[u][0].test(l);u++);if(u===Sl.length)return!1;if(r)return Sl[u][2];let c=t+1;if(!Sl[u][1].test(l)){for(;c<n&&!(e.sCount[c]<e.blkIndent);c++)if(a=e.bMarks[c]+e.tShift[c],o=e.eMarks[c],l=e.src.slice(a,o),Sl[u][1].test(l)){l.length!==0&&c++;break}}e.line=c;const d=e.push("html_block","",0);return d.map=[t,c],d.content=e.getLines(t,c,e.blkIndent,!0),!0}function uw(e,t,n,r){let a=e.bMarks[t]+e.tShift[t],o=e.eMarks[t];if(e.sCount[t]-e.blkIndent>=4)return!1;let l=e.src.charCodeAt(a);if(l!==35||a>=o)return!1;let u=1;for(l=e.src.charCodeAt(++a);l===35&&a<o&&u<=6;)u++,l=e.src.charCodeAt(++a);if(u>6||a<o&&!Dn(l))return!1;if(r)return!0;o=e.skipSpacesBack(o,a);const c=e.skipCharsBack(o,35,a);c>a&&Dn(e.src.charCodeAt(c-1))&&(o=c),e.line=t+1;const d=e.push("heading_open","h"+String(u),1);d.markup="########".slice(0,u),d.map=[t,e.line];const S=e.push("inline","",0);S.content=e.src.slice(a,o).trim(),S.map=[t,e.line],S.children=[];const _=e.push("heading_close","h"+String(u),-1);return _.markup="########".slice(0,u),!0}function cw(e,t,n){const r=e.md.block.ruler.getRules("paragraph");if(e.sCount[t]-e.blkIndent>=4)return!1;const a=e.parentType;e.parentType="paragraph";let o=0,l,u=t+1;for(;u<n&&!e.isEmpty(u);u++){if(e.sCount[u]-e.blkIndent>3)continue;if(e.sCount[u]>=e.blkIndent){let T=e.bMarks[u]+e.tShift[u];const y=e.eMarks[u];if(T<y&&(l=e.src.charCodeAt(T),(l===45||l===61)&&(T=e.skipChars(T,l),T=e.skipSpaces(T),T>=y))){o=l===61?1:2;break}}if(e.sCount[u]<0)continue;let E=!1;for(let T=0,y=r.length;T<y;T++)if(r[T](e,u,n,!0)){E=!0;break}if(E)break}if(!o)return!1;const c=e.getLines(t,u,e.blkIndent,!1).trim();e.line=u+1;const d=e.push("heading_open","h"+String(o),1);d.markup=String.fromCharCode(l),d.map=[t,e.line];const S=e.push("inline","",0);S.content=c,S.map=[t,e.line-1],S.children=[];const _=e.push("heading_close","h"+String(o),-1);return _.markup=String.fromCharCode(l),e.parentType=a,!0}function dw(e,t,n){const r=e.md.block.ruler.getRules("paragraph"),a=e.parentType;let o=t+1;for(e.parentType="paragraph";o<n&&!e.isEmpty(o);o++){if(e.sCount[o]-e.blkIndent>3||e.sCount[o]<0)continue;let d=!1;for(let S=0,_=r.length;S<_;S++)if(r[S](e,o,n,!0)){d=!0;break}if(d)break}const l=e.getLines(t,o,e.blkIndent,!1).trim();e.line=o;const u=e.push("paragraph_open","p",1);u.map=[t,e.line];const c=e.push("inline","",0);return c.content=l,c.map=[t,e.line],c.children=[],e.push("paragraph_close","p",-1),e.parentType=a,!0}const Yc=[["table",Hx,["paragraph","reference"]],["code",qx],["fence",Yx,["paragraph","reference","blockquote","list"]],["blockquote",Wx,["paragraph","reference","blockquote","list"]],["hr",Vx,["paragraph","reference","blockquote","list"]],["list",Kx,["paragraph","reference","blockquote"]],["reference",$x],["html_block",lw,["paragraph","reference","blockquote"]],["heading",uw,["paragraph","reference","blockquote"]],["lheading",cw],["paragraph",dw]];function Ud(){this.ruler=new yi;for(let e=0;e<Yc.length;e++)this.ruler.push(Yc[e][0],Yc[e][1],{alt:(Yc[e][2]||[]).slice()})}Ud.prototype.tokenize=function(e,t,n){const r=this.ruler.getRules(""),a=r.length,o=e.md.options.maxNesting;let l=t,u=!1;for(;l<n&&(e.line=l=e.skipEmptyLines(l),!(l>=n||e.sCount[l]<e.blkIndent));){if(e.level>=o){e.line=n;break}const c=e.line;let d=!1;for(let S=0;S<a;S++)if(d=r[S](e,l,n,!1),d){if(c>=e.line)throw new Error("block rule didn't increment state.line");break}if(!d)throw new Error("none of the block rules matched");e.tight=!u,e.isEmpty(e.line-1)&&(u=!0),l=e.line,l<n&&e.isEmpty(l)&&(u=!0,l++,e.line=l)}};Ud.prototype.parse=function(e,t,n,r){if(!e)return;const a=new this.State(e,t,n,r);this.tokenize(a,a.line,a.lineMax)};Ud.prototype.State=$a;function lc(e,t,n,r){this.src=e,this.env=n,this.md=t,this.tokens=r,this.tokens_meta=Array(r.length),this.pos=0,this.posMax=this.src.length,this.level=0,this.pending="",this.pendingLevel=0,this.cache={},this.delimiters=[],this._prev_delimiters=[],this.backticks={},this.backticksScanned=!1,this.linkLevel=0}lc.prototype.pushPending=function(){const e=new ya("text","",0);return e.content=this.pending,e.level=this.pendingLevel,this.tokens.push(e),this.pending="",e};lc.prototype.push=function(e,t,n){this.pending&&this.pushPending();const r=new ya(e,t,n);let a=null;return n<0&&(this.level--,this.delimiters=this._prev_delimiters.pop()),r.level=this.level,n>0&&(this.level++,this._prev_delimiters.push(this.delimiters),this.delimiters=[],a={delimiters:this.delimiters}),this.pendingLevel=this.level,this.tokens.push(r),this.tokens_meta.push(a),r};lc.prototype.scanDelims=function(e,t){let n,r,a=!0,o=!0;const l=this.posMax,u=this.src.charCodeAt(e),c=e>0?this.src.charCodeAt(e-1):32;let d=e;for(;d<l&&this.src.charCodeAt(d)===u;)d++;const S=d-e,_=d<l?this.src.charCodeAt(d):32,E=qu(c)||Hu(String.fromCharCode(c)),T=qu(_)||Hu(String.fromCharCode(_)),y=Gu(c),M=Gu(_);return M?a=!1:T&&(y||E||(a=!1)),y?o=!1:E&&(M||T||(o=!1)),t?(n=a,r=o):(n=a&&(!o||E),r=o&&(!a||T)),{can_open:n,can_close:r,length:S}};lc.prototype.Token=ya;function fw(e){switch(e){case 10:case 33:case 35:case 36:case 37:case 38:case 42:case 43:case 45:case 58:case 60:case 61:case 62:case 64:case 91:case 92:case 93:case 94:case 95:case 96:case 123:case 125:case 126:return!0;default:return!1}}function pw(e,t){let n=e.pos;for(;n<e.posMax&&!fw(e.src.charCodeAt(n));)n++;return n===e.pos?!1:(t||(e.pending+=e.src.slice(e.pos,n)),e.pos=n,!0)}const _w=/(?:^|[^a-z0-9.+-])([a-z][a-z0-9.+-]*)$/i;function mw(e,t){if(!e.md.options.linkify||e.linkLevel>0)return!1;const n=e.pos,r=e.posMax;if(n+3>r||e.src.charCodeAt(n)!==58||e.src.charCodeAt(n+1)!==47||e.src.charCodeAt(n+2)!==47)return!1;const a=e.pending.match(_w);if(!a)return!1;const o=a[1],l=e.md.linkify.matchAtStart(e.src.slice(n-o.length));if(!l)return!1;let u=l.url;if(u.length<=o.length)return!1;u=u.replace(/\*+$/,"");const c=e.md.normalizeLink(u);if(!e.md.validateLink(c))return!1;if(!t){e.pending=e.pending.slice(0,-o.length);const d=e.push("link_open","a",1);d.attrs=[["href",c]],d.markup="linkify",d.info="auto";const S=e.push("text","",0);S.content=e.md.normalizeLinkText(u);const _=e.push("link_close","a",-1);_.markup="linkify",_.info="auto"}return e.pos+=u.length-o.length,!0}function gw(e,t){let n=e.pos;if(e.src.charCodeAt(n)!==10)return!1;const r=e.pending.length-1,a=e.posMax;if(!t)if(r>=0&&e.pending.charCodeAt(r)===32)if(r>=1&&e.pending.charCodeAt(r-1)===32){let o=r-1;for(;o>=1&&e.pending.charCodeAt(o-1)===32;)o--;e.pending=e.pending.slice(0,o),e.push("hardbreak","br",0)}else e.pending=e.pending.slice(0,-1),e.push("softbreak","br",0);else e.push("softbreak","br",0);for(n++;n<a&&Dn(e.src.charCodeAt(n));)n++;return e.pos=n,!0}const oE=[];for(let e=0;e<256;e++)oE.push(0);"\\!\"#$%&'()*+,./:;<=>?@[]^_`{|}~-".split("").forEach(function(e){oE[e.charCodeAt(0)]=1});function hw(e,t){let n=e.pos;const r=e.posMax;if(e.src.charCodeAt(n)!==92||(n++,n>=r))return!1;let a=e.src.charCodeAt(n);if(a===10){for(t||e.push("hardbreak","br",0),n++;n<r&&(a=e.src.charCodeAt(n),!!Dn(a));)n++;return e.pos=n,!0}let o=e.src[n];if(a>=55296&&a<=56319&&n+1<r){const u=e.src.charCodeAt(n+1);u>=56320&&u<=57343&&(o+=e.src[n+1],n++)}const l="\\"+o;if(!t){const u=e.push("text_special","",0);a<256&&oE[a]!==0?u.content=o:u.content=l,u.markup=l,u.info="escape"}return e.pos=n+1,!0}function Ew(e,t){let n=e.pos;if(e.src.charCodeAt(n)!==96)return!1;const a=n;n++;const o=e.posMax;for(;n<o&&e.src.charCodeAt(n)===96;)n++;const l=e.src.slice(a,n),u=l.length;if(e.backticksScanned&&(e.backticks[u]||0)<=a)return t||(e.pending+=l),e.pos+=u,!0;let c=n,d;for(;(d=e.src.indexOf("`",c))!==-1;){for(c=d+1;c<o&&e.src.charCodeAt(c)===96;)c++;const S=c-d;if(S===u){if(!t){const _=e.push("code_inline","code",0);_.markup=l,_.content=e.src.slice(n,d).replace(/\n/g," ").replace(/^ (.+) $/,"$1")}return e.pos=c,!0}e.backticks[S]=d}return e.backticksScanned=!0,t||(e.pending+=l),e.pos+=u,!0}function Sw(e,t){const n=e.pos,r=e.src.charCodeAt(n);if(t||r!==126)return!1;const a=e.scanDelims(e.pos,!0);let o=a.length;const l=String.fromCharCode(r);if(o<2)return!1;let u;o%2&&(u=e.push("text","",0),u.content=l,o--);for(let c=0;c<o;c+=2)u=e.push("text","",0),u.content=l+l,e.delimiters.push({marker:r,length:0,token:e.tokens.length-1,end:-1,open:a.can_open,close:a.can_close});return e.pos+=a.length,!0}function Zb(e,t){let n;const r=[],a=t.length;for(let o=0;o<a;o++){const l=t[o];if(l.marker!==126||l.end===-1)continue;const u=t[l.end];n=e.tokens[l.token],n.type="s_open",n.tag="s",n.nesting=1,n.markup="~~",n.content="",n=e.tokens[u.token],n.type="s_close",n.tag="s",n.nesting=-1,n.markup="~~",n.content="",e.tokens[u.token-1].type==="text"&&e.tokens[u.token-1].content==="~"&&r.push(u.token-1)}for(;r.length;){const o=r.pop();let l=o+1;for(;l<e.tokens.length&&e.tokens[l].type==="s_close";)l++;l--,o!==l&&(n=e.tokens[l],e.tokens[l]=e.tokens[o],e.tokens[o]=n)}}function bw(e){const t=e.tokens_meta,n=e.tokens_meta.length;Zb(e,e.delimiters);for(let r=0;r<n;r++)t[r]&&t[r].delimiters&&Zb(e,t[r].delimiters)}const _A={tokenize:Sw,postProcess:bw};function vw(e,t){const n=e.pos,r=e.src.charCodeAt(n);if(t||r!==95&&r!==42)return!1;const a=e.scanDelims(e.pos,r===42);for(let o=0;o<a.length;o++){const l=e.push("text","",0);l.content=String.fromCharCode(r),e.delimiters.push({marker:r,length:a.length,token:e.tokens.length-1,end:-1,open:a.can_open,close:a.can_close})}return e.pos+=a.length,!0}function Jb(e,t){const n=t.length;for(let r=n-1;r>=0;r--){const a=t[r];if(a.marker!==95&&a.marker!==42||a.end===-1)continue;const o=t[a.end],l=r>0&&t[r-1].end===a.end+1&&t[r-1].marker===a.marker&&t[r-1].token===a.token-1&&t[a.end+1].token===o.token+1,u=String.fromCharCode(a.marker),c=e.tokens[a.token];c.type=l?"strong_open":"em_open",c.tag=l?"strong":"em",c.nesting=1,c.markup=l?u+u:u,c.content="";const d=e.tokens[o.token];d.type=l?"strong_close":"em_close",d.tag=l?"strong":"em",d.nesting=-1,d.markup=l?u+u:u,d.content="",l&&(e.tokens[t[r-1].token].content="",e.tokens[t[a.end+1].token].content="",r--)}}function Tw(e){const t=e.tokens_meta,n=e.tokens_meta.length;Jb(e,e.delimiters);for(let r=0;r<n;r++)t[r]&&t[r].delimiters&&Jb(e,t[r].delimiters)}const mA={tokenize:vw,postProcess:Tw};function yw(e,t){let n,r,a,o,l="",u="",c=e.pos,d=!0;if(e.src.charCodeAt(e.pos)!==91)return!1;const S=e.pos,_=e.posMax,E=e.pos+1,T=e.md.helpers.parseLinkLabel(e,e.pos,!0);if(T<0)return!1;let y=T+1;if(y<_&&e.src.charCodeAt(y)===40){for(d=!1,y++;y<_&&(n=e.src.charCodeAt(y),!(!Dn(n)&&n!==10));y++);if(y>=_)return!1;if(c=y,a=e.md.helpers.parseLinkDestination(e.src,y,e.posMax),a.ok){for(l=e.md.normalizeLink(a.str),e.md.validateLink(l)?y=a.pos:l="",c=y;y<_&&(n=e.src.charCodeAt(y),!(!Dn(n)&&n!==10));y++);if(a=e.md.helpers.parseLinkTitle(e.src,y,e.posMax),y<_&&c!==y&&a.ok)for(u=a.str,y=a.pos;y<_&&(n=e.src.charCodeAt(y),!(!Dn(n)&&n!==10));y++);}(y>=_||e.src.charCodeAt(y)!==41)&&(d=!0),y++}if(d){if(typeof e.env.references>"u")return!1;if(y<_&&e.src.charCodeAt(y)===91?(c=y+1,y=e.md.helpers.parseLinkLabel(e,y),y>=0?r=e.src.slice(c,y++):y=T+1):y=T+1,r||(r=e.src.slice(E,T)),o=e.env.references[Bd(r)],!o)return e.pos=S,!1;l=o.href,u=o.title}if(!t){e.pos=E,e.posMax=T;const M=e.push("link_open","a",1),v=[["href",l]];M.attrs=v,u&&v.push(["title",u]),e.linkLevel++,e.md.inline.tokenize(e),e.linkLevel--,e.push("link_close","a",-1)}return e.pos=y,e.posMax=_,!0}function Cw(e,t){let n,r,a,o,l,u,c,d,S="";const _=e.pos,E=e.posMax;if(e.src.charCodeAt(e.pos)!==33||e.src.charCodeAt(e.pos+1)!==91)return!1;const T=e.pos+2,y=e.md.helpers.parseLinkLabel(e,e.pos+1,!1);if(y<0)return!1;if(o=y+1,o<E&&e.src.charCodeAt(o)===40){for(o++;o<E&&(n=e.src.charCodeAt(o),!(!Dn(n)&&n!==10));o++);if(o>=E)return!1;for(d=o,u=e.md.helpers.parseLinkDestination(e.src,o,e.posMax),u.ok&&(S=e.md.normalizeLink(u.str),e.md.validateLink(S)?o=u.pos:S=""),d=o;o<E&&(n=e.src.charCodeAt(o),!(!Dn(n)&&n!==10));o++);if(u=e.md.helpers.parseLinkTitle(e.src,o,e.posMax),o<E&&d!==o&&u.ok)for(c=u.str,o=u.pos;o<E&&(n=e.src.charCodeAt(o),!(!Dn(n)&&n!==10));o++);else c="";if(o>=E||e.src.charCodeAt(o)!==41)return e.pos=_,!1;o++}else{if(typeof e.env.references>"u")return!1;if(o<E&&e.src.charCodeAt(o)===91?(d=o+1,o=e.md.helpers.parseLinkLabel(e,o),o>=0?a=e.src.slice(d,o++):o=y+1):o=y+1,a||(a=e.src.slice(T,y)),l=e.env.references[Bd(a)],!l)return e.pos=_,!1;S=l.href,c=l.title}if(!t){r=e.src.slice(T,y);const M=[];e.md.inline.parse(r,e.md,e.env,M);const v=e.push("image","img",0),A=[["src",S],["alt",""]];v.attrs=A,v.children=M,v.content=r,c&&A.push(["title",c])}return e.pos=o,e.posMax=E,!0}const Aw=/^([a-zA-Z0-9.!#$%&'*+/=?^_`{|}~-]+@[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?(?:\.[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?)*)$/,Ow=/^([a-zA-Z][a-zA-Z0-9+.-]{1,31}):([^<>\x00-\x20]*)$/;function Rw(e,t){let n=e.pos;if(e.src.charCodeAt(n)!==60)return!1;const r=e.pos,a=e.posMax;for(;;){if(++n>=a)return!1;const l=e.src.charCodeAt(n);if(l===60)return!1;if(l===62)break}const o=e.src.slice(r+1,n);if(Ow.test(o)){const l=e.md.normalizeLink(o);if(!e.md.validateLink(l))return!1;if(!t){const u=e.push("link_open","a",1);u.attrs=[["href",l]],u.markup="autolink",u.info="auto";const c=e.push("text","",0);c.content=e.md.normalizeLinkText(o);const d=e.push("link_close","a",-1);d.markup="autolink",d.info="auto"}return e.pos+=o.length+2,!0}if(Aw.test(o)){const l=e.md.normalizeLink("mailto:"+o);if(!e.md.validateLink(l))return!1;if(!t){const u=e.push("link_open","a",1);u.attrs=[["href",l]],u.markup="autolink",u.info="auto";const c=e.push("text","",0);c.content=e.md.normalizeLinkText(o);const d=e.push("link_close","a",-1);d.markup="autolink",d.info="auto"}return e.pos+=o.length+2,!0}return!1}function Nw(e){return/^<a[>\s]/i.test(e)}function Iw(e){return/^<\/a\s*>/i.test(e)}function Dw(e){const t=e|32;return t>=97&&t<=122}function xw(e,t){if(!e.md.options.html)return!1;const n=e.posMax,r=e.pos;if(e.src.charCodeAt(r)!==60||r+2>=n)return!1;const a=e.src.charCodeAt(r+1);if(a!==33&&a!==63&&a!==47&&!Dw(a))return!1;const o=e.src.slice(r).match(ow);if(!o)return!1;if(!t){const l=e.push("html_inline","",0);l.content=o[0],Nw(l.content)&&e.linkLevel++,Iw(l.content)&&e.linkLevel--}return e.pos+=o[0].length,!0}const ww=/^&#((?:x[a-f0-9]{1,6}|[0-9]{1,7}));/i,Lw=/^&([a-z][a-z0-9]{1,31});/i;function Mw(e,t){const n=e.pos,r=e.posMax;if(e.src.charCodeAt(n)!==38||n+1>=r)return!1;if(e.src.charCodeAt(n+1)===35){const o=e.src.slice(n).match(ww);if(o){if(!t){const l=o[1][0].toLowerCase()==="x"?parseInt(o[1].slice(1),16):parseInt(o[1],10),u=e.push("text_special","",0);u.content=iE(l)?hd(l):hd(65533),u.markup=o[0],u.info="entity"}return e.pos+=o[0].length,!0}}else{const o=e.src.slice(n).match(Lw);if(o){const l=sA(o[0]);if(l!==o[0]){if(!t){const u=e.push("text_special","",0);u.content=l,u.markup=o[0],u.info="entity"}return e.pos+=o[0].length,!0}}}return!1}function ev(e){const t={},n=e.length;if(!n)return;let r=0,a=-2;const o=[];for(let l=0;l<n;l++){const u=e[l];if(o.push(0),(e[r].marker!==u.marker||a!==u.token-1)&&(r=l),a=u.token,u.length=u.length||0,!u.close)continue;t.hasOwnProperty(u.marker)||(t[u.marker]=[-1,-1,-1,-1,-1,-1]);const c=t[u.marker][(u.open?3:0)+u.length%3];let d=r-o[r]-1,S=d;for(;d>c;d-=o[d]+1){const _=e[d];if(_.marker===u.marker&&_.open&&_.end<0){let E=!1;if((_.close||u.open)&&(_.length+u.length)%3===0&&(_.length%3!==0||u.length%3!==0)&&(E=!0),!E){const T=d>0&&!e[d-1].open?o[d-1]+1:0;o[l]=l-d+T,o[d]=T,u.open=!1,_.end=l,_.close=!1,S=-1,a=-2;break}}}S!==-1&&(t[u.marker][(u.open?3:0)+(u.length||0)%3]=S)}}function kw(e){const t=e.tokens_meta,n=e.tokens_meta.length;ev(e.delimiters);for(let r=0;r<n;r++)t[r]&&t[r].delimiters&&ev(t[r].delimiters)}function Pw(e){let t,n,r=0;const a=e.tokens,o=e.tokens.length;for(t=n=0;t<o;t++)a[t].nesting<0&&r--,a[t].level=r,a[t].nesting>0&&r++,a[t].type==="text"&&t+1<o&&a[t+1].type==="text"?a[t+1].content=a[t].content+a[t+1].content:(t!==n&&(a[n]=a[t]),n++);t!==n&&(a.length=n)}const up=[["text",pw],["linkify",mw],["newline",gw],["escape",hw],["backticks",Ew],["strikethrough",_A.tokenize],["emphasis",mA.tokenize],["link",yw],["image",Cw],["autolink",Rw],["html_inline",xw],["entity",Mw]],cp=[["balance_pairs",kw],["strikethrough",_A.postProcess],["emphasis",mA.postProcess],["fragments_join",Pw]];function uc(){this.ruler=new yi;for(let e=0;e<up.length;e++)this.ruler.push(up[e][0],up[e][1]);this.ruler2=new yi;for(let e=0;e<cp.length;e++)this.ruler2.push(cp[e][0],cp[e][1])}uc.prototype.skipToken=function(e){const t=e.pos,n=this.ruler.getRules(""),r=n.length,a=e.md.options.maxNesting,o=e.cache;if(typeof o[t]<"u"){e.pos=o[t];return}let l=!1;if(e.level<a){for(let u=0;u<r;u++)if(e.level++,l=n[u](e,!0),e.level--,l){if(t>=e.pos)throw new Error("inline rule didn't increment state.pos");break}}else e.pos=e.posMax;l||e.pos++,o[t]=e.pos};uc.prototype.tokenize=function(e){const t=this.ruler.getRules(""),n=t.length,r=e.posMax,a=e.md.options.maxNesting;for(;e.pos<r;){const o=e.pos;let l=!1;if(e.level<a){for(let u=0;u<n;u++)if(l=t[u](e,!1),l){if(o>=e.pos)throw new Error("inline rule didn't increment state.pos");break}}if(l){if(e.pos>=r)break;continue}e.pending+=e.src[e.pos++]}e.pending&&e.pushPending()};uc.prototype.parse=function(e,t,n,r){const a=new this.State(e,t,n,r);this.tokenize(a);const o=this.ruler2.getRules(""),l=o.length;for(let u=0;u<l;u++)o[u](a)};uc.prototype.State=lc;function Fw(e){const t={};e=e||{},t.src_Any=rA.source,t.src_Cc=iA.source,t.src_Z=aA.source,t.src_P=nE.source,t.src_ZPCc=[t.src_Z,t.src_P,t.src_Cc].join("|"),t.src_ZCc=[t.src_Z,t.src_Cc].join("|");const n="[><\uFF5C]";return t.src_pseudo_letter="(?:(?!"+n+"|"+t.src_ZPCc+")"+t.src_Any+")",t.src_ip4="(?:(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.){3}(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)",t.src_auth="(?:(?:(?!"+t.src_ZCc+"|[@/\\[\\]()]).)+@)?",t.src_port="(?::(?:6(?:[0-4]\\d{3}|5(?:[0-4]\\d{2}|5(?:[0-2]\\d|3[0-5])))|[1-5]?\\d{1,4}))?",t.src_host_terminator="(?=$|"+n+"|"+t.src_ZPCc+")(?!"+(e["---"]?"-(?!--)|":"-|")+"_|:\\d|\\.-|\\.(?!$|"+t.src_ZPCc+"))",t.src_path="(?:[/?#](?:(?!"+t.src_ZCc+"|"+n+`|[()[\\]{}.,"'?!\\-;]).|\\[(?:(?!`+t.src_ZCc+"|\\]).)*\\]|\\((?:(?!"+t.src_ZCc+"|[)]).)*\\)|\\{(?:(?!"+t.src_ZCc+'|[}]).)*\\}|\\"(?:(?!'+t.src_ZCc+`|["]).)+\\"|\\'(?:(?!`+t.src_ZCc+"|[']).)+\\'|\\'(?="+t.src_pseudo_letter+"|[-])|\\.{2,}[a-zA-Z0-9%/&]|\\.(?!"+t.src_ZCc+"|[.]|$)|"+(e["---"]?"\\-(?!--(?:[^-]|$))(?:-*)|":"\\-+|")+",(?!"+t.src_ZCc+"|$)|;(?!"+t.src_ZCc+"|$)|\\!+(?!"+t.src_ZCc+"|[!]|$)|\\?(?!"+t.src_ZCc+"|[?]|$))+|\\/)?",t.src_email_name='[\\-;:&=\\+\\$,\\.a-zA-Z0-9_][\\-;:&=\\+\\$,\\"\\.a-zA-Z0-9_]*',t.src_xn="xn--[a-z0-9\\-]{1,59}",t.src_domain_root="(?:"+t.src_xn+"|"+t.src_pseudo_letter+"{1,63})",t.src_domain="(?:"+t.src_xn+"|(?:"+t.src_pseudo_letter+")|(?:"+t.src_pseudo_letter+"(?:-|"+t.src_pseudo_letter+"){0,61}"+t.src_pseudo_letter+"))",t.src_host="(?:(?:(?:(?:"+t.src_domain+")\\.)*"+t.src_domain+"))",t.tpl_host_fuzzy="(?:"+t.src_ip4+"|(?:(?:(?:"+t.src_domain+")\\.)+(?:%TLDS%)))",t.tpl_host_no_ip_fuzzy="(?:(?:(?:"+t.src_domain+")\\.)+(?:%TLDS%))",t.src_host_strict=t.src_host+t.src_host_terminator,t.tpl_host_fuzzy_strict=t.tpl_host_fuzzy+t.src_host_terminator,t.src_host_port_strict=t.src_host+t.src_port+t.src_host_terminator,t.tpl_host_port_fuzzy_strict=t.tpl_host_fuzzy+t.src_port+t.src_host_terminator,t.tpl_host_port_no_ip_fuzzy_strict=t.tpl_host_no_ip_fuzzy+t.src_port+t.src_host_terminator,t.tpl_host_fuzzy_test="localhost|www\\.|\\.\\d{1,3}\\.|(?:\\.(?:%TLDS%)(?:"+t.src_ZPCc+"|>|$))",t.tpl_email_fuzzy="(^|"+n+'|"|\\(|'+t.src_ZCc+")("+t.src_email_name+"@"+t.tpl_host_fuzzy_strict+")",t.tpl_link_fuzzy="(^|(?![.:/\\-_@])(?:[$+<=>^`|\uFF5C]|"+t.src_ZPCc+"))((?![$+<=>^`|\uFF5C])"+t.tpl_host_port_fuzzy_strict+t.src_path+")",t.tpl_link_no_ip_fuzzy="(^|(?![.:/\\-_@])(?:[$+<=>^`|\uFF5C]|"+t.src_ZPCc+"))((?![$+<=>^`|\uFF5C])"+t.tpl_host_port_no_ip_fuzzy_strict+t.src_path+")",t}function dh(e){return Array.prototype.slice.call(arguments,1).forEach(function(n){!n||Object.keys(n).forEach(function(r){e[r]=n[r]})}),e}function Gd(e){return Object.prototype.toString.call(e)}function Bw(e){return Gd(e)==="[object String]"}function Uw(e){return Gd(e)==="[object Object]"}function Gw(e){return Gd(e)==="[object RegExp]"}function tv(e){return Gd(e)==="[object Function]"}function Hw(e){return e.replace(/[.?*+^$[\]\\(){}|-]/g,"\\$&")}const gA={fuzzyLink:!0,fuzzyEmail:!0,fuzzyIP:!1};function qw(e){return Object.keys(e||{}).reduce(function(t,n){return t||gA.hasOwnProperty(n)},!1)}const Yw={"http:":{validate:function(e,t,n){const r=e.slice(t);return n.re.http||(n.re.http=new RegExp("^\\/\\/"+n.re.src_auth+n.re.src_host_port_strict+n.re.src_path,"i")),n.re.http.test(r)?r.match(n.re.http)[0].length:0}},"https:":"http:","ftp:":"http:","//":{validate:function(e,t,n){const r=e.slice(t);return n.re.no_http||(n.re.no_http=new RegExp("^"+n.re.src_auth+"(?:localhost|(?:(?:"+n.re.src_domain+")\\.)+"+n.re.src_domain_root+")"+n.re.src_port+n.re.src_host_terminator+n.re.src_path,"i")),n.re.no_http.test(r)?t>=3&&e[t-3]===":"||t>=3&&e[t-3]==="/"?0:r.match(n.re.no_http)[0].length:0}},"mailto:":{validate:function(e,t,n){const r=e.slice(t);return n.re.mailto||(n.re.mailto=new RegExp("^"+n.re.src_email_name+"@"+n.re.src_host_strict,"i")),n.re.mailto.test(r)?r.match(n.re.mailto)[0].length:0}}},Ww="a[cdefgilmnoqrstuwxz]|b[abdefghijmnorstvwyz]|c[acdfghiklmnoruvwxyz]|d[ejkmoz]|e[cegrstu]|f[ijkmor]|g[abdefghilmnpqrstuwy]|h[kmnrtu]|i[delmnoqrst]|j[emop]|k[eghimnprwyz]|l[abcikrstuvy]|m[acdeghklmnopqrstuvwxyz]|n[acefgilopruz]|om|p[aefghklmnrstwy]|qa|r[eosuw]|s[abcdeghijklmnortuvxyz]|t[cdfghjklmnortvwz]|u[agksyz]|v[aceginu]|w[fs]|y[et]|z[amw]",Vw="biz|com|edu|gov|net|org|pro|web|xxx|aero|asia|coop|info|museum|name|shop|\u0440\u0444".split("|");function zw(e){e.__index__=-1,e.__text_cache__=""}function Kw(e){return function(t,n){const r=t.slice(n);return e.test(r)?r.match(e)[0].length:0}}function nv(){return function(e,t){t.normalize(e)}}function Ed(e){const t=e.re=Fw(e.__opts__),n=e.__tlds__.slice();e.onCompile(),e.__tlds_replaced__||n.push(Ww),n.push(t.src_xn),t.src_tlds=n.join("|");function r(u){return u.replace("%TLDS%",t.src_tlds)}t.email_fuzzy=RegExp(r(t.tpl_email_fuzzy),"i"),t.link_fuzzy=RegExp(r(t.tpl_link_fuzzy),"i"),t.link_no_ip_fuzzy=RegExp(r(t.tpl_link_no_ip_fuzzy),"i"),t.host_fuzzy_test=RegExp(r(t.tpl_host_fuzzy_test),"i");const a=[];e.__compiled__={};function o(u,c){throw new Error('(LinkifyIt) Invalid schema "'+u+'": '+c)}Object.keys(e.__schemas__).forEach(function(u){const c=e.__schemas__[u];if(c===null)return;const d={validate:null,link:null};if(e.__compiled__[u]=d,Uw(c)){Gw(c.validate)?d.validate=Kw(c.validate):tv(c.validate)?d.validate=c.validate:o(u,c),tv(c.normalize)?d.normalize=c.normalize:c.normalize?o(u,c):d.normalize=nv();return}if(Bw(c)){a.push(u);return}o(u,c)}),a.forEach(function(u){!e.__compiled__[e.__schemas__[u]]||(e.__compiled__[u].validate=e.__compiled__[e.__schemas__[u]].validate,e.__compiled__[u].normalize=e.__compiled__[e.__schemas__[u]].normalize)}),e.__compiled__[""]={validate:null,normalize:nv()};const l=Object.keys(e.__compiled__).filter(function(u){return u.length>0&&e.__compiled__[u]}).map(Hw).join("|");e.re.schema_test=RegExp("(^|(?!_)(?:[><\uFF5C]|"+t.src_ZPCc+"))("+l+")","i"),e.re.schema_search=RegExp("(^|(?!_)(?:[><\uFF5C]|"+t.src_ZPCc+"))("+l+")","ig"),e.re.schema_at_start=RegExp("^"+e.re.schema_search.source,"i"),e.re.pretest=RegExp("("+e.re.schema_test.source+")|("+e.re.host_fuzzy_test.source+")|@","i"),zw(e)}function $w(e,t){const n=e.__index__,r=e.__last_index__,a=e.__text_cache__.slice(n,r);this.schema=e.__schema__.toLowerCase(),this.index=n+t,this.lastIndex=r+t,this.raw=a,this.text=a,this.url=a}function fh(e,t){const n=new $w(e,t);return e.__compiled__[n.schema].normalize(n,e),n}function Fi(e,t){if(!(this instanceof Fi))return new Fi(e,t);t||qw(e)&&(t=e,e={}),this.__opts__=dh({},gA,t),this.__index__=-1,this.__last_index__=-1,this.__schema__="",this.__text_cache__="",this.__schemas__=dh({},Yw,e),this.__compiled__={},this.__tlds__=Vw,this.__tlds_replaced__=!1,this.re={},Ed(this)}Fi.prototype.add=function(t,n){return this.__schemas__[t]=n,Ed(this),this};Fi.prototype.set=function(t){return this.__opts__=dh(this.__opts__,t),this};Fi.prototype.test=function(t){if(this.__text_cache__=t,this.__index__=-1,!t.length)return!1;let n,r,a,o,l,u,c,d,S;if(this.re.schema_test.test(t)){for(c=this.re.schema_search,c.lastIndex=0;(n=c.exec(t))!==null;)if(o=this.testSchemaAt(t,n[2],c.lastIndex),o){this.__schema__=n[2],this.__index__=n.index+n[1].length,this.__last_index__=n.index+n[0].length+o;break}}return this.__opts__.fuzzyLink&&this.__compiled__["http:"]&&(d=t.search(this.re.host_fuzzy_test),d>=0&&(this.__index__<0||d<this.__index__)&&(r=t.match(this.__opts__.fuzzyIP?this.re.link_fuzzy:this.re.link_no_ip_fuzzy))!==null&&(l=r.index+r[1].length,(this.__index__<0||l<this.__index__)&&(this.__schema__="",this.__index__=l,this.__last_index__=r.index+r[0].length))),this.__opts__.fuzzyEmail&&this.__compiled__["mailto:"]&&(S=t.indexOf("@"),S>=0&&(a=t.match(this.re.email_fuzzy))!==null&&(l=a.index+a[1].length,u=a.index+a[0].length,(this.__index__<0||l<this.__index__||l===this.__index__&&u>this.__last_index__)&&(this.__schema__="mailto:",this.__index__=l,this.__last_index__=u))),this.__index__>=0};Fi.prototype.pretest=function(t){return this.re.pretest.test(t)};Fi.prototype.testSchemaAt=function(t,n,r){return this.__compiled__[n.toLowerCase()]?this.__compiled__[n.toLowerCase()].validate(t,r,this):0};Fi.prototype.match=function(t){const n=[];let r=0;this.__index__>=0&&this.__text_cache__===t&&(n.push(fh(this,r)),r=this.__last_index__);let a=r?t.slice(r):t;for(;this.test(a);)n.push(fh(this,r)),a=a.slice(this.__last_index__),r+=this.__last_index__;return n.length?n:null};Fi.prototype.matchAtStart=function(t){if(this.__text_cache__=t,this.__index__=-1,!t.length)return null;const n=this.re.schema_at_start.exec(t);if(!n)return null;const r=this.testSchemaAt(t,n[2],n[0].length);return r?(this.__schema__=n[2],this.__index__=n.index+n[1].length,this.__last_index__=n.index+n[0].length+r,fh(this,0)):null};Fi.prototype.tlds=function(t,n){return t=Array.isArray(t)?t:[t],n?(this.__tlds__=this.__tlds__.concat(t).sort().filter(function(r,a,o){return r!==o[a-1]}).reverse(),Ed(this),this):(this.__tlds__=t.slice(),this.__tlds_replaced__=!0,Ed(this),this)};Fi.prototype.normalize=function(t){t.schema||(t.url="http://"+t.url),t.schema==="mailto:"&&!/^mailto:/i.test(t.url)&&(t.url="mailto:"+t.url)};Fi.prototype.onCompile=function(){};const Al=2147483647,Ga=36,sE=1,Yu=26,Qw=38,jw=700,hA=72,EA=128,SA="-",Xw=/^xn--/,Zw=/[^\0-\x7F]/,Jw=/[\x2E\u3002\uFF0E\uFF61]/g,eL={overflow:"Overflow: input needs wider integers to process","not-basic":"Illegal input >= 0x80 (not a basic code point)","invalid-input":"Invalid input"},dp=Ga-sE,Ha=Math.floor,fp=String.fromCharCode;function zo(e){throw new RangeError(eL[e])}function tL(e,t){const n=[];let r=e.length;for(;r--;)n[r]=t(e[r]);return n}function bA(e,t){const n=e.split("@");let r="";n.length>1&&(r=n[0]+"@",e=n[1]),e=e.replace(Jw,".");const a=e.split("."),o=tL(a,t).join(".");return r+o}function vA(e){const t=[];let n=0;const r=e.length;for(;n<r;){const a=e.charCodeAt(n++);if(a>=55296&&a<=56319&&n<r){const o=e.charCodeAt(n++);(o&64512)==56320?t.push(((a&1023)<<10)+(o&1023)+65536):(t.push(a),n--)}else t.push(a)}return t}const nL=e=>String.fromCodePoint(...e),rL=function(e){return e>=48&&e<58?26+(e-48):e>=65&&e<91?e-65:e>=97&&e<123?e-97:Ga},rv=function(e,t){return e+22+75*(e<26)-((t!=0)<<5)},TA=function(e,t,n){let r=0;for(e=n?Ha(e/jw):e>>1,e+=Ha(e/t);e>dp*Yu>>1;r+=Ga)e=Ha(e/dp);return Ha(r+(dp+1)*e/(e+Qw))},yA=function(e){const t=[],n=e.length;let r=0,a=EA,o=hA,l=e.lastIndexOf(SA);l<0&&(l=0);for(let u=0;u<l;++u)e.charCodeAt(u)>=128&&zo("not-basic"),t.push(e.charCodeAt(u));for(let u=l>0?l+1:0;u<n;){const c=r;for(let S=1,_=Ga;;_+=Ga){u>=n&&zo("invalid-input");const E=rL(e.charCodeAt(u++));E>=Ga&&zo("invalid-input"),E>Ha((Al-r)/S)&&zo("overflow"),r+=E*S;const T=_<=o?sE:_>=o+Yu?Yu:_-o;if(E<T)break;const y=Ga-T;S>Ha(Al/y)&&zo("overflow"),S*=y}const d=t.length+1;o=TA(r-c,d,c==0),Ha(r/d)>Al-a&&zo("overflow"),a+=Ha(r/d),r%=d,t.splice(r++,0,a)}return String.fromCodePoint(...t)},CA=function(e){const t=[];e=vA(e);const n=e.length;let r=EA,a=0,o=hA;for(const c of e)c<128&&t.push(fp(c));const l=t.length;let u=l;for(l&&t.push(SA);u<n;){let c=Al;for(const S of e)S>=r&&S<c&&(c=S);const d=u+1;c-r>Ha((Al-a)/d)&&zo("overflow"),a+=(c-r)*d,r=c;for(const S of e)if(S<r&&++a>Al&&zo("overflow"),S===r){let _=a;for(let E=Ga;;E+=Ga){const T=E<=o?sE:E>=o+Yu?Yu:E-o;if(_<T)break;const y=_-T,M=Ga-T;t.push(fp(rv(T+y%M,0))),_=Ha(y/M)}t.push(fp(rv(_,0))),o=TA(a,d,u===l),a=0,++u}++a,++r}return t.join("")},iL=function(e){return bA(e,function(t){return Xw.test(t)?yA(t.slice(4).toLowerCase()):t})},aL=function(e){return bA(e,function(t){return Zw.test(t)?"xn--"+CA(t):t})},AA={version:"2.3.1",ucs2:{decode:vA,encode:nL},decode:yA,encode:CA,toASCII:aL,toUnicode:iL},oL={options:{html:!1,xhtmlOut:!1,breaks:!1,langPrefix:"language-",linkify:!1,typographer:!1,quotes:"\u201C\u201D\u2018\u2019",highlight:null,maxNesting:100},components:{core:{},block:{},inline:{}}},sL={options:{html:!1,xhtmlOut:!1,breaks:!1,langPrefix:"language-",linkify:!1,typographer:!1,quotes:"\u201C\u201D\u2018\u2019",highlight:null,maxNesting:20},components:{core:{rules:["normalize","block","inline","text_join"]},block:{rules:["paragraph"]},inline:{rules:["text"],rules2:["balance_pairs","fragments_join"]}}},lL={options:{html:!0,xhtmlOut:!0,breaks:!1,langPrefix:"language-",linkify:!1,typographer:!1,quotes:"\u201C\u201D\u2018\u2019",highlight:null,maxNesting:20},components:{core:{rules:["normalize","block","inline","text_join"]},block:{rules:["blockquote","code","fence","heading","hr","html_block","lheading","list","reference","paragraph"]},inline:{rules:["autolink","backticks","emphasis","entity","escape","html_inline","image","link","newline","text"],rules2:["balance_pairs","emphasis","fragments_join"]}}},uL={default:oL,zero:sL,commonmark:lL},cL=/^(vbscript|javascript|file|data):/,dL=/^data:image\/(gif|png|jpeg|webp);/;function fL(e){const t=e.trim().toLowerCase();return cL.test(t)?dL.test(t):!0}const OA=["http:","https:","mailto:"];function pL(e){const t=tE(e,!0);if(t.hostname&&(!t.protocol||OA.indexOf(t.protocol)>=0))try{t.hostname=AA.toASCII(t.hostname)}catch{}return sc(eE(t))}function _L(e){const t=tE(e,!0);if(t.hostname&&(!t.protocol||OA.indexOf(t.protocol)>=0))try{t.hostname=AA.toUnicode(t.hostname)}catch{}return kl(eE(t),kl.defaultChars+"%")}function ia(e,t){if(!(this instanceof ia))return new ia(e,t);t||rE(e)||(t=e||{},e="default"),this.inline=new uc,this.block=new Ud,this.core=new aE,this.renderer=new Kl,this.linkify=new Fi,this.validateLink=fL,this.normalizeLink=pL,this.normalizeLinkText=_L,this.utils=hx,this.helpers=Fd({},vx),this.options={},this.configure(e),t&&this.set(t)}ia.prototype.set=function(e){return Fd(this.options,e),this};ia.prototype.configure=function(e){const t=this;if(rE(e)){const n=e;if(e=uL[n],!e)throw new Error('Wrong `markdown-it` preset "'+n+'", check name')}if(!e)throw new Error("Wrong `markdown-it` preset, can't be empty");return e.options&&t.set(e.options),e.components&&Object.keys(e.components).forEach(function(n){e.components[n].rules&&t[n].ruler.enableOnly(e.components[n].rules),e.components[n].rules2&&t[n].ruler2.enableOnly(e.components[n].rules2)}),this};ia.prototype.enable=function(e,t){let n=[];Array.isArray(e)||(e=[e]),["core","block","inline"].forEach(function(a){n=n.concat(this[a].ruler.enable(e,!0))},this),n=n.concat(this.inline.ruler2.enable(e,!0));const r=e.filter(function(a){return n.indexOf(a)<0});if(r.length&&!t)throw new Error("MarkdownIt. Failed to enable unknown rule(s): "+r);return this};ia.prototype.disable=function(e,t){let n=[];Array.isArray(e)||(e=[e]),["core","block","inline"].forEach(function(a){n=n.concat(this[a].ruler.disable(e,!0))},this),n=n.concat(this.inline.ruler2.disable(e,!0));const r=e.filter(function(a){return n.indexOf(a)<0});if(r.length&&!t)throw new Error("MarkdownIt. Failed to disable unknown rule(s): "+r);return this};ia.prototype.use=function(e){const t=[this].concat(Array.prototype.slice.call(arguments,1));return e.apply(e,t),this};ia.prototype.parse=function(e,t){if(typeof e!="string")throw new Error("Input data should be a String");const n=new this.core.State(e,this,t);return this.core.process(n),n.tokens};ia.prototype.render=function(e,t){return t=t||{},this.renderer.render(this.parse(e,t),this.options,t)};ia.prototype.parseInline=function(e,t){const n=new this.core.State(e,this,t);return n.inlineMode=!0,this.core.process(n),n.tokens};ia.prototype.renderInline=function(e,t){return t=t||{},this.renderer.render(this.parseInline(e,t),this.options,t)};var RA={exports:{}};(function(e,t){/*!
+`:">",o};zl.prototype.renderInline=function(e,t,n){let r="";const a=this.rules;for(let o=0,l=e.length;o<l;o++){const u=e[o].type;typeof a[u]<"u"?r+=a[u](e,o,t,n,this):r+=this.renderToken(e,o,t)}return r};zl.prototype.renderInlineAsText=function(e,t,n){let r="";for(let a=0,o=e.length;a<o;a++)switch(e[a].type){case"text":r+=e[a].content;break;case"image":r+=this.renderInlineAsText(e[a].children,t,n);break;case"html_inline":case"html_block":r+=e[a].content;break;case"softbreak":case"hardbreak":r+=`
+`;break}return r};zl.prototype.render=function(e,t,n){let r="";const a=this.rules;for(let o=0,l=e.length;o<l;o++){const u=e[o].type;u==="inline"?r+=this.renderInline(e[o].children,t,n):typeof a[u]<"u"?r+=a[u](e,o,t,n,this):r+=this.renderToken(e,o,t,n)}return r};function yi(){this.__rules__=[],this.__cache__=null}yi.prototype.__find__=function(e){for(let t=0;t<this.__rules__.length;t++)if(this.__rules__[t].name===e)return t;return-1};yi.prototype.__compile__=function(){const e=this,t=[""];e.__rules__.forEach(function(n){!n.enabled||n.alt.forEach(function(r){t.indexOf(r)<0&&t.push(r)})}),e.__cache__={},t.forEach(function(n){e.__cache__[n]=[],e.__rules__.forEach(function(r){!r.enabled||n&&r.alt.indexOf(n)<0||e.__cache__[n].push(r.fn)})})};yi.prototype.at=function(e,t,n){const r=this.__find__(e),a=n||{};if(r===-1)throw new Error("Parser rule not found: "+e);this.__rules__[r].fn=t,this.__rules__[r].alt=a.alt||[],this.__cache__=null};yi.prototype.before=function(e,t,n,r){const a=this.__find__(e),o=r||{};if(a===-1)throw new Error("Parser rule not found: "+e);this.__rules__.splice(a,0,{name:t,enabled:!0,fn:n,alt:o.alt||[]}),this.__cache__=null};yi.prototype.after=function(e,t,n,r){const a=this.__find__(e),o=r||{};if(a===-1)throw new Error("Parser rule not found: "+e);this.__rules__.splice(a+1,0,{name:t,enabled:!0,fn:n,alt:o.alt||[]}),this.__cache__=null};yi.prototype.push=function(e,t,n){const r=n||{};this.__rules__.push({name:e,enabled:!0,fn:t,alt:r.alt||[]}),this.__cache__=null};yi.prototype.enable=function(e,t){Array.isArray(e)||(e=[e]);const n=[];return e.forEach(function(r){const a=this.__find__(r);if(a<0){if(t)return;throw new Error("Rules manager: invalid rule name "+r)}this.__rules__[a].enabled=!0,n.push(r)},this),this.__cache__=null,n};yi.prototype.enableOnly=function(e,t){Array.isArray(e)||(e=[e]),this.__rules__.forEach(function(n){n.enabled=!1}),this.enable(e,t)};yi.prototype.disable=function(e,t){Array.isArray(e)||(e=[e]);const n=[];return e.forEach(function(r){const a=this.__find__(r);if(a<0){if(t)return;throw new Error("Rules manager: invalid rule name "+r)}this.__rules__[a].enabled=!1,n.push(r)},this),this.__cache__=null,n};yi.prototype.getRules=function(e){return this.__cache__===null&&this.__compile__(),this.__cache__[e]||[]};function ya(e,t,n){this.type=e,this.tag=t,this.attrs=null,this.map=null,this.nesting=n,this.level=0,this.children=null,this.content="",this.markup="",this.info="",this.meta=null,this.block=!1,this.hidden=!1}ya.prototype.attrIndex=function(t){if(!this.attrs)return-1;const n=this.attrs;for(let r=0,a=n.length;r<a;r++)if(n[r][0]===t)return r;return-1};ya.prototype.attrPush=function(t){this.attrs?this.attrs.push(t):this.attrs=[t]};ya.prototype.attrSet=function(t,n){const r=this.attrIndex(t),a=[t,n];r<0?this.attrPush(a):this.attrs[r]=a};ya.prototype.attrGet=function(t){const n=this.attrIndex(t);let r=null;return n>=0&&(r=this.attrs[n][1]),r};ya.prototype.attrJoin=function(t,n){const r=this.attrIndex(t);r<0?this.attrPush([t,n]):this.attrs[r][1]=this.attrs[r][1]+" "+n};function fA(e,t,n){this.src=e,this.env=n,this.tokens=[],this.inlineMode=!1,this.md=t}fA.prototype.Token=ya;const Cx=/\r\n?|\n/g,Ax=/\0/g;function Ox(e){let t;t=e.src.replace(Cx,`
+`),t=t.replace(Ax,"\uFFFD"),e.src=t}function Rx(e){let t;e.inlineMode?(t=new e.Token("inline","",0),t.content=e.src,t.map=[0,1],t.children=[],e.tokens.push(t)):e.md.block.parse(e.src,e.md,e.env,e.tokens)}function Nx(e){const t=e.tokens;for(let n=0,r=t.length;n<r;n++){const a=t[n];a.type==="inline"&&e.md.inline.parse(a.content,e.md,e.env,a.children)}}function Ix(e){return/^<a[>\s]/i.test(e)}function Dx(e){return/^<\/a\s*>/i.test(e)}function xx(e){const t=e.tokens;if(!!e.md.options.linkify)for(let n=0,r=t.length;n<r;n++){if(t[n].type!=="inline"||!e.md.linkify.pretest(t[n].content))continue;let a=t[n].children,o=0;for(let l=a.length-1;l>=0;l--){const u=a[l];if(u.type==="link_close"){for(l--;a[l].level!==u.level&&a[l].type!=="link_open";)l--;continue}if(u.type==="html_inline"&&(Ix(u.content)&&o>0&&o--,Dx(u.content)&&o++),!(o>0)&&u.type==="text"&&e.md.linkify.test(u.content)){const c=u.content;let d=e.md.linkify.match(c);const S=[];let _=u.level,E=0;d.length>0&&d[0].index===0&&l>0&&a[l-1].type==="text_special"&&(d=d.slice(1));for(let T=0;T<d.length;T++){const y=d[T].url,M=e.md.normalizeLink(y);if(!e.md.validateLink(M))continue;let v=d[T].text;d[T].schema?d[T].schema==="mailto:"&&!/^mailto:/i.test(v)?v=e.md.normalizeLinkText("mailto:"+v).replace(/^mailto:/,""):v=e.md.normalizeLinkText(v):v=e.md.normalizeLinkText("http://"+v).replace(/^http:\/\//,"");const A=d[T].index;if(A>E){const L=new e.Token("text","",0);L.content=c.slice(E,A),L.level=_,S.push(L)}const O=new e.Token("link_open","a",1);O.attrs=[["href",M]],O.level=_++,O.markup="linkify",O.info="auto",S.push(O);const N=new e.Token("text","",0);N.content=v,N.level=_,S.push(N);const R=new e.Token("link_close","a",-1);R.level=--_,R.markup="linkify",R.info="auto",S.push(R),E=d[T].lastIndex}if(E<c.length){const T=new e.Token("text","",0);T.content=c.slice(E),T.level=_,S.push(T)}t[n].children=a=cA(a,l,S)}}}}const pA=/\+-|\.\.|\?\?\?\?|!!!!|,,|--/,wx=/\((c|tm|r)\)/i,Lx=/\((c|tm|r)\)/ig,Mx={c:"\xA9",r:"\xAE",tm:"\u2122"};function kx(e,t){return Mx[t.toLowerCase()]}function Px(e){let t=0;for(let n=e.length-1;n>=0;n--){const r=e[n];r.type==="text"&&!t&&(r.content=r.content.replace(Lx,kx)),r.type==="link_open"&&r.info==="auto"&&t--,r.type==="link_close"&&r.info==="auto"&&t++}}function Fx(e){let t=0;for(let n=e.length-1;n>=0;n--){const r=e[n];r.type==="text"&&!t&&pA.test(r.content)&&(r.content=r.content.replace(/\+-/g,"\xB1").replace(/\.{2,}/g,"\u2026").replace(/([?!])…/g,"$1..").replace(/([?!]){4,}/g,"$1$1$1").replace(/,{2,}/g,",").replace(/(^|[^-])---(?=[^-]|$)/mg,"$1\u2014").replace(/(^|\s)--(?=\s|$)/mg,"$1\u2013").replace(/(^|[^-\s])--(?=[^-\s]|$)/mg,"$1\u2013")),r.type==="link_open"&&r.info==="auto"&&t--,r.type==="link_close"&&r.info==="auto"&&t++}}function Bx(e){let t;if(!!e.md.options.typographer)for(t=e.tokens.length-1;t>=0;t--)e.tokens[t].type==="inline"&&(wx.test(e.tokens[t].content)&&Px(e.tokens[t].children),pA.test(e.tokens[t].content)&&Fx(e.tokens[t].children))}const Ux=/['"]/,Qb=/['"]/g,jb="\u2019";function qc(e,t,n){return e.slice(0,t)+n+e.slice(t+1)}function Gx(e,t){let n;const r=[];for(let a=0;a<e.length;a++){const o=e[a],l=e[a].level;for(n=r.length-1;n>=0&&!(r[n].level<=l);n--);if(r.length=n+1,o.type!=="text")continue;let u=o.content,c=0,d=u.length;e:for(;c<d;){Qb.lastIndex=c;const S=Qb.exec(u);if(!S)break;let _=!0,E=!0;c=S.index+1;const T=S[0]==="'";let y=32;if(S.index-1>=0)y=u.charCodeAt(S.index-1);else for(n=a-1;n>=0&&!(e[n].type==="softbreak"||e[n].type==="hardbreak");n--)if(!!e[n].content){y=e[n].content.charCodeAt(e[n].content.length-1);break}let M=32;if(c<d)M=u.charCodeAt(c);else for(n=a+1;n<e.length&&!(e[n].type==="softbreak"||e[n].type==="hardbreak");n++)if(!!e[n].content){M=e[n].content.charCodeAt(0);break}const v=Hu(y)||Gu(String.fromCharCode(y)),A=Hu(M)||Gu(String.fromCharCode(M)),O=Uu(y),N=Uu(M);if(N?_=!1:A&&(O||v||(_=!1)),O?E=!1:v&&(N||A||(E=!1)),M===34&&S[0]==='"'&&y>=48&&y<=57&&(E=_=!1),_&&E&&(_=v,E=A),!_&&!E){T&&(o.content=qc(o.content,S.index,jb));continue}if(E)for(n=r.length-1;n>=0;n--){let R=r[n];if(r[n].level<l)break;if(R.single===T&&r[n].level===l){R=r[n];let L,I;T?(L=t.md.options.quotes[2],I=t.md.options.quotes[3]):(L=t.md.options.quotes[0],I=t.md.options.quotes[1]),o.content=qc(o.content,S.index,I),e[R.token].content=qc(e[R.token].content,R.pos,L),c+=I.length-1,R.token===a&&(c+=L.length-1),u=o.content,d=u.length,r.length=n;continue e}}_?r.push({token:a,pos:S.index,single:T,level:l}):E&&T&&(o.content=qc(o.content,S.index,jb))}}}function Hx(e){if(!!e.md.options.typographer)for(let t=e.tokens.length-1;t>=0;t--)e.tokens[t].type!=="inline"||!Ux.test(e.tokens[t].content)||Gx(e.tokens[t].children,e)}function qx(e){let t,n;const r=e.tokens,a=r.length;for(let o=0;o<a;o++){if(r[o].type!=="inline")continue;const l=r[o].children,u=l.length;for(t=0;t<u;t++)l[t].type==="text_special"&&(l[t].type="text");for(t=n=0;t<u;t++)l[t].type==="text"&&t+1<u&&l[t+1].type==="text"?l[t+1].content=l[t].content+l[t+1].content:(t!==n&&(l[n]=l[t]),n++);t!==n&&(l.length=n)}}const lp=[["normalize",Ox],["block",Rx],["inline",Nx],["linkify",xx],["replacements",Bx],["smartquotes",Hx],["text_join",qx]];function oE(){this.ruler=new yi;for(let e=0;e<lp.length;e++)this.ruler.push(lp[e][0],lp[e][1])}oE.prototype.process=function(e){const t=this.ruler.getRules("");for(let n=0,r=t.length;n<r;n++)t[n](e)};oE.prototype.State=fA;function $a(e,t,n,r){this.src=e,this.md=t,this.env=n,this.tokens=r,this.bMarks=[],this.eMarks=[],this.tShift=[],this.sCount=[],this.bsCount=[],this.blkIndent=0,this.line=0,this.lineMax=0,this.tight=!1,this.ddIndent=-1,this.listIndent=-1,this.parentType="root",this.level=0;const a=this.src;for(let o=0,l=0,u=0,c=0,d=a.length,S=!1;l<d;l++){const _=a.charCodeAt(l);if(!S)if(Dn(_)){u++,_===9?c+=4-c%4:c++;continue}else S=!0;(_===10||l===d-1)&&(_!==10&&l++,this.bMarks.push(o),this.eMarks.push(l),this.tShift.push(u),this.sCount.push(c),this.bsCount.push(0),S=!1,u=0,c=0,o=l+1)}this.bMarks.push(a.length),this.eMarks.push(a.length),this.tShift.push(0),this.sCount.push(0),this.bsCount.push(0),this.lineMax=this.bMarks.length-1}$a.prototype.push=function(e,t,n){const r=new ya(e,t,n);return r.block=!0,n<0&&this.level--,r.level=this.level,n>0&&this.level++,this.tokens.push(r),r};$a.prototype.isEmpty=function(t){return this.bMarks[t]+this.tShift[t]>=this.eMarks[t]};$a.prototype.skipEmptyLines=function(t){for(let n=this.lineMax;t<n&&!(this.bMarks[t]+this.tShift[t]<this.eMarks[t]);t++);return t};$a.prototype.skipSpaces=function(t){for(let n=this.src.length;t<n;t++){const r=this.src.charCodeAt(t);if(!Dn(r))break}return t};$a.prototype.skipSpacesBack=function(t,n){if(t<=n)return t;for(;t>n;)if(!Dn(this.src.charCodeAt(--t)))return t+1;return t};$a.prototype.skipChars=function(t,n){for(let r=this.src.length;t<r&&this.src.charCodeAt(t)===n;t++);return t};$a.prototype.skipCharsBack=function(t,n,r){if(t<=r)return t;for(;t>r;)if(n!==this.src.charCodeAt(--t))return t+1;return t};$a.prototype.getLines=function(t,n,r,a){if(t>=n)return"";const o=new Array(n-t);for(let l=0,u=t;u<n;u++,l++){let c=0;const d=this.bMarks[u];let S=d,_;for(u+1<n||a?_=this.eMarks[u]+1:_=this.eMarks[u];S<_&&c<r;){const E=this.src.charCodeAt(S);if(Dn(E))E===9?c+=4-(c+this.bsCount[u])%4:c++;else if(S-d<this.tShift[u])c++;else break;S++}c>r?o[l]=new Array(c-r+1).join(" ")+this.src.slice(S,_):o[l]=this.src.slice(S,_)}return o.join("")};$a.prototype.Token=ya;function up(e,t){const n=e.bMarks[t]+e.tShift[t],r=e.eMarks[t];return e.src.slice(n,r)}function Xb(e){const t=[],n=e.length;let r=0,a=e.charCodeAt(r),o=!1,l=0,u="";for(;r<n;)a===124&&(o?(u+=e.substring(l,r-1),l=r):(t.push(u+e.substring(l,r)),u="",l=r+1)),o=a===92,r++,a=e.charCodeAt(r);return t.push(u+e.substring(l)),t}function Yx(e,t,n,r){if(t+2>n)return!1;let a=t+1;if(e.sCount[a]<e.blkIndent||e.sCount[a]-e.blkIndent>=4)return!1;let o=e.bMarks[a]+e.tShift[a];if(o>=e.eMarks[a])return!1;const l=e.src.charCodeAt(o++);if(l!==124&&l!==45&&l!==58||o>=e.eMarks[a])return!1;const u=e.src.charCodeAt(o++);if(u!==124&&u!==45&&u!==58&&!Dn(u)||l===45&&Dn(u))return!1;for(;o<e.eMarks[a];){const N=e.src.charCodeAt(o);if(N!==124&&N!==45&&N!==58&&!Dn(N))return!1;o++}let c=up(e,t+1),d=c.split("|");const S=[];for(let N=0;N<d.length;N++){const R=d[N].trim();if(!R){if(N===0||N===d.length-1)continue;return!1}if(!/^:?-+:?$/.test(R))return!1;R.charCodeAt(R.length-1)===58?S.push(R.charCodeAt(0)===58?"center":"right"):R.charCodeAt(0)===58?S.push("left"):S.push("")}if(c=up(e,t).trim(),c.indexOf("|")===-1||e.sCount[t]-e.blkIndent>=4)return!1;d=Xb(c),d.length&&d[0]===""&&d.shift(),d.length&&d[d.length-1]===""&&d.pop();const _=d.length;if(_===0||_!==S.length)return!1;if(r)return!0;const E=e.parentType;e.parentType="table";const T=e.md.block.ruler.getRules("blockquote"),y=e.push("table_open","table",1),M=[t,0];y.map=M;const v=e.push("thead_open","thead",1);v.map=[t,t+1];const A=e.push("tr_open","tr",1);A.map=[t,t+1];for(let N=0;N<d.length;N++){const R=e.push("th_open","th",1);S[N]&&(R.attrs=[["style","text-align:"+S[N]]]);const L=e.push("inline","",0);L.content=d[N].trim(),L.children=[],e.push("th_close","th",-1)}e.push("tr_close","tr",-1),e.push("thead_close","thead",-1);let O;for(a=t+2;a<n&&!(e.sCount[a]<e.blkIndent);a++){let N=!1;for(let L=0,I=T.length;L<I;L++)if(T[L](e,a,n,!0)){N=!0;break}if(N||(c=up(e,a).trim(),!c)||e.sCount[a]-e.blkIndent>=4)break;if(d=Xb(c),d.length&&d[0]===""&&d.shift(),d.length&&d[d.length-1]===""&&d.pop(),a===t+2){const L=e.push("tbody_open","tbody",1);L.map=O=[t+2,0]}const R=e.push("tr_open","tr",1);R.map=[a,a+1];for(let L=0;L<_;L++){const I=e.push("td_open","td",1);S[L]&&(I.attrs=[["style","text-align:"+S[L]]]);const h=e.push("inline","",0);h.content=d[L]?d[L].trim():"",h.children=[],e.push("td_close","td",-1)}e.push("tr_close","tr",-1)}return O&&(e.push("tbody_close","tbody",-1),O[1]=a),e.push("table_close","table",-1),M[1]=a,e.parentType=E,e.line=a,!0}function Wx(e,t,n){if(e.sCount[t]-e.blkIndent<4)return!1;let r=t+1,a=r;for(;r<n;){if(e.isEmpty(r)){r++;continue}if(e.sCount[r]-e.blkIndent>=4){r++,a=r;continue}break}e.line=a;const o=e.push("code_block","code",0);return o.content=e.getLines(t,a,4+e.blkIndent,!1)+`
+`,o.map=[t,e.line],!0}function Vx(e,t,n,r){let a=e.bMarks[t]+e.tShift[t],o=e.eMarks[t];if(e.sCount[t]-e.blkIndent>=4||a+3>o)return!1;const l=e.src.charCodeAt(a);if(l!==126&&l!==96)return!1;let u=a;a=e.skipChars(a,l);let c=a-u;if(c<3)return!1;const d=e.src.slice(u,a),S=e.src.slice(a,o);if(l===96&&S.indexOf(String.fromCharCode(l))>=0)return!1;if(r)return!0;let _=t,E=!1;for(;_++,!(_>=n||(a=u=e.bMarks[_]+e.tShift[_],o=e.eMarks[_],a<o&&e.sCount[_]<e.blkIndent));)if(e.src.charCodeAt(a)===l&&!(e.sCount[_]-e.blkIndent>=4)&&(a=e.skipChars(a,l),!(a-u<c)&&(a=e.skipSpaces(a),!(a<o)))){E=!0;break}c=e.sCount[t],e.line=_+(E?1:0);const T=e.push("fence","code",0);return T.info=S,T.content=e.getLines(t+1,_,c,!0),T.markup=d,T.map=[t,e.line],!0}function zx(e,t,n,r){let a=e.bMarks[t]+e.tShift[t],o=e.eMarks[t];const l=e.lineMax;if(e.sCount[t]-e.blkIndent>=4||e.src.charCodeAt(a)!==62)return!1;if(r)return!0;const u=[],c=[],d=[],S=[],_=e.md.block.ruler.getRules("blockquote"),E=e.parentType;e.parentType="blockquote";let T=!1,y;for(y=t;y<n;y++){const N=e.sCount[y]<e.blkIndent;if(a=e.bMarks[y]+e.tShift[y],o=e.eMarks[y],a>=o)break;if(e.src.charCodeAt(a++)===62&&!N){let L=e.sCount[y]+1,I,h;e.src.charCodeAt(a)===32?(a++,L++,h=!1,I=!0):e.src.charCodeAt(a)===9?(I=!0,(e.bsCount[y]+L)%4===3?(a++,L++,h=!1):h=!0):I=!1;let k=L;for(u.push(e.bMarks[y]),e.bMarks[y]=a;a<o;){const F=e.src.charCodeAt(a);if(Dn(F))F===9?k+=4-(k+e.bsCount[y]+(h?1:0))%4:k++;else break;a++}T=a>=o,c.push(e.bsCount[y]),e.bsCount[y]=e.sCount[y]+1+(I?1:0),d.push(e.sCount[y]),e.sCount[y]=k-L,S.push(e.tShift[y]),e.tShift[y]=a-e.bMarks[y];continue}if(T)break;let R=!1;for(let L=0,I=_.length;L<I;L++)if(_[L](e,y,n,!0)){R=!0;break}if(R){e.lineMax=y,e.blkIndent!==0&&(u.push(e.bMarks[y]),c.push(e.bsCount[y]),S.push(e.tShift[y]),d.push(e.sCount[y]),e.sCount[y]-=e.blkIndent);break}u.push(e.bMarks[y]),c.push(e.bsCount[y]),S.push(e.tShift[y]),d.push(e.sCount[y]),e.sCount[y]=-1}const M=e.blkIndent;e.blkIndent=0;const v=e.push("blockquote_open","blockquote",1);v.markup=">";const A=[t,0];v.map=A,e.md.block.tokenize(e,t,y);const O=e.push("blockquote_close","blockquote",-1);O.markup=">",e.lineMax=l,e.parentType=E,A[1]=e.line;for(let N=0;N<S.length;N++)e.bMarks[N+t]=u[N],e.tShift[N+t]=S[N],e.sCount[N+t]=d[N],e.bsCount[N+t]=c[N];return e.blkIndent=M,!0}function Kx(e,t,n,r){const a=e.eMarks[t];if(e.sCount[t]-e.blkIndent>=4)return!1;let o=e.bMarks[t]+e.tShift[t];const l=e.src.charCodeAt(o++);if(l!==42&&l!==45&&l!==95)return!1;let u=1;for(;o<a;){const d=e.src.charCodeAt(o++);if(d!==l&&!Dn(d))return!1;d===l&&u++}if(u<3)return!1;if(r)return!0;e.line=t+1;const c=e.push("hr","hr",0);return c.map=[t,e.line],c.markup=Array(u+1).join(String.fromCharCode(l)),!0}function Zb(e,t){const n=e.eMarks[t];let r=e.bMarks[t]+e.tShift[t];const a=e.src.charCodeAt(r++);if(a!==42&&a!==45&&a!==43)return-1;if(r<n){const o=e.src.charCodeAt(r);if(!Dn(o))return-1}return r}function Jb(e,t){const n=e.bMarks[t]+e.tShift[t],r=e.eMarks[t];let a=n;if(a+1>=r)return-1;let o=e.src.charCodeAt(a++);if(o<48||o>57)return-1;for(;;){if(a>=r)return-1;if(o=e.src.charCodeAt(a++),o>=48&&o<=57){if(a-n>=10)return-1;continue}if(o===41||o===46)break;return-1}return a<r&&(o=e.src.charCodeAt(a),!Dn(o))?-1:a}function $x(e,t){const n=e.level+2;for(let r=t+2,a=e.tokens.length-2;r<a;r++)e.tokens[r].level===n&&e.tokens[r].type==="paragraph_open"&&(e.tokens[r+2].hidden=!0,e.tokens[r].hidden=!0,r+=2)}function Qx(e,t,n,r){let a,o,l,u,c=t,d=!0;if(e.sCount[c]-e.blkIndent>=4||e.listIndent>=0&&e.sCount[c]-e.listIndent>=4&&e.sCount[c]<e.blkIndent)return!1;let S=!1;r&&e.parentType==="paragraph"&&e.sCount[c]>=e.blkIndent&&(S=!0);let _,E,T;if((T=Jb(e,c))>=0){if(_=!0,l=e.bMarks[c]+e.tShift[c],E=Number(e.src.slice(l,T-1)),S&&E!==1)return!1}else if((T=Zb(e,c))>=0)_=!1;else return!1;if(S&&e.skipSpaces(T)>=e.eMarks[c])return!1;if(r)return!0;const y=e.src.charCodeAt(T-1),M=e.tokens.length;_?(u=e.push("ordered_list_open","ol",1),E!==1&&(u.attrs=[["start",E]])):u=e.push("bullet_list_open","ul",1);const v=[c,0];u.map=v,u.markup=String.fromCharCode(y);let A=!1;const O=e.md.block.ruler.getRules("list"),N=e.parentType;for(e.parentType="list";c<n;){o=T,a=e.eMarks[c];const R=e.sCount[c]+T-(e.bMarks[c]+e.tShift[c]);let L=R;for(;o<a;){const V=e.src.charCodeAt(o);if(V===9)L+=4-(L+e.bsCount[c])%4;else if(V===32)L++;else break;o++}const I=o;let h;I>=a?h=1:h=L-R,h>4&&(h=1);const k=R+h;u=e.push("list_item_open","li",1),u.markup=String.fromCharCode(y);const F=[c,0];u.map=F,_&&(u.info=e.src.slice(l,T-1));const z=e.tight,K=e.tShift[c],ue=e.sCount[c],Z=e.listIndent;if(e.listIndent=e.blkIndent,e.blkIndent=k,e.tight=!0,e.tShift[c]=I-e.bMarks[c],e.sCount[c]=L,I>=a&&e.isEmpty(c+1)?e.line=Math.min(e.line+2,n):e.md.block.tokenize(e,c,n,!0),(!e.tight||A)&&(d=!1),A=e.line-c>1&&e.isEmpty(e.line-1),e.blkIndent=e.listIndent,e.listIndent=Z,e.tShift[c]=K,e.sCount[c]=ue,e.tight=z,u=e.push("list_item_close","li",-1),u.markup=String.fromCharCode(y),c=e.line,F[1]=c,c>=n||e.sCount[c]<e.blkIndent||e.sCount[c]-e.blkIndent>=4)break;let fe=!1;for(let V=0,ne=O.length;V<ne;V++)if(O[V](e,c,n,!0)){fe=!0;break}if(fe)break;if(_){if(T=Jb(e,c),T<0)break;l=e.bMarks[c]+e.tShift[c]}else if(T=Zb(e,c),T<0)break;if(y!==e.src.charCodeAt(T-1))break}return _?u=e.push("ordered_list_close","ol",-1):u=e.push("bullet_list_close","ul",-1),u.markup=String.fromCharCode(y),v[1]=c,e.line=c,e.parentType=N,d&&$x(e,M),!0}function jx(e,t,n,r){let a=0,o=e.bMarks[t]+e.tShift[t],l=e.eMarks[t],u=t+1;if(e.sCount[t]-e.blkIndent>=4||e.src.charCodeAt(o)!==91)return!1;for(;++o<l;)if(e.src.charCodeAt(o)===93&&e.src.charCodeAt(o-1)!==92){if(o+1===l||e.src.charCodeAt(o+1)!==58)return!1;break}const c=e.lineMax,d=e.md.block.ruler.getRules("reference"),S=e.parentType;for(e.parentType="reference";u<c&&!e.isEmpty(u);u++){if(e.sCount[u]-e.blkIndent>3||e.sCount[u]<0)continue;let L=!1;for(let I=0,h=d.length;I<h;I++)if(d[I](e,u,c,!0)){L=!0;break}if(L)break}const _=e.getLines(t,u,e.blkIndent,!1).trim();l=_.length;let E=-1;for(o=1;o<l;o++){const L=_.charCodeAt(o);if(L===91)return!1;if(L===93){E=o;break}else L===10?a++:L===92&&(o++,o<l&&_.charCodeAt(o)===10&&a++)}if(E<0||_.charCodeAt(E+1)!==58)return!1;for(o=E+2;o<l;o++){const L=_.charCodeAt(o);if(L===10)a++;else if(!Dn(L))break}const T=e.md.helpers.parseLinkDestination(_,o,l);if(!T.ok)return!1;const y=e.md.normalizeLink(T.str);if(!e.md.validateLink(y))return!1;o=T.pos,a+=T.lines;const M=o,v=a,A=o;for(;o<l;o++){const L=_.charCodeAt(o);if(L===10)a++;else if(!Dn(L))break}const O=e.md.helpers.parseLinkTitle(_,o,l);let N;for(o<l&&A!==o&&O.ok?(N=O.str,o=O.pos,a+=O.lines):(N="",o=M,a=v);o<l;){const L=_.charCodeAt(o);if(!Dn(L))break;o++}if(o<l&&_.charCodeAt(o)!==10&&N)for(N="",o=M,a=v;o<l;){const L=_.charCodeAt(o);if(!Dn(L))break;o++}if(o<l&&_.charCodeAt(o)!==10)return!1;const R=Bd(_.slice(1,E));return R?(r||(typeof e.env.references>"u"&&(e.env.references={}),typeof e.env.references[R]>"u"&&(e.env.references[R]={title:N,href:y}),e.parentType=S,e.line=t+a+1),!0):!1}const Xx=["address","article","aside","base","basefont","blockquote","body","caption","center","col","colgroup","dd","details","dialog","dir","div","dl","dt","fieldset","figcaption","figure","footer","form","frame","frameset","h1","h2","h3","h4","h5","h6","head","header","hr","html","iframe","legend","li","link","main","menu","menuitem","nav","noframes","ol","optgroup","option","p","param","section","source","summary","table","tbody","td","tfoot","th","thead","title","tr","track","ul"],Zx="[a-zA-Z_:][a-zA-Z0-9:._-]*",Jx="[^\"'=<>`\\x00-\\x20]+",ew="'[^']*'",tw='"[^"]*"',nw="(?:"+Jx+"|"+ew+"|"+tw+")",rw="(?:\\s+"+Zx+"(?:\\s*=\\s*"+nw+")?)",_A="<[A-Za-z][A-Za-z0-9\\-]*"+rw+"*\\s*\\/?>",mA="<\\/[A-Za-z][A-Za-z0-9\\-]*\\s*>",iw="<!---->|<!--(?:-?[^>-])(?:-?[^-])*-->",aw="<[?][\\s\\S]*?[?]>",ow="<![A-Z]+\\s+[^>]*>",sw="<!\\[CDATA\\[[\\s\\S]*?\\]\\]>",lw=new RegExp("^(?:"+_A+"|"+mA+"|"+iw+"|"+aw+"|"+ow+"|"+sw+")"),uw=new RegExp("^(?:"+_A+"|"+mA+")"),Sl=[[/^<(script|pre|style|textarea)(?=(\s|>|$))/i,/<\/(script|pre|style|textarea)>/i,!0],[/^<!--/,/-->/,!0],[/^<\?/,/\?>/,!0],[/^<![A-Z]/,/>/,!0],[/^<!\[CDATA\[/,/\]\]>/,!0],[new RegExp("^</?("+Xx.join("|")+")(?=(\\s|/?>|$))","i"),/^$/,!0],[new RegExp(uw.source+"\\s*$"),/^$/,!1]];function cw(e,t,n,r){let a=e.bMarks[t]+e.tShift[t],o=e.eMarks[t];if(e.sCount[t]-e.blkIndent>=4||!e.md.options.html||e.src.charCodeAt(a)!==60)return!1;let l=e.src.slice(a,o),u=0;for(;u<Sl.length&&!Sl[u][0].test(l);u++);if(u===Sl.length)return!1;if(r)return Sl[u][2];let c=t+1;if(!Sl[u][1].test(l)){for(;c<n&&!(e.sCount[c]<e.blkIndent);c++)if(a=e.bMarks[c]+e.tShift[c],o=e.eMarks[c],l=e.src.slice(a,o),Sl[u][1].test(l)){l.length!==0&&c++;break}}e.line=c;const d=e.push("html_block","",0);return d.map=[t,c],d.content=e.getLines(t,c,e.blkIndent,!0),!0}function dw(e,t,n,r){let a=e.bMarks[t]+e.tShift[t],o=e.eMarks[t];if(e.sCount[t]-e.blkIndent>=4)return!1;let l=e.src.charCodeAt(a);if(l!==35||a>=o)return!1;let u=1;for(l=e.src.charCodeAt(++a);l===35&&a<o&&u<=6;)u++,l=e.src.charCodeAt(++a);if(u>6||a<o&&!Dn(l))return!1;if(r)return!0;o=e.skipSpacesBack(o,a);const c=e.skipCharsBack(o,35,a);c>a&&Dn(e.src.charCodeAt(c-1))&&(o=c),e.line=t+1;const d=e.push("heading_open","h"+String(u),1);d.markup="########".slice(0,u),d.map=[t,e.line];const S=e.push("inline","",0);S.content=e.src.slice(a,o).trim(),S.map=[t,e.line],S.children=[];const _=e.push("heading_close","h"+String(u),-1);return _.markup="########".slice(0,u),!0}function fw(e,t,n){const r=e.md.block.ruler.getRules("paragraph");if(e.sCount[t]-e.blkIndent>=4)return!1;const a=e.parentType;e.parentType="paragraph";let o=0,l,u=t+1;for(;u<n&&!e.isEmpty(u);u++){if(e.sCount[u]-e.blkIndent>3)continue;if(e.sCount[u]>=e.blkIndent){let T=e.bMarks[u]+e.tShift[u];const y=e.eMarks[u];if(T<y&&(l=e.src.charCodeAt(T),(l===45||l===61)&&(T=e.skipChars(T,l),T=e.skipSpaces(T),T>=y))){o=l===61?1:2;break}}if(e.sCount[u]<0)continue;let E=!1;for(let T=0,y=r.length;T<y;T++)if(r[T](e,u,n,!0)){E=!0;break}if(E)break}if(!o)return!1;const c=e.getLines(t,u,e.blkIndent,!1).trim();e.line=u+1;const d=e.push("heading_open","h"+String(o),1);d.markup=String.fromCharCode(l),d.map=[t,e.line];const S=e.push("inline","",0);S.content=c,S.map=[t,e.line-1],S.children=[];const _=e.push("heading_close","h"+String(o),-1);return _.markup=String.fromCharCode(l),e.parentType=a,!0}function pw(e,t,n){const r=e.md.block.ruler.getRules("paragraph"),a=e.parentType;let o=t+1;for(e.parentType="paragraph";o<n&&!e.isEmpty(o);o++){if(e.sCount[o]-e.blkIndent>3||e.sCount[o]<0)continue;let d=!1;for(let S=0,_=r.length;S<_;S++)if(r[S](e,o,n,!0)){d=!0;break}if(d)break}const l=e.getLines(t,o,e.blkIndent,!1).trim();e.line=o;const u=e.push("paragraph_open","p",1);u.map=[t,e.line];const c=e.push("inline","",0);return c.content=l,c.map=[t,e.line],c.children=[],e.push("paragraph_close","p",-1),e.parentType=a,!0}const Yc=[["table",Yx,["paragraph","reference"]],["code",Wx],["fence",Vx,["paragraph","reference","blockquote","list"]],["blockquote",zx,["paragraph","reference","blockquote","list"]],["hr",Kx,["paragraph","reference","blockquote","list"]],["list",Qx,["paragraph","reference","blockquote"]],["reference",jx],["html_block",cw,["paragraph","reference","blockquote"]],["heading",dw,["paragraph","reference","blockquote"]],["lheading",fw],["paragraph",pw]];function Ud(){this.ruler=new yi;for(let e=0;e<Yc.length;e++)this.ruler.push(Yc[e][0],Yc[e][1],{alt:(Yc[e][2]||[]).slice()})}Ud.prototype.tokenize=function(e,t,n){const r=this.ruler.getRules(""),a=r.length,o=e.md.options.maxNesting;let l=t,u=!1;for(;l<n&&(e.line=l=e.skipEmptyLines(l),!(l>=n||e.sCount[l]<e.blkIndent));){if(e.level>=o){e.line=n;break}const c=e.line;let d=!1;for(let S=0;S<a;S++)if(d=r[S](e,l,n,!1),d){if(c>=e.line)throw new Error("block rule didn't increment state.line");break}if(!d)throw new Error("none of the block rules matched");e.tight=!u,e.isEmpty(e.line-1)&&(u=!0),l=e.line,l<n&&e.isEmpty(l)&&(u=!0,l++,e.line=l)}};Ud.prototype.parse=function(e,t,n,r){if(!e)return;const a=new this.State(e,t,n,r);this.tokenize(a,a.line,a.lineMax)};Ud.prototype.State=$a;function lc(e,t,n,r){this.src=e,this.env=n,this.md=t,this.tokens=r,this.tokens_meta=Array(r.length),this.pos=0,this.posMax=this.src.length,this.level=0,this.pending="",this.pendingLevel=0,this.cache={},this.delimiters=[],this._prev_delimiters=[],this.backticks={},this.backticksScanned=!1,this.linkLevel=0}lc.prototype.pushPending=function(){const e=new ya("text","",0);return e.content=this.pending,e.level=this.pendingLevel,this.tokens.push(e),this.pending="",e};lc.prototype.push=function(e,t,n){this.pending&&this.pushPending();const r=new ya(e,t,n);let a=null;return n<0&&(this.level--,this.delimiters=this._prev_delimiters.pop()),r.level=this.level,n>0&&(this.level++,this._prev_delimiters.push(this.delimiters),this.delimiters=[],a={delimiters:this.delimiters}),this.pendingLevel=this.level,this.tokens.push(r),this.tokens_meta.push(a),r};lc.prototype.scanDelims=function(e,t){let n,r,a=!0,o=!0;const l=this.posMax,u=this.src.charCodeAt(e),c=e>0?this.src.charCodeAt(e-1):32;let d=e;for(;d<l&&this.src.charCodeAt(d)===u;)d++;const S=d-e,_=d<l?this.src.charCodeAt(d):32,E=Hu(c)||Gu(String.fromCharCode(c)),T=Hu(_)||Gu(String.fromCharCode(_)),y=Uu(c),M=Uu(_);return M?a=!1:T&&(y||E||(a=!1)),y?o=!1:E&&(M||T||(o=!1)),t?(n=a,r=o):(n=a&&(!o||E),r=o&&(!a||T)),{can_open:n,can_close:r,length:S}};lc.prototype.Token=ya;function _w(e){switch(e){case 10:case 33:case 35:case 36:case 37:case 38:case 42:case 43:case 45:case 58:case 60:case 61:case 62:case 64:case 91:case 92:case 93:case 94:case 95:case 96:case 123:case 125:case 126:return!0;default:return!1}}function mw(e,t){let n=e.pos;for(;n<e.posMax&&!_w(e.src.charCodeAt(n));)n++;return n===e.pos?!1:(t||(e.pending+=e.src.slice(e.pos,n)),e.pos=n,!0)}const gw=/(?:^|[^a-z0-9.+-])([a-z][a-z0-9.+-]*)$/i;function hw(e,t){if(!e.md.options.linkify||e.linkLevel>0)return!1;const n=e.pos,r=e.posMax;if(n+3>r||e.src.charCodeAt(n)!==58||e.src.charCodeAt(n+1)!==47||e.src.charCodeAt(n+2)!==47)return!1;const a=e.pending.match(gw);if(!a)return!1;const o=a[1],l=e.md.linkify.matchAtStart(e.src.slice(n-o.length));if(!l)return!1;let u=l.url;if(u.length<=o.length)return!1;u=u.replace(/\*+$/,"");const c=e.md.normalizeLink(u);if(!e.md.validateLink(c))return!1;if(!t){e.pending=e.pending.slice(0,-o.length);const d=e.push("link_open","a",1);d.attrs=[["href",c]],d.markup="linkify",d.info="auto";const S=e.push("text","",0);S.content=e.md.normalizeLinkText(u);const _=e.push("link_close","a",-1);_.markup="linkify",_.info="auto"}return e.pos+=u.length-o.length,!0}function Ew(e,t){let n=e.pos;if(e.src.charCodeAt(n)!==10)return!1;const r=e.pending.length-1,a=e.posMax;if(!t)if(r>=0&&e.pending.charCodeAt(r)===32)if(r>=1&&e.pending.charCodeAt(r-1)===32){let o=r-1;for(;o>=1&&e.pending.charCodeAt(o-1)===32;)o--;e.pending=e.pending.slice(0,o),e.push("hardbreak","br",0)}else e.pending=e.pending.slice(0,-1),e.push("softbreak","br",0);else e.push("softbreak","br",0);for(n++;n<a&&Dn(e.src.charCodeAt(n));)n++;return e.pos=n,!0}const sE=[];for(let e=0;e<256;e++)sE.push(0);"\\!\"#$%&'()*+,./:;<=>?@[]^_`{|}~-".split("").forEach(function(e){sE[e.charCodeAt(0)]=1});function Sw(e,t){let n=e.pos;const r=e.posMax;if(e.src.charCodeAt(n)!==92||(n++,n>=r))return!1;let a=e.src.charCodeAt(n);if(a===10){for(t||e.push("hardbreak","br",0),n++;n<r&&(a=e.src.charCodeAt(n),!!Dn(a));)n++;return e.pos=n,!0}let o=e.src[n];if(a>=55296&&a<=56319&&n+1<r){const u=e.src.charCodeAt(n+1);u>=56320&&u<=57343&&(o+=e.src[n+1],n++)}const l="\\"+o;if(!t){const u=e.push("text_special","",0);a<256&&sE[a]!==0?u.content=o:u.content=l,u.markup=l,u.info="escape"}return e.pos=n+1,!0}function bw(e,t){let n=e.pos;if(e.src.charCodeAt(n)!==96)return!1;const a=n;n++;const o=e.posMax;for(;n<o&&e.src.charCodeAt(n)===96;)n++;const l=e.src.slice(a,n),u=l.length;if(e.backticksScanned&&(e.backticks[u]||0)<=a)return t||(e.pending+=l),e.pos+=u,!0;let c=n,d;for(;(d=e.src.indexOf("`",c))!==-1;){for(c=d+1;c<o&&e.src.charCodeAt(c)===96;)c++;const S=c-d;if(S===u){if(!t){const _=e.push("code_inline","code",0);_.markup=l,_.content=e.src.slice(n,d).replace(/\n/g," ").replace(/^ (.+) $/,"$1")}return e.pos=c,!0}e.backticks[S]=d}return e.backticksScanned=!0,t||(e.pending+=l),e.pos+=u,!0}function vw(e,t){const n=e.pos,r=e.src.charCodeAt(n);if(t||r!==126)return!1;const a=e.scanDelims(e.pos,!0);let o=a.length;const l=String.fromCharCode(r);if(o<2)return!1;let u;o%2&&(u=e.push("text","",0),u.content=l,o--);for(let c=0;c<o;c+=2)u=e.push("text","",0),u.content=l+l,e.delimiters.push({marker:r,length:0,token:e.tokens.length-1,end:-1,open:a.can_open,close:a.can_close});return e.pos+=a.length,!0}function ev(e,t){let n;const r=[],a=t.length;for(let o=0;o<a;o++){const l=t[o];if(l.marker!==126||l.end===-1)continue;const u=t[l.end];n=e.tokens[l.token],n.type="s_open",n.tag="s",n.nesting=1,n.markup="~~",n.content="",n=e.tokens[u.token],n.type="s_close",n.tag="s",n.nesting=-1,n.markup="~~",n.content="",e.tokens[u.token-1].type==="text"&&e.tokens[u.token-1].content==="~"&&r.push(u.token-1)}for(;r.length;){const o=r.pop();let l=o+1;for(;l<e.tokens.length&&e.tokens[l].type==="s_close";)l++;l--,o!==l&&(n=e.tokens[l],e.tokens[l]=e.tokens[o],e.tokens[o]=n)}}function Tw(e){const t=e.tokens_meta,n=e.tokens_meta.length;ev(e,e.delimiters);for(let r=0;r<n;r++)t[r]&&t[r].delimiters&&ev(e,t[r].delimiters)}const gA={tokenize:vw,postProcess:Tw};function yw(e,t){const n=e.pos,r=e.src.charCodeAt(n);if(t||r!==95&&r!==42)return!1;const a=e.scanDelims(e.pos,r===42);for(let o=0;o<a.length;o++){const l=e.push("text","",0);l.content=String.fromCharCode(r),e.delimiters.push({marker:r,length:a.length,token:e.tokens.length-1,end:-1,open:a.can_open,close:a.can_close})}return e.pos+=a.length,!0}function tv(e,t){const n=t.length;for(let r=n-1;r>=0;r--){const a=t[r];if(a.marker!==95&&a.marker!==42||a.end===-1)continue;const o=t[a.end],l=r>0&&t[r-1].end===a.end+1&&t[r-1].marker===a.marker&&t[r-1].token===a.token-1&&t[a.end+1].token===o.token+1,u=String.fromCharCode(a.marker),c=e.tokens[a.token];c.type=l?"strong_open":"em_open",c.tag=l?"strong":"em",c.nesting=1,c.markup=l?u+u:u,c.content="";const d=e.tokens[o.token];d.type=l?"strong_close":"em_close",d.tag=l?"strong":"em",d.nesting=-1,d.markup=l?u+u:u,d.content="",l&&(e.tokens[t[r-1].token].content="",e.tokens[t[a.end+1].token].content="",r--)}}function Cw(e){const t=e.tokens_meta,n=e.tokens_meta.length;tv(e,e.delimiters);for(let r=0;r<n;r++)t[r]&&t[r].delimiters&&tv(e,t[r].delimiters)}const hA={tokenize:yw,postProcess:Cw};function Aw(e,t){let n,r,a,o,l="",u="",c=e.pos,d=!0;if(e.src.charCodeAt(e.pos)!==91)return!1;const S=e.pos,_=e.posMax,E=e.pos+1,T=e.md.helpers.parseLinkLabel(e,e.pos,!0);if(T<0)return!1;let y=T+1;if(y<_&&e.src.charCodeAt(y)===40){for(d=!1,y++;y<_&&(n=e.src.charCodeAt(y),!(!Dn(n)&&n!==10));y++);if(y>=_)return!1;if(c=y,a=e.md.helpers.parseLinkDestination(e.src,y,e.posMax),a.ok){for(l=e.md.normalizeLink(a.str),e.md.validateLink(l)?y=a.pos:l="",c=y;y<_&&(n=e.src.charCodeAt(y),!(!Dn(n)&&n!==10));y++);if(a=e.md.helpers.parseLinkTitle(e.src,y,e.posMax),y<_&&c!==y&&a.ok)for(u=a.str,y=a.pos;y<_&&(n=e.src.charCodeAt(y),!(!Dn(n)&&n!==10));y++);}(y>=_||e.src.charCodeAt(y)!==41)&&(d=!0),y++}if(d){if(typeof e.env.references>"u")return!1;if(y<_&&e.src.charCodeAt(y)===91?(c=y+1,y=e.md.helpers.parseLinkLabel(e,y),y>=0?r=e.src.slice(c,y++):y=T+1):y=T+1,r||(r=e.src.slice(E,T)),o=e.env.references[Bd(r)],!o)return e.pos=S,!1;l=o.href,u=o.title}if(!t){e.pos=E,e.posMax=T;const M=e.push("link_open","a",1),v=[["href",l]];M.attrs=v,u&&v.push(["title",u]),e.linkLevel++,e.md.inline.tokenize(e),e.linkLevel--,e.push("link_close","a",-1)}return e.pos=y,e.posMax=_,!0}function Ow(e,t){let n,r,a,o,l,u,c,d,S="";const _=e.pos,E=e.posMax;if(e.src.charCodeAt(e.pos)!==33||e.src.charCodeAt(e.pos+1)!==91)return!1;const T=e.pos+2,y=e.md.helpers.parseLinkLabel(e,e.pos+1,!1);if(y<0)return!1;if(o=y+1,o<E&&e.src.charCodeAt(o)===40){for(o++;o<E&&(n=e.src.charCodeAt(o),!(!Dn(n)&&n!==10));o++);if(o>=E)return!1;for(d=o,u=e.md.helpers.parseLinkDestination(e.src,o,e.posMax),u.ok&&(S=e.md.normalizeLink(u.str),e.md.validateLink(S)?o=u.pos:S=""),d=o;o<E&&(n=e.src.charCodeAt(o),!(!Dn(n)&&n!==10));o++);if(u=e.md.helpers.parseLinkTitle(e.src,o,e.posMax),o<E&&d!==o&&u.ok)for(c=u.str,o=u.pos;o<E&&(n=e.src.charCodeAt(o),!(!Dn(n)&&n!==10));o++);else c="";if(o>=E||e.src.charCodeAt(o)!==41)return e.pos=_,!1;o++}else{if(typeof e.env.references>"u")return!1;if(o<E&&e.src.charCodeAt(o)===91?(d=o+1,o=e.md.helpers.parseLinkLabel(e,o),o>=0?a=e.src.slice(d,o++):o=y+1):o=y+1,a||(a=e.src.slice(T,y)),l=e.env.references[Bd(a)],!l)return e.pos=_,!1;S=l.href,c=l.title}if(!t){r=e.src.slice(T,y);const M=[];e.md.inline.parse(r,e.md,e.env,M);const v=e.push("image","img",0),A=[["src",S],["alt",""]];v.attrs=A,v.children=M,v.content=r,c&&A.push(["title",c])}return e.pos=o,e.posMax=E,!0}const Rw=/^([a-zA-Z0-9.!#$%&'*+/=?^_`{|}~-]+@[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?(?:\.[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?)*)$/,Nw=/^([a-zA-Z][a-zA-Z0-9+.-]{1,31}):([^<>\x00-\x20]*)$/;function Iw(e,t){let n=e.pos;if(e.src.charCodeAt(n)!==60)return!1;const r=e.pos,a=e.posMax;for(;;){if(++n>=a)return!1;const l=e.src.charCodeAt(n);if(l===60)return!1;if(l===62)break}const o=e.src.slice(r+1,n);if(Nw.test(o)){const l=e.md.normalizeLink(o);if(!e.md.validateLink(l))return!1;if(!t){const u=e.push("link_open","a",1);u.attrs=[["href",l]],u.markup="autolink",u.info="auto";const c=e.push("text","",0);c.content=e.md.normalizeLinkText(o);const d=e.push("link_close","a",-1);d.markup="autolink",d.info="auto"}return e.pos+=o.length+2,!0}if(Rw.test(o)){const l=e.md.normalizeLink("mailto:"+o);if(!e.md.validateLink(l))return!1;if(!t){const u=e.push("link_open","a",1);u.attrs=[["href",l]],u.markup="autolink",u.info="auto";const c=e.push("text","",0);c.content=e.md.normalizeLinkText(o);const d=e.push("link_close","a",-1);d.markup="autolink",d.info="auto"}return e.pos+=o.length+2,!0}return!1}function Dw(e){return/^<a[>\s]/i.test(e)}function xw(e){return/^<\/a\s*>/i.test(e)}function ww(e){const t=e|32;return t>=97&&t<=122}function Lw(e,t){if(!e.md.options.html)return!1;const n=e.posMax,r=e.pos;if(e.src.charCodeAt(r)!==60||r+2>=n)return!1;const a=e.src.charCodeAt(r+1);if(a!==33&&a!==63&&a!==47&&!ww(a))return!1;const o=e.src.slice(r).match(lw);if(!o)return!1;if(!t){const l=e.push("html_inline","",0);l.content=o[0],Dw(l.content)&&e.linkLevel++,xw(l.content)&&e.linkLevel--}return e.pos+=o[0].length,!0}const Mw=/^&#((?:x[a-f0-9]{1,6}|[0-9]{1,7}));/i,kw=/^&([a-z][a-z0-9]{1,31});/i;function Pw(e,t){const n=e.pos,r=e.posMax;if(e.src.charCodeAt(n)!==38||n+1>=r)return!1;if(e.src.charCodeAt(n+1)===35){const o=e.src.slice(n).match(Mw);if(o){if(!t){const l=o[1][0].toLowerCase()==="x"?parseInt(o[1].slice(1),16):parseInt(o[1],10),u=e.push("text_special","",0);u.content=aE(l)?hd(l):hd(65533),u.markup=o[0],u.info="entity"}return e.pos+=o[0].length,!0}}else{const o=e.src.slice(n).match(kw);if(o){const l=uA(o[0]);if(l!==o[0]){if(!t){const u=e.push("text_special","",0);u.content=l,u.markup=o[0],u.info="entity"}return e.pos+=o[0].length,!0}}}return!1}function nv(e){const t={},n=e.length;if(!n)return;let r=0,a=-2;const o=[];for(let l=0;l<n;l++){const u=e[l];if(o.push(0),(e[r].marker!==u.marker||a!==u.token-1)&&(r=l),a=u.token,u.length=u.length||0,!u.close)continue;t.hasOwnProperty(u.marker)||(t[u.marker]=[-1,-1,-1,-1,-1,-1]);const c=t[u.marker][(u.open?3:0)+u.length%3];let d=r-o[r]-1,S=d;for(;d>c;d-=o[d]+1){const _=e[d];if(_.marker===u.marker&&_.open&&_.end<0){let E=!1;if((_.close||u.open)&&(_.length+u.length)%3===0&&(_.length%3!==0||u.length%3!==0)&&(E=!0),!E){const T=d>0&&!e[d-1].open?o[d-1]+1:0;o[l]=l-d+T,o[d]=T,u.open=!1,_.end=l,_.close=!1,S=-1,a=-2;break}}}S!==-1&&(t[u.marker][(u.open?3:0)+(u.length||0)%3]=S)}}function Fw(e){const t=e.tokens_meta,n=e.tokens_meta.length;nv(e.delimiters);for(let r=0;r<n;r++)t[r]&&t[r].delimiters&&nv(t[r].delimiters)}function Bw(e){let t,n,r=0;const a=e.tokens,o=e.tokens.length;for(t=n=0;t<o;t++)a[t].nesting<0&&r--,a[t].level=r,a[t].nesting>0&&r++,a[t].type==="text"&&t+1<o&&a[t+1].type==="text"?a[t+1].content=a[t].content+a[t+1].content:(t!==n&&(a[n]=a[t]),n++);t!==n&&(a.length=n)}const cp=[["text",mw],["linkify",hw],["newline",Ew],["escape",Sw],["backticks",bw],["strikethrough",gA.tokenize],["emphasis",hA.tokenize],["link",Aw],["image",Ow],["autolink",Iw],["html_inline",Lw],["entity",Pw]],dp=[["balance_pairs",Fw],["strikethrough",gA.postProcess],["emphasis",hA.postProcess],["fragments_join",Bw]];function uc(){this.ruler=new yi;for(let e=0;e<cp.length;e++)this.ruler.push(cp[e][0],cp[e][1]);this.ruler2=new yi;for(let e=0;e<dp.length;e++)this.ruler2.push(dp[e][0],dp[e][1])}uc.prototype.skipToken=function(e){const t=e.pos,n=this.ruler.getRules(""),r=n.length,a=e.md.options.maxNesting,o=e.cache;if(typeof o[t]<"u"){e.pos=o[t];return}let l=!1;if(e.level<a){for(let u=0;u<r;u++)if(e.level++,l=n[u](e,!0),e.level--,l){if(t>=e.pos)throw new Error("inline rule didn't increment state.pos");break}}else e.pos=e.posMax;l||e.pos++,o[t]=e.pos};uc.prototype.tokenize=function(e){const t=this.ruler.getRules(""),n=t.length,r=e.posMax,a=e.md.options.maxNesting;for(;e.pos<r;){const o=e.pos;let l=!1;if(e.level<a){for(let u=0;u<n;u++)if(l=t[u](e,!1),l){if(o>=e.pos)throw new Error("inline rule didn't increment state.pos");break}}if(l){if(e.pos>=r)break;continue}e.pending+=e.src[e.pos++]}e.pending&&e.pushPending()};uc.prototype.parse=function(e,t,n,r){const a=new this.State(e,t,n,r);this.tokenize(a);const o=this.ruler2.getRules(""),l=o.length;for(let u=0;u<l;u++)o[u](a)};uc.prototype.State=lc;function Uw(e){const t={};e=e||{},t.src_Any=aA.source,t.src_Cc=oA.source,t.src_Z=sA.source,t.src_P=rE.source,t.src_ZPCc=[t.src_Z,t.src_P,t.src_Cc].join("|"),t.src_ZCc=[t.src_Z,t.src_Cc].join("|");const n="[><\uFF5C]";return t.src_pseudo_letter="(?:(?!"+n+"|"+t.src_ZPCc+")"+t.src_Any+")",t.src_ip4="(?:(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.){3}(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)",t.src_auth="(?:(?:(?!"+t.src_ZCc+"|[@/\\[\\]()]).)+@)?",t.src_port="(?::(?:6(?:[0-4]\\d{3}|5(?:[0-4]\\d{2}|5(?:[0-2]\\d|3[0-5])))|[1-5]?\\d{1,4}))?",t.src_host_terminator="(?=$|"+n+"|"+t.src_ZPCc+")(?!"+(e["---"]?"-(?!--)|":"-|")+"_|:\\d|\\.-|\\.(?!$|"+t.src_ZPCc+"))",t.src_path="(?:[/?#](?:(?!"+t.src_ZCc+"|"+n+`|[()[\\]{}.,"'?!\\-;]).|\\[(?:(?!`+t.src_ZCc+"|\\]).)*\\]|\\((?:(?!"+t.src_ZCc+"|[)]).)*\\)|\\{(?:(?!"+t.src_ZCc+'|[}]).)*\\}|\\"(?:(?!'+t.src_ZCc+`|["]).)+\\"|\\'(?:(?!`+t.src_ZCc+"|[']).)+\\'|\\'(?="+t.src_pseudo_letter+"|[-])|\\.{2,}[a-zA-Z0-9%/&]|\\.(?!"+t.src_ZCc+"|[.]|$)|"+(e["---"]?"\\-(?!--(?:[^-]|$))(?:-*)|":"\\-+|")+",(?!"+t.src_ZCc+"|$)|;(?!"+t.src_ZCc+"|$)|\\!+(?!"+t.src_ZCc+"|[!]|$)|\\?(?!"+t.src_ZCc+"|[?]|$))+|\\/)?",t.src_email_name='[\\-;:&=\\+\\$,\\.a-zA-Z0-9_][\\-;:&=\\+\\$,\\"\\.a-zA-Z0-9_]*',t.src_xn="xn--[a-z0-9\\-]{1,59}",t.src_domain_root="(?:"+t.src_xn+"|"+t.src_pseudo_letter+"{1,63})",t.src_domain="(?:"+t.src_xn+"|(?:"+t.src_pseudo_letter+")|(?:"+t.src_pseudo_letter+"(?:-|"+t.src_pseudo_letter+"){0,61}"+t.src_pseudo_letter+"))",t.src_host="(?:(?:(?:(?:"+t.src_domain+")\\.)*"+t.src_domain+"))",t.tpl_host_fuzzy="(?:"+t.src_ip4+"|(?:(?:(?:"+t.src_domain+")\\.)+(?:%TLDS%)))",t.tpl_host_no_ip_fuzzy="(?:(?:(?:"+t.src_domain+")\\.)+(?:%TLDS%))",t.src_host_strict=t.src_host+t.src_host_terminator,t.tpl_host_fuzzy_strict=t.tpl_host_fuzzy+t.src_host_terminator,t.src_host_port_strict=t.src_host+t.src_port+t.src_host_terminator,t.tpl_host_port_fuzzy_strict=t.tpl_host_fuzzy+t.src_port+t.src_host_terminator,t.tpl_host_port_no_ip_fuzzy_strict=t.tpl_host_no_ip_fuzzy+t.src_port+t.src_host_terminator,t.tpl_host_fuzzy_test="localhost|www\\.|\\.\\d{1,3}\\.|(?:\\.(?:%TLDS%)(?:"+t.src_ZPCc+"|>|$))",t.tpl_email_fuzzy="(^|"+n+'|"|\\(|'+t.src_ZCc+")("+t.src_email_name+"@"+t.tpl_host_fuzzy_strict+")",t.tpl_link_fuzzy="(^|(?![.:/\\-_@])(?:[$+<=>^`|\uFF5C]|"+t.src_ZPCc+"))((?![$+<=>^`|\uFF5C])"+t.tpl_host_port_fuzzy_strict+t.src_path+")",t.tpl_link_no_ip_fuzzy="(^|(?![.:/\\-_@])(?:[$+<=>^`|\uFF5C]|"+t.src_ZPCc+"))((?![$+<=>^`|\uFF5C])"+t.tpl_host_port_no_ip_fuzzy_strict+t.src_path+")",t}function fh(e){return Array.prototype.slice.call(arguments,1).forEach(function(n){!n||Object.keys(n).forEach(function(r){e[r]=n[r]})}),e}function Gd(e){return Object.prototype.toString.call(e)}function Gw(e){return Gd(e)==="[object String]"}function Hw(e){return Gd(e)==="[object Object]"}function qw(e){return Gd(e)==="[object RegExp]"}function rv(e){return Gd(e)==="[object Function]"}function Yw(e){return e.replace(/[.?*+^$[\]\\(){}|-]/g,"\\$&")}const EA={fuzzyLink:!0,fuzzyEmail:!0,fuzzyIP:!1};function Ww(e){return Object.keys(e||{}).reduce(function(t,n){return t||EA.hasOwnProperty(n)},!1)}const Vw={"http:":{validate:function(e,t,n){const r=e.slice(t);return n.re.http||(n.re.http=new RegExp("^\\/\\/"+n.re.src_auth+n.re.src_host_port_strict+n.re.src_path,"i")),n.re.http.test(r)?r.match(n.re.http)[0].length:0}},"https:":"http:","ftp:":"http:","//":{validate:function(e,t,n){const r=e.slice(t);return n.re.no_http||(n.re.no_http=new RegExp("^"+n.re.src_auth+"(?:localhost|(?:(?:"+n.re.src_domain+")\\.)+"+n.re.src_domain_root+")"+n.re.src_port+n.re.src_host_terminator+n.re.src_path,"i")),n.re.no_http.test(r)?t>=3&&e[t-3]===":"||t>=3&&e[t-3]==="/"?0:r.match(n.re.no_http)[0].length:0}},"mailto:":{validate:function(e,t,n){const r=e.slice(t);return n.re.mailto||(n.re.mailto=new RegExp("^"+n.re.src_email_name+"@"+n.re.src_host_strict,"i")),n.re.mailto.test(r)?r.match(n.re.mailto)[0].length:0}}},zw="a[cdefgilmnoqrstuwxz]|b[abdefghijmnorstvwyz]|c[acdfghiklmnoruvwxyz]|d[ejkmoz]|e[cegrstu]|f[ijkmor]|g[abdefghilmnpqrstuwy]|h[kmnrtu]|i[delmnoqrst]|j[emop]|k[eghimnprwyz]|l[abcikrstuvy]|m[acdeghklmnopqrstuvwxyz]|n[acefgilopruz]|om|p[aefghklmnrstwy]|qa|r[eosuw]|s[abcdeghijklmnortuvxyz]|t[cdfghjklmnortvwz]|u[agksyz]|v[aceginu]|w[fs]|y[et]|z[amw]",Kw="biz|com|edu|gov|net|org|pro|web|xxx|aero|asia|coop|info|museum|name|shop|\u0440\u0444".split("|");function $w(e){e.__index__=-1,e.__text_cache__=""}function Qw(e){return function(t,n){const r=t.slice(n);return e.test(r)?r.match(e)[0].length:0}}function iv(){return function(e,t){t.normalize(e)}}function Ed(e){const t=e.re=Uw(e.__opts__),n=e.__tlds__.slice();e.onCompile(),e.__tlds_replaced__||n.push(zw),n.push(t.src_xn),t.src_tlds=n.join("|");function r(u){return u.replace("%TLDS%",t.src_tlds)}t.email_fuzzy=RegExp(r(t.tpl_email_fuzzy),"i"),t.link_fuzzy=RegExp(r(t.tpl_link_fuzzy),"i"),t.link_no_ip_fuzzy=RegExp(r(t.tpl_link_no_ip_fuzzy),"i"),t.host_fuzzy_test=RegExp(r(t.tpl_host_fuzzy_test),"i");const a=[];e.__compiled__={};function o(u,c){throw new Error('(LinkifyIt) Invalid schema "'+u+'": '+c)}Object.keys(e.__schemas__).forEach(function(u){const c=e.__schemas__[u];if(c===null)return;const d={validate:null,link:null};if(e.__compiled__[u]=d,Hw(c)){qw(c.validate)?d.validate=Qw(c.validate):rv(c.validate)?d.validate=c.validate:o(u,c),rv(c.normalize)?d.normalize=c.normalize:c.normalize?o(u,c):d.normalize=iv();return}if(Gw(c)){a.push(u);return}o(u,c)}),a.forEach(function(u){!e.__compiled__[e.__schemas__[u]]||(e.__compiled__[u].validate=e.__compiled__[e.__schemas__[u]].validate,e.__compiled__[u].normalize=e.__compiled__[e.__schemas__[u]].normalize)}),e.__compiled__[""]={validate:null,normalize:iv()};const l=Object.keys(e.__compiled__).filter(function(u){return u.length>0&&e.__compiled__[u]}).map(Yw).join("|");e.re.schema_test=RegExp("(^|(?!_)(?:[><\uFF5C]|"+t.src_ZPCc+"))("+l+")","i"),e.re.schema_search=RegExp("(^|(?!_)(?:[><\uFF5C]|"+t.src_ZPCc+"))("+l+")","ig"),e.re.schema_at_start=RegExp("^"+e.re.schema_search.source,"i"),e.re.pretest=RegExp("("+e.re.schema_test.source+")|("+e.re.host_fuzzy_test.source+")|@","i"),$w(e)}function jw(e,t){const n=e.__index__,r=e.__last_index__,a=e.__text_cache__.slice(n,r);this.schema=e.__schema__.toLowerCase(),this.index=n+t,this.lastIndex=r+t,this.raw=a,this.text=a,this.url=a}function ph(e,t){const n=new jw(e,t);return e.__compiled__[n.schema].normalize(n,e),n}function Fi(e,t){if(!(this instanceof Fi))return new Fi(e,t);t||Ww(e)&&(t=e,e={}),this.__opts__=fh({},EA,t),this.__index__=-1,this.__last_index__=-1,this.__schema__="",this.__text_cache__="",this.__schemas__=fh({},Vw,e),this.__compiled__={},this.__tlds__=Kw,this.__tlds_replaced__=!1,this.re={},Ed(this)}Fi.prototype.add=function(t,n){return this.__schemas__[t]=n,Ed(this),this};Fi.prototype.set=function(t){return this.__opts__=fh(this.__opts__,t),this};Fi.prototype.test=function(t){if(this.__text_cache__=t,this.__index__=-1,!t.length)return!1;let n,r,a,o,l,u,c,d,S;if(this.re.schema_test.test(t)){for(c=this.re.schema_search,c.lastIndex=0;(n=c.exec(t))!==null;)if(o=this.testSchemaAt(t,n[2],c.lastIndex),o){this.__schema__=n[2],this.__index__=n.index+n[1].length,this.__last_index__=n.index+n[0].length+o;break}}return this.__opts__.fuzzyLink&&this.__compiled__["http:"]&&(d=t.search(this.re.host_fuzzy_test),d>=0&&(this.__index__<0||d<this.__index__)&&(r=t.match(this.__opts__.fuzzyIP?this.re.link_fuzzy:this.re.link_no_ip_fuzzy))!==null&&(l=r.index+r[1].length,(this.__index__<0||l<this.__index__)&&(this.__schema__="",this.__index__=l,this.__last_index__=r.index+r[0].length))),this.__opts__.fuzzyEmail&&this.__compiled__["mailto:"]&&(S=t.indexOf("@"),S>=0&&(a=t.match(this.re.email_fuzzy))!==null&&(l=a.index+a[1].length,u=a.index+a[0].length,(this.__index__<0||l<this.__index__||l===this.__index__&&u>this.__last_index__)&&(this.__schema__="mailto:",this.__index__=l,this.__last_index__=u))),this.__index__>=0};Fi.prototype.pretest=function(t){return this.re.pretest.test(t)};Fi.prototype.testSchemaAt=function(t,n,r){return this.__compiled__[n.toLowerCase()]?this.__compiled__[n.toLowerCase()].validate(t,r,this):0};Fi.prototype.match=function(t){const n=[];let r=0;this.__index__>=0&&this.__text_cache__===t&&(n.push(ph(this,r)),r=this.__last_index__);let a=r?t.slice(r):t;for(;this.test(a);)n.push(ph(this,r)),a=a.slice(this.__last_index__),r+=this.__last_index__;return n.length?n:null};Fi.prototype.matchAtStart=function(t){if(this.__text_cache__=t,this.__index__=-1,!t.length)return null;const n=this.re.schema_at_start.exec(t);if(!n)return null;const r=this.testSchemaAt(t,n[2],n[0].length);return r?(this.__schema__=n[2],this.__index__=n.index+n[1].length,this.__last_index__=n.index+n[0].length+r,ph(this,0)):null};Fi.prototype.tlds=function(t,n){return t=Array.isArray(t)?t:[t],n?(this.__tlds__=this.__tlds__.concat(t).sort().filter(function(r,a,o){return r!==o[a-1]}).reverse(),Ed(this),this):(this.__tlds__=t.slice(),this.__tlds_replaced__=!0,Ed(this),this)};Fi.prototype.normalize=function(t){t.schema||(t.url="http://"+t.url),t.schema==="mailto:"&&!/^mailto:/i.test(t.url)&&(t.url="mailto:"+t.url)};Fi.prototype.onCompile=function(){};const Al=2147483647,Ga=36,lE=1,qu=26,Xw=38,Zw=700,SA=72,bA=128,vA="-",Jw=/^xn--/,eL=/[^\0-\x7F]/,tL=/[\x2E\u3002\uFF0E\uFF61]/g,nL={overflow:"Overflow: input needs wider integers to process","not-basic":"Illegal input >= 0x80 (not a basic code point)","invalid-input":"Invalid input"},fp=Ga-lE,Ha=Math.floor,pp=String.fromCharCode;function zo(e){throw new RangeError(nL[e])}function rL(e,t){const n=[];let r=e.length;for(;r--;)n[r]=t(e[r]);return n}function TA(e,t){const n=e.split("@");let r="";n.length>1&&(r=n[0]+"@",e=n[1]),e=e.replace(tL,".");const a=e.split("."),o=rL(a,t).join(".");return r+o}function yA(e){const t=[];let n=0;const r=e.length;for(;n<r;){const a=e.charCodeAt(n++);if(a>=55296&&a<=56319&&n<r){const o=e.charCodeAt(n++);(o&64512)==56320?t.push(((a&1023)<<10)+(o&1023)+65536):(t.push(a),n--)}else t.push(a)}return t}const iL=e=>String.fromCodePoint(...e),aL=function(e){return e>=48&&e<58?26+(e-48):e>=65&&e<91?e-65:e>=97&&e<123?e-97:Ga},av=function(e,t){return e+22+75*(e<26)-((t!=0)<<5)},CA=function(e,t,n){let r=0;for(e=n?Ha(e/Zw):e>>1,e+=Ha(e/t);e>fp*qu>>1;r+=Ga)e=Ha(e/fp);return Ha(r+(fp+1)*e/(e+Xw))},AA=function(e){const t=[],n=e.length;let r=0,a=bA,o=SA,l=e.lastIndexOf(vA);l<0&&(l=0);for(let u=0;u<l;++u)e.charCodeAt(u)>=128&&zo("not-basic"),t.push(e.charCodeAt(u));for(let u=l>0?l+1:0;u<n;){const c=r;for(let S=1,_=Ga;;_+=Ga){u>=n&&zo("invalid-input");const E=aL(e.charCodeAt(u++));E>=Ga&&zo("invalid-input"),E>Ha((Al-r)/S)&&zo("overflow"),r+=E*S;const T=_<=o?lE:_>=o+qu?qu:_-o;if(E<T)break;const y=Ga-T;S>Ha(Al/y)&&zo("overflow"),S*=y}const d=t.length+1;o=CA(r-c,d,c==0),Ha(r/d)>Al-a&&zo("overflow"),a+=Ha(r/d),r%=d,t.splice(r++,0,a)}return String.fromCodePoint(...t)},OA=function(e){const t=[];e=yA(e);const n=e.length;let r=bA,a=0,o=SA;for(const c of e)c<128&&t.push(pp(c));const l=t.length;let u=l;for(l&&t.push(vA);u<n;){let c=Al;for(const S of e)S>=r&&S<c&&(c=S);const d=u+1;c-r>Ha((Al-a)/d)&&zo("overflow"),a+=(c-r)*d,r=c;for(const S of e)if(S<r&&++a>Al&&zo("overflow"),S===r){let _=a;for(let E=Ga;;E+=Ga){const T=E<=o?lE:E>=o+qu?qu:E-o;if(_<T)break;const y=_-T,M=Ga-T;t.push(pp(av(T+y%M,0))),_=Ha(y/M)}t.push(pp(av(_,0))),o=CA(a,d,u===l),a=0,++u}++a,++r}return t.join("")},oL=function(e){return TA(e,function(t){return Jw.test(t)?AA(t.slice(4).toLowerCase()):t})},sL=function(e){return TA(e,function(t){return eL.test(t)?"xn--"+OA(t):t})},RA={version:"2.3.1",ucs2:{decode:yA,encode:iL},decode:AA,encode:OA,toASCII:sL,toUnicode:oL},lL={options:{html:!1,xhtmlOut:!1,breaks:!1,langPrefix:"language-",linkify:!1,typographer:!1,quotes:"\u201C\u201D\u2018\u2019",highlight:null,maxNesting:100},components:{core:{},block:{},inline:{}}},uL={options:{html:!1,xhtmlOut:!1,breaks:!1,langPrefix:"language-",linkify:!1,typographer:!1,quotes:"\u201C\u201D\u2018\u2019",highlight:null,maxNesting:20},components:{core:{rules:["normalize","block","inline","text_join"]},block:{rules:["paragraph"]},inline:{rules:["text"],rules2:["balance_pairs","fragments_join"]}}},cL={options:{html:!0,xhtmlOut:!0,breaks:!1,langPrefix:"language-",linkify:!1,typographer:!1,quotes:"\u201C\u201D\u2018\u2019",highlight:null,maxNesting:20},components:{core:{rules:["normalize","block","inline","text_join"]},block:{rules:["blockquote","code","fence","heading","hr","html_block","lheading","list","reference","paragraph"]},inline:{rules:["autolink","backticks","emphasis","entity","escape","html_inline","image","link","newline","text"],rules2:["balance_pairs","emphasis","fragments_join"]}}},dL={default:lL,zero:uL,commonmark:cL},fL=/^(vbscript|javascript|file|data):/,pL=/^data:image\/(gif|png|jpeg|webp);/;function _L(e){const t=e.trim().toLowerCase();return fL.test(t)?pL.test(t):!0}const NA=["http:","https:","mailto:"];function mL(e){const t=nE(e,!0);if(t.hostname&&(!t.protocol||NA.indexOf(t.protocol)>=0))try{t.hostname=RA.toASCII(t.hostname)}catch{}return sc(tE(t))}function gL(e){const t=nE(e,!0);if(t.hostname&&(!t.protocol||NA.indexOf(t.protocol)>=0))try{t.hostname=RA.toUnicode(t.hostname)}catch{}return kl(tE(t),kl.defaultChars+"%")}function ia(e,t){if(!(this instanceof ia))return new ia(e,t);t||iE(e)||(t=e||{},e="default"),this.inline=new uc,this.block=new Ud,this.core=new oE,this.renderer=new zl,this.linkify=new Fi,this.validateLink=_L,this.normalizeLink=mL,this.normalizeLinkText=gL,this.utils=Sx,this.helpers=Fd({},yx),this.options={},this.configure(e),t&&this.set(t)}ia.prototype.set=function(e){return Fd(this.options,e),this};ia.prototype.configure=function(e){const t=this;if(iE(e)){const n=e;if(e=dL[n],!e)throw new Error('Wrong `markdown-it` preset "'+n+'", check name')}if(!e)throw new Error("Wrong `markdown-it` preset, can't be empty");return e.options&&t.set(e.options),e.components&&Object.keys(e.components).forEach(function(n){e.components[n].rules&&t[n].ruler.enableOnly(e.components[n].rules),e.components[n].rules2&&t[n].ruler2.enableOnly(e.components[n].rules2)}),this};ia.prototype.enable=function(e,t){let n=[];Array.isArray(e)||(e=[e]),["core","block","inline"].forEach(function(a){n=n.concat(this[a].ruler.enable(e,!0))},this),n=n.concat(this.inline.ruler2.enable(e,!0));const r=e.filter(function(a){return n.indexOf(a)<0});if(r.length&&!t)throw new Error("MarkdownIt. Failed to enable unknown rule(s): "+r);return this};ia.prototype.disable=function(e,t){let n=[];Array.isArray(e)||(e=[e]),["core","block","inline"].forEach(function(a){n=n.concat(this[a].ruler.disable(e,!0))},this),n=n.concat(this.inline.ruler2.disable(e,!0));const r=e.filter(function(a){return n.indexOf(a)<0});if(r.length&&!t)throw new Error("MarkdownIt. Failed to disable unknown rule(s): "+r);return this};ia.prototype.use=function(e){const t=[this].concat(Array.prototype.slice.call(arguments,1));return e.apply(e,t),this};ia.prototype.parse=function(e,t){if(typeof e!="string")throw new Error("Input data should be a String");const n=new this.core.State(e,this,t);return this.core.process(n),n.tokens};ia.prototype.render=function(e,t){return t=t||{},this.renderer.render(this.parse(e,t),this.options,t)};ia.prototype.parseInline=function(e,t){const n=new this.core.State(e,this,t);return n.inlineMode=!0,this.core.process(n),n.tokens};ia.prototype.renderInline=function(e,t){return t=t||{},this.renderer.render(this.parseInline(e,t),this.options,t)};var IA={exports:{}};(function(e,t){/*!
  *
  * Copyright 2009-2017 Kris Kowal under the terms of the MIT
  * license found at https://github.com/kriskowal/q/blob/v1/LICENSE
@@ -56,40 +56,40 @@ var Jr=typeof globalThis<"u"?globalThis:typeof window<"u"?window:typeof global<"
 `),he=[],Le=0;Le<Q.length;++Le){var Xe=Q[Le];!z(Xe)&&!k(Xe)&&Xe&&he.push(Xe)}return he.join(`
 `)}function k(U){return U.indexOf("(module.js:")!==-1||U.indexOf("(node.js:")!==-1}function F(U){var Q=/at .+ \((.+):(\d+):(?:\d+)\)$/.exec(U);if(Q)return[Q[1],Number(Q[2])];var he=/at ([^ ]+):(\d+):(?:\d+)$/.exec(U);if(he)return[he[1],Number(he[2])];var Le=/.*@(.+):(\d+)$/.exec(U);if(Le)return[Le[1],Number(Le[2])]}function z(U){var Q=F(U);if(!Q)return!1;var he=Q[0],Le=Q[1];return he===a&&Le>=r&&Le<=_e}function K(){if(!!n)try{throw new Error}catch(Le){var U=Le.stack.split(`
 `),Q=U[0].indexOf("@")>0?U[1]:U[2],he=F(Q);return he?(a=he[0],he[1]):void 0}}function ue(U,Q,he){return function(){return typeof console<"u"&&typeof console.warn=="function"&&console.warn(Q+" is deprecated, use "+he+" instead.",new Error("").stack),U.apply(U,arguments)}}function Z(U){return U instanceof G?U:oe(U)?we(U):He(U)}Z.resolve=Z,Z.nextTick=l,Z.longStackSupport=!1;var fe=1;typeof process=="object"&&process&&process.env&&{}.Q_DEBUG&&(Z.longStackSupport=!0),Z.defer=V;function V(){var U=[],Q=[],he,Le=T(V.prototype),Xe=T(G.prototype);if(Xe.promiseDispatch=function(at,ke,$e){var De=d(arguments);U?(U.push(De),ke==="when"&&$e[1]&&Q.push($e[1])):Z.nextTick(function(){he.promiseDispatch.apply(he,De)})},Xe.valueOf=function(){if(U)return Xe;var at=ve(he);return Ge(at)&&(he=at),at},Xe.inspect=function(){return he?he.inspect():{state:"pending"}},Z.longStackSupport&&n)try{throw new Error}catch(at){Xe.stack=at.stack.substring(at.stack.indexOf(`
-`)+1),Xe.stackCounter=fe++}function je(at){he=at,Z.longStackSupport&&n&&(Xe.source=at),S(U,function(ke,$e){Z.nextTick(function(){at.promiseDispatch.apply(at,$e)})},void 0),U=void 0,Q=void 0}return Le.promise=Xe,Le.resolve=function(at){he||je(Z(at))},Le.fulfill=function(at){he||je(He(at))},Le.reject=function(at){he||je(Ee(at))},Le.notify=function(at){he||S(Q,function(ke,$e){Z.nextTick(function(){$e(at)})},void 0)},Le}V.prototype.makeNodeResolver=function(){var U=this;return function(Q,he){Q?U.reject(Q):arguments.length>2?U.resolve(d(arguments,1)):U.resolve(he)}},Z.Promise=ne,Z.promise=ne;function ne(U){if(typeof U!="function")throw new TypeError("resolver must be a function.");var Q=V();try{U(Q.resolve,Q.reject,Q.notify)}catch(he){Q.reject(he)}return Q.promise}ne.race=te,ne.all=lt,ne.reject=Ee,ne.resolve=Z,Z.passByCopy=function(U){return U},G.prototype.passByCopy=function(){return this},Z.join=function(U,Q){return Z(U).join(Q)},G.prototype.join=function(U){return Z([this,U]).spread(function(Q,he){if(Q===he)return Q;throw new Error("Q can't join: not the same: "+Q+" "+he)})},Z.race=te;function te(U){return ne(function(Q,he){for(var Le=0,Xe=U.length;Le<Xe;Le++)Z(U[Le]).then(Q,he)})}G.prototype.race=function(){return this.then(Z.race)},Z.makePromise=G;function G(U,Q,he){Q===void 0&&(Q=function(je){return Ee(new Error("Promise does not support operation: "+je))}),he===void 0&&(he=function(){return{state:"unknown"}});var Le=T(G.prototype);if(Le.promiseDispatch=function(je,at,ke){var $e;try{U[at]?$e=U[at].apply(Le,ke):$e=Q.call(Le,at,ke)}catch(De){$e=Ee(De)}je&&je($e)},Le.inspect=he,he){var Xe=he();Xe.state==="rejected"&&(Le.exception=Xe.reason),Le.valueOf=function(){var je=he();return je.state==="pending"||je.state==="rejected"?Le:je.value}}return Le}G.prototype.toString=function(){return"[object Promise]"},G.prototype.then=function(U,Q,he){var Le=this,Xe=V(),je=!1;function at(De){try{return typeof U=="function"?U(De):De}catch(pt){return Ee(pt)}}function ke(De){if(typeof Q=="function"){I(De,Le);try{return Q(De)}catch(pt){return Ee(pt)}}return Ee(De)}function $e(De){return typeof he=="function"?he(De):De}return Z.nextTick(function(){Le.promiseDispatch(function(De){je||(je=!0,Xe.resolve(at(De)))},"when",[function(De){je||(je=!0,Xe.resolve(ke(De)))}])}),Le.promiseDispatch(void 0,"when",[void 0,function(De){var pt,_t=!1;try{pt=$e(De)}catch(wt){if(_t=!0,Z.onerror)Z.onerror(wt);else throw wt}_t||Xe.notify(pt)}]),Xe.promise},Z.tap=function(U,Q){return Z(U).tap(Q)},G.prototype.tap=function(U){return U=Z(U),this.then(function(Q){return U.fcall(Q).thenResolve(Q)})},Z.when=se;function se(U,Q,he,Le){return Z(U).then(Q,he,Le)}G.prototype.thenResolve=function(U){return this.then(function(){return U})},Z.thenResolve=function(U,Q){return Z(U).thenResolve(Q)},G.prototype.thenReject=function(U){return this.then(function(){throw U})},Z.thenReject=function(U,Q){return Z(U).thenReject(Q)},Z.nearer=ve;function ve(U){if(Ge(U)){var Q=U.inspect();if(Q.state==="fulfilled")return Q.value}return U}Z.isPromise=Ge;function Ge(U){return U instanceof G}Z.isPromiseAlike=oe;function oe(U){return O(U)&&typeof U.then=="function"}Z.isPending=W;function W(U){return Ge(U)&&U.inspect().state==="pending"}G.prototype.isPending=function(){return this.inspect().state==="pending"},Z.isFulfilled=Oe;function Oe(U){return!Ge(U)||U.inspect().state==="fulfilled"}G.prototype.isFulfilled=function(){return this.inspect().state==="fulfilled"},Z.isRejected=tt;function tt(U){return Ge(U)&&U.inspect().state==="rejected"}G.prototype.isRejected=function(){return this.inspect().state==="rejected"};var rt=[],bt=[],dt=[],ct=!0;function Ze(){rt.length=0,bt.length=0,ct||(ct=!0)}function nt(U,Q){!ct||(typeof process=="object"&&typeof process.emit=="function"&&Z.nextTick.runAfter(function(){_(bt,U)!==-1&&(process.emit("unhandledRejection",Q,U),dt.push(U))}),bt.push(U),Q&&typeof Q.stack<"u"?rt.push(Q.stack):rt.push("(no stack) "+Q))}function ce(U){if(!!ct){var Q=_(bt,U);Q!==-1&&(typeof process=="object"&&typeof process.emit=="function"&&Z.nextTick.runAfter(function(){var he=_(dt,U);he!==-1&&(process.emit("rejectionHandled",rt[Q],U),dt.splice(he,1))}),bt.splice(Q,1),rt.splice(Q,1))}}Z.resetUnhandledRejections=Ze,Z.getUnhandledReasons=function(){return rt.slice()},Z.stopUnhandledRejectionTracking=function(){Ze(),ct=!1},Ze(),Z.reject=Ee;function Ee(U){var Q=G({when:function(he){return he&&ce(this),he?he(U):this}},function(){return this},function(){return{state:"rejected",reason:U}});return nt(Q,U),Q}Z.fulfill=He;function He(U){return G({when:function(){return U},get:function(Q){return U[Q]},set:function(Q,he){U[Q]=he},delete:function(Q){delete U[Q]},post:function(Q,he){return Q==null?U.apply(void 0,he):U[Q].apply(U,he)},apply:function(Q,he){return U.apply(Q,he)},keys:function(){return v(U)}},void 0,function(){return{state:"fulfilled",value:U}})}function we(U){var Q=V();return Z.nextTick(function(){try{U.then(Q.resolve,Q.reject,Q.notify)}catch(he){Q.reject(he)}}),Q.promise}Z.master=ze;function ze(U){return G({isDef:function(){}},function(he,Le){return Ve(U,he,Le)},function(){return Z(U).inspect()})}Z.spread=pe;function pe(U,Q,he){return Z(U).spread(Q,he)}G.prototype.spread=function(U,Q){return this.all().then(function(he){return U.apply(void 0,he)},Q)},Z.async=Re;function Re(U){return function(){function Q(je,at){var ke;if(typeof StopIteration>"u"){try{ke=he[je](at)}catch($e){return Ee($e)}return ke.done?Z(ke.value):se(ke.value,Le,Xe)}else{try{ke=he[je](at)}catch($e){return N($e)?Z($e.value):Ee($e)}return se(ke,Le,Xe)}}var he=U.apply(this,arguments),Le=Q.bind(Q,"next"),Xe=Q.bind(Q,"throw");return Le()}}Z.spawn=Ne;function Ne(U){Z.done(Z.async(U)())}Z.return=Ie;function Ie(U){throw new R(U)}Z.promised=Ue;function Ue(U){return function(){return pe([this,lt(arguments)],function(Q,he){return U.apply(Q,he)})}}Z.dispatch=Ve;function Ve(U,Q,he){return Z(U).dispatch(Q,he)}G.prototype.dispatch=function(U,Q){var he=this,Le=V();return Z.nextTick(function(){he.promiseDispatch(Le.resolve,U,Q)}),Le.promise},Z.get=function(U,Q){return Z(U).dispatch("get",[Q])},G.prototype.get=function(U){return this.dispatch("get",[U])},Z.set=function(U,Q,he){return Z(U).dispatch("set",[Q,he])},G.prototype.set=function(U,Q){return this.dispatch("set",[U,Q])},Z.del=Z.delete=function(U,Q){return Z(U).dispatch("delete",[Q])},G.prototype.del=G.prototype.delete=function(U){return this.dispatch("delete",[U])},Z.mapply=Z.post=function(U,Q,he){return Z(U).dispatch("post",[Q,he])},G.prototype.mapply=G.prototype.post=function(U,Q){return this.dispatch("post",[U,Q])},Z.send=Z.mcall=Z.invoke=function(U,Q){return Z(U).dispatch("post",[Q,d(arguments,2)])},G.prototype.send=G.prototype.mcall=G.prototype.invoke=function(U){return this.dispatch("post",[U,d(arguments,1)])},Z.fapply=function(U,Q){return Z(U).dispatch("apply",[void 0,Q])},G.prototype.fapply=function(U){return this.dispatch("apply",[void 0,U])},Z.try=Z.fcall=function(U){return Z(U).dispatch("apply",[void 0,d(arguments,1)])},G.prototype.fcall=function(){return this.dispatch("apply",[void 0,d(arguments)])},Z.fbind=function(U){var Q=Z(U),he=d(arguments,1);return function(){return Q.dispatch("apply",[this,he.concat(d(arguments))])}},G.prototype.fbind=function(){var U=this,Q=d(arguments);return function(){return U.dispatch("apply",[this,Q.concat(d(arguments))])}},Z.keys=function(U){return Z(U).dispatch("keys",[])},G.prototype.keys=function(){return this.dispatch("keys",[])},Z.all=lt;function lt(U){return se(U,function(Q){var he=0,Le=V();return S(Q,function(Xe,je,at){var ke;Ge(je)&&(ke=je.inspect()).state==="fulfilled"?Q[at]=ke.value:(++he,se(je,function($e){Q[at]=$e,--he===0&&Le.resolve(Q)},Le.reject,function($e){Le.notify({index:at,value:$e})}))},void 0),he===0&&Le.resolve(Q),Le.promise})}G.prototype.all=function(){return lt(this)},Z.any=ge;function ge(U){if(U.length===0)return Z.resolve();var Q=Z.defer(),he=0;return S(U,function(Le,Xe,je){var at=U[je];he++,se(at,ke,$e,De);function ke(pt){Q.resolve(pt)}function $e(pt){if(he--,he===0){var _t=pt||new Error(""+pt);_t.message="Q can't get fulfillment value from any promise, all promises were rejected. Last error message: "+_t.message,Q.reject(_t)}}function De(pt){Q.notify({index:je,value:pt})}},void 0),Q.promise}G.prototype.any=function(){return ge(this)},Z.allResolved=ue(de,"allResolved","allSettled");function de(U){return se(U,function(Q){return Q=E(Q,Z),se(lt(E(Q,function(he){return se(he,o,o)})),function(){return Q})})}G.prototype.allResolved=function(){return de(this)},Z.allSettled=be;function be(U){return Z(U).allSettled()}G.prototype.allSettled=function(){return this.then(function(U){return lt(E(U,function(Q){Q=Z(Q);function he(){return Q.inspect()}return Q.then(he,he)}))})},Z.fail=Z.catch=function(U,Q){return Z(U).then(void 0,Q)},G.prototype.fail=G.prototype.catch=function(U){return this.then(void 0,U)},Z.progress=H;function H(U,Q){return Z(U).then(void 0,void 0,Q)}G.prototype.progress=function(U){return this.then(void 0,void 0,U)},Z.fin=Z.finally=function(U,Q){return Z(U).finally(Q)},G.prototype.fin=G.prototype.finally=function(U){if(!U||typeof U.apply!="function")throw new Error("Q can't apply finally callback");return U=Z(U),this.then(function(Q){return U.fcall().then(function(){return Q})},function(Q){return U.fcall().then(function(){throw Q})})},Z.done=function(U,Q,he,Le){return Z(U).done(Q,he,Le)},G.prototype.done=function(U,Q,he){var Le=function(je){Z.nextTick(function(){if(I(je,Xe),Z.onerror)Z.onerror(je);else throw je})},Xe=U||Q||he?this.then(U,Q,he):this;typeof process=="object"&&process&&process.domain&&(Le=process.domain.bind(Le)),Xe.then(void 0,Le)},Z.timeout=function(U,Q,he){return Z(U).timeout(Q,he)},G.prototype.timeout=function(U,Q){var he=V(),Le=setTimeout(function(){(!Q||typeof Q=="string")&&(Q=new Error(Q||"Timed out after "+U+" ms"),Q.code="ETIMEDOUT"),he.reject(Q)},U);return this.then(function(Xe){clearTimeout(Le),he.resolve(Xe)},function(Xe){clearTimeout(Le),he.reject(Xe)},he.notify),he.promise},Z.delay=function(U,Q){return Q===void 0&&(Q=U,U=void 0),Z(U).delay(Q)},G.prototype.delay=function(U){return this.then(function(Q){var he=V();return setTimeout(function(){he.resolve(Q)},U),he.promise})},Z.nfapply=function(U,Q){return Z(U).nfapply(Q)},G.prototype.nfapply=function(U){var Q=V(),he=d(U);return he.push(Q.makeNodeResolver()),this.fapply(he).fail(Q.reject),Q.promise},Z.nfcall=function(U){var Q=d(arguments,1);return Z(U).nfapply(Q)},G.prototype.nfcall=function(){var U=d(arguments),Q=V();return U.push(Q.makeNodeResolver()),this.fapply(U).fail(Q.reject),Q.promise},Z.nfbind=Z.denodeify=function(U){if(U===void 0)throw new Error("Q can't wrap an undefined function");var Q=d(arguments,1);return function(){var he=Q.concat(d(arguments)),Le=V();return he.push(Le.makeNodeResolver()),Z(U).fapply(he).fail(Le.reject),Le.promise}},G.prototype.nfbind=G.prototype.denodeify=function(){var U=d(arguments);return U.unshift(this),Z.denodeify.apply(void 0,U)},Z.nbind=function(U,Q){var he=d(arguments,2);return function(){var Le=he.concat(d(arguments)),Xe=V();Le.push(Xe.makeNodeResolver());function je(){return U.apply(Q,arguments)}return Z(je).fapply(Le).fail(Xe.reject),Xe.promise}},G.prototype.nbind=function(){var U=d(arguments,0);return U.unshift(this),Z.nbind.apply(void 0,U)},Z.nmapply=Z.npost=function(U,Q,he){return Z(U).npost(Q,he)},G.prototype.nmapply=G.prototype.npost=function(U,Q){var he=d(Q||[]),Le=V();return he.push(Le.makeNodeResolver()),this.dispatch("post",[U,he]).fail(Le.reject),Le.promise},Z.nsend=Z.nmcall=Z.ninvoke=function(U,Q){var he=d(arguments,2),Le=V();return he.push(Le.makeNodeResolver()),Z(U).dispatch("post",[Q,he]).fail(Le.reject),Le.promise},G.prototype.nsend=G.prototype.nmcall=G.prototype.ninvoke=function(U){var Q=d(arguments,1),he=V();return Q.push(he.makeNodeResolver()),this.dispatch("post",[U,Q]).fail(he.reject),he.promise},Z.nodeify=ee;function ee(U,Q){return Z(U).nodeify(Q)}G.prototype.nodeify=function(U){if(U)this.then(function(Q){Z.nextTick(function(){U(null,Q)})},function(Q){Z.nextTick(function(){U(Q)})});else return this},Z.noConflict=function(){throw new Error("Q.noConflict only works when Q is used as a global")};var _e=K();return Z})})(RA);const Et=RA.exports;var Nr=typeof globalThis<"u"&&globalThis||typeof self<"u"&&self||typeof global<"u"&&global||{},Zr={searchParams:"URLSearchParams"in Nr,iterable:"Symbol"in Nr&&"iterator"in Symbol,blob:"FileReader"in Nr&&"Blob"in Nr&&function(){try{return new Blob,!0}catch{return!1}}(),formData:"FormData"in Nr,arrayBuffer:"ArrayBuffer"in Nr};function mL(e){return e&&DataView.prototype.isPrototypeOf(e)}if(Zr.arrayBuffer)var gL=["[object Int8Array]","[object Uint8Array]","[object Uint8ClampedArray]","[object Int16Array]","[object Uint16Array]","[object Int32Array]","[object Uint32Array]","[object Float32Array]","[object Float64Array]"],hL=ArrayBuffer.isView||function(e){return e&&gL.indexOf(Object.prototype.toString.call(e))>-1};function $l(e){if(typeof e!="string"&&(e=String(e)),/[^a-z0-9\-#$%&'*+.^_`|~!]/i.test(e)||e==="")throw new TypeError('Invalid character in header field name: "'+e+'"');return e.toLowerCase()}function lE(e){return typeof e!="string"&&(e=String(e)),e}function uE(e){var t={next:function(){var n=e.shift();return{done:n===void 0,value:n}}};return Zr.iterable&&(t[Symbol.iterator]=function(){return t}),t}function lr(e){this.map={},e instanceof lr?e.forEach(function(t,n){this.append(n,t)},this):Array.isArray(e)?e.forEach(function(t){if(t.length!=2)throw new TypeError("Headers constructor: expected name/value pair to be length 2, found"+t.length);this.append(t[0],t[1])},this):e&&Object.getOwnPropertyNames(e).forEach(function(t){this.append(t,e[t])},this)}lr.prototype.append=function(e,t){e=$l(e),t=lE(t);var n=this.map[e];this.map[e]=n?n+", "+t:t};lr.prototype.delete=function(e){delete this.map[$l(e)]};lr.prototype.get=function(e){return e=$l(e),this.has(e)?this.map[e]:null};lr.prototype.has=function(e){return this.map.hasOwnProperty($l(e))};lr.prototype.set=function(e,t){this.map[$l(e)]=lE(t)};lr.prototype.forEach=function(e,t){for(var n in this.map)this.map.hasOwnProperty(n)&&e.call(t,this.map[n],n,this)};lr.prototype.keys=function(){var e=[];return this.forEach(function(t,n){e.push(n)}),uE(e)};lr.prototype.values=function(){var e=[];return this.forEach(function(t){e.push(t)}),uE(e)};lr.prototype.entries=function(){var e=[];return this.forEach(function(t,n){e.push([n,t])}),uE(e)};Zr.iterable&&(lr.prototype[Symbol.iterator]=lr.prototype.entries);function pp(e){if(!e._noBody){if(e.bodyUsed)return Promise.reject(new TypeError("Already read"));e.bodyUsed=!0}}function NA(e){return new Promise(function(t,n){e.onload=function(){t(e.result)},e.onerror=function(){n(e.error)}})}function EL(e){var t=new FileReader,n=NA(t);return t.readAsArrayBuffer(e),n}function SL(e){var t=new FileReader,n=NA(t),r=/charset=([A-Za-z0-9_-]+)/.exec(e.type),a=r?r[1]:"utf-8";return t.readAsText(e,a),n}function bL(e){for(var t=new Uint8Array(e),n=new Array(t.length),r=0;r<t.length;r++)n[r]=String.fromCharCode(t[r]);return n.join("")}function iv(e){if(e.slice)return e.slice(0);var t=new Uint8Array(e.byteLength);return t.set(new Uint8Array(e)),t.buffer}function IA(){return this.bodyUsed=!1,this._initBody=function(e){this.bodyUsed=this.bodyUsed,this._bodyInit=e,e?typeof e=="string"?this._bodyText=e:Zr.blob&&Blob.prototype.isPrototypeOf(e)?this._bodyBlob=e:Zr.formData&&FormData.prototype.isPrototypeOf(e)?this._bodyFormData=e:Zr.searchParams&&URLSearchParams.prototype.isPrototypeOf(e)?this._bodyText=e.toString():Zr.arrayBuffer&&Zr.blob&&mL(e)?(this._bodyArrayBuffer=iv(e.buffer),this._bodyInit=new Blob([this._bodyArrayBuffer])):Zr.arrayBuffer&&(ArrayBuffer.prototype.isPrototypeOf(e)||hL(e))?this._bodyArrayBuffer=iv(e):this._bodyText=e=Object.prototype.toString.call(e):(this._noBody=!0,this._bodyText=""),this.headers.get("content-type")||(typeof e=="string"?this.headers.set("content-type","text/plain;charset=UTF-8"):this._bodyBlob&&this._bodyBlob.type?this.headers.set("content-type",this._bodyBlob.type):Zr.searchParams&&URLSearchParams.prototype.isPrototypeOf(e)&&this.headers.set("content-type","application/x-www-form-urlencoded;charset=UTF-8"))},Zr.blob&&(this.blob=function(){var e=pp(this);if(e)return e;if(this._bodyBlob)return Promise.resolve(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(new Blob([this._bodyArrayBuffer]));if(this._bodyFormData)throw new Error("could not read FormData body as blob");return Promise.resolve(new Blob([this._bodyText]))}),this.arrayBuffer=function(){if(this._bodyArrayBuffer){var e=pp(this);return e||(ArrayBuffer.isView(this._bodyArrayBuffer)?Promise.resolve(this._bodyArrayBuffer.buffer.slice(this._bodyArrayBuffer.byteOffset,this._bodyArrayBuffer.byteOffset+this._bodyArrayBuffer.byteLength)):Promise.resolve(this._bodyArrayBuffer))}else{if(Zr.blob)return this.blob().then(EL);throw new Error("could not read as ArrayBuffer")}},this.text=function(){var e=pp(this);if(e)return e;if(this._bodyBlob)return SL(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(bL(this._bodyArrayBuffer));if(this._bodyFormData)throw new Error("could not read FormData body as text");return Promise.resolve(this._bodyText)},Zr.formData&&(this.formData=function(){return this.text().then(yL)}),this.json=function(){return this.text().then(JSON.parse)},this}var vL=["CONNECT","DELETE","GET","HEAD","OPTIONS","PATCH","POST","PUT","TRACE"];function TL(e){var t=e.toUpperCase();return vL.indexOf(t)>-1?t:e}function qs(e,t){if(!(this instanceof qs))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');t=t||{};var n=t.body;if(e instanceof qs){if(e.bodyUsed)throw new TypeError("Already read");this.url=e.url,this.credentials=e.credentials,t.headers||(this.headers=new lr(e.headers)),this.method=e.method,this.mode=e.mode,this.signal=e.signal,!n&&e._bodyInit!=null&&(n=e._bodyInit,e.bodyUsed=!0)}else this.url=String(e);if(this.credentials=t.credentials||this.credentials||"same-origin",(t.headers||!this.headers)&&(this.headers=new lr(t.headers)),this.method=TL(t.method||this.method||"GET"),this.mode=t.mode||this.mode||null,this.signal=t.signal||this.signal||function(){if("AbortController"in Nr){var o=new AbortController;return o.signal}}(),this.referrer=null,(this.method==="GET"||this.method==="HEAD")&&n)throw new TypeError("Body not allowed for GET or HEAD requests");if(this._initBody(n),(this.method==="GET"||this.method==="HEAD")&&(t.cache==="no-store"||t.cache==="no-cache")){var r=/([?&])_=[^&]*/;if(r.test(this.url))this.url=this.url.replace(r,"$1_="+new Date().getTime());else{var a=/\?/;this.url+=(a.test(this.url)?"&":"?")+"_="+new Date().getTime()}}}qs.prototype.clone=function(){return new qs(this,{body:this._bodyInit})};function yL(e){var t=new FormData;return e.trim().split("&").forEach(function(n){if(n){var r=n.split("="),a=r.shift().replace(/\+/g," "),o=r.join("=").replace(/\+/g," ");t.append(decodeURIComponent(a),decodeURIComponent(o))}}),t}function CL(e){var t=new lr,n=e.replace(/\r?\n[\t ]+/g," ");return n.split("\r").map(function(r){return r.indexOf(`
-`)===0?r.substr(1,r.length):r}).forEach(function(r){var a=r.split(":"),o=a.shift().trim();if(o){var l=a.join(":").trim();try{t.append(o,l)}catch(u){console.warn("Response "+u.message)}}}),t}IA.call(qs.prototype);function Wa(e,t){if(!(this instanceof Wa))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');if(t||(t={}),this.type="default",this.status=t.status===void 0?200:t.status,this.status<200||this.status>599)throw new RangeError("Failed to construct 'Response': The status provided (0) is outside the range [200, 599].");this.ok=this.status>=200&&this.status<300,this.statusText=t.statusText===void 0?"":""+t.statusText,this.headers=new lr(t.headers),this.url=t.url||"",this._initBody(e)}IA.call(Wa.prototype);Wa.prototype.clone=function(){return new Wa(this._bodyInit,{status:this.status,statusText:this.statusText,headers:new lr(this.headers),url:this.url})};Wa.error=function(){var e=new Wa(null,{status:200,statusText:""});return e.ok=!1,e.status=0,e.type="error",e};var AL=[301,302,303,307,308];Wa.redirect=function(e,t){if(AL.indexOf(t)===-1)throw new RangeError("Invalid status code");return new Wa(null,{status:t,headers:{location:e}})};var Cs=Nr.DOMException;try{new Cs}catch{Cs=function(t,n){this.message=t,this.name=n;var r=Error(t);this.stack=r.stack},Cs.prototype=Object.create(Error.prototype),Cs.prototype.constructor=Cs}function DA(e,t){return new Promise(function(n,r){var a=new qs(e,t);if(a.signal&&a.signal.aborted)return r(new Cs("Aborted","AbortError"));var o=new XMLHttpRequest;function l(){o.abort()}o.onload=function(){var d={statusText:o.statusText,headers:CL(o.getAllResponseHeaders()||"")};a.url.indexOf("file://")===0&&(o.status<200||o.status>599)?d.status=200:d.status=o.status,d.url="responseURL"in o?o.responseURL:d.headers.get("X-Request-URL");var S="response"in o?o.response:o.responseText;setTimeout(function(){n(new Wa(S,d))},0)},o.onerror=function(){setTimeout(function(){r(new TypeError("Network request failed"))},0)},o.ontimeout=function(){setTimeout(function(){r(new TypeError("Network request timed out"))},0)},o.onabort=function(){setTimeout(function(){r(new Cs("Aborted","AbortError"))},0)};function u(d){try{return d===""&&Nr.location.href?Nr.location.href:d}catch{return d}}if(o.open(a.method,u(a.url),!0),a.credentials==="include"?o.withCredentials=!0:a.credentials==="omit"&&(o.withCredentials=!1),"responseType"in o&&(Zr.blob?o.responseType="blob":Zr.arrayBuffer&&(o.responseType="arraybuffer")),t&&typeof t.headers=="object"&&!(t.headers instanceof lr||Nr.Headers&&t.headers instanceof Nr.Headers)){var c=[];Object.getOwnPropertyNames(t.headers).forEach(function(d){c.push($l(d)),o.setRequestHeader(d,lE(t.headers[d]))}),a.headers.forEach(function(d,S){c.indexOf(S)===-1&&o.setRequestHeader(S,d)})}else a.headers.forEach(function(d,S){o.setRequestHeader(S,d)});a.signal&&(a.signal.addEventListener("abort",l),o.onreadystatechange=function(){o.readyState===4&&a.signal.removeEventListener("abort",l)}),o.send(typeof a._bodyInit>"u"?null:a._bodyInit)})}DA.polyfill=!0;Nr.fetch||(Nr.fetch=DA,Nr.Headers=lr,Nr.Request=qs,Nr.Response=Wa);const Pa={urlRoot:"",csrfNonce:"",userMode:""},OL=window.fetch,xA=(e,t)=>(t===void 0&&(t={method:"GET",credentials:"same-origin",headers:{}}),e=Pa.urlRoot+e,t.headers===void 0&&(t.headers={}),t.credentials="same-origin",t.headers.Accept="application/json",t.headers["Content-Type"]="application/json",t.headers["CSRF-Token"]=Pa.csrfNonce,OL(e,t));let Ui=function(){function e(r){let a=typeof r=="object"?r.domain:r;if(this.domain=a||"",this.domain.length===0)throw new Error("Le param\xE8tre de domaine doit \xEAtre sp\xE9cifi\xE9 comme une cha\xEEne de charact\xE8res.")}function t(r){let a=[];for(let o in r)r.hasOwnProperty(o)&&a.push(encodeURIComponent(o)+"="+encodeURIComponent(r[o]));return a.join("&")}function n(r,a){return r.$queryParameters&&Object.keys(r.$queryParameters).forEach(function(o){let l=r.$queryParameters[o];a[o]=l}),a}return e.prototype.request=function(r,a,o,l,u,c,d,S){const _=c&&Object.keys(c).length?t(c):null,E=a+(_?"?"+_:"");l&&!Object.keys(l).length&&(l=void 0),xA(E,{method:r,headers:u,body:JSON.stringify(l)}).then(T=>T.json()).then(T=>{S.resolve(T)}).catch(T=>{S.reject(T)})},e.prototype.post_award_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/awards",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.delete_award=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/awards/{award_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{award_id}",r.awardId),r.awardId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: awardId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_award=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/awards/{award_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{award_id}",r.awardId),r.awardId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: awardId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_challenge_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_challenge_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.post_challenge_attempt=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/attempt",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_challenge_types=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/types",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_challenge=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_challenge=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_files=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}/files",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.id!==void 0&&(c.id=r.id),l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_flags=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}/flags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.id!==void 0&&(c.id=r.id),l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_hints=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}/hints",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.id!==void 0&&(c.id=r.id),l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_solves=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}/solves",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.id!==void 0&&(c.id=r.id),l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_tags=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}/tags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.id!==void 0&&(c.id=r.id),l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_config_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_config_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_config_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_config=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs/{config_key}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{config_key}",r.configKey),r.configKey===void 0?(a.reject(new Error("Param\xE8tre requis manquant: configKey")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_config=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs/{config_key}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{config_key}",r.configKey),r.configKey===void 0?(a.reject(new Error("Param\xE8tre requis manquant: configKey")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_config=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs/{config_key}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{config_key}",r.configKey),r.configKey===void 0?(a.reject(new Error("Param\xE8tre requis manquant: configKey")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_files_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/files",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_files_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/files",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.delete_files_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/files/{file_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{file_id}",r.fileId),r.fileId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: fileId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_files_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/files/{file_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{file_id}",r.fileId),r.fileId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: fileId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_flag_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_flag_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_flag_types=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags/types",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_flag_types_1=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags/types/{type_name}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{type_name}",r.typeName),r.typeName===void 0?(a.reject(new Error("Param\xE8tre requis manquant: typeName")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.patch_flag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags/{flag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{flag_id}",r.flagId),r.flagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: flagId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_flag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags/{flag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{flag_id}",r.flagId),r.flagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: flagId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_flag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags/{flag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{flag_id}",r.flagId),r.flagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: flagId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_hint_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/hints",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_hint_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/hints",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_hint=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/hints/{hint_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{hint_id}",r.hintId),r.hintId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: hintId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_hint=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/hints/{hint_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{hint_id}",r.hintId),r.hintId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: hintId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_hint=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/hints/{hint_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{hint_id}",r.hintId),r.hintId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: hintId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_notification_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/notifications",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_notification_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/notifications",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.delete_notification=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/notifications/{notification_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{notification_id}",r.notificationId),r.notificationId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: notificationId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_notification=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/notifications/{notification_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{notification_id}",r.notificationId),r.notificationId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: notificationId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_page_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/pages",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_page_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/pages",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_page_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/pages/{page_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{page_id}",r.pageId),r.pageId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: pageId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_page_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/pages/{page_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{page_id}",r.pageId),r.pageId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: pageId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_page_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/pages/{page_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{page_id}",r.pageId),r.pageId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: pageId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_scoreboard_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/scoreboard",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_scoreboard_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/scoreboard/top/{count}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{count}",r.count),r.count===void 0?(a.reject(new Error("Param\xE8tre requis manquant: count")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_solve_statistics=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/challenges/solves",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_challenge_solve_percentages=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/challenges/solves/percentages",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_challenge_property_counts=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/challenges/{column}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{column}",r.column),r.column===void 0?(a.reject(new Error("Param\xE8tre requis manquant: column")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_submission_property_counts=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/submissions/{column}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{column}",r.column),r.column===void 0?(a.reject(new Error("Param\xE8tre requis manquant: column")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_team_statistics=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/teams",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_user_statistics=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/users",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_user_property_counts=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/users/{column}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{column}",r.column),r.column===void 0?(a.reject(new Error("Param\xE8tre requis manquant: column")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_submissions_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/submissions",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_submissions_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/submissions",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.delete_submission=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/submissions/{submission_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{submission_id}",r.submissionId),r.submissionId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: submissionId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_submission=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/submissions/{submission_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{submission_id}",r.submissionId),r.submissionId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: submissionId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_tag_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/tags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_tag_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/tags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_tag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/tags/{tag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{tag_id}",r.tagId),r.tagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: tagId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_tag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/tags/{tag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{tag_id}",r.tagId),r.tagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: tagId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_tag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/tags/{tag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{tag_id}",r.tagId),r.tagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: tagId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_team_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_team_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_team_private=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/me",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.teamId!==void 0&&(c.team_id=r.teamId),c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_team_private=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/me",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.teamId!==void 0&&(c.team_id=r.teamId),c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_team_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_team_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_team_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_team_awards=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}/awards",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_team_fails=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}/fails?preview=true",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_team_solves=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}/solves",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_unlock_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/unlocks",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_unlock_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/unlocks",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.post_user_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_user_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_user_private=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/me",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_user_private=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/me",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_user_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_user_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_user_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_user_awards=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}/awards",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_user_fails=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}/fails",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_user_solves=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}/solves",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e}();function cc(e,t){return{...e,...t}}function RL(e){let t=[];for(let n in e)e.hasOwnProperty(n)&&t.push(encodeURIComponent(n)+"="+encodeURIComponent(e[n]));return t.join("&")}Ui.prototype.requestRaw=function(e,t,n,r,a,o,l,u){const c=o&&Object.keys(o).length?RL(o):null,d=t+(c?"?"+c:"");r&&!Object.keys(r).length&&(r=void 0),fetch(d,{method:e,headers:a,body:r}).then(S=>S.json()).then(S=>{u.resolve(S)}).catch(S=>{u.reject(S)})};Ui.prototype.patch_user_public=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/users/{user_id}",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],a=a.replace("{user_id}",e.userId),e.userId===void 0?(n.reject(new Error("Param\xE8tre requis manquant: userId")),n.promise):(this.request("PATCH",r+a,e,t,l,o,u,n),n.promise)};Ui.prototype.patch_user_private=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/users/me",o={},l={};return o.Accept=["application/json"],o["Content-Type"]=["application/json"],this.request("PATCH",r+a,e,t,o,{},l,n),n.promise};Ui.prototype.post_unlock_list=function(e,t){let n=Et.defer(),r=this.domain,a="/unlocks",o={},l={};return o.Accept=["application/json"],o["Content-Type"]=["application/json"],this.request("POST",r+a,e,t,o,{},l,n),n.promise};Ui.prototype.post_notification_list=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/notifications",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],this.request("POST",r+a,e,t,l,o,u,n),n.promise};Ui.prototype.post_files_list=function(e,t){let n=Et.defer(),r=this.domain,a="/files",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],this.requestRaw("POST",r+a,e,t,l,o,u,n),n.promise};Ui.prototype.patch_config=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/configs/{config_key}",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],a=a.replace("{config_key}",e.configKey),e.configKey===void 0?(n.reject(new Error("Param\xE8tre requis manquant: configKey")),n.promise):(this.request("PATCH",r+a,e,t,l,o,u,n),n.promise)};Ui.prototype.patch_config_list=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/configs",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],o=cc(e,o),this.request("PATCH",r+a,e,t,l,o,u,n),n.promise};Ui.prototype.post_tag_list=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/tags",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],o=cc(e,o),this.request("POST",r+a,e,t,l,o,u,n),n.promise};Ui.prototype.patch_team_public=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/teams/{team_id}",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],a=a.replace("{team_id}",e.teamId),e.teamId===void 0?(n.reject(new Error("Param\xE8tre requis manquant: teamId")),n.promise):(o=cc(e,o),this.request("PATCH",r+a,e,t,l,o,u,n),n.promise)};Ui.prototype.post_challenge_attempt=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/challenges/attempt",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],o=cc(e,o),this.request("POST",r+a,e,t,l,o,u,n),n.promise};Ui.prototype.get_hint=function(e){e===void 0&&(e={});let t=Et.defer(),n=this.domain,r="/hints/{hint_id}",a={},o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],r=r.replace("{hint_id}",e.hintId),e.hintId===void 0?(t.reject(new Error("Param\xE8tre requis manquant: hintId")),t.promise):(delete e.hintId,o=cc(e,o),this.request("GET",n+r,e,a,l,o,u,t),t.promise)};var NL={exports:{}},_p={exports:{}};/*!
+`)+1),Xe.stackCounter=fe++}function je(at){he=at,Z.longStackSupport&&n&&(Xe.source=at),S(U,function(ke,$e){Z.nextTick(function(){at.promiseDispatch.apply(at,$e)})},void 0),U=void 0,Q=void 0}return Le.promise=Xe,Le.resolve=function(at){he||je(Z(at))},Le.fulfill=function(at){he||je(He(at))},Le.reject=function(at){he||je(Ee(at))},Le.notify=function(at){he||S(Q,function(ke,$e){Z.nextTick(function(){$e(at)})},void 0)},Le}V.prototype.makeNodeResolver=function(){var U=this;return function(Q,he){Q?U.reject(Q):arguments.length>2?U.resolve(d(arguments,1)):U.resolve(he)}},Z.Promise=ne,Z.promise=ne;function ne(U){if(typeof U!="function")throw new TypeError("resolver must be a function.");var Q=V();try{U(Q.resolve,Q.reject,Q.notify)}catch(he){Q.reject(he)}return Q.promise}ne.race=te,ne.all=lt,ne.reject=Ee,ne.resolve=Z,Z.passByCopy=function(U){return U},G.prototype.passByCopy=function(){return this},Z.join=function(U,Q){return Z(U).join(Q)},G.prototype.join=function(U){return Z([this,U]).spread(function(Q,he){if(Q===he)return Q;throw new Error("Q can't join: not the same: "+Q+" "+he)})},Z.race=te;function te(U){return ne(function(Q,he){for(var Le=0,Xe=U.length;Le<Xe;Le++)Z(U[Le]).then(Q,he)})}G.prototype.race=function(){return this.then(Z.race)},Z.makePromise=G;function G(U,Q,he){Q===void 0&&(Q=function(je){return Ee(new Error("Promise does not support operation: "+je))}),he===void 0&&(he=function(){return{state:"unknown"}});var Le=T(G.prototype);if(Le.promiseDispatch=function(je,at,ke){var $e;try{U[at]?$e=U[at].apply(Le,ke):$e=Q.call(Le,at,ke)}catch(De){$e=Ee(De)}je&&je($e)},Le.inspect=he,he){var Xe=he();Xe.state==="rejected"&&(Le.exception=Xe.reason),Le.valueOf=function(){var je=he();return je.state==="pending"||je.state==="rejected"?Le:je.value}}return Le}G.prototype.toString=function(){return"[object Promise]"},G.prototype.then=function(U,Q,he){var Le=this,Xe=V(),je=!1;function at(De){try{return typeof U=="function"?U(De):De}catch(pt){return Ee(pt)}}function ke(De){if(typeof Q=="function"){I(De,Le);try{return Q(De)}catch(pt){return Ee(pt)}}return Ee(De)}function $e(De){return typeof he=="function"?he(De):De}return Z.nextTick(function(){Le.promiseDispatch(function(De){je||(je=!0,Xe.resolve(at(De)))},"when",[function(De){je||(je=!0,Xe.resolve(ke(De)))}])}),Le.promiseDispatch(void 0,"when",[void 0,function(De){var pt,_t=!1;try{pt=$e(De)}catch(wt){if(_t=!0,Z.onerror)Z.onerror(wt);else throw wt}_t||Xe.notify(pt)}]),Xe.promise},Z.tap=function(U,Q){return Z(U).tap(Q)},G.prototype.tap=function(U){return U=Z(U),this.then(function(Q){return U.fcall(Q).thenResolve(Q)})},Z.when=se;function se(U,Q,he,Le){return Z(U).then(Q,he,Le)}G.prototype.thenResolve=function(U){return this.then(function(){return U})},Z.thenResolve=function(U,Q){return Z(U).thenResolve(Q)},G.prototype.thenReject=function(U){return this.then(function(){throw U})},Z.thenReject=function(U,Q){return Z(U).thenReject(Q)},Z.nearer=ve;function ve(U){if(Ge(U)){var Q=U.inspect();if(Q.state==="fulfilled")return Q.value}return U}Z.isPromise=Ge;function Ge(U){return U instanceof G}Z.isPromiseAlike=oe;function oe(U){return O(U)&&typeof U.then=="function"}Z.isPending=W;function W(U){return Ge(U)&&U.inspect().state==="pending"}G.prototype.isPending=function(){return this.inspect().state==="pending"},Z.isFulfilled=Oe;function Oe(U){return!Ge(U)||U.inspect().state==="fulfilled"}G.prototype.isFulfilled=function(){return this.inspect().state==="fulfilled"},Z.isRejected=tt;function tt(U){return Ge(U)&&U.inspect().state==="rejected"}G.prototype.isRejected=function(){return this.inspect().state==="rejected"};var rt=[],bt=[],dt=[],ct=!0;function Ze(){rt.length=0,bt.length=0,ct||(ct=!0)}function nt(U,Q){!ct||(typeof process=="object"&&typeof process.emit=="function"&&Z.nextTick.runAfter(function(){_(bt,U)!==-1&&(process.emit("unhandledRejection",Q,U),dt.push(U))}),bt.push(U),Q&&typeof Q.stack<"u"?rt.push(Q.stack):rt.push("(no stack) "+Q))}function ce(U){if(!!ct){var Q=_(bt,U);Q!==-1&&(typeof process=="object"&&typeof process.emit=="function"&&Z.nextTick.runAfter(function(){var he=_(dt,U);he!==-1&&(process.emit("rejectionHandled",rt[Q],U),dt.splice(he,1))}),bt.splice(Q,1),rt.splice(Q,1))}}Z.resetUnhandledRejections=Ze,Z.getUnhandledReasons=function(){return rt.slice()},Z.stopUnhandledRejectionTracking=function(){Ze(),ct=!1},Ze(),Z.reject=Ee;function Ee(U){var Q=G({when:function(he){return he&&ce(this),he?he(U):this}},function(){return this},function(){return{state:"rejected",reason:U}});return nt(Q,U),Q}Z.fulfill=He;function He(U){return G({when:function(){return U},get:function(Q){return U[Q]},set:function(Q,he){U[Q]=he},delete:function(Q){delete U[Q]},post:function(Q,he){return Q==null?U.apply(void 0,he):U[Q].apply(U,he)},apply:function(Q,he){return U.apply(Q,he)},keys:function(){return v(U)}},void 0,function(){return{state:"fulfilled",value:U}})}function we(U){var Q=V();return Z.nextTick(function(){try{U.then(Q.resolve,Q.reject,Q.notify)}catch(he){Q.reject(he)}}),Q.promise}Z.master=ze;function ze(U){return G({isDef:function(){}},function(he,Le){return Ve(U,he,Le)},function(){return Z(U).inspect()})}Z.spread=pe;function pe(U,Q,he){return Z(U).spread(Q,he)}G.prototype.spread=function(U,Q){return this.all().then(function(he){return U.apply(void 0,he)},Q)},Z.async=Re;function Re(U){return function(){function Q(je,at){var ke;if(typeof StopIteration>"u"){try{ke=he[je](at)}catch($e){return Ee($e)}return ke.done?Z(ke.value):se(ke.value,Le,Xe)}else{try{ke=he[je](at)}catch($e){return N($e)?Z($e.value):Ee($e)}return se(ke,Le,Xe)}}var he=U.apply(this,arguments),Le=Q.bind(Q,"next"),Xe=Q.bind(Q,"throw");return Le()}}Z.spawn=Ne;function Ne(U){Z.done(Z.async(U)())}Z.return=Ie;function Ie(U){throw new R(U)}Z.promised=Ue;function Ue(U){return function(){return pe([this,lt(arguments)],function(Q,he){return U.apply(Q,he)})}}Z.dispatch=Ve;function Ve(U,Q,he){return Z(U).dispatch(Q,he)}G.prototype.dispatch=function(U,Q){var he=this,Le=V();return Z.nextTick(function(){he.promiseDispatch(Le.resolve,U,Q)}),Le.promise},Z.get=function(U,Q){return Z(U).dispatch("get",[Q])},G.prototype.get=function(U){return this.dispatch("get",[U])},Z.set=function(U,Q,he){return Z(U).dispatch("set",[Q,he])},G.prototype.set=function(U,Q){return this.dispatch("set",[U,Q])},Z.del=Z.delete=function(U,Q){return Z(U).dispatch("delete",[Q])},G.prototype.del=G.prototype.delete=function(U){return this.dispatch("delete",[U])},Z.mapply=Z.post=function(U,Q,he){return Z(U).dispatch("post",[Q,he])},G.prototype.mapply=G.prototype.post=function(U,Q){return this.dispatch("post",[U,Q])},Z.send=Z.mcall=Z.invoke=function(U,Q){return Z(U).dispatch("post",[Q,d(arguments,2)])},G.prototype.send=G.prototype.mcall=G.prototype.invoke=function(U){return this.dispatch("post",[U,d(arguments,1)])},Z.fapply=function(U,Q){return Z(U).dispatch("apply",[void 0,Q])},G.prototype.fapply=function(U){return this.dispatch("apply",[void 0,U])},Z.try=Z.fcall=function(U){return Z(U).dispatch("apply",[void 0,d(arguments,1)])},G.prototype.fcall=function(){return this.dispatch("apply",[void 0,d(arguments)])},Z.fbind=function(U){var Q=Z(U),he=d(arguments,1);return function(){return Q.dispatch("apply",[this,he.concat(d(arguments))])}},G.prototype.fbind=function(){var U=this,Q=d(arguments);return function(){return U.dispatch("apply",[this,Q.concat(d(arguments))])}},Z.keys=function(U){return Z(U).dispatch("keys",[])},G.prototype.keys=function(){return this.dispatch("keys",[])},Z.all=lt;function lt(U){return se(U,function(Q){var he=0,Le=V();return S(Q,function(Xe,je,at){var ke;Ge(je)&&(ke=je.inspect()).state==="fulfilled"?Q[at]=ke.value:(++he,se(je,function($e){Q[at]=$e,--he===0&&Le.resolve(Q)},Le.reject,function($e){Le.notify({index:at,value:$e})}))},void 0),he===0&&Le.resolve(Q),Le.promise})}G.prototype.all=function(){return lt(this)},Z.any=ge;function ge(U){if(U.length===0)return Z.resolve();var Q=Z.defer(),he=0;return S(U,function(Le,Xe,je){var at=U[je];he++,se(at,ke,$e,De);function ke(pt){Q.resolve(pt)}function $e(pt){if(he--,he===0){var _t=pt||new Error(""+pt);_t.message="Q can't get fulfillment value from any promise, all promises were rejected. Last error message: "+_t.message,Q.reject(_t)}}function De(pt){Q.notify({index:je,value:pt})}},void 0),Q.promise}G.prototype.any=function(){return ge(this)},Z.allResolved=ue(de,"allResolved","allSettled");function de(U){return se(U,function(Q){return Q=E(Q,Z),se(lt(E(Q,function(he){return se(he,o,o)})),function(){return Q})})}G.prototype.allResolved=function(){return de(this)},Z.allSettled=be;function be(U){return Z(U).allSettled()}G.prototype.allSettled=function(){return this.then(function(U){return lt(E(U,function(Q){Q=Z(Q);function he(){return Q.inspect()}return Q.then(he,he)}))})},Z.fail=Z.catch=function(U,Q){return Z(U).then(void 0,Q)},G.prototype.fail=G.prototype.catch=function(U){return this.then(void 0,U)},Z.progress=H;function H(U,Q){return Z(U).then(void 0,void 0,Q)}G.prototype.progress=function(U){return this.then(void 0,void 0,U)},Z.fin=Z.finally=function(U,Q){return Z(U).finally(Q)},G.prototype.fin=G.prototype.finally=function(U){if(!U||typeof U.apply!="function")throw new Error("Q can't apply finally callback");return U=Z(U),this.then(function(Q){return U.fcall().then(function(){return Q})},function(Q){return U.fcall().then(function(){throw Q})})},Z.done=function(U,Q,he,Le){return Z(U).done(Q,he,Le)},G.prototype.done=function(U,Q,he){var Le=function(je){Z.nextTick(function(){if(I(je,Xe),Z.onerror)Z.onerror(je);else throw je})},Xe=U||Q||he?this.then(U,Q,he):this;typeof process=="object"&&process&&process.domain&&(Le=process.domain.bind(Le)),Xe.then(void 0,Le)},Z.timeout=function(U,Q,he){return Z(U).timeout(Q,he)},G.prototype.timeout=function(U,Q){var he=V(),Le=setTimeout(function(){(!Q||typeof Q=="string")&&(Q=new Error(Q||"Timed out after "+U+" ms"),Q.code="ETIMEDOUT"),he.reject(Q)},U);return this.then(function(Xe){clearTimeout(Le),he.resolve(Xe)},function(Xe){clearTimeout(Le),he.reject(Xe)},he.notify),he.promise},Z.delay=function(U,Q){return Q===void 0&&(Q=U,U=void 0),Z(U).delay(Q)},G.prototype.delay=function(U){return this.then(function(Q){var he=V();return setTimeout(function(){he.resolve(Q)},U),he.promise})},Z.nfapply=function(U,Q){return Z(U).nfapply(Q)},G.prototype.nfapply=function(U){var Q=V(),he=d(U);return he.push(Q.makeNodeResolver()),this.fapply(he).fail(Q.reject),Q.promise},Z.nfcall=function(U){var Q=d(arguments,1);return Z(U).nfapply(Q)},G.prototype.nfcall=function(){var U=d(arguments),Q=V();return U.push(Q.makeNodeResolver()),this.fapply(U).fail(Q.reject),Q.promise},Z.nfbind=Z.denodeify=function(U){if(U===void 0)throw new Error("Q can't wrap an undefined function");var Q=d(arguments,1);return function(){var he=Q.concat(d(arguments)),Le=V();return he.push(Le.makeNodeResolver()),Z(U).fapply(he).fail(Le.reject),Le.promise}},G.prototype.nfbind=G.prototype.denodeify=function(){var U=d(arguments);return U.unshift(this),Z.denodeify.apply(void 0,U)},Z.nbind=function(U,Q){var he=d(arguments,2);return function(){var Le=he.concat(d(arguments)),Xe=V();Le.push(Xe.makeNodeResolver());function je(){return U.apply(Q,arguments)}return Z(je).fapply(Le).fail(Xe.reject),Xe.promise}},G.prototype.nbind=function(){var U=d(arguments,0);return U.unshift(this),Z.nbind.apply(void 0,U)},Z.nmapply=Z.npost=function(U,Q,he){return Z(U).npost(Q,he)},G.prototype.nmapply=G.prototype.npost=function(U,Q){var he=d(Q||[]),Le=V();return he.push(Le.makeNodeResolver()),this.dispatch("post",[U,he]).fail(Le.reject),Le.promise},Z.nsend=Z.nmcall=Z.ninvoke=function(U,Q){var he=d(arguments,2),Le=V();return he.push(Le.makeNodeResolver()),Z(U).dispatch("post",[Q,he]).fail(Le.reject),Le.promise},G.prototype.nsend=G.prototype.nmcall=G.prototype.ninvoke=function(U){var Q=d(arguments,1),he=V();return Q.push(he.makeNodeResolver()),this.dispatch("post",[U,Q]).fail(he.reject),he.promise},Z.nodeify=ee;function ee(U,Q){return Z(U).nodeify(Q)}G.prototype.nodeify=function(U){if(U)this.then(function(Q){Z.nextTick(function(){U(null,Q)})},function(Q){Z.nextTick(function(){U(Q)})});else return this},Z.noConflict=function(){throw new Error("Q.noConflict only works when Q is used as a global")};var _e=K();return Z})})(IA);const Et=IA.exports;var Nr=typeof globalThis<"u"&&globalThis||typeof self<"u"&&self||typeof global<"u"&&global||{},Zr={searchParams:"URLSearchParams"in Nr,iterable:"Symbol"in Nr&&"iterator"in Symbol,blob:"FileReader"in Nr&&"Blob"in Nr&&function(){try{return new Blob,!0}catch{return!1}}(),formData:"FormData"in Nr,arrayBuffer:"ArrayBuffer"in Nr};function hL(e){return e&&DataView.prototype.isPrototypeOf(e)}if(Zr.arrayBuffer)var EL=["[object Int8Array]","[object Uint8Array]","[object Uint8ClampedArray]","[object Int16Array]","[object Uint16Array]","[object Int32Array]","[object Uint32Array]","[object Float32Array]","[object Float64Array]"],SL=ArrayBuffer.isView||function(e){return e&&EL.indexOf(Object.prototype.toString.call(e))>-1};function Kl(e){if(typeof e!="string"&&(e=String(e)),/[^a-z0-9\-#$%&'*+.^_`|~!]/i.test(e)||e==="")throw new TypeError('Invalid character in header field name: "'+e+'"');return e.toLowerCase()}function uE(e){return typeof e!="string"&&(e=String(e)),e}function cE(e){var t={next:function(){var n=e.shift();return{done:n===void 0,value:n}}};return Zr.iterable&&(t[Symbol.iterator]=function(){return t}),t}function lr(e){this.map={},e instanceof lr?e.forEach(function(t,n){this.append(n,t)},this):Array.isArray(e)?e.forEach(function(t){if(t.length!=2)throw new TypeError("Headers constructor: expected name/value pair to be length 2, found"+t.length);this.append(t[0],t[1])},this):e&&Object.getOwnPropertyNames(e).forEach(function(t){this.append(t,e[t])},this)}lr.prototype.append=function(e,t){e=Kl(e),t=uE(t);var n=this.map[e];this.map[e]=n?n+", "+t:t};lr.prototype.delete=function(e){delete this.map[Kl(e)]};lr.prototype.get=function(e){return e=Kl(e),this.has(e)?this.map[e]:null};lr.prototype.has=function(e){return this.map.hasOwnProperty(Kl(e))};lr.prototype.set=function(e,t){this.map[Kl(e)]=uE(t)};lr.prototype.forEach=function(e,t){for(var n in this.map)this.map.hasOwnProperty(n)&&e.call(t,this.map[n],n,this)};lr.prototype.keys=function(){var e=[];return this.forEach(function(t,n){e.push(n)}),cE(e)};lr.prototype.values=function(){var e=[];return this.forEach(function(t){e.push(t)}),cE(e)};lr.prototype.entries=function(){var e=[];return this.forEach(function(t,n){e.push([n,t])}),cE(e)};Zr.iterable&&(lr.prototype[Symbol.iterator]=lr.prototype.entries);function _p(e){if(!e._noBody){if(e.bodyUsed)return Promise.reject(new TypeError("Already read"));e.bodyUsed=!0}}function DA(e){return new Promise(function(t,n){e.onload=function(){t(e.result)},e.onerror=function(){n(e.error)}})}function bL(e){var t=new FileReader,n=DA(t);return t.readAsArrayBuffer(e),n}function vL(e){var t=new FileReader,n=DA(t),r=/charset=([A-Za-z0-9_-]+)/.exec(e.type),a=r?r[1]:"utf-8";return t.readAsText(e,a),n}function TL(e){for(var t=new Uint8Array(e),n=new Array(t.length),r=0;r<t.length;r++)n[r]=String.fromCharCode(t[r]);return n.join("")}function ov(e){if(e.slice)return e.slice(0);var t=new Uint8Array(e.byteLength);return t.set(new Uint8Array(e)),t.buffer}function xA(){return this.bodyUsed=!1,this._initBody=function(e){this.bodyUsed=this.bodyUsed,this._bodyInit=e,e?typeof e=="string"?this._bodyText=e:Zr.blob&&Blob.prototype.isPrototypeOf(e)?this._bodyBlob=e:Zr.formData&&FormData.prototype.isPrototypeOf(e)?this._bodyFormData=e:Zr.searchParams&&URLSearchParams.prototype.isPrototypeOf(e)?this._bodyText=e.toString():Zr.arrayBuffer&&Zr.blob&&hL(e)?(this._bodyArrayBuffer=ov(e.buffer),this._bodyInit=new Blob([this._bodyArrayBuffer])):Zr.arrayBuffer&&(ArrayBuffer.prototype.isPrototypeOf(e)||SL(e))?this._bodyArrayBuffer=ov(e):this._bodyText=e=Object.prototype.toString.call(e):(this._noBody=!0,this._bodyText=""),this.headers.get("content-type")||(typeof e=="string"?this.headers.set("content-type","text/plain;charset=UTF-8"):this._bodyBlob&&this._bodyBlob.type?this.headers.set("content-type",this._bodyBlob.type):Zr.searchParams&&URLSearchParams.prototype.isPrototypeOf(e)&&this.headers.set("content-type","application/x-www-form-urlencoded;charset=UTF-8"))},Zr.blob&&(this.blob=function(){var e=_p(this);if(e)return e;if(this._bodyBlob)return Promise.resolve(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(new Blob([this._bodyArrayBuffer]));if(this._bodyFormData)throw new Error("could not read FormData body as blob");return Promise.resolve(new Blob([this._bodyText]))}),this.arrayBuffer=function(){if(this._bodyArrayBuffer){var e=_p(this);return e||(ArrayBuffer.isView(this._bodyArrayBuffer)?Promise.resolve(this._bodyArrayBuffer.buffer.slice(this._bodyArrayBuffer.byteOffset,this._bodyArrayBuffer.byteOffset+this._bodyArrayBuffer.byteLength)):Promise.resolve(this._bodyArrayBuffer))}else{if(Zr.blob)return this.blob().then(bL);throw new Error("could not read as ArrayBuffer")}},this.text=function(){var e=_p(this);if(e)return e;if(this._bodyBlob)return vL(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(TL(this._bodyArrayBuffer));if(this._bodyFormData)throw new Error("could not read FormData body as text");return Promise.resolve(this._bodyText)},Zr.formData&&(this.formData=function(){return this.text().then(AL)}),this.json=function(){return this.text().then(JSON.parse)},this}var yL=["CONNECT","DELETE","GET","HEAD","OPTIONS","PATCH","POST","PUT","TRACE"];function CL(e){var t=e.toUpperCase();return yL.indexOf(t)>-1?t:e}function qs(e,t){if(!(this instanceof qs))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');t=t||{};var n=t.body;if(e instanceof qs){if(e.bodyUsed)throw new TypeError("Already read");this.url=e.url,this.credentials=e.credentials,t.headers||(this.headers=new lr(e.headers)),this.method=e.method,this.mode=e.mode,this.signal=e.signal,!n&&e._bodyInit!=null&&(n=e._bodyInit,e.bodyUsed=!0)}else this.url=String(e);if(this.credentials=t.credentials||this.credentials||"same-origin",(t.headers||!this.headers)&&(this.headers=new lr(t.headers)),this.method=CL(t.method||this.method||"GET"),this.mode=t.mode||this.mode||null,this.signal=t.signal||this.signal||function(){if("AbortController"in Nr){var o=new AbortController;return o.signal}}(),this.referrer=null,(this.method==="GET"||this.method==="HEAD")&&n)throw new TypeError("Body not allowed for GET or HEAD requests");if(this._initBody(n),(this.method==="GET"||this.method==="HEAD")&&(t.cache==="no-store"||t.cache==="no-cache")){var r=/([?&])_=[^&]*/;if(r.test(this.url))this.url=this.url.replace(r,"$1_="+new Date().getTime());else{var a=/\?/;this.url+=(a.test(this.url)?"&":"?")+"_="+new Date().getTime()}}}qs.prototype.clone=function(){return new qs(this,{body:this._bodyInit})};function AL(e){var t=new FormData;return e.trim().split("&").forEach(function(n){if(n){var r=n.split("="),a=r.shift().replace(/\+/g," "),o=r.join("=").replace(/\+/g," ");t.append(decodeURIComponent(a),decodeURIComponent(o))}}),t}function OL(e){var t=new lr,n=e.replace(/\r?\n[\t ]+/g," ");return n.split("\r").map(function(r){return r.indexOf(`
+`)===0?r.substr(1,r.length):r}).forEach(function(r){var a=r.split(":"),o=a.shift().trim();if(o){var l=a.join(":").trim();try{t.append(o,l)}catch(u){console.warn("Response "+u.message)}}}),t}xA.call(qs.prototype);function Wa(e,t){if(!(this instanceof Wa))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');if(t||(t={}),this.type="default",this.status=t.status===void 0?200:t.status,this.status<200||this.status>599)throw new RangeError("Failed to construct 'Response': The status provided (0) is outside the range [200, 599].");this.ok=this.status>=200&&this.status<300,this.statusText=t.statusText===void 0?"":""+t.statusText,this.headers=new lr(t.headers),this.url=t.url||"",this._initBody(e)}xA.call(Wa.prototype);Wa.prototype.clone=function(){return new Wa(this._bodyInit,{status:this.status,statusText:this.statusText,headers:new lr(this.headers),url:this.url})};Wa.error=function(){var e=new Wa(null,{status:200,statusText:""});return e.ok=!1,e.status=0,e.type="error",e};var RL=[301,302,303,307,308];Wa.redirect=function(e,t){if(RL.indexOf(t)===-1)throw new RangeError("Invalid status code");return new Wa(null,{status:t,headers:{location:e}})};var Cs=Nr.DOMException;try{new Cs}catch{Cs=function(t,n){this.message=t,this.name=n;var r=Error(t);this.stack=r.stack},Cs.prototype=Object.create(Error.prototype),Cs.prototype.constructor=Cs}function wA(e,t){return new Promise(function(n,r){var a=new qs(e,t);if(a.signal&&a.signal.aborted)return r(new Cs("Aborted","AbortError"));var o=new XMLHttpRequest;function l(){o.abort()}o.onload=function(){var d={statusText:o.statusText,headers:OL(o.getAllResponseHeaders()||"")};a.url.indexOf("file://")===0&&(o.status<200||o.status>599)?d.status=200:d.status=o.status,d.url="responseURL"in o?o.responseURL:d.headers.get("X-Request-URL");var S="response"in o?o.response:o.responseText;setTimeout(function(){n(new Wa(S,d))},0)},o.onerror=function(){setTimeout(function(){r(new TypeError("Network request failed"))},0)},o.ontimeout=function(){setTimeout(function(){r(new TypeError("Network request timed out"))},0)},o.onabort=function(){setTimeout(function(){r(new Cs("Aborted","AbortError"))},0)};function u(d){try{return d===""&&Nr.location.href?Nr.location.href:d}catch{return d}}if(o.open(a.method,u(a.url),!0),a.credentials==="include"?o.withCredentials=!0:a.credentials==="omit"&&(o.withCredentials=!1),"responseType"in o&&(Zr.blob?o.responseType="blob":Zr.arrayBuffer&&(o.responseType="arraybuffer")),t&&typeof t.headers=="object"&&!(t.headers instanceof lr||Nr.Headers&&t.headers instanceof Nr.Headers)){var c=[];Object.getOwnPropertyNames(t.headers).forEach(function(d){c.push(Kl(d)),o.setRequestHeader(d,uE(t.headers[d]))}),a.headers.forEach(function(d,S){c.indexOf(S)===-1&&o.setRequestHeader(S,d)})}else a.headers.forEach(function(d,S){o.setRequestHeader(S,d)});a.signal&&(a.signal.addEventListener("abort",l),o.onreadystatechange=function(){o.readyState===4&&a.signal.removeEventListener("abort",l)}),o.send(typeof a._bodyInit>"u"?null:a._bodyInit)})}wA.polyfill=!0;Nr.fetch||(Nr.fetch=wA,Nr.Headers=lr,Nr.Request=qs,Nr.Response=Wa);const Pa={urlRoot:"",csrfNonce:"",userMode:""},NL=window.fetch,LA=(e,t)=>(t===void 0&&(t={method:"GET",credentials:"same-origin",headers:{}}),e=Pa.urlRoot+e,t.headers===void 0&&(t.headers={}),t.credentials="same-origin",t.headers.Accept="application/json",t.headers["Content-Type"]="application/json",t.headers["CSRF-Token"]=Pa.csrfNonce,NL(e,t));let Ui=function(){function e(r){let a=typeof r=="object"?r.domain:r;if(this.domain=a||"",this.domain.length===0)throw new Error("Le param\xE8tre de domaine doit \xEAtre sp\xE9cifi\xE9 comme une cha\xEEne de charact\xE8res.")}function t(r){let a=[];for(let o in r)r.hasOwnProperty(o)&&a.push(encodeURIComponent(o)+"="+encodeURIComponent(r[o]));return a.join("&")}function n(r,a){return r.$queryParameters&&Object.keys(r.$queryParameters).forEach(function(o){let l=r.$queryParameters[o];a[o]=l}),a}return e.prototype.request=function(r,a,o,l,u,c,d,S){const _=c&&Object.keys(c).length?t(c):null,E=a+(_?"?"+_:"");l&&!Object.keys(l).length&&(l=void 0),LA(E,{method:r,headers:u,body:JSON.stringify(l)}).then(T=>T.json()).then(T=>{S.resolve(T)}).catch(T=>{S.reject(T)})},e.prototype.post_award_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/awards",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.delete_award=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/awards/{award_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{award_id}",r.awardId),r.awardId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: awardId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_award=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/awards/{award_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{award_id}",r.awardId),r.awardId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: awardId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_challenge_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_challenge_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.post_challenge_attempt=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/attempt",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_challenge_types=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/types",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_challenge=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_challenge=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_files=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}/files",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.id!==void 0&&(c.id=r.id),l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_flags=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}/flags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.id!==void 0&&(c.id=r.id),l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_hints=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}/hints",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.id!==void 0&&(c.id=r.id),l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_solves=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}/solves",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.id!==void 0&&(c.id=r.id),l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_tags=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/challenges/{challenge_id}/tags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.id!==void 0&&(c.id=r.id),l=l.replace("{challenge_id}",r.challengeId),r.challengeId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: challengeId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_config_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_config_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_config_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_config=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs/{config_key}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{config_key}",r.configKey),r.configKey===void 0?(a.reject(new Error("Param\xE8tre requis manquant: configKey")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_config=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs/{config_key}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{config_key}",r.configKey),r.configKey===void 0?(a.reject(new Error("Param\xE8tre requis manquant: configKey")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_config=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/configs/{config_key}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{config_key}",r.configKey),r.configKey===void 0?(a.reject(new Error("Param\xE8tre requis manquant: configKey")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_files_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/files",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_files_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/files",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.delete_files_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/files/{file_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{file_id}",r.fileId),r.fileId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: fileId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_files_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/files/{file_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{file_id}",r.fileId),r.fileId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: fileId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_flag_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_flag_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_flag_types=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags/types",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_flag_types_1=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags/types/{type_name}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{type_name}",r.typeName),r.typeName===void 0?(a.reject(new Error("Param\xE8tre requis manquant: typeName")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.patch_flag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags/{flag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{flag_id}",r.flagId),r.flagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: flagId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_flag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags/{flag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{flag_id}",r.flagId),r.flagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: flagId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_flag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/flags/{flag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{flag_id}",r.flagId),r.flagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: flagId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_hint_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/hints",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_hint_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/hints",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_hint=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/hints/{hint_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{hint_id}",r.hintId),r.hintId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: hintId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_hint=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/hints/{hint_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{hint_id}",r.hintId),r.hintId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: hintId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_hint=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/hints/{hint_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{hint_id}",r.hintId),r.hintId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: hintId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_notification_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/notifications",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_notification_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/notifications",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.delete_notification=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/notifications/{notification_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{notification_id}",r.notificationId),r.notificationId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: notificationId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_notification=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/notifications/{notification_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{notification_id}",r.notificationId),r.notificationId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: notificationId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_page_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/pages",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_page_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/pages",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_page_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/pages/{page_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{page_id}",r.pageId),r.pageId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: pageId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_page_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/pages/{page_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{page_id}",r.pageId),r.pageId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: pageId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_page_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/pages/{page_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{page_id}",r.pageId),r.pageId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: pageId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_scoreboard_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/scoreboard",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_scoreboard_detail=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/scoreboard/top/{count}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{count}",r.count),r.count===void 0?(a.reject(new Error("Param\xE8tre requis manquant: count")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_challenge_solve_statistics=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/challenges/solves",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_challenge_solve_percentages=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/challenges/solves/percentages",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_challenge_property_counts=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/challenges/{column}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{column}",r.column),r.column===void 0?(a.reject(new Error("Param\xE8tre requis manquant: column")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_submission_property_counts=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/submissions/{column}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{column}",r.column),r.column===void 0?(a.reject(new Error("Param\xE8tre requis manquant: column")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_team_statistics=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/teams",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_user_statistics=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/users",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_user_property_counts=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/statistics/users/{column}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{column}",r.column),r.column===void 0?(a.reject(new Error("Param\xE8tre requis manquant: column")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_submissions_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/submissions",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_submissions_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/submissions",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.delete_submission=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/submissions/{submission_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{submission_id}",r.submissionId),r.submissionId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: submissionId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_submission=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/submissions/{submission_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{submission_id}",r.submissionId),r.submissionId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: submissionId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_tag_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/tags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_tag_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/tags",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_tag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/tags/{tag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{tag_id}",r.tagId),r.tagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: tagId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_tag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/tags/{tag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{tag_id}",r.tagId),r.tagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: tagId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_tag=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/tags/{tag_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{tag_id}",r.tagId),r.tagId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: tagId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_team_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_team_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_team_private=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/me",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.teamId!==void 0&&(c.team_id=r.teamId),c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_team_private=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/me",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],r.teamId!==void 0&&(c.team_id=r.teamId),c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_team_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_team_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_team_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_team_awards=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}/awards",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_team_fails=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}/fails?preview=true",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_team_solves=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/teams/{team_id}/solves",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{team_id}",r.teamId),r.teamId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: teamId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.post_unlock_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/unlocks",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_unlock_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/unlocks",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.post_user_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("POST",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_user_list=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_user_private=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/me",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise},e.prototype.get_user_private=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/me",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise},e.prototype.patch_user_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("PATCH",o+l,r,u,d,c,S,a),a.promise)},e.prototype.delete_user_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("DELETE",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_user_public=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_user_awards=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}/awards",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_user_fails=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}/fails",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e.prototype.get_user_solves=function(r){r===void 0&&(r={});let a=Et.defer(),o=this.domain,l="/users/{user_id}/solves",u={},c={},d={},S={};return d.Accept=["application/json"],d["Content-Type"]=["application/json"],l=l.replace("{user_id}",r.userId),r.userId===void 0?(a.reject(new Error("Param\xE8tre requis manquant: userId")),a.promise):(c=n(r,c),this.request("GET",o+l,r,u,d,c,S,a),a.promise)},e}();function cc(e,t){return{...e,...t}}function IL(e){let t=[];for(let n in e)e.hasOwnProperty(n)&&t.push(encodeURIComponent(n)+"="+encodeURIComponent(e[n]));return t.join("&")}Ui.prototype.requestRaw=function(e,t,n,r,a,o,l,u){const c=o&&Object.keys(o).length?IL(o):null,d=t+(c?"?"+c:"");r&&!Object.keys(r).length&&(r=void 0),fetch(d,{method:e,headers:a,body:r}).then(S=>S.json()).then(S=>{u.resolve(S)}).catch(S=>{u.reject(S)})};Ui.prototype.patch_user_public=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/users/{user_id}",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],a=a.replace("{user_id}",e.userId),e.userId===void 0?(n.reject(new Error("Param\xE8tre requis manquant: userId")),n.promise):(this.request("PATCH",r+a,e,t,l,o,u,n),n.promise)};Ui.prototype.patch_user_private=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/users/me",o={},l={};return o.Accept=["application/json"],o["Content-Type"]=["application/json"],this.request("PATCH",r+a,e,t,o,{},l,n),n.promise};Ui.prototype.post_unlock_list=function(e,t){let n=Et.defer(),r=this.domain,a="/unlocks",o={},l={};return o.Accept=["application/json"],o["Content-Type"]=["application/json"],this.request("POST",r+a,e,t,o,{},l,n),n.promise};Ui.prototype.post_notification_list=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/notifications",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],this.request("POST",r+a,e,t,l,o,u,n),n.promise};Ui.prototype.post_files_list=function(e,t){let n=Et.defer(),r=this.domain,a="/files",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],this.requestRaw("POST",r+a,e,t,l,o,u,n),n.promise};Ui.prototype.patch_config=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/configs/{config_key}",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],a=a.replace("{config_key}",e.configKey),e.configKey===void 0?(n.reject(new Error("Param\xE8tre requis manquant: configKey")),n.promise):(this.request("PATCH",r+a,e,t,l,o,u,n),n.promise)};Ui.prototype.patch_config_list=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/configs",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],o=cc(e,o),this.request("PATCH",r+a,e,t,l,o,u,n),n.promise};Ui.prototype.post_tag_list=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/tags",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],o=cc(e,o),this.request("POST",r+a,e,t,l,o,u,n),n.promise};Ui.prototype.patch_team_public=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/teams/{team_id}",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],a=a.replace("{team_id}",e.teamId),e.teamId===void 0?(n.reject(new Error("Param\xE8tre requis manquant: teamId")),n.promise):(o=cc(e,o),this.request("PATCH",r+a,e,t,l,o,u,n),n.promise)};Ui.prototype.post_challenge_attempt=function(e,t){e===void 0&&(e={});let n=Et.defer(),r=this.domain,a="/challenges/attempt",o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],o=cc(e,o),this.request("POST",r+a,e,t,l,o,u,n),n.promise};Ui.prototype.get_hint=function(e){e===void 0&&(e={});let t=Et.defer(),n=this.domain,r="/hints/{hint_id}",a={},o={},l={},u={};return l.Accept=["application/json"],l["Content-Type"]=["application/json"],r=r.replace("{hint_id}",e.hintId),e.hintId===void 0?(t.reject(new Error("Param\xE8tre requis manquant: hintId")),t.promise):(delete e.hintId,o=cc(e,o),this.request("GET",n+r,e,a,l,o,u,t),t.promise)};var DL={exports:{}},mp={exports:{}};/*!
   * Bootstrap util.js v4.3.1 (https://getbootstrap.com/)
   * Copyright 2011-2019 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors)
   * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)
-  */var av;function wA(){return av||(av=1,function(e,t){(function(n,r){e.exports=r(zl.exports)})(Jr,function(n){n=n&&n.hasOwnProperty("default")?n.default:n;var r="transitionend",a=1e6,o=1e3;function l(_){return{}.toString.call(_).match(/\s([a-z]+)/i)[1].toLowerCase()}function u(){return{bindType:r,delegateType:r,handle:function(E){if(n(E.target).is(this))return E.handleObj.handler.apply(this,arguments)}}}function c(_){var E=this,T=!1;return n(this).one(S.TRANSITION_END,function(){T=!0}),setTimeout(function(){T||S.triggerTransitionEnd(E)},_),this}function d(){n.fn.emulateTransitionEnd=c,n.event.special[S.TRANSITION_END]=u()}var S={TRANSITION_END:"bsTransitionEnd",getUID:function(E){do E+=~~(Math.random()*a);while(document.getElementById(E));return E},getSelectorFromElement:function(E){var T=E.getAttribute("data-target");if(!T||T==="#"){var y=E.getAttribute("href");T=y&&y!=="#"?y.trim():""}try{return document.querySelector(T)?T:null}catch{return null}},getTransitionDurationFromElement:function(E){if(!E)return 0;var T=n(E).css("transition-duration"),y=n(E).css("transition-delay"),M=parseFloat(T),v=parseFloat(y);return!M&&!v?0:(T=T.split(",")[0],y=y.split(",")[0],(parseFloat(T)+parseFloat(y))*o)},reflow:function(E){return E.offsetHeight},triggerTransitionEnd:function(E){n(E).trigger(r)},supportsTransitionEnd:function(){return Boolean(r)},isElement:function(E){return(E[0]||E).nodeType},typeCheckConfig:function(E,T,y){for(var M in y)if(Object.prototype.hasOwnProperty.call(y,M)){var v=y[M],A=T[M],O=A&&S.isElement(A)?"element":l(A);if(!new RegExp(v).test(O))throw new Error(E.toUpperCase()+": "+('Option "'+M+'" provided type "'+O+'" ')+('but expected type "'+v+'".'))}},findShadowRoot:function(E){if(!document.documentElement.attachShadow)return null;if(typeof E.getRootNode=="function"){var T=E.getRootNode();return T instanceof ShadowRoot?T:null}return E instanceof ShadowRoot?E:E.parentNode?S.findShadowRoot(E.parentNode):null}};return d(),S})}(_p)),_p.exports}/*!
+  */var sv;function MA(){return sv||(sv=1,function(e,t){(function(n,r){e.exports=r(ac())})(Jr,function(n){n=n&&n.hasOwnProperty("default")?n.default:n;var r="transitionend",a=1e6,o=1e3;function l(_){return{}.toString.call(_).match(/\s([a-z]+)/i)[1].toLowerCase()}function u(){return{bindType:r,delegateType:r,handle:function(E){if(n(E.target).is(this))return E.handleObj.handler.apply(this,arguments)}}}function c(_){var E=this,T=!1;return n(this).one(S.TRANSITION_END,function(){T=!0}),setTimeout(function(){T||S.triggerTransitionEnd(E)},_),this}function d(){n.fn.emulateTransitionEnd=c,n.event.special[S.TRANSITION_END]=u()}var S={TRANSITION_END:"bsTransitionEnd",getUID:function(E){do E+=~~(Math.random()*a);while(document.getElementById(E));return E},getSelectorFromElement:function(E){var T=E.getAttribute("data-target");if(!T||T==="#"){var y=E.getAttribute("href");T=y&&y!=="#"?y.trim():""}try{return document.querySelector(T)?T:null}catch{return null}},getTransitionDurationFromElement:function(E){if(!E)return 0;var T=n(E).css("transition-duration"),y=n(E).css("transition-delay"),M=parseFloat(T),v=parseFloat(y);return!M&&!v?0:(T=T.split(",")[0],y=y.split(",")[0],(parseFloat(T)+parseFloat(y))*o)},reflow:function(E){return E.offsetHeight},triggerTransitionEnd:function(E){n(E).trigger(r)},supportsTransitionEnd:function(){return Boolean(r)},isElement:function(E){return(E[0]||E).nodeType},typeCheckConfig:function(E,T,y){for(var M in y)if(Object.prototype.hasOwnProperty.call(y,M)){var v=y[M],A=T[M],O=A&&S.isElement(A)?"element":l(A);if(!new RegExp(v).test(O))throw new Error(E.toUpperCase()+": "+('Option "'+M+'" provided type "'+O+'" ')+('but expected type "'+v+'".'))}},findShadowRoot:function(E){if(!document.documentElement.attachShadow)return null;if(typeof E.getRootNode=="function"){var T=E.getRootNode();return T instanceof ShadowRoot?T:null}return E instanceof ShadowRoot?E:E.parentNode?S.findShadowRoot(E.parentNode):null}};return d(),S})}(mp)),mp.exports}/*!
   * Bootstrap modal.js v4.3.1 (https://getbootstrap.com/)
   * Copyright 2011-2019 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors)
   * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)
-  */(function(e,t){(function(n,r){e.exports=r(zl.exports,wA())})(Jr,function(n,r){n=n&&n.hasOwnProperty("default")?n.default:n,r=r&&r.hasOwnProperty("default")?r.default:r;function a(L,I){for(var h=0;h<I.length;h++){var k=I[h];k.enumerable=k.enumerable||!1,k.configurable=!0,"value"in k&&(k.writable=!0),Object.defineProperty(L,k.key,k)}}function o(L,I,h){return I&&a(L.prototype,I),h&&a(L,h),L}function l(L,I,h){return I in L?Object.defineProperty(L,I,{value:h,enumerable:!0,configurable:!0,writable:!0}):L[I]=h,L}function u(L){for(var I=1;I<arguments.length;I++){var h=arguments[I]!=null?arguments[I]:{},k=Object.keys(h);typeof Object.getOwnPropertySymbols=="function"&&(k=k.concat(Object.getOwnPropertySymbols(h).filter(function(F){return Object.getOwnPropertyDescriptor(h,F).enumerable}))),k.forEach(function(F){l(L,F,h[F])})}return L}var c="modal",d="4.3.1",S="bs.modal",_="."+S,E=".data-api",T=n.fn[c],y=27,M={backdrop:!0,keyboard:!0,focus:!0,show:!0},v={backdrop:"(boolean|string)",keyboard:"boolean",focus:"boolean",show:"boolean"},A={HIDE:"hide"+_,HIDDEN:"hidden"+_,SHOW:"show"+_,SHOWN:"shown"+_,FOCUSIN:"focusin"+_,RESIZE:"resize"+_,CLICK_DISMISS:"click.dismiss"+_,KEYDOWN_DISMISS:"keydown.dismiss"+_,MOUSEUP_DISMISS:"mouseup.dismiss"+_,MOUSEDOWN_DISMISS:"mousedown.dismiss"+_,CLICK_DATA_API:"click"+_+E},O={SCROLLABLE:"modal-dialog-scrollable",SCROLLBAR_MEASURER:"modal-scrollbar-measure",BACKDROP:"modal-backdrop",OPEN:"modal-open",FADE:"fade",SHOW:"show"},N={DIALOG:".modal-dialog",MODAL_BODY:".modal-body",DATA_TOGGLE:'[data-toggle="modal"]',DATA_DISMISS:'[data-dismiss="modal"]',FIXED_CONTENT:".fixed-top, .fixed-bottom, .is-fixed, .sticky-top",STICKY_CONTENT:".sticky-top"},R=function(){function L(h,k){this._config=this._getConfig(k),this._element=h,this._dialog=h.querySelector(N.DIALOG),this._backdrop=null,this._isShown=!1,this._isBodyOverflowing=!1,this._ignoreBackdropClick=!1,this._isTransitioning=!1,this._scrollbarWidth=0}var I=L.prototype;return I.toggle=function(k){return this._isShown?this.hide():this.show(k)},I.show=function(k){var F=this;if(!(this._isShown||this._isTransitioning)){n(this._element).hasClass(O.FADE)&&(this._isTransitioning=!0);var z=n.Event(A.SHOW,{relatedTarget:k});n(this._element).trigger(z),!(this._isShown||z.isDefaultPrevented())&&(this._isShown=!0,this._checkScrollbar(),this._setScrollbar(),this._adjustDialog(),this._setEscapeEvent(),this._setResizeEvent(),n(this._element).on(A.CLICK_DISMISS,N.DATA_DISMISS,function(K){return F.hide(K)}),n(this._dialog).on(A.MOUSEDOWN_DISMISS,function(){n(F._element).one(A.MOUSEUP_DISMISS,function(K){n(K.target).is(F._element)&&(F._ignoreBackdropClick=!0)})}),this._showBackdrop(function(){return F._showElement(k)}))}},I.hide=function(k){var F=this;if(k&&k.preventDefault(),!(!this._isShown||this._isTransitioning)){var z=n.Event(A.HIDE);if(n(this._element).trigger(z),!(!this._isShown||z.isDefaultPrevented())){this._isShown=!1;var K=n(this._element).hasClass(O.FADE);if(K&&(this._isTransitioning=!0),this._setEscapeEvent(),this._setResizeEvent(),n(document).off(A.FOCUSIN),n(this._element).removeClass(O.SHOW),n(this._element).off(A.CLICK_DISMISS),n(this._dialog).off(A.MOUSEDOWN_DISMISS),K){var ue=r.getTransitionDurationFromElement(this._element);n(this._element).one(r.TRANSITION_END,function(Z){return F._hideModal(Z)}).emulateTransitionEnd(ue)}else this._hideModal()}}},I.dispose=function(){[window,this._element,this._dialog].forEach(function(k){return n(k).off(_)}),n(document).off(A.FOCUSIN),n.removeData(this._element,S),this._config=null,this._element=null,this._dialog=null,this._backdrop=null,this._isShown=null,this._isBodyOverflowing=null,this._ignoreBackdropClick=null,this._isTransitioning=null,this._scrollbarWidth=null},I.handleUpdate=function(){this._adjustDialog()},I._getConfig=function(k){return k=u({},M,k),r.typeCheckConfig(c,k,v),k},I._showElement=function(k){var F=this,z=n(this._element).hasClass(O.FADE);(!this._element.parentNode||this._element.parentNode.nodeType!==Node.ELEMENT_NODE)&&document.body.appendChild(this._element),this._element.style.display="block",this._element.removeAttribute("aria-hidden"),this._element.setAttribute("aria-modal",!0),n(this._dialog).hasClass(O.SCROLLABLE)?this._dialog.querySelector(N.MODAL_BODY).scrollTop=0:this._element.scrollTop=0,z&&r.reflow(this._element),n(this._element).addClass(O.SHOW),this._config.focus&&this._enforceFocus();var K=n.Event(A.SHOWN,{relatedTarget:k}),ue=function(){F._config.focus&&F._element.focus(),F._isTransitioning=!1,n(F._element).trigger(K)};if(z){var Z=r.getTransitionDurationFromElement(this._dialog);n(this._dialog).one(r.TRANSITION_END,ue).emulateTransitionEnd(Z)}else ue()},I._enforceFocus=function(){var k=this;n(document).off(A.FOCUSIN).on(A.FOCUSIN,function(F){document!==F.target&&k._element!==F.target&&n(k._element).has(F.target).length===0&&k._element.focus()})},I._setEscapeEvent=function(){var k=this;this._isShown&&this._config.keyboard?n(this._element).on(A.KEYDOWN_DISMISS,function(F){F.which===y&&(F.preventDefault(),k.hide())}):this._isShown||n(this._element).off(A.KEYDOWN_DISMISS)},I._setResizeEvent=function(){var k=this;this._isShown?n(window).on(A.RESIZE,function(F){return k.handleUpdate(F)}):n(window).off(A.RESIZE)},I._hideModal=function(){var k=this;this._element.style.display="none",this._element.setAttribute("aria-hidden",!0),this._element.removeAttribute("aria-modal"),this._isTransitioning=!1,this._showBackdrop(function(){n(document.body).removeClass(O.OPEN),k._resetAdjustments(),k._resetScrollbar(),n(k._element).trigger(A.HIDDEN)})},I._removeBackdrop=function(){this._backdrop&&(n(this._backdrop).remove(),this._backdrop=null)},I._showBackdrop=function(k){var F=this,z=n(this._element).hasClass(O.FADE)?O.FADE:"";if(this._isShown&&this._config.backdrop){if(this._backdrop=document.createElement("div"),this._backdrop.className=O.BACKDROP,z&&this._backdrop.classList.add(z),n(this._backdrop).appendTo(document.body),n(this._element).on(A.CLICK_DISMISS,function(fe){if(F._ignoreBackdropClick){F._ignoreBackdropClick=!1;return}fe.target===fe.currentTarget&&(F._config.backdrop==="static"?F._element.focus():F.hide())}),z&&r.reflow(this._backdrop),n(this._backdrop).addClass(O.SHOW),!k)return;if(!z){k();return}var K=r.getTransitionDurationFromElement(this._backdrop);n(this._backdrop).one(r.TRANSITION_END,k).emulateTransitionEnd(K)}else if(!this._isShown&&this._backdrop){n(this._backdrop).removeClass(O.SHOW);var ue=function(){F._removeBackdrop(),k&&k()};if(n(this._element).hasClass(O.FADE)){var Z=r.getTransitionDurationFromElement(this._backdrop);n(this._backdrop).one(r.TRANSITION_END,ue).emulateTransitionEnd(Z)}else ue()}else k&&k()},I._adjustDialog=function(){var k=this._element.scrollHeight>document.documentElement.clientHeight;!this._isBodyOverflowing&&k&&(this._element.style.paddingLeft=this._scrollbarWidth+"px"),this._isBodyOverflowing&&!k&&(this._element.style.paddingRight=this._scrollbarWidth+"px")},I._resetAdjustments=function(){this._element.style.paddingLeft="",this._element.style.paddingRight=""},I._checkScrollbar=function(){var k=document.body.getBoundingClientRect();this._isBodyOverflowing=k.left+k.right<window.innerWidth,this._scrollbarWidth=this._getScrollbarWidth()},I._setScrollbar=function(){var k=this;if(this._isBodyOverflowing){var F=[].slice.call(document.querySelectorAll(N.FIXED_CONTENT)),z=[].slice.call(document.querySelectorAll(N.STICKY_CONTENT));n(F).each(function(Z,fe){var V=fe.style.paddingRight,ne=n(fe).css("padding-right");n(fe).data("padding-right",V).css("padding-right",parseFloat(ne)+k._scrollbarWidth+"px")}),n(z).each(function(Z,fe){var V=fe.style.marginRight,ne=n(fe).css("margin-right");n(fe).data("margin-right",V).css("margin-right",parseFloat(ne)-k._scrollbarWidth+"px")});var K=document.body.style.paddingRight,ue=n(document.body).css("padding-right");n(document.body).data("padding-right",K).css("padding-right",parseFloat(ue)+this._scrollbarWidth+"px")}n(document.body).addClass(O.OPEN)},I._resetScrollbar=function(){var k=[].slice.call(document.querySelectorAll(N.FIXED_CONTENT));n(k).each(function(K,ue){var Z=n(ue).data("padding-right");n(ue).removeData("padding-right"),ue.style.paddingRight=Z||""});var F=[].slice.call(document.querySelectorAll(""+N.STICKY_CONTENT));n(F).each(function(K,ue){var Z=n(ue).data("margin-right");typeof Z<"u"&&n(ue).css("margin-right",Z).removeData("margin-right")});var z=n(document.body).data("padding-right");n(document.body).removeData("padding-right"),document.body.style.paddingRight=z||""},I._getScrollbarWidth=function(){var k=document.createElement("div");k.className=O.SCROLLBAR_MEASURER,document.body.appendChild(k);var F=k.getBoundingClientRect().width-k.clientWidth;return document.body.removeChild(k),F},L._jQueryInterface=function(k,F){return this.each(function(){var z=n(this).data(S),K=u({},M,n(this).data(),typeof k=="object"&&k?k:{});if(z||(z=new L(this,K),n(this).data(S,z)),typeof k=="string"){if(typeof z[k]>"u")throw new TypeError('No method named "'+k+'"');z[k](F)}else K.show&&z.show(F)})},o(L,null,[{key:"VERSION",get:function(){return d}},{key:"Default",get:function(){return M}}]),L}();return n(document).on(A.CLICK_DATA_API,N.DATA_TOGGLE,function(L){var I=this,h,k=r.getSelectorFromElement(this);k&&(h=document.querySelector(k));var F=n(h).data(S)?"toggle":u({},n(h).data(),n(this).data());(this.tagName==="A"||this.tagName==="AREA")&&L.preventDefault();var z=n(h).one(A.SHOW,function(K){K.isDefaultPrevented()||z.one(A.HIDDEN,function(){n(I).is(":visible")&&I.focus()})});R._jQueryInterface.call(n(h),F,this)}),n.fn[c]=R._jQueryInterface,n.fn[c].Constructor=R,n.fn[c].noConflict=function(){return n.fn[c]=T,R._jQueryInterface},R})})(NL);var IL={exports:{}};/*!
+  */(function(e,t){(function(n,r){e.exports=r(ac(),MA())})(Jr,function(n,r){n=n&&n.hasOwnProperty("default")?n.default:n,r=r&&r.hasOwnProperty("default")?r.default:r;function a(L,I){for(var h=0;h<I.length;h++){var k=I[h];k.enumerable=k.enumerable||!1,k.configurable=!0,"value"in k&&(k.writable=!0),Object.defineProperty(L,k.key,k)}}function o(L,I,h){return I&&a(L.prototype,I),h&&a(L,h),L}function l(L,I,h){return I in L?Object.defineProperty(L,I,{value:h,enumerable:!0,configurable:!0,writable:!0}):L[I]=h,L}function u(L){for(var I=1;I<arguments.length;I++){var h=arguments[I]!=null?arguments[I]:{},k=Object.keys(h);typeof Object.getOwnPropertySymbols=="function"&&(k=k.concat(Object.getOwnPropertySymbols(h).filter(function(F){return Object.getOwnPropertyDescriptor(h,F).enumerable}))),k.forEach(function(F){l(L,F,h[F])})}return L}var c="modal",d="4.3.1",S="bs.modal",_="."+S,E=".data-api",T=n.fn[c],y=27,M={backdrop:!0,keyboard:!0,focus:!0,show:!0},v={backdrop:"(boolean|string)",keyboard:"boolean",focus:"boolean",show:"boolean"},A={HIDE:"hide"+_,HIDDEN:"hidden"+_,SHOW:"show"+_,SHOWN:"shown"+_,FOCUSIN:"focusin"+_,RESIZE:"resize"+_,CLICK_DISMISS:"click.dismiss"+_,KEYDOWN_DISMISS:"keydown.dismiss"+_,MOUSEUP_DISMISS:"mouseup.dismiss"+_,MOUSEDOWN_DISMISS:"mousedown.dismiss"+_,CLICK_DATA_API:"click"+_+E},O={SCROLLABLE:"modal-dialog-scrollable",SCROLLBAR_MEASURER:"modal-scrollbar-measure",BACKDROP:"modal-backdrop",OPEN:"modal-open",FADE:"fade",SHOW:"show"},N={DIALOG:".modal-dialog",MODAL_BODY:".modal-body",DATA_TOGGLE:'[data-toggle="modal"]',DATA_DISMISS:'[data-dismiss="modal"]',FIXED_CONTENT:".fixed-top, .fixed-bottom, .is-fixed, .sticky-top",STICKY_CONTENT:".sticky-top"},R=function(){function L(h,k){this._config=this._getConfig(k),this._element=h,this._dialog=h.querySelector(N.DIALOG),this._backdrop=null,this._isShown=!1,this._isBodyOverflowing=!1,this._ignoreBackdropClick=!1,this._isTransitioning=!1,this._scrollbarWidth=0}var I=L.prototype;return I.toggle=function(k){return this._isShown?this.hide():this.show(k)},I.show=function(k){var F=this;if(!(this._isShown||this._isTransitioning)){n(this._element).hasClass(O.FADE)&&(this._isTransitioning=!0);var z=n.Event(A.SHOW,{relatedTarget:k});n(this._element).trigger(z),!(this._isShown||z.isDefaultPrevented())&&(this._isShown=!0,this._checkScrollbar(),this._setScrollbar(),this._adjustDialog(),this._setEscapeEvent(),this._setResizeEvent(),n(this._element).on(A.CLICK_DISMISS,N.DATA_DISMISS,function(K){return F.hide(K)}),n(this._dialog).on(A.MOUSEDOWN_DISMISS,function(){n(F._element).one(A.MOUSEUP_DISMISS,function(K){n(K.target).is(F._element)&&(F._ignoreBackdropClick=!0)})}),this._showBackdrop(function(){return F._showElement(k)}))}},I.hide=function(k){var F=this;if(k&&k.preventDefault(),!(!this._isShown||this._isTransitioning)){var z=n.Event(A.HIDE);if(n(this._element).trigger(z),!(!this._isShown||z.isDefaultPrevented())){this._isShown=!1;var K=n(this._element).hasClass(O.FADE);if(K&&(this._isTransitioning=!0),this._setEscapeEvent(),this._setResizeEvent(),n(document).off(A.FOCUSIN),n(this._element).removeClass(O.SHOW),n(this._element).off(A.CLICK_DISMISS),n(this._dialog).off(A.MOUSEDOWN_DISMISS),K){var ue=r.getTransitionDurationFromElement(this._element);n(this._element).one(r.TRANSITION_END,function(Z){return F._hideModal(Z)}).emulateTransitionEnd(ue)}else this._hideModal()}}},I.dispose=function(){[window,this._element,this._dialog].forEach(function(k){return n(k).off(_)}),n(document).off(A.FOCUSIN),n.removeData(this._element,S),this._config=null,this._element=null,this._dialog=null,this._backdrop=null,this._isShown=null,this._isBodyOverflowing=null,this._ignoreBackdropClick=null,this._isTransitioning=null,this._scrollbarWidth=null},I.handleUpdate=function(){this._adjustDialog()},I._getConfig=function(k){return k=u({},M,k),r.typeCheckConfig(c,k,v),k},I._showElement=function(k){var F=this,z=n(this._element).hasClass(O.FADE);(!this._element.parentNode||this._element.parentNode.nodeType!==Node.ELEMENT_NODE)&&document.body.appendChild(this._element),this._element.style.display="block",this._element.removeAttribute("aria-hidden"),this._element.setAttribute("aria-modal",!0),n(this._dialog).hasClass(O.SCROLLABLE)?this._dialog.querySelector(N.MODAL_BODY).scrollTop=0:this._element.scrollTop=0,z&&r.reflow(this._element),n(this._element).addClass(O.SHOW),this._config.focus&&this._enforceFocus();var K=n.Event(A.SHOWN,{relatedTarget:k}),ue=function(){F._config.focus&&F._element.focus(),F._isTransitioning=!1,n(F._element).trigger(K)};if(z){var Z=r.getTransitionDurationFromElement(this._dialog);n(this._dialog).one(r.TRANSITION_END,ue).emulateTransitionEnd(Z)}else ue()},I._enforceFocus=function(){var k=this;n(document).off(A.FOCUSIN).on(A.FOCUSIN,function(F){document!==F.target&&k._element!==F.target&&n(k._element).has(F.target).length===0&&k._element.focus()})},I._setEscapeEvent=function(){var k=this;this._isShown&&this._config.keyboard?n(this._element).on(A.KEYDOWN_DISMISS,function(F){F.which===y&&(F.preventDefault(),k.hide())}):this._isShown||n(this._element).off(A.KEYDOWN_DISMISS)},I._setResizeEvent=function(){var k=this;this._isShown?n(window).on(A.RESIZE,function(F){return k.handleUpdate(F)}):n(window).off(A.RESIZE)},I._hideModal=function(){var k=this;this._element.style.display="none",this._element.setAttribute("aria-hidden",!0),this._element.removeAttribute("aria-modal"),this._isTransitioning=!1,this._showBackdrop(function(){n(document.body).removeClass(O.OPEN),k._resetAdjustments(),k._resetScrollbar(),n(k._element).trigger(A.HIDDEN)})},I._removeBackdrop=function(){this._backdrop&&(n(this._backdrop).remove(),this._backdrop=null)},I._showBackdrop=function(k){var F=this,z=n(this._element).hasClass(O.FADE)?O.FADE:"";if(this._isShown&&this._config.backdrop){if(this._backdrop=document.createElement("div"),this._backdrop.className=O.BACKDROP,z&&this._backdrop.classList.add(z),n(this._backdrop).appendTo(document.body),n(this._element).on(A.CLICK_DISMISS,function(fe){if(F._ignoreBackdropClick){F._ignoreBackdropClick=!1;return}fe.target===fe.currentTarget&&(F._config.backdrop==="static"?F._element.focus():F.hide())}),z&&r.reflow(this._backdrop),n(this._backdrop).addClass(O.SHOW),!k)return;if(!z){k();return}var K=r.getTransitionDurationFromElement(this._backdrop);n(this._backdrop).one(r.TRANSITION_END,k).emulateTransitionEnd(K)}else if(!this._isShown&&this._backdrop){n(this._backdrop).removeClass(O.SHOW);var ue=function(){F._removeBackdrop(),k&&k()};if(n(this._element).hasClass(O.FADE)){var Z=r.getTransitionDurationFromElement(this._backdrop);n(this._backdrop).one(r.TRANSITION_END,ue).emulateTransitionEnd(Z)}else ue()}else k&&k()},I._adjustDialog=function(){var k=this._element.scrollHeight>document.documentElement.clientHeight;!this._isBodyOverflowing&&k&&(this._element.style.paddingLeft=this._scrollbarWidth+"px"),this._isBodyOverflowing&&!k&&(this._element.style.paddingRight=this._scrollbarWidth+"px")},I._resetAdjustments=function(){this._element.style.paddingLeft="",this._element.style.paddingRight=""},I._checkScrollbar=function(){var k=document.body.getBoundingClientRect();this._isBodyOverflowing=k.left+k.right<window.innerWidth,this._scrollbarWidth=this._getScrollbarWidth()},I._setScrollbar=function(){var k=this;if(this._isBodyOverflowing){var F=[].slice.call(document.querySelectorAll(N.FIXED_CONTENT)),z=[].slice.call(document.querySelectorAll(N.STICKY_CONTENT));n(F).each(function(Z,fe){var V=fe.style.paddingRight,ne=n(fe).css("padding-right");n(fe).data("padding-right",V).css("padding-right",parseFloat(ne)+k._scrollbarWidth+"px")}),n(z).each(function(Z,fe){var V=fe.style.marginRight,ne=n(fe).css("margin-right");n(fe).data("margin-right",V).css("margin-right",parseFloat(ne)-k._scrollbarWidth+"px")});var K=document.body.style.paddingRight,ue=n(document.body).css("padding-right");n(document.body).data("padding-right",K).css("padding-right",parseFloat(ue)+this._scrollbarWidth+"px")}n(document.body).addClass(O.OPEN)},I._resetScrollbar=function(){var k=[].slice.call(document.querySelectorAll(N.FIXED_CONTENT));n(k).each(function(K,ue){var Z=n(ue).data("padding-right");n(ue).removeData("padding-right"),ue.style.paddingRight=Z||""});var F=[].slice.call(document.querySelectorAll(""+N.STICKY_CONTENT));n(F).each(function(K,ue){var Z=n(ue).data("margin-right");typeof Z<"u"&&n(ue).css("margin-right",Z).removeData("margin-right")});var z=n(document.body).data("padding-right");n(document.body).removeData("padding-right"),document.body.style.paddingRight=z||""},I._getScrollbarWidth=function(){var k=document.createElement("div");k.className=O.SCROLLBAR_MEASURER,document.body.appendChild(k);var F=k.getBoundingClientRect().width-k.clientWidth;return document.body.removeChild(k),F},L._jQueryInterface=function(k,F){return this.each(function(){var z=n(this).data(S),K=u({},M,n(this).data(),typeof k=="object"&&k?k:{});if(z||(z=new L(this,K),n(this).data(S,z)),typeof k=="string"){if(typeof z[k]>"u")throw new TypeError('No method named "'+k+'"');z[k](F)}else K.show&&z.show(F)})},o(L,null,[{key:"VERSION",get:function(){return d}},{key:"Default",get:function(){return M}}]),L}();return n(document).on(A.CLICK_DATA_API,N.DATA_TOGGLE,function(L){var I=this,h,k=r.getSelectorFromElement(this);k&&(h=document.querySelector(k));var F=n(h).data(S)?"toggle":u({},n(h).data(),n(this).data());(this.tagName==="A"||this.tagName==="AREA")&&L.preventDefault();var z=n(h).one(A.SHOW,function(K){K.isDefaultPrevented()||z.one(A.HIDDEN,function(){n(I).is(":visible")&&I.focus()})});R._jQueryInterface.call(n(h),F,this)}),n.fn[c]=R._jQueryInterface,n.fn[c].Constructor=R,n.fn[c].noConflict=function(){return n.fn[c]=T,R._jQueryInterface},R})})(DL);var xL={exports:{}};/*!
   * Bootstrap toast.js v4.3.1 (https://getbootstrap.com/)
   * Copyright 2011-2019 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors)
   * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)
-  */(function(e,t){(function(n,r){e.exports=r(zl.exports,wA())})(Jr,function(n,r){n=n&&n.hasOwnProperty("default")?n.default:n,r=r&&r.hasOwnProperty("default")?r.default:r;function a(N,R){for(var L=0;L<R.length;L++){var I=R[L];I.enumerable=I.enumerable||!1,I.configurable=!0,"value"in I&&(I.writable=!0),Object.defineProperty(N,I.key,I)}}function o(N,R,L){return R&&a(N.prototype,R),L&&a(N,L),N}function l(N,R,L){return R in N?Object.defineProperty(N,R,{value:L,enumerable:!0,configurable:!0,writable:!0}):N[R]=L,N}function u(N){for(var R=1;R<arguments.length;R++){var L=arguments[R]!=null?arguments[R]:{},I=Object.keys(L);typeof Object.getOwnPropertySymbols=="function"&&(I=I.concat(Object.getOwnPropertySymbols(L).filter(function(h){return Object.getOwnPropertyDescriptor(L,h).enumerable}))),I.forEach(function(h){l(N,h,L[h])})}return N}var c="toast",d="4.3.1",S="bs.toast",_="."+S,E=n.fn[c],T={CLICK_DISMISS:"click.dismiss"+_,HIDE:"hide"+_,HIDDEN:"hidden"+_,SHOW:"show"+_,SHOWN:"shown"+_},y={FADE:"fade",HIDE:"hide",SHOW:"show",SHOWING:"showing"},M={animation:"boolean",autohide:"boolean",delay:"number"},v={animation:!0,autohide:!0,delay:500},A={DATA_DISMISS:'[data-dismiss="toast"]'},O=function(){function N(L,I){this._element=L,this._config=this._getConfig(I),this._timeout=null,this._setListeners()}var R=N.prototype;return R.show=function(){var I=this;n(this._element).trigger(T.SHOW),this._config.animation&&this._element.classList.add(y.FADE);var h=function(){I._element.classList.remove(y.SHOWING),I._element.classList.add(y.SHOW),n(I._element).trigger(T.SHOWN),I._config.autohide&&I.hide()};if(this._element.classList.remove(y.HIDE),this._element.classList.add(y.SHOWING),this._config.animation){var k=r.getTransitionDurationFromElement(this._element);n(this._element).one(r.TRANSITION_END,h).emulateTransitionEnd(k)}else h()},R.hide=function(I){var h=this;!this._element.classList.contains(y.SHOW)||(n(this._element).trigger(T.HIDE),I?this._close():this._timeout=setTimeout(function(){h._close()},this._config.delay))},R.dispose=function(){clearTimeout(this._timeout),this._timeout=null,this._element.classList.contains(y.SHOW)&&this._element.classList.remove(y.SHOW),n(this._element).off(T.CLICK_DISMISS),n.removeData(this._element,S),this._element=null,this._config=null},R._getConfig=function(I){return I=u({},v,n(this._element).data(),typeof I=="object"&&I?I:{}),r.typeCheckConfig(c,I,this.constructor.DefaultType),I},R._setListeners=function(){var I=this;n(this._element).on(T.CLICK_DISMISS,A.DATA_DISMISS,function(){return I.hide(!0)})},R._close=function(){var I=this,h=function(){I._element.classList.add(y.HIDE),n(I._element).trigger(T.HIDDEN)};if(this._element.classList.remove(y.SHOW),this._config.animation){var k=r.getTransitionDurationFromElement(this._element);n(this._element).one(r.TRANSITION_END,h).emulateTransitionEnd(k)}else h()},N._jQueryInterface=function(I){return this.each(function(){var h=n(this),k=h.data(S),F=typeof I=="object"&&I;if(k||(k=new N(this,F),h.data(S,k)),typeof I=="string"){if(typeof k[I]>"u")throw new TypeError('No method named "'+I+'"');k[I](this)}})},o(N,null,[{key:"VERSION",get:function(){return d}},{key:"DefaultType",get:function(){return M}},{key:"Default",get:function(){return v}}]),N}();return n.fn[c]=O._jQueryInterface,n.fn[c].Constructor=O,n.fn[c].noConflict=function(){return n.fn[c]=E,O._jQueryInterface},O})})(IL);String.prototype.format=String.prototype.f=function(){let e=this,t=arguments.length;for(;t--;)e=e.replace(new RegExp("\\{"+t+"\\}","gm"),arguments[t]);return e};function LA(e){return e instanceof Map?e.clear=e.delete=e.set=function(){throw new Error("map is read-only")}:e instanceof Set&&(e.add=e.clear=e.delete=function(){throw new Error("set is read-only")}),Object.freeze(e),Object.getOwnPropertyNames(e).forEach(t=>{const n=e[t],r=typeof n;(r==="object"||r==="function")&&!Object.isFrozen(n)&&LA(n)}),e}class ov{constructor(t){t.data===void 0&&(t.data={}),this.data=t.data,this.isMatchIgnored=!1}ignoreMatch(){this.isMatchIgnored=!0}}function MA(e){return e.replace(/&/g,"&amp;").replace(/</g,"&lt;").replace(/>/g,"&gt;").replace(/"/g,"&quot;").replace(/'/g,"&#x27;")}function Xo(e,...t){const n=Object.create(null);for(const r in e)n[r]=e[r];return t.forEach(function(r){for(const a in r)n[a]=r[a]}),n}const DL="</span>",sv=e=>!!e.scope,xL=(e,{prefix:t})=>{if(e.startsWith("language:"))return e.replace("language:","language-");if(e.includes(".")){const n=e.split(".");return[`${t}${n.shift()}`,...n.map((r,a)=>`${r}${"_".repeat(a+1)}`)].join(" ")}return`${t}${e}`};class wL{constructor(t,n){this.buffer="",this.classPrefix=n.classPrefix,t.walk(this)}addText(t){this.buffer+=MA(t)}openNode(t){if(!sv(t))return;const n=xL(t.scope,{prefix:this.classPrefix});this.span(n)}closeNode(t){!sv(t)||(this.buffer+=DL)}value(){return this.buffer}span(t){this.buffer+=`<span class="${t}">`}}const lv=(e={})=>{const t={children:[]};return Object.assign(t,e),t};class cE{constructor(){this.rootNode=lv(),this.stack=[this.rootNode]}get top(){return this.stack[this.stack.length-1]}get root(){return this.rootNode}add(t){this.top.children.push(t)}openNode(t){const n=lv({scope:t});this.add(n),this.stack.push(n)}closeNode(){if(this.stack.length>1)return this.stack.pop()}closeAllNodes(){for(;this.closeNode(););}toJSON(){return JSON.stringify(this.rootNode,null,4)}walk(t){return this.constructor._walk(t,this.rootNode)}static _walk(t,n){return typeof n=="string"?t.addText(n):n.children&&(t.openNode(n),n.children.forEach(r=>this._walk(t,r)),t.closeNode(n)),t}static _collapse(t){typeof t!="string"&&(!t.children||(t.children.every(n=>typeof n=="string")?t.children=[t.children.join("")]:t.children.forEach(n=>{cE._collapse(n)})))}}class LL extends cE{constructor(t){super(),this.options=t}addText(t){t!==""&&this.add(t)}startScope(t){this.openNode(t)}endScope(){this.closeNode()}__addSublanguage(t,n){const r=t.root;n&&(r.scope=`language:${n}`),this.add(r)}toHTML(){return new wL(this,this.options).value()}finalize(){return this.closeAllNodes(),!0}}function Wu(e){return e?typeof e=="string"?e:e.source:null}function kA(e){return Zs("(?=",e,")")}function ML(e){return Zs("(?:",e,")*")}function kL(e){return Zs("(?:",e,")?")}function Zs(...e){return e.map(n=>Wu(n)).join("")}function PL(e){const t=e[e.length-1];return typeof t=="object"&&t.constructor===Object?(e.splice(e.length-1,1),t):{}}function dE(...e){return"("+(PL(e).capture?"":"?:")+e.map(r=>Wu(r)).join("|")+")"}function PA(e){return new RegExp(e.toString()+"|").exec("").length-1}function FL(e,t){const n=e&&e.exec(t);return n&&n.index===0}const BL=/\[(?:[^\\\]]|\\.)*\]|\(\??|\\([1-9][0-9]*)|\\./;function fE(e,{joinWith:t}){let n=0;return e.map(r=>{n+=1;const a=n;let o=Wu(r),l="";for(;o.length>0;){const u=BL.exec(o);if(!u){l+=o;break}l+=o.substring(0,u.index),o=o.substring(u.index+u[0].length),u[0][0]==="\\"&&u[1]?l+="\\"+String(Number(u[1])+a):(l+=u[0],u[0]==="("&&n++)}return l}).map(r=>`(${r})`).join(t)}const UL=/\b\B/,FA="[a-zA-Z]\\w*",pE="[a-zA-Z_]\\w*",BA="\\b\\d+(\\.\\d+)?",UA="(-?)(\\b0[xX][a-fA-F0-9]+|(\\b\\d+(\\.\\d*)?|\\.\\d+)([eE][-+]?\\d+)?)",GA="\\b(0b[01]+)",GL="!|!=|!==|%|%=|&|&&|&=|\\*|\\*=|\\+|\\+=|,|-|-=|/=|/|:|;|<<|<<=|<=|<|===|==|=|>>>=|>>=|>=|>>>|>>|>|\\?|\\[|\\{|\\(|\\^|\\^=|\\||\\|=|\\|\\||~",HL=(e={})=>{const t=/^#![ ]*\//;return e.binary&&(e.begin=Zs(t,/.*\b/,e.binary,/\b.*/)),Xo({scope:"meta",begin:t,end:/$/,relevance:0,"on:begin":(n,r)=>{n.index!==0&&r.ignoreMatch()}},e)},Vu={begin:"\\\\[\\s\\S]",relevance:0},qL={scope:"string",begin:"'",end:"'",illegal:"\\n",contains:[Vu]},YL={scope:"string",begin:'"',end:'"',illegal:"\\n",contains:[Vu]},WL={begin:/\b(a|an|the|are|I'm|isn't|don't|doesn't|won't|but|just|should|pretty|simply|enough|gonna|going|wtf|so|such|will|you|your|they|like|more)\b/},Hd=function(e,t,n={}){const r=Xo({scope:"comment",begin:e,end:t,contains:[]},n);r.contains.push({scope:"doctag",begin:"[ ]*(?=(TODO|FIXME|NOTE|BUG|OPTIMIZE|HACK|XXX):)",end:/(TODO|FIXME|NOTE|BUG|OPTIMIZE|HACK|XXX):/,excludeBegin:!0,relevance:0});const a=dE("I","a","is","so","us","to","at","if","in","it","on",/[A-Za-z]+['](d|ve|re|ll|t|s|n)/,/[A-Za-z]+[-][a-z]+/,/[A-Za-z][a-z]{2,}/);return r.contains.push({begin:Zs(/[ ]+/,"(",a,/[.]?[:]?([.][ ]|[ ])/,"){3}")}),r},VL=Hd("//","$"),zL=Hd("/\\*","\\*/"),KL=Hd("#","$"),$L={scope:"number",begin:BA,relevance:0},QL={scope:"number",begin:UA,relevance:0},jL={scope:"number",begin:GA,relevance:0},XL={scope:"regexp",begin:/\/(?=[^/\n]*\/)/,end:/\/[gimuy]*/,contains:[Vu,{begin:/\[/,end:/\]/,relevance:0,contains:[Vu]}]},ZL={scope:"title",begin:FA,relevance:0},JL={scope:"title",begin:pE,relevance:0},e1={begin:"\\.\\s*"+pE,relevance:0},t1=function(e){return Object.assign(e,{"on:begin":(t,n)=>{n.data._beginMatch=t[1]},"on:end":(t,n)=>{n.data._beginMatch!==t[1]&&n.ignoreMatch()}})};var Wc=Object.freeze({__proto__:null,APOS_STRING_MODE:qL,BACKSLASH_ESCAPE:Vu,BINARY_NUMBER_MODE:jL,BINARY_NUMBER_RE:GA,COMMENT:Hd,C_BLOCK_COMMENT_MODE:zL,C_LINE_COMMENT_MODE:VL,C_NUMBER_MODE:QL,C_NUMBER_RE:UA,END_SAME_AS_BEGIN:t1,HASH_COMMENT_MODE:KL,IDENT_RE:FA,MATCH_NOTHING_RE:UL,METHOD_GUARD:e1,NUMBER_MODE:$L,NUMBER_RE:BA,PHRASAL_WORDS_MODE:WL,QUOTE_STRING_MODE:YL,REGEXP_MODE:XL,RE_STARTERS_RE:GL,SHEBANG:HL,TITLE_MODE:ZL,UNDERSCORE_IDENT_RE:pE,UNDERSCORE_TITLE_MODE:JL});function n1(e,t){e.input[e.index-1]==="."&&t.ignoreMatch()}function r1(e,t){e.className!==void 0&&(e.scope=e.className,delete e.className)}function i1(e,t){!t||!e.beginKeywords||(e.begin="\\b("+e.beginKeywords.split(" ").join("|")+")(?!\\.)(?=\\b|\\s)",e.__beforeBegin=n1,e.keywords=e.keywords||e.beginKeywords,delete e.beginKeywords,e.relevance===void 0&&(e.relevance=0))}function a1(e,t){!Array.isArray(e.illegal)||(e.illegal=dE(...e.illegal))}function o1(e,t){if(!!e.match){if(e.begin||e.end)throw new Error("begin & end are not supported with match");e.begin=e.match,delete e.match}}function s1(e,t){e.relevance===void 0&&(e.relevance=1)}const l1=(e,t)=>{if(!e.beforeMatch)return;if(e.starts)throw new Error("beforeMatch cannot be used with starts");const n=Object.assign({},e);Object.keys(e).forEach(r=>{delete e[r]}),e.keywords=n.keywords,e.begin=Zs(n.beforeMatch,kA(n.begin)),e.starts={relevance:0,contains:[Object.assign(n,{endsParent:!0})]},e.relevance=0,delete n.beforeMatch},u1=["of","and","for","in","not","or","if","then","parent","list","value"],c1="keyword";function HA(e,t,n=c1){const r=Object.create(null);return typeof e=="string"?a(n,e.split(" ")):Array.isArray(e)?a(n,e):Object.keys(e).forEach(function(o){Object.assign(r,HA(e[o],t,o))}),r;function a(o,l){t&&(l=l.map(u=>u.toLowerCase())),l.forEach(function(u){const c=u.split("|");r[c[0]]=[o,d1(c[0],c[1])]})}}function d1(e,t){return t?Number(t):f1(e)?0:1}function f1(e){return u1.includes(e.toLowerCase())}const uv={},Is=e=>{console.error(e)},cv=(e,...t)=>{console.log(`WARN: ${e}`,...t)},bl=(e,t)=>{uv[`${e}/${t}`]||(console.log(`Deprecated as of ${e}. ${t}`),uv[`${e}/${t}`]=!0)},Sd=new Error;function qA(e,t,{key:n}){let r=0;const a=e[n],o={},l={};for(let u=1;u<=t.length;u++)l[u+r]=a[u],o[u+r]=!0,r+=PA(t[u-1]);e[n]=l,e[n]._emit=o,e[n]._multi=!0}function p1(e){if(!!Array.isArray(e.begin)){if(e.skip||e.excludeBegin||e.returnBegin)throw Is("skip, excludeBegin, returnBegin not compatible with beginScope: {}"),Sd;if(typeof e.beginScope!="object"||e.beginScope===null)throw Is("beginScope must be object"),Sd;qA(e,e.begin,{key:"beginScope"}),e.begin=fE(e.begin,{joinWith:""})}}function _1(e){if(!!Array.isArray(e.end)){if(e.skip||e.excludeEnd||e.returnEnd)throw Is("skip, excludeEnd, returnEnd not compatible with endScope: {}"),Sd;if(typeof e.endScope!="object"||e.endScope===null)throw Is("endScope must be object"),Sd;qA(e,e.end,{key:"endScope"}),e.end=fE(e.end,{joinWith:""})}}function m1(e){e.scope&&typeof e.scope=="object"&&e.scope!==null&&(e.beginScope=e.scope,delete e.scope)}function g1(e){m1(e),typeof e.beginScope=="string"&&(e.beginScope={_wrap:e.beginScope}),typeof e.endScope=="string"&&(e.endScope={_wrap:e.endScope}),p1(e),_1(e)}function h1(e){function t(l,u){return new RegExp(Wu(l),"m"+(e.case_insensitive?"i":"")+(e.unicodeRegex?"u":"")+(u?"g":""))}class n{constructor(){this.matchIndexes={},this.regexes=[],this.matchAt=1,this.position=0}addRule(u,c){c.position=this.position++,this.matchIndexes[this.matchAt]=c,this.regexes.push([c,u]),this.matchAt+=PA(u)+1}compile(){this.regexes.length===0&&(this.exec=()=>null);const u=this.regexes.map(c=>c[1]);this.matcherRe=t(fE(u,{joinWith:"|"}),!0),this.lastIndex=0}exec(u){this.matcherRe.lastIndex=this.lastIndex;const c=this.matcherRe.exec(u);if(!c)return null;const d=c.findIndex((_,E)=>E>0&&_!==void 0),S=this.matchIndexes[d];return c.splice(0,d),Object.assign(c,S)}}class r{constructor(){this.rules=[],this.multiRegexes=[],this.count=0,this.lastIndex=0,this.regexIndex=0}getMatcher(u){if(this.multiRegexes[u])return this.multiRegexes[u];const c=new n;return this.rules.slice(u).forEach(([d,S])=>c.addRule(d,S)),c.compile(),this.multiRegexes[u]=c,c}resumingScanAtSamePosition(){return this.regexIndex!==0}considerAll(){this.regexIndex=0}addRule(u,c){this.rules.push([u,c]),c.type==="begin"&&this.count++}exec(u){const c=this.getMatcher(this.regexIndex);c.lastIndex=this.lastIndex;let d=c.exec(u);if(this.resumingScanAtSamePosition()&&!(d&&d.index===this.lastIndex)){const S=this.getMatcher(0);S.lastIndex=this.lastIndex+1,d=S.exec(u)}return d&&(this.regexIndex+=d.position+1,this.regexIndex===this.count&&this.considerAll()),d}}function a(l){const u=new r;return l.contains.forEach(c=>u.addRule(c.begin,{rule:c,type:"begin"})),l.terminatorEnd&&u.addRule(l.terminatorEnd,{type:"end"}),l.illegal&&u.addRule(l.illegal,{type:"illegal"}),u}function o(l,u){const c=l;if(l.isCompiled)return c;[r1,o1,g1,l1].forEach(S=>S(l,u)),e.compilerExtensions.forEach(S=>S(l,u)),l.__beforeBegin=null,[i1,a1,s1].forEach(S=>S(l,u)),l.isCompiled=!0;let d=null;return typeof l.keywords=="object"&&l.keywords.$pattern&&(l.keywords=Object.assign({},l.keywords),d=l.keywords.$pattern,delete l.keywords.$pattern),d=d||/\w+/,l.keywords&&(l.keywords=HA(l.keywords,e.case_insensitive)),c.keywordPatternRe=t(d,!0),u&&(l.begin||(l.begin=/\B|\b/),c.beginRe=t(c.begin),!l.end&&!l.endsWithParent&&(l.end=/\B|\b/),l.end&&(c.endRe=t(c.end)),c.terminatorEnd=Wu(c.end)||"",l.endsWithParent&&u.terminatorEnd&&(c.terminatorEnd+=(l.end?"|":"")+u.terminatorEnd)),l.illegal&&(c.illegalRe=t(l.illegal)),l.contains||(l.contains=[]),l.contains=[].concat(...l.contains.map(function(S){return E1(S==="self"?l:S)})),l.contains.forEach(function(S){o(S,c)}),l.starts&&o(l.starts,u),c.matcher=a(c),c}if(e.compilerExtensions||(e.compilerExtensions=[]),e.contains&&e.contains.includes("self"))throw new Error("ERR: contains `self` is not supported at the top-level of a language.  See documentation.");return e.classNameAliases=Xo(e.classNameAliases||{}),o(e)}function YA(e){return e?e.endsWithParent||YA(e.starts):!1}function E1(e){return e.variants&&!e.cachedVariants&&(e.cachedVariants=e.variants.map(function(t){return Xo(e,{variants:null},t)})),e.cachedVariants?e.cachedVariants:YA(e)?Xo(e,{starts:e.starts?Xo(e.starts):null}):Object.isFrozen(e)?Xo(e):e}var S1="11.9.0";class b1 extends Error{constructor(t,n){super(t),this.name="HTMLInjectionError",this.html=n}}const mp=MA,dv=Xo,fv=Symbol("nomatch"),v1=7,WA=function(e){const t=Object.create(null),n=Object.create(null),r=[];let a=!0;const o="Could not find the language '{}', did you forget to load/include a language module?",l={disableAutodetect:!0,name:"Plain text",contains:[]};let u={ignoreUnescapedHTML:!1,throwUnescapedHTML:!1,noHighlightRe:/^(no-?highlight)$/i,languageDetectRe:/\blang(?:uage)?-([\w-]+)\b/i,classPrefix:"hljs-",cssSelector:"pre code",languages:null,__emitter:LL};function c(te){return u.noHighlightRe.test(te)}function d(te){let G=te.className+" ";G+=te.parentNode?te.parentNode.className:"";const se=u.languageDetectRe.exec(G);if(se){const ve=F(se[1]);return ve||(cv(o.replace("{}",se[1])),cv("Falling back to no-highlight mode for this block.",te)),ve?se[1]:"no-highlight"}return G.split(/\s+/).find(ve=>c(ve)||F(ve))}function S(te,G,se){let ve="",Ge="";typeof G=="object"?(ve=te,se=G.ignoreIllegals,Ge=G.language):(bl("10.7.0","highlight(lang, code, ...args) has been deprecated."),bl("10.7.0",`Please use highlight(code, options) instead.
-https://github.com/highlightjs/highlight.js/issues/2277`),Ge=te,ve=G),se===void 0&&(se=!0);const oe={code:ve,language:Ge};V("before:highlight",oe);const W=oe.result?oe.result:_(oe.language,oe.code,se);return W.code=oe.code,V("after:highlight",W),W}function _(te,G,se,ve){const Ge=Object.create(null);function oe(H,ee){return H.keywords[ee]}function W(){if(!Ne.keywords){Ue.addText(Ve);return}let H=0;Ne.keywordPatternRe.lastIndex=0;let ee=Ne.keywordPatternRe.exec(Ve),_e="";for(;ee;){_e+=Ve.substring(H,ee.index);const U=ze.case_insensitive?ee[0].toLowerCase():ee[0],Q=oe(Ne,U);if(Q){const[he,Le]=Q;if(Ue.addText(_e),_e="",Ge[U]=(Ge[U]||0)+1,Ge[U]<=v1&&(lt+=Le),he.startsWith("_"))_e+=ee[0];else{const Xe=ze.classNameAliases[he]||he;rt(ee[0],Xe)}}else _e+=ee[0];H=Ne.keywordPatternRe.lastIndex,ee=Ne.keywordPatternRe.exec(Ve)}_e+=Ve.substring(H),Ue.addText(_e)}function Oe(){if(Ve==="")return;let H=null;if(typeof Ne.subLanguage=="string"){if(!t[Ne.subLanguage]){Ue.addText(Ve);return}H=_(Ne.subLanguage,Ve,!0,Ie[Ne.subLanguage]),Ie[Ne.subLanguage]=H._top}else H=T(Ve,Ne.subLanguage.length?Ne.subLanguage:null);Ne.relevance>0&&(lt+=H.relevance),Ue.__addSublanguage(H._emitter,H.language)}function tt(){Ne.subLanguage!=null?Oe():W(),Ve=""}function rt(H,ee){H!==""&&(Ue.startScope(ee),Ue.addText(H),Ue.endScope())}function bt(H,ee){let _e=1;const U=ee.length-1;for(;_e<=U;){if(!H._emit[_e]){_e++;continue}const Q=ze.classNameAliases[H[_e]]||H[_e],he=ee[_e];Q?rt(he,Q):(Ve=he,W(),Ve=""),_e++}}function dt(H,ee){return H.scope&&typeof H.scope=="string"&&Ue.openNode(ze.classNameAliases[H.scope]||H.scope),H.beginScope&&(H.beginScope._wrap?(rt(Ve,ze.classNameAliases[H.beginScope._wrap]||H.beginScope._wrap),Ve=""):H.beginScope._multi&&(bt(H.beginScope,ee),Ve="")),Ne=Object.create(H,{parent:{value:Ne}}),Ne}function ct(H,ee,_e){let U=FL(H.endRe,_e);if(U){if(H["on:end"]){const Q=new ov(H);H["on:end"](ee,Q),Q.isMatchIgnored&&(U=!1)}if(U){for(;H.endsParent&&H.parent;)H=H.parent;return H}}if(H.endsWithParent)return ct(H.parent,ee,_e)}function Ze(H){return Ne.matcher.regexIndex===0?(Ve+=H[0],1):(be=!0,0)}function nt(H){const ee=H[0],_e=H.rule,U=new ov(_e),Q=[_e.__beforeBegin,_e["on:begin"]];for(const he of Q)if(!!he&&(he(H,U),U.isMatchIgnored))return Ze(ee);return _e.skip?Ve+=ee:(_e.excludeBegin&&(Ve+=ee),tt(),!_e.returnBegin&&!_e.excludeBegin&&(Ve=ee)),dt(_e,H),_e.returnBegin?0:ee.length}function ce(H){const ee=H[0],_e=G.substring(H.index),U=ct(Ne,H,_e);if(!U)return fv;const Q=Ne;Ne.endScope&&Ne.endScope._wrap?(tt(),rt(ee,Ne.endScope._wrap)):Ne.endScope&&Ne.endScope._multi?(tt(),bt(Ne.endScope,H)):Q.skip?Ve+=ee:(Q.returnEnd||Q.excludeEnd||(Ve+=ee),tt(),Q.excludeEnd&&(Ve=ee));do Ne.scope&&Ue.closeNode(),!Ne.skip&&!Ne.subLanguage&&(lt+=Ne.relevance),Ne=Ne.parent;while(Ne!==U.parent);return U.starts&&dt(U.starts,H),Q.returnEnd?0:ee.length}function Ee(){const H=[];for(let ee=Ne;ee!==ze;ee=ee.parent)ee.scope&&H.unshift(ee.scope);H.forEach(ee=>Ue.openNode(ee))}let He={};function we(H,ee){const _e=ee&&ee[0];if(Ve+=H,_e==null)return tt(),0;if(He.type==="begin"&&ee.type==="end"&&He.index===ee.index&&_e===""){if(Ve+=G.slice(ee.index,ee.index+1),!a){const U=new Error(`0 width match regex (${te})`);throw U.languageName=te,U.badRule=He.rule,U}return 1}if(He=ee,ee.type==="begin")return nt(ee);if(ee.type==="illegal"&&!se){const U=new Error('Illegal lexeme "'+_e+'" for mode "'+(Ne.scope||"<unnamed>")+'"');throw U.mode=Ne,U}else if(ee.type==="end"){const U=ce(ee);if(U!==fv)return U}if(ee.type==="illegal"&&_e==="")return 1;if(de>1e5&&de>ee.index*3)throw new Error("potential infinite loop, way more iterations than matches");return Ve+=_e,_e.length}const ze=F(te);if(!ze)throw Is(o.replace("{}",te)),new Error('Unknown language: "'+te+'"');const pe=h1(ze);let Re="",Ne=ve||pe;const Ie={},Ue=new u.__emitter(u);Ee();let Ve="",lt=0,ge=0,de=0,be=!1;try{if(ze.__emitTokens)ze.__emitTokens(G,Ue);else{for(Ne.matcher.considerAll();;){de++,be?be=!1:Ne.matcher.considerAll(),Ne.matcher.lastIndex=ge;const H=Ne.matcher.exec(G);if(!H)break;const ee=G.substring(ge,H.index),_e=we(ee,H);ge=H.index+_e}we(G.substring(ge))}return Ue.finalize(),Re=Ue.toHTML(),{language:te,value:Re,relevance:lt,illegal:!1,_emitter:Ue,_top:Ne}}catch(H){if(H.message&&H.message.includes("Illegal"))return{language:te,value:mp(G),illegal:!0,relevance:0,_illegalBy:{message:H.message,index:ge,context:G.slice(ge-100,ge+100),mode:H.mode,resultSoFar:Re},_emitter:Ue};if(a)return{language:te,value:mp(G),illegal:!1,relevance:0,errorRaised:H,_emitter:Ue,_top:Ne};throw H}}function E(te){const G={value:mp(te),illegal:!1,relevance:0,_top:l,_emitter:new u.__emitter(u)};return G._emitter.addText(te),G}function T(te,G){G=G||u.languages||Object.keys(t);const se=E(te),ve=G.filter(F).filter(K).map(tt=>_(tt,te,!1));ve.unshift(se);const Ge=ve.sort((tt,rt)=>{if(tt.relevance!==rt.relevance)return rt.relevance-tt.relevance;if(tt.language&&rt.language){if(F(tt.language).supersetOf===rt.language)return 1;if(F(rt.language).supersetOf===tt.language)return-1}return 0}),[oe,W]=Ge,Oe=oe;return Oe.secondBest=W,Oe}function y(te,G,se){const ve=G&&n[G]||se;te.classList.add("hljs"),te.classList.add(`language-${ve}`)}function M(te){let G=null;const se=d(te);if(c(se))return;if(V("before:highlightElement",{el:te,language:se}),te.dataset.highlighted){console.log("Element previously highlighted. To highlight again, first unset `dataset.highlighted`.",te);return}if(te.children.length>0&&(u.ignoreUnescapedHTML||(console.warn("One of your code blocks includes unescaped HTML. This is a potentially serious security risk."),console.warn("https://github.com/highlightjs/highlight.js/wiki/security"),console.warn("The element with unescaped HTML:"),console.warn(te)),u.throwUnescapedHTML))throw new b1("One of your code blocks includes unescaped HTML.",te.innerHTML);G=te;const ve=G.textContent,Ge=se?S(ve,{language:se,ignoreIllegals:!0}):T(ve);te.innerHTML=Ge.value,te.dataset.highlighted="yes",y(te,se,Ge.language),te.result={language:Ge.language,re:Ge.relevance,relevance:Ge.relevance},Ge.secondBest&&(te.secondBest={language:Ge.secondBest.language,relevance:Ge.secondBest.relevance}),V("after:highlightElement",{el:te,result:Ge,text:ve})}function v(te){u=dv(u,te)}const A=()=>{R(),bl("10.6.0","initHighlighting() deprecated.  Use highlightAll() now.")};function O(){R(),bl("10.6.0","initHighlightingOnLoad() deprecated.  Use highlightAll() now.")}let N=!1;function R(){if(document.readyState==="loading"){N=!0;return}document.querySelectorAll(u.cssSelector).forEach(M)}function L(){N&&R()}typeof window<"u"&&window.addEventListener&&window.addEventListener("DOMContentLoaded",L,!1);function I(te,G){let se=null;try{se=G(e)}catch(ve){if(Is("Language definition for '{}' could not be registered.".replace("{}",te)),a)Is(ve);else throw ve;se=l}se.name||(se.name=te),t[te]=se,se.rawDefinition=G.bind(null,e),se.aliases&&z(se.aliases,{languageName:te})}function h(te){delete t[te];for(const G of Object.keys(n))n[G]===te&&delete n[G]}function k(){return Object.keys(t)}function F(te){return te=(te||"").toLowerCase(),t[te]||t[n[te]]}function z(te,{languageName:G}){typeof te=="string"&&(te=[te]),te.forEach(se=>{n[se.toLowerCase()]=G})}function K(te){const G=F(te);return G&&!G.disableAutodetect}function ue(te){te["before:highlightBlock"]&&!te["before:highlightElement"]&&(te["before:highlightElement"]=G=>{te["before:highlightBlock"](Object.assign({block:G.el},G))}),te["after:highlightBlock"]&&!te["after:highlightElement"]&&(te["after:highlightElement"]=G=>{te["after:highlightBlock"](Object.assign({block:G.el},G))})}function Z(te){ue(te),r.push(te)}function fe(te){const G=r.indexOf(te);G!==-1&&r.splice(G,1)}function V(te,G){const se=te;r.forEach(function(ve){ve[se]&&ve[se](G)})}function ne(te){return bl("10.7.0","highlightBlock will be removed entirely in v12.0"),bl("10.7.0","Please use highlightElement now."),M(te)}Object.assign(e,{highlight:S,highlightAuto:T,highlightAll:R,highlightElement:M,highlightBlock:ne,configure:v,initHighlighting:A,initHighlightingOnLoad:O,registerLanguage:I,unregisterLanguage:h,listLanguages:k,getLanguage:F,registerAliases:z,autoDetection:K,inherit:dv,addPlugin:Z,removePlugin:fe}),e.debugMode=function(){a=!1},e.safeMode=function(){a=!0},e.versionString=S1,e.regex={concat:Zs,lookahead:kA,either:dE,optional:kL,anyNumberOfTimes:ML};for(const te in Wc)typeof Wc[te]=="object"&&LA(Wc[te]);return Object.assign(e,Wc),e},Pl=WA({});Pl.newInstance=()=>WA({});var T1=Pl;Pl.HighlightJS=Pl;Pl.default=Pl;var gp,pv;function y1(){if(pv)return gp;pv=1;function e(t){const n="[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]+",o="\u0434\u0430\u043B\u0435\u0435 "+"\u0432\u043E\u0437\u0432\u0440\u0430\u0442 \u0432\u044B\u0437\u0432\u0430\u0442\u044C\u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C \u0434\u043B\u044F \u0435\u0441\u043B\u0438 \u0438 \u0438\u0437 \u0438\u043B\u0438 \u0438\u043D\u0430\u0447\u0435 \u0438\u043D\u0430\u0447\u0435\u0435\u0441\u043B\u0438 \u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \u043A\u0430\u0436\u0434\u043E\u0433\u043E \u043A\u043E\u043D\u0435\u0446\u0435\u0441\u043B\u0438 \u043A\u043E\u043D\u0435\u0446\u043F\u043E\u043F\u044B\u0442\u043A\u0438 \u043A\u043E\u043D\u0435\u0446\u0446\u0438\u043A\u043B\u0430 \u043D\u0435 \u043D\u043E\u0432\u044B\u0439 \u043F\u0435\u0440\u0435\u0439\u0442\u0438 \u043F\u0435\u0440\u0435\u043C \u043F\u043E \u043F\u043E\u043A\u0430 \u043F\u043E\u043F\u044B\u0442\u043A\u0430 \u043F\u0440\u0435\u0440\u0432\u0430\u0442\u044C \u043F\u0440\u043E\u0434\u043E\u043B\u0436\u0438\u0442\u044C \u0442\u043E\u0433\u0434\u0430 \u0446\u0438\u043A\u043B \u044D\u043A\u0441\u043F\u043E\u0440\u0442 ",c="\u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0438\u0437\u0444\u0430\u0439\u043B\u0430 "+"\u0432\u0435\u0431\u043A\u043B\u0438\u0435\u043D\u0442 \u0432\u043C\u0435\u0441\u0442\u043E \u0432\u043D\u0435\u0448\u043D\u0435\u0435\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \u043A\u043B\u0438\u0435\u043D\u0442 \u043A\u043E\u043D\u0435\u0446\u043E\u0431\u043B\u0430\u0441\u0442\u0438 \u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043B\u0438\u0435\u043D\u0442 \u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u0435\u0440\u0432\u0435\u0440 \u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435 \u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435\u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435\u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435\u0431\u0435\u0437\u043A\u043E\u043D\u0442\u0435\u043A\u0441\u0442\u0430 \u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435\u0431\u0435\u0437\u043A\u043E\u043D\u0442\u0435\u043A\u0441\u0442\u0430 \u043E\u0431\u043B\u0430\u0441\u0442\u044C \u043F\u0435\u0440\u0435\u0434 \u043F\u043E\u0441\u043B\u0435 \u0441\u0435\u0440\u0432\u0435\u0440 \u0442\u043E\u043B\u0441\u0442\u044B\u0439\u043A\u043B\u0438\u0435\u043D\u0442\u043E\u0431\u044B\u0447\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u043E\u043B\u0441\u0442\u044B\u0439\u043A\u043B\u0438\u0435\u043D\u0442\u0443\u043F\u0440\u0430\u0432\u043B\u044F\u0435\u043C\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u043E\u043D\u043A\u0438\u0439\u043A\u043B\u0438\u0435\u043D\u0442 ",d="\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u0441\u0442\u0440\u0430\u043D\u0438\u0446 \u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u0441\u0442\u0440\u043E\u043A \u0441\u0438\u043C\u0432\u043E\u043B\u0442\u0430\u0431\u0443\u043B\u044F\u0446\u0438\u0438 ",S="ansitooem oemtoansi \u0432\u0432\u0435\u0441\u0442\u0438\u0432\u0438\u0434\u0441\u0443\u0431\u043A\u043E\u043D\u0442\u043E \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u0435 \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u0435\u0440\u0438\u043E\u0434 \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 \u0432\u044B\u0431\u0440\u0430\u043D\u043D\u044B\u0439\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 \u0434\u0430\u0442\u0430\u0433\u043E\u0434 \u0434\u0430\u0442\u0430\u043C\u0435\u0441\u044F\u0446 \u0434\u0430\u0442\u0430\u0447\u0438\u0441\u043B\u043E \u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0441\u0442\u0440\u043E\u043A\u0443 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043E\u043A\u0438 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0438\u0431 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043A\u043E\u0434\u0441\u0438\u043C\u0432 \u043A\u043E\u043D\u0433\u043E\u0434\u0430 \u043A\u043E\u043D\u0435\u0446\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043A\u043E\u043D\u0435\u0446\u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u043D\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043A\u043E\u043D\u0435\u0446\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430 \u043A\u043E\u043D\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043A\u043E\u043D\u043C\u0435\u0441\u044F\u0446\u0430 \u043A\u043E\u043D\u043D\u0435\u0434\u0435\u043B\u0438 \u043B\u043E\u0433 \u043B\u043E\u043310 \u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0435\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u043E\u0441\u0443\u0431\u043A\u043E\u043D\u0442\u043E \u043D\u0430\u0437\u0432\u0430\u043D\u0438\u0435\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043D\u0430\u0437\u0432\u0430\u043D\u0438\u0435\u043D\u0430\u0431\u043E\u0440\u0430\u043F\u0440\u0430\u0432 \u043D\u0430\u0437\u043D\u0430\u0447\u0438\u0442\u044C\u0432\u0438\u0434 \u043D\u0430\u0437\u043D\u0430\u0447\u0438\u0442\u044C\u0441\u0447\u0435\u0442 \u043D\u0430\u0439\u0442\u0438\u0441\u0441\u044B\u043B\u043A\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430 \u043D\u0430\u0447\u0433\u043E\u0434\u0430 \u043D\u0430\u0447\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043D\u0430\u0447\u043C\u0435\u0441\u044F\u0446\u0430 \u043D\u0430\u0447\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u043E\u043C\u0435\u0440\u0434\u043D\u044F\u0433\u043E\u0434\u0430 \u043D\u043E\u043C\u0435\u0440\u0434\u043D\u044F\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u043E\u043C\u0435\u0440\u043D\u0435\u0434\u0435\u043B\u0438\u0433\u043E\u0434\u0430 \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0430\u0441\u0447\u0435\u0442\u043E\u0432 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u044F\u0437\u044B\u043A \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u043E\u043A\u043D\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0439 \u043F\u0435\u0440\u0438\u043E\u0434\u0441\u0442\u0440 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u0430\u0442\u0443\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0443\u0441\u0442\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0442\u0430 \u043F\u0440\u0435\u0444\u0438\u043A\u0441\u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u0438 \u043F\u0440\u043E\u043F\u0438\u0441\u044C \u043F\u0443\u0441\u0442\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0440\u0430\u0437\u043C \u0440\u0430\u0437\u043E\u0431\u0440\u0430\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043D\u0430 \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043F\u043E \u0441\u0438\u043C\u0432 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442 \u0441\u0442\u0430\u0442\u0443\u0441\u0432\u043E\u0437\u0432\u0440\u0430\u0442\u0430 \u0441\u0442\u0440\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u043E\u0441\u0442\u0440\u043E\u043A \u0441\u0444\u043E\u0440\u043C\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0441\u0447\u0435\u0442\u043F\u043E\u043A\u043E\u0434\u0443 \u0442\u0435\u043A\u0443\u0449\u0435\u0435\u0432\u0440\u0435\u043C\u044F \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0441\u0442\u0440 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0442\u0430\u043D\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0442\u0430\u043F\u043E \u0444\u0438\u043A\u0441\u0448\u0430\u0431\u043B\u043E\u043D \u0448\u0430\u0431\u043B\u043E\u043D ",_="acos asin atan base64\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 base64\u0441\u0442\u0440\u043E\u043A\u0430 cos exp log log10 pow sin sqrt tan xml\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 xml\u0441\u0442\u0440\u043E\u043A\u0430 xml\u0442\u0438\u043F xml\u0442\u0438\u043F\u0437\u043D\u0447 \u0430\u043A\u0442\u0438\u0432\u043D\u043E\u0435\u043E\u043A\u043D\u043E \u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0443\u043B\u0435\u0432\u043E \u0432\u0432\u0435\u0441\u0442\u0438\u0434\u0430\u0442\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0432\u0432\u0435\u0441\u0442\u0438\u0441\u0442\u0440\u043E\u043A\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0447\u0438\u0441\u043B\u043E \u0432\u043E\u0437\u043C\u043E\u0436\u043D\u043E\u0441\u0442\u044C\u0447\u0442\u0435\u043D\u0438\u044Fxml \u0432\u043E\u043F\u0440\u043E\u0441 \u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0432\u0440\u0435\u0433 \u0432\u044B\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0443\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F \u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u043F\u0440\u0430\u0432\u0434\u043E\u0441\u0442\u0443\u043F\u0430 \u0432\u044B\u0447\u0438\u0441\u043B\u0438\u0442\u044C \u0433\u043E\u0434 \u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B\u0432\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0434\u0430\u0442\u0430 \u0434\u0435\u043D\u044C \u0434\u0435\u043D\u044C\u0433\u043E\u0434\u0430 \u0434\u0435\u043D\u044C\u043D\u0435\u0434\u0435\u043B\u0438 \u0434\u043E\u0431\u0430\u0432\u0438\u0442\u044C\u043C\u0435\u0441\u044F\u0446 \u0437\u0430\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0434\u043B\u044F\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0437\u0430\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0437\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 \u0437\u0430\u043A\u0440\u044B\u0442\u044C\u0441\u043F\u0440\u0430\u0432\u043A\u0443 \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044Cjson \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044Cxml \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044C\u0434\u0430\u0442\u0443json \u0437\u0430\u043F\u0438\u0441\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0437\u0430\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0441\u0432\u043E\u0439\u0441\u0442\u0432 \u0437\u0430\u043F\u0440\u043E\u0441\u0438\u0442\u044C\u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0437\u0430\u043F\u0443\u0441\u0442\u0438\u0442\u044C\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0437\u0430\u043F\u0443\u0441\u0442\u0438\u0442\u044C\u0441\u0438\u0441\u0442\u0435\u043C\u0443 \u0437\u0430\u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0441\u0442\u0440\u043E\u043A\u0443\u0432\u043D\u0443\u0442\u0440 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0444\u0430\u0439\u043B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u043E \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043E\u043A\u0438\u0432\u043D\u0443\u0442\u0440 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0444\u0430\u0439\u043B\u0430 \u0438\u0437xml\u0442\u0438\u043F\u0430 \u0438\u043C\u043F\u043E\u0440\u0442\u043C\u043E\u0434\u0435\u043B\u0438xdto \u0438\u043C\u044F\u043A\u043E\u043C\u043F\u044C\u044E\u0442\u0435\u0440\u0430 \u0438\u043C\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0438\u043D\u0438\u0446\u0438\u0430\u043B\u0438\u0437\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0435\u0434\u0430\u043D\u043D\u044B\u0435 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u043E\u0431\u043E\u0448\u0438\u0431\u043A\u0435 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0438\u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0433\u043E\u0443\u0441\u0442\u0440\u043E\u0439\u0441\u0442\u0432\u0430 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0445\u0444\u0430\u0439\u043B\u043E\u0432 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043F\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 \u043A\u043E\u0434\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043A\u043E\u0434\u0441\u0438\u043C\u0432\u043E\u043B\u0430 \u043A\u043E\u043C\u0430\u043D\u0434\u0430\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043A\u043E\u043D\u0435\u0446\u0433\u043E\u0434\u0430 \u043A\u043E\u043D\u0435\u0446\u0434\u043D\u044F \u043A\u043E\u043D\u0435\u0446\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043A\u043E\u043D\u0435\u0446\u043C\u0435\u0441\u044F\u0446\u0430 \u043A\u043E\u043D\u0435\u0446\u043C\u0438\u043D\u0443\u0442\u044B \u043A\u043E\u043D\u0435\u0446\u043D\u0435\u0434\u0435\u043B\u0438 \u043A\u043E\u043D\u0435\u0446\u0447\u0430\u0441\u0430 \u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044F\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0430\u0434\u0438\u043D\u0430\u043C\u0438\u0447\u0435\u0441\u043A\u0438 \u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044F\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0430 \u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B \u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0444\u0430\u0439\u043B \u043A\u0440\u0430\u0442\u043A\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 \u043B\u0435\u0432 \u043C\u0430\u043A\u0441 \u043C\u0435\u0441\u0442\u043D\u043E\u0435\u0432\u0440\u0435\u043C\u044F \u043C\u0435\u0441\u044F\u0446 \u043C\u0438\u043D \u043C\u0438\u043D\u0443\u0442\u0430 \u043C\u043E\u043D\u043E\u043F\u043E\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u043D\u0430\u0439\u0442\u0438 \u043D\u0430\u0439\u0442\u0438\u043D\u0435\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u044Bxml \u043D\u0430\u0439\u0442\u0438\u043E\u043A\u043D\u043E\u043F\u043E\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0441\u0441\u044B\u043B\u043A\u0435 \u043D\u0430\u0439\u0442\u0438\u043F\u043E\u043C\u0435\u0447\u0435\u043D\u043D\u044B\u0435\u043D\u0430\u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435 \u043D\u0430\u0439\u0442\u0438\u043F\u043E\u0441\u0441\u044B\u043B\u043A\u0430\u043C \u043D\u0430\u0439\u0442\u0438\u0444\u0430\u0439\u043B\u044B \u043D\u0430\u0447\u0430\u043B\u043E\u0433\u043E\u0434\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u0434\u043D\u044F \u043D\u0430\u0447\u0430\u043B\u043E\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u043C\u0435\u0441\u044F\u0446\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u043C\u0438\u043D\u0443\u0442\u044B \u043D\u0430\u0447\u0430\u043B\u043E\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u0447\u0430\u0441\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u0437\u0430\u043F\u0440\u043E\u0441\u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043D\u0430\u0447\u0430\u0442\u044C\u0437\u0430\u043F\u0443\u0441\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043D\u0430\u0447\u0430\u0442\u044C\u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u0435\u0440\u0435\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0438\u0441\u043A\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0445\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0447\u0435\u0433\u043E\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u0437\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043D\u0435\u0434\u0435\u043B\u044F\u0433\u043E\u0434\u0430 \u043D\u0435\u043E\u0431\u0445\u043E\u0434\u0438\u043C\u043E\u0441\u0442\u044C\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u043D\u043E\u043C\u0435\u0440\u0441\u0435\u0430\u043D\u0441\u0430\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043D\u043E\u043C\u0435\u0440\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043D\u0440\u0435\u0433 \u043D\u0441\u0442\u0440 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u044E\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u0443\u0435\u043C\u044B\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043F\u0440\u0435\u0440\u044B\u0432\u0430\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043E\u0431\u044A\u0435\u0434\u0438\u043D\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043E\u043A\u0440 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 \u043E\u043F\u043E\u0432\u0435\u0441\u0442\u0438\u0442\u044C \u043E\u043F\u043E\u0432\u0435\u0441\u0442\u0438\u0442\u044C\u043E\u0431\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0438 \u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u0437\u0430\u043F\u0440\u043E\u0441\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0438\u043D\u0434\u0435\u043A\u0441\u0441\u043F\u0440\u0430\u0432\u043A\u0438 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0441\u043E\u0434\u0435\u0440\u0436\u0430\u043D\u0438\u0435\u0441\u043F\u0440\u0430\u0432\u043A\u0438 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0441\u043F\u0440\u0430\u0432\u043A\u0443 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0444\u043E\u0440\u043C\u0443 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0444\u043E\u0440\u043C\u0443\u043C\u043E\u0434\u0430\u043B\u044C\u043D\u043E \u043E\u0442\u043C\u0435\u043D\u0438\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0434\u043E\u0441\u0442\u0443\u043F\u0430 \u043F\u0435\u0440\u0435\u0439\u0442\u0438\u043F\u043E\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0441\u0441\u044B\u043B\u043A\u0435 \u043F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u0437\u0430\u043F\u0440\u043E\u0441\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043F\u043E\u0434\u0440\u043E\u0431\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0434\u0430\u0442\u044B \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0441\u0442\u0440\u043E\u043A\u0438 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0447\u0438\u0441\u043B\u0430 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u043E\u043F\u0440\u043E\u0441 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044E\u043E\u0431\u043E\u0448\u0438\u0431\u043A\u0435 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043D\u0430\u043A\u0430\u0440\u0442\u0435 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u0435 \u043F\u043E\u043B\u043D\u043E\u0435\u0438\u043C\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044Ccom\u043E\u0431\u044A\u0435\u043A\u0442 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044Cxml\u0442\u0438\u043F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0430\u0434\u0440\u0435\u0441\u043F\u043E\u043C\u0435\u0441\u0442\u043E\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u044E \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0443\u0441\u0435\u0430\u043D\u0441\u043E\u0432 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043F\u044F\u0449\u0435\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0441\u044B\u043F\u0430\u043D\u0438\u044F\u043F\u0430\u0441\u0441\u0438\u0432\u043D\u043E\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0432\u044B\u0431\u043E\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u044B\u0439\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u043A\u043E\u0434\u044B\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0447\u0430\u0441\u043E\u0432\u044B\u0435\u043F\u043E\u044F\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0434\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0437\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043C\u044F\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0444\u0430\u0439\u043B\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043C\u044F\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044E\u044D\u043A\u0440\u0430\u043D\u043E\u0432\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043A\u0440\u0430\u0442\u043A\u0438\u0439\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u043A\u0435\u0442\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B\u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0435\u0441\u0442\u043E\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0430\u0434\u0440\u0435\u0441\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u0443\u044E\u0434\u043B\u0438\u043D\u0443\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u0443\u044E\u0441\u0441\u044B\u043B\u043A\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u0443\u044E\u0441\u0441\u044B\u043B\u043A\u0443\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u0449\u0438\u0439\u043C\u0430\u043A\u0435\u0442 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u0449\u0443\u044E\u0444\u043E\u0440\u043C\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u043A\u043D\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u043F\u0435\u0440\u0430\u0442\u0438\u0432\u043D\u0443\u044E\u043E\u0442\u043C\u0435\u0442\u043A\u0443\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0442\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u043E\u0433\u043E\u0440\u0435\u0436\u0438\u043C\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u044B\u0445\u043E\u043F\u0446\u0438\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u043E\u043B\u043D\u043E\u0435\u0438\u043C\u044F\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u044B\u0445\u0441\u0441\u044B\u043B\u043E\u043A \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u0441\u043B\u043E\u0436\u043D\u043E\u0441\u0442\u0438\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438\u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0435\u0430\u043D\u0441\u044B\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043A\u043E\u0440\u043E\u0441\u0442\u044C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044E \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0438\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430odata \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0443\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0441\u0435\u0430\u043D\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u043E\u0440\u043C\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u0443\u044E\u043E\u043F\u0446\u0438\u044E \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u0443\u044E\u043E\u043F\u0446\u0438\u044E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0438\u043E\u0441 \u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0432\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0435\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435 \u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043F\u0440\u0430\u0432 \u043F\u0440\u0430\u0432\u043E\u0434\u043E\u0441\u0442\u0443\u043F\u0430 \u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043A\u043E\u0434\u0430\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0438\u043E\u0434\u0430 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0430\u0432\u0430 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0447\u0430\u0441\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u044F\u0441\u0430 \u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u0435 \u043F\u0440\u0435\u043A\u0440\u0430\u0442\u0438\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043F\u0440\u0438\u0432\u0438\u043B\u0435\u0433\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u043F\u0440\u043E\u0434\u043E\u043B\u0436\u0438\u0442\u044C\u0432\u044B\u0437\u043E\u0432 \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044Cjson \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044Cxml \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044C\u0434\u0430\u0442\u0443json \u043F\u0443\u0441\u0442\u0430\u044F\u0441\u0442\u0440\u043E\u043A\u0430 \u0440\u0430\u0431\u043E\u0447\u0438\u0439\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0440\u0430\u0437\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0434\u043B\u044F\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u0440\u0430\u0437\u043E\u0440\u0432\u0430\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0441\u0432\u043D\u0435\u0448\u043D\u0438\u043C\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u043E\u043C\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 \u0440\u043E\u043B\u044C\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u0430 \u0441\u0435\u043A\u0443\u043D\u0434\u0430 \u0441\u0438\u0433\u043D\u0430\u043B \u0441\u0438\u043C\u0432\u043E\u043B \u0441\u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0441\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u043B\u0435\u0442\u043D\u0435\u0433\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0441\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u044C\u0431\u0443\u0444\u0435\u0440\u044B\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u043A\u0430\u0442\u0430\u043B\u043E\u0433 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u0444\u0430\u0431\u0440\u0438\u043A\u0443xdto \u0441\u043E\u043A\u0440\u043B \u0441\u043E\u043A\u0440\u043B\u043F \u0441\u043E\u043A\u0440\u043F \u0441\u043E\u043E\u0431\u0449\u0438\u0442\u044C \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435 \u0441\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0441\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0441\u0440\u0435\u0434 \u0441\u0442\u0440\u0434\u043B\u0438\u043D\u0430 \u0441\u0442\u0440\u0437\u0430\u043A\u0430\u043D\u0447\u0438\u0432\u0430\u0435\u0442\u0441\u044F\u043D\u0430 \u0441\u0442\u0440\u0437\u0430\u043C\u0435\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u043D\u0430\u0439\u0442\u0438 \u0441\u0442\u0440\u043D\u0430\u0447\u0438\u043D\u0430\u0435\u0442\u0441\u044F\u0441 \u0441\u0442\u0440\u043E\u043A\u0430 \u0441\u0442\u0440\u043E\u043A\u0430\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0441\u0442\u0440\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 \u0441\u0442\u0440\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u044C \u0441\u0442\u0440\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u0441\u0440\u0430\u0432\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u0447\u0438\u0441\u043B\u043E\u0432\u0445\u043E\u0436\u0434\u0435\u043D\u0438\u0439 \u0441\u0442\u0440\u0447\u0438\u0441\u043B\u043E\u0441\u0442\u0440\u043E\u043A \u0441\u0442\u0440\u0448\u0430\u0431\u043B\u043E\u043D \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0434\u0430\u0442\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0434\u0430\u0442\u0430\u0441\u0435\u0430\u043D\u0441\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u0430\u044F\u0434\u0430\u0442\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u0430\u044F\u0434\u0430\u0442\u0430\u0432\u043C\u0438\u043B\u043B\u0438\u0441\u0435\u043A\u0443\u043D\u0434\u0430\u0445 \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u0448\u0440\u0438\u0444\u0442\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u043A\u043E\u0434\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0443\u0441\u043A\u0430 \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u044F\u0437\u044B\u043A \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u044F\u0437\u044B\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0442\u0438\u043F \u0442\u0438\u043F\u0437\u043D\u0447 \u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044F\u0430\u043A\u0442\u0438\u0432\u043D\u0430 \u0442\u0440\u0435\u0433 \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0438\u0437\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442\u044B \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u043E\u0435\u0432\u0440\u0435\u043C\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0443\u0441\u0435\u0430\u043D\u0441\u043E\u0432 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043F\u044F\u0449\u0435\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0441\u044B\u043F\u0430\u043D\u0438\u044F\u043F\u0430\u0441\u0441\u0438\u0432\u043D\u043E\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043A\u0440\u0430\u0442\u043A\u0438\u0439\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u0443\u044E\u0434\u043B\u0438\u043D\u0443\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043C\u043E\u043D\u043E\u043F\u043E\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043E\u0442\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u043E\u0433\u043E\u0440\u0435\u0436\u0438\u043C\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u044B\u0445\u043E\u043F\u0446\u0438\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0440\u0438\u0432\u0438\u043B\u0435\u0433\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u0441\u043B\u043E\u0436\u043D\u043E\u0441\u0442\u0438\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0441\u0432\u043D\u0435\u0448\u043D\u0438\u043C\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u043E\u043C\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0438\u0444\u043E\u0440\u043C\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430odata \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0441\u0435\u0430\u043D\u0441\u0430 \u0444\u043E\u0440\u043C\u0430\u0442 \u0446\u0435\u043B \u0447\u0430\u0441 \u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441 \u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0441\u0435\u0430\u043D\u0441\u0430 \u0447\u0438\u0441\u043B\u043E \u0447\u0438\u0441\u043B\u043E\u043F\u0440\u043E\u043F\u0438\u0441\u044C\u044E \u044D\u0442\u043E\u0430\u0434\u0440\u0435\u0441\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 ",E="ws\u0441\u0441\u044B\u043B\u043A\u0438 \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043C\u0430\u043A\u0435\u0442\u043E\u0432\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u0441\u0442\u0438\u043B\u0435\u0439 \u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u044B \u0432\u043D\u0435\u0448\u043D\u0438\u0435\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u043D\u0435\u0448\u043D\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438 \u0432\u043D\u0435\u0448\u043D\u0438\u0435\u043E\u0442\u0447\u0435\u0442\u044B \u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0435\u043F\u043E\u043A\u0443\u043F\u043A\u0438 \u0433\u043B\u0430\u0432\u043D\u044B\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441 \u0433\u043B\u0430\u0432\u043D\u044B\u0439\u0441\u0442\u0438\u043B\u044C \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u044B \u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0435\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u044F \u0436\u0443\u0440\u043D\u0430\u043B\u044B\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u0437\u0430\u0434\u0430\u0447\u0438 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u043E\u0431\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0438 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0447\u0435\u0439\u0434\u0430\u0442\u044B \u0438\u0441\u0442\u043E\u0440\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043A\u043E\u043D\u0441\u0442\u0430\u043D\u0442\u044B \u043A\u0440\u0438\u0442\u0435\u0440\u0438\u0438\u043E\u0442\u0431\u043E\u0440\u0430 \u043C\u0435\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0435 \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u043A\u043B\u0430\u043C\u044B \u043E\u0442\u043F\u0440\u0430\u0432\u043A\u0430\u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0445\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0439 \u043E\u0442\u0447\u0435\u0442\u044B \u043F\u0430\u043D\u0435\u043B\u044C\u0437\u0430\u0434\u0430\u0447\u043E\u0441 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0437\u0430\u043F\u0443\u0441\u043A\u0430 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0441\u0435\u0430\u043D\u0441\u0430 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F \u043F\u043B\u0430\u043D\u044B\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043F\u043B\u0430\u043D\u044B\u0432\u0438\u0434\u043E\u0432\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A \u043F\u043B\u0430\u043D\u044B\u043E\u0431\u043C\u0435\u043D\u0430 \u043F\u043B\u0430\u043D\u044B\u0441\u0447\u0435\u0442\u043E\u0432 \u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u043F\u043E\u0438\u0441\u043A \u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0438\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0438 \u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0430\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0445\u043F\u043E\u043A\u0443\u043F\u043E\u043A \u0440\u0430\u0431\u043E\u0447\u0430\u044F\u0434\u0430\u0442\u0430 \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0438\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0441\u0432\u0435\u0434\u0435\u043D\u0438\u0439 \u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u044B\u0435\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0442\u043E\u0440xdto \u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0438 \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u0433\u0435\u043E\u043F\u043E\u0437\u0438\u0446\u0438\u043E\u043D\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043C\u0443\u043B\u044C\u0442\u0438\u043C\u0435\u0434\u0438\u0430 \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0440\u0435\u043A\u043B\u0430\u043C\u044B \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043F\u043E\u0447\u0442\u044B \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u0442\u0435\u043B\u0435\u0444\u043E\u043D\u0438\u0438 \u0444\u0430\u0431\u0440\u0438\u043A\u0430xdto \u0444\u0430\u0439\u043B\u043E\u0432\u044B\u0435\u043F\u043E\u0442\u043E\u043A\u0438 \u0444\u043E\u043D\u043E\u0432\u044B\u0435\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0432\u043E\u0442\u0447\u0435\u0442\u043E\u0432 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043E\u0431\u0449\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0441\u043A\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u0434\u0438\u043D\u0430\u043C\u0438\u0447\u0435\u0441\u043A\u0438\u0445\u0441\u043F\u0438\u0441\u043A\u043E\u0432 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0441\u043A\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043E\u0442\u0447\u0435\u0442\u043E\u0432 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A ",T=d+S+_+E,y="web\u0446\u0432\u0435\u0442\u0430 windows\u0446\u0432\u0435\u0442\u0430 windows\u0448\u0440\u0438\u0444\u0442\u044B \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u0440\u0430\u043C\u043A\u0438\u0441\u0442\u0438\u043B\u044F \u0441\u0438\u043C\u0432\u043E\u043B\u044B \u0446\u0432\u0435\u0442\u0430\u0441\u0442\u0438\u043B\u044F \u0448\u0440\u0438\u0444\u0442\u044B\u0441\u0442\u0438\u043B\u044F ",M="\u0430\u0432\u0442\u043E\u043C\u0430\u0442\u0438\u0447\u0435\u0441\u043A\u043E\u0435\u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C\u044B\u0432\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0430\u0445 \u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u044F\u0432\u0444\u043E\u0440\u043C\u0435 \u0430\u0432\u0442\u043E\u0440\u0430\u0437\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0435\u0441\u0435\u0440\u0438\u0439 \u0430\u043D\u0438\u043C\u0430\u0446\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0432\u044B\u0440\u0430\u0432\u043D\u0438\u0432\u0430\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0438\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u043E\u0432 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0432\u044B\u0441\u043E\u0442\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u0430\u044F\u043F\u0440\u043E\u043A\u0440\u0443\u0442\u043A\u0430\u0444\u043E\u0440\u043C\u044B \u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430 \u0432\u0438\u0434\u0433\u0440\u0443\u043F\u043F\u044B\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0434\u0435\u043A\u043E\u0440\u0430\u0446\u0438\u0438\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u0438\u0434\u043A\u043D\u043E\u043F\u043A\u0438\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u043F\u0435\u0440\u0435\u043A\u043B\u044E\u0447\u0430\u0442\u0435\u043B\u044F \u0432\u0438\u0434\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 \u0432\u0438\u0434\u043F\u043E\u043B\u044F\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0444\u043B\u0430\u0436\u043A\u0430 \u0432\u043B\u0438\u044F\u043D\u0438\u0435\u0440\u0430\u0437\u043C\u0435\u0440\u0430\u043D\u0430\u043F\u0443\u0437\u044B\u0440\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430 \u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0430\u043A\u043E\u043B\u043E\u043D\u043E\u043A \u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0430\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0444\u043E\u0440\u043C\u044B \u0433\u0440\u0443\u043F\u043F\u044B\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u044B \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043F\u0435\u0440\u0435\u0442\u0430\u0441\u043A\u0438\u0432\u0430\u043D\u0438\u044F \u0434\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u044F\u043F\u0435\u0440\u0435\u0442\u0430\u0441\u043A\u0438\u0432\u0430\u043D\u0438\u044F \u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u043C\u0435\u0436\u0434\u0443\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043C\u0438\u0444\u043E\u0440\u043C\u044B \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0432\u044B\u0432\u043E\u0434\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u043B\u043E\u0441\u044B\u043F\u0440\u043E\u043A\u0440\u0443\u0442\u043A\u0438 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u0443\u0435\u043C\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0442\u043E\u0447\u043A\u0438\u0431\u0438\u0440\u0436\u0435\u0432\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0438\u0441\u0442\u043E\u0440\u0438\u044F\u0432\u044B\u0431\u043E\u0440\u0430\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043E\u0441\u0438\u0442\u043E\u0447\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0440\u0430\u0437\u043C\u0435\u0440\u0430\u043F\u0443\u0437\u044B\u0440\u044C\u043A\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u044B\u043A\u043E\u043C\u0430\u043D\u0434 \u043C\u0430\u043A\u0441\u0438\u043C\u0443\u043C\u0441\u0435\u0440\u0438\u0439 \u043D\u0430\u0447\u0430\u043B\u044C\u043D\u043E\u0435\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0434\u0435\u0440\u0435\u0432\u0430 \u043D\u0430\u0447\u0430\u043B\u044C\u043D\u043E\u0435\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0441\u043F\u0438\u0441\u043A\u0430 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u043C\u0435\u0442\u043E\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u043C\u0435\u0442\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u043B\u0435\u0433\u0435\u043D\u0434\u0435\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u043A\u043D\u043E\u043F\u043E\u043A \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0438\u0437\u043C\u0435\u0440\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043D\u043E\u043F\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043D\u043E\u043F\u043A\u0438\u0432\u044B\u0431\u043E\u0440\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0431\u0441\u0443\u0436\u0434\u0435\u043D\u0438\u0439\u0444\u043E\u0440\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0442\u0440\u0438\u0446\u0430\u0442\u0435\u043B\u044C\u043D\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043F\u0443\u0437\u044B\u0440\u044C\u043A\u043E\u0432\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0430\u043D\u0435\u043B\u0438\u043F\u043E\u0438\u0441\u043A\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u0441\u043A\u0430\u0437\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u044F\u043F\u0440\u0438\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0440\u0430\u0437\u043C\u0435\u0442\u043A\u0438\u043F\u043E\u043B\u043E\u0441\u044B\u0440\u0435\u0433\u0443\u043B\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u0444\u043E\u0440\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0444\u0438\u0433\u0443\u0440\u044B\u043A\u043D\u043E\u043F\u043A\u0438 \u043F\u0430\u043B\u0438\u0442\u0440\u0430\u0446\u0432\u0435\u0442\u043E\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0438\u0441\u043A\u0432\u0442\u0430\u0431\u043B\u0438\u0446\u0435\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438\u043A\u043D\u043E\u043F\u043A\u0438\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u0430\u043D\u0434\u043D\u043E\u0439\u043F\u0430\u043D\u0435\u043B\u0438\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u0430\u043D\u0434\u043D\u043E\u0439\u043F\u0430\u043D\u0435\u043B\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043E\u043F\u043E\u0440\u043D\u043E\u0439\u0442\u043E\u0447\u043A\u0438\u043E\u0442\u0440\u0438\u0441\u043E\u0432\u043A\u0438 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u0448\u043A\u0430\u043B\u044B\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0438\u0437\u043C\u0435\u0440\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0430 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u0442\u0440\u043E\u043A\u0438\u043F\u043E\u0438\u0441\u043A\u0430 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u043B\u0438\u043D\u0438\u0438 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u043E\u0438\u0441\u043A\u043E\u043C \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u043A\u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0439\u0433\u0438\u0441\u0442\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u0441\u0435\u0440\u0438\u0439\u0432\u043B\u0435\u0433\u0435\u043D\u0434\u0435\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0430\u0437\u043C\u0435\u0440\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0430\u0441\u0442\u044F\u0433\u0438\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0432\u0432\u043E\u0434\u0430\u0441\u0442\u0440\u043E\u043A\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0431\u043E\u0440\u0430\u043D\u0435\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u043D\u043E\u0433\u043E \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u0442\u044B \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0441\u0442\u0440\u043E\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0437\u043C\u0435\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0441\u0432\u044F\u0437\u0430\u043D\u043D\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u043F\u0435\u0447\u0430\u0442\u0438 \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u043A\u043E\u043C\u0430\u043D\u0434\u044B \u0440\u0435\u0436\u0438\u043C\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u043E\u043A\u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u043E\u043A\u043D\u0430\u0444\u043E\u0440\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0441\u0435\u0440\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u0440\u0438\u0441\u043E\u0432\u043A\u0438\u0441\u0435\u0442\u043A\u0438\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u0443\u043F\u0440\u043E\u0437\u0440\u0430\u0447\u043D\u043E\u0441\u0442\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0431\u0435\u043B\u043E\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u0435 \u0440\u0435\u0436\u0438\u043C\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043A\u043E\u043B\u043E\u043D\u043A\u0438 \u0440\u0435\u0436\u0438\u043C\u0441\u0433\u043B\u0430\u0436\u0438\u0432\u0430\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u0441\u0433\u043B\u0430\u0436\u0438\u0432\u0430\u043D\u0438\u044F\u0438\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0441\u043F\u0438\u0441\u043A\u0430\u0437\u0430\u0434\u0430\u0447 \u0441\u043A\u0432\u043E\u0437\u043D\u043E\u0435\u0432\u044B\u0440\u0430\u0432\u043D\u0438\u0432\u0430\u043D\u0438\u0435 \u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C\u044B\u0432\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0430\u0445 \u0441\u043F\u043E\u0441\u043E\u0431\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0441\u043F\u043E\u0441\u043E\u0431\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0438\u0432\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u0430\u044F\u0433\u0440\u0443\u043F\u043F\u0430\u043A\u043E\u043C\u0430\u043D\u0434 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0435\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u0435 \u0441\u0442\u0430\u0442\u0443\u0441\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0441\u0442\u0438\u043B\u044C\u0441\u0442\u0440\u0435\u043B\u043A\u0438 \u0442\u0438\u043F\u0430\u043F\u043F\u0440\u043E\u043A\u0441\u0438\u043C\u0430\u0446\u0438\u0438\u043B\u0438\u043D\u0438\u0438\u0442\u0440\u0435\u043D\u0434\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0435\u0434\u0438\u043D\u0438\u0446\u044B\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0442\u0438\u043F\u0438\u043C\u043F\u043E\u0440\u0442\u0430\u0441\u0435\u0440\u0438\u0439\u0441\u043B\u043E\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u043C\u0430\u0440\u043A\u0435\u0440\u0430\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043C\u0430\u0440\u043A\u0435\u0440\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u043E\u0440\u0433\u0430\u043D\u0438\u0437\u0430\u0446\u0438\u0438\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0441\u0435\u0440\u0438\u0438\u0441\u043B\u043E\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u0447\u043D\u043E\u0433\u043E\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0448\u043A\u0430\u043B\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043B\u0435\u0433\u0435\u043D\u0434\u044B\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043F\u043E\u0438\u0441\u043A\u0430\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043F\u0440\u043E\u0435\u043A\u0446\u0438\u0438\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u043E\u0432\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u0440\u0430\u043C\u043A\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0441\u0432\u044F\u0437\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043F\u043E\u0441\u0435\u0440\u0438\u044F\u043C\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u043B\u0438\u043D\u0438\u0438 \u0442\u0438\u043F\u0441\u0442\u043E\u0440\u043E\u043D\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u0444\u043E\u0440\u043C\u044B\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0448\u043A\u0430\u043B\u044B\u0440\u0430\u0434\u0430\u0440\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0444\u0430\u043A\u0442\u043E\u0440\u043B\u0438\u043D\u0438\u0438\u0442\u0440\u0435\u043D\u0434\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0444\u0438\u0433\u0443\u0440\u0430\u043A\u043D\u043E\u043F\u043A\u0438 \u0444\u0438\u0433\u0443\u0440\u044B\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0444\u0438\u043A\u0441\u0430\u0446\u0438\u044F\u0432\u0442\u0430\u0431\u043B\u0438\u0446\u0435 \u0444\u043E\u0440\u043C\u0430\u0442\u0434\u043D\u044F\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0444\u043E\u0440\u043C\u0430\u0442\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0448\u0438\u0440\u0438\u043D\u0430\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0444\u043E\u0440\u043C\u044B ",v="\u0432\u0438\u0434\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u044F\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0438\u0438 \u0432\u0438\u0434\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u044F\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0432\u0438\u0434\u0441\u0447\u0435\u0442\u0430 \u0432\u0438\u0434\u0442\u043E\u0447\u043A\u0438\u043C\u0430\u0440\u0448\u0440\u0443\u0442\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0430\u0433\u0440\u0435\u0433\u0430\u0442\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0435\u0436\u0438\u043C\u0430\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u0440\u0435\u0437\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0430\u0433\u0440\u0435\u0433\u0430\u0442\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u0432\u0440\u0435\u043C\u044F \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0438\u0441\u0438\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 ",A="\u0430\u0432\u0442\u043E\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u044F\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0439 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0439\u043D\u043E\u043C\u0435\u0440\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043E\u0442\u043F\u0440\u0430\u0432\u043A\u0430\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445 ",O="\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u043A\u043E\u043B\u043E\u043D\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u0441\u0442\u0440\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u043E\u0442\u043D\u043E\u0441\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0441\u043F\u043E\u0441\u043E\u0431\u0447\u0442\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0434\u0432\u0443\u0441\u0442\u043E\u0440\u043E\u043D\u043D\u0435\u0439\u043F\u0435\u0447\u0430\u0442\u0438 \u0442\u0438\u043F\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043A\u0443\u0440\u0441\u043E\u0440\u043E\u0432\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0440\u0438\u0441\u0443\u043D\u043A\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u044F\u0447\u0435\u0439\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0435\u0445\u043E\u0434\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043B\u0438\u043D\u0438\u0439\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0440\u0438\u0441\u0443\u043D\u043A\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0441\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0443\u0437\u043E\u0440\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0444\u0430\u0439\u043B\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u043E\u0447\u043D\u043E\u0441\u0442\u044C\u043F\u0435\u0447\u0430\u0442\u0438 \u0447\u0435\u0440\u0435\u0434\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u044F\u0441\u0442\u0440\u0430\u043D\u0438\u0446 ",N="\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u0440\u0435\u043C\u0435\u043D\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u043F\u043B\u0430\u043D\u0438\u0440\u043E\u0432\u0449\u0438\u043A\u0430 ",R="\u0442\u0438\u043F\u0444\u0430\u0439\u043B\u0430\u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 ",L="\u043E\u0431\u0445\u043E\u0434\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0437\u0430\u043F\u0438\u0441\u0438\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ",I="\u0432\u0438\u0434\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0434\u043E\u0431\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u044F\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0438\u0442\u043E\u0433\u043E\u0432 ",h="\u0434\u043E\u0441\u0442\u0443\u043F\u043A\u0444\u0430\u0439\u043B\u0443 \u0440\u0435\u0436\u0438\u043C\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u0432\u044B\u0431\u043E\u0440\u0430\u0444\u0430\u0439\u043B\u0430 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0444\u0430\u0439\u043B\u0430 ",k="\u0442\u0438\u043F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u044F\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ",F="\u0432\u0438\u0434\u0434\u0430\u043D\u043D\u044B\u0445\u0430\u043D\u0430\u043B\u0438\u0437\u0430 \u043C\u0435\u0442\u043E\u0434\u043A\u043B\u0430\u0441\u0442\u0435\u0440\u0438\u0437\u0430\u0446\u0438\u0438 \u0442\u0438\u043F\u0435\u0434\u0438\u043D\u0438\u0446\u044B\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430\u0432\u0440\u0435\u043C\u0435\u043D\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0447\u0438\u0441\u043B\u043E\u0432\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u0430\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u0434\u0435\u0440\u0435\u0432\u043E\u0440\u0435\u0448\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043A\u043B\u0430\u0441\u0442\u0435\u0440\u0438\u0437\u0430\u0446\u0438\u044F \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0430\u044F\u0441\u0442\u0430\u0442\u0438\u0441\u0442\u0438\u043A\u0430 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u043C\u043E\u0434\u0435\u043B\u0438\u043F\u0440\u043E\u0433\u043D\u043E\u0437\u0430 \u0442\u0438\u043F\u043C\u0435\u0440\u044B\u0440\u0430\u0441\u0441\u0442\u043E\u044F\u043D\u0438\u044F\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043E\u0442\u0441\u0435\u0447\u0435\u043D\u0438\u044F\u043F\u0440\u0430\u0432\u0438\u043B\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0438 \u0442\u0438\u043F\u043F\u043E\u043B\u044F\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u0438\u0437\u0430\u0446\u0438\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0443\u043F\u043E\u0440\u044F\u0434\u043E\u0447\u0438\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u0430\u0432\u0438\u043B\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0443\u043F\u043E\u0440\u044F\u0434\u043E\u0447\u0438\u0432\u0430\u043D\u0438\u044F\u0448\u0430\u0431\u043B\u043E\u043D\u043E\u0432\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0443\u043F\u0440\u043E\u0449\u0435\u043D\u0438\u044F\u0434\u0435\u0440\u0435\u0432\u0430\u0440\u0435\u0448\u0435\u043D\u0438\u0439 ",z="ws\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430 \u0432\u0430\u0440\u0438\u0430\u043D\u0442xpathxs \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0437\u0430\u043F\u0438\u0441\u0438\u0434\u0430\u0442\u044Bjson \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0432\u0438\u0434\u0433\u0440\u0443\u043F\u043F\u044B\u043C\u043E\u0434\u0435\u043B\u0438xs \u0432\u0438\u0434\u0444\u0430\u0441\u0435\u0442\u0430xdto \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044Fdom \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u043D\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u0441\u0445\u0435\u043C\u044Bxs \u0437\u0430\u043F\u0440\u0435\u0449\u0435\u043D\u043D\u044B\u0435\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs \u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u0438\u0434\u0435\u043D\u0442\u0438\u0447\u043D\u043E\u0441\u0442\u0438xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u0442\u0440\u0430\u043D\u0441\u0442\u0432\u0438\u043C\u0435\u043Dxs \u043C\u0435\u0442\u043E\u0434\u043D\u0430\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u043D\u0438\u044Fxs \u043C\u043E\u0434\u0435\u043B\u044C\u0441\u043E\u0434\u0435\u0440\u0436\u0438\u043C\u043E\u0433\u043Exs \u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0442\u0438\u043F\u0430xml \u043D\u0435\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0445\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432xs \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0441\u043E\u0434\u0435\u0440\u0436\u0438\u043C\u043E\u0433\u043Exs \u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u043E\u0442\u0431\u043E\u0440\u0430\u0443\u0437\u043B\u043E\u0432dom \u043F\u0435\u0440\u0435\u043D\u043E\u0441\u0441\u0442\u0440\u043E\u043Ajson \u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0432\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0435dom \u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u044Bxml \u0442\u0438\u043F\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xml \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fjson \u0442\u0438\u043F\u043A\u0430\u043D\u043E\u043D\u0438\u0447\u0435\u0441\u043A\u043E\u0433\u043Exml \u0442\u0438\u043F\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044Bxs \u0442\u0438\u043F\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0438xml \u0442\u0438\u043F\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430domxpath \u0442\u0438\u043F\u0443\u0437\u043B\u0430dom \u0442\u0438\u043F\u0443\u0437\u043B\u0430xml \u0444\u043E\u0440\u043C\u0430xml \u0444\u043E\u0440\u043C\u0430\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u044Fxs \u0444\u043E\u0440\u043C\u0430\u0442\u0434\u0430\u0442\u044Bjson \u044D\u043A\u0440\u0430\u043D\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432json ",K="\u0432\u0438\u0434\u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0440\u0442\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0432\u043B\u043E\u0436\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u0435\u0439\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0441\u043A\u043E\u0433\u043E\u043E\u0441\u0442\u0430\u0442\u043A\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0432\u044B\u0432\u043E\u0434\u0430\u0442\u0435\u043A\u0441\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0433\u0440\u0443\u043F\u043F\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u043E\u0442\u0431\u043E\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u043F\u043E\u043B\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043E\u0441\u0442\u0430\u0442\u043A\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0441\u0432\u044F\u0437\u0438\u043D\u0430\u0431\u043E\u0440\u043E\u0432\u0434\u0430\u043D\u043D\u044B\u0445\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043B\u0435\u0433\u0435\u043D\u0434\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043F\u0440\u0438\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043F\u043E\u0441\u043E\u0431\u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0430\u0432\u0442\u043E\u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0444\u0438\u043A\u0441\u0430\u0446\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0443\u0441\u043B\u043E\u0432\u043D\u043E\u0433\u043E\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 ",ue="\u0432\u0430\u0436\u043D\u043E\u0441\u0442\u044C\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0442\u0435\u043A\u0441\u0442\u0430\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0432\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043D\u0435ascii\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0442\u0435\u043A\u0441\u0442\u0430\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043F\u0440\u043E\u0442\u043E\u043A\u043E\u043B\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u044B \u0441\u0442\u0430\u0442\u0443\u0441\u0440\u0430\u0437\u0431\u043E\u0440\u0430\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F ",Z="\u0440\u0435\u0436\u0438\u043C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0438\u0437\u0430\u043F\u0438\u0441\u0438\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0441\u0442\u0430\u0442\u0443\u0441\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0438\u0437\u0430\u043F\u0438\u0441\u0438\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 ",fe="\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u0432\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u044F\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0438\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0430\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0442\u0438\u043F\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 ",V="\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430\u0438\u043C\u0435\u043D\u0444\u0430\u0439\u043B\u043E\u0432\u0432zip\u0444\u0430\u0439\u043B\u0435 \u043C\u0435\u0442\u043E\u0434\u0441\u0436\u0430\u0442\u0438\u044Fzip \u043C\u0435\u0442\u043E\u0434\u0448\u0438\u0444\u0440\u043E\u0432\u0430\u043D\u0438\u044Fzip \u0440\u0435\u0436\u0438\u043C\u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0443\u0442\u0435\u0439\u0444\u0430\u0439\u043B\u043E\u0432zip \u0440\u0435\u0436\u0438\u043C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u043F\u043E\u0434\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043E\u0432zip \u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u043F\u0443\u0442\u0435\u0439zip \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0441\u0436\u0430\u0442\u0438\u044Fzip ",ne="\u0437\u0432\u0443\u043A\u043E\u0432\u043E\u0435\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u0435 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0445\u043E\u0434\u0430\u043A\u0441\u0442\u0440\u043E\u043A\u0435 \u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0432\u043F\u043E\u0442\u043E\u043A\u0435 \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u0431\u0430\u0439\u0442\u043E\u0432 \u0440\u0435\u0436\u0438\u043C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u043E\u0439\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0435\u0440\u0432\u0438\u0441\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0445\u043F\u043E\u043A\u0443\u043F\u043E\u043A \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u0444\u043E\u043D\u043E\u0432\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0442\u0438\u043F\u043F\u043E\u0434\u043F\u0438\u0441\u0447\u0438\u043A\u0430\u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0445\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0439 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0437\u0430\u0449\u0438\u0449\u0435\u043D\u043D\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044Fftp ",te="\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043E\u0440\u044F\u0434\u043A\u0430\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043C\u0438\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u043A\u043E\u043D\u0442\u0440\u043E\u043B\u044C\u043D\u043E\u0439\u0442\u043E\u0447\u043A\u0438\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u043E\u0431\u044A\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ",G="http\u043C\u0435\u0442\u043E\u0434 \u0430\u0432\u0442\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0430\u0432\u0442\u043E\u043F\u0440\u0435\u0444\u0438\u043A\u0441\u043D\u043E\u043C\u0435\u0440\u0430\u0437\u0430\u0434\u0430\u0447\u0438 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u043E\u0433\u043E\u044F\u0437\u044B\u043A\u0430 \u0432\u0438\u0434\u0438\u0435\u0440\u0430\u0440\u0445\u0438\u0438 \u0432\u0438\u0434\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0437\u0430\u043F\u0438\u0441\u044C\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0439\u043F\u0440\u0438\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0438 \u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u0435\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439 \u0438\u043D\u0434\u0435\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0431\u0430\u0437\u044B\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0431\u044B\u0441\u0442\u0440\u043E\u0433\u043E\u0432\u044B\u0431\u043E\u0440\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u0438\u044F \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0437\u0434\u0435\u043B\u044F\u0435\u043C\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0434\u0430\u0447\u0438 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u043F\u0435\u0440\u0430\u0442\u0438\u0432\u043D\u043E\u0435\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0432\u0438\u0434\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0432\u0438\u0434\u0430\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A\u0438 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0437\u0430\u0434\u0430\u0447\u0438 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043B\u0430\u043D\u0430\u043E\u0431\u043C\u0435\u043D\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u0447\u0435\u0442\u0430 \u043F\u0435\u0440\u0435\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0433\u0440\u0430\u043D\u0438\u0446\u044B\u043F\u0440\u0438\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0438 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u043D\u043E\u043C\u0435\u0440\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u043D\u043E\u043C\u0435\u0440\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0441\u0432\u0435\u0434\u0435\u043D\u0438\u0439 \u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0432\u043E\u0437\u0432\u0440\u0430\u0449\u0430\u0435\u043C\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u043F\u043E\u0438\u0441\u043A\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u043F\u0440\u0438\u043D\u0430\u0434\u043B\u0435\u0436\u043D\u043E\u0441\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442\u0430 \u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435 \u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0430\u0443\u0442\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0446\u0438\u0438\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u0438\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432 \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0438\u0441\u0438\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043C\u043E\u0434\u0430\u043B\u044C\u043D\u043E\u0441\u0442\u0438 \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0438\u043D\u0445\u0440\u043E\u043D\u043D\u044B\u0445\u0432\u044B\u0437\u043E\u0432\u043E\u0432\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043F\u043B\u0430\u0442\u0444\u043E\u0440\u043C\u044B\u0438\u0432\u043D\u0435\u0448\u043D\u0438\u0445\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442 \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0433\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0435\u0430\u043D\u0441\u043E\u0432 \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u044B\u0431\u043E\u0440\u0430\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0432\u043C\u0435\u0441\u0442\u0438\u043C\u043E\u0441\u0442\u0438 \u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0432\u043C\u0435\u0441\u0442\u0438\u043C\u043E\u0441\u0442\u0438\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u0440\u0435\u0436\u0438\u043C\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u043E\u0439\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0443\u043C\u043E\u043B\u0447\u0430\u043D\u0438\u044E \u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A \u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u043F\u043B\u0430\u043D\u0430\u0441\u0447\u0435\u0442\u043E\u0432 \u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u0441\u043F\u043E\u0441\u043E\u0431\u0432\u044B\u0431\u043E\u0440\u0430 \u0441\u043F\u043E\u0441\u043E\u0431\u043F\u043E\u0438\u0441\u043A\u0430\u0441\u0442\u0440\u043E\u043A\u0438\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u0441\u043F\u043E\u0441\u043E\u0431\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0442\u0438\u043F\u0434\u0430\u043D\u043D\u044B\u0445\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043A\u043E\u0434\u0430\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u043A\u043E\u0434\u0430\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430 \u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 \u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0437\u0430\u0434\u0430\u0447\u0438 \u0442\u0438\u043F\u0444\u043E\u0440\u043C\u044B \u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0439 ",se="\u0432\u0430\u0436\u043D\u043E\u0441\u0442\u044C\u043F\u0440\u043E\u0431\u043B\u0435\u043C\u044B\u043F\u0440\u0438\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0444\u043E\u0440\u043C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u0448\u0440\u0438\u0444\u0442\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0439\u0434\u0430\u0442\u044B\u043D\u0430\u0447\u0430\u043B\u0430 \u0432\u0438\u0434\u0433\u0440\u0430\u043D\u0438\u0446\u044B \u0432\u0438\u0434\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0432\u0438\u0434\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0432\u0438\u0434\u0440\u0430\u043C\u043A\u0438 \u0432\u0438\u0434\u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u0446\u0432\u0435\u0442\u0430 \u0432\u0438\u0434\u0447\u0438\u0441\u043B\u043E\u0432\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u0448\u0440\u0438\u0444\u0442\u0430 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u0430\u044F\u0434\u043B\u0438\u043D\u0430 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0439\u0437\u043D\u0430\u043A \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435byteordermark \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043C\u0435\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043A\u043B\u0430\u0432\u0438\u0448\u0430 \u043A\u043E\u0434\u0432\u043E\u0437\u0432\u0440\u0430\u0442\u0430\u0434\u0438\u0430\u043B\u043E\u0433\u0430 \u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430xbase \u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430\u0442\u0435\u043A\u0441\u0442\u0430 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043E\u0438\u0441\u043A\u0430 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0440\u0442\u0438\u0440\u043E\u0432\u043A\u0438 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0438\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0430\u043D\u0435\u043B\u0438\u0440\u0430\u0437\u0434\u0435\u043B\u043E\u0432 \u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0430\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u0432\u043E\u043F\u0440\u043E\u0441 \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0443\u0441\u043A\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u043A\u0440\u0443\u0433\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0444\u043E\u0440\u043C\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0441\u043A\u043E\u0440\u043E\u0441\u0442\u044C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043F\u043E\u0441\u043E\u0431\u0432\u044B\u0431\u043E\u0440\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0430windows \u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0442\u0440\u043E\u043A\u0438 \u0441\u0442\u0430\u0442\u0443\u0441\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B \u0442\u0438\u043F\u043F\u043B\u0430\u0442\u0444\u043E\u0440\u043C\u044B \u0442\u0438\u043F\u043F\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F\u043A\u043B\u0430\u0432\u0438\u0448\u0438enter \u0442\u0438\u043F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u0438\u043E\u0432\u044B\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u0438\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0438\u0437\u043E\u043B\u044F\u0446\u0438\u0438\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0439 \u0445\u0435\u0448\u0444\u0443\u043D\u043A\u0446\u0438\u044F \u0447\u0430\u0441\u0442\u0438\u0434\u0430\u0442\u044B",ve=y+M+v+A+O+N+R+L+I+h+k+F+z+K+ue+Z+fe+V+ne+te+G+se,W="com\u043E\u0431\u044A\u0435\u043A\u0442 ftp\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 http\u0437\u0430\u043F\u0440\u043E\u0441 http\u0441\u0435\u0440\u0432\u0438\u0441\u043E\u0442\u0432\u0435\u0442 http\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 ws\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044F ws\u043F\u0440\u043E\u043A\u0441\u0438 xbase \u0430\u043D\u0430\u043B\u0438\u0437\u0434\u0430\u043D\u043D\u044B\u0445 \u0430\u043D\u043D\u043E\u0442\u0430\u0446\u0438\u044Fxs \u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0443\u0444\u0435\u0440\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435xs \u0432\u044B\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0433\u0435\u043D\u0435\u0440\u0430\u0442\u043E\u0440\u0441\u043B\u0443\u0447\u0430\u0439\u043D\u044B\u0445\u0447\u0438\u0441\u0435\u043B \u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0430\u044F\u0441\u0445\u0435\u043C\u0430 \u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0438\u0435\u043A\u043E\u043E\u0440\u0434\u0438\u043D\u0430\u0442\u044B \u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0430\u044F\u0441\u0445\u0435\u043C\u0430 \u0433\u0440\u0443\u043F\u043F\u0430\u043C\u043E\u0434\u0435\u043B\u0438xs \u0434\u0430\u043D\u043D\u044B\u0435\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0435\u0434\u0430\u043D\u043D\u044B\u0435 \u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u0430 \u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430 \u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430\u0433\u0430\u043D\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0444\u0430\u0439\u043B\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0446\u0432\u0435\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0448\u0440\u0438\u0444\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0440\u0430\u0441\u043F\u0438\u0441\u0430\u043D\u0438\u044F\u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0434\u0438\u0430\u043B\u043E\u0433\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430 \u0434\u0438\u0430\u043F\u0430\u0437\u043E\u043D \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442dom \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442html \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430\u0446\u0438\u044Fxs \u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u043E\u0435\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0435 \u0437\u0430\u043F\u0438\u0441\u044Cdom \u0437\u0430\u043F\u0438\u0441\u044Cfastinfoset \u0437\u0430\u043F\u0438\u0441\u044Chtml \u0437\u0430\u043F\u0438\u0441\u044Cjson \u0437\u0430\u043F\u0438\u0441\u044Cxml \u0437\u0430\u043F\u0438\u0441\u044Czip\u0444\u0430\u0439\u043B\u0430 \u0437\u0430\u043F\u0438\u0441\u044C\u0434\u0430\u043D\u043D\u044B\u0445 \u0437\u0430\u043F\u0438\u0441\u044C\u0442\u0435\u043A\u0441\u0442\u0430 \u0437\u0430\u043F\u0438\u0441\u044C\u0443\u0437\u043B\u043E\u0432dom \u0437\u0430\u043F\u0440\u043E\u0441 \u0437\u0430\u0449\u0438\u0449\u0435\u043D\u043D\u043E\u0435\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435openssl \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u0435\u0439\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0438\u0437\u0432\u043B\u0435\u0447\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430 \u0438\u043C\u043F\u043E\u0440\u0442xs \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u0430 \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0435\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435 \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u044B\u0439\u043F\u0440\u043E\u0444\u0438\u043B\u044C \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u0440\u043E\u043A\u0441\u0438 \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u0434\u043B\u044F\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044Fxs \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u044B\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0438\u0442\u0435\u0440\u0430\u0442\u043E\u0440\u0443\u0437\u043B\u043E\u0432dom \u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0430 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0434\u0430\u0442\u044B \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0441\u0442\u0440\u043E\u043A\u0438 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0447\u0438\u0441\u043B\u0430 \u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u0449\u0438\u043A\u043C\u0430\u043A\u0435\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u0449\u0438\u043A\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u043C\u0430\u043A\u0435\u0442\u0430\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u0444\u043E\u0440\u043C\u0430\u0442\u043D\u043E\u0439\u0441\u0442\u0440\u043E\u043A\u0438 \u043B\u0438\u043D\u0438\u044F \u043C\u0430\u043A\u0435\u0442\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043C\u0430\u043A\u0435\u0442\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043C\u0430\u043A\u0435\u0442\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043C\u0430\u0441\u043A\u0430xs \u043C\u0435\u043D\u0435\u0434\u0436\u0435\u0440\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u043D\u0430\u0431\u043E\u0440\u0441\u0445\u0435\u043Cxml \u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438json \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u0431\u0445\u043E\u0434\u0434\u0435\u0440\u0435\u0432\u0430dom \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u043D\u043E\u0442\u0430\u0446\u0438\u0438xs \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430xs \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0434\u043E\u0441\u0442\u0443\u043F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u043E\u0442\u043A\u0430\u0437\u0432\u0434\u043E\u0441\u0442\u0443\u043F\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0434\u0430\u0432\u0430\u0435\u043C\u043E\u0433\u043E\u0444\u0430\u0439\u043B\u0430 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0442\u0438\u043F\u043E\u0432 \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u043E\u0432xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u043C\u043E\u0434\u0435\u043B\u0438xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u0438\u0434\u0435\u043D\u0442\u0438\u0447\u043D\u043E\u0441\u0442\u0438xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0441\u0442\u0430\u0432\u043D\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0442\u0438\u043F\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430dom \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044Fxpathxs \u043E\u0442\u0431\u043E\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u0430\u043A\u0435\u0442\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0430\u0435\u043C\u044B\u0445\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0432\u044B\u0431\u043E\u0440\u0430 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0437\u0430\u043F\u0438\u0441\u0438json \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0437\u0430\u043F\u0438\u0441\u0438xml \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0447\u0442\u0435\u043D\u0438\u044Fxml \u043F\u0435\u0440\u0435\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435xs \u043F\u043B\u0430\u043D\u0438\u0440\u043E\u0432\u0449\u0438\u043A \u043F\u043E\u043B\u0435\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044Cdom \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u043E\u0442\u0447\u0435\u0442\u0430 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u043E\u0442\u0447\u0435\u0442\u0430\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u0441\u0445\u0435\u043Cxml \u043F\u043E\u0442\u043E\u043A \u043F\u043E\u0442\u043E\u043A\u0432\u043F\u0430\u043C\u044F\u0442\u0438 \u043F\u043E\u0447\u0442\u0430 \u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0435\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435 \u043F\u0440\u0435\u043E\u0431\u0440\u0430\u0437\u043E\u0432\u0430\u043D\u0438\u0435xsl \u043F\u0440\u0435\u043E\u0431\u0440\u0430\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043A\u043A\u0430\u043D\u043E\u043D\u0438\u0447\u0435\u0441\u043A\u043E\u043C\u0443xml \u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u0432\u044B\u0432\u043E\u0434\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u043A\u043E\u043B\u043B\u0435\u043A\u0446\u0438\u044E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u0432\u044B\u0432\u043E\u0434\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0437\u044B\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043F\u0440\u043E\u0441\u0442\u0440\u0430\u043D\u0441\u0442\u0432\u0438\u043C\u0435\u043Ddom \u0440\u0430\u043C\u043A\u0430 \u0440\u0430\u0441\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u043D\u043E\u0435\u0438\u043C\u044Fxml \u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0447\u0442\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0432\u043E\u0434\u043D\u0430\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430 \u0441\u0432\u044F\u0437\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u0432\u044B\u0431\u043E\u0440\u0430 \u0441\u0432\u044F\u0437\u044C\u043F\u043E\u0442\u0438\u043F\u0443 \u0441\u0432\u044F\u0437\u044C\u043F\u043E\u0442\u0438\u043F\u0443\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0442\u043E\u0440xdto \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u043B\u0438\u0435\u043D\u0442\u0430windows \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u0444\u0430\u0439\u043B \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u044B\u0443\u0434\u043E\u0441\u0442\u043E\u0432\u0435\u0440\u044F\u044E\u0449\u0438\u0445\u0446\u0435\u043D\u0442\u0440\u043E\u0432windows \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u044B\u0443\u0434\u043E\u0441\u0442\u043E\u0432\u0435\u0440\u044F\u044E\u0449\u0438\u0445\u0446\u0435\u043D\u0442\u0440\u043E\u0432\u0444\u0430\u0439\u043B \u0441\u0436\u0430\u0442\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u0430\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F \u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044E \u0441\u043E\u0447\u0435\u0442\u0430\u043D\u0438\u0435\u043A\u043B\u0430\u0432\u0438\u0448 \u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u0430\u044F\u0434\u0430\u0442\u0430\u043D\u0430\u0447\u0430\u043B\u0430 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u044B\u0439\u043F\u0435\u0440\u0438\u043E\u0434 \u0441\u0445\u0435\u043C\u0430xml \u0441\u0445\u0435\u043C\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0430\u0431\u043B\u0438\u0447\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u0442\u0435\u0441\u0442\u0438\u0440\u0443\u0435\u043C\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u0438\u043F\u0434\u0430\u043D\u043D\u044B\u0445xml \u0443\u043D\u0438\u043A\u0430\u043B\u044C\u043D\u044B\u0439\u0438\u0434\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440 \u0444\u0430\u0431\u0440\u0438\u043A\u0430xdto \u0444\u0430\u0439\u043B \u0444\u0430\u0439\u043B\u043E\u0432\u044B\u0439\u043F\u043E\u0442\u043E\u043A \u0444\u0430\u0441\u0435\u0442\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u0430\u0440\u0430\u0437\u0440\u044F\u0434\u043E\u0432\u0434\u0440\u043E\u0431\u043D\u043E\u0439\u0447\u0430\u0441\u0442\u0438xs \u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0432\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0438\u0441\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0439\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0432\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0438\u0441\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0439\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043E\u0431\u0440\u0430\u0437\u0446\u0430xs \u0444\u0430\u0441\u0435\u0442\u043E\u0431\u0449\u0435\u0433\u043E\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u0430\u0440\u0430\u0437\u0440\u044F\u0434\u043E\u0432xs \u0444\u0430\u0441\u0435\u0442\u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0445\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432xs \u0444\u0438\u043B\u044C\u0442\u0440\u0443\u0437\u043B\u043E\u0432dom \u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u0430\u044F\u0441\u0442\u0440\u043E\u043A\u0430 \u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u0444\u0440\u0430\u0433\u043C\u0435\u043D\u0442xs \u0445\u0435\u0448\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0446\u0432\u0435\u0442 \u0447\u0442\u0435\u043D\u0438\u0435fastinfoset \u0447\u0442\u0435\u043D\u0438\u0435html \u0447\u0442\u0435\u043D\u0438\u0435json \u0447\u0442\u0435\u043D\u0438\u0435xml \u0447\u0442\u0435\u043D\u0438\u0435zip\u0444\u0430\u0439\u043B\u0430 \u0447\u0442\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0447\u0442\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430 \u0447\u0442\u0435\u043D\u0438\u0435\u0443\u0437\u043B\u043E\u0432dom \u0448\u0440\u0438\u0444\u0442 \u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 "+"comsafearray \u0434\u0435\u0440\u0435\u0432\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043C\u0430\u0441\u0441\u0438\u0432 \u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435 \u0441\u043F\u0438\u0441\u043E\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0430 \u0442\u0430\u0431\u043B\u0438\u0446\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u0430\u044F\u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0430 \u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u043E\u0435\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435 \u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u043C\u0430\u0441\u0441\u0438\u0432 ",Oe="null \u0438\u0441\u0442\u0438\u043D\u0430 \u043B\u043E\u0436\u044C \u043D\u0435\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043E",tt=t.inherit(t.NUMBER_MODE),rt={className:"string",begin:'"|\\|',end:'"|$',contains:[{begin:'""'}]},bt={begin:"'",end:"'",excludeBegin:!0,excludeEnd:!0,contains:[{className:"number",begin:"\\d{4}([\\.\\\\/:-]?\\d{2}){0,5}"}]},dt=t.inherit(t.C_LINE_COMMENT_MODE),ct={className:"meta",begin:"#|&",end:"$",keywords:{$pattern:n,keyword:o+c},contains:[dt]},Ze={className:"symbol",begin:"~",end:";|:",excludeEnd:!0},nt={className:"function",variants:[{begin:"\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u0430|\u0444\u0443\u043D\u043A\u0446\u0438\u044F",end:"\\)",keywords:"\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u0430 \u0444\u0443\u043D\u043A\u0446\u0438\u044F"},{begin:"\u043A\u043E\u043D\u0435\u0446\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u044B|\u043A\u043E\u043D\u0435\u0446\u0444\u0443\u043D\u043A\u0446\u0438\u0438",keywords:"\u043A\u043E\u043D\u0435\u0446\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u044B \u043A\u043E\u043D\u0435\u0446\u0444\u0443\u043D\u043A\u0446\u0438\u0438"}],contains:[{begin:"\\(",end:"\\)",endsParent:!0,contains:[{className:"params",begin:n,end:",",excludeEnd:!0,endsWithParent:!0,keywords:{$pattern:n,keyword:"\u0437\u043D\u0430\u0447",literal:Oe},contains:[tt,rt,bt]},dt]},t.inherit(t.TITLE_MODE,{begin:n})]};return{name:"1C:Enterprise",case_insensitive:!0,keywords:{$pattern:n,keyword:o,built_in:T,class:ve,type:W,literal:Oe},contains:[ct,nt,dt,Ze,tt,rt,bt]}}return gp=e,gp}var hp,_v;function C1(){if(_v)return hp;_v=1;function e(t){const n=t.regex,r=/^[a-zA-Z][a-zA-Z0-9-]*/,a=["ALPHA","BIT","CHAR","CR","CRLF","CTL","DIGIT","DQUOTE","HEXDIG","HTAB","LF","LWSP","OCTET","SP","VCHAR","WSP"],o=t.COMMENT(/;/,/$/),l={scope:"symbol",match:/%b[0-1]+(-[0-1]+|(\.[0-1]+)+)?/},u={scope:"symbol",match:/%d[0-9]+(-[0-9]+|(\.[0-9]+)+)?/},c={scope:"symbol",match:/%x[0-9A-F]+(-[0-9A-F]+|(\.[0-9A-F]+)+)?/},d={scope:"symbol",match:/%[si](?=".*")/},S={scope:"attribute",match:n.concat(r,/(?=\s*=)/)};return{name:"Augmented Backus-Naur Form",illegal:/[!@#$^&',?+~`|:]/,keywords:a,contains:[{scope:"operator",match:/=\/?/},S,o,l,u,c,d,t.QUOTE_STRING_MODE,t.NUMBER_MODE]}}return hp=e,hp}var Ep,mv;function A1(){if(mv)return Ep;mv=1;function e(t){const n=t.regex,r=["GET","POST","HEAD","PUT","DELETE","CONNECT","OPTIONS","PATCH","TRACE"];return{name:"Apache Access Log",contains:[{className:"number",begin:/^\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}(:\d{1,5})?\b/,relevance:5},{className:"number",begin:/\b\d+\b/,relevance:0},{className:"string",begin:n.concat(/"/,n.either(...r)),end:/"/,keywords:r,illegal:/\n/,relevance:5,contains:[{begin:/HTTP\/[12]\.\d'/,relevance:5}]},{className:"string",begin:/\[\d[^\]\n]{8,}\]/,illegal:/\n/,relevance:1},{className:"string",begin:/\[/,end:/\]/,illegal:/\n/,relevance:0},{className:"string",begin:/"Mozilla\/\d\.\d \(/,end:/"/,illegal:/\n/,relevance:3},{className:"string",begin:/"/,end:/"/,illegal:/\n/,relevance:0}]}}return Ep=e,Ep}var Sp,gv;function O1(){if(gv)return Sp;gv=1;function e(t){const n=t.regex,r=/[a-zA-Z_$][a-zA-Z0-9_$]*/,a=n.concat(r,n.concat("(\\.",r,")*")),o=/([*]|[a-zA-Z_$][a-zA-Z0-9_$]*)/,l={className:"rest_arg",begin:/[.]{3}/,end:r,relevance:10};return{name:"ActionScript",aliases:["as"],keywords:{keyword:["as","break","case","catch","class","const","continue","default","delete","do","dynamic","each","else","extends","final","finally","for","function","get","if","implements","import","in","include","instanceof","interface","internal","is","namespace","native","new","override","package","private","protected","public","return","set","static","super","switch","this","throw","try","typeof","use","var","void","while","with"],literal:["true","false","null","undefined"]},contains:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.C_NUMBER_MODE,{match:[/\bpackage/,/\s+/,a],className:{1:"keyword",3:"title.class"}},{match:[/\b(?:class|interface|extends|implements)/,/\s+/,r],className:{1:"keyword",3:"title.class"}},{className:"meta",beginKeywords:"import include",end:/;/,keywords:{keyword:"import include"}},{beginKeywords:"function",end:/[{;]/,excludeEnd:!0,illegal:/\S/,contains:[t.inherit(t.TITLE_MODE,{className:"title.function"}),{className:"params",begin:/\(/,end:/\)/,contains:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,l]},{begin:n.concat(/:\s*/,o)}]},t.METHOD_GUARD],illegal:/#/}}return Sp=e,Sp}var bp,hv;function R1(){if(hv)return bp;hv=1;function e(t){const n="\\d(_|\\d)*",r="[eE][-+]?"+n,a=n+"(\\."+n+")?("+r+")?",o="\\w+",u="\\b("+(n+"#"+o+"(\\."+o+")?#("+r+")?")+"|"+a+")",c="[A-Za-z](_?[A-Za-z0-9.])*",d=`[]\\{\\}%#'"`,S=t.COMMENT("--","$"),_={begin:"\\s+:\\s+",end:"\\s*(:=|;|\\)|=>|$)",illegal:d,contains:[{beginKeywords:"loop for declare others",endsParent:!0},{className:"keyword",beginKeywords:"not null constant access function procedure in out aliased exception"},{className:"type",begin:c,endsParent:!0,relevance:0}]};return{name:"Ada",case_insensitive:!0,keywords:{keyword:["abort","else","new","return","abs","elsif","not","reverse","abstract","end","accept","entry","select","access","exception","of","separate","aliased","exit","or","some","all","others","subtype","and","for","out","synchronized","array","function","overriding","at","tagged","generic","package","task","begin","goto","pragma","terminate","body","private","then","if","procedure","type","case","in","protected","constant","interface","is","raise","use","declare","range","delay","limited","record","when","delta","loop","rem","while","digits","renames","with","do","mod","requeue","xor"],literal:["True","False"]},contains:[S,{className:"string",begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{className:"string",begin:/'.'/},{className:"number",begin:u,relevance:0},{className:"symbol",begin:"'"+c},{className:"title",begin:"(\\bwith\\s+)?(\\bprivate\\s+)?\\bpackage\\s+(\\bbody\\s+)?",end:"(is|$)",keywords:"package body",excludeBegin:!0,excludeEnd:!0,illegal:d},{begin:"(\\b(with|overriding)\\s+)?\\b(function|procedure)\\s+",end:"(\\bis|\\bwith|\\brenames|\\)\\s*;)",keywords:"overriding function procedure with is renames return",returnBegin:!0,contains:[S,{className:"title",begin:"(\\bwith\\s+)?\\b(function|procedure)\\s+",end:"(\\(|\\s+|$)",excludeBegin:!0,excludeEnd:!0,illegal:d},_,{className:"type",begin:"\\breturn\\s+",end:"(\\s+|;|$)",keywords:"return",excludeBegin:!0,excludeEnd:!0,endsParent:!0,illegal:d}]},{className:"type",begin:"\\b(sub)?type\\s+",end:"\\s+",keywords:"type",excludeBegin:!0,illegal:d},_]}}return bp=e,bp}var vp,Ev;function N1(){if(Ev)return vp;Ev=1;function e(t){const n={className:"built_in",begin:"\\b(void|bool|int8|int16|int32|int64|int|uint8|uint16|uint32|uint64|uint|string|ref|array|double|float|auto|dictionary)"},r={className:"symbol",begin:"[a-zA-Z0-9_]+@"},a={className:"keyword",begin:"<",end:">",contains:[n,r]};return n.contains=[a],r.contains=[a],{name:"AngelScript",aliases:["asc"],keywords:["for","in|0","break","continue","while","do|0","return","if","else","case","switch","namespace","is","cast","or","and","xor","not","get|0","in","inout|10","out","override","set|0","private","public","const","default|0","final","shared","external","mixin|10","enum","typedef","funcdef","this","super","import","from","interface","abstract|0","try","catch","protected","explicit","property"],illegal:"(^using\\s+[A-Za-z0-9_\\.]+;$|\\bfunction\\s*[^\\(])",contains:[{className:"string",begin:"'",end:"'",illegal:"\\n",contains:[t.BACKSLASH_ESCAPE],relevance:0},{className:"string",begin:'"""',end:'"""'},{className:"string",begin:'"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE],relevance:0},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"string",begin:"^\\s*\\[",end:"\\]"},{beginKeywords:"interface namespace",end:/\{/,illegal:"[;.\\-]",contains:[{className:"symbol",begin:"[a-zA-Z0-9_]+"}]},{beginKeywords:"class",end:/\{/,illegal:"[;.\\-]",contains:[{className:"symbol",begin:"[a-zA-Z0-9_]+",contains:[{begin:"[:,]\\s*",contains:[{className:"symbol",begin:"[a-zA-Z0-9_]+"}]}]}]},n,r,{className:"literal",begin:"\\b(null|true|false)"},{className:"number",relevance:0,begin:"(-?)(\\b0[xXbBoOdD][a-fA-F0-9]+|(\\b\\d+(\\.\\d*)?f?|\\.\\d+f?)([eE][-+]?\\d+f?)?)"}]}}return vp=e,vp}var Tp,Sv;function I1(){if(Sv)return Tp;Sv=1;function e(t){const n={className:"number",begin:/[$%]\d+/},r={className:"number",begin:/\b\d+/},a={className:"number",begin:/\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}(:\d{1,5})?/},o={className:"number",begin:/:\d{1,5}/};return{name:"Apache config",aliases:["apacheconf"],case_insensitive:!0,contains:[t.HASH_COMMENT_MODE,{className:"section",begin:/<\/?/,end:/>/,contains:[a,o,t.inherit(t.QUOTE_STRING_MODE,{relevance:0})]},{className:"attribute",begin:/\w+/,relevance:0,keywords:{_:["order","deny","allow","setenv","rewriterule","rewriteengine","rewritecond","documentroot","sethandler","errordocument","loadmodule","options","header","listen","serverroot","servername"]},starts:{end:/$/,relevance:0,keywords:{literal:"on off all deny allow"},contains:[{className:"meta",begin:/\s\[/,end:/\]$/},{className:"variable",begin:/[\$%]\{/,end:/\}/,contains:["self",n]},a,r,t.QUOTE_STRING_MODE]}}],illegal:/\S/}}return Tp=e,Tp}var yp,bv;function D1(){if(bv)return yp;bv=1;function e(t){const n=t.regex,r=t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),a={className:"params",begin:/\(/,end:/\)/,contains:["self",t.C_NUMBER_MODE,r]},o=t.COMMENT(/--/,/$/),l=t.COMMENT(/\(\*/,/\*\)/,{contains:["self",o]}),u=[o,l,t.HASH_COMMENT_MODE],c=[/apart from/,/aside from/,/instead of/,/out of/,/greater than/,/isn't|(doesn't|does not) (equal|come before|come after|contain)/,/(greater|less) than( or equal)?/,/(starts?|ends|begins?) with/,/contained by/,/comes (before|after)/,/a (ref|reference)/,/POSIX (file|path)/,/(date|time) string/,/quoted form/],d=[/clipboard info/,/the clipboard/,/info for/,/list (disks|folder)/,/mount volume/,/path to/,/(close|open for) access/,/(get|set) eof/,/current date/,/do shell script/,/get volume settings/,/random number/,/set volume/,/system attribute/,/system info/,/time to GMT/,/(load|run|store) script/,/scripting components/,/ASCII (character|number)/,/localized string/,/choose (application|color|file|file name|folder|from list|remote application|URL)/,/display (alert|dialog)/];return{name:"AppleScript",aliases:["osascript"],keywords:{keyword:"about above after against and around as at back before beginning behind below beneath beside between but by considering contain contains continue copy div does eighth else end equal equals error every exit fifth first for fourth from front get given global if ignoring in into is it its last local me middle mod my ninth not of on onto or over prop property put ref reference repeat returning script second set seventh since sixth some tell tenth that the|0 then third through thru timeout times to transaction try until where while whose with without",literal:"AppleScript false linefeed return pi quote result space tab true",built_in:"alias application boolean class constant date file integer list number real record string text activate beep count delay launch log offset read round run say summarize write character characters contents day frontmost id item length month name|0 paragraph paragraphs rest reverse running time version weekday word words year"},contains:[r,t.C_NUMBER_MODE,{className:"built_in",begin:n.concat(/\b/,n.either(...d),/\b/)},{className:"built_in",begin:/^\s*return\b/},{className:"literal",begin:/\b(text item delimiters|current application|missing value)\b/},{className:"keyword",begin:n.concat(/\b/,n.either(...c),/\b/)},{beginKeywords:"on",illegal:/[${=;\n]/,contains:[t.UNDERSCORE_TITLE_MODE,a]},...u],illegal:/\/\/|->|=>|\[\[/}}return yp=e,yp}var Cp,vv;function x1(){if(vv)return Cp;vv=1;function e(t){const n="[A-Za-z_][0-9A-Za-z_]*",r={keyword:["if","for","while","var","new","function","do","return","void","else","break"],literal:["BackSlash","DoubleQuote","false","ForwardSlash","Infinity","NaN","NewLine","null","PI","SingleQuote","Tab","TextFormatting","true","undefined"],built_in:["Abs","Acos","All","Angle","Any","Area","AreaGeodetic","Array","Asin","Atan","Atan2","Attachments","Average","Back","Bearing","Boolean","Buffer","BufferGeodetic","Ceil","Centroid","Clip","Concatenate","Console","Constrain","Contains","ConvertDirection","Cos","Count","Crosses","Cut","Date","DateAdd","DateDiff","Day","Decode","DefaultValue","Densify","DensifyGeodetic","Dictionary","Difference","Disjoint","Distance","DistanceGeodetic","Distinct","Domain","DomainCode","DomainName","EnvelopeIntersects","Equals","Erase","Exp","Expects","Extent","Feature","FeatureSet","FeatureSetByAssociation","FeatureSetById","FeatureSetByName","FeatureSetByPortalItem","FeatureSetByRelationshipName","Filter","Find","First","Floor","FromCharCode","FromCodePoint","FromJSON","GdbVersion","Generalize","Geometry","GetFeatureSet","GetUser","GroupBy","Guid","Hash","HasKey","Hour","IIf","Includes","IndexOf","Insert","Intersection","Intersects","IsEmpty","IsNan","ISOMonth","ISOWeek","ISOWeekday","ISOYear","IsSelfIntersecting","IsSimple","Left|0","Length","Length3D","LengthGeodetic","Log","Lower","Map","Max","Mean","Mid","Millisecond","Min","Minute","Month","MultiPartToSinglePart","Multipoint","NextSequenceValue","None","Now","Number","Offset|0","OrderBy","Overlaps","Point","Polygon","Polyline","Pop","Portal","Pow","Proper","Push","Random","Reduce","Relate","Replace","Resize","Reverse","Right|0","RingIsClockwise","Rotate","Round","Schema","Second","SetGeometry","Simplify","Sin","Slice","Sort","Splice","Split","Sqrt","Stdev","SubtypeCode","SubtypeName","Subtypes","Sum","SymmetricDifference","Tan","Text","Timestamp","ToCharCode","ToCodePoint","Today","ToHex","ToLocal","Top|0","Touches","ToUTC","TrackAccelerationAt","TrackAccelerationWindow","TrackCurrentAcceleration","TrackCurrentDistance","TrackCurrentSpeed","TrackCurrentTime","TrackDistanceAt","TrackDistanceWindow","TrackDuration","TrackFieldWindow","TrackGeometryWindow","TrackIndex","TrackSpeedAt","TrackSpeedWindow","TrackStartTime","TrackWindow","Trim","TypeOf","Union","Upper","UrlEncode","Variance","Week","Weekday","When","Within","Year"]},a={className:"symbol",begin:"\\$[datastore|feature|layer|map|measure|sourcefeature|sourcelayer|targetfeature|targetlayer|value|view]+"},o={className:"number",variants:[{begin:"\\b(0[bB][01]+)"},{begin:"\\b(0[oO][0-7]+)"},{begin:t.C_NUMBER_RE}],relevance:0},l={className:"subst",begin:"\\$\\{",end:"\\}",keywords:r,contains:[]},u={className:"string",begin:"`",end:"`",contains:[t.BACKSLASH_ESCAPE,l]};l.contains=[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,u,o,t.REGEXP_MODE];const c=l.contains.concat([t.C_BLOCK_COMMENT_MODE,t.C_LINE_COMMENT_MODE]);return{name:"ArcGIS Arcade",case_insensitive:!0,keywords:r,contains:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,u,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,a,o,{begin:/[{,]\s*/,relevance:0,contains:[{begin:n+"\\s*:",returnBegin:!0,relevance:0,contains:[{className:"attr",begin:n,relevance:0}]}]},{begin:"("+t.RE_STARTERS_RE+"|\\b(return)\\b)\\s*",keywords:"return",contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.REGEXP_MODE,{className:"function",begin:"(\\(.*?\\)|"+n+")\\s*=>",returnBegin:!0,end:"\\s*=>",contains:[{className:"params",variants:[{begin:n},{begin:/\(\s*\)/},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:r,contains:c}]}]}],relevance:0},{beginKeywords:"function",end:/\{/,excludeEnd:!0,contains:[t.inherit(t.TITLE_MODE,{className:"title.function",begin:n}),{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,contains:c}],illegal:/\[|%/},{begin:/\$[(.]/}],illegal:/#(?!!)/}}return Cp=e,Cp}var Ap,Tv;function w1(){if(Tv)return Ap;Tv=1;function e(n){const r=n.regex,a=n.COMMENT("//","$",{contains:[{begin:/\\\n/}]}),o="decltype\\(auto\\)",l="[a-zA-Z_]\\w*::",u="<[^<>]+>",c="(?!struct)("+o+"|"+r.optional(l)+"[a-zA-Z_]\\w*"+r.optional(u)+")",d={className:"type",begin:"\\b[a-z\\d_]*_t\\b"},S="\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\S)",_={className:"string",variants:[{begin:'(u8?|U|L)?"',end:'"',illegal:"\\n",contains:[n.BACKSLASH_ESCAPE]},{begin:"(u8?|U|L)?'("+S+"|.)",end:"'",illegal:"."},n.END_SAME_AS_BEGIN({begin:/(?:u8?|U|L)?R"([^()\\ ]{0,16})\(/,end:/\)([^()\\ ]{0,16})"/})]},E={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},T={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma _Pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},n.inherit(_,{className:"string"}),{className:"string",begin:/<.*?>/},a,n.C_BLOCK_COMMENT_MODE]},y={className:"title",begin:r.optional(l)+n.IDENT_RE,relevance:0},M=r.optional(l)+n.IDENT_RE+"\\s*\\(",v=["alignas","alignof","and","and_eq","asm","atomic_cancel","atomic_commit","atomic_noexcept","auto","bitand","bitor","break","case","catch","class","co_await","co_return","co_yield","compl","concept","const_cast|10","consteval","constexpr","constinit","continue","decltype","default","delete","do","dynamic_cast|10","else","enum","explicit","export","extern","false","final","for","friend","goto","if","import","inline","module","mutable","namespace","new","noexcept","not","not_eq","nullptr","operator","or","or_eq","override","private","protected","public","reflexpr","register","reinterpret_cast|10","requires","return","sizeof","static_assert","static_cast|10","struct","switch","synchronized","template","this","thread_local","throw","transaction_safe","transaction_safe_dynamic","true","try","typedef","typeid","typename","union","using","virtual","volatile","while","xor","xor_eq"],A=["bool","char","char16_t","char32_t","char8_t","double","float","int","long","short","void","wchar_t","unsigned","signed","const","static"],O=["any","auto_ptr","barrier","binary_semaphore","bitset","complex","condition_variable","condition_variable_any","counting_semaphore","deque","false_type","future","imaginary","initializer_list","istringstream","jthread","latch","lock_guard","multimap","multiset","mutex","optional","ostringstream","packaged_task","pair","promise","priority_queue","queue","recursive_mutex","recursive_timed_mutex","scoped_lock","set","shared_future","shared_lock","shared_mutex","shared_timed_mutex","shared_ptr","stack","string_view","stringstream","timed_mutex","thread","true_type","tuple","unique_lock","unique_ptr","unordered_map","unordered_multimap","unordered_multiset","unordered_set","variant","vector","weak_ptr","wstring","wstring_view"],N=["abort","abs","acos","apply","as_const","asin","atan","atan2","calloc","ceil","cerr","cin","clog","cos","cosh","cout","declval","endl","exchange","exit","exp","fabs","floor","fmod","forward","fprintf","fputs","free","frexp","fscanf","future","invoke","isalnum","isalpha","iscntrl","isdigit","isgraph","islower","isprint","ispunct","isspace","isupper","isxdigit","labs","launder","ldexp","log","log10","make_pair","make_shared","make_shared_for_overwrite","make_tuple","make_unique","malloc","memchr","memcmp","memcpy","memset","modf","move","pow","printf","putchar","puts","realloc","scanf","sin","sinh","snprintf","sprintf","sqrt","sscanf","std","stderr","stdin","stdout","strcat","strchr","strcmp","strcpy","strcspn","strlen","strncat","strncmp","strncpy","strpbrk","strrchr","strspn","strstr","swap","tan","tanh","terminate","to_underlying","tolower","toupper","vfprintf","visit","vprintf","vsprintf"],I={type:A,keyword:v,literal:["NULL","false","nullopt","nullptr","true"],built_in:["_Pragma"],_type_hints:O},h={className:"function.dispatch",relevance:0,keywords:{_hint:N},begin:r.concat(/\b/,/(?!decltype)/,/(?!if)/,/(?!for)/,/(?!switch)/,/(?!while)/,n.IDENT_RE,r.lookahead(/(<[^<>]+>|)\s*\(/))},k=[h,T,d,a,n.C_BLOCK_COMMENT_MODE,E,_],F={variants:[{begin:/=/,end:/;/},{begin:/\(/,end:/\)/},{beginKeywords:"new throw return else",end:/;/}],keywords:I,contains:k.concat([{begin:/\(/,end:/\)/,keywords:I,contains:k.concat(["self"]),relevance:0}]),relevance:0},z={className:"function",begin:"("+c+"[\\*&\\s]+)+"+M,returnBegin:!0,end:/[{;=]/,excludeEnd:!0,keywords:I,illegal:/[^\w\s\*&:<>.]/,contains:[{begin:o,keywords:I,relevance:0},{begin:M,returnBegin:!0,contains:[y],relevance:0},{begin:/::/,relevance:0},{begin:/:/,endsWithParent:!0,contains:[_,E]},{relevance:0,match:/,/},{className:"params",begin:/\(/,end:/\)/,keywords:I,relevance:0,contains:[a,n.C_BLOCK_COMMENT_MODE,_,E,d,{begin:/\(/,end:/\)/,keywords:I,relevance:0,contains:["self",a,n.C_BLOCK_COMMENT_MODE,_,E,d]}]},d,a,n.C_BLOCK_COMMENT_MODE,T]};return{name:"C++",aliases:["cc","c++","h++","hpp","hh","hxx","cxx"],keywords:I,illegal:"</",classNameAliases:{"function.dispatch":"built_in"},contains:[].concat(F,z,h,k,[T,{begin:"\\b(deque|list|queue|priority_queue|pair|stack|vector|map|set|bitset|multiset|multimap|unordered_map|unordered_set|unordered_multiset|unordered_multimap|array|tuple|optional|variant|function)\\s*<(?!<)",end:">",keywords:I,contains:["self",d]},{begin:n.IDENT_RE+"::",keywords:I},{match:[/\b(?:enum(?:\s+(?:class|struct))?|class|struct|union)/,/\s+/,/\w+/],className:{1:"keyword",3:"title.class"}}])}}function t(n){const r={type:["boolean","byte","word","String"],built_in:["KeyboardController","MouseController","SoftwareSerial","EthernetServer","EthernetClient","LiquidCrystal","RobotControl","GSMVoiceCall","EthernetUDP","EsploraTFT","HttpClient","RobotMotor","WiFiClient","GSMScanner","FileSystem","Scheduler","GSMServer","YunClient","YunServer","IPAddress","GSMClient","GSMModem","Keyboard","Ethernet","Console","GSMBand","Esplora","Stepper","Process","WiFiUDP","GSM_SMS","Mailbox","USBHost","Firmata","PImage","Client","Server","GSMPIN","FileIO","Bridge","Serial","EEPROM","Stream","Mouse","Audio","Servo","File","Task","GPRS","WiFi","Wire","TFT","GSM","SPI","SD"],_hints:["setup","loop","runShellCommandAsynchronously","analogWriteResolution","retrieveCallingNumber","printFirmwareVersion","analogReadResolution","sendDigitalPortPair","noListenOnLocalhost","readJoystickButton","setFirmwareVersion","readJoystickSwitch","scrollDisplayRight","getVoiceCallStatus","scrollDisplayLeft","writeMicroseconds","delayMicroseconds","beginTransmission","getSignalStrength","runAsynchronously","getAsynchronously","listenOnLocalhost","getCurrentCarrier","readAccelerometer","messageAvailable","sendDigitalPorts","lineFollowConfig","countryNameWrite","runShellCommand","readStringUntil","rewindDirectory","readTemperature","setClockDivider","readLightSensor","endTransmission","analogReference","detachInterrupt","countryNameRead","attachInterrupt","encryptionType","readBytesUntil","robotNameWrite","readMicrophone","robotNameRead","cityNameWrite","userNameWrite","readJoystickY","readJoystickX","mouseReleased","openNextFile","scanNetworks","noInterrupts","digitalWrite","beginSpeaker","mousePressed","isActionDone","mouseDragged","displayLogos","noAutoscroll","addParameter","remoteNumber","getModifiers","keyboardRead","userNameRead","waitContinue","processInput","parseCommand","printVersion","readNetworks","writeMessage","blinkVersion","cityNameRead","readMessage","setDataMode","parsePacket","isListening","setBitOrder","beginPacket","isDirectory","motorsWrite","drawCompass","digitalRead","clearScreen","serialEvent","rightToLeft","setTextSize","leftToRight","requestFrom","keyReleased","compassRead","analogWrite","interrupts","WiFiServer","disconnect","playMelody","parseFloat","autoscroll","getPINUsed","setPINUsed","setTimeout","sendAnalog","readSlider","analogRead","beginWrite","createChar","motorsStop","keyPressed","tempoWrite","readButton","subnetMask","debugPrint","macAddress","writeGreen","randomSeed","attachGPRS","readString","sendString","remotePort","releaseAll","mouseMoved","background","getXChange","getYChange","answerCall","getResult","voiceCall","endPacket","constrain","getSocket","writeJSON","getButton","available","connected","findUntil","readBytes","exitValue","readGreen","writeBlue","startLoop","IPAddress","isPressed","sendSysex","pauseMode","gatewayIP","setCursor","getOemKey","tuneWrite","noDisplay","loadImage","switchPIN","onRequest","onReceive","changePIN","playFile","noBuffer","parseInt","overflow","checkPIN","knobRead","beginTFT","bitClear","updateIR","bitWrite","position","writeRGB","highByte","writeRed","setSpeed","readBlue","noStroke","remoteIP","transfer","shutdown","hangCall","beginSMS","endWrite","attached","maintain","noCursor","checkReg","checkPUK","shiftOut","isValid","shiftIn","pulseIn","connect","println","localIP","pinMode","getIMEI","display","noBlink","process","getBand","running","beginSD","drawBMP","lowByte","setBand","release","bitRead","prepare","pointTo","readRed","setMode","noFill","remove","listen","stroke","detach","attach","noTone","exists","buffer","height","bitSet","circle","config","cursor","random","IRread","setDNS","endSMS","getKey","micros","millis","begin","print","write","ready","flush","width","isPIN","blink","clear","press","mkdir","rmdir","close","point","yield","image","BSSID","click","delay","read","text","move","peek","beep","rect","line","open","seek","fill","size","turn","stop","home","find","step","tone","sqrt","RSSI","SSID","end","bit","tan","cos","sin","pow","map","abs","max","min","get","run","put"],literal:["DIGITAL_MESSAGE","FIRMATA_STRING","ANALOG_MESSAGE","REPORT_DIGITAL","REPORT_ANALOG","INPUT_PULLUP","SET_PIN_MODE","INTERNAL2V56","SYSTEM_RESET","LED_BUILTIN","INTERNAL1V1","SYSEX_START","INTERNAL","EXTERNAL","DEFAULT","OUTPUT","INPUT","HIGH","LOW"]},a=e(n),o=a.keywords;return o.type=[...o.type,...r.type],o.literal=[...o.literal,...r.literal],o.built_in=[...o.built_in,...r.built_in],o._hints=r._hints,a.name="Arduino",a.aliases=["ino"],a.supersetOf="cpp",a}return Ap=t,Ap}var Op,yv;function L1(){if(yv)return Op;yv=1;function e(t){const n={variants:[t.COMMENT("^[ \\t]*(?=#)","$",{relevance:0,excludeBegin:!0}),t.COMMENT("[;@]","$",{relevance:0}),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]};return{name:"ARM Assembly",case_insensitive:!0,aliases:["arm"],keywords:{$pattern:"\\.?"+t.IDENT_RE,meta:".2byte .4byte .align .ascii .asciz .balign .byte .code .data .else .end .endif .endm .endr .equ .err .exitm .extern .global .hword .if .ifdef .ifndef .include .irp .long .macro .rept .req .section .set .skip .space .text .word .arm .thumb .code16 .code32 .force_thumb .thumb_func .ltorg ALIAS ALIGN ARM AREA ASSERT ATTR CN CODE CODE16 CODE32 COMMON CP DATA DCB DCD DCDU DCDO DCFD DCFDU DCI DCQ DCQU DCW DCWU DN ELIF ELSE END ENDFUNC ENDIF ENDP ENTRY EQU EXPORT EXPORTAS EXTERN FIELD FILL FUNCTION GBLA GBLL GBLS GET GLOBAL IF IMPORT INCBIN INCLUDE INFO KEEP LCLA LCLL LCLS LTORG MACRO MAP MEND MEXIT NOFP OPT PRESERVE8 PROC QN READONLY RELOC REQUIRE REQUIRE8 RLIST FN ROUT SETA SETL SETS SN SPACE SUBT THUMB THUMBX TTL WHILE WEND ",built_in:"r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 w0 w1 w2 w3 w4 w5 w6 w7 w8 w9 w10 w11 w12 w13 w14 w15 w16 w17 w18 w19 w20 w21 w22 w23 w24 w25 w26 w27 w28 w29 w30 x0 x1 x2 x3 x4 x5 x6 x7 x8 x9 x10 x11 x12 x13 x14 x15 x16 x17 x18 x19 x20 x21 x22 x23 x24 x25 x26 x27 x28 x29 x30 pc lr sp ip sl sb fp a1 a2 a3 a4 v1 v2 v3 v4 v5 v6 v7 v8 f0 f1 f2 f3 f4 f5 f6 f7 p0 p1 p2 p3 p4 p5 p6 p7 p8 p9 p10 p11 p12 p13 p14 p15 c0 c1 c2 c3 c4 c5 c6 c7 c8 c9 c10 c11 c12 c13 c14 c15 q0 q1 q2 q3 q4 q5 q6 q7 q8 q9 q10 q11 q12 q13 q14 q15 cpsr_c cpsr_x cpsr_s cpsr_f cpsr_cx cpsr_cxs cpsr_xs cpsr_xsf cpsr_sf cpsr_cxsf spsr_c spsr_x spsr_s spsr_f spsr_cx spsr_cxs spsr_xs spsr_xsf spsr_sf spsr_cxsf s0 s1 s2 s3 s4 s5 s6 s7 s8 s9 s10 s11 s12 s13 s14 s15 s16 s17 s18 s19 s20 s21 s22 s23 s24 s25 s26 s27 s28 s29 s30 s31 d0 d1 d2 d3 d4 d5 d6 d7 d8 d9 d10 d11 d12 d13 d14 d15 d16 d17 d18 d19 d20 d21 d22 d23 d24 d25 d26 d27 d28 d29 d30 d31 {PC} {VAR} {TRUE} {FALSE} {OPT} {CONFIG} {ENDIAN} {CODESIZE} {CPU} {FPU} {ARCHITECTURE} {PCSTOREOFFSET} {ARMASM_VERSION} {INTER} {ROPI} {RWPI} {SWST} {NOSWST} . @"},contains:[{className:"keyword",begin:"\\b(adc|(qd?|sh?|u[qh]?)?add(8|16)?|usada?8|(q|sh?|u[qh]?)?(as|sa)x|and|adrl?|sbc|rs[bc]|asr|b[lx]?|blx|bxj|cbn?z|tb[bh]|bic|bfc|bfi|[su]bfx|bkpt|cdp2?|clz|clrex|cmp|cmn|cpsi[ed]|cps|setend|dbg|dmb|dsb|eor|isb|it[te]{0,3}|lsl|lsr|ror|rrx|ldm(([id][ab])|f[ds])?|ldr((s|ex)?[bhd])?|movt?|mvn|mra|mar|mul|[us]mull|smul[bwt][bt]|smu[as]d|smmul|smmla|mla|umlaal|smlal?([wbt][bt]|d)|mls|smlsl?[ds]|smc|svc|sev|mia([bt]{2}|ph)?|mrr?c2?|mcrr2?|mrs|msr|orr|orn|pkh(tb|bt)|rbit|rev(16|sh)?|sel|[su]sat(16)?|nop|pop|push|rfe([id][ab])?|stm([id][ab])?|str(ex)?[bhd]?|(qd?)?sub|(sh?|q|u[qh]?)?sub(8|16)|[su]xt(a?h|a?b(16)?)|srs([id][ab])?|swpb?|swi|smi|tst|teq|wfe|wfi|yield)(eq|ne|cs|cc|mi|pl|vs|vc|hi|ls|ge|lt|gt|le|al|hs|lo)?[sptrx]?(?=\\s)"},n,t.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"[^\\\\]'",relevance:0},{className:"title",begin:"\\|",end:"\\|",illegal:"\\n",relevance:0},{className:"number",variants:[{begin:"[#$=]?0x[0-9a-f]+"},{begin:"[#$=]?0b[01]+"},{begin:"[#$=]\\d+"},{begin:"\\b\\d+"}],relevance:0},{className:"symbol",variants:[{begin:"^[ \\t]*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{begin:"^[a-z_\\.\\$][a-z0-9_\\.\\$]+"},{begin:"[=#]\\w+"}],relevance:0}]}}return Op=e,Op}var Rp,Cv;function M1(){if(Cv)return Rp;Cv=1;function e(t){const n=t.regex,r=n.concat(/[\p{L}_]/u,n.optional(/[\p{L}0-9_.-]*:/u),/[\p{L}0-9_.-]*/u),a=/[\p{L}0-9._:-]+/u,o={className:"symbol",begin:/&[a-z]+;|&#[0-9]+;|&#x[a-f0-9]+;/},l={begin:/\s/,contains:[{className:"keyword",begin:/#?[a-z_][a-z1-9_-]+/,illegal:/\n/}]},u=t.inherit(l,{begin:/\(/,end:/\)/}),c=t.inherit(t.APOS_STRING_MODE,{className:"string"}),d=t.inherit(t.QUOTE_STRING_MODE,{className:"string"}),S={endsWithParent:!0,illegal:/</,relevance:0,contains:[{className:"attr",begin:a,relevance:0},{begin:/=\s*/,relevance:0,contains:[{className:"string",endsParent:!0,variants:[{begin:/"/,end:/"/,contains:[o]},{begin:/'/,end:/'/,contains:[o]},{begin:/[^\s"'=<>`]+/}]}]}]};return{name:"HTML, XML",aliases:["html","xhtml","rss","atom","xjb","xsd","xsl","plist","wsf","svg"],case_insensitive:!0,unicodeRegex:!0,contains:[{className:"meta",begin:/<![a-z]/,end:/>/,relevance:10,contains:[l,d,c,u,{begin:/\[/,end:/\]/,contains:[{className:"meta",begin:/<![a-z]/,end:/>/,contains:[l,u,d,c]}]}]},t.COMMENT(/<!--/,/-->/,{relevance:10}),{begin:/<!\[CDATA\[/,end:/\]\]>/,relevance:10},o,{className:"meta",end:/\?>/,variants:[{begin:/<\?xml/,relevance:10,contains:[d]},{begin:/<\?[a-z][a-z0-9]+/}]},{className:"tag",begin:/<style(?=\s|>)/,end:/>/,keywords:{name:"style"},contains:[S],starts:{end:/<\/style>/,returnEnd:!0,subLanguage:["css","xml"]}},{className:"tag",begin:/<script(?=\s|>)/,end:/>/,keywords:{name:"script"},contains:[S],starts:{end:/<\/script>/,returnEnd:!0,subLanguage:["javascript","handlebars","xml"]}},{className:"tag",begin:/<>|<\/>/},{className:"tag",begin:n.concat(/</,n.lookahead(n.concat(r,n.either(/\/>/,/>/,/\s/)))),end:/\/?>/,contains:[{className:"name",begin:r,relevance:0,starts:S}]},{className:"tag",begin:n.concat(/<\//,n.lookahead(n.concat(r,/>/))),contains:[{className:"name",begin:r,relevance:0},{begin:/>/,relevance:0,endsParent:!0}]}]}}return Rp=e,Rp}var Np,Av;function k1(){if(Av)return Np;Av=1;function e(t){const n=t.regex,r={begin:"^'{3,}[ \\t]*$",relevance:10},a=[{begin:/\\[*_`]/},{begin:/\\\\\*{2}[^\n]*?\*{2}/},{begin:/\\\\_{2}[^\n]*_{2}/},{begin:/\\\\`{2}[^\n]*`{2}/},{begin:/[:;}][*_`](?![*_`])/}],o=[{className:"strong",begin:/\*{2}([^\n]+?)\*{2}/},{className:"strong",begin:n.concat(/\*\*/,/((\*(?!\*)|\\[^\n]|[^*\n\\])+\n)+/,/(\*(?!\*)|\\[^\n]|[^*\n\\])*/,/\*\*/),relevance:0},{className:"strong",begin:/\B\*(\S|\S[^\n]*?\S)\*(?!\w)/},{className:"strong",begin:/\*[^\s]([^\n]+\n)+([^\n]+)\*/}],l=[{className:"emphasis",begin:/_{2}([^\n]+?)_{2}/},{className:"emphasis",begin:n.concat(/__/,/((_(?!_)|\\[^\n]|[^_\n\\])+\n)+/,/(_(?!_)|\\[^\n]|[^_\n\\])*/,/__/),relevance:0},{className:"emphasis",begin:/\b_(\S|\S[^\n]*?\S)_(?!\w)/},{className:"emphasis",begin:/_[^\s]([^\n]+\n)+([^\n]+)_/},{className:"emphasis",begin:"\\B'(?!['\\s])",end:"(\\n{2}|')",contains:[{begin:"\\\\'\\w",relevance:0}],relevance:0}],u={className:"symbol",begin:"^(NOTE|TIP|IMPORTANT|WARNING|CAUTION):\\s+",relevance:10},c={className:"bullet",begin:"^(\\*+|-+|\\.+|[^\\n]+?::)\\s+"};return{name:"AsciiDoc",aliases:["adoc"],contains:[t.COMMENT("^/{4,}\\n","\\n/{4,}$",{relevance:10}),t.COMMENT("^//","$",{relevance:0}),{className:"title",begin:"^\\.\\w.*$"},{begin:"^[=\\*]{4,}\\n",end:"\\n^[=\\*]{4,}$",relevance:10},{className:"section",relevance:10,variants:[{begin:"^(={1,6})[ 	].+?([ 	]\\1)?$"},{begin:"^[^\\[\\]\\n]+?\\n[=\\-~\\^\\+]{2,}$"}]},{className:"meta",begin:"^:.+?:",end:"\\s",excludeEnd:!0,relevance:10},{className:"meta",begin:"^\\[.+?\\]$",relevance:0},{className:"quote",begin:"^_{4,}\\n",end:"\\n_{4,}$",relevance:10},{className:"code",begin:"^[\\-\\.]{4,}\\n",end:"\\n[\\-\\.]{4,}$",relevance:10},{begin:"^\\+{4,}\\n",end:"\\n\\+{4,}$",contains:[{begin:"<",end:">",subLanguage:"xml",relevance:0}],relevance:10},c,u,...a,...o,...l,{className:"string",variants:[{begin:"``.+?''"},{begin:"`.+?'"}]},{className:"code",begin:/`{2}/,end:/(\n{2}|`{2})/},{className:"code",begin:"(`.+?`|\\+.+?\\+)",relevance:0},{className:"code",begin:"^[ \\t]",end:"$",relevance:0},r,{begin:"(link:)?(http|https|ftp|file|irc|image:?):\\S+?\\[[^[]*?\\]",returnBegin:!0,contains:[{begin:"(link|image:?):",relevance:0},{className:"link",begin:"\\w",end:"[^\\[]+",relevance:0},{className:"string",begin:"\\[",end:"\\]",excludeBegin:!0,excludeEnd:!0,relevance:0}],relevance:10}]}}return Np=e,Np}var Ip,Ov;function P1(){if(Ov)return Ip;Ov=1;function e(t){const n=t.regex,r=["false","synchronized","int","abstract","float","private","char","boolean","static","null","if","const","for","true","while","long","throw","strictfp","finally","protected","import","native","final","return","void","enum","else","extends","implements","break","transient","new","catch","instanceof","byte","super","volatile","case","assert","short","package","default","double","public","try","this","switch","continue","throws","privileged","aspectOf","adviceexecution","proceed","cflowbelow","cflow","initialization","preinitialization","staticinitialization","withincode","target","within","execution","getWithinTypeName","handler","thisJoinPoint","thisJoinPointStaticPart","thisEnclosingJoinPointStaticPart","declare","parents","warning","error","soft","precedence","thisAspectInstance"],a=["get","set","args","call"];return{name:"AspectJ",keywords:r,illegal:/<\/|#/,contains:[t.COMMENT(/\/\*\*/,/\*\//,{relevance:0,contains:[{begin:/\w+@/,relevance:0},{className:"doctag",begin:/@[A-Za-z]+/}]}),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{className:"class",beginKeywords:"aspect",end:/[{;=]/,excludeEnd:!0,illegal:/[:;"\[\]]/,contains:[{beginKeywords:"extends implements pertypewithin perthis pertarget percflowbelow percflow issingleton"},t.UNDERSCORE_TITLE_MODE,{begin:/\([^\)]*/,end:/[)]+/,keywords:r.concat(a),excludeEnd:!1}]},{className:"class",beginKeywords:"class interface",end:/[{;=]/,excludeEnd:!0,relevance:0,keywords:"class interface",illegal:/[:"\[\]]/,contains:[{beginKeywords:"extends implements"},t.UNDERSCORE_TITLE_MODE]},{beginKeywords:"pointcut after before around throwing returning",end:/[)]/,excludeEnd:!1,illegal:/["\[\]]/,contains:[{begin:n.concat(t.UNDERSCORE_IDENT_RE,/\s*\(/),returnBegin:!0,contains:[t.UNDERSCORE_TITLE_MODE]}]},{begin:/[:]/,returnBegin:!0,end:/[{;]/,relevance:0,excludeEnd:!1,keywords:r,illegal:/["\[\]]/,contains:[{begin:n.concat(t.UNDERSCORE_IDENT_RE,/\s*\(/),keywords:r.concat(a),relevance:0},t.QUOTE_STRING_MODE]},{beginKeywords:"new throw",relevance:0},{className:"function",begin:/\w+ +\w+(\.\w+)?\s*\([^\)]*\)\s*((throws)[\w\s,]+)?[\{;]/,returnBegin:!0,end:/[{;=]/,keywords:r,excludeEnd:!0,contains:[{begin:n.concat(t.UNDERSCORE_IDENT_RE,/\s*\(/),returnBegin:!0,relevance:0,contains:[t.UNDERSCORE_TITLE_MODE]},{className:"params",begin:/\(/,end:/\)/,relevance:0,keywords:r,contains:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},t.C_NUMBER_MODE,{className:"meta",begin:/@[A-Za-z]+/}]}}return Ip=e,Ip}var Dp,Rv;function F1(){if(Rv)return Dp;Rv=1;function e(t){const n={begin:"`[\\s\\S]"};return{name:"AutoHotkey",case_insensitive:!0,aliases:["ahk"],keywords:{keyword:"Break Continue Critical Exit ExitApp Gosub Goto New OnExit Pause return SetBatchLines SetTimer Suspend Thread Throw Until ahk_id ahk_class ahk_pid ahk_exe ahk_group",literal:"true false NOT AND OR",built_in:"ComSpec Clipboard ClipboardAll ErrorLevel"},contains:[n,t.inherit(t.QUOTE_STRING_MODE,{contains:[n]}),t.COMMENT(";","$",{relevance:0}),t.C_BLOCK_COMMENT_MODE,{className:"number",begin:t.NUMBER_RE,relevance:0},{className:"variable",begin:"%[a-zA-Z0-9#_$@]+%"},{className:"built_in",begin:"^\\s*\\w+\\s*(,|%)"},{className:"title",variants:[{begin:'^[^\\n";]+::(?!=)'},{begin:'^[^\\n";]+:(?!=)',relevance:0}]},{className:"meta",begin:"^\\s*#\\w+",end:"$",relevance:0},{className:"built_in",begin:"A_[a-zA-Z0-9]+"},{begin:",\\s*,"}]}}return Dp=e,Dp}var xp,Nv;function B1(){if(Nv)return xp;Nv=1;function e(t){const n="ByRef Case Const ContinueCase ContinueLoop Dim Do Else ElseIf EndFunc EndIf EndSelect EndSwitch EndWith Enum Exit ExitLoop For Func Global If In Local Next ReDim Return Select Static Step Switch Then To Until Volatile WEnd While With",r=["EndRegion","forcedef","forceref","ignorefunc","include","include-once","NoTrayIcon","OnAutoItStartRegister","pragma","Region","RequireAdmin","Tidy_Off","Tidy_On","Tidy_Parameters"],a="True False And Null Not Or Default",o="Abs ACos AdlibRegister AdlibUnRegister Asc AscW ASin Assign ATan AutoItSetOption AutoItWinGetTitle AutoItWinSetTitle Beep Binary BinaryLen BinaryMid BinaryToString BitAND BitNOT BitOR BitRotate BitShift BitXOR BlockInput Break Call CDTray Ceiling Chr ChrW ClipGet ClipPut ConsoleRead ConsoleWrite ConsoleWriteError ControlClick ControlCommand ControlDisable ControlEnable ControlFocus ControlGetFocus ControlGetHandle ControlGetPos ControlGetText ControlHide ControlListView ControlMove ControlSend ControlSetText ControlShow ControlTreeView Cos Dec DirCopy DirCreate DirGetSize DirMove DirRemove DllCall DllCallAddress DllCallbackFree DllCallbackGetPtr DllCallbackRegister DllClose DllOpen DllStructCreate DllStructGetData DllStructGetPtr DllStructGetSize DllStructSetData DriveGetDrive DriveGetFileSystem DriveGetLabel DriveGetSerial DriveGetType DriveMapAdd DriveMapDel DriveMapGet DriveSetLabel DriveSpaceFree DriveSpaceTotal DriveStatus EnvGet EnvSet EnvUpdate Eval Execute Exp FileChangeDir FileClose FileCopy FileCreateNTFSLink FileCreateShortcut FileDelete FileExists FileFindFirstFile FileFindNextFile FileFlush FileGetAttrib FileGetEncoding FileGetLongName FileGetPos FileGetShortcut FileGetShortName FileGetSize FileGetTime FileGetVersion FileInstall FileMove FileOpen FileOpenDialog FileRead FileReadLine FileReadToArray FileRecycle FileRecycleEmpty FileSaveDialog FileSelectFolder FileSetAttrib FileSetEnd FileSetPos FileSetTime FileWrite FileWriteLine Floor FtpSetProxy FuncName GUICreate GUICtrlCreateAvi GUICtrlCreateButton GUICtrlCreateCheckbox GUICtrlCreateCombo GUICtrlCreateContextMenu GUICtrlCreateDate GUICtrlCreateDummy GUICtrlCreateEdit GUICtrlCreateGraphic GUICtrlCreateGroup GUICtrlCreateIcon GUICtrlCreateInput GUICtrlCreateLabel GUICtrlCreateList GUICtrlCreateListView GUICtrlCreateListViewItem GUICtrlCreateMenu GUICtrlCreateMenuItem GUICtrlCreateMonthCal GUICtrlCreateObj GUICtrlCreatePic GUICtrlCreateProgress GUICtrlCreateRadio GUICtrlCreateSlider GUICtrlCreateTab GUICtrlCreateTabItem GUICtrlCreateTreeView GUICtrlCreateTreeViewItem GUICtrlCreateUpdown GUICtrlDelete GUICtrlGetHandle GUICtrlGetState GUICtrlRead GUICtrlRecvMsg GUICtrlRegisterListViewSort GUICtrlSendMsg GUICtrlSendToDummy GUICtrlSetBkColor GUICtrlSetColor GUICtrlSetCursor GUICtrlSetData GUICtrlSetDefBkColor GUICtrlSetDefColor GUICtrlSetFont GUICtrlSetGraphic GUICtrlSetImage GUICtrlSetLimit GUICtrlSetOnEvent GUICtrlSetPos GUICtrlSetResizing GUICtrlSetState GUICtrlSetStyle GUICtrlSetTip GUIDelete GUIGetCursorInfo GUIGetMsg GUIGetStyle GUIRegisterMsg GUISetAccelerators GUISetBkColor GUISetCoord GUISetCursor GUISetFont GUISetHelp GUISetIcon GUISetOnEvent GUISetState GUISetStyle GUIStartGroup GUISwitch Hex HotKeySet HttpSetProxy HttpSetUserAgent HWnd InetClose InetGet InetGetInfo InetGetSize InetRead IniDelete IniRead IniReadSection IniReadSectionNames IniRenameSection IniWrite IniWriteSection InputBox Int IsAdmin IsArray IsBinary IsBool IsDeclared IsDllStruct IsFloat IsFunc IsHWnd IsInt IsKeyword IsNumber IsObj IsPtr IsString Log MemGetStats Mod MouseClick MouseClickDrag MouseDown MouseGetCursor MouseGetPos MouseMove MouseUp MouseWheel MsgBox Number ObjCreate ObjCreateInterface ObjEvent ObjGet ObjName OnAutoItExitRegister OnAutoItExitUnRegister Ping PixelChecksum PixelGetColor PixelSearch ProcessClose ProcessExists ProcessGetStats ProcessList ProcessSetPriority ProcessWait ProcessWaitClose ProgressOff ProgressOn ProgressSet Ptr Random RegDelete RegEnumKey RegEnumVal RegRead RegWrite Round Run RunAs RunAsWait RunWait Send SendKeepActive SetError SetExtended ShellExecute ShellExecuteWait Shutdown Sin Sleep SoundPlay SoundSetWaveVolume SplashImageOn SplashOff SplashTextOn Sqrt SRandom StatusbarGetText StderrRead StdinWrite StdioClose StdoutRead String StringAddCR StringCompare StringFormat StringFromASCIIArray StringInStr StringIsAlNum StringIsAlpha StringIsASCII StringIsDigit StringIsFloat StringIsInt StringIsLower StringIsSpace StringIsUpper StringIsXDigit StringLeft StringLen StringLower StringMid StringRegExp StringRegExpReplace StringReplace StringReverse StringRight StringSplit StringStripCR StringStripWS StringToASCIIArray StringToBinary StringTrimLeft StringTrimRight StringUpper Tan TCPAccept TCPCloseSocket TCPConnect TCPListen TCPNameToIP TCPRecv TCPSend TCPShutdown, UDPShutdown TCPStartup, UDPStartup TimerDiff TimerInit ToolTip TrayCreateItem TrayCreateMenu TrayGetMsg TrayItemDelete TrayItemGetHandle TrayItemGetState TrayItemGetText TrayItemSetOnEvent TrayItemSetState TrayItemSetText TraySetClick TraySetIcon TraySetOnEvent TraySetPauseIcon TraySetState TraySetToolTip TrayTip UBound UDPBind UDPCloseSocket UDPOpen UDPRecv UDPSend VarGetType WinActivate WinActive WinClose WinExists WinFlash WinGetCaretPos WinGetClassList WinGetClientSize WinGetHandle WinGetPos WinGetProcess WinGetState WinGetText WinGetTitle WinKill WinList WinMenuSelectItem WinMinimizeAll WinMinimizeAllUndo WinMove WinSetOnTop WinSetState WinSetTitle WinSetTrans WinWait WinWaitActive WinWaitClose WinWaitNotActive",l={variants:[t.COMMENT(";","$",{relevance:0}),t.COMMENT("#cs","#ce"),t.COMMENT("#comments-start","#comments-end")]},u={begin:"\\$[A-z0-9_]+"},c={className:"string",variants:[{begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{begin:/'/,end:/'/,contains:[{begin:/''/,relevance:0}]}]},d={variants:[t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE]},S={className:"meta",begin:"#",end:"$",keywords:{keyword:r},contains:[{begin:/\\\n/,relevance:0},{beginKeywords:"include",keywords:{keyword:"include"},end:"$",contains:[c,{className:"string",variants:[{begin:"<",end:">"},{begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{begin:/'/,end:/'/,contains:[{begin:/''/,relevance:0}]}]}]},c,l]},_={className:"symbol",begin:"@[A-z0-9_]+"},E={beginKeywords:"Func",end:"$",illegal:"\\$|\\[|%",contains:[t.inherit(t.UNDERSCORE_TITLE_MODE,{className:"title.function"}),{className:"params",begin:"\\(",end:"\\)",contains:[u,c,d]}]};return{name:"AutoIt",case_insensitive:!0,illegal:/\/\*/,keywords:{keyword:n,built_in:o,literal:a},contains:[l,u,c,d,S,_,E]}}return xp=e,xp}var wp,Iv;function U1(){if(Iv)return wp;Iv=1;function e(t){return{name:"AVR Assembly",case_insensitive:!0,keywords:{$pattern:"\\.?"+t.IDENT_RE,keyword:"adc add adiw and andi asr bclr bld brbc brbs brcc brcs break breq brge brhc brhs brid brie brlo brlt brmi brne brpl brsh brtc brts brvc brvs bset bst call cbi cbr clc clh cli cln clr cls clt clv clz com cp cpc cpi cpse dec eicall eijmp elpm eor fmul fmuls fmulsu icall ijmp in inc jmp ld ldd ldi lds lpm lsl lsr mov movw mul muls mulsu neg nop or ori out pop push rcall ret reti rjmp rol ror sbc sbr sbrc sbrs sec seh sbi sbci sbic sbis sbiw sei sen ser ses set sev sez sleep spm st std sts sub subi swap tst wdr",built_in:"r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 r16 r17 r18 r19 r20 r21 r22 r23 r24 r25 r26 r27 r28 r29 r30 r31 x|0 xh xl y|0 yh yl z|0 zh zl ucsr1c udr1 ucsr1a ucsr1b ubrr1l ubrr1h ucsr0c ubrr0h tccr3c tccr3a tccr3b tcnt3h tcnt3l ocr3ah ocr3al ocr3bh ocr3bl ocr3ch ocr3cl icr3h icr3l etimsk etifr tccr1c ocr1ch ocr1cl twcr twdr twar twsr twbr osccal xmcra xmcrb eicra spmcsr spmcr portg ddrg ping portf ddrf sreg sph spl xdiv rampz eicrb eimsk gimsk gicr eifr gifr timsk tifr mcucr mcucsr tccr0 tcnt0 ocr0 assr tccr1a tccr1b tcnt1h tcnt1l ocr1ah ocr1al ocr1bh ocr1bl icr1h icr1l tccr2 tcnt2 ocr2 ocdr wdtcr sfior eearh eearl eedr eecr porta ddra pina portb ddrb pinb portc ddrc pinc portd ddrd pind spdr spsr spcr udr0 ucsr0a ucsr0b ubrr0l acsr admux adcsr adch adcl porte ddre pine pinf",meta:".byte .cseg .db .def .device .dseg .dw .endmacro .equ .eseg .exit .include .list .listmac .macro .nolist .org .set"},contains:[t.C_BLOCK_COMMENT_MODE,t.COMMENT(";","$",{relevance:0}),t.C_NUMBER_MODE,t.BINARY_NUMBER_MODE,{className:"number",begin:"\\b(\\$[a-zA-Z0-9]+|0o[0-7]+)"},t.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"[^\\\\]'",illegal:"[^\\\\][^']"},{className:"symbol",begin:"^[A-Za-z0-9_.$]+:"},{className:"meta",begin:"#",end:"$"},{className:"subst",begin:"@[0-9]+"}]}}return wp=e,wp}var Lp,Dv;function G1(){if(Dv)return Lp;Dv=1;function e(t){const n={className:"variable",variants:[{begin:/\$[\w\d#@][\w\d_]*/},{begin:/\$\{(.*?)\}/}]},r="BEGIN END if else while do for in break continue delete next nextfile function func exit|10",a={className:"string",contains:[t.BACKSLASH_ESCAPE],variants:[{begin:/(u|b)?r?'''/,end:/'''/,relevance:10},{begin:/(u|b)?r?"""/,end:/"""/,relevance:10},{begin:/(u|r|ur)'/,end:/'/,relevance:10},{begin:/(u|r|ur)"/,end:/"/,relevance:10},{begin:/(b|br)'/,end:/'/},{begin:/(b|br)"/,end:/"/},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]};return{name:"Awk",keywords:{keyword:r},contains:[n,a,t.REGEXP_MODE,t.HASH_COMMENT_MODE,t.NUMBER_MODE]}}return Lp=e,Lp}var Mp,xv;function H1(){if(xv)return Mp;xv=1;function e(t){const n=t.UNDERSCORE_IDENT_RE,l={keyword:["abstract","as","asc","avg","break","breakpoint","by","byref","case","catch","changecompany","class","client","client","common","const","continue","count","crosscompany","delegate","delete_from","desc","display","div","do","edit","else","eventhandler","exists","extends","final","finally","firstfast","firstonly","firstonly1","firstonly10","firstonly100","firstonly1000","flush","for","forceliterals","forcenestedloop","forceplaceholders","forceselectorder","forupdate","from","generateonly","group","hint","if","implements","in","index","insert_recordset","interface","internal","is","join","like","maxof","minof","mod","namespace","new","next","nofetch","notexists","optimisticlock","order","outer","pessimisticlock","print","private","protected","public","readonly","repeatableread","retry","return","reverse","select","server","setting","static","sum","super","switch","this","throw","try","ttsabort","ttsbegin","ttscommit","unchecked","update_recordset","using","validtimestate","void","where","while"],built_in:["anytype","boolean","byte","char","container","date","double","enum","guid","int","int64","long","real","short","str","utcdatetime","var"],literal:["default","false","null","true"]},u={variants:[{match:[/(class|interface)\s+/,n,/\s+(extends|implements)\s+/,n]},{match:[/class\s+/,n]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:l};return{name:"X++",aliases:["x++"],keywords:l,contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,{className:"meta",begin:"#",end:"$"},u]}}return Mp=e,Mp}var kp,wv;function q1(){if(wv)return kp;wv=1;function e(t){const n=t.regex,r={},a={begin:/\$\{/,end:/\}/,contains:["self",{begin:/:-/,contains:[r]}]};Object.assign(r,{className:"variable",variants:[{begin:n.concat(/\$[\w\d#@][\w\d_]*/,"(?![\\w\\d])(?![$])")},a]});const o={className:"subst",begin:/\$\(/,end:/\)/,contains:[t.BACKSLASH_ESCAPE]},l={begin:/<<-?\s*(?=\w+)/,starts:{contains:[t.END_SAME_AS_BEGIN({begin:/(\w+)/,end:/(\w+)/,className:"string"})]}},u={className:"string",begin:/"/,end:/"/,contains:[t.BACKSLASH_ESCAPE,r,o]};o.contains.push(u);const c={match:/\\"/},d={className:"string",begin:/'/,end:/'/},S={match:/\\'/},_={begin:/\$?\(\(/,end:/\)\)/,contains:[{begin:/\d+#[0-9a-f]+/,className:"number"},t.NUMBER_MODE,r]},E=["fish","bash","zsh","sh","csh","ksh","tcsh","dash","scsh"],T=t.SHEBANG({binary:`(${E.join("|")})`,relevance:10}),y={className:"function",begin:/\w[\w\d_]*\s*\(\s*\)\s*\{/,returnBegin:!0,contains:[t.inherit(t.TITLE_MODE,{begin:/\w[\w\d_]*/})],relevance:0},M=["if","then","else","elif","fi","for","while","until","in","do","done","case","esac","function","select"],v=["true","false"],A={match:/(\/[a-z._-]+)+/},O=["break","cd","continue","eval","exec","exit","export","getopts","hash","pwd","readonly","return","shift","test","times","trap","umask","unset"],N=["alias","bind","builtin","caller","command","declare","echo","enable","help","let","local","logout","mapfile","printf","read","readarray","source","type","typeset","ulimit","unalias"],R=["autoload","bg","bindkey","bye","cap","chdir","clone","comparguments","compcall","compctl","compdescribe","compfiles","compgroups","compquote","comptags","comptry","compvalues","dirs","disable","disown","echotc","echoti","emulate","fc","fg","float","functions","getcap","getln","history","integer","jobs","kill","limit","log","noglob","popd","print","pushd","pushln","rehash","sched","setcap","setopt","stat","suspend","ttyctl","unfunction","unhash","unlimit","unsetopt","vared","wait","whence","where","which","zcompile","zformat","zftp","zle","zmodload","zparseopts","zprof","zpty","zregexparse","zsocket","zstyle","ztcp"],L=["chcon","chgrp","chown","chmod","cp","dd","df","dir","dircolors","ln","ls","mkdir","mkfifo","mknod","mktemp","mv","realpath","rm","rmdir","shred","sync","touch","truncate","vdir","b2sum","base32","base64","cat","cksum","comm","csplit","cut","expand","fmt","fold","head","join","md5sum","nl","numfmt","od","paste","ptx","pr","sha1sum","sha224sum","sha256sum","sha384sum","sha512sum","shuf","sort","split","sum","tac","tail","tr","tsort","unexpand","uniq","wc","arch","basename","chroot","date","dirname","du","echo","env","expr","factor","groups","hostid","id","link","logname","nice","nohup","nproc","pathchk","pinky","printenv","printf","pwd","readlink","runcon","seq","sleep","stat","stdbuf","stty","tee","test","timeout","tty","uname","unlink","uptime","users","who","whoami","yes"];return{name:"Bash",aliases:["sh"],keywords:{$pattern:/\b[a-z][a-z0-9._-]+\b/,keyword:M,literal:v,built_in:[...O,...N,"set","shopt",...R,...L]},contains:[T,t.SHEBANG(),y,_,t.HASH_COMMENT_MODE,l,A,u,c,d,S,r]}}return kp=e,kp}var Pp,Lv;function Y1(){if(Lv)return Pp;Lv=1;function e(t){return{name:"BASIC",case_insensitive:!0,illegal:"^.",keywords:{$pattern:"[a-zA-Z][a-zA-Z0-9_$%!#]*",keyword:["ABS","ASC","AND","ATN","AUTO|0","BEEP","BLOAD|10","BSAVE|10","CALL","CALLS","CDBL","CHAIN","CHDIR","CHR$|10","CINT","CIRCLE","CLEAR","CLOSE","CLS","COLOR","COM","COMMON","CONT","COS","CSNG","CSRLIN","CVD","CVI","CVS","DATA","DATE$","DEFDBL","DEFINT","DEFSNG","DEFSTR","DEF|0","SEG","USR","DELETE","DIM","DRAW","EDIT","END","ENVIRON","ENVIRON$","EOF","EQV","ERASE","ERDEV","ERDEV$","ERL","ERR","ERROR","EXP","FIELD","FILES","FIX","FOR|0","FRE","GET","GOSUB|10","GOTO","HEX$","IF","THEN","ELSE|0","INKEY$","INP","INPUT","INPUT#","INPUT$","INSTR","IMP","INT","IOCTL","IOCTL$","KEY","ON","OFF","LIST","KILL","LEFT$","LEN","LET","LINE","LLIST","LOAD","LOC","LOCATE","LOF","LOG","LPRINT","USING","LSET","MERGE","MID$","MKDIR","MKD$","MKI$","MKS$","MOD","NAME","NEW","NEXT","NOISE","NOT","OCT$","ON","OR","PEN","PLAY","STRIG","OPEN","OPTION","BASE","OUT","PAINT","PALETTE","PCOPY","PEEK","PMAP","POINT","POKE","POS","PRINT","PRINT]","PSET","PRESET","PUT","RANDOMIZE","READ","REM","RENUM","RESET|0","RESTORE","RESUME","RETURN|0","RIGHT$","RMDIR","RND","RSET","RUN","SAVE","SCREEN","SGN","SHELL","SIN","SOUND","SPACE$","SPC","SQR","STEP","STICK","STOP","STR$","STRING$","SWAP","SYSTEM","TAB","TAN","TIME$","TIMER","TROFF","TRON","TO","USR","VAL","VARPTR","VARPTR$","VIEW","WAIT","WHILE","WEND","WIDTH","WINDOW","WRITE","XOR"]},contains:[t.QUOTE_STRING_MODE,t.COMMENT("REM","$",{relevance:10}),t.COMMENT("'","$",{relevance:0}),{className:"symbol",begin:"^[0-9]+ ",relevance:10},{className:"number",begin:"\\b\\d+(\\.\\d+)?([edED]\\d+)?[#!]?",relevance:0},{className:"number",begin:"(&[hH][0-9a-fA-F]{1,4})"},{className:"number",begin:"(&[oO][0-7]{1,6})"}]}}return Pp=e,Pp}var Fp,Mv;function W1(){if(Mv)return Fp;Mv=1;function e(t){return{name:"Backus\u2013Naur Form",contains:[{className:"attribute",begin:/</,end:/>/},{begin:/::=/,end:/$/,contains:[{begin:/</,end:/>/},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]}]}}return Fp=e,Fp}var Bp,kv;function V1(){if(kv)return Bp;kv=1;function e(t){const n={className:"literal",begin:/[+-]+/,relevance:0};return{name:"Brainfuck",aliases:["bf"],contains:[t.COMMENT(/[^\[\]\.,\+\-<> \r\n]/,/[\[\]\.,\+\-<> \r\n]/,{contains:[{match:/[ ]+[^\[\]\.,\+\-<> \r\n]/,relevance:0}],returnEnd:!0,relevance:0}),{className:"title",begin:"[\\[\\]]",relevance:0},{className:"string",begin:"[\\.,]",relevance:0},{begin:/(?=\+\+|--)/,contains:[n]},n]}}return Bp=e,Bp}var Up,Pv;function z1(){if(Pv)return Up;Pv=1;function e(t){const n=t.regex,r=t.COMMENT("//","$",{contains:[{begin:/\\\n/}]}),a="decltype\\(auto\\)",o="[a-zA-Z_]\\w*::",l="<[^<>]+>",u="("+a+"|"+n.optional(o)+"[a-zA-Z_]\\w*"+n.optional(l)+")",c={className:"type",variants:[{begin:"\\b[a-z\\d_]*_t\\b"},{match:/\batomic_[a-z]{3,6}\b/}]},d="\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\S)",S={className:"string",variants:[{begin:'(u8?|U|L)?"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE]},{begin:"(u8?|U|L)?'("+d+"|.)",end:"'",illegal:"."},t.END_SAME_AS_BEGIN({begin:/(?:u8?|U|L)?R"([^()\\ ]{0,16})\(/,end:/\)([^()\\ ]{0,16})"/})]},_={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},E={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma _Pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},t.inherit(S,{className:"string"}),{className:"string",begin:/<.*?>/},r,t.C_BLOCK_COMMENT_MODE]},T={className:"title",begin:n.optional(o)+t.IDENT_RE,relevance:0},y=n.optional(o)+t.IDENT_RE+"\\s*\\(",A={keyword:["asm","auto","break","case","continue","default","do","else","enum","extern","for","fortran","goto","if","inline","register","restrict","return","sizeof","struct","switch","typedef","union","volatile","while","_Alignas","_Alignof","_Atomic","_Generic","_Noreturn","_Static_assert","_Thread_local","alignas","alignof","noreturn","static_assert","thread_local","_Pragma"],type:["float","double","signed","unsigned","int","short","long","char","void","_Bool","_Complex","_Imaginary","_Decimal32","_Decimal64","_Decimal128","const","static","complex","bool","imaginary"],literal:"true false NULL",built_in:"std string wstring cin cout cerr clog stdin stdout stderr stringstream istringstream ostringstream auto_ptr deque list queue stack vector map set pair bitset multiset multimap unordered_set unordered_map unordered_multiset unordered_multimap priority_queue make_pair array shared_ptr abort terminate abs acos asin atan2 atan calloc ceil cosh cos exit exp fabs floor fmod fprintf fputs free frexp fscanf future isalnum isalpha iscntrl isdigit isgraph islower isprint ispunct isspace isupper isxdigit tolower toupper labs ldexp log10 log malloc realloc memchr memcmp memcpy memset modf pow printf putchar puts scanf sinh sin snprintf sprintf sqrt sscanf strcat strchr strcmp strcpy strcspn strlen strncat strncmp strncpy strpbrk strrchr strspn strstr tanh tan vfprintf vprintf vsprintf endl initializer_list unique_ptr"},O=[E,c,r,t.C_BLOCK_COMMENT_MODE,_,S],N={variants:[{begin:/=/,end:/;/},{begin:/\(/,end:/\)/},{beginKeywords:"new throw return else",end:/;/}],keywords:A,contains:O.concat([{begin:/\(/,end:/\)/,keywords:A,contains:O.concat(["self"]),relevance:0}]),relevance:0},R={begin:"("+u+"[\\*&\\s]+)+"+y,returnBegin:!0,end:/[{;=]/,excludeEnd:!0,keywords:A,illegal:/[^\w\s\*&:<>.]/,contains:[{begin:a,keywords:A,relevance:0},{begin:y,returnBegin:!0,contains:[t.inherit(T,{className:"title.function"})],relevance:0},{relevance:0,match:/,/},{className:"params",begin:/\(/,end:/\)/,keywords:A,relevance:0,contains:[r,t.C_BLOCK_COMMENT_MODE,S,_,c,{begin:/\(/,end:/\)/,keywords:A,relevance:0,contains:["self",r,t.C_BLOCK_COMMENT_MODE,S,_,c]}]},c,r,t.C_BLOCK_COMMENT_MODE,E]};return{name:"C",aliases:["h"],keywords:A,disableAutodetect:!0,illegal:"</",contains:[].concat(N,R,O,[E,{begin:t.IDENT_RE+"::",keywords:A},{className:"class",beginKeywords:"enum class struct union",end:/[{;:<>=]/,contains:[{beginKeywords:"final class struct"},t.TITLE_MODE]}]),exports:{preprocessor:E,strings:S,keywords:A}}}return Up=e,Up}var Gp,Fv;function K1(){if(Fv)return Gp;Fv=1;function e(t){const n=t.regex,r=["div","mod","in","and","or","not","xor","asserterror","begin","case","do","downto","else","end","exit","for","local","if","of","repeat","then","to","until","while","with","var"],a="false true",o=[t.C_LINE_COMMENT_MODE,t.COMMENT(/\{/,/\}/,{relevance:0}),t.COMMENT(/\(\*/,/\*\)/,{relevance:10})],l={className:"string",begin:/'/,end:/'/,contains:[{begin:/''/}]},u={className:"string",begin:/(#\d+)+/},c={className:"number",begin:"\\b\\d+(\\.\\d+)?(DT|D|T)",relevance:0},d={className:"string",begin:'"',end:'"'},S={match:[/procedure/,/\s+/,/[a-zA-Z_][\w@]*/,/\s*/],scope:{1:"keyword",3:"title.function"},contains:[{className:"params",begin:/\(/,end:/\)/,keywords:r,contains:[l,u,t.NUMBER_MODE]},...o]},_=["Table","Form","Report","Dataport","Codeunit","XMLport","MenuSuite","Page","Query"],E={match:[/OBJECT/,/\s+/,n.either(..._),/\s+/,/\d+/,/\s+(?=[^\s])/,/.*/,/$/],relevance:3,scope:{1:"keyword",3:"type",5:"number",7:"title"}};return{name:"C/AL",case_insensitive:!0,keywords:{keyword:r,literal:a},illegal:/\/\*/,contains:[{match:/[\w]+(?=\=)/,scope:"attribute",relevance:0},l,u,c,d,t.NUMBER_MODE,E,S]}}return Gp=e,Gp}var Hp,Bv;function $1(){if(Bv)return Hp;Bv=1;function e(t){const n=["struct","enum","interface","union","group","import","using","const","annotation","extends","in","of","on","as","with","from","fixed"],r=["Void","Bool","Int8","Int16","Int32","Int64","UInt8","UInt16","UInt32","UInt64","Float32","Float64","Text","Data","AnyPointer","AnyStruct","Capability","List"],a=["true","false"],o={variants:[{match:[/(struct|enum|interface)/,/\s+/,t.IDENT_RE]},{match:[/extends/,/\s*\(/,t.IDENT_RE,/\s*\)/]}],scope:{1:"keyword",3:"title.class"}};return{name:"Cap\u2019n Proto",aliases:["capnp"],keywords:{keyword:n,type:r,literal:a},contains:[t.QUOTE_STRING_MODE,t.NUMBER_MODE,t.HASH_COMMENT_MODE,{className:"meta",begin:/@0x[\w\d]{16};/,illegal:/\n/},{className:"symbol",begin:/@\d+\b/},o]}}return Hp=e,Hp}var qp,Uv;function Q1(){if(Uv)return qp;Uv=1;function e(t){const n=["assembly","module","package","import","alias","class","interface","object","given","value","assign","void","function","new","of","extends","satisfies","abstracts","in","out","return","break","continue","throw","assert","dynamic","if","else","switch","case","for","while","try","catch","finally","then","let","this","outer","super","is","exists","nonempty"],r=["shared","abstract","formal","default","actual","variable","late","native","deprecated","final","sealed","annotation","suppressWarnings","small"],a=["doc","by","license","see","throws","tagged"],o={className:"subst",excludeBegin:!0,excludeEnd:!0,begin:/``/,end:/``/,keywords:n,relevance:10},l=[{className:"string",begin:'"""',end:'"""',relevance:10},{className:"string",begin:'"',end:'"',contains:[o]},{className:"string",begin:"'",end:"'"},{className:"number",begin:"#[0-9a-fA-F_]+|\\$[01_]+|[0-9_]+(?:\\.[0-9_](?:[eE][+-]?\\d+)?)?[kMGTPmunpf]?",relevance:0}];return o.contains=l,{name:"Ceylon",keywords:{keyword:n.concat(r),meta:a},illegal:"\\$[^01]|#[^0-9a-fA-F]",contains:[t.C_LINE_COMMENT_MODE,t.COMMENT("/\\*","\\*/",{contains:["self"]}),{className:"meta",begin:'@[a-z]\\w*(?::"[^"]*")?'}].concat(l)}}return qp=e,qp}var Yp,Gv;function j1(){if(Gv)return Yp;Gv=1;function e(t){return{name:"Clean",aliases:["icl","dcl"],keywords:{keyword:["if","let","in","with","where","case","of","class","instance","otherwise","implementation","definition","system","module","from","import","qualified","as","special","code","inline","foreign","export","ccall","stdcall","generic","derive","infix","infixl","infixr"],built_in:"Int Real Char Bool",literal:"True False"},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,{begin:"->|<-[|:]?|#!?|>>=|\\{\\||\\|\\}|:==|=:|<>"}]}}return Yp=e,Yp}var Wp,Hv;function X1(){if(Hv)return Wp;Hv=1;function e(t){const n="a-zA-Z_\\-!.?+*=<>&'",r="[#]?["+n+"]["+n+"0-9/;:$#]*",a="def defonce defprotocol defstruct defmulti defmethod defn- defn defmacro deftype defrecord",o={$pattern:r,built_in:a+" cond apply if-not if-let if not not= =|0 <|0 >|0 <=|0 >=|0 ==|0 +|0 /|0 *|0 -|0 rem quot neg? pos? delay? symbol? keyword? true? false? integer? empty? coll? list? set? ifn? fn? associative? sequential? sorted? counted? reversible? number? decimal? class? distinct? isa? float? rational? reduced? ratio? odd? even? char? seq? vector? string? map? nil? contains? zero? instance? not-every? not-any? libspec? -> ->> .. . inc compare do dotimes mapcat take remove take-while drop letfn drop-last take-last drop-while while intern condp case reduced cycle split-at split-with repeat replicate iterate range merge zipmap declare line-seq sort comparator sort-by dorun doall nthnext nthrest partition eval doseq await await-for let agent atom send send-off release-pending-sends add-watch mapv filterv remove-watch agent-error restart-agent set-error-handler error-handler set-error-mode! error-mode shutdown-agents quote var fn loop recur throw try monitor-enter monitor-exit macroexpand macroexpand-1 for dosync and or when when-not when-let comp juxt partial sequence memoize constantly complement identity assert peek pop doto proxy first rest cons cast coll last butlast sigs reify second ffirst fnext nfirst nnext meta with-meta ns in-ns create-ns import refer keys select-keys vals key val rseq name namespace promise into transient persistent! conj! assoc! dissoc! pop! disj! use class type num float double short byte boolean bigint biginteger bigdec print-method print-dup throw-if printf format load compile get-in update-in pr pr-on newline flush read slurp read-line subvec with-open memfn time re-find re-groups rand-int rand mod locking assert-valid-fdecl alias resolve ref deref refset swap! reset! set-validator! compare-and-set! alter-meta! reset-meta! commute get-validator alter ref-set ref-history-count ref-min-history ref-max-history ensure sync io! new next conj set! to-array future future-call into-array aset gen-class reduce map filter find empty hash-map hash-set sorted-map sorted-map-by sorted-set sorted-set-by vec vector seq flatten reverse assoc dissoc list disj get union difference intersection extend extend-type extend-protocol int nth delay count concat chunk chunk-buffer chunk-append chunk-first chunk-rest max min dec unchecked-inc-int unchecked-inc unchecked-dec-inc unchecked-dec unchecked-negate unchecked-add-int unchecked-add unchecked-subtract-int unchecked-subtract chunk-next chunk-cons chunked-seq? prn vary-meta lazy-seq spread list* str find-keyword keyword symbol gensym force rationalize"},l={begin:r,relevance:0},u={scope:"number",relevance:0,variants:[{match:/[-+]?0[xX][0-9a-fA-F]+N?/},{match:/[-+]?0[0-7]+N?/},{match:/[-+]?[1-9][0-9]?[rR][0-9a-zA-Z]+N?/},{match:/[-+]?[0-9]+\/[0-9]+N?/},{match:/[-+]?[0-9]+((\.[0-9]*([eE][+-]?[0-9]+)?M?)|([eE][+-]?[0-9]+M?|M))/},{match:/[-+]?([1-9][0-9]*|0)N?/}]},c={scope:"character",variants:[{match:/\\o[0-3]?[0-7]{1,2}/},{match:/\\u[0-9a-fA-F]{4}/},{match:/\\(newline|space|tab|formfeed|backspace|return)/},{match:/\\\S/,relevance:0}]},d={scope:"regex",begin:/#"/,end:/"/,contains:[t.BACKSLASH_ESCAPE]},S=t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),_={scope:"punctuation",match:/,/,relevance:0},E=t.COMMENT(";","$",{relevance:0}),T={className:"literal",begin:/\b(true|false|nil)\b/},y={begin:"\\[|(#::?"+r+")?\\{",end:"[\\]\\}]",relevance:0},M={className:"symbol",begin:"[:]{1,2}"+r},v={begin:"\\(",end:"\\)"},A={endsWithParent:!0,relevance:0},O={keywords:o,className:"name",begin:r,relevance:0,starts:A},N=[_,v,c,d,S,E,M,y,u,T,l],R={beginKeywords:a,keywords:{$pattern:r,keyword:a},end:'(\\[|#|\\d|"|:|\\{|\\)|\\(|$)',contains:[{className:"title",begin:r,relevance:0,excludeEnd:!0,endsParent:!0}].concat(N)};return v.contains=[R,O,A],A.contains=N,y.contains=N,{name:"Clojure",aliases:["clj","edn"],illegal:/\S/,contains:[_,v,c,d,S,E,M,y,u,T]}}return Wp=e,Wp}var Vp,qv;function Z1(){if(qv)return Vp;qv=1;function e(t){return{name:"Clojure REPL",contains:[{className:"meta.prompt",begin:/^([\w.-]+|\s*#_)?=>/,starts:{end:/$/,subLanguage:"clojure"}}]}}return Vp=e,Vp}var zp,Yv;function J1(){if(Yv)return zp;Yv=1;function e(t){return{name:"CMake",aliases:["cmake.in"],case_insensitive:!0,keywords:{keyword:"break cmake_host_system_information cmake_minimum_required cmake_parse_arguments cmake_policy configure_file continue elseif else endforeach endfunction endif endmacro endwhile execute_process file find_file find_library find_package find_path find_program foreach function get_cmake_property get_directory_property get_filename_component get_property if include include_guard list macro mark_as_advanced math message option return separate_arguments set_directory_properties set_property set site_name string unset variable_watch while add_compile_definitions add_compile_options add_custom_command add_custom_target add_definitions add_dependencies add_executable add_library add_link_options add_subdirectory add_test aux_source_directory build_command create_test_sourcelist define_property enable_language enable_testing export fltk_wrap_ui get_source_file_property get_target_property get_test_property include_directories include_external_msproject include_regular_expression install link_directories link_libraries load_cache project qt_wrap_cpp qt_wrap_ui remove_definitions set_source_files_properties set_target_properties set_tests_properties source_group target_compile_definitions target_compile_features target_compile_options target_include_directories target_link_directories target_link_libraries target_link_options target_sources try_compile try_run ctest_build ctest_configure ctest_coverage ctest_empty_binary_directory ctest_memcheck ctest_read_custom_files ctest_run_script ctest_sleep ctest_start ctest_submit ctest_test ctest_update ctest_upload build_name exec_program export_library_dependencies install_files install_programs install_targets load_command make_directory output_required_files remove subdir_depends subdirs use_mangled_mesa utility_source variable_requires write_file qt5_use_modules qt5_use_package qt5_wrap_cpp on off true false and or not command policy target test exists is_newer_than is_directory is_symlink is_absolute matches less greater equal less_equal greater_equal strless strgreater strequal strless_equal strgreater_equal version_less version_greater version_equal version_less_equal version_greater_equal in_list defined"},contains:[{className:"variable",begin:/\$\{/,end:/\}/},t.COMMENT(/#\[\[/,/]]/),t.HASH_COMMENT_MODE,t.QUOTE_STRING_MODE,t.NUMBER_MODE]}}return zp=e,zp}var Kp,Wv;function eM(){if(Wv)return Kp;Wv=1;const e=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],t=["true","false","null","undefined","NaN","Infinity"],n=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],r=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],a=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],o=[].concat(a,n,r);function l(u){const c=["npm","print"],d=["yes","no","on","off"],S=["then","unless","until","loop","by","when","and","or","is","isnt","not"],_=["var","const","let","function","static"],E=L=>I=>!L.includes(I),T={keyword:e.concat(S).filter(E(_)),literal:t.concat(d),built_in:o.concat(c)},y="[A-Za-z$_][0-9A-Za-z$_]*",M={className:"subst",begin:/#\{/,end:/\}/,keywords:T},v=[u.BINARY_NUMBER_MODE,u.inherit(u.C_NUMBER_MODE,{starts:{end:"(\\s*/)?",relevance:0}}),{className:"string",variants:[{begin:/'''/,end:/'''/,contains:[u.BACKSLASH_ESCAPE]},{begin:/'/,end:/'/,contains:[u.BACKSLASH_ESCAPE]},{begin:/"""/,end:/"""/,contains:[u.BACKSLASH_ESCAPE,M]},{begin:/"/,end:/"/,contains:[u.BACKSLASH_ESCAPE,M]}]},{className:"regexp",variants:[{begin:"///",end:"///",contains:[M,u.HASH_COMMENT_MODE]},{begin:"//[gim]{0,3}(?=\\W)",relevance:0},{begin:/\/(?![ *]).*?(?![\\]).\/[gim]{0,3}(?=\W)/}]},{begin:"@"+y},{subLanguage:"javascript",excludeBegin:!0,excludeEnd:!0,variants:[{begin:"```",end:"```"},{begin:"`",end:"`"}]}];M.contains=v;const A=u.inherit(u.TITLE_MODE,{begin:y}),O="(\\(.*\\)\\s*)?\\B[-=]>",N={className:"params",begin:"\\([^\\(]",returnBegin:!0,contains:[{begin:/\(/,end:/\)/,keywords:T,contains:["self"].concat(v)}]},R={variants:[{match:[/class\s+/,y,/\s+extends\s+/,y]},{match:[/class\s+/,y]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:T};return{name:"CoffeeScript",aliases:["coffee","cson","iced"],keywords:T,illegal:/\/\*/,contains:[...v,u.COMMENT("###","###"),u.HASH_COMMENT_MODE,{className:"function",begin:"^\\s*"+y+"\\s*=\\s*"+O,end:"[-=]>",returnBegin:!0,contains:[A,N]},{begin:/[:\(,=]\s*/,relevance:0,contains:[{className:"function",begin:O,end:"[-=]>",returnBegin:!0,contains:[N]}]},R,{begin:y+":",end:":",returnBegin:!0,returnEnd:!0,relevance:0}]}}return Kp=l,Kp}var $p,Vv;function tM(){if(Vv)return $p;Vv=1;function e(t){return{name:"Coq",keywords:{keyword:["_|0","as","at","cofix","else","end","exists","exists2","fix","for","forall","fun","if","IF","in","let","match","mod","Prop","return","Set","then","Type","using","where","with","Abort","About","Add","Admit","Admitted","All","Arguments","Assumptions","Axiom","Back","BackTo","Backtrack","Bind","Blacklist","Canonical","Cd","Check","Class","Classes","Close","Coercion","Coercions","CoFixpoint","CoInductive","Collection","Combined","Compute","Conjecture","Conjectures","Constant","constr","Constraint","Constructors","Context","Corollary","CreateHintDb","Cut","Declare","Defined","Definition","Delimit","Dependencies","Dependent","Derive","Drop","eauto","End","Equality","Eval","Example","Existential","Existentials","Existing","Export","exporting","Extern","Extract","Extraction","Fact","Field","Fields","File","Fixpoint","Focus","for","From","Function","Functional","Generalizable","Global","Goal","Grab","Grammar","Graph","Guarded","Heap","Hint","HintDb","Hints","Hypotheses","Hypothesis","ident","Identity","If","Immediate","Implicit","Import","Include","Inductive","Infix","Info","Initial","Inline","Inspect","Instance","Instances","Intro","Intros","Inversion","Inversion_clear","Language","Left","Lemma","Let","Libraries","Library","Load","LoadPath","Local","Locate","Ltac","ML","Mode","Module","Modules","Monomorphic","Morphism","Next","NoInline","Notation","Obligation","Obligations","Opaque","Open","Optimize","Options","Parameter","Parameters","Parametric","Path","Paths","pattern","Polymorphic","Preterm","Print","Printing","Program","Projections","Proof","Proposition","Pwd","Qed","Quit","Rec","Record","Recursive","Redirect","Relation","Remark","Remove","Require","Reserved","Reset","Resolve","Restart","Rewrite","Right","Ring","Rings","Save","Scheme","Scope","Scopes","Script","Search","SearchAbout","SearchHead","SearchPattern","SearchRewrite","Section","Separate","Set","Setoid","Show","Solve","Sorted","Step","Strategies","Strategy","Structure","SubClass","Table","Tables","Tactic","Term","Test","Theorem","Time","Timeout","Transparent","Type","Typeclasses","Types","Undelimit","Undo","Unfocus","Unfocused","Unfold","Universe","Universes","Unset","Unshelve","using","Variable","Variables","Variant","Verbose","Visibility","where","with"],built_in:["abstract","absurd","admit","after","apply","as","assert","assumption","at","auto","autorewrite","autounfold","before","bottom","btauto","by","case","case_eq","cbn","cbv","change","classical_left","classical_right","clear","clearbody","cofix","compare","compute","congruence","constr_eq","constructor","contradict","contradiction","cut","cutrewrite","cycle","decide","decompose","dependent","destruct","destruction","dintuition","discriminate","discrR","do","double","dtauto","eapply","eassumption","eauto","ecase","econstructor","edestruct","ediscriminate","eelim","eexact","eexists","einduction","einjection","eleft","elim","elimtype","enough","equality","erewrite","eright","esimplify_eq","esplit","evar","exact","exactly_once","exfalso","exists","f_equal","fail","field","field_simplify","field_simplify_eq","first","firstorder","fix","fold","fourier","functional","generalize","generalizing","gfail","give_up","has_evar","hnf","idtac","in","induction","injection","instantiate","intro","intro_pattern","intros","intuition","inversion","inversion_clear","is_evar","is_var","lapply","lazy","left","lia","lra","move","native_compute","nia","nsatz","omega","once","pattern","pose","progress","proof","psatz","quote","record","red","refine","reflexivity","remember","rename","repeat","replace","revert","revgoals","rewrite","rewrite_strat","right","ring","ring_simplify","rtauto","set","setoid_reflexivity","setoid_replace","setoid_rewrite","setoid_symmetry","setoid_transitivity","shelve","shelve_unifiable","simpl","simple","simplify_eq","solve","specialize","split","split_Rabs","split_Rmult","stepl","stepr","subst","sum","swap","symmetry","tactic","tauto","time","timeout","top","transitivity","trivial","try","tryif","unfold","unify","until","using","vm_compute","with"]},contains:[t.QUOTE_STRING_MODE,t.COMMENT("\\(\\*","\\*\\)"),t.C_NUMBER_MODE,{className:"type",excludeBegin:!0,begin:"\\|\\s*",end:"\\w+"},{begin:/[-=]>/}]}}return $p=e,$p}var Qp,zv;function nM(){if(zv)return Qp;zv=1;function e(t){return{name:"Cach\xE9 Object Script",case_insensitive:!0,aliases:["cls"],keywords:"property parameter class classmethod clientmethod extends as break catch close continue do d|0 else elseif for goto halt hang h|0 if job j|0 kill k|0 lock l|0 merge new open quit q|0 read r|0 return set s|0 tcommit throw trollback try tstart use view while write w|0 xecute x|0 zkill znspace zn ztrap zwrite zw zzdump zzwrite print zbreak zinsert zload zprint zremove zsave zzprint mv mvcall mvcrt mvdim mvprint zquit zsync ascii",contains:[{className:"number",begin:"\\b(\\d+(\\.\\d*)?|\\.\\d+)",relevance:0},{className:"string",variants:[{begin:'"',end:'"',contains:[{begin:'""',relevance:0}]}]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"comment",begin:/;/,end:"$",relevance:0},{className:"built_in",begin:/(?:\$\$?|\.\.)\^?[a-zA-Z]+/},{className:"built_in",begin:/\$\$\$[a-zA-Z]+/},{className:"built_in",begin:/%[a-z]+(?:\.[a-z]+)*/},{className:"symbol",begin:/\^%?[a-zA-Z][\w]*/},{className:"keyword",begin:/##class|##super|#define|#dim/},{begin:/&sql\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,subLanguage:"sql"},{begin:/&(js|jscript|javascript)</,end:/>/,excludeBegin:!0,excludeEnd:!0,subLanguage:"javascript"},{begin:/&html<\s*</,end:/>\s*>/,subLanguage:"xml"}]}}return Qp=e,Qp}var jp,Kv;function rM(){if(Kv)return jp;Kv=1;function e(t){const n=t.regex,r=t.COMMENT("//","$",{contains:[{begin:/\\\n/}]}),a="decltype\\(auto\\)",o="[a-zA-Z_]\\w*::",l="<[^<>]+>",u="(?!struct)("+a+"|"+n.optional(o)+"[a-zA-Z_]\\w*"+n.optional(l)+")",c={className:"type",begin:"\\b[a-z\\d_]*_t\\b"},d="\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\S)",S={className:"string",variants:[{begin:'(u8?|U|L)?"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE]},{begin:"(u8?|U|L)?'("+d+"|.)",end:"'",illegal:"."},t.END_SAME_AS_BEGIN({begin:/(?:u8?|U|L)?R"([^()\\ ]{0,16})\(/,end:/\)([^()\\ ]{0,16})"/})]},_={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},E={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma _Pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},t.inherit(S,{className:"string"}),{className:"string",begin:/<.*?>/},r,t.C_BLOCK_COMMENT_MODE]},T={className:"title",begin:n.optional(o)+t.IDENT_RE,relevance:0},y=n.optional(o)+t.IDENT_RE+"\\s*\\(",M=["alignas","alignof","and","and_eq","asm","atomic_cancel","atomic_commit","atomic_noexcept","auto","bitand","bitor","break","case","catch","class","co_await","co_return","co_yield","compl","concept","const_cast|10","consteval","constexpr","constinit","continue","decltype","default","delete","do","dynamic_cast|10","else","enum","explicit","export","extern","false","final","for","friend","goto","if","import","inline","module","mutable","namespace","new","noexcept","not","not_eq","nullptr","operator","or","or_eq","override","private","protected","public","reflexpr","register","reinterpret_cast|10","requires","return","sizeof","static_assert","static_cast|10","struct","switch","synchronized","template","this","thread_local","throw","transaction_safe","transaction_safe_dynamic","true","try","typedef","typeid","typename","union","using","virtual","volatile","while","xor","xor_eq"],v=["bool","char","char16_t","char32_t","char8_t","double","float","int","long","short","void","wchar_t","unsigned","signed","const","static"],A=["any","auto_ptr","barrier","binary_semaphore","bitset","complex","condition_variable","condition_variable_any","counting_semaphore","deque","false_type","future","imaginary","initializer_list","istringstream","jthread","latch","lock_guard","multimap","multiset","mutex","optional","ostringstream","packaged_task","pair","promise","priority_queue","queue","recursive_mutex","recursive_timed_mutex","scoped_lock","set","shared_future","shared_lock","shared_mutex","shared_timed_mutex","shared_ptr","stack","string_view","stringstream","timed_mutex","thread","true_type","tuple","unique_lock","unique_ptr","unordered_map","unordered_multimap","unordered_multiset","unordered_set","variant","vector","weak_ptr","wstring","wstring_view"],O=["abort","abs","acos","apply","as_const","asin","atan","atan2","calloc","ceil","cerr","cin","clog","cos","cosh","cout","declval","endl","exchange","exit","exp","fabs","floor","fmod","forward","fprintf","fputs","free","frexp","fscanf","future","invoke","isalnum","isalpha","iscntrl","isdigit","isgraph","islower","isprint","ispunct","isspace","isupper","isxdigit","labs","launder","ldexp","log","log10","make_pair","make_shared","make_shared_for_overwrite","make_tuple","make_unique","malloc","memchr","memcmp","memcpy","memset","modf","move","pow","printf","putchar","puts","realloc","scanf","sin","sinh","snprintf","sprintf","sqrt","sscanf","std","stderr","stdin","stdout","strcat","strchr","strcmp","strcpy","strcspn","strlen","strncat","strncmp","strncpy","strpbrk","strrchr","strspn","strstr","swap","tan","tanh","terminate","to_underlying","tolower","toupper","vfprintf","visit","vprintf","vsprintf"],L={type:v,keyword:M,literal:["NULL","false","nullopt","nullptr","true"],built_in:["_Pragma"],_type_hints:A},I={className:"function.dispatch",relevance:0,keywords:{_hint:O},begin:n.concat(/\b/,/(?!decltype)/,/(?!if)/,/(?!for)/,/(?!switch)/,/(?!while)/,t.IDENT_RE,n.lookahead(/(<[^<>]+>|)\s*\(/))},h=[I,E,c,r,t.C_BLOCK_COMMENT_MODE,_,S],k={variants:[{begin:/=/,end:/;/},{begin:/\(/,end:/\)/},{beginKeywords:"new throw return else",end:/;/}],keywords:L,contains:h.concat([{begin:/\(/,end:/\)/,keywords:L,contains:h.concat(["self"]),relevance:0}]),relevance:0},F={className:"function",begin:"("+u+"[\\*&\\s]+)+"+y,returnBegin:!0,end:/[{;=]/,excludeEnd:!0,keywords:L,illegal:/[^\w\s\*&:<>.]/,contains:[{begin:a,keywords:L,relevance:0},{begin:y,returnBegin:!0,contains:[T],relevance:0},{begin:/::/,relevance:0},{begin:/:/,endsWithParent:!0,contains:[S,_]},{relevance:0,match:/,/},{className:"params",begin:/\(/,end:/\)/,keywords:L,relevance:0,contains:[r,t.C_BLOCK_COMMENT_MODE,S,_,c,{begin:/\(/,end:/\)/,keywords:L,relevance:0,contains:["self",r,t.C_BLOCK_COMMENT_MODE,S,_,c]}]},c,r,t.C_BLOCK_COMMENT_MODE,E]};return{name:"C++",aliases:["cc","c++","h++","hpp","hh","hxx","cxx"],keywords:L,illegal:"</",classNameAliases:{"function.dispatch":"built_in"},contains:[].concat(k,F,I,h,[E,{begin:"\\b(deque|list|queue|priority_queue|pair|stack|vector|map|set|bitset|multiset|multimap|unordered_map|unordered_set|unordered_multiset|unordered_multimap|array|tuple|optional|variant|function)\\s*<(?!<)",end:">",keywords:L,contains:["self",c]},{begin:t.IDENT_RE+"::",keywords:L},{match:[/\b(?:enum(?:\s+(?:class|struct))?|class|struct|union)/,/\s+/,/\w+/],className:{1:"keyword",3:"title.class"}}])}}return jp=e,jp}var Xp,$v;function iM(){if($v)return Xp;$v=1;function e(t){const n="primitive rsc_template",r="group clone ms master location colocation order fencing_topology rsc_ticket acl_target acl_group user role tag xml",a="property rsc_defaults op_defaults",o="params meta operations op rule attributes utilization",l="read write deny defined not_defined in_range date spec in ref reference attribute type xpath version and or lt gt tag lte gte eq ne \\",u="number string",c="Master Started Slave Stopped start promote demote stop monitor true false";return{name:"crmsh",aliases:["crm","pcmk"],case_insensitive:!0,keywords:{keyword:o+" "+l+" "+u,literal:c},contains:[t.HASH_COMMENT_MODE,{beginKeywords:"node",starts:{end:"\\s*([\\w_-]+:)?",starts:{className:"title",end:"\\s*[\\$\\w_][\\w_-]*"}}},{beginKeywords:n,starts:{className:"title",end:"\\s*[\\$\\w_][\\w_-]*",starts:{end:"\\s*@?[\\w_][\\w_\\.:-]*"}}},{begin:"\\b("+r.split(" ").join("|")+")\\s+",keywords:r,starts:{className:"title",end:"[\\$\\w_][\\w_-]*"}},{beginKeywords:a,starts:{className:"title",end:"\\s*([\\w_-]+:)?"}},t.QUOTE_STRING_MODE,{className:"meta",begin:"(ocf|systemd|service|lsb):[\\w_:-]+",relevance:0},{className:"number",begin:"\\b\\d+(\\.\\d+)?(ms|s|h|m)?",relevance:0},{className:"literal",begin:"[-]?(infinity|inf)",relevance:0},{className:"attr",begin:/([A-Za-z$_#][\w_-]+)=/,relevance:0},{className:"tag",begin:"</?",end:"/?>",relevance:0}]}}return Xp=e,Xp}var Zp,Qv;function aM(){if(Qv)return Zp;Qv=1;function e(t){const n="(_?[ui](8|16|32|64|128))?",r="(_?f(32|64))?",a="[a-zA-Z_]\\w*[!?=]?",o="[a-zA-Z_]\\w*[!?=]?|[-+~]@|<<|>>|[=!]~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~|]|//|//=|&[-+*]=?|&\\*\\*|\\[\\][=?]?",l="[A-Za-z_]\\w*(::\\w+)*(\\?|!)?",u={$pattern:a,keyword:"abstract alias annotation as as? asm begin break case class def do else elsif end ensure enum extend for fun if include instance_sizeof is_a? lib macro module next nil? of out pointerof private protected rescue responds_to? return require select self sizeof struct super then type typeof union uninitialized unless until verbatim when while with yield __DIR__ __END_LINE__ __FILE__ __LINE__",literal:"false nil true"},c={className:"subst",begin:/#\{/,end:/\}/,keywords:u},d={className:"variable",begin:"(\\$\\W)|((\\$|@@?)(\\w+))(?=[^@$?])(?![A-Za-z])(?![@$?'])"},S={className:"template-variable",variants:[{begin:"\\{\\{",end:"\\}\\}"},{begin:"\\{%",end:"%\\}"}],keywords:u};function _(O,N){const R=[{begin:O,end:N}];return R[0].contains=R,R}const E={className:"string",contains:[t.BACKSLASH_ESCAPE,c],variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/`/,end:/`/},{begin:"%[Qwi]?\\(",end:"\\)",contains:_("\\(","\\)")},{begin:"%[Qwi]?\\[",end:"\\]",contains:_("\\[","\\]")},{begin:"%[Qwi]?\\{",end:/\}/,contains:_(/\{/,/\}/)},{begin:"%[Qwi]?<",end:">",contains:_("<",">")},{begin:"%[Qwi]?\\|",end:"\\|"},{begin:/<<-\w+$/,end:/^\s*\w+$/}],relevance:0},T={className:"string",variants:[{begin:"%q\\(",end:"\\)",contains:_("\\(","\\)")},{begin:"%q\\[",end:"\\]",contains:_("\\[","\\]")},{begin:"%q\\{",end:/\}/,contains:_(/\{/,/\}/)},{begin:"%q<",end:">",contains:_("<",">")},{begin:"%q\\|",end:"\\|"},{begin:/<<-'\w+'$/,end:/^\s*\w+$/}],relevance:0},y={begin:"(?!%\\})("+t.RE_STARTERS_RE+"|\\n|\\b(case|if|select|unless|until|when|while)\\b)\\s*",keywords:"case if select unless until when while",contains:[{className:"regexp",contains:[t.BACKSLASH_ESCAPE,c],variants:[{begin:"//[a-z]*",relevance:0},{begin:"/(?!\\/)",end:"/[a-z]*"}]}],relevance:0},M={className:"regexp",contains:[t.BACKSLASH_ESCAPE,c],variants:[{begin:"%r\\(",end:"\\)",contains:_("\\(","\\)")},{begin:"%r\\[",end:"\\]",contains:_("\\[","\\]")},{begin:"%r\\{",end:/\}/,contains:_(/\{/,/\}/)},{begin:"%r<",end:">",contains:_("<",">")},{begin:"%r\\|",end:"\\|"}],relevance:0},v={className:"meta",begin:"@\\[",end:"\\]",contains:[t.inherit(t.QUOTE_STRING_MODE,{className:"string"})]},A=[S,E,T,M,y,v,d,t.HASH_COMMENT_MODE,{className:"class",beginKeywords:"class module struct",end:"$|;",illegal:/=/,contains:[t.HASH_COMMENT_MODE,t.inherit(t.TITLE_MODE,{begin:l}),{begin:"<"}]},{className:"class",beginKeywords:"lib enum union",end:"$|;",illegal:/=/,contains:[t.HASH_COMMENT_MODE,t.inherit(t.TITLE_MODE,{begin:l})]},{beginKeywords:"annotation",end:"$|;",illegal:/=/,contains:[t.HASH_COMMENT_MODE,t.inherit(t.TITLE_MODE,{begin:l})],relevance:2},{className:"function",beginKeywords:"def",end:/\B\b/,contains:[t.inherit(t.TITLE_MODE,{begin:o,endsParent:!0})]},{className:"function",beginKeywords:"fun macro",end:/\B\b/,contains:[t.inherit(t.TITLE_MODE,{begin:o,endsParent:!0})],relevance:2},{className:"symbol",begin:t.UNDERSCORE_IDENT_RE+"(!|\\?)?:",relevance:0},{className:"symbol",begin:":",contains:[E,{begin:o}],relevance:0},{className:"number",variants:[{begin:"\\b0b([01_]+)"+n},{begin:"\\b0o([0-7_]+)"+n},{begin:"\\b0x([A-Fa-f0-9_]+)"+n},{begin:"\\b([1-9][0-9_]*[0-9]|[0-9])(\\.[0-9][0-9_]*)?([eE]_?[-+]?[0-9_]*)?"+r+"(?!_)"},{begin:"\\b([1-9][0-9_]*|0)"+n}],relevance:0}];return c.contains=A,S.contains=A.slice(1),{name:"Crystal",aliases:["cr"],keywords:u,contains:A}}return Zp=e,Zp}var Jp,jv;function oM(){if(jv)return Jp;jv=1;function e(t){const n=["bool","byte","char","decimal","delegate","double","dynamic","enum","float","int","long","nint","nuint","object","sbyte","short","string","ulong","uint","ushort"],r=["public","private","protected","static","internal","protected","abstract","async","extern","override","unsafe","virtual","new","sealed","partial"],a=["default","false","null","true"],o=["abstract","as","base","break","case","catch","class","const","continue","do","else","event","explicit","extern","finally","fixed","for","foreach","goto","if","implicit","in","interface","internal","is","lock","namespace","new","operator","out","override","params","private","protected","public","readonly","record","ref","return","scoped","sealed","sizeof","stackalloc","static","struct","switch","this","throw","try","typeof","unchecked","unsafe","using","virtual","void","volatile","while"],l=["add","alias","and","ascending","async","await","by","descending","equals","from","get","global","group","init","into","join","let","nameof","not","notnull","on","or","orderby","partial","remove","select","set","unmanaged","value|0","var","when","where","with","yield"],u={keyword:o.concat(l),built_in:n,literal:a},c=t.inherit(t.TITLE_MODE,{begin:"[a-zA-Z](\\.?\\w)*"}),d={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)(u|U|l|L|ul|UL|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},S={className:"string",begin:'@"',end:'"',contains:[{begin:'""'}]},_=t.inherit(S,{illegal:/\n/}),E={className:"subst",begin:/\{/,end:/\}/,keywords:u},T=t.inherit(E,{illegal:/\n/}),y={className:"string",begin:/\$"/,end:'"',illegal:/\n/,contains:[{begin:/\{\{/},{begin:/\}\}/},t.BACKSLASH_ESCAPE,T]},M={className:"string",begin:/\$@"/,end:'"',contains:[{begin:/\{\{/},{begin:/\}\}/},{begin:'""'},E]},v=t.inherit(M,{illegal:/\n/,contains:[{begin:/\{\{/},{begin:/\}\}/},{begin:'""'},T]});E.contains=[M,y,S,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,d,t.C_BLOCK_COMMENT_MODE],T.contains=[v,y,_,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,d,t.inherit(t.C_BLOCK_COMMENT_MODE,{illegal:/\n/})];const A={variants:[M,y,S,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]},O={begin:"<",end:">",contains:[{beginKeywords:"in out"},c]},N=t.IDENT_RE+"(<"+t.IDENT_RE+"(\\s*,\\s*"+t.IDENT_RE+")*>)?(\\[\\])?",R={begin:"@"+t.IDENT_RE,relevance:0};return{name:"C#",aliases:["cs","c#"],keywords:u,illegal:/::/,contains:[t.COMMENT("///","$",{returnBegin:!0,contains:[{className:"doctag",variants:[{begin:"///",relevance:0},{begin:"<!--|-->"},{begin:"</?",end:">"}]}]}),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"meta",begin:"#",end:"$",keywords:{keyword:"if else elif endif define undef warning error line region endregion pragma checksum"}},A,d,{beginKeywords:"class interface",relevance:0,end:/[{;=]/,illegal:/[^\s:,]/,contains:[{beginKeywords:"where class"},c,O,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{beginKeywords:"namespace",relevance:0,end:/[{;=]/,illegal:/[^\s:]/,contains:[c,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{beginKeywords:"record",relevance:0,end:/[{;=]/,illegal:/[^\s:]/,contains:[c,O,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{className:"meta",begin:"^\\s*\\[(?=[\\w])",excludeBegin:!0,end:"\\]",excludeEnd:!0,contains:[{className:"string",begin:/"/,end:/"/}]},{beginKeywords:"new return throw await else",relevance:0},{className:"function",begin:"("+N+"\\s+)+"+t.IDENT_RE+"\\s*(<[^=]+>\\s*)?\\(",returnBegin:!0,end:/\s*[{;=]/,excludeEnd:!0,keywords:u,contains:[{beginKeywords:r.join(" "),relevance:0},{begin:t.IDENT_RE+"\\s*(<[^=]+>\\s*)?\\(",returnBegin:!0,contains:[t.TITLE_MODE,O],relevance:0},{match:/\(\)/},{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:u,relevance:0,contains:[A,d,t.C_BLOCK_COMMENT_MODE]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},R]}}return Jp=e,Jp}var e_,Xv;function sM(){if(Xv)return e_;Xv=1;function e(t){return{name:"CSP",case_insensitive:!1,keywords:{$pattern:"[a-zA-Z][a-zA-Z0-9_-]*",keyword:["base-uri","child-src","connect-src","default-src","font-src","form-action","frame-ancestors","frame-src","img-src","manifest-src","media-src","object-src","plugin-types","report-uri","sandbox","script-src","style-src","trusted-types","unsafe-hashes","worker-src"]},contains:[{className:"string",begin:"'",end:"'"},{className:"attribute",begin:"^Content",end:":",excludeEnd:!0}]}}return e_=e,e_}var t_,Zv;function lM(){if(Zv)return t_;Zv=1;const e=u=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:u.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[u.APOS_STRING_MODE,u.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:u.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z_][A-Za-z0-9_-]*/}}),t=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],n=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],r=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],a=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],o=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","caret-color","clear","clip","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","grid-row-start","grid-template","grid-template-areas","grid-template-columns","grid-template-rows","hanging-punctuation","height","hyphens","icon","image-orientation","image-rendering","image-resolution","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse();function l(u){const c=u.regex,d=e(u),S={begin:/-(webkit|moz|ms|o)-(?=[a-z])/},_="and or not only",E=/@-?\w[\w]*(-\w+)*/,T="[a-zA-Z-][a-zA-Z0-9_-]*",y=[u.APOS_STRING_MODE,u.QUOTE_STRING_MODE];return{name:"CSS",case_insensitive:!0,illegal:/[=|'\$]/,keywords:{keyframePosition:"from to"},classNameAliases:{keyframePosition:"selector-tag"},contains:[d.BLOCK_COMMENT,S,d.CSS_NUMBER_MODE,{className:"selector-id",begin:/#[A-Za-z0-9_-]+/,relevance:0},{className:"selector-class",begin:"\\."+T,relevance:0},d.ATTRIBUTE_SELECTOR_MODE,{className:"selector-pseudo",variants:[{begin:":("+r.join("|")+")"},{begin:":(:)?("+a.join("|")+")"}]},d.CSS_VARIABLE,{className:"attribute",begin:"\\b("+o.join("|")+")\\b"},{begin:/:/,end:/[;}{]/,contains:[d.BLOCK_COMMENT,d.HEXCOLOR,d.IMPORTANT,d.CSS_NUMBER_MODE,...y,{begin:/(url|data-uri)\(/,end:/\)/,relevance:0,keywords:{built_in:"url data-uri"},contains:[...y,{className:"string",begin:/[^)]/,endsWithParent:!0,excludeEnd:!0}]},d.FUNCTION_DISPATCH]},{begin:c.lookahead(/@/),end:"[{;]",relevance:0,illegal:/:/,contains:[{className:"keyword",begin:E},{begin:/\s/,endsWithParent:!0,excludeEnd:!0,relevance:0,keywords:{$pattern:/[a-z-]+/,keyword:_,attribute:n.join(" ")},contains:[{begin:/[a-z-]+(?=:)/,className:"attribute"},...y,d.CSS_NUMBER_MODE]}]},{className:"selector-tag",begin:"\\b("+t.join("|")+")\\b"}]}}return t_=l,t_}var n_,Jv;function uM(){if(Jv)return n_;Jv=1;function e(t){const n={$pattern:t.UNDERSCORE_IDENT_RE,keyword:"abstract alias align asm assert auto body break byte case cast catch class const continue debug default delete deprecated do else enum export extern final finally for foreach foreach_reverse|10 goto if immutable import in inout int interface invariant is lazy macro mixin module new nothrow out override package pragma private protected public pure ref return scope shared static struct super switch synchronized template this throw try typedef typeid typeof union unittest version void volatile while with __FILE__ __LINE__ __gshared|10 __thread __traits __DATE__ __EOF__ __TIME__ __TIMESTAMP__ __VENDOR__ __VERSION__",built_in:"bool cdouble cent cfloat char creal dchar delegate double dstring float function idouble ifloat ireal long real short string ubyte ucent uint ulong ushort wchar wstring",literal:"false null true"},r="(0|[1-9][\\d_]*)",a="(0|[1-9][\\d_]*|\\d[\\d_]*|[\\d_]+?\\d)",o="0[bB][01_]+",l="([\\da-fA-F][\\da-fA-F_]*|_[\\da-fA-F][\\da-fA-F_]*)",u="0[xX]"+l,c="([eE][+-]?"+a+")",d="("+a+"(\\.\\d*|"+c+")|\\d+\\."+a+"|\\."+r+c+"?)",S="(0[xX]("+l+"\\."+l+"|\\.?"+l+")[pP][+-]?"+a+")",_="("+r+"|"+o+"|"+u+")",E="("+S+"|"+d+")",T=`\\\\(['"\\?\\\\abfnrtv]|u[\\dA-Fa-f]{4}|[0-7]{1,3}|x[\\dA-Fa-f]{2}|U[\\dA-Fa-f]{8})|&[a-zA-Z\\d]{2,};`,y={className:"number",begin:"\\b"+_+"(L|u|U|Lu|LU|uL|UL)?",relevance:0},M={className:"number",begin:"\\b("+E+"([fF]|L|i|[fF]i|Li)?|"+_+"(i|[fF]i|Li))",relevance:0},v={className:"string",begin:"'("+T+"|.)",end:"'",illegal:"."},O={className:"string",begin:'"',contains:[{begin:T,relevance:0}],end:'"[cwd]?'},N={className:"string",begin:'[rq]"',end:'"[cwd]?',relevance:5},R={className:"string",begin:"`",end:"`[cwd]?"},L={className:"string",begin:'x"[\\da-fA-F\\s\\n\\r]*"[cwd]?',relevance:10},I={className:"string",begin:'q"\\{',end:'\\}"'},h={className:"meta",begin:"^#!",end:"$",relevance:5},k={className:"meta",begin:"#(line)",end:"$",relevance:5},F={className:"keyword",begin:"@[a-zA-Z_][a-zA-Z_\\d]*"},z=t.COMMENT("\\/\\+","\\+\\/",{contains:["self"],relevance:10});return{name:"D",keywords:n,contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,z,L,O,N,R,I,M,y,v,h,k,F]}}return n_=e,n_}var r_,eT;function cM(){if(eT)return r_;eT=1;function e(t){const n=t.regex,r={begin:/<\/?[A-Za-z_]/,end:">",subLanguage:"xml",relevance:0},a={begin:"^[-\\*]{3,}",end:"$"},o={className:"code",variants:[{begin:"(`{3,})[^`](.|\\n)*?\\1`*[ ]*"},{begin:"(~{3,})[^~](.|\\n)*?\\1~*[ ]*"},{begin:"```",end:"```+[ ]*$"},{begin:"~~~",end:"~~~+[ ]*$"},{begin:"`.+?`"},{begin:"(?=^( {4}|\\t))",contains:[{begin:"^( {4}|\\t)",end:"(\\n)$"}],relevance:0}]},l={className:"bullet",begin:"^[ 	]*([*+-]|(\\d+\\.))(?=\\s+)",end:"\\s+",excludeEnd:!0},u={begin:/^\[[^\n]+\]:/,returnBegin:!0,contains:[{className:"symbol",begin:/\[/,end:/\]/,excludeBegin:!0,excludeEnd:!0},{className:"link",begin:/:\s*/,end:/$/,excludeBegin:!0}]},c=/[A-Za-z][A-Za-z0-9+.-]*/,d={variants:[{begin:/\[.+?\]\[.*?\]/,relevance:0},{begin:/\[.+?\]\(((data|javascript|mailto):|(?:http|ftp)s?:\/\/).*?\)/,relevance:2},{begin:n.concat(/\[.+?\]\(/,c,/:\/\/.*?\)/),relevance:2},{begin:/\[.+?\]\([./?&#].*?\)/,relevance:1},{begin:/\[.*?\]\(.*?\)/,relevance:0}],returnBegin:!0,contains:[{match:/\[(?=\])/},{className:"string",relevance:0,begin:"\\[",end:"\\]",excludeBegin:!0,returnEnd:!0},{className:"link",relevance:0,begin:"\\]\\(",end:"\\)",excludeBegin:!0,excludeEnd:!0},{className:"symbol",relevance:0,begin:"\\]\\[",end:"\\]",excludeBegin:!0,excludeEnd:!0}]},S={className:"strong",contains:[],variants:[{begin:/_{2}(?!\s)/,end:/_{2}/},{begin:/\*{2}(?!\s)/,end:/\*{2}/}]},_={className:"emphasis",contains:[],variants:[{begin:/\*(?![*\s])/,end:/\*/},{begin:/_(?![_\s])/,end:/_/,relevance:0}]},E=t.inherit(S,{contains:[]}),T=t.inherit(_,{contains:[]});S.contains.push(T),_.contains.push(E);let y=[r,d];return[S,_,E,T].forEach(A=>{A.contains=A.contains.concat(y)}),y=y.concat(S,_),{name:"Markdown",aliases:["md","mkdown","mkd"],contains:[{className:"section",variants:[{begin:"^#{1,6}",end:"$",contains:y},{begin:"(?=^.+?\\n[=-]{2,}$)",contains:[{begin:"^[=-]*$"},{begin:"^",end:"\\n",contains:y}]}]},r,l,S,_,{className:"quote",begin:"^>\\s+",contains:y,end:"$"},o,a,d,u]}}return r_=e,r_}var i_,tT;function dM(){if(tT)return i_;tT=1;function e(t){const n={className:"subst",variants:[{begin:"\\$[A-Za-z0-9_]+"}]},r={className:"subst",variants:[{begin:/\$\{/,end:/\}/}],keywords:"true false null this is new super"},a={className:"string",variants:[{begin:"r'''",end:"'''"},{begin:'r"""',end:'"""'},{begin:"r'",end:"'",illegal:"\\n"},{begin:'r"',end:'"',illegal:"\\n"},{begin:"'''",end:"'''",contains:[t.BACKSLASH_ESCAPE,n,r]},{begin:'"""',end:'"""',contains:[t.BACKSLASH_ESCAPE,n,r]},{begin:"'",end:"'",illegal:"\\n",contains:[t.BACKSLASH_ESCAPE,n,r]},{begin:'"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE,n,r]}]};r.contains=[t.C_NUMBER_MODE,a];const o=["Comparable","DateTime","Duration","Function","Iterable","Iterator","List","Map","Match","Object","Pattern","RegExp","Set","Stopwatch","String","StringBuffer","StringSink","Symbol","Type","Uri","bool","double","int","num","Element","ElementList"],l=o.map(d=>`${d}?`);return{name:"Dart",keywords:{keyword:["abstract","as","assert","async","await","base","break","case","catch","class","const","continue","covariant","default","deferred","do","dynamic","else","enum","export","extends","extension","external","factory","false","final","finally","for","Function","get","hide","if","implements","import","in","interface","is","late","library","mixin","new","null","on","operator","part","required","rethrow","return","sealed","set","show","static","super","switch","sync","this","throw","true","try","typedef","var","void","when","while","with","yield"],built_in:o.concat(l).concat(["Never","Null","dynamic","print","document","querySelector","querySelectorAll","window"]),$pattern:/[A-Za-z][A-Za-z0-9_]*\??/},contains:[a,t.COMMENT(/\/\*\*(?!\/)/,/\*\//,{subLanguage:"markdown",relevance:0}),t.COMMENT(/\/{3,} ?/,/$/,{contains:[{subLanguage:"markdown",begin:".",end:"$",relevance:0}]}),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"class",beginKeywords:"class interface",end:/\{/,excludeEnd:!0,contains:[{beginKeywords:"extends implements"},t.UNDERSCORE_TITLE_MODE]},t.C_NUMBER_MODE,{className:"meta",begin:"@[A-Za-z]+"},{begin:"=>"}]}}return i_=e,i_}var a_,nT;function fM(){if(nT)return a_;nT=1;function e(t){const n=["exports","register","file","shl","array","record","property","for","mod","while","set","ally","label","uses","raise","not","stored","class","safecall","var","interface","or","private","static","exit","index","inherited","to","else","stdcall","override","shr","asm","far","resourcestring","finalization","packed","virtual","out","and","protected","library","do","xorwrite","goto","near","function","end","div","overload","object","unit","begin","string","on","inline","repeat","until","destructor","write","message","program","with","read","initialization","except","default","nil","if","case","cdecl","in","downto","threadvar","of","try","pascal","const","external","constructor","type","public","then","implementation","finally","published","procedure","absolute","reintroduce","operator","as","is","abstract","alias","assembler","bitpacked","break","continue","cppdecl","cvar","enumerator","experimental","platform","deprecated","unimplemented","dynamic","export","far16","forward","generic","helper","implements","interrupt","iochecks","local","name","nodefault","noreturn","nostackframe","oldfpccall","otherwise","saveregisters","softfloat","specialize","strict","unaligned","varargs"],r=[t.C_LINE_COMMENT_MODE,t.COMMENT(/\{/,/\}/,{relevance:0}),t.COMMENT(/\(\*/,/\*\)/,{relevance:10})],a={className:"meta",variants:[{begin:/\{\$/,end:/\}/},{begin:/\(\*\$/,end:/\*\)/}]},o={className:"string",begin:/'/,end:/'/,contains:[{begin:/''/}]},l={className:"number",relevance:0,variants:[{begin:"\\$[0-9A-Fa-f]+"},{begin:"&[0-7]+"},{begin:"%[01]+"}]},u={className:"string",begin:/(#\d+)+/},c={begin:t.IDENT_RE+"\\s*=\\s*class\\s*\\(",returnBegin:!0,contains:[t.TITLE_MODE]},d={className:"function",beginKeywords:"function constructor destructor procedure",end:/[:;]/,keywords:"function constructor|10 destructor|10 procedure|10",contains:[t.TITLE_MODE,{className:"params",begin:/\(/,end:/\)/,keywords:n,contains:[o,u,a].concat(r)},a].concat(r)};return{name:"Delphi",aliases:["dpr","dfm","pas","pascal"],case_insensitive:!0,keywords:n,illegal:/"|\$[G-Zg-z]|\/\*|<\/|\|/,contains:[o,u,t.NUMBER_MODE,l,c,d,a].concat(r)}}return a_=e,a_}var o_,rT;function pM(){if(rT)return o_;rT=1;function e(t){const n=t.regex;return{name:"Diff",aliases:["patch"],contains:[{className:"meta",relevance:10,match:n.either(/^@@ +-\d+,\d+ +\+\d+,\d+ +@@/,/^\*\*\* +\d+,\d+ +\*\*\*\*$/,/^--- +\d+,\d+ +----$/)},{className:"comment",variants:[{begin:n.either(/Index: /,/^index/,/={3,}/,/^-{3}/,/^\*{3} /,/^\+{3}/,/^diff --git/),end:/$/},{match:/^\*{15}$/}]},{className:"addition",begin:/^\+/,end:/$/},{className:"deletion",begin:/^-/,end:/$/},{className:"addition",begin:/^!/,end:/$/}]}}return o_=e,o_}var s_,iT;function _M(){if(iT)return s_;iT=1;function e(t){const n={begin:/\|[A-Za-z]+:?/,keywords:{name:"truncatewords removetags linebreaksbr yesno get_digit timesince random striptags filesizeformat escape linebreaks length_is ljust rjust cut urlize fix_ampersands title floatformat capfirst pprint divisibleby add make_list unordered_list urlencode timeuntil urlizetrunc wordcount stringformat linenumbers slice date dictsort dictsortreversed default_if_none pluralize lower join center default truncatewords_html upper length phone2numeric wordwrap time addslashes slugify first escapejs force_escape iriencode last safe safeseq truncatechars localize unlocalize localtime utc timezone"},contains:[t.QUOTE_STRING_MODE,t.APOS_STRING_MODE]};return{name:"Django",aliases:["jinja"],case_insensitive:!0,subLanguage:"xml",contains:[t.COMMENT(/\{%\s*comment\s*%\}/,/\{%\s*endcomment\s*%\}/),t.COMMENT(/\{#/,/#\}/),{className:"template-tag",begin:/\{%/,end:/%\}/,contains:[{className:"name",begin:/\w+/,keywords:{name:"comment endcomment load templatetag ifchanged endifchanged if endif firstof for endfor ifnotequal endifnotequal widthratio extends include spaceless endspaceless regroup ifequal endifequal ssi now with cycle url filter endfilter debug block endblock else autoescape endautoescape csrf_token empty elif endwith static trans blocktrans endblocktrans get_static_prefix get_media_prefix plural get_current_language language get_available_languages get_current_language_bidi get_language_info get_language_info_list localize endlocalize localtime endlocaltime timezone endtimezone get_current_timezone verbatim"},starts:{endsWithParent:!0,keywords:"in by as",contains:[n],relevance:0}}]},{className:"template-variable",begin:/\{\{/,end:/\}\}/,contains:[n]}]}}return s_=e,s_}var l_,aT;function mM(){if(aT)return l_;aT=1;function e(t){return{name:"DNS Zone",aliases:["bind","zone"],keywords:["IN","A","AAAA","AFSDB","APL","CAA","CDNSKEY","CDS","CERT","CNAME","DHCID","DLV","DNAME","DNSKEY","DS","HIP","IPSECKEY","KEY","KX","LOC","MX","NAPTR","NS","NSEC","NSEC3","NSEC3PARAM","PTR","RRSIG","RP","SIG","SOA","SRV","SSHFP","TA","TKEY","TLSA","TSIG","TXT"],contains:[t.COMMENT(";","$",{relevance:0}),{className:"meta",begin:/^\$(TTL|GENERATE|INCLUDE|ORIGIN)\b/},{className:"number",begin:"((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:)))\\b"},{className:"number",begin:"((25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9]).){3,3}(25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9])\\b"},t.inherit(t.NUMBER_MODE,{begin:/\b\d+[dhwm]?/})]}}return l_=e,l_}var u_,oT;function gM(){if(oT)return u_;oT=1;function e(t){return{name:"Dockerfile",aliases:["docker"],case_insensitive:!0,keywords:["from","maintainer","expose","env","arg","user","onbuild","stopsignal"],contains:[t.HASH_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.NUMBER_MODE,{beginKeywords:"run cmd entrypoint volume add copy workdir label healthcheck shell",starts:{end:/[^\\]$/,subLanguage:"bash"}}],illegal:"</"}}return u_=e,u_}var c_,sT;function hM(){if(sT)return c_;sT=1;function e(t){const n=t.COMMENT(/^\s*@?rem\b/,/$/,{relevance:10});return{name:"Batch file (DOS)",aliases:["bat","cmd"],case_insensitive:!0,illegal:/\/\*/,keywords:{keyword:["if","else","goto","for","in","do","call","exit","not","exist","errorlevel","defined","equ","neq","lss","leq","gtr","geq"],built_in:["prn","nul","lpt3","lpt2","lpt1","con","com4","com3","com2","com1","aux","shift","cd","dir","echo","setlocal","endlocal","set","pause","copy","append","assoc","at","attrib","break","cacls","cd","chcp","chdir","chkdsk","chkntfs","cls","cmd","color","comp","compact","convert","date","dir","diskcomp","diskcopy","doskey","erase","fs","find","findstr","format","ftype","graftabl","help","keyb","label","md","mkdir","mode","more","move","path","pause","print","popd","pushd","promt","rd","recover","rem","rename","replace","restore","rmdir","shift","sort","start","subst","time","title","tree","type","ver","verify","vol","ping","net","ipconfig","taskkill","xcopy","ren","del"]},contains:[{className:"variable",begin:/%%[^ ]|%[^ ]+?%|![^ ]+?!/},{className:"function",begin:{className:"symbol",begin:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)",relevance:0}.begin,end:"goto:eof",contains:[t.inherit(t.TITLE_MODE,{begin:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),n]},{className:"number",begin:"\\b\\d+",relevance:0},n]}}return c_=e,c_}var d_,lT;function EM(){if(lT)return d_;lT=1;function e(t){return{keywords:"dsconfig",contains:[{className:"keyword",begin:"^dsconfig",end:/\s/,excludeEnd:!0,relevance:10},{className:"built_in",begin:/(list|create|get|set|delete)-(\w+)/,end:/\s/,excludeEnd:!0,illegal:"!@#$%^&*()",relevance:10},{className:"built_in",begin:/--(\w+)/,end:/\s/,excludeEnd:!0},{className:"string",begin:/"/,end:/"/},{className:"string",begin:/'/,end:/'/},{className:"string",begin:/[\w\-?]+:\w+/,end:/\W/,relevance:0},{className:"string",begin:/\w+(\-\w+)*/,end:/(?=\W)/,relevance:0},t.HASH_COMMENT_MODE]}}return d_=e,d_}var f_,uT;function SM(){if(uT)return f_;uT=1;function e(t){const n={className:"string",variants:[t.inherit(t.QUOTE_STRING_MODE,{begin:'((u8?|U)|L)?"'}),{begin:'(u8?|U)?R"',end:'"',contains:[t.BACKSLASH_ESCAPE]},{begin:"'\\\\?.",end:"'",illegal:"."}]},r={className:"number",variants:[{begin:"\\b(\\d+(\\.\\d*)?|\\.\\d+)(u|U|l|L|ul|UL|f|F)"},{begin:t.C_NUMBER_RE}],relevance:0},a={className:"meta",begin:"#",end:"$",keywords:{keyword:"if else elif endif define undef ifdef ifndef"},contains:[{begin:/\\\n/,relevance:0},{beginKeywords:"include",end:"$",keywords:{keyword:"include"},contains:[t.inherit(n,{className:"string"}),{className:"string",begin:"<",end:">",illegal:"\\n"}]},n,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},o={className:"variable",begin:/&[a-z\d_]*\b/},l={className:"keyword",begin:"/[a-z][a-z\\d-]*/"},u={className:"symbol",begin:"^\\s*[a-zA-Z_][a-zA-Z\\d_]*:"},c={className:"params",relevance:0,begin:"<",end:">",contains:[r,o]},d={className:"title.class",begin:/[a-zA-Z_][a-zA-Z\d_@-]*(?=\s\{)/,relevance:.2},S={className:"title.class",begin:/^\/(?=\s*\{)/,relevance:10},_={match:/[a-z][a-z-,]+(?=;)/,relevance:0,scope:"attr"},E={relevance:0,match:[/[a-z][a-z-,]+/,/\s*/,/=/],scope:{1:"attr",3:"operator"}},T={scope:"punctuation",relevance:0,match:/\};|[;{}]/};return{name:"Device Tree",contains:[S,o,l,u,d,E,_,c,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,r,n,a,T,{begin:t.IDENT_RE+"::",keywords:""}]}}return f_=e,f_}var p_,cT;function bM(){if(cT)return p_;cT=1;function e(t){const n="if eq ne lt lte gt gte select default math sep";return{name:"Dust",aliases:["dst"],case_insensitive:!0,subLanguage:"xml",contains:[{className:"template-tag",begin:/\{[#\/]/,end:/\}/,illegal:/;/,contains:[{className:"name",begin:/[a-zA-Z\.-]+/,starts:{endsWithParent:!0,relevance:0,contains:[t.QUOTE_STRING_MODE]}}]},{className:"template-variable",begin:/\{/,end:/\}/,illegal:/;/,keywords:n}]}}return p_=e,p_}var __,dT;function vM(){if(dT)return __;dT=1;function e(t){const n=t.COMMENT(/\(\*/,/\*\)/),r={className:"attribute",begin:/^[ ]*[a-zA-Z]+([\s_-]+[a-zA-Z]+)*/},o={begin:/=/,end:/[.;]/,contains:[n,{className:"meta",begin:/\?.*\?/},{className:"string",variants:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{begin:"`",end:"`"}]}]};return{name:"Extended Backus-Naur Form",illegal:/\S/,contains:[n,r,o]}}return __=e,__}var m_,fT;function TM(){if(fT)return m_;fT=1;function e(t){const n=t.regex,r="[a-zA-Z_][a-zA-Z0-9_.]*(!|\\?)?",a="[a-zA-Z_]\\w*[!?=]?|[-+~]@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?",u={$pattern:r,keyword:["after","alias","and","case","catch","cond","defstruct","defguard","do","else","end","fn","for","if","import","in","not","or","quote","raise","receive","require","reraise","rescue","try","unless","unquote","unquote_splicing","use","when","with|0"],literal:["false","nil","true"]},c={className:"subst",begin:/#\{/,end:/\}/,keywords:u},d={className:"number",begin:"(\\b0o[0-7_]+)|(\\b0b[01_]+)|(\\b0x[0-9a-fA-F_]+)|(-?\\b[0-9][0-9_]*(\\.[0-9_]+([eE][-+]?[0-9]+)?)?)",relevance:0},_={match:/\\[\s\S]/,scope:"char.escape",relevance:0},E=`[/|([{<"']`,T=[{begin:/"/,end:/"/},{begin:/'/,end:/'/},{begin:/\//,end:/\//},{begin:/\|/,end:/\|/},{begin:/\(/,end:/\)/},{begin:/\[/,end:/\]/},{begin:/\{/,end:/\}/},{begin:/</,end:/>/}],y=I=>({scope:"char.escape",begin:n.concat(/\\/,I),relevance:0}),M={className:"string",begin:"~[a-z](?="+E+")",contains:T.map(I=>t.inherit(I,{contains:[y(I.end),_,c]}))},v={className:"string",begin:"~[A-Z](?="+E+")",contains:T.map(I=>t.inherit(I,{contains:[y(I.end)]}))},A={className:"regex",variants:[{begin:"~r(?="+E+")",contains:T.map(I=>t.inherit(I,{end:n.concat(I.end,/[uismxfU]{0,7}/),contains:[y(I.end),_,c]}))},{begin:"~R(?="+E+")",contains:T.map(I=>t.inherit(I,{end:n.concat(I.end,/[uismxfU]{0,7}/),contains:[y(I.end)]}))}]},O={className:"string",contains:[t.BACKSLASH_ESCAPE,c],variants:[{begin:/"""/,end:/"""/},{begin:/'''/,end:/'''/},{begin:/~S"""/,end:/"""/,contains:[]},{begin:/~S"/,end:/"/,contains:[]},{begin:/~S'''/,end:/'''/,contains:[]},{begin:/~S'/,end:/'/,contains:[]},{begin:/'/,end:/'/},{begin:/"/,end:/"/}]},N={className:"function",beginKeywords:"def defp defmacro defmacrop",end:/\B\b/,contains:[t.inherit(t.TITLE_MODE,{begin:r,endsParent:!0})]},R=t.inherit(N,{className:"class",beginKeywords:"defimpl defmodule defprotocol defrecord",end:/\bdo\b|$|;/}),L=[O,A,v,M,t.HASH_COMMENT_MODE,R,N,{begin:"::"},{className:"symbol",begin:":(?![\\s:])",contains:[O,{begin:a}],relevance:0},{className:"symbol",begin:r+":(?!:)",relevance:0},{className:"title.class",begin:/(\b[A-Z][a-zA-Z0-9_]+)/,relevance:0},d,{className:"variable",begin:"(\\$\\W)|((\\$|@@?)(\\w+))"}];return c.contains=L,{name:"Elixir",aliases:["ex","exs"],keywords:u,contains:L}}return m_=e,m_}var g_,pT;function yM(){if(pT)return g_;pT=1;function e(t){const n={variants:[t.COMMENT("--","$"),t.COMMENT(/\{-/,/-\}/,{contains:["self"]})]},r={className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},a={begin:"\\(",end:"\\)",illegal:'"',contains:[{className:"type",begin:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},n]},o={begin:/\{/,end:/\}/,contains:a.contains},l={className:"string",begin:"'\\\\?.",end:"'",illegal:"."};return{name:"Elm",keywords:["let","in","if","then","else","case","of","where","module","import","exposing","type","alias","as","infix","infixl","infixr","port","effect","command","subscription"],contains:[{beginKeywords:"port effect module",end:"exposing",keywords:"port effect module where command subscription exposing",contains:[a,n],illegal:"\\W\\.|;"},{begin:"import",end:"$",keywords:"import as exposing",contains:[a,n],illegal:"\\W\\.|;"},{begin:"type",end:"$",keywords:"type alias",contains:[r,a,o,n]},{beginKeywords:"infix infixl infixr",end:"$",contains:[t.C_NUMBER_MODE,n]},{begin:"port",end:"$",keywords:"port",contains:[n]},l,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,r,t.inherit(t.TITLE_MODE,{begin:"^[_a-z][\\w']*"}),n,{begin:"->|<-"}],illegal:/;/}}return g_=e,g_}var h_,_T;function CM(){if(_T)return h_;_T=1;function e(t){const n=t.regex,r="([a-zA-Z_]\\w*[!?=]?|[-+~]@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?)",a=n.either(/\b([A-Z]+[a-z0-9]+)+/,/\b([A-Z]+[a-z0-9]+)+[A-Z]+/),o=n.concat(a,/(::\w+)*/),u={"variable.constant":["__FILE__","__LINE__","__ENCODING__"],"variable.language":["self","super"],keyword:["alias","and","begin","BEGIN","break","case","class","defined","do","else","elsif","end","END","ensure","for","if","in","module","next","not","or","redo","require","rescue","retry","return","then","undef","unless","until","when","while","yield",...["include","extend","prepend","public","private","protected","raise","throw"]],built_in:["proc","lambda","attr_accessor","attr_reader","attr_writer","define_method","private_constant","module_function"],literal:["true","false","nil"]},c={className:"doctag",begin:"@[A-Za-z]+"},d={begin:"#<",end:">"},S=[t.COMMENT("#","$",{contains:[c]}),t.COMMENT("^=begin","^=end",{contains:[c],relevance:10}),t.COMMENT("^__END__",t.MATCH_NOTHING_RE)],_={className:"subst",begin:/#\{/,end:/\}/,keywords:u},E={className:"string",contains:[t.BACKSLASH_ESCAPE,_],variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/`/,end:/`/},{begin:/%[qQwWx]?\(/,end:/\)/},{begin:/%[qQwWx]?\[/,end:/\]/},{begin:/%[qQwWx]?\{/,end:/\}/},{begin:/%[qQwWx]?</,end:/>/},{begin:/%[qQwWx]?\//,end:/\//},{begin:/%[qQwWx]?%/,end:/%/},{begin:/%[qQwWx]?-/,end:/-/},{begin:/%[qQwWx]?\|/,end:/\|/},{begin:/\B\?(\\\d{1,3})/},{begin:/\B\?(\\x[A-Fa-f0-9]{1,2})/},{begin:/\B\?(\\u\{?[A-Fa-f0-9]{1,6}\}?)/},{begin:/\B\?(\\M-\\C-|\\M-\\c|\\c\\M-|\\M-|\\C-\\M-)[\x20-\x7e]/},{begin:/\B\?\\(c|C-)[\x20-\x7e]/},{begin:/\B\?\\?\S/},{begin:n.concat(/<<[-~]?'?/,n.lookahead(/(\w+)(?=\W)[^\n]*\n(?:[^\n]*\n)*?\s*\1\b/)),contains:[t.END_SAME_AS_BEGIN({begin:/(\w+)/,end:/(\w+)/,contains:[t.BACKSLASH_ESCAPE,_]})]}]},T="[1-9](_?[0-9])*|0",y="[0-9](_?[0-9])*",M={className:"number",relevance:0,variants:[{begin:`\\b(${T})(\\.(${y}))?([eE][+-]?(${y})|r)?i?\\b`},{begin:"\\b0[dD][0-9](_?[0-9])*r?i?\\b"},{begin:"\\b0[bB][0-1](_?[0-1])*r?i?\\b"},{begin:"\\b0[oO][0-7](_?[0-7])*r?i?\\b"},{begin:"\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*r?i?\\b"},{begin:"\\b0(_?[0-7])+r?i?\\b"}]},v={variants:[{match:/\(\)/},{className:"params",begin:/\(/,end:/(?=\))/,excludeBegin:!0,endsParent:!0,keywords:u}]},h=[E,{variants:[{match:[/class\s+/,o,/\s+<\s+/,o]},{match:[/\b(class|module)\s+/,o]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:u},{match:[/(include|extend)\s+/,o],scope:{2:"title.class"},keywords:u},{relevance:0,match:[o,/\.new[. (]/],scope:{1:"title.class"}},{relevance:0,match:/\b[A-Z][A-Z_0-9]+\b/,className:"variable.constant"},{relevance:0,match:a,scope:"title.class"},{match:[/def/,/\s+/,r],scope:{1:"keyword",3:"title.function"},contains:[v]},{begin:t.IDENT_RE+"::"},{className:"symbol",begin:t.UNDERSCORE_IDENT_RE+"(!|\\?)?:",relevance:0},{className:"symbol",begin:":(?!\\s)",contains:[E,{begin:r}],relevance:0},M,{className:"variable",begin:"(\\$\\W)|((\\$|@@?)(\\w+))(?=[^@$?])(?![A-Za-z])(?![@$?'])"},{className:"params",begin:/\|/,end:/\|/,excludeBegin:!0,excludeEnd:!0,relevance:0,keywords:u},{begin:"("+t.RE_STARTERS_RE+"|unless)\\s*",keywords:"unless",contains:[{className:"regexp",contains:[t.BACKSLASH_ESCAPE,_],illegal:/\n/,variants:[{begin:"/",end:"/[a-z]*"},{begin:/%r\{/,end:/\}[a-z]*/},{begin:"%r\\(",end:"\\)[a-z]*"},{begin:"%r!",end:"![a-z]*"},{begin:"%r\\[",end:"\\][a-z]*"}]}].concat(d,S),relevance:0}].concat(d,S);_.contains=h,v.contains=h;const k="[>?]>",F="[\\w#]+\\(\\w+\\):\\d+:\\d+[>*]",z="(\\w+-)?\\d+\\.\\d+\\.\\d+(p\\d+)?[^\\d][^>]+>",K=[{begin:/^\s*=>/,starts:{end:"$",contains:h}},{className:"meta.prompt",begin:"^("+k+"|"+F+"|"+z+")(?=[ ])",starts:{end:"$",keywords:u,contains:h}}];return S.unshift(d),{name:"Ruby",aliases:["rb","gemspec","podspec","thor","irb"],keywords:u,illegal:/\/\*/,contains:[t.SHEBANG({binary:"ruby"})].concat(K).concat(S).concat(h)}}return h_=e,h_}var E_,mT;function AM(){if(mT)return E_;mT=1;function e(t){return{name:"ERB",subLanguage:"xml",contains:[t.COMMENT("<%#","%>"),{begin:"<%[%=-]?",end:"[%-]?%>",subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0}]}}return E_=e,E_}var S_,gT;function OM(){if(gT)return S_;gT=1;function e(t){const n=t.regex;return{name:"Erlang REPL",keywords:{built_in:"spawn spawn_link self",keyword:"after and andalso|10 band begin bnot bor bsl bsr bxor case catch cond div end fun if let not of or orelse|10 query receive rem try when xor"},contains:[{className:"meta.prompt",begin:"^[0-9]+> ",relevance:10},t.COMMENT("%","$"),{className:"number",begin:"\\b(\\d+(_\\d+)*#[a-fA-F0-9]+(_[a-fA-F0-9]+)*|\\d+(_\\d+)*(\\.\\d+(_\\d+)*)?([eE][-+]?\\d+)?)",relevance:0},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{begin:n.concat(/\?(::)?/,/([A-Z]\w*)/,/((::)[A-Z]\w*)*/)},{begin:"->"},{begin:"ok"},{begin:"!"},{begin:"(\\b[a-z'][a-zA-Z0-9_']*:[a-z'][a-zA-Z0-9_']*)|(\\b[a-z'][a-zA-Z0-9_']*)",relevance:0},{begin:"[A-Z][a-zA-Z0-9_']*",relevance:0}]}}return S_=e,S_}var b_,hT;function RM(){if(hT)return b_;hT=1;function e(t){const n="[a-z'][a-zA-Z0-9_']*",r="("+n+":"+n+"|"+n+")",a={keyword:"after and andalso|10 band begin bnot bor bsl bzr bxor case catch cond div end fun if let not of orelse|10 query receive rem try when xor",literal:"false true"},o=t.COMMENT("%","$"),l={className:"number",begin:"\\b(\\d+(_\\d+)*#[a-fA-F0-9]+(_[a-fA-F0-9]+)*|\\d+(_\\d+)*(\\.\\d+(_\\d+)*)?([eE][-+]?\\d+)?)",relevance:0},u={begin:"fun\\s+"+n+"/\\d+"},c={begin:r+"\\(",end:"\\)",returnBegin:!0,relevance:0,contains:[{begin:r,relevance:0},{begin:"\\(",end:"\\)",endsWithParent:!0,returnEnd:!0,relevance:0}]},d={begin:/\{/,end:/\}/,relevance:0},S={begin:"\\b_([A-Z][A-Za-z0-9_]*)?",relevance:0},_={begin:"[A-Z][a-zA-Z0-9_]*",relevance:0},E={begin:"#"+t.UNDERSCORE_IDENT_RE,relevance:0,returnBegin:!0,contains:[{begin:"#"+t.UNDERSCORE_IDENT_RE,relevance:0},{begin:/\{/,end:/\}/,relevance:0}]},T={beginKeywords:"fun receive if try case",end:"end",keywords:a};T.contains=[o,u,t.inherit(t.APOS_STRING_MODE,{className:""}),T,c,t.QUOTE_STRING_MODE,l,d,S,_,E];const y=[o,u,T,c,t.QUOTE_STRING_MODE,l,d,S,_,E];c.contains[1].contains=y,d.contains=y,E.contains[1].contains=y;const M=["-module","-record","-undef","-export","-ifdef","-ifndef","-author","-copyright","-doc","-vsn","-import","-include","-include_lib","-compile","-define","-else","-endif","-file","-behaviour","-behavior","-spec"],v={className:"params",begin:"\\(",end:"\\)",contains:y};return{name:"Erlang",aliases:["erl"],keywords:a,illegal:"(</|\\*=|\\+=|-=|/\\*|\\*/|\\(\\*|\\*\\))",contains:[{className:"function",begin:"^"+n+"\\s*\\(",end:"->",returnBegin:!0,illegal:"\\(|#|//|/\\*|\\\\|:|;",contains:[v,t.inherit(t.TITLE_MODE,{begin:n})],starts:{end:";|\\.",keywords:a,contains:y}},o,{begin:"^-",end:"\\.",relevance:0,excludeEnd:!0,returnBegin:!0,keywords:{$pattern:"-"+t.IDENT_RE,keyword:M.map(A=>`${A}|1.5`).join(" ")},contains:[v]},l,t.QUOTE_STRING_MODE,E,S,_,d,{begin:/\.$/}]}}return b_=e,b_}var v_,ET;function NM(){if(ET)return v_;ET=1;function e(t){return{name:"Excel formulae",aliases:["xlsx","xls"],case_insensitive:!0,keywords:{$pattern:/[a-zA-Z][\w\.]*/,built_in:["ABS","ACCRINT","ACCRINTM","ACOS","ACOSH","ACOT","ACOTH","AGGREGATE","ADDRESS","AMORDEGRC","AMORLINC","AND","ARABIC","AREAS","ASC","ASIN","ASINH","ATAN","ATAN2","ATANH","AVEDEV","AVERAGE","AVERAGEA","AVERAGEIF","AVERAGEIFS","BAHTTEXT","BASE","BESSELI","BESSELJ","BESSELK","BESSELY","BETADIST","BETA.DIST","BETAINV","BETA.INV","BIN2DEC","BIN2HEX","BIN2OCT","BINOMDIST","BINOM.DIST","BINOM.DIST.RANGE","BINOM.INV","BITAND","BITLSHIFT","BITOR","BITRSHIFT","BITXOR","CALL","CEILING","CEILING.MATH","CEILING.PRECISE","CELL","CHAR","CHIDIST","CHIINV","CHITEST","CHISQ.DIST","CHISQ.DIST.RT","CHISQ.INV","CHISQ.INV.RT","CHISQ.TEST","CHOOSE","CLEAN","CODE","COLUMN","COLUMNS","COMBIN","COMBINA","COMPLEX","CONCAT","CONCATENATE","CONFIDENCE","CONFIDENCE.NORM","CONFIDENCE.T","CONVERT","CORREL","COS","COSH","COT","COTH","COUNT","COUNTA","COUNTBLANK","COUNTIF","COUNTIFS","COUPDAYBS","COUPDAYS","COUPDAYSNC","COUPNCD","COUPNUM","COUPPCD","COVAR","COVARIANCE.P","COVARIANCE.S","CRITBINOM","CSC","CSCH","CUBEKPIMEMBER","CUBEMEMBER","CUBEMEMBERPROPERTY","CUBERANKEDMEMBER","CUBESET","CUBESETCOUNT","CUBEVALUE","CUMIPMT","CUMPRINC","DATE","DATEDIF","DATEVALUE","DAVERAGE","DAY","DAYS","DAYS360","DB","DBCS","DCOUNT","DCOUNTA","DDB","DEC2BIN","DEC2HEX","DEC2OCT","DECIMAL","DEGREES","DELTA","DEVSQ","DGET","DISC","DMAX","DMIN","DOLLAR","DOLLARDE","DOLLARFR","DPRODUCT","DSTDEV","DSTDEVP","DSUM","DURATION","DVAR","DVARP","EDATE","EFFECT","ENCODEURL","EOMONTH","ERF","ERF.PRECISE","ERFC","ERFC.PRECISE","ERROR.TYPE","EUROCONVERT","EVEN","EXACT","EXP","EXPON.DIST","EXPONDIST","FACT","FACTDOUBLE","FALSE|0","F.DIST","FDIST","F.DIST.RT","FILTERXML","FIND","FINDB","F.INV","F.INV.RT","FINV","FISHER","FISHERINV","FIXED","FLOOR","FLOOR.MATH","FLOOR.PRECISE","FORECAST","FORECAST.ETS","FORECAST.ETS.CONFINT","FORECAST.ETS.SEASONALITY","FORECAST.ETS.STAT","FORECAST.LINEAR","FORMULATEXT","FREQUENCY","F.TEST","FTEST","FV","FVSCHEDULE","GAMMA","GAMMA.DIST","GAMMADIST","GAMMA.INV","GAMMAINV","GAMMALN","GAMMALN.PRECISE","GAUSS","GCD","GEOMEAN","GESTEP","GETPIVOTDATA","GROWTH","HARMEAN","HEX2BIN","HEX2DEC","HEX2OCT","HLOOKUP","HOUR","HYPERLINK","HYPGEOM.DIST","HYPGEOMDIST","IF","IFERROR","IFNA","IFS","IMABS","IMAGINARY","IMARGUMENT","IMCONJUGATE","IMCOS","IMCOSH","IMCOT","IMCSC","IMCSCH","IMDIV","IMEXP","IMLN","IMLOG10","IMLOG2","IMPOWER","IMPRODUCT","IMREAL","IMSEC","IMSECH","IMSIN","IMSINH","IMSQRT","IMSUB","IMSUM","IMTAN","INDEX","INDIRECT","INFO","INT","INTERCEPT","INTRATE","IPMT","IRR","ISBLANK","ISERR","ISERROR","ISEVEN","ISFORMULA","ISLOGICAL","ISNA","ISNONTEXT","ISNUMBER","ISODD","ISREF","ISTEXT","ISO.CEILING","ISOWEEKNUM","ISPMT","JIS","KURT","LARGE","LCM","LEFT","LEFTB","LEN","LENB","LINEST","LN","LOG","LOG10","LOGEST","LOGINV","LOGNORM.DIST","LOGNORMDIST","LOGNORM.INV","LOOKUP","LOWER","MATCH","MAX","MAXA","MAXIFS","MDETERM","MDURATION","MEDIAN","MID","MIDBs","MIN","MINIFS","MINA","MINUTE","MINVERSE","MIRR","MMULT","MOD","MODE","MODE.MULT","MODE.SNGL","MONTH","MROUND","MULTINOMIAL","MUNIT","N","NA","NEGBINOM.DIST","NEGBINOMDIST","NETWORKDAYS","NETWORKDAYS.INTL","NOMINAL","NORM.DIST","NORMDIST","NORMINV","NORM.INV","NORM.S.DIST","NORMSDIST","NORM.S.INV","NORMSINV","NOT","NOW","NPER","NPV","NUMBERVALUE","OCT2BIN","OCT2DEC","OCT2HEX","ODD","ODDFPRICE","ODDFYIELD","ODDLPRICE","ODDLYIELD","OFFSET","OR","PDURATION","PEARSON","PERCENTILE.EXC","PERCENTILE.INC","PERCENTILE","PERCENTRANK.EXC","PERCENTRANK.INC","PERCENTRANK","PERMUT","PERMUTATIONA","PHI","PHONETIC","PI","PMT","POISSON.DIST","POISSON","POWER","PPMT","PRICE","PRICEDISC","PRICEMAT","PROB","PRODUCT","PROPER","PV","QUARTILE","QUARTILE.EXC","QUARTILE.INC","QUOTIENT","RADIANS","RAND","RANDBETWEEN","RANK.AVG","RANK.EQ","RANK","RATE","RECEIVED","REGISTER.ID","REPLACE","REPLACEB","REPT","RIGHT","RIGHTB","ROMAN","ROUND","ROUNDDOWN","ROUNDUP","ROW","ROWS","RRI","RSQ","RTD","SEARCH","SEARCHB","SEC","SECH","SECOND","SERIESSUM","SHEET","SHEETS","SIGN","SIN","SINH","SKEW","SKEW.P","SLN","SLOPE","SMALL","SQL.REQUEST","SQRT","SQRTPI","STANDARDIZE","STDEV","STDEV.P","STDEV.S","STDEVA","STDEVP","STDEVPA","STEYX","SUBSTITUTE","SUBTOTAL","SUM","SUMIF","SUMIFS","SUMPRODUCT","SUMSQ","SUMX2MY2","SUMX2PY2","SUMXMY2","SWITCH","SYD","T","TAN","TANH","TBILLEQ","TBILLPRICE","TBILLYIELD","T.DIST","T.DIST.2T","T.DIST.RT","TDIST","TEXT","TEXTJOIN","TIME","TIMEVALUE","T.INV","T.INV.2T","TINV","TODAY","TRANSPOSE","TREND","TRIM","TRIMMEAN","TRUE|0","TRUNC","T.TEST","TTEST","TYPE","UNICHAR","UNICODE","UPPER","VALUE","VAR","VAR.P","VAR.S","VARA","VARP","VARPA","VDB","VLOOKUP","WEBSERVICE","WEEKDAY","WEEKNUM","WEIBULL","WEIBULL.DIST","WORKDAY","WORKDAY.INTL","XIRR","XNPV","XOR","YEAR","YEARFRAC","YIELD","YIELDDISC","YIELDMAT","Z.TEST","ZTEST"]},contains:[{begin:/^=/,end:/[^=]/,returnEnd:!0,illegal:/=/,relevance:10},{className:"symbol",begin:/\b[A-Z]{1,2}\d+\b/,end:/[^\d]/,excludeEnd:!0,relevance:0},{className:"symbol",begin:/[A-Z]{0,2}\d*:[A-Z]{0,2}\d*/,relevance:0},t.BACKSLASH_ESCAPE,t.QUOTE_STRING_MODE,{className:"number",begin:t.NUMBER_RE+"(%)?",relevance:0},t.COMMENT(/\bN\(/,/\)/,{excludeBegin:!0,excludeEnd:!0,illegal:/\n/})]}}return v_=e,v_}var T_,ST;function IM(){if(ST)return T_;ST=1;function e(t){return{name:"FIX",contains:[{begin:/[^\u2401\u0001]+/,end:/[\u2401\u0001]/,excludeEnd:!0,returnBegin:!0,returnEnd:!1,contains:[{begin:/([^\u2401\u0001=]+)/,end:/=([^\u2401\u0001=]+)/,returnEnd:!0,returnBegin:!1,className:"attr"},{begin:/=/,end:/([\u2401\u0001])/,excludeEnd:!0,excludeBegin:!0,className:"string"}]}],case_insensitive:!0}}return T_=e,T_}var y_,bT;function DM(){if(bT)return y_;bT=1;function e(t){const n={className:"string",begin:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},r={className:"string",variants:[{begin:'"',end:'"'}]},o={className:"function",beginKeywords:"def",end:/[:={\[(\n;]/,excludeEnd:!0,contains:[{className:"title",relevance:0,begin:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/}]};return{name:"Flix",keywords:{keyword:["case","class","def","else","enum","if","impl","import","in","lat","rel","index","let","match","namespace","switch","type","yield","with"],literal:["true","false"]},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,n,r,o,t.C_NUMBER_MODE]}}return y_=e,y_}var C_,vT;function xM(){if(vT)return C_;vT=1;function e(t){const n=t.regex,r={className:"params",begin:"\\(",end:"\\)"},a={variants:[t.COMMENT("!","$",{relevance:0}),t.COMMENT("^C[ ]","$",{relevance:0}),t.COMMENT("^C$","$",{relevance:0})]},o=/(_[a-z_\d]+)?/,l=/([de][+-]?\d+)?/,u={className:"number",variants:[{begin:n.concat(/\b\d+/,/\.(\d*)/,l,o)},{begin:n.concat(/\b\d+/,l,o)},{begin:n.concat(/\.\d+/,l,o)}],relevance:0},c={className:"function",beginKeywords:"subroutine function program",illegal:"[${=\\n]",contains:[t.UNDERSCORE_TITLE_MODE,r]},d={className:"string",relevance:0,variants:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]};return{name:"Fortran",case_insensitive:!0,aliases:["f90","f95"],keywords:{keyword:["kind","do","concurrent","local","shared","while","private","call","intrinsic","where","elsewhere","type","endtype","endmodule","endselect","endinterface","end","enddo","endif","if","forall","endforall","only","contains","default","return","stop","then","block","endblock","endassociate","public","subroutine|10","function","program",".and.",".or.",".not.",".le.",".eq.",".ge.",".gt.",".lt.","goto","save","else","use","module","select","case","access","blank","direct","exist","file","fmt","form","formatted","iostat","name","named","nextrec","number","opened","rec","recl","sequential","status","unformatted","unit","continue","format","pause","cycle","exit","c_null_char","c_alert","c_backspace","c_form_feed","flush","wait","decimal","round","iomsg","synchronous","nopass","non_overridable","pass","protected","volatile","abstract","extends","import","non_intrinsic","value","deferred","generic","final","enumerator","class","associate","bind","enum","c_int","c_short","c_long","c_long_long","c_signed_char","c_size_t","c_int8_t","c_int16_t","c_int32_t","c_int64_t","c_int_least8_t","c_int_least16_t","c_int_least32_t","c_int_least64_t","c_int_fast8_t","c_int_fast16_t","c_int_fast32_t","c_int_fast64_t","c_intmax_t","C_intptr_t","c_float","c_double","c_long_double","c_float_complex","c_double_complex","c_long_double_complex","c_bool","c_char","c_null_ptr","c_null_funptr","c_new_line","c_carriage_return","c_horizontal_tab","c_vertical_tab","iso_c_binding","c_loc","c_funloc","c_associated","c_f_pointer","c_ptr","c_funptr","iso_fortran_env","character_storage_size","error_unit","file_storage_size","input_unit","iostat_end","iostat_eor","numeric_storage_size","output_unit","c_f_procpointer","ieee_arithmetic","ieee_support_underflow_control","ieee_get_underflow_mode","ieee_set_underflow_mode","newunit","contiguous","recursive","pad","position","action","delim","readwrite","eor","advance","nml","interface","procedure","namelist","include","sequence","elemental","pure","impure","integer","real","character","complex","logical","codimension","dimension","allocatable|10","parameter","external","implicit|10","none","double","precision","assign","intent","optional","pointer","target","in","out","common","equivalence","data"],literal:[".False.",".True."],built_in:["alog","alog10","amax0","amax1","amin0","amin1","amod","cabs","ccos","cexp","clog","csin","csqrt","dabs","dacos","dasin","datan","datan2","dcos","dcosh","ddim","dexp","dint","dlog","dlog10","dmax1","dmin1","dmod","dnint","dsign","dsin","dsinh","dsqrt","dtan","dtanh","float","iabs","idim","idint","idnint","ifix","isign","max0","max1","min0","min1","sngl","algama","cdabs","cdcos","cdexp","cdlog","cdsin","cdsqrt","cqabs","cqcos","cqexp","cqlog","cqsin","cqsqrt","dcmplx","dconjg","derf","derfc","dfloat","dgamma","dimag","dlgama","iqint","qabs","qacos","qasin","qatan","qatan2","qcmplx","qconjg","qcos","qcosh","qdim","qerf","qerfc","qexp","qgamma","qimag","qlgama","qlog","qlog10","qmax1","qmin1","qmod","qnint","qsign","qsin","qsinh","qsqrt","qtan","qtanh","abs","acos","aimag","aint","anint","asin","atan","atan2","char","cmplx","conjg","cos","cosh","exp","ichar","index","int","log","log10","max","min","nint","sign","sin","sinh","sqrt","tan","tanh","print","write","dim","lge","lgt","lle","llt","mod","nullify","allocate","deallocate","adjustl","adjustr","all","allocated","any","associated","bit_size","btest","ceiling","count","cshift","date_and_time","digits","dot_product","eoshift","epsilon","exponent","floor","fraction","huge","iand","ibclr","ibits","ibset","ieor","ior","ishft","ishftc","lbound","len_trim","matmul","maxexponent","maxloc","maxval","merge","minexponent","minloc","minval","modulo","mvbits","nearest","pack","present","product","radix","random_number","random_seed","range","repeat","reshape","rrspacing","scale","scan","selected_int_kind","selected_real_kind","set_exponent","shape","size","spacing","spread","sum","system_clock","tiny","transpose","trim","ubound","unpack","verify","achar","iachar","transfer","dble","entry","dprod","cpu_time","command_argument_count","get_command","get_command_argument","get_environment_variable","is_iostat_end","ieee_arithmetic","ieee_support_underflow_control","ieee_get_underflow_mode","ieee_set_underflow_mode","is_iostat_eor","move_alloc","new_line","selected_char_kind","same_type_as","extends_type_of","acosh","asinh","atanh","bessel_j0","bessel_j1","bessel_jn","bessel_y0","bessel_y1","bessel_yn","erf","erfc","erfc_scaled","gamma","log_gamma","hypot","norm2","atomic_define","atomic_ref","execute_command_line","leadz","trailz","storage_size","merge_bits","bge","bgt","ble","blt","dshiftl","dshiftr","findloc","iall","iany","iparity","image_index","lcobound","ucobound","maskl","maskr","num_images","parity","popcnt","poppar","shifta","shiftl","shiftr","this_image","sync","change","team","co_broadcast","co_max","co_min","co_sum","co_reduce"]},illegal:/\/\*/,contains:[d,c,{begin:/^C\s*=(?!=)/,relevance:0},a,u]}}return C_=e,C_}var A_,TT;function wM(){if(TT)return A_;TT=1;function e(u){return new RegExp(u.replace(/[-/\\^$*+?.()|[\]{}]/g,"\\$&"),"m")}function t(u){return u?typeof u=="string"?u:u.source:null}function n(u){return r("(?=",u,")")}function r(...u){return u.map(d=>t(d)).join("")}function a(u){const c=u[u.length-1];return typeof c=="object"&&c.constructor===Object?(u.splice(u.length-1,1),c):{}}function o(...u){return"("+(a(u).capture?"":"?:")+u.map(S=>t(S)).join("|")+")"}function l(u){const c=["abstract","and","as","assert","base","begin","class","default","delegate","do","done","downcast","downto","elif","else","end","exception","extern","finally","fixed","for","fun","function","global","if","in","inherit","inline","interface","internal","lazy","let","match","member","module","mutable","namespace","new","of","open","or","override","private","public","rec","return","static","struct","then","to","try","type","upcast","use","val","void","when","while","with","yield"],d={scope:"keyword",match:/\b(yield|return|let|do|match|use)!/},S=["if","else","endif","line","nowarn","light","r","i","I","load","time","help","quit"],_=["true","false","null","Some","None","Ok","Error","infinity","infinityf","nan","nanf"],E=["__LINE__","__SOURCE_DIRECTORY__","__SOURCE_FILE__"],T=["bool","byte","sbyte","int8","int16","int32","uint8","uint16","uint32","int","uint","int64","uint64","nativeint","unativeint","decimal","float","double","float32","single","char","string","unit","bigint","option","voption","list","array","seq","byref","exn","inref","nativeptr","obj","outref","voidptr","Result"],M={keyword:c,literal:_,built_in:["not","ref","raise","reraise","dict","readOnlyDict","set","get","enum","sizeof","typeof","typedefof","nameof","nullArg","invalidArg","invalidOp","id","fst","snd","ignore","lock","using","box","unbox","tryUnbox","printf","printfn","sprintf","eprintf","eprintfn","fprintf","fprintfn","failwith","failwithf"],"variable.constant":E},A={variants:[u.COMMENT(/\(\*(?!\))/,/\*\)/,{contains:["self"]}),u.C_LINE_COMMENT_MODE]},O=/[a-zA-Z_](\w|')*/,N={scope:"variable",begin:/``/,end:/``/},R=/\B('|\^)/,L={scope:"symbol",variants:[{match:r(R,/``.*?``/)},{match:r(R,u.UNDERSCORE_IDENT_RE)}],relevance:0},I=function({includeEqual:tt}){let rt;tt?rt="!%&*+-/<=>@^|~?":rt="!%&*+-/<>@^|~?";const bt=Array.from(rt),dt=r("[",...bt.map(e),"]"),ct=o(dt,/\./),Ze=r(ct,n(ct)),nt=o(r(Ze,ct,"*"),r(dt,"+"));return{scope:"operator",match:o(nt,/:\?>/,/:\?/,/:>/,/:=/,/::?/,/\$/),relevance:0}},h=I({includeEqual:!0}),k=I({includeEqual:!1}),F=function(tt,rt){return{begin:r(tt,n(r(/\s*/,o(/\w/,/'/,/\^/,/#/,/``/,/\(/,/{\|/)))),beginScope:rt,end:n(o(/\n/,/=/)),relevance:0,keywords:u.inherit(M,{type:T}),contains:[A,L,u.inherit(N,{scope:null}),k]}},z=F(/:/,"operator"),K=F(/\bof\b/,"keyword"),ue={begin:[/(^|\s+)/,/type/,/\s+/,O],beginScope:{2:"keyword",4:"title.class"},end:n(/\(|=|$/),keywords:M,contains:[A,u.inherit(N,{scope:null}),L,{scope:"operator",match:/<|>/},z]},Z={scope:"computation-expression",match:/\b[_a-z]\w*(?=\s*\{)/},fe={begin:[/^\s*/,r(/#/,o(...S)),/\b/],beginScope:{2:"meta"},end:n(/\s|$/)},V={variants:[u.BINARY_NUMBER_MODE,u.C_NUMBER_MODE]},ne={scope:"string",begin:/"/,end:/"/,contains:[u.BACKSLASH_ESCAPE]},te={scope:"string",begin:/@"/,end:/"/,contains:[{match:/""/},u.BACKSLASH_ESCAPE]},G={scope:"string",begin:/"""/,end:/"""/,relevance:2},se={scope:"subst",begin:/\{/,end:/\}/,keywords:M},ve={scope:"string",begin:/\$"/,end:/"/,contains:[{match:/\{\{/},{match:/\}\}/},u.BACKSLASH_ESCAPE,se]},Ge={scope:"string",begin:/(\$@|@\$)"/,end:/"/,contains:[{match:/\{\{/},{match:/\}\}/},{match:/""/},u.BACKSLASH_ESCAPE,se]},oe={scope:"string",begin:/\$"""/,end:/"""/,contains:[{match:/\{\{/},{match:/\}\}/},se],relevance:2},W={scope:"string",match:r(/'/,o(/[^\\']/,/\\(?:.|\d{3}|x[a-fA-F\d]{2}|u[a-fA-F\d]{4}|U[a-fA-F\d]{8})/),/'/)};return se.contains=[Ge,ve,te,ne,W,d,A,N,z,Z,fe,V,L,h],{name:"F#",aliases:["fs","f#"],keywords:M,illegal:/\/\*/,classNameAliases:{"computation-expression":"keyword"},contains:[d,{variants:[oe,Ge,ve,G,te,ne,W]},A,N,ue,{scope:"meta",begin:/\[</,end:/>\]/,relevance:2,contains:[N,G,te,ne,W,V]},K,z,Z,fe,V,L,h]}}return A_=l,A_}var O_,yT;function LM(){if(yT)return O_;yT=1;function e(t){const n=t.regex,r={keyword:"abort acronym acronyms alias all and assign binary card diag display else eq file files for free ge gt if integer le loop lt maximizing minimizing model models ne negative no not option options or ord positive prod put putpage puttl repeat sameas semicont semiint smax smin solve sos1 sos2 sum system table then until using while xor yes",literal:"eps inf na",built_in:"abs arccos arcsin arctan arctan2 Beta betaReg binomial ceil centropy cos cosh cvPower div div0 eDist entropy errorf execSeed exp fact floor frac gamma gammaReg log logBeta logGamma log10 log2 mapVal max min mod ncpCM ncpF ncpVUpow ncpVUsin normal pi poly power randBinomial randLinear randTriangle round rPower sigmoid sign signPower sin sinh slexp sllog10 slrec sqexp sqlog10 sqr sqrec sqrt tan tanh trunc uniform uniformInt vcPower bool_and bool_eqv bool_imp bool_not bool_or bool_xor ifThen rel_eq rel_ge rel_gt rel_le rel_lt rel_ne gday gdow ghour gleap gmillisec gminute gmonth gsecond gyear jdate jnow jstart jtime errorLevel execError gamsRelease gamsVersion handleCollect handleDelete handleStatus handleSubmit heapFree heapLimit heapSize jobHandle jobKill jobStatus jobTerminate licenseLevel licenseStatus maxExecError sleep timeClose timeComp timeElapsed timeExec timeStart"},a={className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0},o={className:"symbol",variants:[{begin:/=[lgenxc]=/},{begin:/\$/}]},l={className:"comment",variants:[{begin:"'",end:"'"},{begin:'"',end:'"'}],illegal:"\\n",contains:[t.BACKSLASH_ESCAPE]},u={begin:"/",end:"/",keywords:r,contains:[l,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,t.C_NUMBER_MODE]},c=/[a-z0-9&#*=?@\\><:,()$[\]_.{}!+%^-]+/,d={begin:/[a-z][a-z0-9_]*(\([a-z0-9_, ]*\))?[ \t]+/,excludeBegin:!0,end:"$",endsWithParent:!0,contains:[l,u,{className:"comment",begin:n.concat(c,n.anyNumberOfTimes(n.concat(/[ ]+/,c))),relevance:0}]};return{name:"GAMS",aliases:["gms"],case_insensitive:!0,keywords:r,contains:[t.COMMENT(/^\$ontext/,/^\$offtext/),{className:"meta",begin:"^\\$[a-z0-9]+",end:"$",returnBegin:!0,contains:[{className:"keyword",begin:"^\\$[a-z0-9]+"}]},t.COMMENT("^\\*","$"),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,{beginKeywords:"set sets parameter parameters variable variables scalar scalars equation equations",end:";",contains:[t.COMMENT("^\\*","$"),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,u,d]},{beginKeywords:"table",end:";",returnBegin:!0,contains:[{beginKeywords:"table",end:"$",contains:[d]},t.COMMENT("^\\*","$"),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,t.C_NUMBER_MODE]},{className:"function",begin:/^[a-z][a-z0-9_,\-+' ()$]+\.{2}/,returnBegin:!0,contains:[{className:"title",begin:/^[a-z0-9_]+/},a,o]},t.C_NUMBER_MODE,o]}}return O_=e,O_}var R_,CT;function MM(){if(CT)return R_;CT=1;function e(t){const n={keyword:"bool break call callexe checkinterrupt clear clearg closeall cls comlog compile continue create debug declare delete disable dlibrary dllcall do dos ed edit else elseif enable end endfor endif endp endo errorlog errorlogat expr external fn for format goto gosub graph if keyword let lib library line load loadarray loadexe loadf loadk loadm loadp loads loadx local locate loopnextindex lprint lpwidth lshow matrix msym ndpclex new open output outwidth plot plotsym pop prcsn print printdos proc push retp return rndcon rndmod rndmult rndseed run save saveall screen scroll setarray show sparse stop string struct system trace trap threadfor threadendfor threadbegin threadjoin threadstat threadend until use while winprint ne ge le gt lt and xor or not eq eqv",built_in:"abs acf aconcat aeye amax amean AmericanBinomCall AmericanBinomCall_Greeks AmericanBinomCall_ImpVol AmericanBinomPut AmericanBinomPut_Greeks AmericanBinomPut_ImpVol AmericanBSCall AmericanBSCall_Greeks AmericanBSCall_ImpVol AmericanBSPut AmericanBSPut_Greeks AmericanBSPut_ImpVol amin amult annotationGetDefaults annotationSetBkd annotationSetFont annotationSetLineColor annotationSetLineStyle annotationSetLineThickness annualTradingDays arccos arcsin areshape arrayalloc arrayindex arrayinit arraytomat asciiload asclabel astd astds asum atan atan2 atranspose axmargin balance band bandchol bandcholsol bandltsol bandrv bandsolpd bar base10 begwind besselj bessely beta box boxcox cdfBeta cdfBetaInv cdfBinomial cdfBinomialInv cdfBvn cdfBvn2 cdfBvn2e cdfCauchy cdfCauchyInv cdfChic cdfChii cdfChinc cdfChincInv cdfExp cdfExpInv cdfFc cdfFnc cdfFncInv cdfGam cdfGenPareto cdfHyperGeo cdfLaplace cdfLaplaceInv cdfLogistic cdfLogisticInv cdfmControlCreate cdfMvn cdfMvn2e cdfMvnce cdfMvne cdfMvt2e cdfMvtce cdfMvte cdfN cdfN2 cdfNc cdfNegBinomial cdfNegBinomialInv cdfNi cdfPoisson cdfPoissonInv cdfRayleigh cdfRayleighInv cdfTc cdfTci cdfTnc cdfTvn cdfWeibull cdfWeibullInv cdir ceil ChangeDir chdir chiBarSquare chol choldn cholsol cholup chrs close code cols colsf combinate combinated complex con cond conj cons ConScore contour conv convertsatostr convertstrtosa corrm corrms corrvc corrx corrxs cos cosh counts countwts crossprd crout croutp csrcol csrlin csvReadM csvReadSA cumprodc cumsumc curve cvtos datacreate datacreatecomplex datalist dataload dataloop dataopen datasave date datestr datestring datestrymd dayinyr dayofweek dbAddDatabase dbClose dbCommit dbCreateQuery dbExecQuery dbGetConnectOptions dbGetDatabaseName dbGetDriverName dbGetDrivers dbGetHostName dbGetLastErrorNum dbGetLastErrorText dbGetNumericalPrecPolicy dbGetPassword dbGetPort dbGetTableHeaders dbGetTables dbGetUserName dbHasFeature dbIsDriverAvailable dbIsOpen dbIsOpenError dbOpen dbQueryBindValue dbQueryClear dbQueryCols dbQueryExecPrepared dbQueryFetchAllM dbQueryFetchAllSA dbQueryFetchOneM dbQueryFetchOneSA dbQueryFinish dbQueryGetBoundValue dbQueryGetBoundValues dbQueryGetField dbQueryGetLastErrorNum dbQueryGetLastErrorText dbQueryGetLastInsertID dbQueryGetLastQuery dbQueryGetPosition dbQueryIsActive dbQueryIsForwardOnly dbQueryIsNull dbQueryIsSelect dbQueryIsValid dbQueryPrepare dbQueryRows dbQuerySeek dbQuerySeekFirst dbQuerySeekLast dbQuerySeekNext dbQuerySeekPrevious dbQuerySetForwardOnly dbRemoveDatabase dbRollback dbSetConnectOptions dbSetDatabaseName dbSetHostName dbSetNumericalPrecPolicy dbSetPort dbSetUserName dbTransaction DeleteFile delif delrows denseToSp denseToSpRE denToZero design det detl dfft dffti diag diagrv digamma doswin DOSWinCloseall DOSWinOpen dotfeq dotfeqmt dotfge dotfgemt dotfgt dotfgtmt dotfle dotflemt dotflt dotfltmt dotfne dotfnemt draw drop dsCreate dstat dstatmt dstatmtControlCreate dtdate dtday dttime dttodtv dttostr dttoutc dtvnormal dtvtodt dtvtoutc dummy dummybr dummydn eig eigh eighv eigv elapsedTradingDays endwind envget eof eqSolve eqSolvemt eqSolvemtControlCreate eqSolvemtOutCreate eqSolveset erf erfc erfccplx erfcplx error etdays ethsec etstr EuropeanBinomCall EuropeanBinomCall_Greeks EuropeanBinomCall_ImpVol EuropeanBinomPut EuropeanBinomPut_Greeks EuropeanBinomPut_ImpVol EuropeanBSCall EuropeanBSCall_Greeks EuropeanBSCall_ImpVol EuropeanBSPut EuropeanBSPut_Greeks EuropeanBSPut_ImpVol exctsmpl exec execbg exp extern eye fcheckerr fclearerr feq feqmt fflush fft ffti fftm fftmi fftn fge fgemt fgets fgetsa fgetsat fgetst fgt fgtmt fileinfo filesa fle flemt floor flt fltmt fmod fne fnemt fonts fopen formatcv formatnv fputs fputst fseek fstrerror ftell ftocv ftos ftostrC gamma gammacplx gammaii gausset gdaAppend gdaCreate gdaDStat gdaDStatMat gdaGetIndex gdaGetName gdaGetNames gdaGetOrders gdaGetType gdaGetTypes gdaGetVarInfo gdaIsCplx gdaLoad gdaPack gdaRead gdaReadByIndex gdaReadSome gdaReadSparse gdaReadStruct gdaReportVarInfo gdaSave gdaUpdate gdaUpdateAndPack gdaVars gdaWrite gdaWrite32 gdaWriteSome getarray getdims getf getGAUSShome getmatrix getmatrix4D getname getnamef getNextTradingDay getNextWeekDay getnr getorders getpath getPreviousTradingDay getPreviousWeekDay getRow getscalar3D getscalar4D getTrRow getwind glm gradcplx gradMT gradMTm gradMTT gradMTTm gradp graphprt graphset hasimag header headermt hess hessMT hessMTg hessMTgw hessMTm hessMTmw hessMTT hessMTTg hessMTTgw hessMTTm hessMTw hessp hist histf histp hsec imag indcv indexcat indices indices2 indicesf indicesfn indnv indsav integrate1d integrateControlCreate intgrat2 intgrat3 inthp1 inthp2 inthp3 inthp4 inthpControlCreate intquad1 intquad2 intquad3 intrleav intrleavsa intrsect intsimp inv invpd invswp iscplx iscplxf isden isinfnanmiss ismiss key keyav keyw lag lag1 lagn lapEighb lapEighi lapEighvb lapEighvi lapgEig lapgEigh lapgEighv lapgEigv lapgSchur lapgSvdcst lapgSvds lapgSvdst lapSvdcusv lapSvds lapSvdusv ldlp ldlsol linSolve listwise ln lncdfbvn lncdfbvn2 lncdfmvn lncdfn lncdfn2 lncdfnc lnfact lngammacplx lnpdfmvn lnpdfmvt lnpdfn lnpdft loadd loadstruct loadwind loess loessmt loessmtControlCreate log loglog logx logy lower lowmat lowmat1 ltrisol lu lusol machEpsilon make makevars makewind margin matalloc matinit mattoarray maxbytes maxc maxindc maxv maxvec mbesselei mbesselei0 mbesselei1 mbesseli mbesseli0 mbesseli1 meanc median mergeby mergevar minc minindc minv miss missex missrv moment momentd movingave movingaveExpwgt movingaveWgt nextindex nextn nextnevn nextwind ntos null null1 numCombinations ols olsmt olsmtControlCreate olsqr olsqr2 olsqrmt ones optn optnevn orth outtyp pacf packedToSp packr parse pause pdfCauchy pdfChi pdfExp pdfGenPareto pdfHyperGeo pdfLaplace pdfLogistic pdfn pdfPoisson pdfRayleigh pdfWeibull pi pinv pinvmt plotAddArrow plotAddBar plotAddBox plotAddHist plotAddHistF plotAddHistP plotAddPolar plotAddScatter plotAddShape plotAddTextbox plotAddTS plotAddXY plotArea plotBar plotBox plotClearLayout plotContour plotCustomLayout plotGetDefaults plotHist plotHistF plotHistP plotLayout plotLogLog plotLogX plotLogY plotOpenWindow plotPolar plotSave plotScatter plotSetAxesPen plotSetBar plotSetBarFill plotSetBarStacked plotSetBkdColor plotSetFill plotSetGrid plotSetLegend plotSetLineColor plotSetLineStyle plotSetLineSymbol plotSetLineThickness plotSetNewWindow plotSetTitle plotSetWhichYAxis plotSetXAxisShow plotSetXLabel plotSetXRange plotSetXTicInterval plotSetXTicLabel plotSetYAxisShow plotSetYLabel plotSetYRange plotSetZAxisShow plotSetZLabel plotSurface plotTS plotXY polar polychar polyeval polygamma polyint polymake polymat polymroot polymult polyroot pqgwin previousindex princomp printfm printfmt prodc psi putarray putf putvals pvCreate pvGetIndex pvGetParNames pvGetParVector pvLength pvList pvPack pvPacki pvPackm pvPackmi pvPacks pvPacksi pvPacksm pvPacksmi pvPutParVector pvTest pvUnpack QNewton QNewtonmt QNewtonmtControlCreate QNewtonmtOutCreate QNewtonSet QProg QProgmt QProgmtInCreate qqr qqre qqrep qr qre qrep qrsol qrtsol qtyr qtyre qtyrep quantile quantiled qyr qyre qyrep qz rank rankindx readr real reclassify reclassifyCuts recode recserar recsercp recserrc rerun rescale reshape rets rev rfft rffti rfftip rfftn rfftnp rfftp rndBernoulli rndBeta rndBinomial rndCauchy rndChiSquare rndCon rndCreateState rndExp rndGamma rndGeo rndGumbel rndHyperGeo rndi rndKMbeta rndKMgam rndKMi rndKMn rndKMnb rndKMp rndKMu rndKMvm rndLaplace rndLCbeta rndLCgam rndLCi rndLCn rndLCnb rndLCp rndLCu rndLCvm rndLogNorm rndMTu rndMVn rndMVt rndn rndnb rndNegBinomial rndp rndPoisson rndRayleigh rndStateSkip rndu rndvm rndWeibull rndWishart rotater round rows rowsf rref sampleData satostrC saved saveStruct savewind scale scale3d scalerr scalinfnanmiss scalmiss schtoc schur searchsourcepath seekr select selif seqa seqm setdif setdifsa setvars setvwrmode setwind shell shiftr sin singleindex sinh sleep solpd sortc sortcc sortd sorthc sorthcc sortind sortindc sortmc sortr sortrc spBiconjGradSol spChol spConjGradSol spCreate spDenseSubmat spDiagRvMat spEigv spEye spLDL spline spLU spNumNZE spOnes spreadSheetReadM spreadSheetReadSA spreadSheetWrite spScale spSubmat spToDense spTrTDense spTScalar spZeros sqpSolve sqpSolveMT sqpSolveMTControlCreate sqpSolveMTlagrangeCreate sqpSolveMToutCreate sqpSolveSet sqrt statements stdc stdsc stocv stof strcombine strindx strlen strput strrindx strsect strsplit strsplitPad strtodt strtof strtofcplx strtriml strtrimr strtrunc strtruncl strtruncpad strtruncr submat subscat substute subvec sumc sumr surface svd svd1 svd2 svdcusv svds svdusv sysstate tab tan tanh tempname time timedt timestr timeutc title tkf2eps tkf2ps tocart todaydt toeplitz token topolar trapchk trigamma trimr trunc type typecv typef union unionsa uniqindx uniqindxsa unique uniquesa upmat upmat1 upper utctodt utctodtv utrisol vals varCovMS varCovXS varget vargetl varmall varmares varput varputl vartypef vcm vcms vcx vcxs vec vech vecr vector vget view viewxyz vlist vnamecv volume vput vread vtypecv wait waitc walkindex where window writer xlabel xlsGetSheetCount xlsGetSheetSize xlsGetSheetTypes xlsMakeRange xlsReadM xlsReadSA xlsWrite xlsWriteM xlsWriteSA xpnd xtics xy xyz ylabel ytics zeros zeta zlabel ztics cdfEmpirical dot h5create h5open h5read h5readAttribute h5write h5writeAttribute ldl plotAddErrorBar plotAddSurface plotCDFEmpirical plotSetColormap plotSetContourLabels plotSetLegendFont plotSetTextInterpreter plotSetXTicCount plotSetYTicCount plotSetZLevels powerm strjoin sylvester strtrim",literal:"DB_AFTER_LAST_ROW DB_ALL_TABLES DB_BATCH_OPERATIONS DB_BEFORE_FIRST_ROW DB_BLOB DB_EVENT_NOTIFICATIONS DB_FINISH_QUERY DB_HIGH_PRECISION DB_LAST_INSERT_ID DB_LOW_PRECISION_DOUBLE DB_LOW_PRECISION_INT32 DB_LOW_PRECISION_INT64 DB_LOW_PRECISION_NUMBERS DB_MULTIPLE_RESULT_SETS DB_NAMED_PLACEHOLDERS DB_POSITIONAL_PLACEHOLDERS DB_PREPARED_QUERIES DB_QUERY_SIZE DB_SIMPLE_LOCKING DB_SYSTEM_TABLES DB_TABLES DB_TRANSACTIONS DB_UNICODE DB_VIEWS __STDIN __STDOUT __STDERR __FILE_DIR"},r=t.COMMENT("@","@"),a={className:"meta",begin:"#",end:"$",keywords:{keyword:"define definecs|10 undef ifdef ifndef iflight ifdllcall ifmac ifos2win ifunix else endif lineson linesoff srcfile srcline"},contains:[{begin:/\\\n/,relevance:0},{beginKeywords:"include",end:"$",keywords:{keyword:"include"},contains:[{className:"string",begin:'"',end:'"',illegal:"\\n"}]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,r]},o={begin:/\bstruct\s+/,end:/\s/,keywords:"struct",contains:[{className:"type",begin:t.UNDERSCORE_IDENT_RE,relevance:0}]},l=[{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,endsWithParent:!0,relevance:0,contains:[{className:"literal",begin:/\.\.\./},t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE,r,o]}],u={className:"title",begin:t.UNDERSCORE_IDENT_RE,relevance:0},c=function(T,y,M){const v=t.inherit({className:"function",beginKeywords:T,end:y,excludeEnd:!0,contains:[].concat(l)},M||{});return v.contains.push(u),v.contains.push(t.C_NUMBER_MODE),v.contains.push(t.C_BLOCK_COMMENT_MODE),v.contains.push(r),v},d={className:"built_in",begin:"\\b("+n.built_in.split(" ").join("|")+")\\b"},S={className:"string",begin:'"',end:'"',contains:[t.BACKSLASH_ESCAPE],relevance:0},_={begin:t.UNDERSCORE_IDENT_RE+"\\s*\\(",returnBegin:!0,keywords:n,relevance:0,contains:[{beginKeywords:n.keyword},d,{className:"built_in",begin:t.UNDERSCORE_IDENT_RE,relevance:0}]},E={begin:/\(/,end:/\)/,relevance:0,keywords:{built_in:n.built_in,literal:n.literal},contains:[t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE,r,d,_,S,"self"]};return _.contains.push(E),{name:"GAUSS",aliases:["gss"],case_insensitive:!0,keywords:n,illegal:/(\{[%#]|[%#]\}| <- )/,contains:[t.C_NUMBER_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,r,S,a,{className:"keyword",begin:/\bexternal (matrix|string|array|sparse matrix|struct|proc|keyword|fn)/},c("proc keyword",";"),c("fn","="),{beginKeywords:"for threadfor",end:/;/,relevance:0,contains:[t.C_BLOCK_COMMENT_MODE,r,E]},{variants:[{begin:t.UNDERSCORE_IDENT_RE+"\\."+t.UNDERSCORE_IDENT_RE},{begin:t.UNDERSCORE_IDENT_RE+"\\s*="}],relevance:0},_,o]}}return R_=e,R_}var N_,AT;function kM(){if(AT)return N_;AT=1;function e(t){const n="[A-Z_][A-Z0-9_.]*",r="%",a={$pattern:n,keyword:"IF DO WHILE ENDWHILE CALL ENDIF SUB ENDSUB GOTO REPEAT ENDREPEAT EQ LT GT NE GE LE OR XOR"},o={className:"meta",begin:"([O])([0-9]+)"},l=t.inherit(t.C_NUMBER_MODE,{begin:"([-+]?((\\.\\d+)|(\\d+)(\\.\\d*)?))|"+t.C_NUMBER_RE}),u=[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.COMMENT(/\(/,/\)/),l,t.inherit(t.APOS_STRING_MODE,{illegal:null}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{className:"name",begin:"([G])([0-9]+\\.?[0-9]?)"},{className:"name",begin:"([M])([0-9]+\\.?[0-9]?)"},{className:"attr",begin:"(VC|VS|#)",end:"(\\d+)"},{className:"attr",begin:"(VZOFX|VZOFY|VZOFZ)"},{className:"built_in",begin:"(ATAN|ABS|ACOS|ASIN|SIN|COS|EXP|FIX|FUP|ROUND|LN|TAN)(\\[)",contains:[l],end:"\\]"},{className:"symbol",variants:[{begin:"N",end:"\\d+",illegal:"\\W"}]}];return{name:"G-code (ISO 6983)",aliases:["nc"],case_insensitive:!0,keywords:a,contains:[{className:"meta",begin:r},o].concat(u)}}return N_=e,N_}var I_,OT;function PM(){if(OT)return I_;OT=1;function e(t){return{name:"Gherkin",aliases:["feature"],keywords:"Feature Background Ability Business Need Scenario Scenarios Scenario Outline Scenario Template Examples Given And Then But When",contains:[{className:"symbol",begin:"\\*",relevance:0},{className:"meta",begin:"@[^@\\s]+"},{begin:"\\|",end:"\\|\\w*$",contains:[{className:"string",begin:"[^|]+"}]},{className:"variable",begin:"<",end:">"},t.HASH_COMMENT_MODE,{className:"string",begin:'"""',end:'"""'},t.QUOTE_STRING_MODE]}}return I_=e,I_}var D_,RT;function FM(){if(RT)return D_;RT=1;function e(t){return{name:"GLSL",keywords:{keyword:"break continue discard do else for if return while switch case default attribute binding buffer ccw centroid centroid varying coherent column_major const cw depth_any depth_greater depth_less depth_unchanged early_fragment_tests equal_spacing flat fractional_even_spacing fractional_odd_spacing highp in index inout invariant invocations isolines layout line_strip lines lines_adjacency local_size_x local_size_y local_size_z location lowp max_vertices mediump noperspective offset origin_upper_left out packed patch pixel_center_integer point_mode points precise precision quads r11f_g11f_b10f r16 r16_snorm r16f r16i r16ui r32f r32i r32ui r8 r8_snorm r8i r8ui readonly restrict rg16 rg16_snorm rg16f rg16i rg16ui rg32f rg32i rg32ui rg8 rg8_snorm rg8i rg8ui rgb10_a2 rgb10_a2ui rgba16 rgba16_snorm rgba16f rgba16i rgba16ui rgba32f rgba32i rgba32ui rgba8 rgba8_snorm rgba8i rgba8ui row_major sample shared smooth std140 std430 stream triangle_strip triangles triangles_adjacency uniform varying vertices volatile writeonly",type:"atomic_uint bool bvec2 bvec3 bvec4 dmat2 dmat2x2 dmat2x3 dmat2x4 dmat3 dmat3x2 dmat3x3 dmat3x4 dmat4 dmat4x2 dmat4x3 dmat4x4 double dvec2 dvec3 dvec4 float iimage1D iimage1DArray iimage2D iimage2DArray iimage2DMS iimage2DMSArray iimage2DRect iimage3D iimageBuffer iimageCube iimageCubeArray image1D image1DArray image2D image2DArray image2DMS image2DMSArray image2DRect image3D imageBuffer imageCube imageCubeArray int isampler1D isampler1DArray isampler2D isampler2DArray isampler2DMS isampler2DMSArray isampler2DRect isampler3D isamplerBuffer isamplerCube isamplerCubeArray ivec2 ivec3 ivec4 mat2 mat2x2 mat2x3 mat2x4 mat3 mat3x2 mat3x3 mat3x4 mat4 mat4x2 mat4x3 mat4x4 sampler1D sampler1DArray sampler1DArrayShadow sampler1DShadow sampler2D sampler2DArray sampler2DArrayShadow sampler2DMS sampler2DMSArray sampler2DRect sampler2DRectShadow sampler2DShadow sampler3D samplerBuffer samplerCube samplerCubeArray samplerCubeArrayShadow samplerCubeShadow image1D uimage1DArray uimage2D uimage2DArray uimage2DMS uimage2DMSArray uimage2DRect uimage3D uimageBuffer uimageCube uimageCubeArray uint usampler1D usampler1DArray usampler2D usampler2DArray usampler2DMS usampler2DMSArray usampler2DRect usampler3D samplerBuffer usamplerCube usamplerCubeArray uvec2 uvec3 uvec4 vec2 vec3 vec4 void",built_in:"gl_MaxAtomicCounterBindings gl_MaxAtomicCounterBufferSize gl_MaxClipDistances gl_MaxClipPlanes gl_MaxCombinedAtomicCounterBuffers gl_MaxCombinedAtomicCounters gl_MaxCombinedImageUniforms gl_MaxCombinedImageUnitsAndFragmentOutputs gl_MaxCombinedTextureImageUnits gl_MaxComputeAtomicCounterBuffers gl_MaxComputeAtomicCounters gl_MaxComputeImageUniforms gl_MaxComputeTextureImageUnits gl_MaxComputeUniformComponents gl_MaxComputeWorkGroupCount gl_MaxComputeWorkGroupSize gl_MaxDrawBuffers gl_MaxFragmentAtomicCounterBuffers gl_MaxFragmentAtomicCounters gl_MaxFragmentImageUniforms gl_MaxFragmentInputComponents gl_MaxFragmentInputVectors gl_MaxFragmentUniformComponents gl_MaxFragmentUniformVectors gl_MaxGeometryAtomicCounterBuffers gl_MaxGeometryAtomicCounters gl_MaxGeometryImageUniforms gl_MaxGeometryInputComponents gl_MaxGeometryOutputComponents gl_MaxGeometryOutputVertices gl_MaxGeometryTextureImageUnits gl_MaxGeometryTotalOutputComponents gl_MaxGeometryUniformComponents gl_MaxGeometryVaryingComponents gl_MaxImageSamples gl_MaxImageUnits gl_MaxLights gl_MaxPatchVertices gl_MaxProgramTexelOffset gl_MaxTessControlAtomicCounterBuffers gl_MaxTessControlAtomicCounters gl_MaxTessControlImageUniforms gl_MaxTessControlInputComponents gl_MaxTessControlOutputComponents gl_MaxTessControlTextureImageUnits gl_MaxTessControlTotalOutputComponents gl_MaxTessControlUniformComponents gl_MaxTessEvaluationAtomicCounterBuffers gl_MaxTessEvaluationAtomicCounters gl_MaxTessEvaluationImageUniforms gl_MaxTessEvaluationInputComponents gl_MaxTessEvaluationOutputComponents gl_MaxTessEvaluationTextureImageUnits gl_MaxTessEvaluationUniformComponents gl_MaxTessGenLevel gl_MaxTessPatchComponents gl_MaxTextureCoords gl_MaxTextureImageUnits gl_MaxTextureUnits gl_MaxVaryingComponents gl_MaxVaryingFloats gl_MaxVaryingVectors gl_MaxVertexAtomicCounterBuffers gl_MaxVertexAtomicCounters gl_MaxVertexAttribs gl_MaxVertexImageUniforms gl_MaxVertexOutputComponents gl_MaxVertexOutputVectors gl_MaxVertexTextureImageUnits gl_MaxVertexUniformComponents gl_MaxVertexUniformVectors gl_MaxViewports gl_MinProgramTexelOffset gl_BackColor gl_BackLightModelProduct gl_BackLightProduct gl_BackMaterial gl_BackSecondaryColor gl_ClipDistance gl_ClipPlane gl_ClipVertex gl_Color gl_DepthRange gl_EyePlaneQ gl_EyePlaneR gl_EyePlaneS gl_EyePlaneT gl_Fog gl_FogCoord gl_FogFragCoord gl_FragColor gl_FragCoord gl_FragData gl_FragDepth gl_FrontColor gl_FrontFacing gl_FrontLightModelProduct gl_FrontLightProduct gl_FrontMaterial gl_FrontSecondaryColor gl_GlobalInvocationID gl_InstanceID gl_InvocationID gl_Layer gl_LightModel gl_LightSource gl_LocalInvocationID gl_LocalInvocationIndex gl_ModelViewMatrix gl_ModelViewMatrixInverse gl_ModelViewMatrixInverseTranspose gl_ModelViewMatrixTranspose gl_ModelViewProjectionMatrix gl_ModelViewProjectionMatrixInverse gl_ModelViewProjectionMatrixInverseTranspose gl_ModelViewProjectionMatrixTranspose gl_MultiTexCoord0 gl_MultiTexCoord1 gl_MultiTexCoord2 gl_MultiTexCoord3 gl_MultiTexCoord4 gl_MultiTexCoord5 gl_MultiTexCoord6 gl_MultiTexCoord7 gl_Normal gl_NormalMatrix gl_NormalScale gl_NumSamples gl_NumWorkGroups gl_ObjectPlaneQ gl_ObjectPlaneR gl_ObjectPlaneS gl_ObjectPlaneT gl_PatchVerticesIn gl_Point gl_PointCoord gl_PointSize gl_Position gl_PrimitiveID gl_PrimitiveIDIn gl_ProjectionMatrix gl_ProjectionMatrixInverse gl_ProjectionMatrixInverseTranspose gl_ProjectionMatrixTranspose gl_SampleID gl_SampleMask gl_SampleMaskIn gl_SamplePosition gl_SecondaryColor gl_TessCoord gl_TessLevelInner gl_TessLevelOuter gl_TexCoord gl_TextureEnvColor gl_TextureMatrix gl_TextureMatrixInverse gl_TextureMatrixInverseTranspose gl_TextureMatrixTranspose gl_Vertex gl_VertexID gl_ViewportIndex gl_WorkGroupID gl_WorkGroupSize gl_in gl_out EmitStreamVertex EmitVertex EndPrimitive EndStreamPrimitive abs acos acosh all any asin asinh atan atanh atomicAdd atomicAnd atomicCompSwap atomicCounter atomicCounterDecrement atomicCounterIncrement atomicExchange atomicMax atomicMin atomicOr atomicXor barrier bitCount bitfieldExtract bitfieldInsert bitfieldReverse ceil clamp cos cosh cross dFdx dFdy degrees determinant distance dot equal exp exp2 faceforward findLSB findMSB floatBitsToInt floatBitsToUint floor fma fract frexp ftransform fwidth greaterThan greaterThanEqual groupMemoryBarrier imageAtomicAdd imageAtomicAnd imageAtomicCompSwap imageAtomicExchange imageAtomicMax imageAtomicMin imageAtomicOr imageAtomicXor imageLoad imageSize imageStore imulExtended intBitsToFloat interpolateAtCentroid interpolateAtOffset interpolateAtSample inverse inversesqrt isinf isnan ldexp length lessThan lessThanEqual log log2 matrixCompMult max memoryBarrier memoryBarrierAtomicCounter memoryBarrierBuffer memoryBarrierImage memoryBarrierShared min mix mod modf noise1 noise2 noise3 noise4 normalize not notEqual outerProduct packDouble2x32 packHalf2x16 packSnorm2x16 packSnorm4x8 packUnorm2x16 packUnorm4x8 pow radians reflect refract round roundEven shadow1D shadow1DLod shadow1DProj shadow1DProjLod shadow2D shadow2DLod shadow2DProj shadow2DProjLod sign sin sinh smoothstep sqrt step tan tanh texelFetch texelFetchOffset texture texture1D texture1DLod texture1DProj texture1DProjLod texture2D texture2DLod texture2DProj texture2DProjLod texture3D texture3DLod texture3DProj texture3DProjLod textureCube textureCubeLod textureGather textureGatherOffset textureGatherOffsets textureGrad textureGradOffset textureLod textureLodOffset textureOffset textureProj textureProjGrad textureProjGradOffset textureProjLod textureProjLodOffset textureProjOffset textureQueryLevels textureQueryLod textureSize transpose trunc uaddCarry uintBitsToFloat umulExtended unpackDouble2x32 unpackHalf2x16 unpackSnorm2x16 unpackSnorm4x8 unpackUnorm2x16 unpackUnorm4x8 usubBorrow",literal:"true false"},illegal:'"',contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.C_NUMBER_MODE,{className:"meta",begin:"#",end:"$"}]}}return D_=e,D_}var x_,NT;function BM(){if(NT)return x_;NT=1;function e(t){return{name:"GML",case_insensitive:!1,keywords:{keyword:["#endregion","#macro","#region","and","begin","break","case","constructor","continue","default","delete","div","do","else","end","enum","exit","for","function","globalvar","if","mod","not","or","repeat","return","switch","then","until","var","while","with","xor"],built_in:["abs","achievement_available","achievement_event","achievement_get_challenges","achievement_get_info","achievement_get_pic","achievement_increment","achievement_load_friends","achievement_load_leaderboard","achievement_load_progress","achievement_login","achievement_login_status","achievement_logout","achievement_post","achievement_post_score","achievement_reset","achievement_send_challenge","achievement_show","achievement_show_achievements","achievement_show_challenge_notifications","achievement_show_leaderboards","action_inherited","action_kill_object","ads_disable","ads_enable","ads_engagement_active","ads_engagement_available","ads_engagement_launch","ads_event","ads_event_preload","ads_get_display_height","ads_get_display_width","ads_interstitial_available","ads_interstitial_display","ads_move","ads_set_reward_callback","ads_setup","alarm_get","alarm_set","analytics_event","analytics_event_ext","angle_difference","ansi_char","application_get_position","application_surface_draw_enable","application_surface_enable","application_surface_is_enabled","arccos","arcsin","arctan","arctan2","array_copy","array_create","array_delete","array_equals","array_height_2d","array_insert","array_length","array_length_1d","array_length_2d","array_pop","array_push","array_resize","array_sort","asset_get_index","asset_get_type","audio_channel_num","audio_create_buffer_sound","audio_create_play_queue","audio_create_stream","audio_create_sync_group","audio_debug","audio_destroy_stream","audio_destroy_sync_group","audio_emitter_create","audio_emitter_exists","audio_emitter_falloff","audio_emitter_free","audio_emitter_gain","audio_emitter_get_gain","audio_emitter_get_listener_mask","audio_emitter_get_pitch","audio_emitter_get_vx","audio_emitter_get_vy","audio_emitter_get_vz","audio_emitter_get_x","audio_emitter_get_y","audio_emitter_get_z","audio_emitter_pitch","audio_emitter_position","audio_emitter_set_listener_mask","audio_emitter_velocity","audio_exists","audio_falloff_set_model","audio_free_buffer_sound","audio_free_play_queue","audio_get_listener_count","audio_get_listener_info","audio_get_listener_mask","audio_get_master_gain","audio_get_name","audio_get_recorder_count","audio_get_recorder_info","audio_get_type","audio_group_is_loaded","audio_group_load","audio_group_load_progress","audio_group_name","audio_group_set_gain","audio_group_stop_all","audio_group_unload","audio_is_paused","audio_is_playing","audio_listener_get_data","audio_listener_orientation","audio_listener_position","audio_listener_set_orientation","audio_listener_set_position","audio_listener_set_velocity","audio_listener_velocity","audio_master_gain","audio_music_gain","audio_music_is_playing","audio_pause_all","audio_pause_music","audio_pause_sound","audio_pause_sync_group","audio_play_in_sync_group","audio_play_music","audio_play_sound","audio_play_sound_at","audio_play_sound_on","audio_queue_sound","audio_resume_all","audio_resume_music","audio_resume_sound","audio_resume_sync_group","audio_set_listener_mask","audio_set_master_gain","audio_sound_gain","audio_sound_get_gain","audio_sound_get_listener_mask","audio_sound_get_pitch","audio_sound_get_track_position","audio_sound_length","audio_sound_pitch","audio_sound_set_listener_mask","audio_sound_set_track_position","audio_start_recording","audio_start_sync_group","audio_stop_all","audio_stop_music","audio_stop_recording","audio_stop_sound","audio_stop_sync_group","audio_sync_group_debug","audio_sync_group_get_track_pos","audio_sync_group_is_playing","audio_system","background_get_height","background_get_width","base64_decode","base64_encode","browser_input_capture","buffer_async_group_begin","buffer_async_group_end","buffer_async_group_option","buffer_base64_decode","buffer_base64_decode_ext","buffer_base64_encode","buffer_copy","buffer_copy_from_vertex_buffer","buffer_create","buffer_create_from_vertex_buffer","buffer_create_from_vertex_buffer_ext","buffer_delete","buffer_exists","buffer_fill","buffer_get_address","buffer_get_alignment","buffer_get_size","buffer_get_surface","buffer_get_type","buffer_load","buffer_load_async","buffer_load_ext","buffer_load_partial","buffer_md5","buffer_peek","buffer_poke","buffer_read","buffer_resize","buffer_save","buffer_save_async","buffer_save_ext","buffer_seek","buffer_set_surface","buffer_sha1","buffer_sizeof","buffer_tell","buffer_write","camera_apply","camera_create","camera_create_view","camera_destroy","camera_get_active","camera_get_begin_script","camera_get_default","camera_get_end_script","camera_get_proj_mat","camera_get_update_script","camera_get_view_angle","camera_get_view_border_x","camera_get_view_border_y","camera_get_view_height","camera_get_view_mat","camera_get_view_speed_x","camera_get_view_speed_y","camera_get_view_target","camera_get_view_width","camera_get_view_x","camera_get_view_y","camera_set_begin_script","camera_set_default","camera_set_end_script","camera_set_proj_mat","camera_set_update_script","camera_set_view_angle","camera_set_view_border","camera_set_view_mat","camera_set_view_pos","camera_set_view_size","camera_set_view_speed","camera_set_view_target","ceil","choose","chr","clamp","clickable_add","clickable_add_ext","clickable_change","clickable_change_ext","clickable_delete","clickable_exists","clickable_set_style","clipboard_get_text","clipboard_has_text","clipboard_set_text","cloud_file_save","cloud_string_save","cloud_synchronise","code_is_compiled","collision_circle","collision_circle_list","collision_ellipse","collision_ellipse_list","collision_line","collision_line_list","collision_point","collision_point_list","collision_rectangle","collision_rectangle_list","color_get_blue","color_get_green","color_get_hue","color_get_red","color_get_saturation","color_get_value","colour_get_blue","colour_get_green","colour_get_hue","colour_get_red","colour_get_saturation","colour_get_value","cos","darccos","darcsin","darctan","darctan2","date_compare_date","date_compare_datetime","date_compare_time","date_create_datetime","date_current_datetime","date_date_of","date_date_string","date_datetime_string","date_day_span","date_days_in_month","date_days_in_year","date_get_day","date_get_day_of_year","date_get_hour","date_get_hour_of_year","date_get_minute","date_get_minute_of_year","date_get_month","date_get_second","date_get_second_of_year","date_get_timezone","date_get_week","date_get_weekday","date_get_year","date_hour_span","date_inc_day","date_inc_hour","date_inc_minute","date_inc_month","date_inc_second","date_inc_week","date_inc_year","date_is_today","date_leap_year","date_minute_span","date_month_span","date_second_span","date_set_timezone","date_time_of","date_time_string","date_valid_datetime","date_week_span","date_year_span","dcos","debug_event","debug_get_callstack","degtorad","device_get_tilt_x","device_get_tilt_y","device_get_tilt_z","device_is_keypad_open","device_mouse_check_button","device_mouse_check_button_pressed","device_mouse_check_button_released","device_mouse_dbclick_enable","device_mouse_raw_x","device_mouse_raw_y","device_mouse_x","device_mouse_x_to_gui","device_mouse_y","device_mouse_y_to_gui","directory_create","directory_destroy","directory_exists","display_get_dpi_x","display_get_dpi_y","display_get_gui_height","display_get_gui_width","display_get_height","display_get_orientation","display_get_sleep_margin","display_get_timing_method","display_get_width","display_mouse_get_x","display_mouse_get_y","display_mouse_set","display_reset","display_set_gui_maximise","display_set_gui_maximize","display_set_gui_size","display_set_sleep_margin","display_set_timing_method","display_set_ui_visibility","distance_to_object","distance_to_point","dot_product","dot_product_3d","dot_product_3d_normalised","dot_product_3d_normalized","dot_product_normalised","dot_product_normalized","draw_arrow","draw_background","draw_background_ext","draw_background_part_ext","draw_background_tiled","draw_button","draw_circle","draw_circle_color","draw_circle_colour","draw_clear","draw_clear_alpha","draw_ellipse","draw_ellipse_color","draw_ellipse_colour","draw_enable_alphablend","draw_enable_drawevent","draw_enable_swf_aa","draw_flush","draw_get_alpha","draw_get_color","draw_get_colour","draw_get_lighting","draw_get_swf_aa_level","draw_getpixel","draw_getpixel_ext","draw_healthbar","draw_highscore","draw_light_define_ambient","draw_light_define_direction","draw_light_define_point","draw_light_enable","draw_light_get","draw_light_get_ambient","draw_line","draw_line_color","draw_line_colour","draw_line_width","draw_line_width_color","draw_line_width_colour","draw_path","draw_point","draw_point_color","draw_point_colour","draw_primitive_begin","draw_primitive_begin_texture","draw_primitive_end","draw_rectangle","draw_rectangle_color","draw_rectangle_colour","draw_roundrect","draw_roundrect_color","draw_roundrect_color_ext","draw_roundrect_colour","draw_roundrect_colour_ext","draw_roundrect_ext","draw_self","draw_set_alpha","draw_set_alpha_test","draw_set_alpha_test_ref_value","draw_set_blend_mode","draw_set_blend_mode_ext","draw_set_circle_precision","draw_set_color","draw_set_color_write_enable","draw_set_colour","draw_set_font","draw_set_halign","draw_set_lighting","draw_set_swf_aa_level","draw_set_valign","draw_skeleton","draw_skeleton_collision","draw_skeleton_instance","draw_skeleton_time","draw_sprite","draw_sprite_ext","draw_sprite_general","draw_sprite_part","draw_sprite_part_ext","draw_sprite_pos","draw_sprite_stretched","draw_sprite_stretched_ext","draw_sprite_tiled","draw_sprite_tiled_ext","draw_surface","draw_surface_ext","draw_surface_general","draw_surface_part","draw_surface_part_ext","draw_surface_stretched","draw_surface_stretched_ext","draw_surface_tiled","draw_surface_tiled_ext","draw_text","draw_text_color","draw_text_colour","draw_text_ext","draw_text_ext_color","draw_text_ext_colour","draw_text_ext_transformed","draw_text_ext_transformed_color","draw_text_ext_transformed_colour","draw_text_transformed","draw_text_transformed_color","draw_text_transformed_colour","draw_texture_flush","draw_tile","draw_tilemap","draw_triangle","draw_triangle_color","draw_triangle_colour","draw_vertex","draw_vertex_color","draw_vertex_colour","draw_vertex_texture","draw_vertex_texture_color","draw_vertex_texture_colour","ds_exists","ds_grid_add","ds_grid_add_disk","ds_grid_add_grid_region","ds_grid_add_region","ds_grid_clear","ds_grid_copy","ds_grid_create","ds_grid_destroy","ds_grid_get","ds_grid_get_disk_max","ds_grid_get_disk_mean","ds_grid_get_disk_min","ds_grid_get_disk_sum","ds_grid_get_max","ds_grid_get_mean","ds_grid_get_min","ds_grid_get_sum","ds_grid_height","ds_grid_multiply","ds_grid_multiply_disk","ds_grid_multiply_grid_region","ds_grid_multiply_region","ds_grid_read","ds_grid_resize","ds_grid_set","ds_grid_set_disk","ds_grid_set_grid_region","ds_grid_set_region","ds_grid_shuffle","ds_grid_sort","ds_grid_value_disk_exists","ds_grid_value_disk_x","ds_grid_value_disk_y","ds_grid_value_exists","ds_grid_value_x","ds_grid_value_y","ds_grid_width","ds_grid_write","ds_list_add","ds_list_clear","ds_list_copy","ds_list_create","ds_list_delete","ds_list_destroy","ds_list_empty","ds_list_find_index","ds_list_find_value","ds_list_insert","ds_list_mark_as_list","ds_list_mark_as_map","ds_list_read","ds_list_replace","ds_list_set","ds_list_shuffle","ds_list_size","ds_list_sort","ds_list_write","ds_map_add","ds_map_add_list","ds_map_add_map","ds_map_clear","ds_map_copy","ds_map_create","ds_map_delete","ds_map_destroy","ds_map_empty","ds_map_exists","ds_map_find_first","ds_map_find_last","ds_map_find_next","ds_map_find_previous","ds_map_find_value","ds_map_read","ds_map_replace","ds_map_replace_list","ds_map_replace_map","ds_map_secure_load","ds_map_secure_load_buffer","ds_map_secure_save","ds_map_secure_save_buffer","ds_map_set","ds_map_size","ds_map_write","ds_priority_add","ds_priority_change_priority","ds_priority_clear","ds_priority_copy","ds_priority_create","ds_priority_delete_max","ds_priority_delete_min","ds_priority_delete_value","ds_priority_destroy","ds_priority_empty","ds_priority_find_max","ds_priority_find_min","ds_priority_find_priority","ds_priority_read","ds_priority_size","ds_priority_write","ds_queue_clear","ds_queue_copy","ds_queue_create","ds_queue_dequeue","ds_queue_destroy","ds_queue_empty","ds_queue_enqueue","ds_queue_head","ds_queue_read","ds_queue_size","ds_queue_tail","ds_queue_write","ds_set_precision","ds_stack_clear","ds_stack_copy","ds_stack_create","ds_stack_destroy","ds_stack_empty","ds_stack_pop","ds_stack_push","ds_stack_read","ds_stack_size","ds_stack_top","ds_stack_write","dsin","dtan","effect_clear","effect_create_above","effect_create_below","environment_get_variable","event_inherited","event_perform","event_perform_object","event_user","exp","external_call","external_define","external_free","facebook_accesstoken","facebook_check_permission","facebook_dialog","facebook_graph_request","facebook_init","facebook_launch_offerwall","facebook_login","facebook_logout","facebook_post_message","facebook_request_publish_permissions","facebook_request_read_permissions","facebook_send_invite","facebook_status","facebook_user_id","file_attributes","file_bin_close","file_bin_open","file_bin_position","file_bin_read_byte","file_bin_rewrite","file_bin_seek","file_bin_size","file_bin_write_byte","file_copy","file_delete","file_exists","file_find_close","file_find_first","file_find_next","file_rename","file_text_close","file_text_eof","file_text_eoln","file_text_open_append","file_text_open_from_string","file_text_open_read","file_text_open_write","file_text_read_real","file_text_read_string","file_text_readln","file_text_write_real","file_text_write_string","file_text_writeln","filename_change_ext","filename_dir","filename_drive","filename_ext","filename_name","filename_path","floor","font_add","font_add_enable_aa","font_add_get_enable_aa","font_add_sprite","font_add_sprite_ext","font_delete","font_exists","font_get_bold","font_get_first","font_get_fontname","font_get_italic","font_get_last","font_get_name","font_get_size","font_get_texture","font_get_uvs","font_replace","font_replace_sprite","font_replace_sprite_ext","font_set_cache_size","font_texture_page_size","frac","game_end","game_get_speed","game_load","game_load_buffer","game_restart","game_save","game_save_buffer","game_set_speed","gamepad_axis_count","gamepad_axis_value","gamepad_button_check","gamepad_button_check_pressed","gamepad_button_check_released","gamepad_button_count","gamepad_button_value","gamepad_get_axis_deadzone","gamepad_get_button_threshold","gamepad_get_description","gamepad_get_device_count","gamepad_is_connected","gamepad_is_supported","gamepad_set_axis_deadzone","gamepad_set_button_threshold","gamepad_set_color","gamepad_set_colour","gamepad_set_vibration","gesture_double_tap_distance","gesture_double_tap_time","gesture_drag_distance","gesture_drag_time","gesture_flick_speed","gesture_get_double_tap_distance","gesture_get_double_tap_time","gesture_get_drag_distance","gesture_get_drag_time","gesture_get_flick_speed","gesture_get_pinch_angle_away","gesture_get_pinch_angle_towards","gesture_get_pinch_distance","gesture_get_rotate_angle","gesture_get_rotate_time","gesture_get_tap_count","gesture_pinch_angle_away","gesture_pinch_angle_towards","gesture_pinch_distance","gesture_rotate_angle","gesture_rotate_time","gesture_tap_count","get_integer","get_integer_async","get_login_async","get_open_filename","get_open_filename_ext","get_save_filename","get_save_filename_ext","get_string","get_string_async","get_timer","gml_pragma","gml_release_mode","gpu_get_alphatestenable","gpu_get_alphatestfunc","gpu_get_alphatestref","gpu_get_blendenable","gpu_get_blendmode","gpu_get_blendmode_dest","gpu_get_blendmode_destalpha","gpu_get_blendmode_ext","gpu_get_blendmode_ext_sepalpha","gpu_get_blendmode_src","gpu_get_blendmode_srcalpha","gpu_get_colorwriteenable","gpu_get_colourwriteenable","gpu_get_cullmode","gpu_get_fog","gpu_get_lightingenable","gpu_get_state","gpu_get_tex_filter","gpu_get_tex_filter_ext","gpu_get_tex_max_aniso","gpu_get_tex_max_aniso_ext","gpu_get_tex_max_mip","gpu_get_tex_max_mip_ext","gpu_get_tex_min_mip","gpu_get_tex_min_mip_ext","gpu_get_tex_mip_bias","gpu_get_tex_mip_bias_ext","gpu_get_tex_mip_enable","gpu_get_tex_mip_enable_ext","gpu_get_tex_mip_filter","gpu_get_tex_mip_filter_ext","gpu_get_tex_repeat","gpu_get_tex_repeat_ext","gpu_get_texfilter","gpu_get_texfilter_ext","gpu_get_texrepeat","gpu_get_texrepeat_ext","gpu_get_zfunc","gpu_get_ztestenable","gpu_get_zwriteenable","gpu_pop_state","gpu_push_state","gpu_set_alphatestenable","gpu_set_alphatestfunc","gpu_set_alphatestref","gpu_set_blendenable","gpu_set_blendmode","gpu_set_blendmode_ext","gpu_set_blendmode_ext_sepalpha","gpu_set_colorwriteenable","gpu_set_colourwriteenable","gpu_set_cullmode","gpu_set_fog","gpu_set_lightingenable","gpu_set_state","gpu_set_tex_filter","gpu_set_tex_filter_ext","gpu_set_tex_max_aniso","gpu_set_tex_max_aniso_ext","gpu_set_tex_max_mip","gpu_set_tex_max_mip_ext","gpu_set_tex_min_mip","gpu_set_tex_min_mip_ext","gpu_set_tex_mip_bias","gpu_set_tex_mip_bias_ext","gpu_set_tex_mip_enable","gpu_set_tex_mip_enable_ext","gpu_set_tex_mip_filter","gpu_set_tex_mip_filter_ext","gpu_set_tex_repeat","gpu_set_tex_repeat_ext","gpu_set_texfilter","gpu_set_texfilter_ext","gpu_set_texrepeat","gpu_set_texrepeat_ext","gpu_set_zfunc","gpu_set_ztestenable","gpu_set_zwriteenable","highscore_add","highscore_clear","highscore_name","highscore_value","http_get","http_get_file","http_post_string","http_request","iap_acquire","iap_activate","iap_consume","iap_enumerate_products","iap_product_details","iap_purchase_details","iap_restore_all","iap_status","ini_close","ini_key_delete","ini_key_exists","ini_open","ini_open_from_string","ini_read_real","ini_read_string","ini_section_delete","ini_section_exists","ini_write_real","ini_write_string","instance_activate_all","instance_activate_layer","instance_activate_object","instance_activate_region","instance_change","instance_copy","instance_create","instance_create_depth","instance_create_layer","instance_deactivate_all","instance_deactivate_layer","instance_deactivate_object","instance_deactivate_region","instance_destroy","instance_exists","instance_find","instance_furthest","instance_id_get","instance_nearest","instance_number","instance_place","instance_place_list","instance_position","instance_position_list","int64","io_clear","irandom","irandom_range","is_array","is_bool","is_infinity","is_int32","is_int64","is_matrix","is_method","is_nan","is_numeric","is_ptr","is_real","is_string","is_struct","is_undefined","is_vec3","is_vec4","json_decode","json_encode","keyboard_check","keyboard_check_direct","keyboard_check_pressed","keyboard_check_released","keyboard_clear","keyboard_get_map","keyboard_get_numlock","keyboard_key_press","keyboard_key_release","keyboard_set_map","keyboard_set_numlock","keyboard_unset_map","keyboard_virtual_height","keyboard_virtual_hide","keyboard_virtual_show","keyboard_virtual_status","layer_add_instance","layer_background_alpha","layer_background_blend","layer_background_change","layer_background_create","layer_background_destroy","layer_background_exists","layer_background_get_alpha","layer_background_get_blend","layer_background_get_htiled","layer_background_get_id","layer_background_get_index","layer_background_get_speed","layer_background_get_sprite","layer_background_get_stretch","layer_background_get_visible","layer_background_get_vtiled","layer_background_get_xscale","layer_background_get_yscale","layer_background_htiled","layer_background_index","layer_background_speed","layer_background_sprite","layer_background_stretch","layer_background_visible","layer_background_vtiled","layer_background_xscale","layer_background_yscale","layer_create","layer_depth","layer_destroy","layer_destroy_instances","layer_element_move","layer_exists","layer_force_draw_depth","layer_get_all","layer_get_all_elements","layer_get_depth","layer_get_element_layer","layer_get_element_type","layer_get_forced_depth","layer_get_hspeed","layer_get_id","layer_get_id_at_depth","layer_get_name","layer_get_script_begin","layer_get_script_end","layer_get_shader","layer_get_target_room","layer_get_visible","layer_get_vspeed","layer_get_x","layer_get_y","layer_has_instance","layer_hspeed","layer_instance_get_instance","layer_is_draw_depth_forced","layer_reset_target_room","layer_script_begin","layer_script_end","layer_set_target_room","layer_set_visible","layer_shader","layer_sprite_alpha","layer_sprite_angle","layer_sprite_blend","layer_sprite_change","layer_sprite_create","layer_sprite_destroy","layer_sprite_exists","layer_sprite_get_alpha","layer_sprite_get_angle","layer_sprite_get_blend","layer_sprite_get_id","layer_sprite_get_index","layer_sprite_get_speed","layer_sprite_get_sprite","layer_sprite_get_x","layer_sprite_get_xscale","layer_sprite_get_y","layer_sprite_get_yscale","layer_sprite_index","layer_sprite_speed","layer_sprite_x","layer_sprite_xscale","layer_sprite_y","layer_sprite_yscale","layer_tile_alpha","layer_tile_blend","layer_tile_change","layer_tile_create","layer_tile_destroy","layer_tile_exists","layer_tile_get_alpha","layer_tile_get_blend","layer_tile_get_region","layer_tile_get_sprite","layer_tile_get_visible","layer_tile_get_x","layer_tile_get_xscale","layer_tile_get_y","layer_tile_get_yscale","layer_tile_region","layer_tile_visible","layer_tile_x","layer_tile_xscale","layer_tile_y","layer_tile_yscale","layer_tilemap_create","layer_tilemap_destroy","layer_tilemap_exists","layer_tilemap_get_id","layer_vspeed","layer_x","layer_y","lengthdir_x","lengthdir_y","lerp","ln","load_csv","log10","log2","logn","make_color_hsv","make_color_rgb","make_colour_hsv","make_colour_rgb","math_get_epsilon","math_set_epsilon","matrix_build","matrix_build_identity","matrix_build_lookat","matrix_build_projection_ortho","matrix_build_projection_perspective","matrix_build_projection_perspective_fov","matrix_get","matrix_multiply","matrix_set","matrix_stack_clear","matrix_stack_is_empty","matrix_stack_multiply","matrix_stack_pop","matrix_stack_push","matrix_stack_set","matrix_stack_top","matrix_transform_vertex","max","md5_file","md5_string_unicode","md5_string_utf8","mean","median","merge_color","merge_colour","min","motion_add","motion_set","mouse_check_button","mouse_check_button_pressed","mouse_check_button_released","mouse_clear","mouse_wheel_down","mouse_wheel_up","move_bounce_all","move_bounce_solid","move_contact_all","move_contact_solid","move_outside_all","move_outside_solid","move_random","move_snap","move_towards_point","move_wrap","mp_grid_add_cell","mp_grid_add_instances","mp_grid_add_rectangle","mp_grid_clear_all","mp_grid_clear_cell","mp_grid_clear_rectangle","mp_grid_create","mp_grid_destroy","mp_grid_draw","mp_grid_get_cell","mp_grid_path","mp_grid_to_ds_grid","mp_linear_path","mp_linear_path_object","mp_linear_step","mp_linear_step_object","mp_potential_path","mp_potential_path_object","mp_potential_settings","mp_potential_step","mp_potential_step_object","network_connect","network_connect_raw","network_create_server","network_create_server_raw","network_create_socket","network_create_socket_ext","network_destroy","network_resolve","network_send_broadcast","network_send_packet","network_send_raw","network_send_udp","network_send_udp_raw","network_set_config","network_set_timeout","object_exists","object_get_depth","object_get_mask","object_get_name","object_get_parent","object_get_persistent","object_get_physics","object_get_solid","object_get_sprite","object_get_visible","object_is_ancestor","object_set_mask","object_set_persistent","object_set_solid","object_set_sprite","object_set_visible","ord","os_get_config","os_get_info","os_get_language","os_get_region","os_is_network_connected","os_is_paused","os_lock_orientation","os_powersave_enable","parameter_count","parameter_string","part_emitter_burst","part_emitter_clear","part_emitter_create","part_emitter_destroy","part_emitter_destroy_all","part_emitter_exists","part_emitter_region","part_emitter_stream","part_particles_clear","part_particles_count","part_particles_create","part_particles_create_color","part_particles_create_colour","part_system_automatic_draw","part_system_automatic_update","part_system_clear","part_system_create","part_system_create_layer","part_system_depth","part_system_destroy","part_system_draw_order","part_system_drawit","part_system_exists","part_system_get_layer","part_system_layer","part_system_position","part_system_update","part_type_alpha1","part_type_alpha2","part_type_alpha3","part_type_blend","part_type_clear","part_type_color1","part_type_color2","part_type_color3","part_type_color_hsv","part_type_color_mix","part_type_color_rgb","part_type_colour1","part_type_colour2","part_type_colour3","part_type_colour_hsv","part_type_colour_mix","part_type_colour_rgb","part_type_create","part_type_death","part_type_destroy","part_type_direction","part_type_exists","part_type_gravity","part_type_life","part_type_orientation","part_type_scale","part_type_shape","part_type_size","part_type_speed","part_type_sprite","part_type_step","path_add","path_add_point","path_append","path_assign","path_change_point","path_clear_points","path_delete","path_delete_point","path_duplicate","path_end","path_exists","path_flip","path_get_closed","path_get_kind","path_get_length","path_get_name","path_get_number","path_get_point_speed","path_get_point_x","path_get_point_y","path_get_precision","path_get_speed","path_get_time","path_get_x","path_get_y","path_insert_point","path_mirror","path_rescale","path_reverse","path_rotate","path_set_closed","path_set_kind","path_set_precision","path_shift","path_start","physics_apply_angular_impulse","physics_apply_force","physics_apply_impulse","physics_apply_local_force","physics_apply_local_impulse","physics_apply_torque","physics_draw_debug","physics_fixture_add_point","physics_fixture_bind","physics_fixture_bind_ext","physics_fixture_create","physics_fixture_delete","physics_fixture_set_angular_damping","physics_fixture_set_awake","physics_fixture_set_box_shape","physics_fixture_set_chain_shape","physics_fixture_set_circle_shape","physics_fixture_set_collision_group","physics_fixture_set_density","physics_fixture_set_edge_shape","physics_fixture_set_friction","physics_fixture_set_kinematic","physics_fixture_set_linear_damping","physics_fixture_set_polygon_shape","physics_fixture_set_restitution","physics_fixture_set_sensor","physics_get_density","physics_get_friction","physics_get_restitution","physics_joint_delete","physics_joint_distance_create","physics_joint_enable_motor","physics_joint_friction_create","physics_joint_gear_create","physics_joint_get_value","physics_joint_prismatic_create","physics_joint_pulley_create","physics_joint_revolute_create","physics_joint_rope_create","physics_joint_set_value","physics_joint_weld_create","physics_joint_wheel_create","physics_mass_properties","physics_particle_count","physics_particle_create","physics_particle_delete","physics_particle_delete_region_box","physics_particle_delete_region_circle","physics_particle_delete_region_poly","physics_particle_draw","physics_particle_draw_ext","physics_particle_get_damping","physics_particle_get_data","physics_particle_get_data_particle","physics_particle_get_density","physics_particle_get_gravity_scale","physics_particle_get_group_flags","physics_particle_get_max_count","physics_particle_get_radius","physics_particle_group_add_point","physics_particle_group_begin","physics_particle_group_box","physics_particle_group_circle","physics_particle_group_count","physics_particle_group_delete","physics_particle_group_end","physics_particle_group_get_ang_vel","physics_particle_group_get_angle","physics_particle_group_get_centre_x","physics_particle_group_get_centre_y","physics_particle_group_get_data","physics_particle_group_get_inertia","physics_particle_group_get_mass","physics_particle_group_get_vel_x","physics_particle_group_get_vel_y","physics_particle_group_get_x","physics_particle_group_get_y","physics_particle_group_join","physics_particle_group_polygon","physics_particle_set_category_flags","physics_particle_set_damping","physics_particle_set_density","physics_particle_set_flags","physics_particle_set_gravity_scale","physics_particle_set_group_flags","physics_particle_set_max_count","physics_particle_set_radius","physics_pause_enable","physics_remove_fixture","physics_set_density","physics_set_friction","physics_set_restitution","physics_test_overlap","physics_world_create","physics_world_draw_debug","physics_world_gravity","physics_world_update_iterations","physics_world_update_speed","place_empty","place_free","place_meeting","place_snapped","point_direction","point_distance","point_distance_3d","point_in_circle","point_in_rectangle","point_in_triangle","position_change","position_destroy","position_empty","position_meeting","power","ptr","push_cancel_local_notification","push_get_first_local_notification","push_get_next_local_notification","push_local_notification","radtodeg","random","random_get_seed","random_range","random_set_seed","randomise","randomize","real","rectangle_in_circle","rectangle_in_rectangle","rectangle_in_triangle","room_add","room_assign","room_duplicate","room_exists","room_get_camera","room_get_name","room_get_viewport","room_goto","room_goto_next","room_goto_previous","room_instance_add","room_instance_clear","room_next","room_previous","room_restart","room_set_background_color","room_set_background_colour","room_set_camera","room_set_height","room_set_persistent","room_set_view","room_set_view_enabled","room_set_viewport","room_set_width","round","screen_save","screen_save_part","script_execute","script_exists","script_get_name","sha1_file","sha1_string_unicode","sha1_string_utf8","shader_current","shader_enable_corner_id","shader_get_name","shader_get_sampler_index","shader_get_uniform","shader_is_compiled","shader_reset","shader_set","shader_set_uniform_f","shader_set_uniform_f_array","shader_set_uniform_i","shader_set_uniform_i_array","shader_set_uniform_matrix","shader_set_uniform_matrix_array","shaders_are_supported","shop_leave_rating","show_debug_message","show_debug_overlay","show_error","show_message","show_message_async","show_question","show_question_async","sign","sin","skeleton_animation_clear","skeleton_animation_get","skeleton_animation_get_duration","skeleton_animation_get_ext","skeleton_animation_get_frame","skeleton_animation_get_frames","skeleton_animation_list","skeleton_animation_mix","skeleton_animation_set","skeleton_animation_set_ext","skeleton_animation_set_frame","skeleton_attachment_create","skeleton_attachment_get","skeleton_attachment_set","skeleton_bone_data_get","skeleton_bone_data_set","skeleton_bone_state_get","skeleton_bone_state_set","skeleton_collision_draw_set","skeleton_get_bounds","skeleton_get_minmax","skeleton_get_num_bounds","skeleton_skin_get","skeleton_skin_list","skeleton_skin_set","skeleton_slot_data","sprite_add","sprite_add_from_surface","sprite_assign","sprite_collision_mask","sprite_create_from_surface","sprite_delete","sprite_duplicate","sprite_exists","sprite_flush","sprite_flush_multi","sprite_get_bbox_bottom","sprite_get_bbox_left","sprite_get_bbox_right","sprite_get_bbox_top","sprite_get_height","sprite_get_name","sprite_get_number","sprite_get_speed","sprite_get_speed_type","sprite_get_texture","sprite_get_tpe","sprite_get_uvs","sprite_get_width","sprite_get_xoffset","sprite_get_yoffset","sprite_merge","sprite_prefetch","sprite_prefetch_multi","sprite_replace","sprite_save","sprite_save_strip","sprite_set_alpha_from_sprite","sprite_set_cache_size","sprite_set_cache_size_ext","sprite_set_offset","sprite_set_speed","sqr","sqrt","steam_activate_overlay","steam_activate_overlay_browser","steam_activate_overlay_store","steam_activate_overlay_user","steam_available_languages","steam_clear_achievement","steam_create_leaderboard","steam_current_game_language","steam_download_friends_scores","steam_download_scores","steam_download_scores_around_user","steam_file_delete","steam_file_exists","steam_file_persisted","steam_file_read","steam_file_share","steam_file_size","steam_file_write","steam_file_write_file","steam_get_achievement","steam_get_app_id","steam_get_persona_name","steam_get_quota_free","steam_get_quota_total","steam_get_stat_avg_rate","steam_get_stat_float","steam_get_stat_int","steam_get_user_account_id","steam_get_user_persona_name","steam_get_user_steam_id","steam_initialised","steam_is_cloud_enabled_for_account","steam_is_cloud_enabled_for_app","steam_is_overlay_activated","steam_is_overlay_enabled","steam_is_screenshot_requested","steam_is_user_logged_on","steam_reset_all_stats","steam_reset_all_stats_achievements","steam_send_screenshot","steam_set_achievement","steam_set_stat_avg_rate","steam_set_stat_float","steam_set_stat_int","steam_stats_ready","steam_ugc_create_item","steam_ugc_create_query_all","steam_ugc_create_query_all_ex","steam_ugc_create_query_user","steam_ugc_create_query_user_ex","steam_ugc_download","steam_ugc_get_item_install_info","steam_ugc_get_item_update_info","steam_ugc_get_item_update_progress","steam_ugc_get_subscribed_items","steam_ugc_num_subscribed_items","steam_ugc_query_add_excluded_tag","steam_ugc_query_add_required_tag","steam_ugc_query_set_allow_cached_response","steam_ugc_query_set_cloud_filename_filter","steam_ugc_query_set_match_any_tag","steam_ugc_query_set_ranked_by_trend_days","steam_ugc_query_set_return_long_description","steam_ugc_query_set_return_total_only","steam_ugc_query_set_search_text","steam_ugc_request_item_details","steam_ugc_send_query","steam_ugc_set_item_content","steam_ugc_set_item_description","steam_ugc_set_item_preview","steam_ugc_set_item_tags","steam_ugc_set_item_title","steam_ugc_set_item_visibility","steam_ugc_start_item_update","steam_ugc_submit_item_update","steam_ugc_subscribe_item","steam_ugc_unsubscribe_item","steam_upload_score","steam_upload_score_buffer","steam_upload_score_buffer_ext","steam_upload_score_ext","steam_user_installed_dlc","steam_user_owns_dlc","string","string_byte_at","string_byte_length","string_char_at","string_copy","string_count","string_delete","string_digits","string_format","string_hash_to_newline","string_height","string_height_ext","string_insert","string_length","string_letters","string_lettersdigits","string_lower","string_ord_at","string_pos","string_repeat","string_replace","string_replace_all","string_set_byte_at","string_upper","string_width","string_width_ext","surface_copy","surface_copy_part","surface_create","surface_create_ext","surface_depth_disable","surface_exists","surface_free","surface_get_depth_disable","surface_get_height","surface_get_texture","surface_get_width","surface_getpixel","surface_getpixel_ext","surface_reset_target","surface_resize","surface_save","surface_save_part","surface_set_target","surface_set_target_ext","tan","texture_get_height","texture_get_texel_height","texture_get_texel_width","texture_get_uvs","texture_get_width","texture_global_scale","texture_set_stage","tile_get_empty","tile_get_flip","tile_get_index","tile_get_mirror","tile_get_rotate","tile_set_empty","tile_set_flip","tile_set_index","tile_set_mirror","tile_set_rotate","tilemap_clear","tilemap_get","tilemap_get_at_pixel","tilemap_get_cell_x_at_pixel","tilemap_get_cell_y_at_pixel","tilemap_get_frame","tilemap_get_global_mask","tilemap_get_height","tilemap_get_mask","tilemap_get_tile_height","tilemap_get_tile_width","tilemap_get_tileset","tilemap_get_width","tilemap_get_x","tilemap_get_y","tilemap_set","tilemap_set_at_pixel","tilemap_set_global_mask","tilemap_set_mask","tilemap_tileset","tilemap_x","tilemap_y","timeline_add","timeline_clear","timeline_delete","timeline_exists","timeline_get_name","timeline_max_moment","timeline_moment_add_script","timeline_moment_clear","timeline_size","typeof","url_get_domain","url_open","url_open_ext","url_open_full","variable_global_exists","variable_global_get","variable_global_set","variable_instance_exists","variable_instance_get","variable_instance_get_names","variable_instance_set","variable_struct_exists","variable_struct_get","variable_struct_get_names","variable_struct_names_count","variable_struct_remove","variable_struct_set","vertex_argb","vertex_begin","vertex_color","vertex_colour","vertex_create_buffer","vertex_create_buffer_ext","vertex_create_buffer_from_buffer","vertex_create_buffer_from_buffer_ext","vertex_delete_buffer","vertex_end","vertex_float1","vertex_float2","vertex_float3","vertex_float4","vertex_format_add_color","vertex_format_add_colour","vertex_format_add_custom","vertex_format_add_normal","vertex_format_add_position","vertex_format_add_position_3d","vertex_format_add_texcoord","vertex_format_add_textcoord","vertex_format_begin","vertex_format_delete","vertex_format_end","vertex_freeze","vertex_get_buffer_size","vertex_get_number","vertex_normal","vertex_position","vertex_position_3d","vertex_submit","vertex_texcoord","vertex_ubyte4","view_get_camera","view_get_hport","view_get_surface_id","view_get_visible","view_get_wport","view_get_xport","view_get_yport","view_set_camera","view_set_hport","view_set_surface_id","view_set_visible","view_set_wport","view_set_xport","view_set_yport","virtual_key_add","virtual_key_delete","virtual_key_hide","virtual_key_show","win8_appbar_add_element","win8_appbar_enable","win8_appbar_remove_element","win8_device_touchscreen_available","win8_license_initialize_sandbox","win8_license_trial_version","win8_livetile_badge_clear","win8_livetile_badge_notification","win8_livetile_notification_begin","win8_livetile_notification_end","win8_livetile_notification_expiry","win8_livetile_notification_image_add","win8_livetile_notification_secondary_begin","win8_livetile_notification_tag","win8_livetile_notification_text_add","win8_livetile_queue_enable","win8_livetile_tile_clear","win8_livetile_tile_notification","win8_search_add_suggestions","win8_search_disable","win8_search_enable","win8_secondarytile_badge_notification","win8_secondarytile_delete","win8_secondarytile_pin","win8_settingscharm_add_entry","win8_settingscharm_add_html_entry","win8_settingscharm_add_xaml_entry","win8_settingscharm_get_xaml_property","win8_settingscharm_remove_entry","win8_settingscharm_set_xaml_property","win8_share_file","win8_share_image","win8_share_screenshot","win8_share_text","win8_share_url","window_center","window_device","window_get_caption","window_get_color","window_get_colour","window_get_cursor","window_get_fullscreen","window_get_height","window_get_visible_rects","window_get_width","window_get_x","window_get_y","window_handle","window_has_focus","window_mouse_get_x","window_mouse_get_y","window_mouse_set","window_set_caption","window_set_color","window_set_colour","window_set_cursor","window_set_fullscreen","window_set_max_height","window_set_max_width","window_set_min_height","window_set_min_width","window_set_position","window_set_rectangle","window_set_size","window_view_mouse_get_x","window_view_mouse_get_y","window_views_mouse_get_x","window_views_mouse_get_y","winphone_license_trial_version","winphone_tile_back_content","winphone_tile_back_content_wide","winphone_tile_back_image","winphone_tile_back_image_wide","winphone_tile_back_title","winphone_tile_background_color","winphone_tile_background_colour","winphone_tile_count","winphone_tile_cycle_images","winphone_tile_front_image","winphone_tile_front_image_small","winphone_tile_front_image_wide","winphone_tile_icon_image","winphone_tile_small_background_image","winphone_tile_small_icon_image","winphone_tile_title","winphone_tile_wide_content","zip_unzip"],literal:["all","false","noone","pointer_invalid","pointer_null","true","undefined"],symbol:["ANSI_CHARSET","ARABIC_CHARSET","BALTIC_CHARSET","CHINESEBIG5_CHARSET","DEFAULT_CHARSET","EASTEUROPE_CHARSET","GB2312_CHARSET","GM_build_date","GM_runtime_version","GM_version","GREEK_CHARSET","HANGEUL_CHARSET","HEBREW_CHARSET","JOHAB_CHARSET","MAC_CHARSET","OEM_CHARSET","RUSSIAN_CHARSET","SHIFTJIS_CHARSET","SYMBOL_CHARSET","THAI_CHARSET","TURKISH_CHARSET","VIETNAMESE_CHARSET","achievement_achievement_info","achievement_filter_all_players","achievement_filter_favorites_only","achievement_filter_friends_only","achievement_friends_info","achievement_leaderboard_info","achievement_our_info","achievement_pic_loaded","achievement_show_achievement","achievement_show_bank","achievement_show_friend_picker","achievement_show_leaderboard","achievement_show_profile","achievement_show_purchase_prompt","achievement_show_ui","achievement_type_achievement_challenge","achievement_type_score_challenge","asset_font","asset_object","asset_path","asset_room","asset_script","asset_shader","asset_sound","asset_sprite","asset_tiles","asset_timeline","asset_unknown","audio_3d","audio_falloff_exponent_distance","audio_falloff_exponent_distance_clamped","audio_falloff_inverse_distance","audio_falloff_inverse_distance_clamped","audio_falloff_linear_distance","audio_falloff_linear_distance_clamped","audio_falloff_none","audio_mono","audio_new_system","audio_old_system","audio_stereo","bm_add","bm_complex","bm_dest_alpha","bm_dest_color","bm_dest_colour","bm_inv_dest_alpha","bm_inv_dest_color","bm_inv_dest_colour","bm_inv_src_alpha","bm_inv_src_color","bm_inv_src_colour","bm_max","bm_normal","bm_one","bm_src_alpha","bm_src_alpha_sat","bm_src_color","bm_src_colour","bm_subtract","bm_zero","browser_chrome","browser_edge","browser_firefox","browser_ie","browser_ie_mobile","browser_not_a_browser","browser_opera","browser_safari","browser_safari_mobile","browser_tizen","browser_unknown","browser_windows_store","buffer_bool","buffer_f16","buffer_f32","buffer_f64","buffer_fast","buffer_fixed","buffer_generalerror","buffer_grow","buffer_invalidtype","buffer_network","buffer_outofbounds","buffer_outofspace","buffer_s16","buffer_s32","buffer_s8","buffer_seek_end","buffer_seek_relative","buffer_seek_start","buffer_string","buffer_surface_copy","buffer_text","buffer_u16","buffer_u32","buffer_u64","buffer_u8","buffer_vbuffer","buffer_wrap","button_type","c_aqua","c_black","c_blue","c_dkgray","c_fuchsia","c_gray","c_green","c_lime","c_ltgray","c_maroon","c_navy","c_olive","c_orange","c_purple","c_red","c_silver","c_teal","c_white","c_yellow","cmpfunc_always","cmpfunc_equal","cmpfunc_greater","cmpfunc_greaterequal","cmpfunc_less","cmpfunc_lessequal","cmpfunc_never","cmpfunc_notequal","cr_appstart","cr_arrow","cr_beam","cr_cross","cr_default","cr_drag","cr_handpoint","cr_hourglass","cr_none","cr_size_all","cr_size_nesw","cr_size_ns","cr_size_nwse","cr_size_we","cr_uparrow","cull_clockwise","cull_counterclockwise","cull_noculling","device_emulator","device_ios_ipad","device_ios_ipad_retina","device_ios_iphone","device_ios_iphone5","device_ios_iphone6","device_ios_iphone6plus","device_ios_iphone_retina","device_ios_unknown","device_tablet","display_landscape","display_landscape_flipped","display_portrait","display_portrait_flipped","dll_cdecl","dll_stdcall","ds_type_grid","ds_type_list","ds_type_map","ds_type_priority","ds_type_queue","ds_type_stack","ef_cloud","ef_ellipse","ef_explosion","ef_firework","ef_flare","ef_rain","ef_ring","ef_smoke","ef_smokeup","ef_snow","ef_spark","ef_star","ev_alarm","ev_animation_end","ev_boundary","ev_cleanup","ev_close_button","ev_collision","ev_create","ev_destroy","ev_draw","ev_draw_begin","ev_draw_end","ev_draw_post","ev_draw_pre","ev_end_of_path","ev_game_end","ev_game_start","ev_gesture","ev_gesture_double_tap","ev_gesture_drag_end","ev_gesture_drag_start","ev_gesture_dragging","ev_gesture_flick","ev_gesture_pinch_end","ev_gesture_pinch_in","ev_gesture_pinch_out","ev_gesture_pinch_start","ev_gesture_rotate_end","ev_gesture_rotate_start","ev_gesture_rotating","ev_gesture_tap","ev_global_gesture_double_tap","ev_global_gesture_drag_end","ev_global_gesture_drag_start","ev_global_gesture_dragging","ev_global_gesture_flick","ev_global_gesture_pinch_end","ev_global_gesture_pinch_in","ev_global_gesture_pinch_out","ev_global_gesture_pinch_start","ev_global_gesture_rotate_end","ev_global_gesture_rotate_start","ev_global_gesture_rotating","ev_global_gesture_tap","ev_global_left_button","ev_global_left_press","ev_global_left_release","ev_global_middle_button","ev_global_middle_press","ev_global_middle_release","ev_global_right_button","ev_global_right_press","ev_global_right_release","ev_gui","ev_gui_begin","ev_gui_end","ev_joystick1_button1","ev_joystick1_button2","ev_joystick1_button3","ev_joystick1_button4","ev_joystick1_button5","ev_joystick1_button6","ev_joystick1_button7","ev_joystick1_button8","ev_joystick1_down","ev_joystick1_left","ev_joystick1_right","ev_joystick1_up","ev_joystick2_button1","ev_joystick2_button2","ev_joystick2_button3","ev_joystick2_button4","ev_joystick2_button5","ev_joystick2_button6","ev_joystick2_button7","ev_joystick2_button8","ev_joystick2_down","ev_joystick2_left","ev_joystick2_right","ev_joystick2_up","ev_keyboard","ev_keypress","ev_keyrelease","ev_left_button","ev_left_press","ev_left_release","ev_middle_button","ev_middle_press","ev_middle_release","ev_mouse","ev_mouse_enter","ev_mouse_leave","ev_mouse_wheel_down","ev_mouse_wheel_up","ev_no_button","ev_no_more_health","ev_no_more_lives","ev_other","ev_outside","ev_right_button","ev_right_press","ev_right_release","ev_room_end","ev_room_start","ev_step","ev_step_begin","ev_step_end","ev_step_normal","ev_trigger","ev_user0","ev_user1","ev_user2","ev_user3","ev_user4","ev_user5","ev_user6","ev_user7","ev_user8","ev_user9","ev_user10","ev_user11","ev_user12","ev_user13","ev_user14","ev_user15","fa_archive","fa_bottom","fa_center","fa_directory","fa_hidden","fa_left","fa_middle","fa_readonly","fa_right","fa_sysfile","fa_top","fa_volumeid","fb_login_default","fb_login_fallback_to_webview","fb_login_forcing_safari","fb_login_forcing_webview","fb_login_no_fallback_to_webview","fb_login_use_system_account","gamespeed_fps","gamespeed_microseconds","ge_lose","global","gp_axislh","gp_axislv","gp_axisrh","gp_axisrv","gp_face1","gp_face2","gp_face3","gp_face4","gp_padd","gp_padl","gp_padr","gp_padu","gp_select","gp_shoulderl","gp_shoulderlb","gp_shoulderr","gp_shoulderrb","gp_start","gp_stickl","gp_stickr","iap_available","iap_canceled","iap_ev_consume","iap_ev_product","iap_ev_purchase","iap_ev_restore","iap_ev_storeload","iap_failed","iap_purchased","iap_refunded","iap_status_available","iap_status_loading","iap_status_processing","iap_status_restoring","iap_status_unavailable","iap_status_uninitialised","iap_storeload_failed","iap_storeload_ok","iap_unavailable","input_type","kbv_autocapitalize_characters","kbv_autocapitalize_none","kbv_autocapitalize_sentences","kbv_autocapitalize_words","kbv_returnkey_continue","kbv_returnkey_default","kbv_returnkey_done","kbv_returnkey_emergency","kbv_returnkey_go","kbv_returnkey_google","kbv_returnkey_join","kbv_returnkey_next","kbv_returnkey_route","kbv_returnkey_search","kbv_returnkey_send","kbv_returnkey_yahoo","kbv_type_ascii","kbv_type_default","kbv_type_email","kbv_type_numbers","kbv_type_phone","kbv_type_phone_name","kbv_type_url","layerelementtype_background","layerelementtype_instance","layerelementtype_oldtilemap","layerelementtype_particlesystem","layerelementtype_sprite","layerelementtype_tile","layerelementtype_tilemap","layerelementtype_undefined","lb_disp_none","lb_disp_numeric","lb_disp_time_ms","lb_disp_time_sec","lb_sort_ascending","lb_sort_descending","lb_sort_none","leaderboard_type_number","leaderboard_type_time_mins_secs","lighttype_dir","lighttype_point","local","matrix_projection","matrix_view","matrix_world","mb_any","mb_left","mb_middle","mb_none","mb_right","mip_markedonly","mip_off","mip_on","network_config_connect_timeout","network_config_disable_reliable_udp","network_config_enable_reliable_udp","network_config_use_non_blocking_socket","network_socket_bluetooth","network_socket_tcp","network_socket_udp","network_type_connect","network_type_data","network_type_disconnect","network_type_non_blocking_connect","of_challen","of_challenge_tie","of_challenge_win","os_3ds","os_android","os_bb10","os_ios","os_linux","os_macosx","os_ps3","os_ps4","os_psvita","os_switch","os_symbian","os_tizen","os_tvos","os_unknown","os_uwp","os_wiiu","os_win32","os_win8native","os_windows","os_winphone","os_xbox360","os_xboxone","other","ov_achievements","ov_community","ov_friends","ov_gamegroup","ov_players","ov_settings","path_action_continue","path_action_restart","path_action_reverse","path_action_stop","phy_debug_render_aabb","phy_debug_render_collision_pairs","phy_debug_render_coms","phy_debug_render_core_shapes","phy_debug_render_joints","phy_debug_render_obb","phy_debug_render_shapes","phy_joint_anchor_1_x","phy_joint_anchor_1_y","phy_joint_anchor_2_x","phy_joint_anchor_2_y","phy_joint_angle","phy_joint_angle_limits","phy_joint_damping_ratio","phy_joint_frequency","phy_joint_length_1","phy_joint_length_2","phy_joint_lower_angle_limit","phy_joint_max_force","phy_joint_max_length","phy_joint_max_motor_force","phy_joint_max_motor_torque","phy_joint_max_torque","phy_joint_motor_force","phy_joint_motor_speed","phy_joint_motor_torque","phy_joint_reaction_force_x","phy_joint_reaction_force_y","phy_joint_reaction_torque","phy_joint_speed","phy_joint_translation","phy_joint_upper_angle_limit","phy_particle_data_flag_category","phy_particle_data_flag_color","phy_particle_data_flag_colour","phy_particle_data_flag_position","phy_particle_data_flag_typeflags","phy_particle_data_flag_velocity","phy_particle_flag_colormixing","phy_particle_flag_colourmixing","phy_particle_flag_elastic","phy_particle_flag_powder","phy_particle_flag_spring","phy_particle_flag_tensile","phy_particle_flag_viscous","phy_particle_flag_wall","phy_particle_flag_water","phy_particle_flag_zombie","phy_particle_group_flag_rigid","phy_particle_group_flag_solid","pi","pr_linelist","pr_linestrip","pr_pointlist","pr_trianglefan","pr_trianglelist","pr_trianglestrip","ps_distr_gaussian","ps_distr_invgaussian","ps_distr_linear","ps_shape_diamond","ps_shape_ellipse","ps_shape_line","ps_shape_rectangle","pt_shape_circle","pt_shape_cloud","pt_shape_disk","pt_shape_explosion","pt_shape_flare","pt_shape_line","pt_shape_pixel","pt_shape_ring","pt_shape_smoke","pt_shape_snow","pt_shape_spark","pt_shape_sphere","pt_shape_square","pt_shape_star","spritespeed_framespergameframe","spritespeed_framespersecond","text_type","tf_anisotropic","tf_linear","tf_point","tile_flip","tile_index_mask","tile_mirror","tile_rotate","timezone_local","timezone_utc","tm_countvsyncs","tm_sleep","ty_real","ty_string","ugc_filetype_community","ugc_filetype_microtrans","ugc_list_Favorited","ugc_list_Followed","ugc_list_Published","ugc_list_Subscribed","ugc_list_UsedOrPlayed","ugc_list_VotedDown","ugc_list_VotedOn","ugc_list_VotedUp","ugc_list_WillVoteLater","ugc_match_AllGuides","ugc_match_Artwork","ugc_match_Collections","ugc_match_ControllerBindings","ugc_match_IntegratedGuides","ugc_match_Items","ugc_match_Items_Mtx","ugc_match_Items_ReadyToUse","ugc_match_Screenshots","ugc_match_UsableInGame","ugc_match_Videos","ugc_match_WebGuides","ugc_query_AcceptedForGameRankedByAcceptanceDate","ugc_query_CreatedByFollowedUsersRankedByPublicationDate","ugc_query_CreatedByFriendsRankedByPublicationDate","ugc_query_FavoritedByFriendsRankedByPublicationDate","ugc_query_NotYetRated","ugc_query_RankedByNumTimesReported","ugc_query_RankedByPublicationDate","ugc_query_RankedByTextSearch","ugc_query_RankedByTotalVotesAsc","ugc_query_RankedByTrend","ugc_query_RankedByVote","ugc_query_RankedByVotesUp","ugc_result_success","ugc_sortorder_CreationOrderAsc","ugc_sortorder_CreationOrderDesc","ugc_sortorder_ForModeration","ugc_sortorder_LastUpdatedDesc","ugc_sortorder_SubscriptionDateDesc","ugc_sortorder_TitleAsc","ugc_sortorder_VoteScoreDesc","ugc_visibility_friends_only","ugc_visibility_private","ugc_visibility_public","vertex_type_color","vertex_type_colour","vertex_type_float1","vertex_type_float2","vertex_type_float3","vertex_type_float4","vertex_type_ubyte4","vertex_usage_binormal","vertex_usage_blendindices","vertex_usage_blendweight","vertex_usage_color","vertex_usage_colour","vertex_usage_depth","vertex_usage_fog","vertex_usage_normal","vertex_usage_position","vertex_usage_psize","vertex_usage_sample","vertex_usage_tangent","vertex_usage_texcoord","vertex_usage_textcoord","vk_add","vk_alt","vk_anykey","vk_backspace","vk_control","vk_decimal","vk_delete","vk_divide","vk_down","vk_end","vk_enter","vk_escape","vk_f1","vk_f2","vk_f3","vk_f4","vk_f5","vk_f6","vk_f7","vk_f8","vk_f9","vk_f10","vk_f11","vk_f12","vk_home","vk_insert","vk_lalt","vk_lcontrol","vk_left","vk_lshift","vk_multiply","vk_nokey","vk_numpad0","vk_numpad1","vk_numpad2","vk_numpad3","vk_numpad4","vk_numpad5","vk_numpad6","vk_numpad7","vk_numpad8","vk_numpad9","vk_pagedown","vk_pageup","vk_pause","vk_printscreen","vk_ralt","vk_rcontrol","vk_return","vk_right","vk_rshift","vk_shift","vk_space","vk_subtract","vk_tab","vk_up"],"variable.language":["alarm","application_surface","argument","argument0","argument1","argument2","argument3","argument4","argument5","argument6","argument7","argument8","argument9","argument10","argument11","argument12","argument13","argument14","argument15","argument_count","argument_relative","async_load","background_color","background_colour","background_showcolor","background_showcolour","bbox_bottom","bbox_left","bbox_right","bbox_top","browser_height","browser_width","caption_health","caption_lives","caption_score","current_day","current_hour","current_minute","current_month","current_second","current_time","current_weekday","current_year","cursor_sprite","debug_mode","delta_time","depth","direction","display_aa","error_last","error_occurred","event_action","event_data","event_number","event_object","event_type","fps","fps_real","friction","game_display_name","game_id","game_project_name","game_save_id","gamemaker_pro","gamemaker_registered","gamemaker_version","gravity","gravity_direction","health","hspeed","iap_data","id|0","image_alpha","image_angle","image_blend","image_index","image_number","image_speed","image_xscale","image_yscale","instance_count","instance_id","keyboard_key","keyboard_lastchar","keyboard_lastkey","keyboard_string","layer","lives","mask_index","mouse_button","mouse_lastbutton","mouse_x","mouse_y","object_index","os_browser","os_device","os_type","os_version","path_endaction","path_index","path_orientation","path_position","path_positionprevious","path_scale","path_speed","persistent","phy_active","phy_angular_damping","phy_angular_velocity","phy_bullet","phy_col_normal_x","phy_col_normal_y","phy_collision_points","phy_collision_x","phy_collision_y","phy_com_x","phy_com_y","phy_dynamic","phy_fixed_rotation","phy_inertia","phy_kinematic","phy_linear_damping","phy_linear_velocity_x","phy_linear_velocity_y","phy_mass","phy_position_x","phy_position_xprevious","phy_position_y","phy_position_yprevious","phy_rotation","phy_sleeping","phy_speed","phy_speed_x","phy_speed_y","program_directory","room","room_caption","room_first","room_height","room_last","room_persistent","room_speed","room_width","score","self","show_health","show_lives","show_score","solid","speed","sprite_height","sprite_index","sprite_width","sprite_xoffset","sprite_yoffset","temp_directory","timeline_index","timeline_loop","timeline_position","timeline_running","timeline_speed","view_angle","view_camera","view_current","view_enabled","view_hborder","view_hport","view_hspeed","view_hview","view_object","view_surface_id","view_vborder","view_visible","view_vspeed","view_wport","view_wview","view_xport","view_xview","view_yport","view_yview","visible","vspeed","webgl_enabled","working_directory","xprevious","xstart","x|0","yprevious","ystart","y|0"]},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE]}}return x_=e,x_}var w_,IT;function UM(){if(IT)return w_;IT=1;function e(t){const l={keyword:["break","case","chan","const","continue","default","defer","else","fallthrough","for","func","go","goto","if","import","interface","map","package","range","return","select","struct","switch","type","var"],type:["bool","byte","complex64","complex128","error","float32","float64","int8","int16","int32","int64","string","uint8","uint16","uint32","uint64","int","uint","uintptr","rune"],literal:["true","false","iota","nil"],built_in:["append","cap","close","complex","copy","imag","len","make","new","panic","print","println","real","recover","delete"]};return{name:"Go",aliases:["golang"],keywords:l,illegal:"</",contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"string",variants:[t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,{begin:"`",end:"`"}]},{className:"number",variants:[{begin:t.C_NUMBER_RE+"[i]",relevance:1},t.C_NUMBER_MODE]},{begin:/:=/},{className:"function",beginKeywords:"func",end:"\\s*(\\{|$)",excludeEnd:!0,contains:[t.TITLE_MODE,{className:"params",begin:/\(/,end:/\)/,endsParent:!0,keywords:l,illegal:/["']/}]}]}}return w_=e,w_}var L_,DT;function GM(){if(DT)return L_;DT=1;function e(t){return{name:"Golo",keywords:{keyword:["println","readln","print","import","module","function","local","return","let","var","while","for","foreach","times","in","case","when","match","with","break","continue","augment","augmentation","each","find","filter","reduce","if","then","else","otherwise","try","catch","finally","raise","throw","orIfNull","DynamicObject|10","DynamicVariable","struct","Observable","map","set","vector","list","array"],literal:["true","false","null"]},contains:[t.HASH_COMMENT_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,{className:"meta",begin:"@[A-Za-z]+"}]}}return L_=e,L_}var M_,xT;function HM(){if(xT)return M_;xT=1;function e(t){return{name:"Gradle",case_insensitive:!0,keywords:["task","project","allprojects","subprojects","artifacts","buildscript","configurations","dependencies","repositories","sourceSets","description","delete","from","into","include","exclude","source","classpath","destinationDir","includes","options","sourceCompatibility","targetCompatibility","group","flatDir","doLast","doFirst","flatten","todir","fromdir","ant","def","abstract","break","case","catch","continue","default","do","else","extends","final","finally","for","if","implements","instanceof","native","new","private","protected","public","return","static","switch","synchronized","throw","throws","transient","try","volatile","while","strictfp","package","import","false","null","super","this","true","antlrtask","checkstyle","codenarc","copy","boolean","byte","char","class","double","float","int","interface","long","short","void","compile","runTime","file","fileTree","abs","any","append","asList","asWritable","call","collect","compareTo","count","div","dump","each","eachByte","eachFile","eachLine","every","find","findAll","flatten","getAt","getErr","getIn","getOut","getText","grep","immutable","inject","inspect","intersect","invokeMethods","isCase","join","leftShift","minus","multiply","newInputStream","newOutputStream","newPrintWriter","newReader","newWriter","next","plus","pop","power","previous","print","println","push","putAt","read","readBytes","readLines","reverse","reverseEach","round","size","sort","splitEachLine","step","subMap","times","toInteger","toList","tokenize","upto","waitForOrKill","withPrintWriter","withReader","withStream","withWriter","withWriterAppend","write","writeLine"],contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.NUMBER_MODE,t.REGEXP_MODE]}}return M_=e,M_}var k_,wT;function qM(){if(wT)return k_;wT=1;function e(t){const n=t.regex,r=/[_A-Za-z][_0-9A-Za-z]*/;return{name:"GraphQL",aliases:["gql"],case_insensitive:!0,disableAutodetect:!1,keywords:{keyword:["query","mutation","subscription","type","input","schema","directive","interface","union","scalar","fragment","enum","on"],literal:["true","false","null"]},contains:[t.HASH_COMMENT_MODE,t.QUOTE_STRING_MODE,t.NUMBER_MODE,{scope:"punctuation",match:/[.]{3}/,relevance:0},{scope:"punctuation",begin:/[\!\(\)\:\=\[\]\{\|\}]{1}/,relevance:0},{scope:"variable",begin:/\$/,end:/\W/,excludeEnd:!0,relevance:0},{scope:"meta",match:/@\w+/,excludeEnd:!0},{scope:"symbol",begin:n.concat(r,n.lookahead(/\s*:/)),relevance:0}],illegal:[/[;<']/,/BEGIN/]}}return k_=e,k_}var P_,LT;function YM(){if(LT)return P_;LT=1;function e(n,r={}){return r.variants=n,r}function t(n){const r=n.regex,a="[A-Za-z0-9_$]+",o=e([n.C_LINE_COMMENT_MODE,n.C_BLOCK_COMMENT_MODE,n.COMMENT("/\\*\\*","\\*/",{relevance:0,contains:[{begin:/\w+@/,relevance:0},{className:"doctag",begin:"@[A-Za-z]+"}]})]),l={className:"regexp",begin:/~?\/[^\/\n]+\//,contains:[n.BACKSLASH_ESCAPE]},u=e([n.BINARY_NUMBER_MODE,n.C_NUMBER_MODE]),c=e([{begin:/"""/,end:/"""/},{begin:/'''/,end:/'''/},{begin:"\\$/",end:"/\\$",relevance:10},n.APOS_STRING_MODE,n.QUOTE_STRING_MODE],{className:"string"}),d={match:[/(class|interface|trait|enum|record|extends|implements)/,/\s+/,n.UNDERSCORE_IDENT_RE],scope:{1:"keyword",3:"title.class"}};return{name:"Groovy",keywords:{"variable.language":"this super",literal:"true false null",type:["byte","short","char","int","long","boolean","float","double","void"],keyword:["def","as","in","assert","trait","abstract","static","volatile","transient","public","private","protected","synchronized","final","class","interface","enum","if","else","for","while","switch","case","break","default","continue","throw","throws","try","catch","finally","implements","extends","new","import","package","return","instanceof","var"]},contains:[n.SHEBANG({binary:"groovy",relevance:10}),o,c,l,u,d,{className:"meta",begin:"@[A-Za-z]+",relevance:0},{className:"attr",begin:a+"[ 	]*:",relevance:0},{begin:/\?/,end:/:/,relevance:0,contains:[o,c,l,u,"self"]},{className:"symbol",begin:"^[ 	]*"+r.lookahead(a+":"),excludeBegin:!0,end:a+":",relevance:0}],illegal:/#|<\//}}return P_=t,P_}var F_,MT;function WM(){if(MT)return F_;MT=1;function e(t){return{name:"HAML",case_insensitive:!0,contains:[{className:"meta",begin:"^!!!( (5|1\\.1|Strict|Frameset|Basic|Mobile|RDFa|XML\\b.*))?$",relevance:10},t.COMMENT("^\\s*(!=#|=#|-#|/).*$",null,{relevance:0}),{begin:"^\\s*(-|=|!=)(?!#)",end:/$/,subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0},{className:"tag",begin:"^\\s*%",contains:[{className:"selector-tag",begin:"\\w+"},{className:"selector-id",begin:"#[\\w-]+"},{className:"selector-class",begin:"\\.[\\w-]+"},{begin:/\{\s*/,end:/\s*\}/,contains:[{begin:":\\w+\\s*=>",end:",\\s+",returnBegin:!0,endsWithParent:!0,contains:[{className:"attr",begin:":\\w+"},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{begin:"\\w+",relevance:0}]}]},{begin:"\\(\\s*",end:"\\s*\\)",excludeEnd:!0,contains:[{begin:"\\w+\\s*=",end:"\\s+",returnBegin:!0,endsWithParent:!0,contains:[{className:"attr",begin:"\\w+",relevance:0},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{begin:"\\w+",relevance:0}]}]}]},{begin:"^\\s*[=~]\\s*"},{begin:/#\{/,end:/\}/,subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0}]}}return F_=e,F_}var B_,kT;function VM(){if(kT)return B_;kT=1;function e(t){const n=t.regex,r={$pattern:/[\w.\/]+/,built_in:["action","bindattr","collection","component","concat","debugger","each","each-in","get","hash","if","in","input","link-to","loc","log","lookup","mut","outlet","partial","query-params","render","template","textarea","unbound","unless","view","with","yield"]},a={$pattern:/[\w.\/]+/,literal:["true","false","undefined","null"]},o=/""|"[^"]+"/,l=/''|'[^']+'/,u=/\[\]|\[[^\]]+\]/,c=/[^\s!"#%&'()*+,.\/;<=>@\[\\\]^`{|}~]+/,d=/(\.|\/)/,S=n.either(o,l,u,c),_=n.concat(n.optional(/\.|\.\/|\//),S,n.anyNumberOfTimes(n.concat(d,S))),E=n.concat("(",u,"|",c,")(?==)"),T={begin:_},y=t.inherit(T,{keywords:a}),M={begin:/\(/,end:/\)/},v={className:"attr",begin:E,relevance:0,starts:{begin:/=/,end:/=/,starts:{contains:[t.NUMBER_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,y,M]}}},A={begin:/as\s+\|/,keywords:{keyword:"as"},end:/\|/,contains:[{begin:/\w+/}]},O={contains:[t.NUMBER_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,A,v,y,M],returnEnd:!0},N=t.inherit(T,{className:"name",keywords:r,starts:t.inherit(O,{end:/\)/})});M.contains=[N];const R=t.inherit(T,{keywords:r,className:"name",starts:t.inherit(O,{end:/\}\}/})}),L=t.inherit(T,{keywords:r,className:"name"}),I=t.inherit(T,{className:"name",keywords:r,starts:t.inherit(O,{end:/\}\}/})});return{name:"Handlebars",aliases:["hbs","html.hbs","html.handlebars","htmlbars"],case_insensitive:!0,subLanguage:"xml",contains:[{begin:/\\\{\{/,skip:!0},{begin:/\\\\(?=\{\{)/,skip:!0},t.COMMENT(/\{\{!--/,/--\}\}/),t.COMMENT(/\{\{!/,/\}\}/),{className:"template-tag",begin:/\{\{\{\{(?!\/)/,end:/\}\}\}\}/,contains:[R],starts:{end:/\{\{\{\{\//,returnEnd:!0,subLanguage:"xml"}},{className:"template-tag",begin:/\{\{\{\{\//,end:/\}\}\}\}/,contains:[L]},{className:"template-tag",begin:/\{\{#/,end:/\}\}/,contains:[R]},{className:"template-tag",begin:/\{\{(?=else\}\})/,end:/\}\}/,keywords:"else"},{className:"template-tag",begin:/\{\{(?=else if)/,end:/\}\}/,keywords:"else if"},{className:"template-tag",begin:/\{\{\//,end:/\}\}/,contains:[L]},{className:"template-variable",begin:/\{\{\{/,end:/\}\}\}/,contains:[I]},{className:"template-variable",begin:/\{\{/,end:/\}\}/,contains:[I]}]}}return B_=e,B_}var U_,PT;function zM(){if(PT)return U_;PT=1;function e(t){const n="([0-9]_*)+",r="([0-9a-fA-F]_*)+",a="([01]_*)+",o="([0-7]_*)+",d="([!#$%&*+.\\/<=>?@\\\\^~-]|(?!([(),;\\[\\]`|{}]|[_:\"']))(\\p{S}|\\p{P}))",S={variants:[t.COMMENT("--+","$"),t.COMMENT(/\{-/,/-\}/,{contains:["self"]})]},_={className:"meta",begin:/\{-#/,end:/#-\}/},E={className:"meta",begin:"^#",end:"$"},T={className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},y={begin:"\\(",end:"\\)",illegal:'"',contains:[_,E,{className:"type",begin:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},t.inherit(t.TITLE_MODE,{begin:"[_a-z][\\w']*"}),S]},M={begin:/\{/,end:/\}/,contains:y.contains},v={className:"number",relevance:0,variants:[{match:`\\b(${n})(\\.(${n}))?([eE][+-]?(${n}))?\\b`},{match:`\\b0[xX]_*(${r})(\\.(${r}))?([pP][+-]?(${n}))?\\b`},{match:`\\b0[oO](${o})\\b`},{match:`\\b0[bB](${a})\\b`}]};return{name:"Haskell",aliases:["hs"],keywords:"let in if then else case of where do module import hiding qualified type data newtype deriving class instance as default infix infixl infixr foreign export ccall stdcall cplusplus jvm dotnet safe unsafe family forall mdo proc rec",unicodeRegex:!0,contains:[{beginKeywords:"module",end:"where",keywords:"module where",contains:[y,S],illegal:"\\W\\.|;"},{begin:"\\bimport\\b",end:"$",keywords:"import qualified as hiding",contains:[y,S],illegal:"\\W\\.|;"},{className:"class",begin:"^(\\s*)?(class|instance)\\b",end:"where",keywords:"class family instance where",contains:[T,y,S]},{className:"class",begin:"\\b(data|(new)?type)\\b",end:"$",keywords:"data family type newtype deriving",contains:[_,T,y,M,S]},{beginKeywords:"default",end:"$",contains:[T,y,S]},{beginKeywords:"infix infixl infixr",end:"$",contains:[t.C_NUMBER_MODE,S]},{begin:"\\bforeign\\b",end:"$",keywords:"foreign import export ccall stdcall cplusplus jvm dotnet safe unsafe",contains:[T,t.QUOTE_STRING_MODE,S]},{className:"meta",begin:"#!\\/usr\\/bin\\/env runhaskell",end:"$"},_,E,{scope:"string",begin:/'(?=\\?.')/,end:/'/,contains:[{scope:"char.escape",match:/\\./}]},t.QUOTE_STRING_MODE,v,T,t.inherit(t.TITLE_MODE,{begin:"^[_a-z][\\w']*"}),{begin:`(?!-)${d}--+|--+(?!-)${d}`},S,{begin:"->|<-"}]}}return U_=e,U_}var G_,FT;function KM(){if(FT)return G_;FT=1;function e(t){const n="[a-zA-Z_$][a-zA-Z0-9_$]*",r=/(-?)(\b0[xX][a-fA-F0-9_]+|(\b\d+(\.[\d_]*)?|\.[\d_]+)(([eE][-+]?\d+)|i32|u32|i64|f64)?)/;return{name:"Haxe",aliases:["hx"],keywords:{keyword:"abstract break case cast catch continue default do dynamic else enum extern final for function here if import in inline is macro never new override package private get set public return static super switch this throw trace try typedef untyped using var while "+"Int Float String Bool Dynamic Void Array ",built_in:"trace this",literal:"true false null _"},contains:[{className:"string",begin:"'",end:"'",contains:[t.BACKSLASH_ESCAPE,{className:"subst",begin:/\$\{/,end:/\}/},{className:"subst",begin:/\$/,end:/\W\}/}]},t.QUOTE_STRING_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"number",begin:r,relevance:0},{className:"variable",begin:"\\$"+n},{className:"meta",begin:/@:?/,end:/\(|$/,excludeEnd:!0},{className:"meta",begin:"#",end:"$",keywords:{keyword:"if else elseif end error"}},{className:"type",begin:/:[ \t]*/,end:/[^A-Za-z0-9_ \t\->]/,excludeBegin:!0,excludeEnd:!0,relevance:0},{className:"type",begin:/:[ \t]*/,end:/\W/,excludeBegin:!0,excludeEnd:!0},{className:"type",begin:/new */,end:/\W/,excludeBegin:!0,excludeEnd:!0},{className:"title.class",beginKeywords:"enum",end:/\{/,contains:[t.TITLE_MODE]},{className:"title.class",begin:"\\babstract\\b(?=\\s*"+t.IDENT_RE+"\\s*\\()",end:/[\{$]/,contains:[{className:"type",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0},{className:"type",begin:/from +/,end:/\W/,excludeBegin:!0,excludeEnd:!0},{className:"type",begin:/to +/,end:/\W/,excludeBegin:!0,excludeEnd:!0},t.TITLE_MODE],keywords:{keyword:"abstract from to"}},{className:"title.class",begin:/\b(class|interface) +/,end:/[\{$]/,excludeEnd:!0,keywords:"class interface",contains:[{className:"keyword",begin:/\b(extends|implements) +/,keywords:"extends implements",contains:[{className:"type",begin:t.IDENT_RE,relevance:0}]},t.TITLE_MODE]},{className:"title.function",beginKeywords:"function",end:/\(/,excludeEnd:!0,illegal:/\S/,contains:[t.TITLE_MODE]}],illegal:/<\//}}return G_=e,G_}var H_,BT;function $M(){if(BT)return H_;BT=1;function e(t){return{name:"HSP",case_insensitive:!0,keywords:{$pattern:/[\w._]+/,keyword:"goto gosub return break repeat loop continue wait await dim sdim foreach dimtype dup dupptr end stop newmod delmod mref run exgoto on mcall assert logmes newlab resume yield onexit onerror onkey onclick oncmd exist delete mkdir chdir dirlist bload bsave bcopy memfile if else poke wpoke lpoke getstr chdpm memexpand memcpy memset notesel noteadd notedel noteload notesave randomize noteunsel noteget split strrep setease button chgdisp exec dialog mmload mmplay mmstop mci pset pget syscolor mes print title pos circle cls font sysfont objsize picload color palcolor palette redraw width gsel gcopy gzoom gmode bmpsave hsvcolor getkey listbox chkbox combox input mesbox buffer screen bgscr mouse objsel groll line clrobj boxf objprm objmode stick grect grotate gsquare gradf objimage objskip objenable celload celdiv celput newcom querycom delcom cnvstow comres axobj winobj sendmsg comevent comevarg sarrayconv callfunc cnvwtos comevdisp libptr system hspstat hspver stat cnt err strsize looplev sublev iparam wparam lparam refstr refdval int rnd strlen length length2 length3 length4 vartype gettime peek wpeek lpeek varptr varuse noteinfo instr abs limit getease str strmid strf getpath strtrim sin cos tan atan sqrt double absf expf logf limitf powf geteasef mousex mousey mousew hwnd hinstance hdc ginfo objinfo dirinfo sysinfo thismod __hspver__ __hsp30__ __date__ __time__ __line__ __file__ _debug __hspdef__ and or xor not screen_normal screen_palette screen_hide screen_fixedsize screen_tool screen_frame gmode_gdi gmode_mem gmode_rgb0 gmode_alpha gmode_rgb0alpha gmode_add gmode_sub gmode_pixela ginfo_mx ginfo_my ginfo_act ginfo_sel ginfo_wx1 ginfo_wy1 ginfo_wx2 ginfo_wy2 ginfo_vx ginfo_vy ginfo_sizex ginfo_sizey ginfo_winx ginfo_winy ginfo_mesx ginfo_mesy ginfo_r ginfo_g ginfo_b ginfo_paluse ginfo_dispx ginfo_dispy ginfo_cx ginfo_cy ginfo_intid ginfo_newid ginfo_sx ginfo_sy objinfo_mode objinfo_bmscr objinfo_hwnd notemax notesize dir_cur dir_exe dir_win dir_sys dir_cmdline dir_desktop dir_mydoc dir_tv font_normal font_bold font_italic font_underline font_strikeout font_antialias objmode_normal objmode_guifont objmode_usefont gsquare_grad msgothic msmincho do until while wend for next _break _continue switch case default swbreak swend ddim ldim alloc m_pi rad2deg deg2rad ease_linear ease_quad_in ease_quad_out ease_quad_inout ease_cubic_in ease_cubic_out ease_cubic_inout ease_quartic_in ease_quartic_out ease_quartic_inout ease_bounce_in ease_bounce_out ease_bounce_inout ease_shake_in ease_shake_out ease_shake_inout ease_loop"},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,{className:"string",begin:/\{"/,end:/"\}/,contains:[t.BACKSLASH_ESCAPE]},t.COMMENT(";","$",{relevance:0}),{className:"meta",begin:"#",end:"$",keywords:{keyword:"addion cfunc cmd cmpopt comfunc const defcfunc deffunc define else endif enum epack func global if ifdef ifndef include modcfunc modfunc modinit modterm module pack packopt regcmd runtime undef usecom uselib"},contains:[t.inherit(t.QUOTE_STRING_MODE,{className:"string"}),t.NUMBER_MODE,t.C_NUMBER_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{className:"symbol",begin:"^\\*(\\w+|@)"},t.NUMBER_MODE,t.C_NUMBER_MODE]}}return H_=e,H_}var q_,UT;function QM(){if(UT)return q_;UT=1;function e(t){const n=t.regex,r="HTTP/([32]|1\\.[01])",a=/[A-Za-z][A-Za-z0-9-]*/,o={className:"attribute",begin:n.concat("^",a,"(?=\\:\\s)"),starts:{contains:[{className:"punctuation",begin:/: /,relevance:0,starts:{end:"$",relevance:0}}]}},l=[o,{begin:"\\n\\n",starts:{subLanguage:[],endsWithParent:!0}}];return{name:"HTTP",aliases:["https"],illegal:/\S/,contains:[{begin:"^(?="+r+" \\d{3})",end:/$/,contains:[{className:"meta",begin:r},{className:"number",begin:"\\b\\d{3}\\b"}],starts:{end:/\b\B/,illegal:/\S/,contains:l}},{begin:"(?=^[A-Z]+ (.*?) "+r+"$)",end:/$/,contains:[{className:"string",begin:" ",end:" ",excludeBegin:!0,excludeEnd:!0},{className:"meta",begin:r},{className:"keyword",begin:"[A-Z]+"}],starts:{end:/\b\B/,illegal:/\S/,contains:l}},t.inherit(o,{relevance:0})]}}return q_=e,q_}var Y_,GT;function jM(){if(GT)return Y_;GT=1;function e(t){const n="a-zA-Z_\\-!.?+*=<>&#'",r="["+n+"]["+n+"0-9/;:]*",a={$pattern:r,built_in:"!= % %= & &= * ** **= *= *map + += , --build-class-- --import-- -= . / // //= /= < << <<= <= = > >= >> >>= @ @= ^ ^= abs accumulate all and any ap-compose ap-dotimes ap-each ap-each-while ap-filter ap-first ap-if ap-last ap-map ap-map-when ap-pipe ap-reduce ap-reject apply as-> ascii assert assoc bin break butlast callable calling-module-name car case cdr chain chr coll? combinations compile compress cond cons cons? continue count curry cut cycle dec def default-method defclass defmacro defmacro-alias defmacro/g! defmain defmethod defmulti defn defn-alias defnc defnr defreader defseq del delattr delete-route dict-comp dir disassemble dispatch-reader-macro distinct divmod do doto drop drop-last drop-while empty? end-sequence eval eval-and-compile eval-when-compile even? every? except exec filter first flatten float? fn fnc fnr for for* format fraction genexpr gensym get getattr global globals group-by hasattr hash hex id identity if if* if-not if-python2 import in inc input instance? integer integer-char? integer? interleave interpose is is-coll is-cons is-empty is-even is-every is-float is-instance is-integer is-integer-char is-iterable is-iterator is-keyword is-neg is-none is-not is-numeric is-odd is-pos is-string is-symbol is-zero isinstance islice issubclass iter iterable? iterate iterator? keyword keyword? lambda last len let lif lif-not list* list-comp locals loop macro-error macroexpand macroexpand-1 macroexpand-all map max merge-with method-decorator min multi-decorator multicombinations name neg? next none? nonlocal not not-in not? nth numeric? oct odd? open or ord partition permutations pos? post-route postwalk pow prewalk print product profile/calls profile/cpu put-route quasiquote quote raise range read read-str recursive-replace reduce remove repeat repeatedly repr require rest round route route-with-methods rwm second seq set-comp setattr setv some sorted string string? sum switch symbol? take take-nth take-while tee try unless unquote unquote-splicing vars walk when while with with* with-decorator with-gensyms xi xor yield yield-from zero? zip zip-longest | |= ~"},o="[-+]?\\d+(\\.\\d+)?",l={begin:r,relevance:0},u={className:"number",begin:o,relevance:0},c=t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),d=t.COMMENT(";","$",{relevance:0}),S={className:"literal",begin:/\b([Tt]rue|[Ff]alse|nil|None)\b/},_={begin:"[\\[\\{]",end:"[\\]\\}]",relevance:0},E={className:"comment",begin:"\\^"+r},T=t.COMMENT("\\^\\{","\\}"),y={className:"symbol",begin:"[:]{1,2}"+r},M={begin:"\\(",end:"\\)"},v={endsWithParent:!0,relevance:0},A={className:"name",relevance:0,keywords:a,begin:r,starts:v},O=[M,c,E,T,d,y,_,u,S,l];return M.contains=[t.COMMENT("comment",""),A,v],v.contains=O,_.contains=O,{name:"Hy",aliases:["hylang"],illegal:/\S/,contains:[t.SHEBANG(),M,c,E,T,d,y,_,u,S]}}return Y_=e,Y_}var W_,HT;function XM(){if(HT)return W_;HT=1;function e(t){const n="\\[",r="\\]";return{name:"Inform 7",aliases:["i7"],case_insensitive:!0,keywords:{keyword:"thing room person man woman animal container supporter backdrop door scenery open closed locked inside gender is are say understand kind of rule"},contains:[{className:"string",begin:'"',end:'"',relevance:0,contains:[{className:"subst",begin:n,end:r}]},{className:"section",begin:/^(Volume|Book|Part|Chapter|Section|Table)\b/,end:"$"},{begin:/^(Check|Carry out|Report|Instead of|To|Rule|When|Before|After)\b/,end:":",contains:[{begin:"\\(This",end:"\\)"}]},{className:"comment",begin:n,end:r,contains:["self"]}]}}return W_=e,W_}var V_,qT;function ZM(){if(qT)return V_;qT=1;function e(t){const n=t.regex,r={className:"number",relevance:0,variants:[{begin:/([+-]+)?[\d]+_[\d_]+/},{begin:t.NUMBER_RE}]},a=t.COMMENT();a.variants=[{begin:/;/,end:/$/},{begin:/#/,end:/$/}];const o={className:"variable",variants:[{begin:/\$[\w\d"][\w\d_]*/},{begin:/\$\{(.*?)\}/}]},l={className:"literal",begin:/\bon|off|true|false|yes|no\b/},u={className:"string",contains:[t.BACKSLASH_ESCAPE],variants:[{begin:"'''",end:"'''",relevance:10},{begin:'"""',end:'"""',relevance:10},{begin:'"',end:'"'},{begin:"'",end:"'"}]},c={begin:/\[/,end:/\]/,contains:[a,l,o,u,r,"self"],relevance:0},d=/[A-Za-z0-9_-]+/,S=/"(\\"|[^"])*"/,_=/'[^']*'/,E=n.either(d,S,_),T=n.concat(E,"(\\s*\\.\\s*",E,")*",n.lookahead(/\s*=\s*[^#\s]/));return{name:"TOML, also INI",aliases:["toml"],case_insensitive:!0,illegal:/\S/,contains:[a,{className:"section",begin:/\[+/,end:/\]+/},{begin:T,className:"attr",starts:{end:/$/,contains:[a,c,l,o,u,r]}}]}}return V_=e,V_}var z_,YT;function JM(){if(YT)return z_;YT=1;function e(t){const n=t.regex,r={className:"params",begin:"\\(",end:"\\)"},a=/(_[a-z_\d]+)?/,o=/([de][+-]?\d+)?/,l={className:"number",variants:[{begin:n.concat(/\b\d+/,/\.(\d*)/,o,a)},{begin:n.concat(/\b\d+/,o,a)},{begin:n.concat(/\.\d+/,o,a)}],relevance:0};return{name:"IRPF90",case_insensitive:!0,keywords:{literal:".False. .True.",keyword:"kind do while private call intrinsic where elsewhere type endtype endmodule endselect endinterface end enddo endif if forall endforall only contains default return stop then public subroutine|10 function program .and. .or. .not. .le. .eq. .ge. .gt. .lt. goto save else use module select case access blank direct exist file fmt form formatted iostat name named nextrec number opened rec recl sequential status unformatted unit continue format pause cycle exit c_null_char c_alert c_backspace c_form_feed flush wait decimal round iomsg synchronous nopass non_overridable pass protected volatile abstract extends import non_intrinsic value deferred generic final enumerator class associate bind enum c_int c_short c_long c_long_long c_signed_char c_size_t c_int8_t c_int16_t c_int32_t c_int64_t c_int_least8_t c_int_least16_t c_int_least32_t c_int_least64_t c_int_fast8_t c_int_fast16_t c_int_fast32_t c_int_fast64_t c_intmax_t C_intptr_t c_float c_double c_long_double c_float_complex c_double_complex c_long_double_complex c_bool c_char c_null_ptr c_null_funptr c_new_line c_carriage_return c_horizontal_tab c_vertical_tab iso_c_binding c_loc c_funloc c_associated  c_f_pointer c_ptr c_funptr iso_fortran_env character_storage_size error_unit file_storage_size input_unit iostat_end iostat_eor numeric_storage_size output_unit c_f_procpointer ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode newunit contiguous recursive pad position action delim readwrite eor advance nml interface procedure namelist include sequence elemental pure integer real character complex logical dimension allocatable|10 parameter external implicit|10 none double precision assign intent optional pointer target in out common equivalence data begin_provider &begin_provider end_provider begin_shell end_shell begin_template end_template subst assert touch soft_touch provide no_dep free irp_if irp_else irp_endif irp_write irp_read",built_in:"alog alog10 amax0 amax1 amin0 amin1 amod cabs ccos cexp clog csin csqrt dabs dacos dasin datan datan2 dcos dcosh ddim dexp dint dlog dlog10 dmax1 dmin1 dmod dnint dsign dsin dsinh dsqrt dtan dtanh float iabs idim idint idnint ifix isign max0 max1 min0 min1 sngl algama cdabs cdcos cdexp cdlog cdsin cdsqrt cqabs cqcos cqexp cqlog cqsin cqsqrt dcmplx dconjg derf derfc dfloat dgamma dimag dlgama iqint qabs qacos qasin qatan qatan2 qcmplx qconjg qcos qcosh qdim qerf qerfc qexp qgamma qimag qlgama qlog qlog10 qmax1 qmin1 qmod qnint qsign qsin qsinh qsqrt qtan qtanh abs acos aimag aint anint asin atan atan2 char cmplx conjg cos cosh exp ichar index int log log10 max min nint sign sin sinh sqrt tan tanh print write dim lge lgt lle llt mod nullify allocate deallocate adjustl adjustr all allocated any associated bit_size btest ceiling count cshift date_and_time digits dot_product eoshift epsilon exponent floor fraction huge iand ibclr ibits ibset ieor ior ishft ishftc lbound len_trim matmul maxexponent maxloc maxval merge minexponent minloc minval modulo mvbits nearest pack present product radix random_number random_seed range repeat reshape rrspacing scale scan selected_int_kind selected_real_kind set_exponent shape size spacing spread sum system_clock tiny transpose trim ubound unpack verify achar iachar transfer dble entry dprod cpu_time command_argument_count get_command get_command_argument get_environment_variable is_iostat_end ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode is_iostat_eor move_alloc new_line selected_char_kind same_type_as extends_type_of acosh asinh atanh bessel_j0 bessel_j1 bessel_jn bessel_y0 bessel_y1 bessel_yn erf erfc erfc_scaled gamma log_gamma hypot norm2 atomic_define atomic_ref execute_command_line leadz trailz storage_size merge_bits bge bgt ble blt dshiftl dshiftr findloc iall iany iparity image_index lcobound ucobound maskl maskr num_images parity popcnt poppar shifta shiftl shiftr this_image IRP_ALIGN irp_here"},illegal:/\/\*/,contains:[t.inherit(t.APOS_STRING_MODE,{className:"string",relevance:0}),t.inherit(t.QUOTE_STRING_MODE,{className:"string",relevance:0}),{className:"function",beginKeywords:"subroutine function program",illegal:"[${=\\n]",contains:[t.UNDERSCORE_TITLE_MODE,r]},t.COMMENT("!","$",{relevance:0}),t.COMMENT("begin_doc","end_doc",{relevance:10}),l]}}return z_=e,z_}var K_,WT;function ek(){if(WT)return K_;WT=1;function e(t){const n="[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_!][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]*",r="[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]*",a="and \u0438 else \u0438\u043D\u0430\u0447\u0435 endexcept endfinally endforeach \u043A\u043E\u043D\u0435\u0446\u0432\u0441\u0435 endif \u043A\u043E\u043D\u0435\u0446\u0435\u0441\u043B\u0438 endwhile \u043A\u043E\u043D\u0435\u0446\u043F\u043E\u043A\u0430 except exitfor finally foreach \u0432\u0441\u0435 if \u0435\u0441\u043B\u0438 in \u0432 not \u043D\u0435 or \u0438\u043B\u0438 try while \u043F\u043E\u043A\u0430 ",o="SYSRES_CONST_ACCES_RIGHT_TYPE_EDIT SYSRES_CONST_ACCES_RIGHT_TYPE_FULL SYSRES_CONST_ACCES_RIGHT_TYPE_VIEW SYSRES_CONST_ACCESS_MODE_REQUISITE_CODE SYSRES_CONST_ACCESS_NO_ACCESS_VIEW SYSRES_CONST_ACCESS_NO_ACCESS_VIEW_CODE SYSRES_CONST_ACCESS_RIGHTS_ADD_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_ADD_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_CHANGE_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_CHANGE_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_DELETE_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_DELETE_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_EXECUTE_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_EXECUTE_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_NO_ACCESS_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_NO_ACCESS_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_RATIFY_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_RATIFY_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_VIEW SYSRES_CONST_ACCESS_RIGHTS_VIEW_CODE SYSRES_CONST_ACCESS_RIGHTS_VIEW_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_VIEW_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_TYPE_CHANGE SYSRES_CONST_ACCESS_TYPE_CHANGE_CODE SYSRES_CONST_ACCESS_TYPE_EXISTS SYSRES_CONST_ACCESS_TYPE_EXISTS_CODE SYSRES_CONST_ACCESS_TYPE_FULL SYSRES_CONST_ACCESS_TYPE_FULL_CODE SYSRES_CONST_ACCESS_TYPE_VIEW SYSRES_CONST_ACCESS_TYPE_VIEW_CODE SYSRES_CONST_ACTION_TYPE_ABORT SYSRES_CONST_ACTION_TYPE_ACCEPT SYSRES_CONST_ACTION_TYPE_ACCESS_RIGHTS SYSRES_CONST_ACTION_TYPE_ADD_ATTACHMENT SYSRES_CONST_ACTION_TYPE_CHANGE_CARD SYSRES_CONST_ACTION_TYPE_CHANGE_KIND SYSRES_CONST_ACTION_TYPE_CHANGE_STORAGE SYSRES_CONST_ACTION_TYPE_CONTINUE SYSRES_CONST_ACTION_TYPE_COPY SYSRES_CONST_ACTION_TYPE_CREATE SYSRES_CONST_ACTION_TYPE_CREATE_VERSION SYSRES_CONST_ACTION_TYPE_DELETE SYSRES_CONST_ACTION_TYPE_DELETE_ATTACHMENT SYSRES_CONST_ACTION_TYPE_DELETE_VERSION SYSRES_CONST_ACTION_TYPE_DISABLE_DELEGATE_ACCESS_RIGHTS SYSRES_CONST_ACTION_TYPE_ENABLE_DELEGATE_ACCESS_RIGHTS SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_CERTIFICATE SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_CERTIFICATE_AND_PASSWORD SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_PASSWORD SYSRES_CONST_ACTION_TYPE_EXPORT_WITH_LOCK SYSRES_CONST_ACTION_TYPE_EXPORT_WITHOUT_LOCK SYSRES_CONST_ACTION_TYPE_IMPORT_WITH_UNLOCK SYSRES_CONST_ACTION_TYPE_IMPORT_WITHOUT_UNLOCK SYSRES_CONST_ACTION_TYPE_LIFE_CYCLE_STAGE SYSRES_CONST_ACTION_TYPE_LOCK SYSRES_CONST_ACTION_TYPE_LOCK_FOR_SERVER SYSRES_CONST_ACTION_TYPE_LOCK_MODIFY SYSRES_CONST_ACTION_TYPE_MARK_AS_READED SYSRES_CONST_ACTION_TYPE_MARK_AS_UNREADED SYSRES_CONST_ACTION_TYPE_MODIFY SYSRES_CONST_ACTION_TYPE_MODIFY_CARD SYSRES_CONST_ACTION_TYPE_MOVE_TO_ARCHIVE SYSRES_CONST_ACTION_TYPE_OFF_ENCRYPTION SYSRES_CONST_ACTION_TYPE_PASSWORD_CHANGE SYSRES_CONST_ACTION_TYPE_PERFORM SYSRES_CONST_ACTION_TYPE_RECOVER_FROM_LOCAL_COPY SYSRES_CONST_ACTION_TYPE_RESTART SYSRES_CONST_ACTION_TYPE_RESTORE_FROM_ARCHIVE SYSRES_CONST_ACTION_TYPE_REVISION SYSRES_CONST_ACTION_TYPE_SEND_BY_MAIL SYSRES_CONST_ACTION_TYPE_SIGN SYSRES_CONST_ACTION_TYPE_START SYSRES_CONST_ACTION_TYPE_UNLOCK SYSRES_CONST_ACTION_TYPE_UNLOCK_FROM_SERVER SYSRES_CONST_ACTION_TYPE_VERSION_STATE SYSRES_CONST_ACTION_TYPE_VERSION_VISIBILITY SYSRES_CONST_ACTION_TYPE_VIEW SYSRES_CONST_ACTION_TYPE_VIEW_SHADOW_COPY SYSRES_CONST_ACTION_TYPE_WORKFLOW_DESCRIPTION_MODIFY SYSRES_CONST_ACTION_TYPE_WRITE_HISTORY SYSRES_CONST_ACTIVE_VERSION_STATE_PICK_VALUE SYSRES_CONST_ADD_REFERENCE_MODE_NAME SYSRES_CONST_ADDITION_REQUISITE_CODE SYSRES_CONST_ADDITIONAL_PARAMS_REQUISITE_CODE SYSRES_CONST_ADITIONAL_JOB_END_DATE_REQUISITE_NAME SYSRES_CONST_ADITIONAL_JOB_READ_REQUISITE_NAME SYSRES_CONST_ADITIONAL_JOB_START_DATE_REQUISITE_NAME SYSRES_CONST_ADITIONAL_JOB_STATE_REQUISITE_NAME SYSRES_CONST_ADMINISTRATION_HISTORY_ADDING_USER_TO_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_ADDING_USER_TO_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_COMP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_COMP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_USER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_USER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_CREATION SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_CREATION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_DELETION SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_DELETION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_COMP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_COMP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_FROM_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_FROM_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_RESTRICTION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_RESTRICTION_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_PRIVILEGE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_PRIVILEGE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_RIGHTS_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_RIGHTS_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_IS_MAIN_SERVER_CHANGED_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_IS_MAIN_SERVER_CHANGED_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_IS_PUBLIC_CHANGED_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_IS_PUBLIC_CHANGED_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_RESTRICTION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_RESTRICTION_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_PRIVILEGE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_PRIVILEGE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_RIGHTS_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_RIGHTS_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_CREATION SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_CREATION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_DELETION SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_DELETION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_CATEGORY_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_CATEGORY_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_COMP_TITLE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_COMP_TITLE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_FULL_NAME_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_FULL_NAME_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_PARENT_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_PARENT_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_AUTH_TYPE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_AUTH_TYPE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_LOGIN_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_LOGIN_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_STATUS_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_STATUS_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_USER_PASSWORD_CHANGE SYSRES_CONST_ADMINISTRATION_HISTORY_USER_PASSWORD_CHANGE_ACTION SYSRES_CONST_ALL_ACCEPT_CONDITION_RUS SYSRES_CONST_ALL_USERS_GROUP SYSRES_CONST_ALL_USERS_GROUP_NAME SYSRES_CONST_ALL_USERS_SERVER_GROUP_NAME SYSRES_CONST_ALLOWED_ACCESS_TYPE_CODE SYSRES_CONST_ALLOWED_ACCESS_TYPE_NAME SYSRES_CONST_APP_VIEWER_TYPE_REQUISITE_CODE SYSRES_CONST_APPROVING_SIGNATURE_NAME SYSRES_CONST_APPROVING_SIGNATURE_REQUISITE_CODE SYSRES_CONST_ASSISTANT_SUBSTITUE_TYPE SYSRES_CONST_ASSISTANT_SUBSTITUE_TYPE_CODE SYSRES_CONST_ATTACH_TYPE_COMPONENT_TOKEN SYSRES_CONST_ATTACH_TYPE_DOC SYSRES_CONST_ATTACH_TYPE_EDOC SYSRES_CONST_ATTACH_TYPE_FOLDER SYSRES_CONST_ATTACH_TYPE_JOB SYSRES_CONST_ATTACH_TYPE_REFERENCE SYSRES_CONST_ATTACH_TYPE_TASK SYSRES_CONST_AUTH_ENCODED_PASSWORD SYSRES_CONST_AUTH_ENCODED_PASSWORD_CODE SYSRES_CONST_AUTH_NOVELL SYSRES_CONST_AUTH_PASSWORD SYSRES_CONST_AUTH_PASSWORD_CODE SYSRES_CONST_AUTH_WINDOWS SYSRES_CONST_AUTHENTICATING_SIGNATURE_NAME SYSRES_CONST_AUTHENTICATING_SIGNATURE_REQUISITE_CODE SYSRES_CONST_AUTO_ENUM_METHOD_FLAG SYSRES_CONST_AUTO_NUMERATION_CODE SYSRES_CONST_AUTO_STRONG_ENUM_METHOD_FLAG SYSRES_CONST_AUTOTEXT_NAME_REQUISITE_CODE SYSRES_CONST_AUTOTEXT_TEXT_REQUISITE_CODE SYSRES_CONST_AUTOTEXT_USAGE_ALL SYSRES_CONST_AUTOTEXT_USAGE_ALL_CODE SYSRES_CONST_AUTOTEXT_USAGE_SIGN SYSRES_CONST_AUTOTEXT_USAGE_SIGN_CODE SYSRES_CONST_AUTOTEXT_USAGE_WORK SYSRES_CONST_AUTOTEXT_USAGE_WORK_CODE SYSRES_CONST_AUTOTEXT_USE_ANYWHERE_CODE SYSRES_CONST_AUTOTEXT_USE_ON_SIGNING_CODE SYSRES_CONST_AUTOTEXT_USE_ON_WORK_CODE SYSRES_CONST_BEGIN_DATE_REQUISITE_CODE SYSRES_CONST_BLACK_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_BLUE_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_BTN_PART SYSRES_CONST_CALCULATED_ROLE_TYPE_CODE SYSRES_CONST_CALL_TYPE_VARIABLE_BUTTON_VALUE SYSRES_CONST_CALL_TYPE_VARIABLE_PROGRAM_VALUE SYSRES_CONST_CANCEL_MESSAGE_FUNCTION_RESULT SYSRES_CONST_CARD_PART SYSRES_CONST_CARD_REFERENCE_MODE_NAME SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_ENCRYPT_VALUE SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_SIGN_AND_ENCRYPT_VALUE SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_SIGN_VALUE SYSRES_CONST_CHECK_PARAM_VALUE_DATE_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_FLOAT_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_INTEGER_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_PICK_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_REEFRENCE_PARAM_TYPE SYSRES_CONST_CLOSED_RECORD_FLAG_VALUE_FEMININE SYSRES_CONST_CLOSED_RECORD_FLAG_VALUE_MASCULINE SYSRES_CONST_CODE_COMPONENT_TYPE_ADMIN SYSRES_CONST_CODE_COMPONENT_TYPE_DEVELOPER SYSRES_CONST_CODE_COMPONENT_TYPE_DOCS SYSRES_CONST_CODE_COMPONENT_TYPE_EDOC_CARDS SYSRES_CONST_CODE_COMPONENT_TYPE_EXTERNAL_EXECUTABLE SYSRES_CONST_CODE_COMPONENT_TYPE_OTHER SYSRES_CONST_CODE_COMPONENT_TYPE_REFERENCE SYSRES_CONST_CODE_COMPONENT_TYPE_REPORT SYSRES_CONST_CODE_COMPONENT_TYPE_SCRIPT SYSRES_CONST_CODE_COMPONENT_TYPE_URL SYSRES_CONST_CODE_REQUISITE_ACCESS SYSRES_CONST_CODE_REQUISITE_CODE SYSRES_CONST_CODE_REQUISITE_COMPONENT SYSRES_CONST_CODE_REQUISITE_DESCRIPTION SYSRES_CONST_CODE_REQUISITE_EXCLUDE_COMPONENT SYSRES_CONST_CODE_REQUISITE_RECORD SYSRES_CONST_COMMENT_REQ_CODE SYSRES_CONST_COMMON_SETTINGS_REQUISITE_CODE SYSRES_CONST_COMP_CODE_GRD SYSRES_CONST_COMPONENT_GROUP_TYPE_REQUISITE_CODE SYSRES_CONST_COMPONENT_TYPE_ADMIN_COMPONENTS SYSRES_CONST_COMPONENT_TYPE_DEVELOPER_COMPONENTS SYSRES_CONST_COMPONENT_TYPE_DOCS SYSRES_CONST_COMPONENT_TYPE_EDOC_CARDS SYSRES_CONST_COMPONENT_TYPE_EDOCS SYSRES_CONST_COMPONENT_TYPE_EXTERNAL_EXECUTABLE SYSRES_CONST_COMPONENT_TYPE_OTHER SYSRES_CONST_COMPONENT_TYPE_REFERENCE_TYPES SYSRES_CONST_COMPONENT_TYPE_REFERENCES SYSRES_CONST_COMPONENT_TYPE_REPORTS SYSRES_CONST_COMPONENT_TYPE_SCRIPTS SYSRES_CONST_COMPONENT_TYPE_URL SYSRES_CONST_COMPONENTS_REMOTE_SERVERS_VIEW_CODE SYSRES_CONST_CONDITION_BLOCK_DESCRIPTION SYSRES_CONST_CONST_FIRM_STATUS_COMMON SYSRES_CONST_CONST_FIRM_STATUS_INDIVIDUAL SYSRES_CONST_CONST_NEGATIVE_VALUE SYSRES_CONST_CONST_POSITIVE_VALUE SYSRES_CONST_CONST_SERVER_STATUS_DONT_REPLICATE SYSRES_CONST_CONST_SERVER_STATUS_REPLICATE SYSRES_CONST_CONTENTS_REQUISITE_CODE SYSRES_CONST_DATA_TYPE_BOOLEAN SYSRES_CONST_DATA_TYPE_DATE SYSRES_CONST_DATA_TYPE_FLOAT SYSRES_CONST_DATA_TYPE_INTEGER SYSRES_CONST_DATA_TYPE_PICK SYSRES_CONST_DATA_TYPE_REFERENCE SYSRES_CONST_DATA_TYPE_STRING SYSRES_CONST_DATA_TYPE_TEXT SYSRES_CONST_DATA_TYPE_VARIANT SYSRES_CONST_DATE_CLOSE_REQ_CODE SYSRES_CONST_DATE_FORMAT_DATE_ONLY_CHAR SYSRES_CONST_DATE_OPEN_REQ_CODE SYSRES_CONST_DATE_REQUISITE SYSRES_CONST_DATE_REQUISITE_CODE SYSRES_CONST_DATE_REQUISITE_NAME SYSRES_CONST_DATE_REQUISITE_TYPE SYSRES_CONST_DATE_TYPE_CHAR SYSRES_CONST_DATETIME_FORMAT_VALUE SYSRES_CONST_DEA_ACCESS_RIGHTS_ACTION_CODE SYSRES_CONST_DESCRIPTION_LOCALIZE_ID_REQUISITE_CODE SYSRES_CONST_DESCRIPTION_REQUISITE_CODE SYSRES_CONST_DET1_PART SYSRES_CONST_DET2_PART SYSRES_CONST_DET3_PART SYSRES_CONST_DET4_PART SYSRES_CONST_DET5_PART SYSRES_CONST_DET6_PART SYSRES_CONST_DETAIL_DATASET_KEY_REQUISITE_CODE SYSRES_CONST_DETAIL_PICK_REQUISITE_CODE SYSRES_CONST_DETAIL_REQ_CODE SYSRES_CONST_DO_NOT_USE_ACCESS_TYPE_CODE SYSRES_CONST_DO_NOT_USE_ACCESS_TYPE_NAME SYSRES_CONST_DO_NOT_USE_ON_VIEW_ACCESS_TYPE_CODE SYSRES_CONST_DO_NOT_USE_ON_VIEW_ACCESS_TYPE_NAME SYSRES_CONST_DOCUMENT_STORAGES_CODE SYSRES_CONST_DOCUMENT_TEMPLATES_TYPE_NAME SYSRES_CONST_DOUBLE_REQUISITE_CODE SYSRES_CONST_EDITOR_CLOSE_FILE_OBSERV_TYPE_CODE SYSRES_CONST_EDITOR_CLOSE_PROCESS_OBSERV_TYPE_CODE SYSRES_CONST_EDITOR_TYPE_REQUISITE_CODE SYSRES_CONST_EDITORS_APPLICATION_NAME_REQUISITE_CODE SYSRES_CONST_EDITORS_CREATE_SEVERAL_PROCESSES_REQUISITE_CODE SYSRES_CONST_EDITORS_EXTENSION_REQUISITE_CODE SYSRES_CONST_EDITORS_OBSERVER_BY_PROCESS_TYPE SYSRES_CONST_EDITORS_REFERENCE_CODE SYSRES_CONST_EDITORS_REPLACE_SPEC_CHARS_REQUISITE_CODE SYSRES_CONST_EDITORS_USE_PLUGINS_REQUISITE_CODE SYSRES_CONST_EDITORS_VIEW_DOCUMENT_OPENED_TO_EDIT_CODE SYSRES_CONST_EDOC_CARD_TYPE_REQUISITE_CODE SYSRES_CONST_EDOC_CARD_TYPES_LINK_REQUISITE_CODE SYSRES_CONST_EDOC_CERTIFICATE_AND_PASSWORD_ENCODE_CODE SYSRES_CONST_EDOC_CERTIFICATE_ENCODE_CODE SYSRES_CONST_EDOC_DATE_REQUISITE_CODE SYSRES_CONST_EDOC_KIND_REFERENCE_CODE SYSRES_CONST_EDOC_KINDS_BY_TEMPLATE_ACTION_CODE SYSRES_CONST_EDOC_MANAGE_ACCESS_CODE SYSRES_CONST_EDOC_NONE_ENCODE_CODE SYSRES_CONST_EDOC_NUMBER_REQUISITE_CODE SYSRES_CONST_EDOC_PASSWORD_ENCODE_CODE SYSRES_CONST_EDOC_READONLY_ACCESS_CODE SYSRES_CONST_EDOC_SHELL_LIFE_TYPE_VIEW_VALUE SYSRES_CONST_EDOC_SIZE_RESTRICTION_PRIORITY_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_CHECK_ACCESS_RIGHTS_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_COMPUTER_NAME_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_DATABASE_NAME_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_EDIT_IN_STORAGE_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_LOCAL_PATH_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_SHARED_SOURCE_NAME_REQUISITE_CODE SYSRES_CONST_EDOC_TEMPLATE_REQUISITE_CODE SYSRES_CONST_EDOC_TYPES_REFERENCE_CODE SYSRES_CONST_EDOC_VERSION_ACTIVE_STAGE_CODE SYSRES_CONST_EDOC_VERSION_DESIGN_STAGE_CODE SYSRES_CONST_EDOC_VERSION_OBSOLETE_STAGE_CODE SYSRES_CONST_EDOC_WRITE_ACCES_CODE SYSRES_CONST_EDOCUMENT_CARD_REQUISITES_REFERENCE_CODE_SELECTED_REQUISITE SYSRES_CONST_ENCODE_CERTIFICATE_TYPE_CODE SYSRES_CONST_END_DATE_REQUISITE_CODE SYSRES_CONST_ENUMERATION_TYPE_REQUISITE_CODE SYSRES_CONST_EXECUTE_ACCESS_RIGHTS_TYPE_CODE SYSRES_CONST_EXECUTIVE_FILE_STORAGE_TYPE SYSRES_CONST_EXIST_CONST SYSRES_CONST_EXIST_VALUE SYSRES_CONST_EXPORT_LOCK_TYPE_ASK SYSRES_CONST_EXPORT_LOCK_TYPE_WITH_LOCK SYSRES_CONST_EXPORT_LOCK_TYPE_WITHOUT_LOCK SYSRES_CONST_EXPORT_VERSION_TYPE_ASK SYSRES_CONST_EXPORT_VERSION_TYPE_LAST SYSRES_CONST_EXPORT_VERSION_TYPE_LAST_ACTIVE SYSRES_CONST_EXTENSION_REQUISITE_CODE SYSRES_CONST_FILTER_NAME_REQUISITE_CODE SYSRES_CONST_FILTER_REQUISITE_CODE SYSRES_CONST_FILTER_TYPE_COMMON_CODE SYSRES_CONST_FILTER_TYPE_COMMON_NAME SYSRES_CONST_FILTER_TYPE_USER_CODE SYSRES_CONST_FILTER_TYPE_USER_NAME SYSRES_CONST_FILTER_VALUE_REQUISITE_NAME SYSRES_CONST_FLOAT_NUMBER_FORMAT_CHAR SYSRES_CONST_FLOAT_REQUISITE_TYPE SYSRES_CONST_FOLDER_AUTHOR_VALUE SYSRES_CONST_FOLDER_KIND_ANY_OBJECTS SYSRES_CONST_FOLDER_KIND_COMPONENTS SYSRES_CONST_FOLDER_KIND_EDOCS SYSRES_CONST_FOLDER_KIND_JOBS SYSRES_CONST_FOLDER_KIND_TASKS SYSRES_CONST_FOLDER_TYPE_COMMON SYSRES_CONST_FOLDER_TYPE_COMPONENT SYSRES_CONST_FOLDER_TYPE_FAVORITES SYSRES_CONST_FOLDER_TYPE_INBOX SYSRES_CONST_FOLDER_TYPE_OUTBOX SYSRES_CONST_FOLDER_TYPE_QUICK_LAUNCH SYSRES_CONST_FOLDER_TYPE_SEARCH SYSRES_CONST_FOLDER_TYPE_SHORTCUTS SYSRES_CONST_FOLDER_TYPE_USER SYSRES_CONST_FROM_DICTIONARY_ENUM_METHOD_FLAG SYSRES_CONST_FULL_SUBSTITUTE_TYPE SYSRES_CONST_FULL_SUBSTITUTE_TYPE_CODE SYSRES_CONST_FUNCTION_CANCEL_RESULT SYSRES_CONST_FUNCTION_CATEGORY_SYSTEM SYSRES_CONST_FUNCTION_CATEGORY_USER SYSRES_CONST_FUNCTION_FAILURE_RESULT SYSRES_CONST_FUNCTION_SAVE_RESULT SYSRES_CONST_GENERATED_REQUISITE SYSRES_CONST_GREEN_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_GROUP_ACCOUNT_TYPE_VALUE_CODE SYSRES_CONST_GROUP_CATEGORY_NORMAL_CODE SYSRES_CONST_GROUP_CATEGORY_NORMAL_NAME SYSRES_CONST_GROUP_CATEGORY_SERVICE_CODE SYSRES_CONST_GROUP_CATEGORY_SERVICE_NAME SYSRES_CONST_GROUP_COMMON_CATEGORY_FIELD_VALUE SYSRES_CONST_GROUP_FULL_NAME_REQUISITE_CODE SYSRES_CONST_GROUP_NAME_REQUISITE_CODE SYSRES_CONST_GROUP_RIGHTS_T_REQUISITE_CODE SYSRES_CONST_GROUP_SERVER_CODES_REQUISITE_CODE SYSRES_CONST_GROUP_SERVER_NAME_REQUISITE_CODE SYSRES_CONST_GROUP_SERVICE_CATEGORY_FIELD_VALUE SYSRES_CONST_GROUP_USER_REQUISITE_CODE SYSRES_CONST_GROUPS_REFERENCE_CODE SYSRES_CONST_GROUPS_REQUISITE_CODE SYSRES_CONST_HIDDEN_MODE_NAME SYSRES_CONST_HIGH_LVL_REQUISITE_CODE SYSRES_CONST_HISTORY_ACTION_CREATE_CODE SYSRES_CONST_HISTORY_ACTION_DELETE_CODE SYSRES_CONST_HISTORY_ACTION_EDIT_CODE SYSRES_CONST_HOUR_CHAR SYSRES_CONST_ID_REQUISITE_CODE SYSRES_CONST_IDSPS_REQUISITE_CODE SYSRES_CONST_IMAGE_MODE_COLOR SYSRES_CONST_IMAGE_MODE_GREYSCALE SYSRES_CONST_IMAGE_MODE_MONOCHROME SYSRES_CONST_IMPORTANCE_HIGH SYSRES_CONST_IMPORTANCE_LOW SYSRES_CONST_IMPORTANCE_NORMAL SYSRES_CONST_IN_DESIGN_VERSION_STATE_PICK_VALUE SYSRES_CONST_INCOMING_WORK_RULE_TYPE_CODE SYSRES_CONST_INT_REQUISITE SYSRES_CONST_INT_REQUISITE_TYPE SYSRES_CONST_INTEGER_NUMBER_FORMAT_CHAR SYSRES_CONST_INTEGER_TYPE_CHAR SYSRES_CONST_IS_GENERATED_REQUISITE_NEGATIVE_VALUE SYSRES_CONST_IS_PUBLIC_ROLE_REQUISITE_CODE SYSRES_CONST_IS_REMOTE_USER_NEGATIVE_VALUE SYSRES_CONST_IS_REMOTE_USER_POSITIVE_VALUE SYSRES_CONST_IS_STORED_REQUISITE_NEGATIVE_VALUE SYSRES_CONST_IS_STORED_REQUISITE_STORED_VALUE SYSRES_CONST_ITALIC_LIFE_CYCLE_STAGE_DRAW_STYLE SYSRES_CONST_JOB_BLOCK_DESCRIPTION SYSRES_CONST_JOB_KIND_CONTROL_JOB SYSRES_CONST_JOB_KIND_JOB SYSRES_CONST_JOB_KIND_NOTICE SYSRES_CONST_JOB_STATE_ABORTED SYSRES_CONST_JOB_STATE_COMPLETE SYSRES_CONST_JOB_STATE_WORKING SYSRES_CONST_KIND_REQUISITE_CODE SYSRES_CONST_KIND_REQUISITE_NAME SYSRES_CONST_KINDS_CREATE_SHADOW_COPIES_REQUISITE_CODE SYSRES_CONST_KINDS_DEFAULT_EDOC_LIFE_STAGE_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_ALL_TEPLATES_ALLOWED_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_ALLOW_LIFE_CYCLE_STAGE_CHANGING_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_ALLOW_MULTIPLE_ACTIVE_VERSIONS_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_SHARE_ACCES_RIGHTS_BY_DEFAULT_CODE SYSRES_CONST_KINDS_EDOC_TEMPLATE_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_TYPE_REQUISITE_CODE SYSRES_CONST_KINDS_SIGNERS_REQUISITES_CODE SYSRES_CONST_KOD_INPUT_TYPE SYSRES_CONST_LAST_UPDATE_DATE_REQUISITE_CODE SYSRES_CONST_LIFE_CYCLE_START_STAGE_REQUISITE_CODE SYSRES_CONST_LILAC_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_LINK_OBJECT_KIND_COMPONENT SYSRES_CONST_LINK_OBJECT_KIND_DOCUMENT SYSRES_CONST_LINK_OBJECT_KIND_EDOC SYSRES_CONST_LINK_OBJECT_KIND_FOLDER SYSRES_CONST_LINK_OBJECT_KIND_JOB SYSRES_CONST_LINK_OBJECT_KIND_REFERENCE SYSRES_CONST_LINK_OBJECT_KIND_TASK SYSRES_CONST_LINK_REF_TYPE_REQUISITE_CODE SYSRES_CONST_LIST_REFERENCE_MODE_NAME SYSRES_CONST_LOCALIZATION_DICTIONARY_MAIN_VIEW_CODE SYSRES_CONST_MAIN_VIEW_CODE SYSRES_CONST_MANUAL_ENUM_METHOD_FLAG SYSRES_CONST_MASTER_COMP_TYPE_REQUISITE_CODE SYSRES_CONST_MASTER_TABLE_REC_ID_REQUISITE_CODE SYSRES_CONST_MAXIMIZED_MODE_NAME SYSRES_CONST_ME_VALUE SYSRES_CONST_MESSAGE_ATTENTION_CAPTION SYSRES_CONST_MESSAGE_CONFIRMATION_CAPTION SYSRES_CONST_MESSAGE_ERROR_CAPTION SYSRES_CONST_MESSAGE_INFORMATION_CAPTION SYSRES_CONST_MINIMIZED_MODE_NAME SYSRES_CONST_MINUTE_CHAR SYSRES_CONST_MODULE_REQUISITE_CODE SYSRES_CONST_MONITORING_BLOCK_DESCRIPTION SYSRES_CONST_MONTH_FORMAT_VALUE SYSRES_CONST_NAME_LOCALIZE_ID_REQUISITE_CODE SYSRES_CONST_NAME_REQUISITE_CODE SYSRES_CONST_NAME_SINGULAR_REQUISITE_CODE SYSRES_CONST_NAMEAN_INPUT_TYPE SYSRES_CONST_NEGATIVE_PICK_VALUE SYSRES_CONST_NEGATIVE_VALUE SYSRES_CONST_NO SYSRES_CONST_NO_PICK_VALUE SYSRES_CONST_NO_SIGNATURE_REQUISITE_CODE SYSRES_CONST_NO_VALUE SYSRES_CONST_NONE_ACCESS_RIGHTS_TYPE_CODE SYSRES_CONST_NONOPERATING_RECORD_FLAG_VALUE SYSRES_CONST_NONOPERATING_RECORD_FLAG_VALUE_MASCULINE SYSRES_CONST_NORMAL_ACCESS_RIGHTS_TYPE_CODE SYSRES_CONST_NORMAL_LIFE_CYCLE_STAGE_DRAW_STYLE SYSRES_CONST_NORMAL_MODE_NAME SYSRES_CONST_NOT_ALLOWED_ACCESS_TYPE_CODE SYSRES_CONST_NOT_ALLOWED_ACCESS_TYPE_NAME SYSRES_CONST_NOTE_REQUISITE_CODE SYSRES_CONST_NOTICE_BLOCK_DESCRIPTION SYSRES_CONST_NUM_REQUISITE SYSRES_CONST_NUM_STR_REQUISITE_CODE SYSRES_CONST_NUMERATION_AUTO_NOT_STRONG SYSRES_CONST_NUMERATION_AUTO_STRONG SYSRES_CONST_NUMERATION_FROM_DICTONARY SYSRES_CONST_NUMERATION_MANUAL SYSRES_CONST_NUMERIC_TYPE_CHAR SYSRES_CONST_NUMREQ_REQUISITE_CODE SYSRES_CONST_OBSOLETE_VERSION_STATE_PICK_VALUE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_CODE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_FEMININE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_MASCULINE SYSRES_CONST_OPTIONAL_FORM_COMP_REQCODE_PREFIX SYSRES_CONST_ORANGE_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_ORIGINALREF_REQUISITE_CODE SYSRES_CONST_OURFIRM_REF_CODE SYSRES_CONST_OURFIRM_REQUISITE_CODE SYSRES_CONST_OURFIRM_VAR SYSRES_CONST_OUTGOING_WORK_RULE_TYPE_CODE SYSRES_CONST_PICK_NEGATIVE_RESULT SYSRES_CONST_PICK_POSITIVE_RESULT SYSRES_CONST_PICK_REQUISITE SYSRES_CONST_PICK_REQUISITE_TYPE SYSRES_CONST_PICK_TYPE_CHAR SYSRES_CONST_PLAN_STATUS_REQUISITE_CODE SYSRES_CONST_PLATFORM_VERSION_COMMENT SYSRES_CONST_PLUGINS_SETTINGS_DESCRIPTION_REQUISITE_CODE SYSRES_CONST_POSITIVE_PICK_VALUE SYSRES_CONST_POWER_TO_CREATE_ACTION_CODE SYSRES_CONST_POWER_TO_SIGN_ACTION_CODE SYSRES_CONST_PRIORITY_REQUISITE_CODE SYSRES_CONST_QUALIFIED_TASK_TYPE SYSRES_CONST_QUALIFIED_TASK_TYPE_CODE SYSRES_CONST_RECSTAT_REQUISITE_CODE SYSRES_CONST_RED_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_REF_ID_T_REF_TYPE_REQUISITE_CODE SYSRES_CONST_REF_REQUISITE SYSRES_CONST_REF_REQUISITE_TYPE SYSRES_CONST_REF_REQUISITES_REFERENCE_CODE_SELECTED_REQUISITE SYSRES_CONST_REFERENCE_RECORD_HISTORY_CREATE_ACTION_CODE SYSRES_CONST_REFERENCE_RECORD_HISTORY_DELETE_ACTION_CODE SYSRES_CONST_REFERENCE_RECORD_HISTORY_MODIFY_ACTION_CODE SYSRES_CONST_REFERENCE_TYPE_CHAR SYSRES_CONST_REFERENCE_TYPE_REQUISITE_NAME SYSRES_CONST_REFERENCES_ADD_PARAMS_REQUISITE_CODE SYSRES_CONST_REFERENCES_DISPLAY_REQUISITE_REQUISITE_CODE SYSRES_CONST_REMOTE_SERVER_STATUS_WORKING SYSRES_CONST_REMOTE_SERVER_TYPE_MAIN SYSRES_CONST_REMOTE_SERVER_TYPE_SECONDARY SYSRES_CONST_REMOTE_USER_FLAG_VALUE_CODE SYSRES_CONST_REPORT_APP_EDITOR_INTERNAL SYSRES_CONST_REPORT_BASE_REPORT_ID_REQUISITE_CODE SYSRES_CONST_REPORT_BASE_REPORT_REQUISITE_CODE SYSRES_CONST_REPORT_SCRIPT_REQUISITE_CODE SYSRES_CONST_REPORT_TEMPLATE_REQUISITE_CODE SYSRES_CONST_REPORT_VIEWER_CODE_REQUISITE_CODE SYSRES_CONST_REQ_ALLOW_COMPONENT_DEFAULT_VALUE SYSRES_CONST_REQ_ALLOW_RECORD_DEFAULT_VALUE SYSRES_CONST_REQ_ALLOW_SERVER_COMPONENT_DEFAULT_VALUE SYSRES_CONST_REQ_MODE_AVAILABLE_CODE SYSRES_CONST_REQ_MODE_EDIT_CODE SYSRES_CONST_REQ_MODE_HIDDEN_CODE SYSRES_CONST_REQ_MODE_NOT_AVAILABLE_CODE SYSRES_CONST_REQ_MODE_VIEW_CODE SYSRES_CONST_REQ_NUMBER_REQUISITE_CODE SYSRES_CONST_REQ_SECTION_VALUE SYSRES_CONST_REQ_TYPE_VALUE SYSRES_CONST_REQUISITE_FORMAT_BY_UNIT SYSRES_CONST_REQUISITE_FORMAT_DATE_FULL SYSRES_CONST_REQUISITE_FORMAT_DATE_TIME SYSRES_CONST_REQUISITE_FORMAT_LEFT SYSRES_CONST_REQUISITE_FORMAT_RIGHT SYSRES_CONST_REQUISITE_FORMAT_WITHOUT_UNIT SYSRES_CONST_REQUISITE_NUMBER_REQUISITE_CODE SYSRES_CONST_REQUISITE_SECTION_ACTIONS SYSRES_CONST_REQUISITE_SECTION_BUTTON SYSRES_CONST_REQUISITE_SECTION_BUTTONS SYSRES_CONST_REQUISITE_SECTION_CARD SYSRES_CONST_REQUISITE_SECTION_TABLE SYSRES_CONST_REQUISITE_SECTION_TABLE10 SYSRES_CONST_REQUISITE_SECTION_TABLE11 SYSRES_CONST_REQUISITE_SECTION_TABLE12 SYSRES_CONST_REQUISITE_SECTION_TABLE13 SYSRES_CONST_REQUISITE_SECTION_TABLE14 SYSRES_CONST_REQUISITE_SECTION_TABLE15 SYSRES_CONST_REQUISITE_SECTION_TABLE16 SYSRES_CONST_REQUISITE_SECTION_TABLE17 SYSRES_CONST_REQUISITE_SECTION_TABLE18 SYSRES_CONST_REQUISITE_SECTION_TABLE19 SYSRES_CONST_REQUISITE_SECTION_TABLE2 SYSRES_CONST_REQUISITE_SECTION_TABLE20 SYSRES_CONST_REQUISITE_SECTION_TABLE21 SYSRES_CONST_REQUISITE_SECTION_TABLE22 SYSRES_CONST_REQUISITE_SECTION_TABLE23 SYSRES_CONST_REQUISITE_SECTION_TABLE24 SYSRES_CONST_REQUISITE_SECTION_TABLE3 SYSRES_CONST_REQUISITE_SECTION_TABLE4 SYSRES_CONST_REQUISITE_SECTION_TABLE5 SYSRES_CONST_REQUISITE_SECTION_TABLE6 SYSRES_CONST_REQUISITE_SECTION_TABLE7 SYSRES_CONST_REQUISITE_SECTION_TABLE8 SYSRES_CONST_REQUISITE_SECTION_TABLE9 SYSRES_CONST_REQUISITES_PSEUDOREFERENCE_REQUISITE_NUMBER_REQUISITE_CODE SYSRES_CONST_RIGHT_ALIGNMENT_CODE SYSRES_CONST_ROLES_REFERENCE_CODE SYSRES_CONST_ROUTE_STEP_AFTER_RUS SYSRES_CONST_ROUTE_STEP_AND_CONDITION_RUS SYSRES_CONST_ROUTE_STEP_OR_CONDITION_RUS SYSRES_CONST_ROUTE_TYPE_COMPLEX SYSRES_CONST_ROUTE_TYPE_PARALLEL SYSRES_CONST_ROUTE_TYPE_SERIAL SYSRES_CONST_SBDATASETDESC_NEGATIVE_VALUE SYSRES_CONST_SBDATASETDESC_POSITIVE_VALUE SYSRES_CONST_SBVIEWSDESC_POSITIVE_VALUE SYSRES_CONST_SCRIPT_BLOCK_DESCRIPTION SYSRES_CONST_SEARCH_BY_TEXT_REQUISITE_CODE SYSRES_CONST_SEARCHES_COMPONENT_CONTENT SYSRES_CONST_SEARCHES_CRITERIA_ACTION_NAME SYSRES_CONST_SEARCHES_EDOC_CONTENT SYSRES_CONST_SEARCHES_FOLDER_CONTENT SYSRES_CONST_SEARCHES_JOB_CONTENT SYSRES_CONST_SEARCHES_REFERENCE_CODE SYSRES_CONST_SEARCHES_TASK_CONTENT SYSRES_CONST_SECOND_CHAR SYSRES_CONST_SECTION_REQUISITE_ACTIONS_VALUE SYSRES_CONST_SECTION_REQUISITE_CARD_VALUE SYSRES_CONST_SECTION_REQUISITE_CODE SYSRES_CONST_SECTION_REQUISITE_DETAIL_1_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_2_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_3_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_4_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_5_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_6_VALUE SYSRES_CONST_SELECT_REFERENCE_MODE_NAME SYSRES_CONST_SELECT_TYPE_SELECTABLE SYSRES_CONST_SELECT_TYPE_SELECTABLE_ONLY_CHILD SYSRES_CONST_SELECT_TYPE_SELECTABLE_WITH_CHILD SYSRES_CONST_SELECT_TYPE_UNSLECTABLE SYSRES_CONST_SERVER_TYPE_MAIN SYSRES_CONST_SERVICE_USER_CATEGORY_FIELD_VALUE SYSRES_CONST_SETTINGS_USER_REQUISITE_CODE SYSRES_CONST_SIGNATURE_AND_ENCODE_CERTIFICATE_TYPE_CODE SYSRES_CONST_SIGNATURE_CERTIFICATE_TYPE_CODE SYSRES_CONST_SINGULAR_TITLE_REQUISITE_CODE SYSRES_CONST_SQL_SERVER_AUTHENTIFICATION_FLAG_VALUE_CODE SYSRES_CONST_SQL_SERVER_ENCODE_AUTHENTIFICATION_FLAG_VALUE_CODE SYSRES_CONST_STANDART_ROUTE_REFERENCE_CODE SYSRES_CONST_STANDART_ROUTE_REFERENCE_COMMENT_REQUISITE_CODE SYSRES_CONST_STANDART_ROUTES_GROUPS_REFERENCE_CODE SYSRES_CONST_STATE_REQ_NAME SYSRES_CONST_STATE_REQUISITE_ACTIVE_VALUE SYSRES_CONST_STATE_REQUISITE_CLOSED_VALUE SYSRES_CONST_STATE_REQUISITE_CODE SYSRES_CONST_STATIC_ROLE_TYPE_CODE SYSRES_CONST_STATUS_PLAN_DEFAULT_VALUE SYSRES_CONST_STATUS_VALUE_AUTOCLEANING SYSRES_CONST_STATUS_VALUE_BLUE_SQUARE SYSRES_CONST_STATUS_VALUE_COMPLETE SYSRES_CONST_STATUS_VALUE_GREEN_SQUARE SYSRES_CONST_STATUS_VALUE_ORANGE_SQUARE SYSRES_CONST_STATUS_VALUE_PURPLE_SQUARE SYSRES_CONST_STATUS_VALUE_RED_SQUARE SYSRES_CONST_STATUS_VALUE_SUSPEND SYSRES_CONST_STATUS_VALUE_YELLOW_SQUARE SYSRES_CONST_STDROUTE_SHOW_TO_USERS_REQUISITE_CODE SYSRES_CONST_STORAGE_TYPE_FILE SYSRES_CONST_STORAGE_TYPE_SQL_SERVER SYSRES_CONST_STR_REQUISITE SYSRES_CONST_STRIKEOUT_LIFE_CYCLE_STAGE_DRAW_STYLE SYSRES_CONST_STRING_FORMAT_LEFT_ALIGN_CHAR SYSRES_CONST_STRING_FORMAT_RIGHT_ALIGN_CHAR SYSRES_CONST_STRING_REQUISITE_CODE SYSRES_CONST_STRING_REQUISITE_TYPE SYSRES_CONST_STRING_TYPE_CHAR SYSRES_CONST_SUBSTITUTES_PSEUDOREFERENCE_CODE SYSRES_CONST_SUBTASK_BLOCK_DESCRIPTION SYSRES_CONST_SYSTEM_SETTING_CURRENT_USER_PARAM_VALUE SYSRES_CONST_SYSTEM_SETTING_EMPTY_VALUE_PARAM_VALUE SYSRES_CONST_SYSTEM_VERSION_COMMENT SYSRES_CONST_TASK_ACCESS_TYPE_ALL SYSRES_CONST_TASK_ACCESS_TYPE_ALL_MEMBERS SYSRES_CONST_TASK_ACCESS_TYPE_MANUAL SYSRES_CONST_TASK_ENCODE_TYPE_CERTIFICATION SYSRES_CONST_TASK_ENCODE_TYPE_CERTIFICATION_AND_PASSWORD SYSRES_CONST_TASK_ENCODE_TYPE_NONE SYSRES_CONST_TASK_ENCODE_TYPE_PASSWORD SYSRES_CONST_TASK_ROUTE_ALL_CONDITION SYSRES_CONST_TASK_ROUTE_AND_CONDITION SYSRES_CONST_TASK_ROUTE_OR_CONDITION SYSRES_CONST_TASK_STATE_ABORTED SYSRES_CONST_TASK_STATE_COMPLETE SYSRES_CONST_TASK_STATE_CONTINUED SYSRES_CONST_TASK_STATE_CONTROL SYSRES_CONST_TASK_STATE_INIT SYSRES_CONST_TASK_STATE_WORKING SYSRES_CONST_TASK_TITLE SYSRES_CONST_TASK_TYPES_GROUPS_REFERENCE_CODE SYSRES_CONST_TASK_TYPES_REFERENCE_CODE SYSRES_CONST_TEMPLATES_REFERENCE_CODE SYSRES_CONST_TEST_DATE_REQUISITE_NAME SYSRES_CONST_TEST_DEV_DATABASE_NAME SYSRES_CONST_TEST_DEV_SYSTEM_CODE SYSRES_CONST_TEST_EDMS_DATABASE_NAME SYSRES_CONST_TEST_EDMS_MAIN_CODE SYSRES_CONST_TEST_EDMS_MAIN_DB_NAME SYSRES_CONST_TEST_EDMS_SECOND_CODE SYSRES_CONST_TEST_EDMS_SECOND_DB_NAME SYSRES_CONST_TEST_EDMS_SYSTEM_CODE SYSRES_CONST_TEST_NUMERIC_REQUISITE_NAME SYSRES_CONST_TEXT_REQUISITE SYSRES_CONST_TEXT_REQUISITE_CODE SYSRES_CONST_TEXT_REQUISITE_TYPE SYSRES_CONST_TEXT_TYPE_CHAR SYSRES_CONST_TYPE_CODE_REQUISITE_CODE SYSRES_CONST_TYPE_REQUISITE_CODE SYSRES_CONST_UNDEFINED_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_UNITS_SECTION_ID_REQUISITE_CODE SYSRES_CONST_UNITS_SECTION_REQUISITE_CODE SYSRES_CONST_UNOPERATING_RECORD_FLAG_VALUE_CODE SYSRES_CONST_UNSTORED_DATA_REQUISITE_CODE SYSRES_CONST_UNSTORED_DATA_REQUISITE_NAME SYSRES_CONST_USE_ACCESS_TYPE_CODE SYSRES_CONST_USE_ACCESS_TYPE_NAME SYSRES_CONST_USER_ACCOUNT_TYPE_VALUE_CODE SYSRES_CONST_USER_ADDITIONAL_INFORMATION_REQUISITE_CODE SYSRES_CONST_USER_AND_GROUP_ID_FROM_PSEUDOREFERENCE_REQUISITE_CODE SYSRES_CONST_USER_CATEGORY_NORMAL SYSRES_CONST_USER_CERTIFICATE_REQUISITE_CODE SYSRES_CONST_USER_CERTIFICATE_STATE_REQUISITE_CODE SYSRES_CONST_USER_CERTIFICATE_SUBJECT_NAME_REQUISITE_CODE SYSRES_CONST_USER_CERTIFICATE_THUMBPRINT_REQUISITE_CODE SYSRES_CONST_USER_COMMON_CATEGORY SYSRES_CONST_USER_COMMON_CATEGORY_CODE SYSRES_CONST_USER_FULL_NAME_REQUISITE_CODE SYSRES_CONST_USER_GROUP_TYPE_REQUISITE_CODE SYSRES_CONST_USER_LOGIN_REQUISITE_CODE SYSRES_CONST_USER_REMOTE_CONTROLLER_REQUISITE_CODE SYSRES_CONST_USER_REMOTE_SYSTEM_REQUISITE_CODE SYSRES_CONST_USER_RIGHTS_T_REQUISITE_CODE SYSRES_CONST_USER_SERVER_NAME_REQUISITE_CODE SYSRES_CONST_USER_SERVICE_CATEGORY SYSRES_CONST_USER_SERVICE_CATEGORY_CODE SYSRES_CONST_USER_STATUS_ADMINISTRATOR_CODE SYSRES_CONST_USER_STATUS_ADMINISTRATOR_NAME SYSRES_CONST_USER_STATUS_DEVELOPER_CODE SYSRES_CONST_USER_STATUS_DEVELOPER_NAME SYSRES_CONST_USER_STATUS_DISABLED_CODE SYSRES_CONST_USER_STATUS_DISABLED_NAME SYSRES_CONST_USER_STATUS_SYSTEM_DEVELOPER_CODE SYSRES_CONST_USER_STATUS_USER_CODE SYSRES_CONST_USER_STATUS_USER_NAME SYSRES_CONST_USER_STATUS_USER_NAME_DEPRECATED SYSRES_CONST_USER_TYPE_FIELD_VALUE_USER SYSRES_CONST_USER_TYPE_REQUISITE_CODE SYSRES_CONST_USERS_CONTROLLER_REQUISITE_CODE SYSRES_CONST_USERS_IS_MAIN_SERVER_REQUISITE_CODE SYSRES_CONST_USERS_REFERENCE_CODE SYSRES_CONST_USERS_REGISTRATION_CERTIFICATES_ACTION_NAME SYSRES_CONST_USERS_REQUISITE_CODE SYSRES_CONST_USERS_SYSTEM_REQUISITE_CODE SYSRES_CONST_USERS_USER_ACCESS_RIGHTS_TYPR_REQUISITE_CODE SYSRES_CONST_USERS_USER_AUTHENTICATION_REQUISITE_CODE SYSRES_CONST_USERS_USER_COMPONENT_REQUISITE_CODE SYSRES_CONST_USERS_USER_GROUP_REQUISITE_CODE SYSRES_CONST_USERS_VIEW_CERTIFICATES_ACTION_NAME SYSRES_CONST_VIEW_DEFAULT_CODE SYSRES_CONST_VIEW_DEFAULT_NAME SYSRES_CONST_VIEWER_REQUISITE_CODE SYSRES_CONST_WAITING_BLOCK_DESCRIPTION SYSRES_CONST_WIZARD_FORM_LABEL_TEST_STRING  SYSRES_CONST_WIZARD_QUERY_PARAM_HEIGHT_ETALON_STRING SYSRES_CONST_WIZARD_REFERENCE_COMMENT_REQUISITE_CODE SYSRES_CONST_WORK_RULES_DESCRIPTION_REQUISITE_CODE SYSRES_CONST_WORK_TIME_CALENDAR_REFERENCE_CODE SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE_CODE SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE_CODE_RUS SYSRES_CONST_WORK_WORKFLOW_SOFT_ROUTE_TYPE_VALUE_CODE_RUS SYSRES_CONST_WORKFLOW_ROUTE_TYPR_HARD SYSRES_CONST_WORKFLOW_ROUTE_TYPR_SOFT SYSRES_CONST_XML_ENCODING SYSRES_CONST_XREC_STAT_REQUISITE_CODE SYSRES_CONST_XRECID_FIELD_NAME SYSRES_CONST_YES SYSRES_CONST_YES_NO_2_REQUISITE_CODE SYSRES_CONST_YES_NO_REQUISITE_CODE SYSRES_CONST_YES_NO_T_REF_TYPE_REQUISITE_CODE SYSRES_CONST_YES_PICK_VALUE SYSRES_CONST_YES_VALUE ",l="CR FALSE nil NO_VALUE NULL TAB TRUE YES_VALUE ",u="ADMINISTRATORS_GROUP_NAME CUSTOMIZERS_GROUP_NAME DEVELOPERS_GROUP_NAME SERVICE_USERS_GROUP_NAME ",c="DECISION_BLOCK_FIRST_OPERAND_PROPERTY DECISION_BLOCK_NAME_PROPERTY DECISION_BLOCK_OPERATION_PROPERTY DECISION_BLOCK_RESULT_TYPE_PROPERTY DECISION_BLOCK_SECOND_OPERAND_PROPERTY ",d="ANY_FILE_EXTENTION COMPRESSED_DOCUMENT_EXTENSION EXTENDED_DOCUMENT_EXTENSION SHORT_COMPRESSED_DOCUMENT_EXTENSION SHORT_EXTENDED_DOCUMENT_EXTENSION ",S="JOB_BLOCK_ABORT_DEADLINE_PROPERTY JOB_BLOCK_AFTER_FINISH_EVENT JOB_BLOCK_AFTER_QUERY_PARAMETERS_EVENT JOB_BLOCK_ATTACHMENT_PROPERTY JOB_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY JOB_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY JOB_BLOCK_BEFORE_QUERY_PARAMETERS_EVENT JOB_BLOCK_BEFORE_START_EVENT JOB_BLOCK_CREATED_JOBS_PROPERTY JOB_BLOCK_DEADLINE_PROPERTY JOB_BLOCK_EXECUTION_RESULTS_PROPERTY JOB_BLOCK_IS_PARALLEL_PROPERTY JOB_BLOCK_IS_RELATIVE_ABORT_DEADLINE_PROPERTY JOB_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY JOB_BLOCK_JOB_TEXT_PROPERTY JOB_BLOCK_NAME_PROPERTY JOB_BLOCK_NEED_SIGN_ON_PERFORM_PROPERTY JOB_BLOCK_PERFORMER_PROPERTY JOB_BLOCK_RELATIVE_ABORT_DEADLINE_TYPE_PROPERTY JOB_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY JOB_BLOCK_SUBJECT_PROPERTY ",_="ENGLISH_LANGUAGE_CODE RUSSIAN_LANGUAGE_CODE ",E="smHidden smMaximized smMinimized smNormal wmNo wmYes ",T="COMPONENT_TOKEN_LINK_KIND DOCUMENT_LINK_KIND EDOCUMENT_LINK_KIND FOLDER_LINK_KIND JOB_LINK_KIND REFERENCE_LINK_KIND TASK_LINK_KIND ",y="COMPONENT_TOKEN_LOCK_TYPE EDOCUMENT_VERSION_LOCK_TYPE ",M="MONITOR_BLOCK_AFTER_FINISH_EVENT MONITOR_BLOCK_BEFORE_START_EVENT MONITOR_BLOCK_DEADLINE_PROPERTY MONITOR_BLOCK_INTERVAL_PROPERTY MONITOR_BLOCK_INTERVAL_TYPE_PROPERTY MONITOR_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY MONITOR_BLOCK_NAME_PROPERTY MONITOR_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY MONITOR_BLOCK_SEARCH_SCRIPT_PROPERTY ",v="NOTICE_BLOCK_AFTER_FINISH_EVENT NOTICE_BLOCK_ATTACHMENT_PROPERTY NOTICE_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY NOTICE_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY NOTICE_BLOCK_BEFORE_START_EVENT NOTICE_BLOCK_CREATED_NOTICES_PROPERTY NOTICE_BLOCK_DEADLINE_PROPERTY NOTICE_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY NOTICE_BLOCK_NAME_PROPERTY NOTICE_BLOCK_NOTICE_TEXT_PROPERTY NOTICE_BLOCK_PERFORMER_PROPERTY NOTICE_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY NOTICE_BLOCK_SUBJECT_PROPERTY ",A="dseAfterCancel dseAfterClose dseAfterDelete dseAfterDeleteOutOfTransaction dseAfterInsert dseAfterOpen dseAfterScroll dseAfterUpdate dseAfterUpdateOutOfTransaction dseBeforeCancel dseBeforeClose dseBeforeDelete dseBeforeDetailUpdate dseBeforeInsert dseBeforeOpen dseBeforeUpdate dseOnAnyRequisiteChange dseOnCloseRecord dseOnDeleteError dseOnOpenRecord dseOnPrepareUpdate dseOnUpdateError dseOnUpdateRatifiedRecord dseOnValidDelete dseOnValidUpdate reOnChange reOnChangeValues SELECTION_BEGIN_ROUTE_EVENT SELECTION_END_ROUTE_EVENT ",O="CURRENT_PERIOD_IS_REQUIRED PREVIOUS_CARD_TYPE_NAME SHOW_RECORD_PROPERTIES_FORM ",N="ACCESS_RIGHTS_SETTING_DIALOG_CODE ADMINISTRATOR_USER_CODE ANALYTIC_REPORT_TYPE asrtHideLocal asrtHideRemote CALCULATED_ROLE_TYPE_CODE COMPONENTS_REFERENCE_DEVELOPER_VIEW_CODE DCTS_TEST_PROTOCOLS_FOLDER_PATH E_EDOC_VERSION_ALREADY_APPROVINGLY_SIGNED E_EDOC_VERSION_ALREADY_APPROVINGLY_SIGNED_BY_USER E_EDOC_VERSION_ALREDY_SIGNED E_EDOC_VERSION_ALREDY_SIGNED_BY_USER EDOC_TYPES_CODE_REQUISITE_FIELD_NAME EDOCUMENTS_ALIAS_NAME FILES_FOLDER_PATH FILTER_OPERANDS_DELIMITER FILTER_OPERATIONS_DELIMITER FORMCARD_NAME FORMLIST_NAME GET_EXTENDED_DOCUMENT_EXTENSION_CREATION_MODE GET_EXTENDED_DOCUMENT_EXTENSION_IMPORT_MODE INTEGRATED_REPORT_TYPE IS_BUILDER_APPLICATION_ROLE IS_BUILDER_APPLICATION_ROLE2 IS_BUILDER_USERS ISBSYSDEV LOG_FOLDER_PATH mbCancel mbNo mbNoToAll mbOK mbYes mbYesToAll MEMORY_DATASET_DESRIPTIONS_FILENAME mrNo mrNoToAll mrYes mrYesToAll MULTIPLE_SELECT_DIALOG_CODE NONOPERATING_RECORD_FLAG_FEMININE NONOPERATING_RECORD_FLAG_MASCULINE OPERATING_RECORD_FLAG_FEMININE OPERATING_RECORD_FLAG_MASCULINE PROFILING_SETTINGS_COMMON_SETTINGS_CODE_VALUE PROGRAM_INITIATED_LOOKUP_ACTION ratDelete ratEdit ratInsert REPORT_TYPE REQUIRED_PICK_VALUES_VARIABLE rmCard rmList SBRTE_PROGID_DEV SBRTE_PROGID_RELEASE STATIC_ROLE_TYPE_CODE SUPPRESS_EMPTY_TEMPLATE_CREATION SYSTEM_USER_CODE UPDATE_DIALOG_DATASET USED_IN_OBJECT_HINT_PARAM USER_INITIATED_LOOKUP_ACTION USER_NAME_FORMAT USER_SELECTION_RESTRICTIONS WORKFLOW_TEST_PROTOCOLS_FOLDER_PATH ELS_SUBTYPE_CONTROL_NAME ELS_FOLDER_KIND_CONTROL_NAME REPEAT_PROCESS_CURRENT_OBJECT_EXCEPTION_NAME ",R="PRIVILEGE_COMPONENT_FULL_ACCESS PRIVILEGE_DEVELOPMENT_EXPORT PRIVILEGE_DEVELOPMENT_IMPORT PRIVILEGE_DOCUMENT_DELETE PRIVILEGE_ESD PRIVILEGE_FOLDER_DELETE PRIVILEGE_MANAGE_ACCESS_RIGHTS PRIVILEGE_MANAGE_REPLICATION PRIVILEGE_MANAGE_SESSION_SERVER PRIVILEGE_OBJECT_FULL_ACCESS PRIVILEGE_OBJECT_VIEW PRIVILEGE_RESERVE_LICENSE PRIVILEGE_SYSTEM_CUSTOMIZE PRIVILEGE_SYSTEM_DEVELOP PRIVILEGE_SYSTEM_INSTALL PRIVILEGE_TASK_DELETE PRIVILEGE_USER_PLUGIN_SETTINGS_CUSTOMIZE PRIVILEGES_PSEUDOREFERENCE_CODE ",L="ACCESS_TYPES_PSEUDOREFERENCE_CODE ALL_AVAILABLE_COMPONENTS_PSEUDOREFERENCE_CODE ALL_AVAILABLE_PRIVILEGES_PSEUDOREFERENCE_CODE ALL_REPLICATE_COMPONENTS_PSEUDOREFERENCE_CODE AVAILABLE_DEVELOPERS_COMPONENTS_PSEUDOREFERENCE_CODE COMPONENTS_PSEUDOREFERENCE_CODE FILTRATER_SETTINGS_CONFLICTS_PSEUDOREFERENCE_CODE GROUPS_PSEUDOREFERENCE_CODE RECEIVE_PROTOCOL_PSEUDOREFERENCE_CODE REFERENCE_REQUISITE_PSEUDOREFERENCE_CODE REFERENCE_REQUISITES_PSEUDOREFERENCE_CODE REFTYPES_PSEUDOREFERENCE_CODE REPLICATION_SEANCES_DIARY_PSEUDOREFERENCE_CODE SEND_PROTOCOL_PSEUDOREFERENCE_CODE SUBSTITUTES_PSEUDOREFERENCE_CODE SYSTEM_SETTINGS_PSEUDOREFERENCE_CODE UNITS_PSEUDOREFERENCE_CODE USERS_PSEUDOREFERENCE_CODE VIEWERS_PSEUDOREFERENCE_CODE ",I="CERTIFICATE_TYPE_ENCRYPT CERTIFICATE_TYPE_SIGN CERTIFICATE_TYPE_SIGN_AND_ENCRYPT ",h="STORAGE_TYPE_FILE STORAGE_TYPE_NAS_CIFS STORAGE_TYPE_SAPERION STORAGE_TYPE_SQL_SERVER ",k="COMPTYPE2_REQUISITE_DOCUMENTS_VALUE COMPTYPE2_REQUISITE_TASKS_VALUE COMPTYPE2_REQUISITE_FOLDERS_VALUE COMPTYPE2_REQUISITE_REFERENCES_VALUE ",F="SYSREQ_CODE SYSREQ_COMPTYPE2 SYSREQ_CONST_AVAILABLE_FOR_WEB SYSREQ_CONST_COMMON_CODE SYSREQ_CONST_COMMON_VALUE SYSREQ_CONST_FIRM_CODE SYSREQ_CONST_FIRM_STATUS SYSREQ_CONST_FIRM_VALUE SYSREQ_CONST_SERVER_STATUS SYSREQ_CONTENTS SYSREQ_DATE_OPEN SYSREQ_DATE_CLOSE SYSREQ_DESCRIPTION SYSREQ_DESCRIPTION_LOCALIZE_ID SYSREQ_DOUBLE SYSREQ_EDOC_ACCESS_TYPE SYSREQ_EDOC_AUTHOR SYSREQ_EDOC_CREATED SYSREQ_EDOC_DELEGATE_RIGHTS_REQUISITE_CODE SYSREQ_EDOC_EDITOR SYSREQ_EDOC_ENCODE_TYPE SYSREQ_EDOC_ENCRYPTION_PLUGIN_NAME SYSREQ_EDOC_ENCRYPTION_PLUGIN_VERSION SYSREQ_EDOC_EXPORT_DATE SYSREQ_EDOC_EXPORTER SYSREQ_EDOC_KIND SYSREQ_EDOC_LIFE_STAGE_NAME SYSREQ_EDOC_LOCKED_FOR_SERVER_CODE SYSREQ_EDOC_MODIFIED SYSREQ_EDOC_NAME SYSREQ_EDOC_NOTE SYSREQ_EDOC_QUALIFIED_ID SYSREQ_EDOC_SESSION_KEY SYSREQ_EDOC_SESSION_KEY_ENCRYPTION_PLUGIN_NAME SYSREQ_EDOC_SESSION_KEY_ENCRYPTION_PLUGIN_VERSION SYSREQ_EDOC_SIGNATURE_TYPE SYSREQ_EDOC_SIGNED SYSREQ_EDOC_STORAGE SYSREQ_EDOC_STORAGES_ARCHIVE_STORAGE SYSREQ_EDOC_STORAGES_CHECK_RIGHTS SYSREQ_EDOC_STORAGES_COMPUTER_NAME SYSREQ_EDOC_STORAGES_EDIT_IN_STORAGE SYSREQ_EDOC_STORAGES_EXECUTIVE_STORAGE SYSREQ_EDOC_STORAGES_FUNCTION SYSREQ_EDOC_STORAGES_INITIALIZED SYSREQ_EDOC_STORAGES_LOCAL_PATH SYSREQ_EDOC_STORAGES_SAPERION_DATABASE_NAME SYSREQ_EDOC_STORAGES_SEARCH_BY_TEXT SYSREQ_EDOC_STORAGES_SERVER_NAME SYSREQ_EDOC_STORAGES_SHARED_SOURCE_NAME SYSREQ_EDOC_STORAGES_TYPE SYSREQ_EDOC_TEXT_MODIFIED SYSREQ_EDOC_TYPE_ACT_CODE SYSREQ_EDOC_TYPE_ACT_DESCRIPTION SYSREQ_EDOC_TYPE_ACT_DESCRIPTION_LOCALIZE_ID SYSREQ_EDOC_TYPE_ACT_ON_EXECUTE SYSREQ_EDOC_TYPE_ACT_ON_EXECUTE_EXISTS SYSREQ_EDOC_TYPE_ACT_SECTION SYSREQ_EDOC_TYPE_ADD_PARAMS SYSREQ_EDOC_TYPE_COMMENT SYSREQ_EDOC_TYPE_EVENT_TEXT SYSREQ_EDOC_TYPE_NAME_IN_SINGULAR SYSREQ_EDOC_TYPE_NAME_IN_SINGULAR_LOCALIZE_ID SYSREQ_EDOC_TYPE_NAME_LOCALIZE_ID SYSREQ_EDOC_TYPE_NUMERATION_METHOD SYSREQ_EDOC_TYPE_PSEUDO_REQUISITE_CODE SYSREQ_EDOC_TYPE_REQ_CODE SYSREQ_EDOC_TYPE_REQ_DESCRIPTION SYSREQ_EDOC_TYPE_REQ_DESCRIPTION_LOCALIZE_ID SYSREQ_EDOC_TYPE_REQ_IS_LEADING SYSREQ_EDOC_TYPE_REQ_IS_REQUIRED SYSREQ_EDOC_TYPE_REQ_NUMBER SYSREQ_EDOC_TYPE_REQ_ON_CHANGE SYSREQ_EDOC_TYPE_REQ_ON_CHANGE_EXISTS SYSREQ_EDOC_TYPE_REQ_ON_SELECT SYSREQ_EDOC_TYPE_REQ_ON_SELECT_KIND SYSREQ_EDOC_TYPE_REQ_SECTION SYSREQ_EDOC_TYPE_VIEW_CARD SYSREQ_EDOC_TYPE_VIEW_CODE SYSREQ_EDOC_TYPE_VIEW_COMMENT SYSREQ_EDOC_TYPE_VIEW_IS_MAIN SYSREQ_EDOC_TYPE_VIEW_NAME SYSREQ_EDOC_TYPE_VIEW_NAME_LOCALIZE_ID SYSREQ_EDOC_VERSION_AUTHOR SYSREQ_EDOC_VERSION_CRC SYSREQ_EDOC_VERSION_DATA SYSREQ_EDOC_VERSION_EDITOR SYSREQ_EDOC_VERSION_EXPORT_DATE SYSREQ_EDOC_VERSION_EXPORTER SYSREQ_EDOC_VERSION_HIDDEN SYSREQ_EDOC_VERSION_LIFE_STAGE SYSREQ_EDOC_VERSION_MODIFIED SYSREQ_EDOC_VERSION_NOTE SYSREQ_EDOC_VERSION_SIGNATURE_TYPE SYSREQ_EDOC_VERSION_SIGNED SYSREQ_EDOC_VERSION_SIZE SYSREQ_EDOC_VERSION_SOURCE SYSREQ_EDOC_VERSION_TEXT_MODIFIED SYSREQ_EDOCKIND_DEFAULT_VERSION_STATE_CODE SYSREQ_FOLDER_KIND SYSREQ_FUNC_CATEGORY SYSREQ_FUNC_COMMENT SYSREQ_FUNC_GROUP SYSREQ_FUNC_GROUP_COMMENT SYSREQ_FUNC_GROUP_NUMBER SYSREQ_FUNC_HELP SYSREQ_FUNC_PARAM_DEF_VALUE SYSREQ_FUNC_PARAM_IDENT SYSREQ_FUNC_PARAM_NUMBER SYSREQ_FUNC_PARAM_TYPE SYSREQ_FUNC_TEXT SYSREQ_GROUP_CATEGORY SYSREQ_ID SYSREQ_LAST_UPDATE SYSREQ_LEADER_REFERENCE SYSREQ_LINE_NUMBER SYSREQ_MAIN_RECORD_ID SYSREQ_NAME SYSREQ_NAME_LOCALIZE_ID SYSREQ_NOTE SYSREQ_ORIGINAL_RECORD SYSREQ_OUR_FIRM SYSREQ_PROFILING_SETTINGS_BATCH_LOGING SYSREQ_PROFILING_SETTINGS_BATCH_SIZE SYSREQ_PROFILING_SETTINGS_PROFILING_ENABLED SYSREQ_PROFILING_SETTINGS_SQL_PROFILING_ENABLED SYSREQ_PROFILING_SETTINGS_START_LOGGED SYSREQ_RECORD_STATUS SYSREQ_REF_REQ_FIELD_NAME SYSREQ_REF_REQ_FORMAT SYSREQ_REF_REQ_GENERATED SYSREQ_REF_REQ_LENGTH SYSREQ_REF_REQ_PRECISION SYSREQ_REF_REQ_REFERENCE SYSREQ_REF_REQ_SECTION SYSREQ_REF_REQ_STORED SYSREQ_REF_REQ_TOKENS SYSREQ_REF_REQ_TYPE SYSREQ_REF_REQ_VIEW SYSREQ_REF_TYPE_ACT_CODE SYSREQ_REF_TYPE_ACT_DESCRIPTION SYSREQ_REF_TYPE_ACT_DESCRIPTION_LOCALIZE_ID SYSREQ_REF_TYPE_ACT_ON_EXECUTE SYSREQ_REF_TYPE_ACT_ON_EXECUTE_EXISTS SYSREQ_REF_TYPE_ACT_SECTION SYSREQ_REF_TYPE_ADD_PARAMS SYSREQ_REF_TYPE_COMMENT SYSREQ_REF_TYPE_COMMON_SETTINGS SYSREQ_REF_TYPE_DISPLAY_REQUISITE_NAME SYSREQ_REF_TYPE_EVENT_TEXT SYSREQ_REF_TYPE_MAIN_LEADING_REF SYSREQ_REF_TYPE_NAME_IN_SINGULAR SYSREQ_REF_TYPE_NAME_IN_SINGULAR_LOCALIZE_ID SYSREQ_REF_TYPE_NAME_LOCALIZE_ID SYSREQ_REF_TYPE_NUMERATION_METHOD SYSREQ_REF_TYPE_REQ_CODE SYSREQ_REF_TYPE_REQ_DESCRIPTION SYSREQ_REF_TYPE_REQ_DESCRIPTION_LOCALIZE_ID SYSREQ_REF_TYPE_REQ_IS_CONTROL SYSREQ_REF_TYPE_REQ_IS_FILTER SYSREQ_REF_TYPE_REQ_IS_LEADING SYSREQ_REF_TYPE_REQ_IS_REQUIRED SYSREQ_REF_TYPE_REQ_NUMBER SYSREQ_REF_TYPE_REQ_ON_CHANGE SYSREQ_REF_TYPE_REQ_ON_CHANGE_EXISTS SYSREQ_REF_TYPE_REQ_ON_SELECT SYSREQ_REF_TYPE_REQ_ON_SELECT_KIND SYSREQ_REF_TYPE_REQ_SECTION SYSREQ_REF_TYPE_VIEW_CARD SYSREQ_REF_TYPE_VIEW_CODE SYSREQ_REF_TYPE_VIEW_COMMENT SYSREQ_REF_TYPE_VIEW_IS_MAIN SYSREQ_REF_TYPE_VIEW_NAME SYSREQ_REF_TYPE_VIEW_NAME_LOCALIZE_ID SYSREQ_REFERENCE_TYPE_ID SYSREQ_STATE SYSREQ_STAT\u0415 SYSREQ_SYSTEM_SETTINGS_VALUE SYSREQ_TYPE SYSREQ_UNIT SYSREQ_UNIT_ID SYSREQ_USER_GROUPS_GROUP_FULL_NAME SYSREQ_USER_GROUPS_GROUP_NAME SYSREQ_USER_GROUPS_GROUP_SERVER_NAME SYSREQ_USERS_ACCESS_RIGHTS SYSREQ_USERS_AUTHENTICATION SYSREQ_USERS_CATEGORY SYSREQ_USERS_COMPONENT SYSREQ_USERS_COMPONENT_USER_IS_PUBLIC SYSREQ_USERS_DOMAIN SYSREQ_USERS_FULL_USER_NAME SYSREQ_USERS_GROUP SYSREQ_USERS_IS_MAIN_SERVER SYSREQ_USERS_LOGIN SYSREQ_USERS_REFERENCE_USER_IS_PUBLIC SYSREQ_USERS_STATUS SYSREQ_USERS_USER_CERTIFICATE SYSREQ_USERS_USER_CERTIFICATE_INFO SYSREQ_USERS_USER_CERTIFICATE_PLUGIN_NAME SYSREQ_USERS_USER_CERTIFICATE_PLUGIN_VERSION SYSREQ_USERS_USER_CERTIFICATE_STATE SYSREQ_USERS_USER_CERTIFICATE_SUBJECT_NAME SYSREQ_USERS_USER_CERTIFICATE_THUMBPRINT SYSREQ_USERS_USER_DEFAULT_CERTIFICATE SYSREQ_USERS_USER_DESCRIPTION SYSREQ_USERS_USER_GLOBAL_NAME SYSREQ_USERS_USER_LOGIN SYSREQ_USERS_USER_MAIN_SERVER SYSREQ_USERS_USER_TYPE SYSREQ_WORK_RULES_FOLDER_ID ",z="RESULT_VAR_NAME RESULT_VAR_NAME_ENG ",K="AUTO_NUMERATION_RULE_ID CANT_CHANGE_ID_REQUISITE_RULE_ID CANT_CHANGE_OURFIRM_REQUISITE_RULE_ID CHECK_CHANGING_REFERENCE_RECORD_USE_RULE_ID CHECK_CODE_REQUISITE_RULE_ID CHECK_DELETING_REFERENCE_RECORD_USE_RULE_ID CHECK_FILTRATER_CHANGES_RULE_ID CHECK_RECORD_INTERVAL_RULE_ID CHECK_REFERENCE_INTERVAL_RULE_ID CHECK_REQUIRED_DATA_FULLNESS_RULE_ID CHECK_REQUIRED_REQUISITES_FULLNESS_RULE_ID MAKE_RECORD_UNRATIFIED_RULE_ID RESTORE_AUTO_NUMERATION_RULE_ID SET_FIRM_CONTEXT_FROM_RECORD_RULE_ID SET_FIRST_RECORD_IN_LIST_FORM_RULE_ID SET_IDSPS_VALUE_RULE_ID SET_NEXT_CODE_VALUE_RULE_ID SET_OURFIRM_BOUNDS_RULE_ID SET_OURFIRM_REQUISITE_RULE_ID ",ue="SCRIPT_BLOCK_AFTER_FINISH_EVENT SCRIPT_BLOCK_BEFORE_START_EVENT SCRIPT_BLOCK_EXECUTION_RESULTS_PROPERTY SCRIPT_BLOCK_NAME_PROPERTY SCRIPT_BLOCK_SCRIPT_PROPERTY ",Z="SUBTASK_BLOCK_ABORT_DEADLINE_PROPERTY SUBTASK_BLOCK_AFTER_FINISH_EVENT SUBTASK_BLOCK_ASSIGN_PARAMS_EVENT SUBTASK_BLOCK_ATTACHMENTS_PROPERTY SUBTASK_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY SUBTASK_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY SUBTASK_BLOCK_BEFORE_START_EVENT SUBTASK_BLOCK_CREATED_TASK_PROPERTY SUBTASK_BLOCK_CREATION_EVENT SUBTASK_BLOCK_DEADLINE_PROPERTY SUBTASK_BLOCK_IMPORTANCE_PROPERTY SUBTASK_BLOCK_INITIATOR_PROPERTY SUBTASK_BLOCK_IS_RELATIVE_ABORT_DEADLINE_PROPERTY SUBTASK_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY SUBTASK_BLOCK_JOBS_TYPE_PROPERTY SUBTASK_BLOCK_NAME_PROPERTY SUBTASK_BLOCK_PARALLEL_ROUTE_PROPERTY SUBTASK_BLOCK_PERFORMERS_PROPERTY SUBTASK_BLOCK_RELATIVE_ABORT_DEADLINE_TYPE_PROPERTY SUBTASK_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY SUBTASK_BLOCK_REQUIRE_SIGN_PROPERTY SUBTASK_BLOCK_STANDARD_ROUTE_PROPERTY SUBTASK_BLOCK_START_EVENT SUBTASK_BLOCK_STEP_CONTROL_PROPERTY SUBTASK_BLOCK_SUBJECT_PROPERTY SUBTASK_BLOCK_TASK_CONTROL_PROPERTY SUBTASK_BLOCK_TEXT_PROPERTY SUBTASK_BLOCK_UNLOCK_ATTACHMENTS_ON_STOP_PROPERTY SUBTASK_BLOCK_USE_STANDARD_ROUTE_PROPERTY SUBTASK_BLOCK_WAIT_FOR_TASK_COMPLETE_PROPERTY ",fe="SYSCOMP_CONTROL_JOBS SYSCOMP_FOLDERS SYSCOMP_JOBS SYSCOMP_NOTICES SYSCOMP_TASKS ",V="SYSDLG_CREATE_EDOCUMENT SYSDLG_CREATE_EDOCUMENT_VERSION SYSDLG_CURRENT_PERIOD SYSDLG_EDIT_FUNCTION_HELP SYSDLG_EDOCUMENT_KINDS_FOR_TEMPLATE SYSDLG_EXPORT_MULTIPLE_EDOCUMENTS SYSDLG_EXPORT_SINGLE_EDOCUMENT SYSDLG_IMPORT_EDOCUMENT SYSDLG_MULTIPLE_SELECT SYSDLG_SETUP_ACCESS_RIGHTS SYSDLG_SETUP_DEFAULT_RIGHTS SYSDLG_SETUP_FILTER_CONDITION SYSDLG_SETUP_SIGN_RIGHTS SYSDLG_SETUP_TASK_OBSERVERS SYSDLG_SETUP_TASK_ROUTE SYSDLG_SETUP_USERS_LIST SYSDLG_SIGN_EDOCUMENT SYSDLG_SIGN_MULTIPLE_EDOCUMENTS ",ne="SYSREF_ACCESS_RIGHTS_TYPES SYSREF_ADMINISTRATION_HISTORY SYSREF_ALL_AVAILABLE_COMPONENTS SYSREF_ALL_AVAILABLE_PRIVILEGES SYSREF_ALL_REPLICATING_COMPONENTS SYSREF_AVAILABLE_DEVELOPERS_COMPONENTS SYSREF_CALENDAR_EVENTS SYSREF_COMPONENT_TOKEN_HISTORY SYSREF_COMPONENT_TOKENS SYSREF_COMPONENTS SYSREF_CONSTANTS SYSREF_DATA_RECEIVE_PROTOCOL SYSREF_DATA_SEND_PROTOCOL SYSREF_DIALOGS SYSREF_DIALOGS_REQUISITES SYSREF_EDITORS SYSREF_EDOC_CARDS SYSREF_EDOC_TYPES SYSREF_EDOCUMENT_CARD_REQUISITES SYSREF_EDOCUMENT_CARD_TYPES SYSREF_EDOCUMENT_CARD_TYPES_REFERENCE SYSREF_EDOCUMENT_CARDS SYSREF_EDOCUMENT_HISTORY SYSREF_EDOCUMENT_KINDS SYSREF_EDOCUMENT_REQUISITES SYSREF_EDOCUMENT_SIGNATURES SYSREF_EDOCUMENT_TEMPLATES SYSREF_EDOCUMENT_TEXT_STORAGES SYSREF_EDOCUMENT_VIEWS SYSREF_FILTERER_SETUP_CONFLICTS SYSREF_FILTRATER_SETTING_CONFLICTS SYSREF_FOLDER_HISTORY SYSREF_FOLDERS SYSREF_FUNCTION_GROUPS SYSREF_FUNCTION_PARAMS SYSREF_FUNCTIONS SYSREF_JOB_HISTORY SYSREF_LINKS SYSREF_LOCALIZATION_DICTIONARY SYSREF_LOCALIZATION_LANGUAGES SYSREF_MODULES SYSREF_PRIVILEGES SYSREF_RECORD_HISTORY SYSREF_REFERENCE_REQUISITES SYSREF_REFERENCE_TYPE_VIEWS SYSREF_REFERENCE_TYPES SYSREF_REFERENCES SYSREF_REFERENCES_REQUISITES SYSREF_REMOTE_SERVERS SYSREF_REPLICATION_SESSIONS_LOG SYSREF_REPLICATION_SESSIONS_PROTOCOL SYSREF_REPORTS SYSREF_ROLES SYSREF_ROUTE_BLOCK_GROUPS SYSREF_ROUTE_BLOCKS SYSREF_SCRIPTS SYSREF_SEARCHES SYSREF_SERVER_EVENTS SYSREF_SERVER_EVENTS_HISTORY SYSREF_STANDARD_ROUTE_GROUPS SYSREF_STANDARD_ROUTES SYSREF_STATUSES SYSREF_SYSTEM_SETTINGS SYSREF_TASK_HISTORY SYSREF_TASK_KIND_GROUPS SYSREF_TASK_KINDS SYSREF_TASK_RIGHTS SYSREF_TASK_SIGNATURES SYSREF_TASKS SYSREF_UNITS SYSREF_USER_GROUPS SYSREF_USER_GROUPS_REFERENCE SYSREF_USER_SUBSTITUTION SYSREF_USERS SYSREF_USERS_REFERENCE SYSREF_VIEWERS SYSREF_WORKING_TIME_CALENDARS ",te="ACCESS_RIGHTS_TABLE_NAME EDMS_ACCESS_TABLE_NAME EDOC_TYPES_TABLE_NAME ",G="TEST_DEV_DB_NAME TEST_DEV_SYSTEM_CODE TEST_EDMS_DB_NAME TEST_EDMS_MAIN_CODE TEST_EDMS_MAIN_DB_NAME TEST_EDMS_SECOND_CODE TEST_EDMS_SECOND_DB_NAME TEST_EDMS_SYSTEM_CODE TEST_ISB5_MAIN_CODE TEST_ISB5_SECOND_CODE TEST_SQL_SERVER_2005_NAME TEST_SQL_SERVER_NAME ",se="ATTENTION_CAPTION cbsCommandLinks cbsDefault CONFIRMATION_CAPTION ERROR_CAPTION INFORMATION_CAPTION mrCancel mrOk ",ve="EDOC_VERSION_ACTIVE_STAGE_CODE EDOC_VERSION_DESIGN_STAGE_CODE EDOC_VERSION_OBSOLETE_STAGE_CODE ",Ge="cpDataEnciphermentEnabled cpDigitalSignatureEnabled cpID cpIssuer cpPluginVersion cpSerial cpSubjectName cpSubjSimpleName cpValidFromDate cpValidToDate ",oe="ISBL_SYNTAX NO_SYNTAX XML_SYNTAX ",W="WAIT_BLOCK_AFTER_FINISH_EVENT WAIT_BLOCK_BEFORE_START_EVENT WAIT_BLOCK_DEADLINE_PROPERTY WAIT_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY WAIT_BLOCK_NAME_PROPERTY WAIT_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY ",Oe="SYSRES_COMMON SYSRES_CONST SYSRES_MBFUNC SYSRES_SBDATA SYSRES_SBGUI SYSRES_SBINTF SYSRES_SBREFDSC SYSRES_SQLERRORS SYSRES_SYSCOMP ",tt=o+l+u+c+d+S+_+E+T+y+M+v+A+O+N+R+L+I+h+k+F+z+K+ue+Z+fe+V+ne+te+G+se+ve+Ge+oe+W+Oe,rt="atUser atGroup atRole ",bt="aemEnabledAlways aemDisabledAlways aemEnabledOnBrowse aemEnabledOnEdit aemDisabledOnBrowseEmpty ",dt="apBegin apEnd ",ct="alLeft alRight ",Ze="asmNever asmNoButCustomize asmAsLastTime asmYesButCustomize asmAlways ",nt="cirCommon cirRevoked ",ce="ctSignature ctEncode ctSignatureEncode ",Ee="clbUnchecked clbChecked clbGrayed ",He="ceISB ceAlways ceNever ",we="ctDocument ctReference ctScript ctUnknown ctReport ctDialog ctFunction ctFolder ctEDocument ctTask ctJob ctNotice ctControlJob ",ze="cfInternal cfDisplay ",pe="ciUnspecified ciWrite ciRead ",Re="ckFolder ckEDocument ckTask ckJob ckComponentToken ckAny ckReference ckScript ckReport ckDialog ",Ne="ctISBLEditor ctBevel ctButton ctCheckListBox ctComboBox ctComboEdit ctGrid ctDBCheckBox ctDBComboBox ctDBEdit ctDBEllipsis ctDBMemo ctDBNavigator ctDBRadioGroup ctDBStatusLabel ctEdit ctGroupBox ctInplaceHint ctMemo ctPanel ctListBox ctRadioButton ctRichEdit ctTabSheet ctWebBrowser ctImage ctHyperLink ctLabel ctDBMultiEllipsis ctRibbon ctRichView ctInnerPanel ctPanelGroup ctBitButton ",Ie="cctDate cctInteger cctNumeric cctPick cctReference cctString cctText ",Ue="cltInternal cltPrimary cltGUI ",Ve="dseBeforeOpen dseAfterOpen dseBeforeClose dseAfterClose dseOnValidDelete dseBeforeDelete dseAfterDelete dseAfterDeleteOutOfTransaction dseOnDeleteError dseBeforeInsert dseAfterInsert dseOnValidUpdate dseBeforeUpdate dseOnUpdateRatifiedRecord dseAfterUpdate dseAfterUpdateOutOfTransaction dseOnUpdateError dseAfterScroll dseOnOpenRecord dseOnCloseRecord dseBeforeCancel dseAfterCancel dseOnUpdateDeadlockError dseBeforeDetailUpdate dseOnPrepareUpdate dseOnAnyRequisiteChange ",lt="dssEdit dssInsert dssBrowse dssInActive ",ge="dftDate dftShortDate dftDateTime dftTimeStamp ",de="dotDays dotHours dotMinutes dotSeconds ",be="dtkndLocal dtkndUTC ",H="arNone arView arEdit arFull ",ee="ddaView ddaEdit ",_e="emLock emEdit emSign emExportWithLock emImportWithUnlock emChangeVersionNote emOpenForModify emChangeLifeStage emDelete emCreateVersion emImport emUnlockExportedWithLock emStart emAbort emReInit emMarkAsReaded emMarkAsUnreaded emPerform emAccept emResume emChangeRights emEditRoute emEditObserver emRecoveryFromLocalCopy emChangeWorkAccessType emChangeEncodeTypeToCertificate emChangeEncodeTypeToPassword emChangeEncodeTypeToNone emChangeEncodeTypeToCertificatePassword emChangeStandardRoute emGetText emOpenForView emMoveToStorage emCreateObject emChangeVersionHidden emDeleteVersion emChangeLifeCycleStage emApprovingSign emExport emContinue emLockFromEdit emUnLockForEdit emLockForServer emUnlockFromServer emDelegateAccessRights emReEncode ",U="ecotFile ecotProcess ",Q="eaGet eaCopy eaCreate eaCreateStandardRoute ",he="edltAll edltNothing edltQuery ",Le="essmText essmCard ",Xe="esvtLast esvtLastActive esvtSpecified ",je="edsfExecutive edsfArchive ",at="edstSQLServer edstFile ",ke="edvstNone edvstEDocumentVersionCopy edvstFile edvstTemplate edvstScannedFile ",$e="vsDefault vsDesign vsActive vsObsolete ",De="etNone etCertificate etPassword etCertificatePassword ",pt="ecException ecWarning ecInformation ",_t="estAll estApprovingOnly ",wt="evtLast evtLastActive evtQuery ",Lt="fdtString fdtNumeric fdtInteger fdtDate fdtText fdtUnknown fdtWideString fdtLargeInteger ",cn="ftInbox ftOutbox ftFavorites ftCommonFolder ftUserFolder ftComponents ftQuickLaunch ftShortcuts ftSearch ",Xt="grhAuto grhX1 grhX2 grhX3 ",an="hltText hltRTF hltHTML ",Zt="iffBMP iffJPEG iffMultiPageTIFF iffSinglePageTIFF iffTIFF iffPNG ",Sr="im8bGrayscale im24bRGB im1bMonochrome ",Qn="itBMP itJPEG itWMF itPNG ",wn="ikhInformation ikhWarning ikhError ikhNoIcon ",Wn="icUnknown icScript icFunction icIntegratedReport icAnalyticReport icDataSetEventHandler icActionHandler icFormEventHandler icLookUpEventHandler icRequisiteChangeEventHandler icBeforeSearchEventHandler icRoleCalculation icSelectRouteEventHandler icBlockPropertyCalculation icBlockQueryParamsEventHandler icChangeSearchResultEventHandler icBlockEventHandler icSubTaskInitEventHandler icEDocDataSetEventHandler icEDocLookUpEventHandler icEDocActionHandler icEDocFormEventHandler icEDocRequisiteChangeEventHandler icStructuredConversionRule icStructuredConversionEventBefore icStructuredConversionEventAfter icWizardEventHandler icWizardFinishEventHandler icWizardStepEventHandler icWizardStepFinishEventHandler icWizardActionEnableEventHandler icWizardActionExecuteEventHandler icCreateJobsHandler icCreateNoticesHandler icBeforeLookUpEventHandler icAfterLookUpEventHandler icTaskAbortEventHandler icWorkflowBlockActionHandler icDialogDataSetEventHandler icDialogActionHandler icDialogLookUpEventHandler icDialogRequisiteChangeEventHandler icDialogFormEventHandler icDialogValidCloseEventHandler icBlockFormEventHandler icTaskFormEventHandler icReferenceMethod icEDocMethod icDialogMethod icProcessMessageHandler ",Jn="isShow isHide isByUserSettings ",Oa="jkJob jkNotice jkControlJob ",Ai="jtInner jtLeft jtRight jtFull jtCross ",Oo="lbpAbove lbpBelow lbpLeft lbpRight ",ja="eltPerConnection eltPerUser ",ps="sfcUndefined sfcBlack sfcGreen sfcRed sfcBlue sfcOrange sfcLilac ",Pr="sfsItalic sfsStrikeout sfsNormal ",ur="ldctStandardRoute ldctWizard ldctScript ldctFunction ldctRouteBlock ldctIntegratedReport ldctAnalyticReport ldctReferenceType ldctEDocumentType ldctDialog ldctServerEvents ",ii="mrcrtNone mrcrtUser mrcrtMaximal mrcrtCustom ",Gi="vtEqual vtGreaterOrEqual vtLessOrEqual vtRange ",Xa="rdYesterday rdToday rdTomorrow rdThisWeek rdThisMonth rdThisYear rdNextMonth rdNextWeek rdLastWeek rdLastMonth ",ai="rdWindow rdFile rdPrinter ",oi="rdtString rdtNumeric rdtInteger rdtDate rdtReference rdtAccount rdtText rdtPick rdtUnknown rdtLargeInteger rdtDocument ",Ra="reOnChange reOnChangeValues ",aa="ttGlobal ttLocal ttUser ttSystem ",Oi="ssmBrowse ssmSelect ssmMultiSelect ssmBrowseModal ",oa="smSelect smLike smCard ",Ri="stNone stAuthenticating stApproving ",Hi="sctString sctStream ",br="sstAnsiSort sstNaturalSort ",sa="svtEqual svtContain ",Ni="soatString soatNumeric soatInteger soatDatetime soatReferenceRecord soatText soatPick soatBoolean soatEDocument soatAccount soatIntegerCollection soatNumericCollection soatStringCollection soatPickCollection soatDatetimeCollection soatBooleanCollection soatReferenceRecordCollection soatEDocumentCollection soatAccountCollection soatContents soatUnknown ",bn="tarAbortByUser tarAbortByWorkflowException ",Mt="tvtAllWords tvtExactPhrase tvtAnyWord ",Fr="usNone usCompleted usRedSquare usBlueSquare usYellowSquare usGreenSquare usOrangeSquare usPurpleSquare usFollowUp ",Na="utUnknown utUser utDeveloper utAdministrator utSystemDeveloper utDisconnected ",cr="btAnd btDetailAnd btOr btNotOr btOnly ",un="vmView vmSelect vmNavigation ",Br="vsmSingle vsmMultiple vsmMultipleCheck vsmNoSelection ",si="wfatPrevious wfatNext wfatCancel wfatFinish ",Ia="wfepUndefined wfepText3 wfepText6 wfepText9 wfepSpinEdit wfepDropDown wfepRadioGroup wfepFlag wfepText12 wfepText15 wfepText18 wfepText21 wfepText24 wfepText27 wfepText30 wfepRadioGroupColumn1 wfepRadioGroupColumn2 wfepRadioGroupColumn3 ",st="wfetQueryParameter wfetText wfetDelimiter wfetLabel ",Bt="wptString wptInteger wptNumeric wptBoolean wptDateTime wptPick wptText wptUser wptUserList wptEDocumentInfo wptEDocumentInfoList wptReferenceRecordInfo wptReferenceRecordInfoList wptFolderInfo wptTaskInfo wptContents wptFileName wptDate ",qi="wsrComplete wsrGoNext wsrGoPrevious wsrCustom wsrCancel wsrGoFinal ",la="wstForm wstEDocument wstTaskCard wstReferenceRecordCard wstFinal ",Yi="waAll waPerformers waManual ",Wi="wsbStart wsbFinish wsbNotice wsbStep wsbDecision wsbWait wsbMonitor wsbScript wsbConnector wsbSubTask wsbLifeCycleStage wsbPause ",Za="wdtInteger wdtFloat wdtString wdtPick wdtDateTime wdtBoolean wdtTask wdtJob wdtFolder wdtEDocument wdtReferenceRecord wdtUser wdtGroup wdtRole wdtIntegerCollection wdtFloatCollection wdtStringCollection wdtPickCollection wdtDateTimeCollection wdtBooleanCollection wdtTaskCollection wdtJobCollection wdtFolderCollection wdtEDocumentCollection wdtReferenceRecordCollection wdtUserCollection wdtGroupCollection wdtRoleCollection wdtContents wdtUserList wdtSearchDescription wdtDeadLine wdtPickSet wdtAccountCollection ",Ht="wiLow wiNormal wiHigh ",Ro="wrtSoft wrtHard ",No="wsInit wsRunning wsDone wsControlled wsAborted wsContinued ",Da="wtmFull wtmFromCurrent wtmOnlyCurrent ",Cn=rt+bt+dt+ct+Ze+nt+ce+Ee+He+we+ze+pe+Re+Ne+Ie+Ue+Ve+lt+ge+de+be+H+ee+_e+U+Q+he+Le+Xe+je+at+ke+$e+De+pt+_t+wt+Lt+cn+Xt+an+Zt+Sr+Qn+wn+Wn+Jn+Oa+Ai+Oo+ja+ps+Pr+ur+ii+Gi+Xa+ai+oi+Ra+aa+Oi+oa+Ri+Hi+br+sa+Ni+bn+Mt+Fr+Na+cr+un+Br+si+Ia+st+Bt+qi+la+Yi+Wi+Za+Ht+Ro+No+Da,Ja="AddSubString AdjustLineBreaks AmountInWords Analysis ArrayDimCount ArrayHighBound ArrayLowBound ArrayOf ArrayReDim Assert Assigned BeginOfMonth BeginOfPeriod BuildProfilingOperationAnalysis CallProcedure CanReadFile CArrayElement CDataSetRequisite ChangeDate ChangeReferenceDataset Char CharPos CheckParam CheckParamValue CompareStrings ConstantExists ControlState ConvertDateStr Copy CopyFile CreateArray CreateCachedReference CreateConnection CreateDialog CreateDualListDialog CreateEditor CreateException CreateFile CreateFolderDialog CreateInputDialog CreateLinkFile CreateList CreateLock CreateMemoryDataSet CreateObject CreateOpenDialog CreateProgress CreateQuery CreateReference CreateReport CreateSaveDialog CreateScript CreateSQLPivotFunction CreateStringList CreateTreeListSelectDialog CSelectSQL CSQL CSubString CurrentUserID CurrentUserName CurrentVersion DataSetLocateEx DateDiff DateTimeDiff DateToStr DayOfWeek DeleteFile DirectoryExists DisableCheckAccessRights DisableCheckFullShowingRestriction DisableMassTaskSendingRestrictions DropTable DupeString EditText EnableCheckAccessRights EnableCheckFullShowingRestriction EnableMassTaskSendingRestrictions EndOfMonth EndOfPeriod ExceptionExists ExceptionsOff ExceptionsOn Execute ExecuteProcess Exit ExpandEnvironmentVariables ExtractFileDrive ExtractFileExt ExtractFileName ExtractFilePath ExtractParams FileExists FileSize FindFile FindSubString FirmContext ForceDirectories Format FormatDate FormatNumeric FormatSQLDate FormatString FreeException GetComponent GetComponentLaunchParam GetConstant GetLastException GetReferenceRecord GetRefTypeByRefID GetTableID GetTempFolder IfThen In IndexOf InputDialog InputDialogEx InteractiveMode IsFileLocked IsGraphicFile IsNumeric Length LoadString LoadStringFmt LocalTimeToUTC LowerCase Max MessageBox MessageBoxEx MimeDecodeBinary MimeDecodeString MimeEncodeBinary MimeEncodeString Min MoneyInWords MoveFile NewID Now OpenFile Ord Precision Raise ReadCertificateFromFile ReadFile ReferenceCodeByID ReferenceNumber ReferenceRequisiteMode ReferenceRequisiteValue RegionDateSettings RegionNumberSettings RegionTimeSettings RegRead RegWrite RenameFile Replace Round SelectServerCode SelectSQL ServerDateTime SetConstant SetManagedFolderFieldsState ShowConstantsInputDialog ShowMessage Sleep Split SQL SQL2XLSTAB SQLProfilingSendReport StrToDate SubString SubStringCount SystemSetting Time TimeDiff Today Transliterate Trim UpperCase UserStatus UTCToLocalTime ValidateXML VarIsClear VarIsEmpty VarIsNull WorkTimeDiff WriteFile WriteFileEx WriteObjectHistory \u0410\u043D\u0430\u043B\u0438\u0437 \u0411\u0430\u0437\u0430\u0414\u0430\u043D\u043D\u044B\u0445 \u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C \u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C\u0420\u0430\u0441\u0448 \u0411\u043B\u043E\u043A\u0418\u043D\u0444\u043E \u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C \u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C\u0420\u0430\u0441\u0448 \u0411\u043B\u043E\u043A\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0412\u0432\u043E\u0434 \u0412\u0432\u043E\u0434\u041C\u0435\u043D\u044E \u0412\u0435\u0434\u0421 \u0412\u0435\u0434\u0421\u043F\u0440 \u0412\u0435\u0440\u0445\u043D\u044F\u044F\u0413\u0440\u0430\u043D\u0438\u0446\u0430\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u0412\u043D\u0435\u0448\u041F\u0440\u043E\u0433\u0440 \u0412\u043E\u0441\u0441\u0442 \u0412\u0440\u0435\u043C\u0435\u043D\u043D\u0430\u044F\u041F\u0430\u043F\u043A\u0430 \u0412\u0440\u0435\u043C\u044F \u0412\u044B\u0431\u043E\u0440SQL \u0412\u044B\u0431\u0440\u0430\u0442\u044C\u0417\u0430\u043F\u0438\u0441\u044C \u0412\u044B\u0434\u0435\u043B\u0438\u0442\u044C\u0421\u0442\u0440 \u0412\u044B\u0437\u0432\u0430\u0442\u044C \u0412\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C \u0412\u044B\u043F\u041F\u0440\u043E\u0433\u0440 \u0413\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0438\u0439\u0424\u0430\u0439\u043B \u0413\u0440\u0443\u043F\u043F\u0430\u0414\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E \u0414\u0430\u0442\u0430\u0412\u0440\u0435\u043C\u044F\u0421\u0435\u0440\u0432 \u0414\u0435\u043D\u044C\u041D\u0435\u0434\u0435\u043B\u0438 \u0414\u0438\u0430\u043B\u043E\u0433\u0414\u0430\u041D\u0435\u0442 \u0414\u043B\u0438\u043D\u0430\u0421\u0442\u0440 \u0414\u043E\u0431\u041F\u043E\u0434\u0441\u0442\u0440 \u0415\u041F\u0443\u0441\u0442\u043E \u0415\u0441\u043B\u0438\u0422\u043E \u0415\u0427\u0438\u0441\u043B\u043E \u0417\u0430\u043C\u041F\u043E\u0434\u0441\u0442\u0440 \u0417\u0430\u043F\u0438\u0441\u044C\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u0417\u043D\u0430\u0447\u041F\u043E\u043B\u044F\u0421\u043F\u0440 \u0418\u0414\u0422\u0438\u043F\u0421\u043F\u0440 \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0414\u0438\u0441\u043A \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0418\u043C\u044F\u0424\u0430\u0439\u043B\u0430 \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u041F\u0443\u0442\u044C \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435 \u0418\u0437\u043C\u0414\u0430\u0442 \u0418\u0437\u043C\u0435\u043D\u0438\u0442\u044C\u0420\u0430\u0437\u043C\u0435\u0440\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u0418\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u0418\u043C\u044F\u041E\u0440\u0433 \u0418\u043C\u044F\u041F\u043E\u043B\u044F\u0421\u043F\u0440 \u0418\u043D\u0434\u0435\u043A\u0441 \u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0417\u0430\u043A\u0440\u044B\u0442\u044C \u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0428\u0430\u0433 \u0418\u043D\u0442\u0435\u0440\u0430\u043A\u0442\u0438\u0432\u043D\u044B\u0439\u0420\u0435\u0436\u0438\u043C \u0418\u0442\u043E\u0433\u0422\u0431\u043B\u0421\u043F\u0440 \u041A\u043E\u0434\u0412\u0438\u0434\u0412\u0435\u0434\u0421\u043F\u0440 \u041A\u043E\u0434\u0412\u0438\u0434\u0421\u043F\u0440\u041F\u043E\u0418\u0414 \u041A\u043E\u0434\u041F\u043EAnalit \u041A\u043E\u0434\u0421\u0438\u043C\u0432\u043E\u043B\u0430 \u041A\u043E\u0434\u0421\u043F\u0440 \u041A\u043E\u043B\u041F\u043E\u0434\u0441\u0442\u0440 \u041A\u043E\u043B\u041F\u0440\u043E\u043F \u041A\u043E\u043D\u041C\u0435\u0441 \u041A\u043E\u043D\u0441\u0442 \u041A\u043E\u043D\u0441\u0442\u0415\u0441\u0442\u044C \u041A\u043E\u043D\u0441\u0442\u0417\u043D\u0430\u0447 \u041A\u043E\u043D\u0422\u0440\u0430\u043D \u041A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0424\u0430\u0439\u043B \u041A\u043E\u043F\u0438\u044F\u0421\u0442\u0440 \u041A\u041F\u0435\u0440\u0438\u043E\u0434 \u041A\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u041C\u0430\u043A\u0441 \u041C\u0430\u043A\u0441\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u041C\u0430\u0441\u0441\u0438\u0432 \u041C\u0435\u043D\u044E \u041C\u0435\u043D\u044E\u0420\u0430\u0441\u0448 \u041C\u0438\u043D \u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445\u041D\u0430\u0439\u0442\u0438\u0420\u0430\u0441\u0448 \u041D\u0430\u0438\u043C\u0412\u0438\u0434\u0421\u043F\u0440 \u041D\u0430\u0438\u043C\u041F\u043EAnalit \u041D\u0430\u0438\u043C\u0421\u043F\u0440 \u041D\u0430\u0441\u0442\u0440\u043E\u0438\u0442\u044C\u041F\u0435\u0440\u0435\u0432\u043E\u0434\u044B\u0421\u0442\u0440\u043E\u043A \u041D\u0430\u0447\u041C\u0435\u0441 \u041D\u0430\u0447\u0422\u0440\u0430\u043D \u041D\u0438\u0436\u043D\u044F\u044F\u0413\u0440\u0430\u043D\u0438\u0446\u0430\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u041D\u043E\u043C\u0435\u0440\u0421\u043F\u0440 \u041D\u041F\u0435\u0440\u0438\u043E\u0434 \u041E\u043A\u043D\u043E \u041E\u043A\u0440 \u041E\u043A\u0440\u0443\u0436\u0435\u043D\u0438\u0435 \u041E\u0442\u043B\u0418\u043D\u0444\u0414\u043E\u0431\u0430\u0432\u0438\u0442\u044C \u041E\u0442\u043B\u0418\u043D\u0444\u0423\u0434\u0430\u043B\u0438\u0442\u044C \u041E\u0442\u0447\u0435\u0442 \u041E\u0442\u0447\u0435\u0442\u0410\u043D\u0430\u043B \u041E\u0442\u0447\u0435\u0442\u0418\u043D\u0442 \u041F\u0430\u043F\u043A\u0430\u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u0435\u0442 \u041F\u0430\u0443\u0437\u0430 \u041F\u0412\u044B\u0431\u043E\u0440SQL \u041F\u0435\u0440\u0435\u0438\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u044C\u0424\u0430\u0439\u043B \u041F\u0435\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0435 \u041F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0424\u0430\u0439\u043B \u041F\u043E\u0434\u0441\u0442\u0440 \u041F\u043E\u0438\u0441\u043A\u041F\u043E\u0434\u0441\u0442\u0440 \u041F\u043E\u0438\u0441\u043A\u0421\u0442\u0440 \u041F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0418\u0414\u0422\u0430\u0431\u043B\u0438\u0446\u044B \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0414\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0418\u0414 \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0418\u043C\u044F \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0421\u0442\u0430\u0442\u0443\u0441 \u041F\u0440\u0435\u0440\u0432\u0430\u0442\u044C \u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u041F\u0430\u0440\u0430\u043C\u0435\u0442\u0440 \u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u041F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0417\u043D\u0430\u0447 \u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u0423\u0441\u043B\u043E\u0432\u0438\u0435 \u0420\u0430\u0437\u0431\u0421\u0442\u0440 \u0420\u0430\u0437\u043D\u0412\u0440\u0435\u043C\u044F \u0420\u0430\u0437\u043D\u0414\u0430\u0442 \u0420\u0430\u0437\u043D\u0414\u0430\u0442\u0430\u0412\u0440\u0435\u043C\u044F \u0420\u0430\u0437\u043D\u0420\u0430\u0431\u0412\u0440\u0435\u043C\u044F \u0420\u0435\u0433\u0423\u0441\u0442\u0412\u0440\u0435\u043C \u0420\u0435\u0433\u0423\u0441\u0442\u0414\u0430\u0442 \u0420\u0435\u0433\u0423\u0441\u0442\u0427\u0441\u043B \u0420\u0435\u0434\u0422\u0435\u043A\u0441\u0442 \u0420\u0435\u0435\u0441\u0442\u0440\u0417\u0430\u043F\u0438\u0441\u044C \u0420\u0435\u0435\u0441\u0442\u0440\u0421\u043F\u0438\u0441\u043E\u043A\u0418\u043C\u0435\u043D\u041F\u0430\u0440\u0430\u043C \u0420\u0435\u0435\u0441\u0442\u0440\u0427\u0442\u0435\u043D\u0438\u0435 \u0420\u0435\u043A\u0432\u0421\u043F\u0440 \u0420\u0435\u043A\u0432\u0421\u043F\u0440\u041F\u0440 \u0421\u0435\u0433\u043E\u0434\u043D\u044F \u0421\u0435\u0439\u0447\u0430\u0441 \u0421\u0435\u0440\u0432\u0435\u0440 \u0421\u0435\u0440\u0432\u0435\u0440\u041F\u0440\u043E\u0446\u0435\u0441\u0441\u0418\u0414 \u0421\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0424\u0430\u0439\u043B\u0421\u0447\u0438\u0442\u0430\u0442\u044C \u0421\u0436\u041F\u0440\u043E\u0431 \u0421\u0438\u043C\u0432\u043E\u043B \u0421\u0438\u0441\u0442\u0435\u043C\u0430\u0414\u0438\u0440\u0435\u043A\u0442\u0443\u043C\u041A\u043E\u0434 \u0421\u0438\u0441\u0442\u0435\u043C\u0430\u0418\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F \u0421\u0438\u0441\u0442\u0435\u043C\u0430\u041A\u043E\u0434 \u0421\u043E\u0434\u0435\u0440\u0436\u0438\u0442 \u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0417\u0430\u043A\u0440\u044B\u0442\u044C \u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0412\u044B\u0431\u043E\u0440\u0430\u0418\u0437\u0414\u0432\u0443\u0445\u0421\u043F\u0438\u0441\u043A\u043E\u0432 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0412\u044B\u0431\u043E\u0440\u0430\u041F\u0430\u043F\u043A\u0438 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u041E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0424\u0430\u0439\u043B\u0430 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0421\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u0424\u0430\u0439\u043B\u0430 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0417\u0430\u043F\u0440\u043E\u0441 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0418\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041A\u044D\u0448\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041C\u0430\u0441\u0441\u0438\u0432 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041E\u0431\u044A\u0435\u043A\u0442 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041E\u0442\u0447\u0435\u0442 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041F\u0430\u043F\u043A\u0443 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0420\u0435\u0434\u0430\u043A\u0442\u043E\u0440 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0438\u0441\u043E\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0438\u0441\u043E\u043A\u0421\u0442\u0440\u043E\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439 \u0421\u043E\u0437\u0434\u0421\u043F\u0440 \u0421\u043E\u0441\u0442\u0421\u043F\u0440 \u0421\u043E\u0445\u0440 \u0421\u043E\u0445\u0440\u0421\u043F\u0440 \u0421\u043F\u0438\u0441\u043E\u043A\u0421\u0438\u0441\u0442\u0435\u043C \u0421\u043F\u0440 \u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C\u0420\u0430\u0441\u0448 \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0421\u043F\u0440\u0418\u0437\u043C\u041D\u0430\u0431\u0414\u0430\u043D \u0421\u043F\u0440\u041A\u043E\u0434 \u0421\u043F\u0440\u041D\u043E\u043C\u0435\u0440 \u0421\u043F\u0440\u041E\u0431\u043D\u043E\u0432\u0438\u0442\u044C \u0421\u043F\u0440\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0421\u043F\u0440\u041E\u0442\u043C\u0435\u043D\u0438\u0442\u044C \u0421\u043F\u0440\u041F\u0430\u0440\u0430\u043C \u0421\u043F\u0440\u041F\u043E\u043B\u0435\u0417\u043D\u0430\u0447 \u0421\u043F\u0440\u041F\u043E\u043B\u0435\u0418\u043C\u044F \u0421\u043F\u0440\u0420\u0435\u043A\u0432 \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0412\u0432\u0435\u0434\u0417\u043D \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041D\u043E\u0432\u044B\u0435 \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041F\u0440 \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041F\u0440\u0435\u0434\u0417\u043D \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0420\u0435\u0436\u0438\u043C \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0422\u0438\u043F\u0422\u0435\u043A\u0441\u0442 \u0421\u043F\u0440\u0421\u043E\u0437\u0434\u0430\u0442\u044C \u0421\u043F\u0440\u0421\u043E\u0441\u0442 \u0421\u043F\u0440\u0421\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C \u0421\u043F\u0440\u0422\u0431\u043B\u0418\u0442\u043E\u0433 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041A\u043E\u043B \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041C\u0430\u043A\u0441 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041C\u0438\u043D \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041F\u0440\u0435\u0434 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0421\u043B\u0435\u0434 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0421\u043E\u0437\u0434 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0423\u0434 \u0421\u043F\u0440\u0422\u0435\u043A\u041F\u0440\u0435\u0434\u0441\u0442 \u0421\u043F\u0440\u0423\u0434\u0430\u043B\u0438\u0442\u044C \u0421\u0440\u0430\u0432\u043D\u0438\u0442\u044C\u0421\u0442\u0440 \u0421\u0442\u0440\u0412\u0435\u0440\u0445\u0420\u0435\u0433\u0438\u0441\u0442\u0440 \u0421\u0442\u0440\u041D\u0438\u0436\u043D\u0420\u0435\u0433\u0438\u0441\u0442\u0440 \u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u0421\u0443\u043C\u041F\u0440\u043E\u043F \u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439 \u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439\u041F\u0430\u0440\u0430\u043C \u0422\u0435\u043A\u0412\u0435\u0440\u0441\u0438\u044F \u0422\u0435\u043A\u041E\u0440\u0433 \u0422\u043E\u0447\u043D \u0422\u0440\u0430\u043D \u0422\u0440\u0430\u043D\u0441\u043B\u0438\u0442\u0435\u0440\u0430\u0446\u0438\u044F \u0423\u0434\u0430\u043B\u0438\u0442\u044C\u0422\u0430\u0431\u043B\u0438\u0446\u0443 \u0423\u0434\u0430\u043B\u0438\u0442\u044C\u0424\u0430\u0439\u043B \u0423\u0434\u0421\u043F\u0440 \u0423\u0434\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u0423\u0441\u0442 \u0423\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438\u041A\u043E\u043D\u0441\u0442\u0430\u043D\u0442 \u0424\u0430\u0439\u043B\u0410\u0442\u0440\u0438\u0431\u0443\u0442\u0421\u0447\u0438\u0442\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0410\u0442\u0440\u0438\u0431\u0443\u0442\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0424\u0430\u0439\u043B\u0412\u0440\u0435\u043C\u044F \u0424\u0430\u0439\u043B\u0412\u0440\u0435\u043C\u044F\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0424\u0430\u0439\u043B\u0412\u044B\u0431\u0440\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0417\u0430\u043D\u044F\u0442 \u0424\u0430\u0439\u043B\u0417\u0430\u043F\u0438\u0441\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0418\u0441\u043A\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041C\u043E\u0436\u043D\u043E\u0427\u0438\u0442\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u0438\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0435\u0442\u044C \u0424\u0430\u0439\u043B\u0420\u0430\u0437\u043C\u0435\u0440 \u0424\u0430\u0439\u043B\u0421\u043E\u0437\u0434\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0421\u0441\u044B\u043B\u043A\u0430\u0421\u043E\u0437\u0434\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u0435\u0442 \u0424\u0430\u0439\u043B\u0421\u0447\u0438\u0442\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0423\u0434\u0430\u043B\u0438\u0442\u044C \u0424\u043C\u0442SQL\u0414\u0430\u0442 \u0424\u043C\u0442\u0414\u0430\u0442 \u0424\u043C\u0442\u0421\u0442\u0440 \u0424\u043C\u0442\u0427\u0441\u043B \u0424\u043E\u0440\u043C\u0430\u0442 \u0426\u041C\u0430\u0441\u0441\u0438\u0432\u042D\u043B\u0435\u043C\u0435\u043D\u0442 \u0426\u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445\u0420\u0435\u043A\u0432\u0438\u0437\u0438\u0442 \u0426\u041F\u043E\u0434\u0441\u0442\u0440 ",Vi="AltState Application CallType ComponentTokens CreatedJobs CreatedNotices ControlState DialogResult Dialogs EDocuments EDocumentVersionSource Folders GlobalIDs Job Jobs InputValue LookUpReference LookUpRequisiteNames LookUpSearch Object ParentComponent Processes References Requisite ReportName Reports Result Scripts Searches SelectedAttachments SelectedItems SelectMode Sender ServerEvents ServiceFactory ShiftState SubTask SystemDialogs Tasks Wizard Wizards Work \u0412\u044B\u0437\u043E\u0432\u0421\u043F\u043E\u0441\u043E\u0431 \u0418\u043C\u044F\u041E\u0442\u0447\u0435\u0442\u0430 \u0420\u0435\u043A\u0432\u0417\u043D\u0430\u0447 ",zi="IApplication IAccessRights IAccountRepository IAccountSelectionRestrictions IAction IActionList IAdministrationHistoryDescription IAnchors IApplication IArchiveInfo IAttachment IAttachmentList ICheckListBox ICheckPointedList IColumn IComponent IComponentDescription IComponentToken IComponentTokenFactory IComponentTokenInfo ICompRecordInfo IConnection IContents IControl IControlJob IControlJobInfo IControlList ICrypto ICrypto2 ICustomJob ICustomJobInfo ICustomListBox ICustomObjectWizardStep ICustomWork ICustomWorkInfo IDataSet IDataSetAccessInfo IDataSigner IDateCriterion IDateRequisite IDateRequisiteDescription IDateValue IDeaAccessRights IDeaObjectInfo IDevelopmentComponentLock IDialog IDialogFactory IDialogPickRequisiteItems IDialogsFactory IDICSFactory IDocRequisite IDocumentInfo IDualListDialog IECertificate IECertificateInfo IECertificates IEditControl IEditorForm IEdmsExplorer IEdmsObject IEdmsObjectDescription IEdmsObjectFactory IEdmsObjectInfo IEDocument IEDocumentAccessRights IEDocumentDescription IEDocumentEditor IEDocumentFactory IEDocumentInfo IEDocumentStorage IEDocumentVersion IEDocumentVersionListDialog IEDocumentVersionSource IEDocumentWizardStep IEDocVerSignature IEDocVersionState IEnabledMode IEncodeProvider IEncrypter IEvent IEventList IException IExternalEvents IExternalHandler IFactory IField IFileDialog IFolder IFolderDescription IFolderDialog IFolderFactory IFolderInfo IForEach IForm IFormTitle IFormWizardStep IGlobalIDFactory IGlobalIDInfo IGrid IHasher IHistoryDescription IHyperLinkControl IImageButton IImageControl IInnerPanel IInplaceHint IIntegerCriterion IIntegerList IIntegerRequisite IIntegerValue IISBLEditorForm IJob IJobDescription IJobFactory IJobForm IJobInfo ILabelControl ILargeIntegerCriterion ILargeIntegerRequisite ILargeIntegerValue ILicenseInfo ILifeCycleStage IList IListBox ILocalIDInfo ILocalization ILock IMemoryDataSet IMessagingFactory IMetadataRepository INotice INoticeInfo INumericCriterion INumericRequisite INumericValue IObject IObjectDescription IObjectImporter IObjectInfo IObserver IPanelGroup IPickCriterion IPickProperty IPickRequisite IPickRequisiteDescription IPickRequisiteItem IPickRequisiteItems IPickValue IPrivilege IPrivilegeList IProcess IProcessFactory IProcessMessage IProgress IProperty IPropertyChangeEvent IQuery IReference IReferenceCriterion IReferenceEnabledMode IReferenceFactory IReferenceHistoryDescription IReferenceInfo IReferenceRecordCardWizardStep IReferenceRequisiteDescription IReferencesFactory IReferenceValue IRefRequisite IReport IReportFactory IRequisite IRequisiteDescription IRequisiteDescriptionList IRequisiteFactory IRichEdit IRouteStep IRule IRuleList ISchemeBlock IScript IScriptFactory ISearchCriteria ISearchCriterion ISearchDescription ISearchFactory ISearchFolderInfo ISearchForObjectDescription ISearchResultRestrictions ISecuredContext ISelectDialog IServerEvent IServerEventFactory IServiceDialog IServiceFactory ISignature ISignProvider ISignProvider2 ISignProvider3 ISimpleCriterion IStringCriterion IStringList IStringRequisite IStringRequisiteDescription IStringValue ISystemDialogsFactory ISystemInfo ITabSheet ITask ITaskAbortReasonInfo ITaskCardWizardStep ITaskDescription ITaskFactory ITaskInfo ITaskRoute ITextCriterion ITextRequisite ITextValue ITreeListSelectDialog IUser IUserList IValue IView IWebBrowserControl IWizard IWizardAction IWizardFactory IWizardFormElement IWizardParam IWizardPickParam IWizardReferenceParam IWizardStep IWorkAccessRights IWorkDescription IWorkflowAskableParam IWorkflowAskableParams IWorkflowBlock IWorkflowBlockResult IWorkflowEnabledMode IWorkflowParam IWorkflowPickParam IWorkflowReferenceParam IWorkState IWorkTreeCustomNode IWorkTreeJobNode IWorkTreeTaskNode IXMLEditorForm SBCrypto ",ua=tt+Cn,Ur=Vi,vr="null true false nil ",ca={className:"number",begin:t.NUMBER_RE,relevance:0},eo={className:"string",variants:[{begin:'"',end:'"'},{begin:"'",end:"'"}]},Ii={className:"doctag",begin:"\\b(?:TODO|DONE|BEGIN|END|STUB|CHG|FIXME|NOTE|BUG|XXX)\\b",relevance:0},to={className:"comment",begin:"//",end:"$",relevance:0,contains:[t.PHRASAL_WORDS_MODE,Ii]},no={className:"comment",begin:"/\\*",end:"\\*/",relevance:0,contains:[t.PHRASAL_WORDS_MODE,Ii]},ro={variants:[to,no]},Ki={$pattern:n,keyword:a,built_in:ua,class:Ur,literal:vr},Tr={begin:"\\.\\s*"+t.UNDERSCORE_IDENT_RE,keywords:Ki,relevance:0},io={className:"type",begin:":[ \\t]*("+zi.trim().replace(/\s/g,"|")+")",end:"[ \\t]*=",excludeEnd:!0},Io={className:"variable",keywords:Ki,begin:n,relevance:0,contains:[io,Tr]},da=r+"\\(";return{name:"ISBL",case_insensitive:!0,keywords:Ki,illegal:"\\$|\\?|%|,|;$|~|#|@|</",contains:[{className:"function",begin:da,end:"\\)$",returnBegin:!0,keywords:Ki,illegal:"[\\[\\]\\|\\$\\?%,~#@]",contains:[{className:"title",keywords:{$pattern:n,built_in:Ja},begin:da,end:"\\(",returnBegin:!0,excludeEnd:!0},Tr,Io,eo,ca,ro]},io,Tr,Io,eo,ca,ro]}}return K_=e,K_}var $_,VT;function tk(){if(VT)return $_;VT=1;var e="[0-9](_*[0-9])*",t=`\\.(${e})`,n="[0-9a-fA-F](_*[0-9a-fA-F])*",r={className:"number",variants:[{begin:`(\\b(${e})((${t})|\\.)?|(${t}))[eE][+-]?(${e})[fFdD]?\\b`},{begin:`\\b(${e})((${t})[fFdD]?\\b|\\.([fFdD]\\b)?)`},{begin:`(${t})[fFdD]?\\b`},{begin:`\\b(${e})[fFdD]\\b`},{begin:`\\b0[xX]((${n})\\.?|(${n})?\\.(${n}))[pP][+-]?(${e})[fFdD]?\\b`},{begin:"\\b(0|[1-9](_*[0-9])*)[lL]?\\b"},{begin:`\\b0[xX](${n})[lL]?\\b`},{begin:"\\b0(_*[0-7])*[lL]?\\b"},{begin:"\\b0[bB][01](_*[01])*[lL]?\\b"}],relevance:0};function a(l,u,c){return c===-1?"":l.replace(u,d=>a(l,u,c-1))}function o(l){const u=l.regex,c="[\xC0-\u02B8a-zA-Z_$][\xC0-\u02B8a-zA-Z_$0-9]*",d=c+a("(?:<"+c+"~~~(?:\\s*,\\s*"+c+"~~~)*>)?",/~~~/g,2),y={keyword:["synchronized","abstract","private","var","static","if","const ","for","while","strictfp","finally","protected","import","native","final","void","enum","else","break","transient","catch","instanceof","volatile","case","assert","package","default","public","try","switch","continue","throws","protected","public","private","module","requires","exports","do","sealed","yield","permits"],literal:["false","true","null"],type:["char","boolean","long","float","int","byte","short","double"],built_in:["super","this"]},M={className:"meta",begin:"@"+c,contains:[{begin:/\(/,end:/\)/,contains:["self"]}]},v={className:"params",begin:/\(/,end:/\)/,keywords:y,relevance:0,contains:[l.C_BLOCK_COMMENT_MODE],endsParent:!0};return{name:"Java",aliases:["jsp"],keywords:y,illegal:/<\/|#/,contains:[l.COMMENT("/\\*\\*","\\*/",{relevance:0,contains:[{begin:/\w+@/,relevance:0},{className:"doctag",begin:"@[A-Za-z]+"}]}),{begin:/import java\.[a-z]+\./,keywords:"import",relevance:2},l.C_LINE_COMMENT_MODE,l.C_BLOCK_COMMENT_MODE,{begin:/"""/,end:/"""/,className:"string",contains:[l.BACKSLASH_ESCAPE]},l.APOS_STRING_MODE,l.QUOTE_STRING_MODE,{match:[/\b(?:class|interface|enum|extends|implements|new)/,/\s+/,c],className:{1:"keyword",3:"title.class"}},{match:/non-sealed/,scope:"keyword"},{begin:[u.concat(/(?!else)/,c),/\s+/,c,/\s+/,/=(?!=)/],className:{1:"type",3:"variable",5:"operator"}},{begin:[/record/,/\s+/,c],className:{1:"keyword",3:"title.class"},contains:[v,l.C_LINE_COMMENT_MODE,l.C_BLOCK_COMMENT_MODE]},{beginKeywords:"new throw return else",relevance:0},{begin:["(?:"+d+"\\s+)",l.UNDERSCORE_IDENT_RE,/\s*(?=\()/],className:{2:"title.function"},keywords:y,contains:[{className:"params",begin:/\(/,end:/\)/,keywords:y,relevance:0,contains:[M,l.APOS_STRING_MODE,l.QUOTE_STRING_MODE,r,l.C_BLOCK_COMMENT_MODE]},l.C_LINE_COMMENT_MODE,l.C_BLOCK_COMMENT_MODE]},r,M]}}return $_=o,$_}var Q_,zT;function nk(){if(zT)return Q_;zT=1;const e="[A-Za-z$_][0-9A-Za-z$_]*",t=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],n=["true","false","null","undefined","NaN","Infinity"],r=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],a=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],o=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],l=["arguments","this","super","console","window","document","localStorage","sessionStorage","module","global"],u=[].concat(o,r,a);function c(d){const S=d.regex,_=(bt,{after:dt})=>{const ct="</"+bt[0].slice(1);return bt.input.indexOf(ct,dt)!==-1},E=e,T={begin:"<>",end:"</>"},y=/<[A-Za-z0-9\\._:-]+\s*\/>/,M={begin:/<[A-Za-z0-9\\._:-]+/,end:/\/[A-Za-z0-9\\._:-]+>|\/>/,isTrulyOpeningTag:(bt,dt)=>{const ct=bt[0].length+bt.index,Ze=bt.input[ct];if(Ze==="<"||Ze===","){dt.ignoreMatch();return}Ze===">"&&(_(bt,{after:ct})||dt.ignoreMatch());let nt;const ce=bt.input.substring(ct);if(nt=ce.match(/^\s*=/)){dt.ignoreMatch();return}if((nt=ce.match(/^\s+extends\s+/))&&nt.index===0){dt.ignoreMatch();return}}},v={$pattern:e,keyword:t,literal:n,built_in:u,"variable.language":l},A="[0-9](_?[0-9])*",O=`\\.(${A})`,N="0|[1-9](_?[0-9])*|0[0-7]*[89][0-9]*",R={className:"number",variants:[{begin:`(\\b(${N})((${O})|\\.)?|(${O}))[eE][+-]?(${A})\\b`},{begin:`\\b(${N})\\b((${O})\\b|\\.)?|(${O})\\b`},{begin:"\\b(0|[1-9](_?[0-9])*)n\\b"},{begin:"\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*n?\\b"},{begin:"\\b0[bB][0-1](_?[0-1])*n?\\b"},{begin:"\\b0[oO][0-7](_?[0-7])*n?\\b"},{begin:"\\b0[0-7]+n?\\b"}],relevance:0},L={className:"subst",begin:"\\$\\{",end:"\\}",keywords:v,contains:[]},I={begin:"html`",end:"",starts:{end:"`",returnEnd:!1,contains:[d.BACKSLASH_ESCAPE,L],subLanguage:"xml"}},h={begin:"css`",end:"",starts:{end:"`",returnEnd:!1,contains:[d.BACKSLASH_ESCAPE,L],subLanguage:"css"}},k={begin:"gql`",end:"",starts:{end:"`",returnEnd:!1,contains:[d.BACKSLASH_ESCAPE,L],subLanguage:"graphql"}},F={className:"string",begin:"`",end:"`",contains:[d.BACKSLASH_ESCAPE,L]},K={className:"comment",variants:[d.COMMENT(/\/\*\*(?!\/)/,"\\*/",{relevance:0,contains:[{begin:"(?=@[A-Za-z]+)",relevance:0,contains:[{className:"doctag",begin:"@[A-Za-z]+"},{className:"type",begin:"\\{",end:"\\}",excludeEnd:!0,excludeBegin:!0,relevance:0},{className:"variable",begin:E+"(?=\\s*(-)|$)",endsParent:!0,relevance:0},{begin:/(?=[^\n])\s/,relevance:0}]}]}),d.C_BLOCK_COMMENT_MODE,d.C_LINE_COMMENT_MODE]},ue=[d.APOS_STRING_MODE,d.QUOTE_STRING_MODE,I,h,k,F,{match:/\$\d+/},R];L.contains=ue.concat({begin:/\{/,end:/\}/,keywords:v,contains:["self"].concat(ue)});const Z=[].concat(K,L.contains),fe=Z.concat([{begin:/\(/,end:/\)/,keywords:v,contains:["self"].concat(Z)}]),V={className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:v,contains:fe},ne={variants:[{match:[/class/,/\s+/,E,/\s+/,/extends/,/\s+/,S.concat(E,"(",S.concat(/\./,E),")*")],scope:{1:"keyword",3:"title.class",5:"keyword",7:"title.class.inherited"}},{match:[/class/,/\s+/,E],scope:{1:"keyword",3:"title.class"}}]},te={relevance:0,match:S.either(/\bJSON/,/\b[A-Z][a-z]+([A-Z][a-z]*|\d)*/,/\b[A-Z]{2,}([A-Z][a-z]+|\d)+([A-Z][a-z]*)*/,/\b[A-Z]{2,}[a-z]+([A-Z][a-z]+|\d)*([A-Z][a-z]*)*/),className:"title.class",keywords:{_:[...r,...a]}},G={label:"use_strict",className:"meta",relevance:10,begin:/^\s*['"]use (strict|asm)['"]/},se={variants:[{match:[/function/,/\s+/,E,/(?=\s*\()/]},{match:[/function/,/\s*(?=\()/]}],className:{1:"keyword",3:"title.function"},label:"func.def",contains:[V],illegal:/%/},ve={relevance:0,match:/\b[A-Z][A-Z_0-9]+\b/,className:"variable.constant"};function Ge(bt){return S.concat("(?!",bt.join("|"),")")}const oe={match:S.concat(/\b/,Ge([...o,"super","import"]),E,S.lookahead(/\(/)),className:"title.function",relevance:0},W={begin:S.concat(/\./,S.lookahead(S.concat(E,/(?![0-9A-Za-z$_(])/))),end:E,excludeBegin:!0,keywords:"prototype",className:"property",relevance:0},Oe={match:[/get|set/,/\s+/,E,/(?=\()/],className:{1:"keyword",3:"title.function"},contains:[{begin:/\(\)/},V]},tt="(\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)|"+d.UNDERSCORE_IDENT_RE+")\\s*=>",rt={match:[/const|var|let/,/\s+/,E,/\s*/,/=\s*/,/(async\s*)?/,S.lookahead(tt)],keywords:"async",className:{1:"keyword",3:"title.function"},contains:[V]};return{name:"JavaScript",aliases:["js","jsx","mjs","cjs"],keywords:v,exports:{PARAMS_CONTAINS:fe,CLASS_REFERENCE:te},illegal:/#(?![$_A-z])/,contains:[d.SHEBANG({label:"shebang",binary:"node",relevance:5}),G,d.APOS_STRING_MODE,d.QUOTE_STRING_MODE,I,h,k,F,K,{match:/\$\d+/},R,te,{className:"attr",begin:E+S.lookahead(":"),relevance:0},rt,{begin:"("+d.RE_STARTERS_RE+"|\\b(case|return|throw)\\b)\\s*",keywords:"return throw case",relevance:0,contains:[K,d.REGEXP_MODE,{className:"function",begin:tt,returnBegin:!0,end:"\\s*=>",contains:[{className:"params",variants:[{begin:d.UNDERSCORE_IDENT_RE,relevance:0},{className:null,begin:/\(\s*\)/,skip:!0},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:v,contains:fe}]}]},{begin:/,/,relevance:0},{match:/\s+/,relevance:0},{variants:[{begin:T.begin,end:T.end},{match:y},{begin:M.begin,"on:begin":M.isTrulyOpeningTag,end:M.end}],subLanguage:"xml",contains:[{begin:M.begin,end:M.end,skip:!0,contains:["self"]}]}]},se,{beginKeywords:"while if switch catch for"},{begin:"\\b(?!function)"+d.UNDERSCORE_IDENT_RE+"\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)\\s*\\{",returnBegin:!0,label:"func.def",contains:[V,d.inherit(d.TITLE_MODE,{begin:E,className:"title.function"})]},{match:/\.\.\./,relevance:0},W,{match:"\\$"+E,relevance:0},{match:[/\bconstructor(?=\s*\()/],className:{1:"title.function"},contains:[V]},oe,ve,ne,Oe,{match:/\$[(.]/}]}}return Q_=c,Q_}var j_,KT;function rk(){if(KT)return j_;KT=1;function e(t){const r={className:"params",begin:/\(/,end:/\)/,contains:[{begin:/[\w-]+ *=/,returnBegin:!0,relevance:0,contains:[{className:"attr",begin:/[\w-]+/}]}],relevance:0},a={className:"function",begin:/:[\w\-.]+/,relevance:0},o={className:"string",begin:/\B([\/.])[\w\-.\/=]+/},l={className:"params",begin:/--[\w\-=\/]+/};return{name:"JBoss CLI",aliases:["wildfly-cli"],keywords:{$pattern:"[a-z-]+",keyword:"alias batch cd clear command connect connection-factory connection-info data-source deploy deployment-info deployment-overlay echo echo-dmr help history if jdbc-driver-info jms-queue|20 jms-topic|20 ls patch pwd quit read-attribute read-operation reload rollout-plan run-batch set shutdown try unalias undeploy unset version xa-data-source",literal:"true false"},contains:[t.HASH_COMMENT_MODE,t.QUOTE_STRING_MODE,l,a,o,r]}}return j_=e,j_}var X_,$T;function ik(){if($T)return X_;$T=1;function e(t){const n={className:"attr",begin:/"(\\.|[^\\"\r\n])*"(?=\s*:)/,relevance:1.01},r={match:/[{}[\],:]/,className:"punctuation",relevance:0},a=["true","false","null"],o={scope:"literal",beginKeywords:a.join(" ")};return{name:"JSON",keywords:{literal:a},contains:[n,r,t.QUOTE_STRING_MODE,o,t.C_NUMBER_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE],illegal:"\\S"}}return X_=e,X_}var Z_,QT;function ak(){if(QT)return Z_;QT=1;function e(t){const n="[A-Za-z_\\u00A1-\\uFFFF][A-Za-z_0-9\\u00A1-\\uFFFF]*",l={$pattern:n,keyword:["baremodule","begin","break","catch","ccall","const","continue","do","else","elseif","end","export","false","finally","for","function","global","if","import","in","isa","let","local","macro","module","quote","return","true","try","using","where","while"],literal:["ARGS","C_NULL","DEPOT_PATH","ENDIAN_BOM","ENV","Inf","Inf16","Inf32","Inf64","InsertionSort","LOAD_PATH","MergeSort","NaN","NaN16","NaN32","NaN64","PROGRAM_FILE","QuickSort","RoundDown","RoundFromZero","RoundNearest","RoundNearestTiesAway","RoundNearestTiesUp","RoundToZero","RoundUp","VERSION|0","devnull","false","im","missing","nothing","pi","stderr","stdin","stdout","true","undef","\u03C0","\u212F"],built_in:["AbstractArray","AbstractChannel","AbstractChar","AbstractDict","AbstractDisplay","AbstractFloat","AbstractIrrational","AbstractMatrix","AbstractRange","AbstractSet","AbstractString","AbstractUnitRange","AbstractVecOrMat","AbstractVector","Any","ArgumentError","Array","AssertionError","BigFloat","BigInt","BitArray","BitMatrix","BitSet","BitVector","Bool","BoundsError","CapturedException","CartesianIndex","CartesianIndices","Cchar","Cdouble","Cfloat","Channel","Char","Cint","Cintmax_t","Clong","Clonglong","Cmd","Colon","Complex","ComplexF16","ComplexF32","ComplexF64","CompositeException","Condition","Cptrdiff_t","Cshort","Csize_t","Cssize_t","Cstring","Cuchar","Cuint","Cuintmax_t","Culong","Culonglong","Cushort","Cvoid","Cwchar_t","Cwstring","DataType","DenseArray","DenseMatrix","DenseVecOrMat","DenseVector","Dict","DimensionMismatch","Dims","DivideError","DomainError","EOFError","Enum","ErrorException","Exception","ExponentialBackOff","Expr","Float16","Float32","Float64","Function","GlobalRef","HTML","IO","IOBuffer","IOContext","IOStream","IdDict","IndexCartesian","IndexLinear","IndexStyle","InexactError","InitError","Int","Int128","Int16","Int32","Int64","Int8","Integer","InterruptException","InvalidStateException","Irrational","KeyError","LinRange","LineNumberNode","LinearIndices","LoadError","MIME","Matrix","Method","MethodError","Missing","MissingException","Module","NTuple","NamedTuple","Nothing","Number","OrdinalRange","OutOfMemoryError","OverflowError","Pair","PartialQuickSort","PermutedDimsArray","Pipe","ProcessFailedException","Ptr","QuoteNode","Rational","RawFD","ReadOnlyMemoryError","Real","ReentrantLock","Ref","Regex","RegexMatch","RoundingMode","SegmentationFault","Set","Signed","Some","StackOverflowError","StepRange","StepRangeLen","StridedArray","StridedMatrix","StridedVecOrMat","StridedVector","String","StringIndexError","SubArray","SubString","SubstitutionString","Symbol","SystemError","Task","TaskFailedException","Text","TextDisplay","Timer","Tuple","Type","TypeError","TypeVar","UInt","UInt128","UInt16","UInt32","UInt64","UInt8","UndefInitializer","UndefKeywordError","UndefRefError","UndefVarError","Union","UnionAll","UnitRange","Unsigned","Val","Vararg","VecElement","VecOrMat","Vector","VersionNumber","WeakKeyDict","WeakRef"]},u={keywords:l,illegal:/<\//},c={className:"number",begin:/(\b0x[\d_]*(\.[\d_]*)?|0x\.\d[\d_]*)p[-+]?\d+|\b0[box][a-fA-F0-9][a-fA-F0-9_]*|(\b\d[\d_]*(\.[\d_]*)?|\.\d[\d_]*)([eEfF][-+]?\d+)?/,relevance:0},d={className:"string",begin:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},S={className:"subst",begin:/\$\(/,end:/\)/,keywords:l},_={className:"variable",begin:"\\$"+n},E={className:"string",contains:[t.BACKSLASH_ESCAPE,S,_],variants:[{begin:/\w*"""/,end:/"""\w*/,relevance:10},{begin:/\w*"/,end:/"\w*/}]},T={className:"string",contains:[t.BACKSLASH_ESCAPE,S,_],begin:"`",end:"`"},y={className:"meta",begin:"@"+n},M={className:"comment",variants:[{begin:"#=",end:"=#",relevance:10},{begin:"#",end:"$"}]};return u.name="Julia",u.contains=[c,d,E,T,y,M,t.HASH_COMMENT_MODE,{className:"keyword",begin:"\\b(((abstract|primitive)\\s+)type|(mutable\\s+)?struct)\\b"},{begin:/<:/}],S.contains=u.contains,u}return Z_=e,Z_}var J_,jT;function ok(){if(jT)return J_;jT=1;function e(t){return{name:"Julia REPL",contains:[{className:"meta.prompt",begin:/^julia>/,relevance:10,starts:{end:/^(?![ ]{6})/,subLanguage:"julia"}}],aliases:["jldoctest"]}}return J_=e,J_}var em,XT;function sk(){if(XT)return em;XT=1;var e="[0-9](_*[0-9])*",t=`\\.(${e})`,n="[0-9a-fA-F](_*[0-9a-fA-F])*",r={className:"number",variants:[{begin:`(\\b(${e})((${t})|\\.)?|(${t}))[eE][+-]?(${e})[fFdD]?\\b`},{begin:`\\b(${e})((${t})[fFdD]?\\b|\\.([fFdD]\\b)?)`},{begin:`(${t})[fFdD]?\\b`},{begin:`\\b(${e})[fFdD]\\b`},{begin:`\\b0[xX]((${n})\\.?|(${n})?\\.(${n}))[pP][+-]?(${e})[fFdD]?\\b`},{begin:"\\b(0|[1-9](_*[0-9])*)[lL]?\\b"},{begin:`\\b0[xX](${n})[lL]?\\b`},{begin:"\\b0(_*[0-7])*[lL]?\\b"},{begin:"\\b0[bB][01](_*[01])*[lL]?\\b"}],relevance:0};function a(o){const l={keyword:"abstract as val var vararg get set class object open private protected public noinline crossinline dynamic final enum if else do while for when throw try catch finally import package is in fun override companion reified inline lateinit init interface annotation data sealed internal infix operator out by constructor super tailrec where const inner suspend typealias external expect actual",built_in:"Byte Short Char Int Long Boolean Float Double Void Unit Nothing",literal:"true false null"},u={className:"keyword",begin:/\b(break|continue|return|this)\b/,starts:{contains:[{className:"symbol",begin:/@\w+/}]}},c={className:"symbol",begin:o.UNDERSCORE_IDENT_RE+"@"},d={className:"subst",begin:/\$\{/,end:/\}/,contains:[o.C_NUMBER_MODE]},S={className:"variable",begin:"\\$"+o.UNDERSCORE_IDENT_RE},_={className:"string",variants:[{begin:'"""',end:'"""(?=[^"])',contains:[S,d]},{begin:"'",end:"'",illegal:/\n/,contains:[o.BACKSLASH_ESCAPE]},{begin:'"',end:'"',illegal:/\n/,contains:[o.BACKSLASH_ESCAPE,S,d]}]};d.contains.push(_);const E={className:"meta",begin:"@(?:file|property|field|get|set|receiver|param|setparam|delegate)\\s*:(?:\\s*"+o.UNDERSCORE_IDENT_RE+")?"},T={className:"meta",begin:"@"+o.UNDERSCORE_IDENT_RE,contains:[{begin:/\(/,end:/\)/,contains:[o.inherit(_,{className:"string"}),"self"]}]},y=r,M=o.COMMENT("/\\*","\\*/",{contains:[o.C_BLOCK_COMMENT_MODE]}),v={variants:[{className:"type",begin:o.UNDERSCORE_IDENT_RE},{begin:/\(/,end:/\)/,contains:[]}]},A=v;return A.variants[1].contains=[v],v.variants[1].contains=[A],{name:"Kotlin",aliases:["kt","kts"],keywords:l,contains:[o.COMMENT("/\\*\\*","\\*/",{relevance:0,contains:[{className:"doctag",begin:"@[A-Za-z]+"}]}),o.C_LINE_COMMENT_MODE,M,u,c,E,T,{className:"function",beginKeywords:"fun",end:"[(]|$",returnBegin:!0,excludeEnd:!0,keywords:l,relevance:5,contains:[{begin:o.UNDERSCORE_IDENT_RE+"\\s*\\(",returnBegin:!0,relevance:0,contains:[o.UNDERSCORE_TITLE_MODE]},{className:"type",begin:/</,end:/>/,keywords:"reified",relevance:0},{className:"params",begin:/\(/,end:/\)/,endsParent:!0,keywords:l,relevance:0,contains:[{begin:/:/,end:/[=,\/]/,endsWithParent:!0,contains:[v,o.C_LINE_COMMENT_MODE,M],relevance:0},o.C_LINE_COMMENT_MODE,M,E,T,_,o.C_NUMBER_MODE]},M]},{begin:[/class|interface|trait/,/\s+/,o.UNDERSCORE_IDENT_RE],beginScope:{3:"title.class"},keywords:"class interface trait",end:/[:\{(]|$/,excludeEnd:!0,illegal:"extends implements",contains:[{beginKeywords:"public protected internal private constructor"},o.UNDERSCORE_TITLE_MODE,{className:"type",begin:/</,end:/>/,excludeBegin:!0,excludeEnd:!0,relevance:0},{className:"type",begin:/[,:]\s*/,end:/[<\(,){\s]|$/,excludeBegin:!0,returnEnd:!0},E,T]},_,{className:"meta",begin:"^#!/usr/bin/env",end:"$",illegal:`
-`},y]}}return em=a,em}var tm,ZT;function lk(){if(ZT)return tm;ZT=1;function e(t){const n="[a-zA-Z_][\\w.]*",r="<\\?(lasso(script)?|=)",a="\\]|\\?>",o={$pattern:n+"|&[lg]t;",literal:"true false none minimal full all void and or not bw nbw ew new cn ncn lt lte gt gte eq neq rx nrx ft",built_in:"array date decimal duration integer map pair string tag xml null boolean bytes keyword list locale queue set stack staticarray local var variable global data self inherited currentcapture givenblock",keyword:"cache database_names database_schemanames database_tablenames define_tag define_type email_batch encode_set html_comment handle handle_error header if inline iterate ljax_target link link_currentaction link_currentgroup link_currentrecord link_detail link_firstgroup link_firstrecord link_lastgroup link_lastrecord link_nextgroup link_nextrecord link_prevgroup link_prevrecord log loop namespace_using output_none portal private protect records referer referrer repeating resultset rows search_args search_arguments select sort_args sort_arguments thread_atomic value_list while abort case else fail_if fail_ifnot fail if_empty if_false if_null if_true loop_abort loop_continue loop_count params params_up return return_value run_children soap_definetag soap_lastrequest soap_lastresponse tag_name ascending average by define descending do equals frozen group handle_failure import in into join let match max min on order parent protected provide public require returnhome skip split_thread sum take thread to trait type where with yield yieldhome"},l=t.COMMENT("<!--","-->",{relevance:0}),u={className:"meta",begin:"\\[noprocess\\]",starts:{end:"\\[/noprocess\\]",returnEnd:!0,contains:[l]}},c={className:"meta",begin:"\\[/noprocess|"+r},d={className:"symbol",begin:"'"+n+"'"},S=[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.inherit(t.C_NUMBER_MODE,{begin:t.C_NUMBER_RE+"|(-?infinity|NaN)\\b"}),t.inherit(t.APOS_STRING_MODE,{illegal:null}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{className:"string",begin:"`",end:"`"},{variants:[{begin:"[#$]"+n},{begin:"#",end:"\\d+",illegal:"\\W"}]},{className:"type",begin:"::\\s*",end:n,illegal:"\\W"},{className:"params",variants:[{begin:"-(?!infinity)"+n,relevance:0},{begin:"(\\.\\.\\.)"}]},{begin:/(->|\.)\s*/,relevance:0,contains:[d]},{className:"class",beginKeywords:"define",returnEnd:!0,end:"\\(|=>",contains:[t.inherit(t.TITLE_MODE,{begin:n+"(=(?!>))?|[-+*/%](?!>)"})]}];return{name:"Lasso",aliases:["ls","lassoscript"],case_insensitive:!0,keywords:o,contains:[{className:"meta",begin:a,relevance:0,starts:{end:"\\[|"+r,returnEnd:!0,relevance:0,contains:[l]}},u,c,{className:"meta",begin:"\\[no_square_brackets",starts:{end:"\\[/no_square_brackets\\]",keywords:o,contains:[{className:"meta",begin:a,relevance:0,starts:{end:"\\[noprocess\\]|"+r,returnEnd:!0,contains:[l]}},u,c].concat(S)}},{className:"meta",begin:"\\[",relevance:0},{className:"meta",begin:"^#!",end:"lasso9$",relevance:10}].concat(S)}}return tm=e,tm}var nm,JT;function uk(){if(JT)return nm;JT=1;function e(t){const r=t.regex.either(...["(?:NeedsTeXFormat|RequirePackage|GetIdInfo)","Provides(?:Expl)?(?:Package|Class|File)","(?:DeclareOption|ProcessOptions)","(?:documentclass|usepackage|input|include)","makeat(?:letter|other)","ExplSyntax(?:On|Off)","(?:new|renew|provide)?command","(?:re)newenvironment","(?:New|Renew|Provide|Declare)(?:Expandable)?DocumentCommand","(?:New|Renew|Provide|Declare)DocumentEnvironment","(?:(?:e|g|x)?def|let)","(?:begin|end)","(?:part|chapter|(?:sub){0,2}section|(?:sub)?paragraph)","caption","(?:label|(?:eq|page|name)?ref|(?:paren|foot|super)?cite)","(?:alpha|beta|[Gg]amma|[Dd]elta|(?:var)?epsilon|zeta|eta|[Tt]heta|vartheta)","(?:iota|(?:var)?kappa|[Ll]ambda|mu|nu|[Xx]i|[Pp]i|varpi|(?:var)rho)","(?:[Ss]igma|varsigma|tau|[Uu]psilon|[Pp]hi|varphi|chi|[Pp]si|[Oo]mega)","(?:frac|sum|prod|lim|infty|times|sqrt|leq|geq|left|right|middle|[bB]igg?)","(?:[lr]angle|q?quad|[lcvdi]?dots|d?dot|hat|tilde|bar)"].map(K=>K+"(?![a-zA-Z@:_])")),a=new RegExp(["(?:__)?[a-zA-Z]{2,}_[a-zA-Z](?:_?[a-zA-Z])+:[a-zA-Z]*","[lgc]__?[a-zA-Z](?:_?[a-zA-Z])*_[a-zA-Z]{2,}","[qs]__?[a-zA-Z](?:_?[a-zA-Z])+","use(?:_i)?:[a-zA-Z]*","(?:else|fi|or):","(?:if|cs|exp):w","(?:hbox|vbox):n","::[a-zA-Z]_unbraced","::[a-zA-Z:]"].map(K=>K+"(?![a-zA-Z:_])").join("|")),o=[{begin:/[a-zA-Z@]+/},{begin:/[^a-zA-Z@]?/}],l=[{begin:/\^{6}[0-9a-f]{6}/},{begin:/\^{5}[0-9a-f]{5}/},{begin:/\^{4}[0-9a-f]{4}/},{begin:/\^{3}[0-9a-f]{3}/},{begin:/\^{2}[0-9a-f]{2}/},{begin:/\^{2}[\u0000-\u007f]/}],u={className:"keyword",begin:/\\/,relevance:0,contains:[{endsParent:!0,begin:r},{endsParent:!0,begin:a},{endsParent:!0,variants:l},{endsParent:!0,relevance:0,variants:o}]},c={className:"params",relevance:0,begin:/#+\d?/},d={variants:l},S={className:"built_in",relevance:0,begin:/[$&^_]/},_={className:"meta",begin:/% ?!(T[eE]X|tex|BIB|bib)/,end:"$",relevance:10},E=t.COMMENT("%","$",{relevance:0}),T=[u,c,d,S,_,E],y={begin:/\{/,end:/\}/,relevance:0,contains:["self",...T]},M=t.inherit(y,{relevance:0,endsParent:!0,contains:[y,...T]}),v={begin:/\[/,end:/\]/,endsParent:!0,relevance:0,contains:[y,...T]},A={begin:/\s+/,relevance:0},O=[M],N=[v],R=function(K,ue){return{contains:[A],starts:{relevance:0,contains:K,starts:ue}}},L=function(K,ue){return{begin:"\\\\"+K+"(?![a-zA-Z@:_])",keywords:{$pattern:/\\[a-zA-Z]+/,keyword:"\\"+K},relevance:0,contains:[A],starts:ue}},I=function(K,ue){return t.inherit({begin:"\\\\begin(?=[ 	]*(\\r?\\n[ 	]*)?\\{"+K+"\\})",keywords:{$pattern:/\\[a-zA-Z]+/,keyword:"\\begin"},relevance:0},R(O,ue))},h=(K="string")=>t.END_SAME_AS_BEGIN({className:K,begin:/(.|\r?\n)/,end:/(.|\r?\n)/,excludeBegin:!0,excludeEnd:!0,endsParent:!0}),k=function(K){return{className:"string",end:"(?=\\\\end\\{"+K+"\\})"}},F=(K="string")=>({relevance:0,begin:/\{/,starts:{endsParent:!0,contains:[{className:K,end:/(?=\})/,endsParent:!0,contains:[{begin:/\{/,end:/\}/,relevance:0,contains:["self"]}]}]}}),z=[...["verb","lstinline"].map(K=>L(K,{contains:[h()]})),L("mint",R(O,{contains:[h()]})),L("mintinline",R(O,{contains:[F(),h()]})),L("url",{contains:[F("link"),F("link")]}),L("hyperref",{contains:[F("link")]}),L("href",R(N,{contains:[F("link")]})),...[].concat(...["","\\*"].map(K=>[I("verbatim"+K,k("verbatim"+K)),I("filecontents"+K,R(O,k("filecontents"+K))),...["","B","L"].map(ue=>I(ue+"Verbatim"+K,R(N,k(ue+"Verbatim"+K))))])),I("minted",R(N,R(O,k("minted"))))];return{name:"LaTeX",aliases:["tex"],contains:[...z,...T]}}return nm=e,nm}var rm,ey;function ck(){if(ey)return rm;ey=1;function e(t){return{name:"LDIF",contains:[{className:"attribute",match:"^dn(?=:)",relevance:10},{className:"attribute",match:"^\\w+(?=:)"},{className:"literal",match:"^-"},t.HASH_COMMENT_MODE]}}return rm=e,rm}var im,ty;function dk(){if(ty)return im;ty=1;function e(t){const n=/([A-Za-z_][A-Za-z_0-9]*)?/,a={scope:"params",begin:/\(/,end:/\)(?=\:?)/,endsParent:!0,relevance:7,contains:[{scope:"string",begin:'"',end:'"'},{scope:"keyword",match:["true","false","in"].join("|")},{scope:"variable",match:/[A-Za-z_][A-Za-z_0-9]*/},{scope:"operator",match:/\+|\-|\*|\/|\%|\=\=|\=|\!|\>|\<|\&\&|\|\|/}]},o={match:[n,/(?=\()/],scope:{1:"keyword"},contains:[a]};return a.contains.unshift(o),{name:"Leaf",contains:[{match:[/#+/,n,/(?=\()/],scope:{1:"punctuation",2:"keyword"},starts:{contains:[{match:/\:/,scope:"punctuation"}]},contains:[a]},{match:[/#+/,n,/:?/],scope:{1:"punctuation",2:"keyword",3:"punctuation"}}]}}return im=e,im}var am,ny;function fk(){if(ny)return am;ny=1;const e=c=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:c.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[c.APOS_STRING_MODE,c.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:c.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z_][A-Za-z0-9_-]*/}}),t=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],n=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],r=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],a=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],o=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","caret-color","clear","clip","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","grid-row-start","grid-template","grid-template-areas","grid-template-columns","grid-template-rows","hanging-punctuation","height","hyphens","icon","image-orientation","image-rendering","image-resolution","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse(),l=r.concat(a);function u(c){const d=e(c),S=l,_="and or not only",E="[\\w-]+",T="("+E+"|@\\{"+E+"\\})",y=[],M=[],v=function(K){return{className:"string",begin:"~?"+K+".*?"+K}},A=function(K,ue,Z){return{className:K,begin:ue,relevance:Z}},O={$pattern:/[a-z-]+/,keyword:_,attribute:n.join(" ")},N={begin:"\\(",end:"\\)",contains:M,keywords:O,relevance:0};M.push(c.C_LINE_COMMENT_MODE,c.C_BLOCK_COMMENT_MODE,v("'"),v('"'),d.CSS_NUMBER_MODE,{begin:"(url|data-uri)\\(",starts:{className:"string",end:"[\\)\\n]",excludeEnd:!0}},d.HEXCOLOR,N,A("variable","@@?"+E,10),A("variable","@\\{"+E+"\\}"),A("built_in","~?`[^`]*?`"),{className:"attribute",begin:E+"\\s*:",end:":",returnBegin:!0,excludeEnd:!0},d.IMPORTANT,{beginKeywords:"and not"},d.FUNCTION_DISPATCH);const R=M.concat({begin:/\{/,end:/\}/,contains:y}),L={beginKeywords:"when",endsWithParent:!0,contains:[{beginKeywords:"and not"}].concat(M)},I={begin:T+"\\s*:",returnBegin:!0,end:/[;}]/,relevance:0,contains:[{begin:/-(webkit|moz|ms|o)-/},d.CSS_VARIABLE,{className:"attribute",begin:"\\b("+o.join("|")+")\\b",end:/(?=:)/,starts:{endsWithParent:!0,illegal:"[<=$]",relevance:0,contains:M}}]},h={className:"keyword",begin:"@(import|media|charset|font-face|(-[a-z]+-)?keyframes|supports|document|namespace|page|viewport|host)\\b",starts:{end:"[;{}]",keywords:O,returnEnd:!0,contains:M,relevance:0}},k={className:"variable",variants:[{begin:"@"+E+"\\s*:",relevance:15},{begin:"@"+E}],starts:{end:"[;}]",returnEnd:!0,contains:R}},F={variants:[{begin:"[\\.#:&\\[>]",end:"[;{}]"},{begin:T,end:/\{/}],returnBegin:!0,returnEnd:!0,illegal:`[<='$"]`,relevance:0,contains:[c.C_LINE_COMMENT_MODE,c.C_BLOCK_COMMENT_MODE,L,A("keyword","all\\b"),A("variable","@\\{"+E+"\\}"),{begin:"\\b("+t.join("|")+")\\b",className:"selector-tag"},d.CSS_NUMBER_MODE,A("selector-tag",T,0),A("selector-id","#"+T),A("selector-class","\\."+T,0),A("selector-tag","&",0),d.ATTRIBUTE_SELECTOR_MODE,{className:"selector-pseudo",begin:":("+r.join("|")+")"},{className:"selector-pseudo",begin:":(:)?("+a.join("|")+")"},{begin:/\(/,end:/\)/,relevance:0,contains:R},{begin:"!important"},d.FUNCTION_DISPATCH]},z={begin:E+`:(:)?(${S.join("|")})`,returnBegin:!0,contains:[F]};return y.push(c.C_LINE_COMMENT_MODE,c.C_BLOCK_COMMENT_MODE,h,k,z,I,F,L,d.FUNCTION_DISPATCH),{name:"Less",case_insensitive:!0,illegal:`[=>'/<($"]`,contains:y}}return am=u,am}var om,ry;function pk(){if(ry)return om;ry=1;function e(t){const n="[a-zA-Z_\\-+\\*\\/<=>&#][a-zA-Z0-9_\\-+*\\/<=>&#!]*",r="\\|[^]*?\\|",a="(-|\\+)?\\d+(\\.\\d+|\\/\\d+)?((d|e|f|l|s|D|E|F|L|S)(\\+|-)?\\d+)?",o={className:"literal",begin:"\\b(t{1}|nil)\\b"},l={className:"number",variants:[{begin:a,relevance:0},{begin:"#(b|B)[0-1]+(/[0-1]+)?"},{begin:"#(o|O)[0-7]+(/[0-7]+)?"},{begin:"#(x|X)[0-9a-fA-F]+(/[0-9a-fA-F]+)?"},{begin:"#(c|C)\\("+a+" +"+a,end:"\\)"}]},u=t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),c=t.COMMENT(";","$",{relevance:0}),d={begin:"\\*",end:"\\*"},S={className:"symbol",begin:"[:&]"+n},_={begin:n,relevance:0},E={begin:r},y={contains:[l,u,d,S,{begin:"\\(",end:"\\)",contains:["self",o,u,l,_]},_],variants:[{begin:"['`]\\(",end:"\\)"},{begin:"\\(quote ",end:"\\)",keywords:{name:"quote"}},{begin:"'"+r}]},M={variants:[{begin:"'"+n},{begin:"#'"+n+"(::"+n+")*"}]},v={begin:"\\(\\s*",end:"\\)"},A={endsWithParent:!0,relevance:0};return v.contains=[{className:"name",variants:[{begin:n,relevance:0},{begin:r}]},A],A.contains=[y,M,v,o,l,u,c,d,S,E,_],{name:"Lisp",illegal:/\S/,contains:[l,t.SHEBANG(),o,u,c,y,M,v,_]}}return om=e,om}var sm,iy;function _k(){if(iy)return sm;iy=1;function e(t){const n={className:"variable",variants:[{begin:"\\b([gtps][A-Z]{1}[a-zA-Z0-9]*)(\\[.+\\])?(?:\\s*?)"},{begin:"\\$_[A-Z]+"}],relevance:0},r=[t.C_BLOCK_COMMENT_MODE,t.HASH_COMMENT_MODE,t.COMMENT("--","$"),t.COMMENT("[^:]//","$")],a=t.inherit(t.TITLE_MODE,{variants:[{begin:"\\b_*rig[A-Z][A-Za-z0-9_\\-]*"},{begin:"\\b_[a-z0-9\\-]+"}]}),o=t.inherit(t.TITLE_MODE,{begin:"\\b([A-Za-z0-9_\\-]+)\\b"});return{name:"LiveCode",case_insensitive:!1,keywords:{keyword:"$_COOKIE $_FILES $_GET $_GET_BINARY $_GET_RAW $_POST $_POST_BINARY $_POST_RAW $_SESSION $_SERVER codepoint codepoints segment segments codeunit codeunits sentence sentences trueWord trueWords paragraph after byte bytes english the until http forever descending using line real8 with seventh for stdout finally element word words fourth before black ninth sixth characters chars stderr uInt1 uInt1s uInt2 uInt2s stdin string lines relative rel any fifth items from middle mid at else of catch then third it file milliseconds seconds second secs sec int1 int1s int4 int4s internet int2 int2s normal text item last long detailed effective uInt4 uInt4s repeat end repeat URL in try into switch to words https token binfile each tenth as ticks tick system real4 by dateItems without char character ascending eighth whole dateTime numeric short first ftp integer abbreviated abbr abbrev private case while if div mod wrap and or bitAnd bitNot bitOr bitXor among not in a an within contains ends with begins the keys of keys",literal:"SIX TEN FORMFEED NINE ZERO NONE SPACE FOUR FALSE COLON CRLF PI COMMA ENDOFFILE EOF EIGHT FIVE QUOTE EMPTY ONE TRUE RETURN CR LINEFEED RIGHT BACKSLASH NULL SEVEN TAB THREE TWO six ten formfeed nine zero none space four false colon crlf pi comma endoffile eof eight five quote empty one true return cr linefeed right backslash null seven tab three two RIVERSION RISTATE FILE_READ_MODE FILE_WRITE_MODE FILE_WRITE_MODE DIR_WRITE_MODE FILE_READ_UMASK FILE_WRITE_UMASK DIR_READ_UMASK DIR_WRITE_UMASK",built_in:"put abs acos aliasReference annuity arrayDecode arrayEncode asin atan atan2 average avg avgDev base64Decode base64Encode baseConvert binaryDecode binaryEncode byteOffset byteToNum cachedURL cachedURLs charToNum cipherNames codepointOffset codepointProperty codepointToNum codeunitOffset commandNames compound compress constantNames cos date dateFormat decompress difference directories diskSpace DNSServers exp exp1 exp2 exp10 extents files flushEvents folders format functionNames geometricMean global globals hasMemory harmonicMean hostAddress hostAddressToName hostName hostNameToAddress isNumber ISOToMac itemOffset keys len length libURLErrorData libUrlFormData libURLftpCommand libURLLastHTTPHeaders libURLLastRHHeaders libUrlMultipartFormAddPart libUrlMultipartFormData libURLVersion lineOffset ln ln1 localNames log log2 log10 longFilePath lower macToISO matchChunk matchText matrixMultiply max md5Digest median merge messageAuthenticationCode messageDigest millisec millisecs millisecond milliseconds min monthNames nativeCharToNum normalizeText num number numToByte numToChar numToCodepoint numToNativeChar offset open openfiles openProcesses openProcessIDs openSockets paragraphOffset paramCount param params peerAddress pendingMessages platform popStdDev populationStandardDeviation populationVariance popVariance processID random randomBytes replaceText result revCreateXMLTree revCreateXMLTreeFromFile revCurrentRecord revCurrentRecordIsFirst revCurrentRecordIsLast revDatabaseColumnCount revDatabaseColumnIsNull revDatabaseColumnLengths revDatabaseColumnNames revDatabaseColumnNamed revDatabaseColumnNumbered revDatabaseColumnTypes revDatabaseConnectResult revDatabaseCursors revDatabaseID revDatabaseTableNames revDatabaseType revDataFromQuery revdb_closeCursor revdb_columnbynumber revdb_columncount revdb_columnisnull revdb_columnlengths revdb_columnnames revdb_columntypes revdb_commit revdb_connect revdb_connections revdb_connectionerr revdb_currentrecord revdb_cursorconnection revdb_cursorerr revdb_cursors revdb_dbtype revdb_disconnect revdb_execute revdb_iseof revdb_isbof revdb_movefirst revdb_movelast revdb_movenext revdb_moveprev revdb_query revdb_querylist revdb_recordcount revdb_rollback revdb_tablenames revGetDatabaseDriverPath revNumberOfRecords revOpenDatabase revOpenDatabases revQueryDatabase revQueryDatabaseBlob revQueryResult revQueryIsAtStart revQueryIsAtEnd revUnixFromMacPath revXMLAttribute revXMLAttributes revXMLAttributeValues revXMLChildContents revXMLChildNames revXMLCreateTreeFromFileWithNamespaces revXMLCreateTreeWithNamespaces revXMLDataFromXPathQuery revXMLEvaluateXPath revXMLFirstChild revXMLMatchingNode revXMLNextSibling revXMLNodeContents revXMLNumberOfChildren revXMLParent revXMLPreviousSibling revXMLRootNode revXMLRPC_CreateRequest revXMLRPC_Documents revXMLRPC_Error revXMLRPC_GetHost revXMLRPC_GetMethod revXMLRPC_GetParam revXMLText revXMLRPC_Execute revXMLRPC_GetParamCount revXMLRPC_GetParamNode revXMLRPC_GetParamType revXMLRPC_GetPath revXMLRPC_GetPort revXMLRPC_GetProtocol revXMLRPC_GetRequest revXMLRPC_GetResponse revXMLRPC_GetSocket revXMLTree revXMLTrees revXMLValidateDTD revZipDescribeItem revZipEnumerateItems revZipOpenArchives round sampVariance sec secs seconds sentenceOffset sha1Digest shell shortFilePath sin specialFolderPath sqrt standardDeviation statRound stdDev sum sysError systemVersion tan tempName textDecode textEncode tick ticks time to tokenOffset toLower toUpper transpose truewordOffset trunc uniDecode uniEncode upper URLDecode URLEncode URLStatus uuid value variableNames variance version waitDepth weekdayNames wordOffset xsltApplyStylesheet xsltApplyStylesheetFromFile xsltLoadStylesheet xsltLoadStylesheetFromFile add breakpoint cancel clear local variable file word line folder directory URL close socket process combine constant convert create new alias folder directory decrypt delete variable word line folder directory URL dispatch divide do encrypt filter get include intersect kill libURLDownloadToFile libURLFollowHttpRedirects libURLftpUpload libURLftpUploadFile libURLresetAll libUrlSetAuthCallback libURLSetDriver libURLSetCustomHTTPHeaders libUrlSetExpect100 libURLSetFTPListCommand libURLSetFTPMode libURLSetFTPStopTime libURLSetStatusCallback load extension loadedExtensions multiply socket prepare process post seek rel relative read from process rename replace require resetAll resolve revAddXMLNode revAppendXML revCloseCursor revCloseDatabase revCommitDatabase revCopyFile revCopyFolder revCopyXMLNode revDeleteFolder revDeleteXMLNode revDeleteAllXMLTrees revDeleteXMLTree revExecuteSQL revGoURL revInsertXMLNode revMoveFolder revMoveToFirstRecord revMoveToLastRecord revMoveToNextRecord revMoveToPreviousRecord revMoveToRecord revMoveXMLNode revPutIntoXMLNode revRollBackDatabase revSetDatabaseDriverPath revSetXMLAttribute revXMLRPC_AddParam revXMLRPC_DeleteAllDocuments revXMLAddDTD revXMLRPC_Free revXMLRPC_FreeAll revXMLRPC_DeleteDocument revXMLRPC_DeleteParam revXMLRPC_SetHost revXMLRPC_SetMethod revXMLRPC_SetPort revXMLRPC_SetProtocol revXMLRPC_SetSocket revZipAddItemWithData revZipAddItemWithFile revZipAddUncompressedItemWithData revZipAddUncompressedItemWithFile revZipCancel revZipCloseArchive revZipDeleteItem revZipExtractItemToFile revZipExtractItemToVariable revZipSetProgressCallback revZipRenameItem revZipReplaceItemWithData revZipReplaceItemWithFile revZipOpenArchive send set sort split start stop subtract symmetric union unload vectorDotProduct wait write"},contains:[n,{className:"keyword",begin:"\\bend\\sif\\b"},{className:"function",beginKeywords:"function",end:"$",contains:[n,o,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE,a]},{className:"function",begin:"\\bend\\s+",end:"$",keywords:"end",contains:[o,a],relevance:0},{beginKeywords:"command on",end:"$",contains:[n,o,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE,a]},{className:"meta",variants:[{begin:"<\\?(rev|lc|livecode)",relevance:10},{begin:"<\\?"},{begin:"\\?>"}]},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE,a].concat(r),illegal:";$|^\\[|^=|&|\\{"}}return sm=e,sm}var lm,ay;function mk(){if(ay)return lm;ay=1;const e=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],t=["true","false","null","undefined","NaN","Infinity"],n=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],r=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],a=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],o=[].concat(a,n,r);function l(u){const c=["npm","print"],d=["yes","no","on","off","it","that","void"],S=["then","unless","until","loop","of","by","when","and","or","is","isnt","not","it","that","otherwise","from","to","til","fallthrough","case","enum","native","list","map","__hasProp","__extends","__slice","__bind","__indexOf"],_={keyword:e.concat(S),literal:t.concat(d),built_in:o.concat(c)},E="[A-Za-z$_](?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*",T=u.inherit(u.TITLE_MODE,{begin:E}),y={className:"subst",begin:/#\{/,end:/\}/,keywords:_},M={className:"subst",begin:/#[A-Za-z$_]/,end:/(?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*/,keywords:_},v=[u.BINARY_NUMBER_MODE,{className:"number",begin:"(\\b0[xX][a-fA-F0-9_]+)|(\\b\\d(\\d|_\\d)*(\\.(\\d(\\d|_\\d)*)?)?(_*[eE]([-+]\\d(_\\d|\\d)*)?)?[_a-z]*)",relevance:0,starts:{end:"(\\s*/)?",relevance:0}},{className:"string",variants:[{begin:/'''/,end:/'''/,contains:[u.BACKSLASH_ESCAPE]},{begin:/'/,end:/'/,contains:[u.BACKSLASH_ESCAPE]},{begin:/"""/,end:/"""/,contains:[u.BACKSLASH_ESCAPE,y,M]},{begin:/"/,end:/"/,contains:[u.BACKSLASH_ESCAPE,y,M]},{begin:/\\/,end:/(\s|$)/,excludeEnd:!0}]},{className:"regexp",variants:[{begin:"//",end:"//[gim]*",contains:[y,u.HASH_COMMENT_MODE]},{begin:/\/(?![ *])(\\.|[^\\\n])*?\/[gim]*(?=\W)/}]},{begin:"@"+E},{begin:"``",end:"``",excludeBegin:!0,excludeEnd:!0,subLanguage:"javascript"}];y.contains=v;const A={className:"params",begin:"\\(",returnBegin:!0,contains:[{begin:/\(/,end:/\)/,keywords:_,contains:["self"].concat(v)}]},O={begin:"(#=>|=>|\\|>>|-?->|!->)"},N={variants:[{match:[/class\s+/,E,/\s+extends\s+/,E]},{match:[/class\s+/,E]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:_};return{name:"LiveScript",aliases:["ls"],keywords:_,illegal:/\/\*/,contains:v.concat([u.COMMENT("\\/\\*","\\*\\/"),u.HASH_COMMENT_MODE,O,{className:"function",contains:[T,A],returnBegin:!0,variants:[{begin:"("+E+"\\s*(?:=|:=)\\s*)?(\\(.*\\)\\s*)?\\B->\\*?",end:"->\\*?"},{begin:"("+E+"\\s*(?:=|:=)\\s*)?!?(\\(.*\\)\\s*)?\\B[-~]{1,2}>\\*?",end:"[-~]{1,2}>\\*?"},{begin:"("+E+"\\s*(?:=|:=)\\s*)?(\\(.*\\)\\s*)?\\B!?[-~]{1,2}>\\*?",end:"!?[-~]{1,2}>\\*?"}]},N,{begin:E+":",end:":",returnBegin:!0,returnEnd:!0,relevance:0}])}}return lm=l,lm}var um,oy;function gk(){if(oy)return um;oy=1;function e(t){const n=t.regex,r=/([-a-zA-Z$._][\w$.-]*)/,a={className:"type",begin:/\bi\d+(?=\s|\b)/},o={className:"operator",relevance:0,begin:/=/},l={className:"punctuation",relevance:0,begin:/,/},u={className:"number",variants:[{begin:/[su]?0[xX][KMLHR]?[a-fA-F0-9]+/},{begin:/[-+]?\d+(?:[.]\d+)?(?:[eE][-+]?\d+(?:[.]\d+)?)?/}],relevance:0},c={className:"symbol",variants:[{begin:/^\s*[a-z]+:/}],relevance:0},d={className:"variable",variants:[{begin:n.concat(/%/,r)},{begin:/%\d+/},{begin:/#\d+/}]},S={className:"title",variants:[{begin:n.concat(/@/,r)},{begin:/@\d+/},{begin:n.concat(/!/,r)},{begin:n.concat(/!\d+/,r)},{begin:/!\d+/}]};return{name:"LLVM IR",keywords:"begin end true false declare define global constant private linker_private internal available_externally linkonce linkonce_odr weak weak_odr appending dllimport dllexport common default hidden protected extern_weak external thread_local zeroinitializer undef null to tail target triple datalayout volatile nuw nsw nnan ninf nsz arcp fast exact inbounds align addrspace section alias module asm sideeffect gc dbg linker_private_weak attributes blockaddress initialexec localdynamic localexec prefix unnamed_addr ccc fastcc coldcc x86_stdcallcc x86_fastcallcc arm_apcscc arm_aapcscc arm_aapcs_vfpcc ptx_device ptx_kernel intel_ocl_bicc msp430_intrcc spir_func spir_kernel x86_64_sysvcc x86_64_win64cc x86_thiscallcc cc c signext zeroext inreg sret nounwind noreturn noalias nocapture byval nest readnone readonly inlinehint noinline alwaysinline optsize ssp sspreq noredzone noimplicitfloat naked builtin cold nobuiltin noduplicate nonlazybind optnone returns_twice sanitize_address sanitize_memory sanitize_thread sspstrong uwtable returned type opaque eq ne slt sgt sle sge ult ugt ule uge oeq one olt ogt ole oge ord uno ueq une x acq_rel acquire alignstack atomic catch cleanup filter inteldialect max min monotonic nand personality release seq_cst singlethread umax umin unordered xchg add fadd sub fsub mul fmul udiv sdiv fdiv urem srem frem shl lshr ashr and or xor icmp fcmp phi call trunc zext sext fptrunc fpext uitofp sitofp fptoui fptosi inttoptr ptrtoint bitcast addrspacecast select va_arg ret br switch invoke unwind unreachable indirectbr landingpad resume malloc alloca free load store getelementptr extractelement insertelement shufflevector getresult extractvalue insertvalue atomicrmw cmpxchg fence argmemonly double",contains:[a,t.COMMENT(/;\s*$/,null,{relevance:0}),t.COMMENT(/;/,/$/),{className:"string",begin:/"/,end:/"/,contains:[{className:"char.escape",match:/\\\d\d/}]},S,l,o,d,c,u]}}return um=e,um}var cm,sy;function hk(){if(sy)return cm;sy=1;function e(t){const r={className:"string",begin:'"',end:'"',contains:[{className:"subst",begin:/\\[tn"\\]/}]},a={className:"number",relevance:0,begin:t.C_NUMBER_RE},o={className:"literal",variants:[{begin:"\\b(PI|TWO_PI|PI_BY_TWO|DEG_TO_RAD|RAD_TO_DEG|SQRT2)\\b"},{begin:"\\b(XP_ERROR_(EXPERIENCES_DISABLED|EXPERIENCE_(DISABLED|SUSPENDED)|INVALID_(EXPERIENCE|PARAMETERS)|KEY_NOT_FOUND|MATURITY_EXCEEDED|NONE|NOT_(FOUND|PERMITTED(_LAND)?)|NO_EXPERIENCE|QUOTA_EXCEEDED|RETRY_UPDATE|STORAGE_EXCEPTION|STORE_DISABLED|THROTTLED|UNKNOWN_ERROR)|JSON_APPEND|STATUS_(PHYSICS|ROTATE_[XYZ]|PHANTOM|SANDBOX|BLOCK_GRAB(_OBJECT)?|(DIE|RETURN)_AT_EDGE|CAST_SHADOWS|OK|MALFORMED_PARAMS|TYPE_MISMATCH|BOUNDS_ERROR|NOT_(FOUND|SUPPORTED)|INTERNAL_ERROR|WHITELIST_FAILED)|AGENT(_(BY_(LEGACY_|USER)NAME|FLYING|ATTACHMENTS|SCRIPTED|MOUSELOOK|SITTING|ON_OBJECT|AWAY|WALKING|IN_AIR|TYPING|CROUCHING|BUSY|ALWAYS_RUN|AUTOPILOT|LIST_(PARCEL(_OWNER)?|REGION)))?|CAMERA_(PITCH|DISTANCE|BEHINDNESS_(ANGLE|LAG)|(FOCUS|POSITION)(_(THRESHOLD|LOCKED|LAG))?|FOCUS_OFFSET|ACTIVE)|ANIM_ON|LOOP|REVERSE|PING_PONG|SMOOTH|ROTATE|SCALE|ALL_SIDES|LINK_(ROOT|SET|ALL_(OTHERS|CHILDREN)|THIS)|ACTIVE|PASS(IVE|_(ALWAYS|IF_NOT_HANDLED|NEVER))|SCRIPTED|CONTROL_(FWD|BACK|(ROT_)?(LEFT|RIGHT)|UP|DOWN|(ML_)?LBUTTON)|PERMISSION_(RETURN_OBJECTS|DEBIT|OVERRIDE_ANIMATIONS|SILENT_ESTATE_MANAGEMENT|TAKE_CONTROLS|TRIGGER_ANIMATION|ATTACH|CHANGE_LINKS|(CONTROL|TRACK)_CAMERA|TELEPORT)|INVENTORY_(TEXTURE|SOUND|OBJECT|SCRIPT|LANDMARK|CLOTHING|NOTECARD|BODYPART|ANIMATION|GESTURE|ALL|NONE)|CHANGED_(INVENTORY|COLOR|SHAPE|SCALE|TEXTURE|LINK|ALLOWED_DROP|OWNER|REGION(_START)?|TELEPORT|MEDIA)|OBJECT_(CLICK_ACTION|HOVER_HEIGHT|LAST_OWNER_ID|(PHYSICS|SERVER|STREAMING)_COST|UNKNOWN_DETAIL|CHARACTER_TIME|PHANTOM|PHYSICS|TEMP_(ATTACHED|ON_REZ)|NAME|DESC|POS|PRIM_(COUNT|EQUIVALENCE)|RETURN_(PARCEL(_OWNER)?|REGION)|REZZER_KEY|ROO?T|VELOCITY|OMEGA|OWNER|GROUP(_TAG)?|CREATOR|ATTACHED_(POINT|SLOTS_AVAILABLE)|RENDER_WEIGHT|(BODY_SHAPE|PATHFINDING)_TYPE|(RUNNING|TOTAL)_SCRIPT_COUNT|TOTAL_INVENTORY_COUNT|SCRIPT_(MEMORY|TIME))|TYPE_(INTEGER|FLOAT|STRING|KEY|VECTOR|ROTATION|INVALID)|(DEBUG|PUBLIC)_CHANNEL|ATTACH_(AVATAR_CENTER|CHEST|HEAD|BACK|PELVIS|MOUTH|CHIN|NECK|NOSE|BELLY|[LR](SHOULDER|HAND|FOOT|EAR|EYE|[UL](ARM|LEG)|HIP)|(LEFT|RIGHT)_PEC|HUD_(CENTER_[12]|TOP_(RIGHT|CENTER|LEFT)|BOTTOM(_(RIGHT|LEFT))?)|[LR]HAND_RING1|TAIL_(BASE|TIP)|[LR]WING|FACE_(JAW|[LR]EAR|[LR]EYE|TOUNGE)|GROIN|HIND_[LR]FOOT)|LAND_(LEVEL|RAISE|LOWER|SMOOTH|NOISE|REVERT)|DATA_(ONLINE|NAME|BORN|SIM_(POS|STATUS|RATING)|PAYINFO)|PAYMENT_INFO_(ON_FILE|USED)|REMOTE_DATA_(CHANNEL|REQUEST|REPLY)|PSYS_(PART_(BF_(ZERO|ONE(_MINUS_(DEST_COLOR|SOURCE_(ALPHA|COLOR)))?|DEST_COLOR|SOURCE_(ALPHA|COLOR))|BLEND_FUNC_(DEST|SOURCE)|FLAGS|(START|END)_(COLOR|ALPHA|SCALE|GLOW)|MAX_AGE|(RIBBON|WIND|INTERP_(COLOR|SCALE)|BOUNCE|FOLLOW_(SRC|VELOCITY)|TARGET_(POS|LINEAR)|EMISSIVE)_MASK)|SRC_(MAX_AGE|PATTERN|ANGLE_(BEGIN|END)|BURST_(RATE|PART_COUNT|RADIUS|SPEED_(MIN|MAX))|ACCEL|TEXTURE|TARGET_KEY|OMEGA|PATTERN_(DROP|EXPLODE|ANGLE(_CONE(_EMPTY)?)?)))|VEHICLE_(REFERENCE_FRAME|TYPE_(NONE|SLED|CAR|BOAT|AIRPLANE|BALLOON)|(LINEAR|ANGULAR)_(FRICTION_TIMESCALE|MOTOR_DIRECTION)|LINEAR_MOTOR_OFFSET|HOVER_(HEIGHT|EFFICIENCY|TIMESCALE)|BUOYANCY|(LINEAR|ANGULAR)_(DEFLECTION_(EFFICIENCY|TIMESCALE)|MOTOR_(DECAY_)?TIMESCALE)|VERTICAL_ATTRACTION_(EFFICIENCY|TIMESCALE)|BANKING_(EFFICIENCY|MIX|TIMESCALE)|FLAG_(NO_DEFLECTION_UP|LIMIT_(ROLL_ONLY|MOTOR_UP)|HOVER_((WATER|TERRAIN|UP)_ONLY|GLOBAL_HEIGHT)|MOUSELOOK_(STEER|BANK)|CAMERA_DECOUPLED))|PRIM_(ALLOW_UNSIT|ALPHA_MODE(_(BLEND|EMISSIVE|MASK|NONE))?|NORMAL|SPECULAR|TYPE(_(BOX|CYLINDER|PRISM|SPHERE|TORUS|TUBE|RING|SCULPT))?|HOLE_(DEFAULT|CIRCLE|SQUARE|TRIANGLE)|MATERIAL(_(STONE|METAL|GLASS|WOOD|FLESH|PLASTIC|RUBBER))?|SHINY_(NONE|LOW|MEDIUM|HIGH)|BUMP_(NONE|BRIGHT|DARK|WOOD|BARK|BRICKS|CHECKER|CONCRETE|TILE|STONE|DISKS|GRAVEL|BLOBS|SIDING|LARGETILE|STUCCO|SUCTION|WEAVE)|TEXGEN_(DEFAULT|PLANAR)|SCRIPTED_SIT_ONLY|SCULPT_(TYPE_(SPHERE|TORUS|PLANE|CYLINDER|MASK)|FLAG_(MIRROR|INVERT))|PHYSICS(_(SHAPE_(CONVEX|NONE|PRIM|TYPE)))?|(POS|ROT)_LOCAL|SLICE|TEXT|FLEXIBLE|POINT_LIGHT|TEMP_ON_REZ|PHANTOM|POSITION|SIT_TARGET|SIZE|ROTATION|TEXTURE|NAME|OMEGA|DESC|LINK_TARGET|COLOR|BUMP_SHINY|FULLBRIGHT|TEXGEN|GLOW|MEDIA_(ALT_IMAGE_ENABLE|CONTROLS|(CURRENT|HOME)_URL|AUTO_(LOOP|PLAY|SCALE|ZOOM)|FIRST_CLICK_INTERACT|(WIDTH|HEIGHT)_PIXELS|WHITELIST(_ENABLE)?|PERMS_(INTERACT|CONTROL)|PARAM_MAX|CONTROLS_(STANDARD|MINI)|PERM_(NONE|OWNER|GROUP|ANYONE)|MAX_(URL_LENGTH|WHITELIST_(SIZE|COUNT)|(WIDTH|HEIGHT)_PIXELS)))|MASK_(BASE|OWNER|GROUP|EVERYONE|NEXT)|PERM_(TRANSFER|MODIFY|COPY|MOVE|ALL)|PARCEL_(MEDIA_COMMAND_(STOP|PAUSE|PLAY|LOOP|TEXTURE|URL|TIME|AGENT|UNLOAD|AUTO_ALIGN|TYPE|SIZE|DESC|LOOP_SET)|FLAG_(ALLOW_(FLY|(GROUP_)?SCRIPTS|LANDMARK|TERRAFORM|DAMAGE|CREATE_(GROUP_)?OBJECTS)|USE_(ACCESS_(GROUP|LIST)|BAN_LIST|LAND_PASS_LIST)|LOCAL_SOUND_ONLY|RESTRICT_PUSHOBJECT|ALLOW_(GROUP|ALL)_OBJECT_ENTRY)|COUNT_(TOTAL|OWNER|GROUP|OTHER|SELECTED|TEMP)|DETAILS_(NAME|DESC|OWNER|GROUP|AREA|ID|SEE_AVATARS))|LIST_STAT_(MAX|MIN|MEAN|MEDIAN|STD_DEV|SUM(_SQUARES)?|NUM_COUNT|GEOMETRIC_MEAN|RANGE)|PAY_(HIDE|DEFAULT)|REGION_FLAG_(ALLOW_DAMAGE|FIXED_SUN|BLOCK_TERRAFORM|SANDBOX|DISABLE_(COLLISIONS|PHYSICS)|BLOCK_FLY|ALLOW_DIRECT_TELEPORT|RESTRICT_PUSHOBJECT)|HTTP_(METHOD|MIMETYPE|BODY_(MAXLENGTH|TRUNCATED)|CUSTOM_HEADER|PRAGMA_NO_CACHE|VERBOSE_THROTTLE|VERIFY_CERT)|SIT_(INVALID_(AGENT|LINK_OBJECT)|NO(T_EXPERIENCE|_(ACCESS|EXPERIENCE_PERMISSION|SIT_TARGET)))|STRING_(TRIM(_(HEAD|TAIL))?)|CLICK_ACTION_(NONE|TOUCH|SIT|BUY|PAY|OPEN(_MEDIA)?|PLAY|ZOOM)|TOUCH_INVALID_FACE|PROFILE_(NONE|SCRIPT_MEMORY)|RC_(DATA_FLAGS|DETECT_PHANTOM|GET_(LINK_NUM|NORMAL|ROOT_KEY)|MAX_HITS|REJECT_(TYPES|AGENTS|(NON)?PHYSICAL|LAND))|RCERR_(CAST_TIME_EXCEEDED|SIM_PERF_LOW|UNKNOWN)|ESTATE_ACCESS_(ALLOWED_(AGENT|GROUP)_(ADD|REMOVE)|BANNED_AGENT_(ADD|REMOVE))|DENSITY|FRICTION|RESTITUTION|GRAVITY_MULTIPLIER|KFM_(COMMAND|CMD_(PLAY|STOP|PAUSE)|MODE|FORWARD|LOOP|PING_PONG|REVERSE|DATA|ROTATION|TRANSLATION)|ERR_(GENERIC|PARCEL_PERMISSIONS|MALFORMED_PARAMS|RUNTIME_PERMISSIONS|THROTTLED)|CHARACTER_(CMD_((SMOOTH_)?STOP|JUMP)|DESIRED_(TURN_)?SPEED|RADIUS|STAY_WITHIN_PARCEL|LENGTH|ORIENTATION|ACCOUNT_FOR_SKIPPED_FRAMES|AVOIDANCE_MODE|TYPE(_([ABCD]|NONE))?|MAX_(DECEL|TURN_RADIUS|(ACCEL|SPEED)))|PURSUIT_(OFFSET|FUZZ_FACTOR|GOAL_TOLERANCE|INTERCEPT)|REQUIRE_LINE_OF_SIGHT|FORCE_DIRECT_PATH|VERTICAL|HORIZONTAL|AVOID_(CHARACTERS|DYNAMIC_OBSTACLES|NONE)|PU_(EVADE_(HIDDEN|SPOTTED)|FAILURE_(DYNAMIC_PATHFINDING_DISABLED|INVALID_(GOAL|START)|NO_(NAVMESH|VALID_DESTINATION)|OTHER|TARGET_GONE|(PARCEL_)?UNREACHABLE)|(GOAL|SLOWDOWN_DISTANCE)_REACHED)|TRAVERSAL_TYPE(_(FAST|NONE|SLOW))?|CONTENT_TYPE_(ATOM|FORM|HTML|JSON|LLSD|RSS|TEXT|XHTML|XML)|GCNP_(RADIUS|STATIC)|(PATROL|WANDER)_PAUSE_AT_WAYPOINTS|OPT_(AVATAR|CHARACTER|EXCLUSION_VOLUME|LEGACY_LINKSET|MATERIAL_VOLUME|OTHER|STATIC_OBSTACLE|WALKABLE)|SIM_STAT_PCT_CHARS_STEPPED)\\b"},{begin:"\\b(FALSE|TRUE)\\b"},{begin:"\\b(ZERO_ROTATION)\\b"},{begin:"\\b(EOF|JSON_(ARRAY|DELETE|FALSE|INVALID|NULL|NUMBER|OBJECT|STRING|TRUE)|NULL_KEY|TEXTURE_(BLANK|DEFAULT|MEDIA|PLYWOOD|TRANSPARENT)|URL_REQUEST_(GRANTED|DENIED))\\b"},{begin:"\\b(ZERO_VECTOR|TOUCH_INVALID_(TEXCOORD|VECTOR))\\b"}]},l={className:"built_in",begin:"\\b(ll(AgentInExperience|(Create|DataSize|Delete|KeyCount|Keys|Read|Update)KeyValue|GetExperience(Details|ErrorMessage)|ReturnObjectsBy(ID|Owner)|Json(2List|[GS]etValue|ValueType)|Sin|Cos|Tan|Atan2|Sqrt|Pow|Abs|Fabs|Frand|Floor|Ceil|Round|Vec(Mag|Norm|Dist)|Rot(Between|2(Euler|Fwd|Left|Up))|(Euler|Axes)2Rot|Whisper|(Region|Owner)?Say|Shout|Listen(Control|Remove)?|Sensor(Repeat|Remove)?|Detected(Name|Key|Owner|Type|Pos|Vel|Grab|Rot|Group|LinkNumber)|Die|Ground|Wind|([GS]et)(AnimationOverride|MemoryLimit|PrimMediaParams|ParcelMusicURL|Object(Desc|Name)|PhysicsMaterial|Status|Scale|Color|Alpha|Texture|Pos|Rot|Force|Torque)|ResetAnimationOverride|(Scale|Offset|Rotate)Texture|(Rot)?Target(Remove)?|(Stop)?MoveToTarget|Apply(Rotational)?Impulse|Set(KeyframedMotion|ContentType|RegionPos|(Angular)?Velocity|Buoyancy|HoverHeight|ForceAndTorque|TimerEvent|ScriptState|Damage|TextureAnim|Sound(Queueing|Radius)|Vehicle(Type|(Float|Vector|Rotation)Param)|(Touch|Sit)?Text|Camera(Eye|At)Offset|PrimitiveParams|ClickAction|Link(Alpha|Color|PrimitiveParams(Fast)?|Texture(Anim)?|Camera|Media)|RemoteScriptAccessPin|PayPrice|LocalRot)|ScaleByFactor|Get((Max|Min)ScaleFactor|ClosestNavPoint|StaticPath|SimStats|Env|PrimitiveParams|Link(PrimitiveParams|Number(OfSides)?|Key|Name|Media)|HTTPHeader|FreeURLs|Object(Details|PermMask|PrimCount)|Parcel(MaxPrims|Details|Prim(Count|Owners))|Attached(List)?|(SPMax|Free|Used)Memory|Region(Name|TimeDilation|FPS|Corner|AgentCount)|Root(Position|Rotation)|UnixTime|(Parcel|Region)Flags|(Wall|GMT)clock|SimulatorHostname|BoundingBox|GeometricCenter|Creator|NumberOf(Prims|NotecardLines|Sides)|Animation(List)?|(Camera|Local)(Pos|Rot)|Vel|Accel|Omega|Time(stamp|OfDay)|(Object|CenterOf)?Mass|MassMKS|Energy|Owner|(Owner)?Key|SunDirection|Texture(Offset|Scale|Rot)|Inventory(Number|Name|Key|Type|Creator|PermMask)|Permissions(Key)?|StartParameter|List(Length|EntryType)|Date|Agent(Size|Info|Language|List)|LandOwnerAt|NotecardLine|Script(Name|State))|(Get|Reset|GetAndReset)Time|PlaySound(Slave)?|LoopSound(Master|Slave)?|(Trigger|Stop|Preload)Sound|((Get|Delete)Sub|Insert)String|To(Upper|Lower)|Give(InventoryList|Money)|RezObject|(Stop)?LookAt|Sleep|CollisionFilter|(Take|Release)Controls|DetachFromAvatar|AttachToAvatar(Temp)?|InstantMessage|(GetNext)?Email|StopHover|MinEventDelay|RotLookAt|String(Length|Trim)|(Start|Stop)Animation|TargetOmega|Request(Experience)?Permissions|(Create|Break)Link|BreakAllLinks|(Give|Remove)Inventory|Water|PassTouches|Request(Agent|Inventory)Data|TeleportAgent(Home|GlobalCoords)?|ModifyLand|CollisionSound|ResetScript|MessageLinked|PushObject|PassCollisions|AxisAngle2Rot|Rot2(Axis|Angle)|A(cos|sin)|AngleBetween|AllowInventoryDrop|SubStringIndex|List2(CSV|Integer|Json|Float|String|Key|Vector|Rot|List(Strided)?)|DeleteSubList|List(Statistics|Sort|Randomize|(Insert|Find|Replace)List)|EdgeOfWorld|AdjustSoundVolume|Key2Name|TriggerSoundLimited|EjectFromLand|(CSV|ParseString)2List|OverMyLand|SameGroup|UnSit|Ground(Slope|Normal|Contour)|GroundRepel|(Set|Remove)VehicleFlags|SitOnLink|(AvatarOn)?(Link)?SitTarget|Script(Danger|Profiler)|Dialog|VolumeDetect|ResetOtherScript|RemoteLoadScriptPin|(Open|Close)RemoteDataChannel|SendRemoteData|RemoteDataReply|(Integer|String)ToBase64|XorBase64|Log(10)?|Base64To(String|Integer)|ParseStringKeepNulls|RezAtRoot|RequestSimulatorData|ForceMouselook|(Load|Release|(E|Une)scape)URL|ParcelMedia(CommandList|Query)|ModPow|MapDestination|(RemoveFrom|AddTo|Reset)Land(Pass|Ban)List|(Set|Clear)CameraParams|HTTP(Request|Response)|TextBox|DetectedTouch(UV|Face|Pos|(N|Bin)ormal|ST)|(MD5|SHA1|DumpList2)String|Request(Secure)?URL|Clear(Prim|Link)Media|(Link)?ParticleSystem|(Get|Request)(Username|DisplayName)|RegionSayTo|CastRay|GenerateKey|TransferLindenDollars|ManageEstateAccess|(Create|Delete)Character|ExecCharacterCmd|Evade|FleeFrom|NavigateTo|PatrolPoints|Pursue|UpdateCharacter|WanderWithin))\\b"};return{name:"LSL (Linden Scripting Language)",illegal:":",contains:[r,{className:"comment",variants:[t.COMMENT("//","$"),t.COMMENT("/\\*","\\*/")],relevance:0},a,{className:"section",variants:[{begin:"\\b(state|default)\\b"},{begin:"\\b(state_(entry|exit)|touch(_(start|end))?|(land_)?collision(_(start|end))?|timer|listen|(no_)?sensor|control|(not_)?at_(rot_)?target|money|email|experience_permissions(_denied)?|run_time_permissions|changed|attach|dataserver|moving_(start|end)|link_message|(on|object)_rez|remote_data|http_re(sponse|quest)|path_update|transaction_result)\\b"}]},l,o,{className:"type",begin:"\\b(integer|float|string|key|vector|quaternion|rotation|list)\\b"}]}}return cm=e,cm}var dm,ly;function Ek(){if(ly)return dm;ly=1;function e(t){const n="\\[=*\\[",r="\\]=*\\]",a={begin:n,end:r,contains:["self"]},o=[t.COMMENT("--(?!"+n+")","$"),t.COMMENT("--"+n,r,{contains:[a],relevance:10})];return{name:"Lua",keywords:{$pattern:t.UNDERSCORE_IDENT_RE,literal:"true false nil",keyword:"and break do else elseif end for goto if in local not or repeat return then until while",built_in:"_G _ENV _VERSION __index __newindex __mode __call __metatable __tostring __len __gc __add __sub __mul __div __mod __pow __concat __unm __eq __lt __le assert collectgarbage dofile error getfenv getmetatable ipairs load loadfile loadstring module next pairs pcall print rawequal rawget rawset require select setfenv setmetatable tonumber tostring type unpack xpcall arg self coroutine resume yield status wrap create running debug getupvalue debug sethook getmetatable gethook setmetatable setlocal traceback setfenv getinfo setupvalue getlocal getregistry getfenv io lines write close flush open output type read stderr stdin input stdout popen tmpfile math log max acos huge ldexp pi cos tanh pow deg tan cosh sinh random randomseed frexp ceil floor rad abs sqrt modf asin min mod fmod log10 atan2 exp sin atan os exit setlocale date getenv difftime remove time clock tmpname rename execute package preload loadlib loaded loaders cpath config path seeall string sub upper len gfind rep find match char dump gmatch reverse byte format gsub lower table setn insert getn foreachi maxn foreach concat sort remove"},contains:o.concat([{className:"function",beginKeywords:"function",end:"\\)",contains:[t.inherit(t.TITLE_MODE,{begin:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),{className:"params",begin:"\\(",endsWithParent:!0,contains:o}].concat(o)},t.C_NUMBER_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{className:"string",begin:n,end:r,contains:[a],relevance:5}])}}return dm=e,dm}var fm,uy;function Sk(){if(uy)return fm;uy=1;function e(t){const n={className:"variable",variants:[{begin:"\\$\\("+t.UNDERSCORE_IDENT_RE+"\\)",contains:[t.BACKSLASH_ESCAPE]},{begin:/\$[@%<?\^\+\*]/}]},r={className:"string",begin:/"/,end:/"/,contains:[t.BACKSLASH_ESCAPE,n]},a={className:"variable",begin:/\$\([\w-]+\s/,end:/\)/,keywords:{built_in:"subst patsubst strip findstring filter filter-out sort word wordlist firstword lastword dir notdir suffix basename addsuffix addprefix join wildcard realpath abspath error warning shell origin flavor foreach if or and call eval file value"},contains:[n]},o={begin:"^"+t.UNDERSCORE_IDENT_RE+"\\s*(?=[:+?]?=)"},l={className:"meta",begin:/^\.PHONY:/,end:/$/,keywords:{$pattern:/[\.\w]+/,keyword:".PHONY"}},u={className:"section",begin:/^[^\s]+:/,end:/$/,contains:[n]};return{name:"Makefile",aliases:["mk","mak","make"],keywords:{$pattern:/[\w-]+/,keyword:"define endef undefine ifdef ifndef ifeq ifneq else endif include -include sinclude override export unexport private vpath"},contains:[t.HASH_COMMENT_MODE,n,r,a,o,l,u]}}return fm=e,fm}var pm,cy;function bk(){if(cy)return pm;cy=1;const e=["AASTriangle","AbelianGroup","Abort","AbortKernels","AbortProtect","AbortScheduledTask","Above","Abs","AbsArg","AbsArgPlot","Absolute","AbsoluteCorrelation","AbsoluteCorrelationFunction","AbsoluteCurrentValue","AbsoluteDashing","AbsoluteFileName","AbsoluteOptions","AbsolutePointSize","AbsoluteThickness","AbsoluteTime","AbsoluteTiming","AcceptanceThreshold","AccountingForm","Accumulate","Accuracy","AccuracyGoal","AcousticAbsorbingValue","AcousticImpedanceValue","AcousticNormalVelocityValue","AcousticPDEComponent","AcousticPressureCondition","AcousticRadiationValue","AcousticSoundHardValue","AcousticSoundSoftCondition","ActionDelay","ActionMenu","ActionMenuBox","ActionMenuBoxOptions","Activate","Active","ActiveClassification","ActiveClassificationObject","ActiveItem","ActivePrediction","ActivePredictionObject","ActiveStyle","AcyclicGraphQ","AddOnHelpPath","AddSides","AddTo","AddToSearchIndex","AddUsers","AdjacencyGraph","AdjacencyList","AdjacencyMatrix","AdjacentMeshCells","Adjugate","AdjustmentBox","AdjustmentBoxOptions","AdjustTimeSeriesForecast","AdministrativeDivisionData","AffineHalfSpace","AffineSpace","AffineStateSpaceModel","AffineTransform","After","AggregatedEntityClass","AggregationLayer","AircraftData","AirportData","AirPressureData","AirSoundAttenuation","AirTemperatureData","AiryAi","AiryAiPrime","AiryAiZero","AiryBi","AiryBiPrime","AiryBiZero","AlgebraicIntegerQ","AlgebraicNumber","AlgebraicNumberDenominator","AlgebraicNumberNorm","AlgebraicNumberPolynomial","AlgebraicNumberTrace","AlgebraicRules","AlgebraicRulesData","Algebraics","AlgebraicUnitQ","Alignment","AlignmentMarker","AlignmentPoint","All","AllowAdultContent","AllowChatServices","AllowedCloudExtraParameters","AllowedCloudParameterExtensions","AllowedDimensions","AllowedFrequencyRange","AllowedHeads","AllowGroupClose","AllowIncomplete","AllowInlineCells","AllowKernelInitialization","AllowLooseGrammar","AllowReverseGroupClose","AllowScriptLevelChange","AllowVersionUpdate","AllTrue","Alphabet","AlphabeticOrder","AlphabeticSort","AlphaChannel","AlternateImage","AlternatingFactorial","AlternatingGroup","AlternativeHypothesis","Alternatives","AltitudeMethod","AmbientLight","AmbiguityFunction","AmbiguityList","Analytic","AnatomyData","AnatomyForm","AnatomyPlot3D","AnatomySkinStyle","AnatomyStyling","AnchoredSearch","And","AndersonDarlingTest","AngerJ","AngleBisector","AngleBracket","AnglePath","AnglePath3D","AngleVector","AngularGauge","Animate","AnimatedImage","AnimationCycleOffset","AnimationCycleRepetitions","AnimationDirection","AnimationDisplayTime","AnimationRate","AnimationRepetitions","AnimationRunning","AnimationRunTime","AnimationTimeIndex","AnimationVideo","Animator","AnimatorBox","AnimatorBoxOptions","AnimatorElements","Annotate","Annotation","AnnotationDelete","AnnotationKeys","AnnotationRules","AnnotationValue","Annuity","AnnuityDue","Annulus","AnomalyDetection","AnomalyDetector","AnomalyDetectorFunction","Anonymous","Antialiasing","Antihermitian","AntihermitianMatrixQ","Antisymmetric","AntisymmetricMatrixQ","Antonyms","AnyOrder","AnySubset","AnyTrue","Apart","ApartSquareFree","APIFunction","Appearance","AppearanceElements","AppearanceRules","AppellF1","Append","AppendCheck","AppendLayer","AppendTo","Application","Apply","ApplyReaction","ApplySides","ApplyTo","ArcCos","ArcCosh","ArcCot","ArcCoth","ArcCsc","ArcCsch","ArcCurvature","ARCHProcess","ArcLength","ArcSec","ArcSech","ArcSin","ArcSinDistribution","ArcSinh","ArcTan","ArcTanh","Area","Arg","ArgMax","ArgMin","ArgumentCountQ","ArgumentsOptions","ARIMAProcess","ArithmeticGeometricMean","ARMAProcess","Around","AroundReplace","ARProcess","Array","ArrayComponents","ArrayDepth","ArrayFilter","ArrayFlatten","ArrayMesh","ArrayPad","ArrayPlot","ArrayPlot3D","ArrayQ","ArrayReduce","ArrayResample","ArrayReshape","ArrayRules","Arrays","Arrow","Arrow3DBox","ArrowBox","Arrowheads","ASATriangle","Ask","AskAppend","AskConfirm","AskDisplay","AskedQ","AskedValue","AskFunction","AskState","AskTemplateDisplay","AspectRatio","AspectRatioFixed","Assert","AssessmentFunction","AssessmentResultObject","AssociateTo","Association","AssociationFormat","AssociationMap","AssociationQ","AssociationThread","AssumeDeterministic","Assuming","Assumptions","AstroAngularSeparation","AstroBackground","AstroCenter","AstroDistance","AstroGraphics","AstroGridLines","AstroGridLinesStyle","AstronomicalData","AstroPosition","AstroProjection","AstroRange","AstroRangePadding","AstroReferenceFrame","AstroStyling","AstroZoomLevel","Asymptotic","AsymptoticDSolveValue","AsymptoticEqual","AsymptoticEquivalent","AsymptoticExpectation","AsymptoticGreater","AsymptoticGreaterEqual","AsymptoticIntegrate","AsymptoticLess","AsymptoticLessEqual","AsymptoticOutputTracker","AsymptoticProbability","AsymptoticProduct","AsymptoticRSolveValue","AsymptoticSolve","AsymptoticSum","Asynchronous","AsynchronousTaskObject","AsynchronousTasks","Atom","AtomCoordinates","AtomCount","AtomDiagramCoordinates","AtomLabels","AtomLabelStyle","AtomList","AtomQ","AttachCell","AttachedCell","AttentionLayer","Attributes","Audio","AudioAmplify","AudioAnnotate","AudioAnnotationLookup","AudioBlockMap","AudioCapture","AudioChannelAssignment","AudioChannelCombine","AudioChannelMix","AudioChannels","AudioChannelSeparate","AudioData","AudioDelay","AudioDelete","AudioDevice","AudioDistance","AudioEncoding","AudioFade","AudioFrequencyShift","AudioGenerator","AudioIdentify","AudioInputDevice","AudioInsert","AudioInstanceQ","AudioIntervals","AudioJoin","AudioLabel","AudioLength","AudioLocalMeasurements","AudioLooping","AudioLoudness","AudioMeasurements","AudioNormalize","AudioOutputDevice","AudioOverlay","AudioPad","AudioPan","AudioPartition","AudioPause","AudioPitchShift","AudioPlay","AudioPlot","AudioQ","AudioRecord","AudioReplace","AudioResample","AudioReverb","AudioReverse","AudioSampleRate","AudioSpectralMap","AudioSpectralTransformation","AudioSplit","AudioStop","AudioStream","AudioStreams","AudioTimeStretch","AudioTrackApply","AudioTrackSelection","AudioTrim","AudioType","AugmentedPolyhedron","AugmentedSymmetricPolynomial","Authenticate","Authentication","AuthenticationDialog","AutoAction","Autocomplete","AutocompletionFunction","AutoCopy","AutocorrelationTest","AutoDelete","AutoEvaluateEvents","AutoGeneratedPackage","AutoIndent","AutoIndentSpacings","AutoItalicWords","AutoloadPath","AutoMatch","Automatic","AutomaticImageSize","AutoMultiplicationSymbol","AutoNumberFormatting","AutoOpenNotebooks","AutoOpenPalettes","AutoOperatorRenderings","AutoQuoteCharacters","AutoRefreshed","AutoRemove","AutorunSequencing","AutoScaling","AutoScroll","AutoSpacing","AutoStyleOptions","AutoStyleWords","AutoSubmitting","Axes","AxesEdge","AxesLabel","AxesOrigin","AxesStyle","AxiomaticTheory","Axis","Axis3DBox","Axis3DBoxOptions","AxisBox","AxisBoxOptions","AxisLabel","AxisObject","AxisStyle","BabyMonsterGroupB","Back","BackFaceColor","BackFaceGlowColor","BackFaceOpacity","BackFaceSpecularColor","BackFaceSpecularExponent","BackFaceSurfaceAppearance","BackFaceTexture","Background","BackgroundAppearance","BackgroundTasksSettings","Backslash","Backsubstitution","Backward","Ball","Band","BandpassFilter","BandstopFilter","BarabasiAlbertGraphDistribution","BarChart","BarChart3D","BarcodeImage","BarcodeRecognize","BaringhausHenzeTest","BarLegend","BarlowProschanImportance","BarnesG","BarOrigin","BarSpacing","BartlettHannWindow","BartlettWindow","BaseDecode","BaseEncode","BaseForm","Baseline","BaselinePosition","BaseStyle","BasicRecurrentLayer","BatchNormalizationLayer","BatchSize","BatesDistribution","BattleLemarieWavelet","BayesianMaximization","BayesianMaximizationObject","BayesianMinimization","BayesianMinimizationObject","Because","BeckmannDistribution","Beep","Before","Begin","BeginDialogPacket","BeginPackage","BellB","BellY","Below","BenfordDistribution","BeniniDistribution","BenktanderGibratDistribution","BenktanderWeibullDistribution","BernoulliB","BernoulliDistribution","BernoulliGraphDistribution","BernoulliProcess","BernsteinBasis","BesagL","BesselFilterModel","BesselI","BesselJ","BesselJZero","BesselK","BesselY","BesselYZero","Beta","BetaBinomialDistribution","BetaDistribution","BetaNegativeBinomialDistribution","BetaPrimeDistribution","BetaRegularized","Between","BetweennessCentrality","Beveled","BeveledPolyhedron","BezierCurve","BezierCurve3DBox","BezierCurve3DBoxOptions","BezierCurveBox","BezierCurveBoxOptions","BezierFunction","BilateralFilter","BilateralLaplaceTransform","BilateralZTransform","Binarize","BinaryDeserialize","BinaryDistance","BinaryFormat","BinaryImageQ","BinaryRead","BinaryReadList","BinarySerialize","BinaryWrite","BinCounts","BinLists","BinnedVariogramList","Binomial","BinomialDistribution","BinomialPointProcess","BinomialProcess","BinormalDistribution","BiorthogonalSplineWavelet","BioSequence","BioSequenceBackTranslateList","BioSequenceComplement","BioSequenceInstances","BioSequenceModify","BioSequencePlot","BioSequenceQ","BioSequenceReverseComplement","BioSequenceTranscribe","BioSequenceTranslate","BipartiteGraphQ","BiquadraticFilterModel","BirnbaumImportance","BirnbaumSaundersDistribution","BitAnd","BitClear","BitGet","BitLength","BitNot","BitOr","BitRate","BitSet","BitShiftLeft","BitShiftRight","BitXor","BiweightLocation","BiweightMidvariance","Black","BlackmanHarrisWindow","BlackmanNuttallWindow","BlackmanWindow","Blank","BlankForm","BlankNullSequence","BlankSequence","Blend","Block","BlockchainAddressData","BlockchainBase","BlockchainBlockData","BlockchainContractValue","BlockchainData","BlockchainGet","BlockchainKeyEncode","BlockchainPut","BlockchainTokenData","BlockchainTransaction","BlockchainTransactionData","BlockchainTransactionSign","BlockchainTransactionSubmit","BlockDiagonalMatrix","BlockLowerTriangularMatrix","BlockMap","BlockRandom","BlockUpperTriangularMatrix","BlomqvistBeta","BlomqvistBetaTest","Blue","Blur","Blurring","BodePlot","BohmanWindow","Bold","Bond","BondCount","BondLabels","BondLabelStyle","BondList","BondQ","Bookmarks","Boole","BooleanConsecutiveFunction","BooleanConvert","BooleanCountingFunction","BooleanFunction","BooleanGraph","BooleanMaxterms","BooleanMinimize","BooleanMinterms","BooleanQ","BooleanRegion","Booleans","BooleanStrings","BooleanTable","BooleanVariables","BorderDimensions","BorelTannerDistribution","Bottom","BottomHatTransform","BoundaryDiscretizeGraphics","BoundaryDiscretizeRegion","BoundaryMesh","BoundaryMeshRegion","BoundaryMeshRegionQ","BoundaryStyle","BoundedRegionQ","BoundingRegion","Bounds","Box","BoxBaselineShift","BoxData","BoxDimensions","Boxed","Boxes","BoxForm","BoxFormFormatTypes","BoxFrame","BoxID","BoxMargins","BoxMatrix","BoxObject","BoxRatios","BoxRotation","BoxRotationPoint","BoxStyle","BoxWhiskerChart","Bra","BracketingBar","BraKet","BrayCurtisDistance","BreadthFirstScan","Break","BridgeData","BrightnessEqualize","BroadcastStationData","Brown","BrownForsytheTest","BrownianBridgeProcess","BrowserCategory","BSplineBasis","BSplineCurve","BSplineCurve3DBox","BSplineCurve3DBoxOptions","BSplineCurveBox","BSplineCurveBoxOptions","BSplineFunction","BSplineSurface","BSplineSurface3DBox","BSplineSurface3DBoxOptions","BubbleChart","BubbleChart3D","BubbleScale","BubbleSizes","BuckyballGraph","BuildCompiledComponent","BuildingData","BulletGauge","BusinessDayQ","ButterflyGraph","ButterworthFilterModel","Button","ButtonBar","ButtonBox","ButtonBoxOptions","ButtonCell","ButtonContents","ButtonData","ButtonEvaluator","ButtonExpandable","ButtonFrame","ButtonFunction","ButtonMargins","ButtonMinHeight","ButtonNote","ButtonNotebook","ButtonSource","ButtonStyle","ButtonStyleMenuListing","Byte","ByteArray","ByteArrayFormat","ByteArrayFormatQ","ByteArrayQ","ByteArrayToString","ByteCount","ByteOrdering","C","CachedValue","CacheGraphics","CachePersistence","CalendarConvert","CalendarData","CalendarType","Callout","CalloutMarker","CalloutStyle","CallPacket","CanberraDistance","Cancel","CancelButton","CandlestickChart","CanonicalGraph","CanonicalizePolygon","CanonicalizePolyhedron","CanonicalizeRegion","CanonicalName","CanonicalWarpingCorrespondence","CanonicalWarpingDistance","CantorMesh","CantorStaircase","Canvas","Cap","CapForm","CapitalDifferentialD","Capitalize","CapsuleShape","CaptureRunning","CaputoD","CardinalBSplineBasis","CarlemanLinearize","CarlsonRC","CarlsonRD","CarlsonRE","CarlsonRF","CarlsonRG","CarlsonRJ","CarlsonRK","CarlsonRM","CarmichaelLambda","CaseOrdering","Cases","CaseSensitive","Cashflow","Casoratian","Cast","Catalan","CatalanNumber","Catch","CategoricalDistribution","Catenate","CatenateLayer","CauchyDistribution","CauchyMatrix","CauchyPointProcess","CauchyWindow","CayleyGraph","CDF","CDFDeploy","CDFInformation","CDFWavelet","Ceiling","CelestialSystem","Cell","CellAutoOverwrite","CellBaseline","CellBoundingBox","CellBracketOptions","CellChangeTimes","CellContents","CellContext","CellDingbat","CellDingbatMargin","CellDynamicExpression","CellEditDuplicate","CellElementsBoundingBox","CellElementSpacings","CellEpilog","CellEvaluationDuplicate","CellEvaluationFunction","CellEvaluationLanguage","CellEventActions","CellFrame","CellFrameColor","CellFrameLabelMargins","CellFrameLabels","CellFrameMargins","CellFrameStyle","CellGroup","CellGroupData","CellGrouping","CellGroupingRules","CellHorizontalScrolling","CellID","CellInsertionPointCell","CellLabel","CellLabelAutoDelete","CellLabelMargins","CellLabelPositioning","CellLabelStyle","CellLabelTemplate","CellMargins","CellObject","CellOpen","CellPrint","CellProlog","Cells","CellSize","CellStyle","CellTags","CellTrayPosition","CellTrayWidgets","CellularAutomaton","CensoredDistribution","Censoring","Center","CenterArray","CenterDot","CenteredInterval","CentralFeature","CentralMoment","CentralMomentGeneratingFunction","Cepstrogram","CepstrogramArray","CepstrumArray","CForm","ChampernowneNumber","ChangeOptions","ChannelBase","ChannelBrokerAction","ChannelDatabin","ChannelHistoryLength","ChannelListen","ChannelListener","ChannelListeners","ChannelListenerWait","ChannelObject","ChannelPreSendFunction","ChannelReceiverFunction","ChannelSend","ChannelSubscribers","ChanVeseBinarize","Character","CharacterCounts","CharacterEncoding","CharacterEncodingsPath","CharacteristicFunction","CharacteristicPolynomial","CharacterName","CharacterNormalize","CharacterRange","Characters","ChartBaseStyle","ChartElementData","ChartElementDataFunction","ChartElementFunction","ChartElements","ChartLabels","ChartLayout","ChartLegends","ChartStyle","Chebyshev1FilterModel","Chebyshev2FilterModel","ChebyshevDistance","ChebyshevT","ChebyshevU","Check","CheckAbort","CheckAll","CheckArguments","Checkbox","CheckboxBar","CheckboxBox","CheckboxBoxOptions","ChemicalConvert","ChemicalData","ChemicalFormula","ChemicalInstance","ChemicalReaction","ChessboardDistance","ChiDistribution","ChineseRemainder","ChiSquareDistribution","ChoiceButtons","ChoiceDialog","CholeskyDecomposition","Chop","ChromaticityPlot","ChromaticityPlot3D","ChromaticPolynomial","Circle","CircleBox","CircleDot","CircleMinus","CirclePlus","CirclePoints","CircleThrough","CircleTimes","CirculantGraph","CircularArcThrough","CircularOrthogonalMatrixDistribution","CircularQuaternionMatrixDistribution","CircularRealMatrixDistribution","CircularSymplecticMatrixDistribution","CircularUnitaryMatrixDistribution","Circumsphere","CityData","ClassifierFunction","ClassifierInformation","ClassifierMeasurements","ClassifierMeasurementsObject","Classify","ClassPriors","Clear","ClearAll","ClearAttributes","ClearCookies","ClearPermissions","ClearSystemCache","ClebschGordan","ClickPane","ClickToCopy","ClickToCopyEnabled","Clip","ClipboardNotebook","ClipFill","ClippingStyle","ClipPlanes","ClipPlanesStyle","ClipRange","Clock","ClockGauge","ClockwiseContourIntegral","Close","Closed","CloseKernels","ClosenessCentrality","Closing","ClosingAutoSave","ClosingEvent","CloudAccountData","CloudBase","CloudConnect","CloudConnections","CloudDeploy","CloudDirectory","CloudDisconnect","CloudEvaluate","CloudExport","CloudExpression","CloudExpressions","CloudFunction","CloudGet","CloudImport","CloudLoggingData","CloudObject","CloudObjectInformation","CloudObjectInformationData","CloudObjectNameFormat","CloudObjects","CloudObjectURLType","CloudPublish","CloudPut","CloudRenderingMethod","CloudSave","CloudShare","CloudSubmit","CloudSymbol","CloudUnshare","CloudUserID","ClusterClassify","ClusterDissimilarityFunction","ClusteringComponents","ClusteringMeasurements","ClusteringTree","CMYKColor","Coarse","CodeAssistOptions","Coefficient","CoefficientArrays","CoefficientDomain","CoefficientList","CoefficientRules","CoifletWavelet","Collect","CollinearPoints","Colon","ColonForm","ColorBalance","ColorCombine","ColorConvert","ColorCoverage","ColorData","ColorDataFunction","ColorDetect","ColorDistance","ColorFunction","ColorFunctionBinning","ColorFunctionScaling","Colorize","ColorNegate","ColorOutput","ColorProfileData","ColorQ","ColorQuantize","ColorReplace","ColorRules","ColorSelectorSettings","ColorSeparate","ColorSetter","ColorSetterBox","ColorSetterBoxOptions","ColorSlider","ColorsNear","ColorSpace","ColorToneMapping","Column","ColumnAlignments","ColumnBackgrounds","ColumnForm","ColumnLines","ColumnsEqual","ColumnSpacings","ColumnWidths","CombinatorB","CombinatorC","CombinatorI","CombinatorK","CombinatorS","CombinatorW","CombinatorY","CombinedEntityClass","CombinerFunction","CometData","CommonDefaultFormatTypes","Commonest","CommonestFilter","CommonName","CommonUnits","CommunityBoundaryStyle","CommunityGraphPlot","CommunityLabels","CommunityRegionStyle","CompanyData","CompatibleUnitQ","CompilationOptions","CompilationTarget","Compile","Compiled","CompiledCodeFunction","CompiledComponent","CompiledExpressionDeclaration","CompiledFunction","CompiledLayer","CompilerCallback","CompilerEnvironment","CompilerEnvironmentAppend","CompilerEnvironmentAppendTo","CompilerEnvironmentObject","CompilerOptions","Complement","ComplementedEntityClass","CompleteGraph","CompleteGraphQ","CompleteIntegral","CompleteKaryTree","CompletionsListPacket","Complex","ComplexArrayPlot","ComplexContourPlot","Complexes","ComplexExpand","ComplexInfinity","ComplexityFunction","ComplexListPlot","ComplexPlot","ComplexPlot3D","ComplexRegionPlot","ComplexStreamPlot","ComplexVectorPlot","ComponentMeasurements","ComponentwiseContextMenu","Compose","ComposeList","ComposeSeries","CompositeQ","Composition","CompoundElement","CompoundExpression","CompoundPoissonDistribution","CompoundPoissonProcess","CompoundRenewalProcess","Compress","CompressedData","CompressionLevel","ComputeUncertainty","ConcaveHullMesh","Condition","ConditionalExpression","Conditioned","Cone","ConeBox","ConfidenceLevel","ConfidenceRange","ConfidenceTransform","ConfigurationPath","Confirm","ConfirmAssert","ConfirmBy","ConfirmMatch","ConfirmQuiet","ConformationMethod","ConformAudio","ConformImages","Congruent","ConicGradientFilling","ConicHullRegion","ConicHullRegion3DBox","ConicHullRegion3DBoxOptions","ConicHullRegionBox","ConicHullRegionBoxOptions","ConicOptimization","Conjugate","ConjugateTranspose","Conjunction","Connect","ConnectedComponents","ConnectedGraphComponents","ConnectedGraphQ","ConnectedMeshComponents","ConnectedMoleculeComponents","ConnectedMoleculeQ","ConnectionSettings","ConnectLibraryCallbackFunction","ConnectSystemModelComponents","ConnectSystemModelController","ConnesWindow","ConoverTest","ConservativeConvectionPDETerm","ConsoleMessage","Constant","ConstantArray","ConstantArrayLayer","ConstantImage","ConstantPlusLayer","ConstantRegionQ","Constants","ConstantTimesLayer","ConstellationData","ConstrainedMax","ConstrainedMin","Construct","Containing","ContainsAll","ContainsAny","ContainsExactly","ContainsNone","ContainsOnly","ContentDetectorFunction","ContentFieldOptions","ContentLocationFunction","ContentObject","ContentPadding","ContentsBoundingBox","ContentSelectable","ContentSize","Context","ContextMenu","Contexts","ContextToFileName","Continuation","Continue","ContinuedFraction","ContinuedFractionK","ContinuousAction","ContinuousMarkovProcess","ContinuousTask","ContinuousTimeModelQ","ContinuousWaveletData","ContinuousWaveletTransform","ContourDetect","ContourGraphics","ContourIntegral","ContourLabels","ContourLines","ContourPlot","ContourPlot3D","Contours","ContourShading","ContourSmoothing","ContourStyle","ContraharmonicMean","ContrastiveLossLayer","Control","ControlActive","ControlAlignment","ControlGroupContentsBox","ControllabilityGramian","ControllabilityMatrix","ControllableDecomposition","ControllableModelQ","ControllerDuration","ControllerInformation","ControllerInformationData","ControllerLinking","ControllerManipulate","ControllerMethod","ControllerPath","ControllerState","ControlPlacement","ControlsRendering","ControlType","ConvectionPDETerm","Convergents","ConversionOptions","ConversionRules","ConvertToPostScript","ConvertToPostScriptPacket","ConvexHullMesh","ConvexHullRegion","ConvexOptimization","ConvexPolygonQ","ConvexPolyhedronQ","ConvexRegionQ","ConvolutionLayer","Convolve","ConwayGroupCo1","ConwayGroupCo2","ConwayGroupCo3","CookieFunction","Cookies","CoordinateBoundingBox","CoordinateBoundingBoxArray","CoordinateBounds","CoordinateBoundsArray","CoordinateChartData","CoordinatesToolOptions","CoordinateTransform","CoordinateTransformData","CoplanarPoints","CoprimeQ","Coproduct","CopulaDistribution","Copyable","CopyDatabin","CopyDirectory","CopyFile","CopyFunction","CopyTag","CopyToClipboard","CoreNilpotentDecomposition","CornerFilter","CornerNeighbors","Correlation","CorrelationDistance","CorrelationFunction","CorrelationTest","Cos","Cosh","CoshIntegral","CosineDistance","CosineWindow","CosIntegral","Cot","Coth","CoulombF","CoulombG","CoulombH1","CoulombH2","Count","CountDistinct","CountDistinctBy","CounterAssignments","CounterBox","CounterBoxOptions","CounterClockwiseContourIntegral","CounterEvaluator","CounterFunction","CounterIncrements","CounterStyle","CounterStyleMenuListing","CountRoots","CountryData","Counts","CountsBy","Covariance","CovarianceEstimatorFunction","CovarianceFunction","CoxianDistribution","CoxIngersollRossProcess","CoxModel","CoxModelFit","CramerVonMisesTest","CreateArchive","CreateCellID","CreateChannel","CreateCloudExpression","CreateCompilerEnvironment","CreateDatabin","CreateDataStructure","CreateDataSystemModel","CreateDialog","CreateDirectory","CreateDocument","CreateFile","CreateIntermediateDirectories","CreateLicenseEntitlement","CreateManagedLibraryExpression","CreateNotebook","CreatePacletArchive","CreatePalette","CreatePermissionsGroup","CreateScheduledTask","CreateSearchIndex","CreateSystemModel","CreateTemporary","CreateTypeInstance","CreateUUID","CreateWindow","CriterionFunction","CriticalityFailureImportance","CriticalitySuccessImportance","CriticalSection","Cross","CrossEntropyLossLayer","CrossingCount","CrossingDetect","CrossingPolygon","CrossMatrix","Csc","Csch","CSGRegion","CSGRegionQ","CSGRegionTree","CTCLossLayer","Cube","CubeRoot","Cubics","Cuboid","CuboidBox","CuboidBoxOptions","Cumulant","CumulantGeneratingFunction","CumulativeFeatureImpactPlot","Cup","CupCap","Curl","CurlyDoubleQuote","CurlyQuote","CurrencyConvert","CurrentDate","CurrentImage","CurrentNotebookImage","CurrentScreenImage","CurrentValue","Curry","CurryApplied","CurvatureFlowFilter","CurveClosed","Cyan","CycleGraph","CycleIndexPolynomial","Cycles","CyclicGroup","Cyclotomic","Cylinder","CylinderBox","CylinderBoxOptions","CylindricalDecomposition","CylindricalDecompositionFunction","D","DagumDistribution","DamData","DamerauLevenshteinDistance","DampingFactor","Darker","Dashed","Dashing","DatabaseConnect","DatabaseDisconnect","DatabaseReference","Databin","DatabinAdd","DatabinRemove","Databins","DatabinSubmit","DatabinUpload","DataCompression","DataDistribution","DataRange","DataReversed","Dataset","DatasetDisplayPanel","DatasetTheme","DataStructure","DataStructureQ","Date","DateBounds","Dated","DateDelimiters","DateDifference","DatedUnit","DateFormat","DateFunction","DateGranularity","DateHistogram","DateInterval","DateList","DateListLogPlot","DateListPlot","DateListStepPlot","DateObject","DateObjectQ","DateOverlapsQ","DatePattern","DatePlus","DateRange","DateReduction","DateScale","DateSelect","DateString","DateTicksFormat","DateValue","DateWithinQ","DaubechiesWavelet","DavisDistribution","DawsonF","DayCount","DayCountConvention","DayHemisphere","DaylightQ","DayMatchQ","DayName","DayNightTerminator","DayPlus","DayRange","DayRound","DeBruijnGraph","DeBruijnSequence","Debug","DebugTag","Decapitalize","Decimal","DecimalForm","DeclareCompiledComponent","DeclareKnownSymbols","DeclarePackage","Decompose","DeconvolutionLayer","Decrement","Decrypt","DecryptFile","DedekindEta","DeepSpaceProbeData","Default","Default2DTool","Default3DTool","DefaultAttachedCellStyle","DefaultAxesStyle","DefaultBaseStyle","DefaultBoxStyle","DefaultButton","DefaultColor","DefaultControlPlacement","DefaultDockedCellStyle","DefaultDuplicateCellStyle","DefaultDuration","DefaultElement","DefaultFaceGridsStyle","DefaultFieldHintStyle","DefaultFont","DefaultFontProperties","DefaultFormatType","DefaultFrameStyle","DefaultFrameTicksStyle","DefaultGridLinesStyle","DefaultInlineFormatType","DefaultInputFormatType","DefaultLabelStyle","DefaultMenuStyle","DefaultNaturalLanguage","DefaultNewCellStyle","DefaultNewInlineCellStyle","DefaultNotebook","DefaultOptions","DefaultOutputFormatType","DefaultPrintPrecision","DefaultStyle","DefaultStyleDefinitions","DefaultTextFormatType","DefaultTextInlineFormatType","DefaultTicksStyle","DefaultTooltipStyle","DefaultValue","DefaultValues","Defer","DefineExternal","DefineInputStreamMethod","DefineOutputStreamMethod","DefineResourceFunction","Definition","Degree","DegreeCentrality","DegreeGraphDistribution","DegreeLexicographic","DegreeReverseLexicographic","DEigensystem","DEigenvalues","Deinitialization","Del","DelaunayMesh","Delayed","Deletable","Delete","DeleteAdjacentDuplicates","DeleteAnomalies","DeleteBorderComponents","DeleteCases","DeleteChannel","DeleteCloudExpression","DeleteContents","DeleteDirectory","DeleteDuplicates","DeleteDuplicatesBy","DeleteElements","DeleteFile","DeleteMissing","DeleteObject","DeletePermissionsKey","DeleteSearchIndex","DeleteSmallComponents","DeleteStopwords","DeleteWithContents","DeletionWarning","DelimitedArray","DelimitedSequence","Delimiter","DelimiterAutoMatching","DelimiterFlashTime","DelimiterMatching","Delimiters","DeliveryFunction","Dendrogram","Denominator","DensityGraphics","DensityHistogram","DensityPlot","DensityPlot3D","DependentVariables","Deploy","Deployed","Depth","DepthFirstScan","Derivative","DerivativeFilter","DerivativePDETerm","DerivedKey","DescriptorStateSpace","DesignMatrix","DestroyAfterEvaluation","Det","DeviceClose","DeviceConfigure","DeviceExecute","DeviceExecuteAsynchronous","DeviceObject","DeviceOpen","DeviceOpenQ","DeviceRead","DeviceReadBuffer","DeviceReadLatest","DeviceReadList","DeviceReadTimeSeries","Devices","DeviceStreams","DeviceWrite","DeviceWriteBuffer","DGaussianWavelet","DiacriticalPositioning","Diagonal","DiagonalizableMatrixQ","DiagonalMatrix","DiagonalMatrixQ","Dialog","DialogIndent","DialogInput","DialogLevel","DialogNotebook","DialogProlog","DialogReturn","DialogSymbols","Diamond","DiamondMatrix","DiceDissimilarity","DictionaryLookup","DictionaryWordQ","DifferenceDelta","DifferenceOrder","DifferenceQuotient","DifferenceRoot","DifferenceRootReduce","Differences","DifferentialD","DifferentialRoot","DifferentialRootReduce","DifferentiatorFilter","DiffusionPDETerm","DiggleGatesPointProcess","DiggleGrattonPointProcess","DigitalSignature","DigitBlock","DigitBlockMinimum","DigitCharacter","DigitCount","DigitQ","DihedralAngle","DihedralGroup","Dilation","DimensionalCombinations","DimensionalMeshComponents","DimensionReduce","DimensionReducerFunction","DimensionReduction","Dimensions","DiracComb","DiracDelta","DirectedEdge","DirectedEdges","DirectedGraph","DirectedGraphQ","DirectedInfinity","Direction","DirectionalLight","Directive","Directory","DirectoryName","DirectoryQ","DirectoryStack","DirichletBeta","DirichletCharacter","DirichletCondition","DirichletConvolve","DirichletDistribution","DirichletEta","DirichletL","DirichletLambda","DirichletTransform","DirichletWindow","DisableConsolePrintPacket","DisableFormatting","DiscreteAsymptotic","DiscreteChirpZTransform","DiscreteConvolve","DiscreteDelta","DiscreteHadamardTransform","DiscreteIndicator","DiscreteInputOutputModel","DiscreteLimit","DiscreteLQEstimatorGains","DiscreteLQRegulatorGains","DiscreteLyapunovSolve","DiscreteMarkovProcess","DiscreteMaxLimit","DiscreteMinLimit","DiscretePlot","DiscretePlot3D","DiscreteRatio","DiscreteRiccatiSolve","DiscreteShift","DiscreteTimeModelQ","DiscreteUniformDistribution","DiscreteVariables","DiscreteWaveletData","DiscreteWaveletPacketTransform","DiscreteWaveletTransform","DiscretizeGraphics","DiscretizeRegion","Discriminant","DisjointQ","Disjunction","Disk","DiskBox","DiskBoxOptions","DiskMatrix","DiskSegment","Dispatch","DispatchQ","DispersionEstimatorFunction","Display","DisplayAllSteps","DisplayEndPacket","DisplayForm","DisplayFunction","DisplayPacket","DisplayRules","DisplayString","DisplayTemporary","DisplayWith","DisplayWithRef","DisplayWithVariable","DistanceFunction","DistanceMatrix","DistanceTransform","Distribute","Distributed","DistributedContexts","DistributeDefinitions","DistributionChart","DistributionDomain","DistributionFitTest","DistributionParameterAssumptions","DistributionParameterQ","Dithering","Div","Divergence","Divide","DivideBy","Dividers","DivideSides","Divisible","Divisors","DivisorSigma","DivisorSum","DMSList","DMSString","Do","DockedCell","DockedCells","DocumentGenerator","DocumentGeneratorInformation","DocumentGeneratorInformationData","DocumentGenerators","DocumentNotebook","DocumentWeightingRules","Dodecahedron","DomainRegistrationInformation","DominantColors","DominatorTreeGraph","DominatorVertexList","DOSTextFormat","Dot","DotDashed","DotEqual","DotLayer","DotPlusLayer","Dotted","DoubleBracketingBar","DoubleContourIntegral","DoubleDownArrow","DoubleLeftArrow","DoubleLeftRightArrow","DoubleLeftTee","DoubleLongLeftArrow","DoubleLongLeftRightArrow","DoubleLongRightArrow","DoubleRightArrow","DoubleRightTee","DoubleUpArrow","DoubleUpDownArrow","DoubleVerticalBar","DoublyInfinite","Down","DownArrow","DownArrowBar","DownArrowUpArrow","DownLeftRightVector","DownLeftTeeVector","DownLeftVector","DownLeftVectorBar","DownRightTeeVector","DownRightVector","DownRightVectorBar","Downsample","DownTee","DownTeeArrow","DownValues","DownValuesFunction","DragAndDrop","DrawBackFaces","DrawEdges","DrawFrontFaces","DrawHighlighted","DrazinInverse","Drop","DropoutLayer","DropShadowing","DSolve","DSolveChangeVariables","DSolveValue","Dt","DualLinearProgramming","DualPlanarGraph","DualPolyhedron","DualSystemsModel","DumpGet","DumpSave","DuplicateFreeQ","Duration","Dynamic","DynamicBox","DynamicBoxOptions","DynamicEvaluationTimeout","DynamicGeoGraphics","DynamicImage","DynamicLocation","DynamicModule","DynamicModuleBox","DynamicModuleBoxOptions","DynamicModuleParent","DynamicModuleValues","DynamicName","DynamicNamespace","DynamicReference","DynamicSetting","DynamicUpdating","DynamicWrapper","DynamicWrapperBox","DynamicWrapperBoxOptions","E","EarthImpactData","EarthquakeData","EccentricityCentrality","Echo","EchoEvaluation","EchoFunction","EchoLabel","EchoTiming","EclipseType","EdgeAdd","EdgeBetweennessCentrality","EdgeCapacity","EdgeCapForm","EdgeChromaticNumber","EdgeColor","EdgeConnectivity","EdgeContract","EdgeCost","EdgeCount","EdgeCoverQ","EdgeCycleMatrix","EdgeDashing","EdgeDelete","EdgeDetect","EdgeForm","EdgeIndex","EdgeJoinForm","EdgeLabeling","EdgeLabels","EdgeLabelStyle","EdgeList","EdgeOpacity","EdgeQ","EdgeRenderingFunction","EdgeRules","EdgeShapeFunction","EdgeStyle","EdgeTaggedGraph","EdgeTaggedGraphQ","EdgeTags","EdgeThickness","EdgeTransitiveGraphQ","EdgeValueRange","EdgeValueSizes","EdgeWeight","EdgeWeightedGraphQ","Editable","EditButtonSettings","EditCellTagsSettings","EditDistance","EffectiveInterest","Eigensystem","Eigenvalues","EigenvectorCentrality","Eigenvectors","Element","ElementData","ElementwiseLayer","ElidedForms","Eliminate","EliminationOrder","Ellipsoid","EllipticE","EllipticExp","EllipticExpPrime","EllipticF","EllipticFilterModel","EllipticK","EllipticLog","EllipticNomeQ","EllipticPi","EllipticReducedHalfPeriods","EllipticTheta","EllipticThetaPrime","EmbedCode","EmbeddedHTML","EmbeddedService","EmbeddedSQLEntityClass","EmbeddedSQLExpression","EmbeddingLayer","EmbeddingObject","EmitSound","EmphasizeSyntaxErrors","EmpiricalDistribution","Empty","EmptyGraphQ","EmptyRegion","EmptySpaceF","EnableConsolePrintPacket","Enabled","Enclose","Encode","Encrypt","EncryptedObject","EncryptFile","End","EndAdd","EndDialogPacket","EndOfBuffer","EndOfFile","EndOfLine","EndOfString","EndPackage","EngineEnvironment","EngineeringForm","Enter","EnterExpressionPacket","EnterTextPacket","Entity","EntityClass","EntityClassList","EntityCopies","EntityFunction","EntityGroup","EntityInstance","EntityList","EntityPrefetch","EntityProperties","EntityProperty","EntityPropertyClass","EntityRegister","EntityStore","EntityStores","EntityTypeName","EntityUnregister","EntityValue","Entropy","EntropyFilter","Environment","Epilog","EpilogFunction","Equal","EqualColumns","EqualRows","EqualTilde","EqualTo","EquatedTo","Equilibrium","EquirippleFilterKernel","Equivalent","Erf","Erfc","Erfi","ErlangB","ErlangC","ErlangDistribution","Erosion","ErrorBox","ErrorBoxOptions","ErrorNorm","ErrorPacket","ErrorsDialogSettings","EscapeRadius","EstimatedBackground","EstimatedDistribution","EstimatedPointNormals","EstimatedPointProcess","EstimatedProcess","EstimatedVariogramModel","EstimatorGains","EstimatorRegulator","EuclideanDistance","EulerAngles","EulerCharacteristic","EulerE","EulerGamma","EulerianGraphQ","EulerMatrix","EulerPhi","Evaluatable","Evaluate","Evaluated","EvaluatePacket","EvaluateScheduledTask","EvaluationBox","EvaluationCell","EvaluationCompletionAction","EvaluationData","EvaluationElements","EvaluationEnvironment","EvaluationMode","EvaluationMonitor","EvaluationNotebook","EvaluationObject","EvaluationOrder","EvaluationPrivileges","EvaluationRateLimit","Evaluator","EvaluatorNames","EvenQ","EventData","EventEvaluator","EventHandler","EventHandlerTag","EventLabels","EventSeries","ExactBlackmanWindow","ExactNumberQ","ExactRootIsolation","ExampleData","Except","ExcludedContexts","ExcludedForms","ExcludedLines","ExcludedPhysicalQuantities","ExcludePods","Exclusions","ExclusionsStyle","Exists","Exit","ExitDialog","ExoplanetData","Exp","Expand","ExpandAll","ExpandDenominator","ExpandFileName","ExpandNumerator","Expectation","ExpectationE","ExpectedValue","ExpGammaDistribution","ExpIntegralE","ExpIntegralEi","ExpirationDate","Exponent","ExponentFunction","ExponentialDistribution","ExponentialFamily","ExponentialGeneratingFunction","ExponentialMovingAverage","ExponentialPowerDistribution","ExponentPosition","ExponentStep","Export","ExportAutoReplacements","ExportByteArray","ExportForm","ExportPacket","ExportString","Expression","ExpressionCell","ExpressionGraph","ExpressionPacket","ExpressionTree","ExpressionUUID","ExpToTrig","ExtendedEntityClass","ExtendedGCD","Extension","ExtentElementFunction","ExtentMarkers","ExtentSize","ExternalBundle","ExternalCall","ExternalDataCharacterEncoding","ExternalEvaluate","ExternalFunction","ExternalFunctionName","ExternalIdentifier","ExternalObject","ExternalOptions","ExternalSessionObject","ExternalSessions","ExternalStorageBase","ExternalStorageDownload","ExternalStorageGet","ExternalStorageObject","ExternalStoragePut","ExternalStorageUpload","ExternalTypeSignature","ExternalValue","Extract","ExtractArchive","ExtractLayer","ExtractPacletArchive","ExtremeValueDistribution","FaceAlign","FaceForm","FaceGrids","FaceGridsStyle","FaceRecognize","FacialFeatures","Factor","FactorComplete","Factorial","Factorial2","FactorialMoment","FactorialMomentGeneratingFunction","FactorialPower","FactorInteger","FactorList","FactorSquareFree","FactorSquareFreeList","FactorTerms","FactorTermsList","Fail","Failure","FailureAction","FailureDistribution","FailureQ","False","FareySequence","FARIMAProcess","FeatureDistance","FeatureExtract","FeatureExtraction","FeatureExtractor","FeatureExtractorFunction","FeatureImpactPlot","FeatureNames","FeatureNearest","FeatureSpacePlot","FeatureSpacePlot3D","FeatureTypes","FeatureValueDependencyPlot","FeatureValueImpactPlot","FEDisableConsolePrintPacket","FeedbackLinearize","FeedbackSector","FeedbackSectorStyle","FeedbackType","FEEnableConsolePrintPacket","FetalGrowthData","Fibonacci","Fibonorial","FieldCompletionFunction","FieldHint","FieldHintStyle","FieldMasked","FieldSize","File","FileBaseName","FileByteCount","FileConvert","FileDate","FileExistsQ","FileExtension","FileFormat","FileFormatProperties","FileFormatQ","FileHandler","FileHash","FileInformation","FileName","FileNameDepth","FileNameDialogSettings","FileNameDrop","FileNameForms","FileNameJoin","FileNames","FileNameSetter","FileNameSplit","FileNameTake","FileNameToFormatList","FilePrint","FileSize","FileSystemMap","FileSystemScan","FileSystemTree","FileTemplate","FileTemplateApply","FileType","FilledCurve","FilledCurveBox","FilledCurveBoxOptions","FilledTorus","FillForm","Filling","FillingStyle","FillingTransform","FilteredEntityClass","FilterRules","FinancialBond","FinancialData","FinancialDerivative","FinancialIndicator","Find","FindAnomalies","FindArgMax","FindArgMin","FindChannels","FindClique","FindClusters","FindCookies","FindCurvePath","FindCycle","FindDevices","FindDistribution","FindDistributionParameters","FindDivisions","FindEdgeColoring","FindEdgeCover","FindEdgeCut","FindEdgeIndependentPaths","FindEquationalProof","FindEulerianCycle","FindExternalEvaluators","FindFaces","FindFile","FindFit","FindFormula","FindFundamentalCycles","FindGeneratingFunction","FindGeoLocation","FindGeometricConjectures","FindGeometricTransform","FindGraphCommunities","FindGraphIsomorphism","FindGraphPartition","FindHamiltonianCycle","FindHamiltonianPath","FindHiddenMarkovStates","FindImageText","FindIndependentEdgeSet","FindIndependentVertexSet","FindInstance","FindIntegerNullVector","FindIsomers","FindIsomorphicSubgraph","FindKClan","FindKClique","FindKClub","FindKPlex","FindLibrary","FindLinearRecurrence","FindList","FindMatchingColor","FindMaximum","FindMaximumCut","FindMaximumFlow","FindMaxValue","FindMeshDefects","FindMinimum","FindMinimumCostFlow","FindMinimumCut","FindMinValue","FindMoleculeSubstructure","FindPath","FindPeaks","FindPermutation","FindPlanarColoring","FindPointProcessParameters","FindPostmanTour","FindProcessParameters","FindRegionTransform","FindRepeat","FindRoot","FindSequenceFunction","FindSettings","FindShortestPath","FindShortestTour","FindSpanningTree","FindSubgraphIsomorphism","FindSystemModelEquilibrium","FindTextualAnswer","FindThreshold","FindTransientRepeat","FindVertexColoring","FindVertexCover","FindVertexCut","FindVertexIndependentPaths","Fine","FinishDynamic","FiniteAbelianGroupCount","FiniteGroupCount","FiniteGroupData","First","FirstCase","FirstPassageTimeDistribution","FirstPosition","FischerGroupFi22","FischerGroupFi23","FischerGroupFi24Prime","FisherHypergeometricDistribution","FisherRatioTest","FisherZDistribution","Fit","FitAll","FitRegularization","FittedModel","FixedOrder","FixedPoint","FixedPointList","FlashSelection","Flat","FlatShading","Flatten","FlattenAt","FlattenLayer","FlatTopWindow","FlightData","FlipView","Floor","FlowPolynomial","Fold","FoldList","FoldPair","FoldPairList","FoldWhile","FoldWhileList","FollowRedirects","Font","FontColor","FontFamily","FontForm","FontName","FontOpacity","FontPostScriptName","FontProperties","FontReencoding","FontSize","FontSlant","FontSubstitutions","FontTracking","FontVariations","FontWeight","For","ForAll","ForAllType","ForceVersionInstall","Format","FormatRules","FormatType","FormatTypeAutoConvert","FormatValues","FormBox","FormBoxOptions","FormControl","FormFunction","FormLayoutFunction","FormObject","FormPage","FormProtectionMethod","FormTheme","FormulaData","FormulaLookup","FortranForm","Forward","ForwardBackward","ForwardCloudCredentials","Fourier","FourierCoefficient","FourierCosCoefficient","FourierCosSeries","FourierCosTransform","FourierDCT","FourierDCTFilter","FourierDCTMatrix","FourierDST","FourierDSTMatrix","FourierMatrix","FourierParameters","FourierSequenceTransform","FourierSeries","FourierSinCoefficient","FourierSinSeries","FourierSinTransform","FourierTransform","FourierTrigSeries","FoxH","FoxHReduce","FractionalBrownianMotionProcess","FractionalD","FractionalGaussianNoiseProcess","FractionalPart","FractionBox","FractionBoxOptions","FractionLine","Frame","FrameBox","FrameBoxOptions","Framed","FrameInset","FrameLabel","Frameless","FrameListVideo","FrameMargins","FrameRate","FrameStyle","FrameTicks","FrameTicksStyle","FRatioDistribution","FrechetDistribution","FreeQ","FrenetSerretSystem","FrequencySamplingFilterKernel","FresnelC","FresnelF","FresnelG","FresnelS","Friday","FrobeniusNumber","FrobeniusSolve","FromAbsoluteTime","FromCharacterCode","FromCoefficientRules","FromContinuedFraction","FromDate","FromDateString","FromDigits","FromDMS","FromEntity","FromJulianDate","FromLetterNumber","FromPolarCoordinates","FromRawPointer","FromRomanNumeral","FromSphericalCoordinates","FromUnixTime","Front","FrontEndDynamicExpression","FrontEndEventActions","FrontEndExecute","FrontEndObject","FrontEndResource","FrontEndResourceString","FrontEndStackSize","FrontEndToken","FrontEndTokenExecute","FrontEndValueCache","FrontEndVersion","FrontFaceColor","FrontFaceGlowColor","FrontFaceOpacity","FrontFaceSpecularColor","FrontFaceSpecularExponent","FrontFaceSurfaceAppearance","FrontFaceTexture","Full","FullAxes","FullDefinition","FullForm","FullGraphics","FullInformationOutputRegulator","FullOptions","FullRegion","FullSimplify","Function","FunctionAnalytic","FunctionBijective","FunctionCompile","FunctionCompileExport","FunctionCompileExportByteArray","FunctionCompileExportLibrary","FunctionCompileExportString","FunctionContinuous","FunctionConvexity","FunctionDeclaration","FunctionDiscontinuities","FunctionDomain","FunctionExpand","FunctionInjective","FunctionInterpolation","FunctionLayer","FunctionMeromorphic","FunctionMonotonicity","FunctionPeriod","FunctionPoles","FunctionRange","FunctionSign","FunctionSingularities","FunctionSpace","FunctionSurjective","FussellVeselyImportance","GaborFilter","GaborMatrix","GaborWavelet","GainMargins","GainPhaseMargins","GalaxyData","GalleryView","Gamma","GammaDistribution","GammaRegularized","GapPenalty","GARCHProcess","GatedRecurrentLayer","Gather","GatherBy","GaugeFaceElementFunction","GaugeFaceStyle","GaugeFrameElementFunction","GaugeFrameSize","GaugeFrameStyle","GaugeLabels","GaugeMarkers","GaugeStyle","GaussianFilter","GaussianIntegers","GaussianMatrix","GaussianOrthogonalMatrixDistribution","GaussianSymplecticMatrixDistribution","GaussianUnitaryMatrixDistribution","GaussianWindow","GCD","GegenbauerC","General","GeneralizedLinearModelFit","GenerateAsymmetricKeyPair","GenerateConditions","GeneratedAssetFormat","GeneratedAssetLocation","GeneratedCell","GeneratedCellStyles","GeneratedDocumentBinding","GenerateDerivedKey","GenerateDigitalSignature","GenerateDocument","GeneratedParameters","GeneratedQuantityMagnitudes","GenerateFileSignature","GenerateHTTPResponse","GenerateSecuredAuthenticationKey","GenerateSymmetricKey","GeneratingFunction","GeneratorDescription","GeneratorHistoryLength","GeneratorOutputType","Generic","GenericCylindricalDecomposition","GenomeData","GenomeLookup","GeoAntipode","GeoArea","GeoArraySize","GeoBackground","GeoBoundary","GeoBoundingBox","GeoBounds","GeoBoundsRegion","GeoBoundsRegionBoundary","GeoBubbleChart","GeoCenter","GeoCircle","GeoContourPlot","GeoDensityPlot","GeodesicClosing","GeodesicDilation","GeodesicErosion","GeodesicOpening","GeodesicPolyhedron","GeoDestination","GeodesyData","GeoDirection","GeoDisk","GeoDisplacement","GeoDistance","GeoDistanceList","GeoElevationData","GeoEntities","GeoGraphics","GeoGraphPlot","GeoGraphValuePlot","GeogravityModelData","GeoGridDirectionDifference","GeoGridLines","GeoGridLinesStyle","GeoGridPosition","GeoGridRange","GeoGridRangePadding","GeoGridUnitArea","GeoGridUnitDistance","GeoGridVector","GeoGroup","GeoHemisphere","GeoHemisphereBoundary","GeoHistogram","GeoIdentify","GeoImage","GeoLabels","GeoLength","GeoListPlot","GeoLocation","GeologicalPeriodData","GeomagneticModelData","GeoMarker","GeometricAssertion","GeometricBrownianMotionProcess","GeometricDistribution","GeometricMean","GeometricMeanFilter","GeometricOptimization","GeometricScene","GeometricStep","GeometricStylingRules","GeometricTest","GeometricTransformation","GeometricTransformation3DBox","GeometricTransformation3DBoxOptions","GeometricTransformationBox","GeometricTransformationBoxOptions","GeoModel","GeoNearest","GeoOrientationData","GeoPath","GeoPolygon","GeoPosition","GeoPositionENU","GeoPositionXYZ","GeoProjection","GeoProjectionData","GeoRange","GeoRangePadding","GeoRegionValuePlot","GeoResolution","GeoScaleBar","GeoServer","GeoSmoothHistogram","GeoStreamPlot","GeoStyling","GeoStylingImageFunction","GeoVariant","GeoVector","GeoVectorENU","GeoVectorPlot","GeoVectorXYZ","GeoVisibleRegion","GeoVisibleRegionBoundary","GeoWithinQ","GeoZoomLevel","GestureHandler","GestureHandlerTag","Get","GetContext","GetEnvironment","GetFileName","GetLinebreakInformationPacket","GibbsPointProcess","Glaisher","GlobalClusteringCoefficient","GlobalPreferences","GlobalSession","Glow","GoldenAngle","GoldenRatio","GompertzMakehamDistribution","GoochShading","GoodmanKruskalGamma","GoodmanKruskalGammaTest","Goto","GouraudShading","Grad","Gradient","GradientFilter","GradientFittedMesh","GradientOrientationFilter","GrammarApply","GrammarRules","GrammarToken","Graph","Graph3D","GraphAssortativity","GraphAutomorphismGroup","GraphCenter","GraphComplement","GraphData","GraphDensity","GraphDiameter","GraphDifference","GraphDisjointUnion","GraphDistance","GraphDistanceMatrix","GraphEmbedding","GraphHighlight","GraphHighlightStyle","GraphHub","Graphics","Graphics3D","Graphics3DBox","Graphics3DBoxOptions","GraphicsArray","GraphicsBaseline","GraphicsBox","GraphicsBoxOptions","GraphicsColor","GraphicsColumn","GraphicsComplex","GraphicsComplex3DBox","GraphicsComplex3DBoxOptions","GraphicsComplexBox","GraphicsComplexBoxOptions","GraphicsContents","GraphicsData","GraphicsGrid","GraphicsGridBox","GraphicsGroup","GraphicsGroup3DBox","GraphicsGroup3DBoxOptions","GraphicsGroupBox","GraphicsGroupBoxOptions","GraphicsGrouping","GraphicsHighlightColor","GraphicsRow","GraphicsSpacing","GraphicsStyle","GraphIntersection","GraphJoin","GraphLayerLabels","GraphLayers","GraphLayerStyle","GraphLayout","GraphLinkEfficiency","GraphPeriphery","GraphPlot","GraphPlot3D","GraphPower","GraphProduct","GraphPropertyDistribution","GraphQ","GraphRadius","GraphReciprocity","GraphRoot","GraphStyle","GraphSum","GraphTree","GraphUnion","Gray","GrayLevel","Greater","GreaterEqual","GreaterEqualLess","GreaterEqualThan","GreaterFullEqual","GreaterGreater","GreaterLess","GreaterSlantEqual","GreaterThan","GreaterTilde","GreekStyle","Green","GreenFunction","Grid","GridBaseline","GridBox","GridBoxAlignment","GridBoxBackground","GridBoxDividers","GridBoxFrame","GridBoxItemSize","GridBoxItemStyle","GridBoxOptions","GridBoxSpacings","GridCreationSettings","GridDefaultElement","GridElementStyleOptions","GridFrame","GridFrameMargins","GridGraph","GridLines","GridLinesStyle","GridVideo","GroebnerBasis","GroupActionBase","GroupBy","GroupCentralizer","GroupElementFromWord","GroupElementPosition","GroupElementQ","GroupElements","GroupElementToWord","GroupGenerators","Groupings","GroupMultiplicationTable","GroupOpenerColor","GroupOpenerInsideFrame","GroupOrbits","GroupOrder","GroupPageBreakWithin","GroupSetwiseStabilizer","GroupStabilizer","GroupStabilizerChain","GroupTogetherGrouping","GroupTogetherNestedGrouping","GrowCutComponents","Gudermannian","GuidedFilter","GumbelDistribution","HaarWavelet","HadamardMatrix","HalfLine","HalfNormalDistribution","HalfPlane","HalfSpace","HalftoneShading","HamiltonianGraphQ","HammingDistance","HammingWindow","HandlerFunctions","HandlerFunctionsKeys","HankelH1","HankelH2","HankelMatrix","HankelTransform","HannPoissonWindow","HannWindow","HaradaNortonGroupHN","HararyGraph","HardcorePointProcess","HarmonicMean","HarmonicMeanFilter","HarmonicNumber","Hash","HatchFilling","HatchShading","Haversine","HazardFunction","Head","HeadCompose","HeaderAlignment","HeaderBackground","HeaderDisplayFunction","HeaderLines","Headers","HeaderSize","HeaderStyle","Heads","HeatFluxValue","HeatInsulationValue","HeatOutflowValue","HeatRadiationValue","HeatSymmetryValue","HeatTemperatureCondition","HeatTransferPDEComponent","HeatTransferValue","HeavisideLambda","HeavisidePi","HeavisideTheta","HeldGroupHe","HeldPart","HelmholtzPDEComponent","HelpBrowserLookup","HelpBrowserNotebook","HelpBrowserSettings","HelpViewerSettings","Here","HermiteDecomposition","HermiteH","Hermitian","HermitianMatrixQ","HessenbergDecomposition","Hessian","HeunB","HeunBPrime","HeunC","HeunCPrime","HeunD","HeunDPrime","HeunG","HeunGPrime","HeunT","HeunTPrime","HexadecimalCharacter","Hexahedron","HexahedronBox","HexahedronBoxOptions","HiddenItems","HiddenMarkovProcess","HiddenSurface","Highlighted","HighlightGraph","HighlightImage","HighlightMesh","HighlightString","HighpassFilter","HigmanSimsGroupHS","HilbertCurve","HilbertFilter","HilbertMatrix","Histogram","Histogram3D","HistogramDistribution","HistogramList","HistogramPointDensity","HistogramTransform","HistogramTransformInterpolation","HistoricalPeriodData","HitMissTransform","HITSCentrality","HjorthDistribution","HodgeDual","HoeffdingD","HoeffdingDTest","Hold","HoldAll","HoldAllComplete","HoldComplete","HoldFirst","HoldForm","HoldPattern","HoldRest","HolidayCalendar","HomeDirectory","HomePage","Horizontal","HorizontalForm","HorizontalGauge","HorizontalScrollPosition","HornerForm","HostLookup","HotellingTSquareDistribution","HoytDistribution","HTMLSave","HTTPErrorResponse","HTTPRedirect","HTTPRequest","HTTPRequestData","HTTPResponse","Hue","HumanGrowthData","HumpDownHump","HumpEqual","HurwitzLerchPhi","HurwitzZeta","HyperbolicDistribution","HypercubeGraph","HyperexponentialDistribution","Hyperfactorial","Hypergeometric0F1","Hypergeometric0F1Regularized","Hypergeometric1F1","Hypergeometric1F1Regularized","Hypergeometric2F1","Hypergeometric2F1Regularized","HypergeometricDistribution","HypergeometricPFQ","HypergeometricPFQRegularized","HypergeometricU","Hyperlink","HyperlinkAction","HyperlinkCreationSettings","Hyperplane","Hyphenation","HyphenationOptions","HypoexponentialDistribution","HypothesisTestData","I","IconData","Iconize","IconizedObject","IconRules","Icosahedron","Identity","IdentityMatrix","If","IfCompiled","IgnoreCase","IgnoreDiacritics","IgnoreIsotopes","IgnorePunctuation","IgnoreSpellCheck","IgnoreStereochemistry","IgnoringInactive","Im","Image","Image3D","Image3DProjection","Image3DSlices","ImageAccumulate","ImageAdd","ImageAdjust","ImageAlign","ImageApply","ImageApplyIndexed","ImageAspectRatio","ImageAssemble","ImageAugmentationLayer","ImageBoundingBoxes","ImageCache","ImageCacheValid","ImageCapture","ImageCaptureFunction","ImageCases","ImageChannels","ImageClip","ImageCollage","ImageColorSpace","ImageCompose","ImageContainsQ","ImageContents","ImageConvolve","ImageCooccurrence","ImageCorners","ImageCorrelate","ImageCorrespondingPoints","ImageCrop","ImageData","ImageDeconvolve","ImageDemosaic","ImageDifference","ImageDimensions","ImageDisplacements","ImageDistance","ImageEditMode","ImageEffect","ImageExposureCombine","ImageFeatureTrack","ImageFileApply","ImageFileFilter","ImageFileScan","ImageFilter","ImageFocusCombine","ImageForestingComponents","ImageFormattingWidth","ImageForwardTransformation","ImageGraphics","ImageHistogram","ImageIdentify","ImageInstanceQ","ImageKeypoints","ImageLabels","ImageLegends","ImageLevels","ImageLines","ImageMargins","ImageMarker","ImageMarkers","ImageMeasurements","ImageMesh","ImageMultiply","ImageOffset","ImagePad","ImagePadding","ImagePartition","ImagePeriodogram","ImagePerspectiveTransformation","ImagePosition","ImagePreviewFunction","ImagePyramid","ImagePyramidApply","ImageQ","ImageRangeCache","ImageRecolor","ImageReflect","ImageRegion","ImageResize","ImageResolution","ImageRestyle","ImageRotate","ImageRotated","ImageSaliencyFilter","ImageScaled","ImageScan","ImageSize","ImageSizeAction","ImageSizeCache","ImageSizeMultipliers","ImageSizeRaw","ImageStitch","ImageSubtract","ImageTake","ImageTransformation","ImageTrim","ImageType","ImageValue","ImageValuePositions","ImageVectorscopePlot","ImageWaveformPlot","ImagingDevice","ImplicitD","ImplicitRegion","Implies","Import","ImportAutoReplacements","ImportByteArray","ImportedObject","ImportOptions","ImportString","ImprovementImportance","In","Inactivate","Inactive","InactiveStyle","IncidenceGraph","IncidenceList","IncidenceMatrix","IncludeAromaticBonds","IncludeConstantBasis","IncludedContexts","IncludeDefinitions","IncludeDirectories","IncludeFileExtension","IncludeGeneratorTasks","IncludeHydrogens","IncludeInflections","IncludeMetaInformation","IncludePods","IncludeQuantities","IncludeRelatedTables","IncludeSingularSolutions","IncludeSingularTerm","IncludeWindowTimes","Increment","IndefiniteMatrixQ","Indent","IndentingNewlineSpacings","IndentMaxFraction","IndependenceTest","IndependentEdgeSetQ","IndependentPhysicalQuantity","IndependentUnit","IndependentUnitDimension","IndependentVertexSetQ","Indeterminate","IndeterminateThreshold","IndexCreationOptions","Indexed","IndexEdgeTaggedGraph","IndexGraph","IndexTag","Inequality","InertEvaluate","InertExpression","InexactNumberQ","InexactNumbers","InfiniteFuture","InfiniteLine","InfiniteLineThrough","InfinitePast","InfinitePlane","Infinity","Infix","InflationAdjust","InflationMethod","Information","InformationData","InformationDataGrid","Inherited","InheritScope","InhomogeneousPoissonPointProcess","InhomogeneousPoissonProcess","InitialEvaluationHistory","Initialization","InitializationCell","InitializationCellEvaluation","InitializationCellWarning","InitializationObject","InitializationObjects","InitializationValue","Initialize","InitialSeeding","InlineCounterAssignments","InlineCounterIncrements","InlineRules","Inner","InnerPolygon","InnerPolyhedron","Inpaint","Input","InputAliases","InputAssumptions","InputAutoReplacements","InputField","InputFieldBox","InputFieldBoxOptions","InputForm","InputGrouping","InputNamePacket","InputNotebook","InputPacket","InputPorts","InputSettings","InputStream","InputString","InputStringPacket","InputToBoxFormPacket","Insert","InsertionFunction","InsertionPointObject","InsertLinebreaks","InsertResults","Inset","Inset3DBox","Inset3DBoxOptions","InsetBox","InsetBoxOptions","Insphere","Install","InstallService","InstanceNormalizationLayer","InString","Integer","IntegerDigits","IntegerExponent","IntegerLength","IntegerName","IntegerPart","IntegerPartitions","IntegerQ","IntegerReverse","Integers","IntegerString","Integral","Integrate","IntegrateChangeVariables","Interactive","InteractiveTradingChart","InterfaceSwitched","Interlaced","Interleaving","InternallyBalancedDecomposition","InterpolatingFunction","InterpolatingPolynomial","Interpolation","InterpolationOrder","InterpolationPoints","InterpolationPrecision","Interpretation","InterpretationBox","InterpretationBoxOptions","InterpretationFunction","Interpreter","InterpretTemplate","InterquartileRange","Interrupt","InterruptSettings","IntersectedEntityClass","IntersectingQ","Intersection","Interval","IntervalIntersection","IntervalMarkers","IntervalMarkersStyle","IntervalMemberQ","IntervalSlider","IntervalUnion","Into","Inverse","InverseBetaRegularized","InverseBilateralLaplaceTransform","InverseBilateralZTransform","InverseCDF","InverseChiSquareDistribution","InverseContinuousWaveletTransform","InverseDistanceTransform","InverseEllipticNomeQ","InverseErf","InverseErfc","InverseFourier","InverseFourierCosTransform","InverseFourierSequenceTransform","InverseFourierSinTransform","InverseFourierTransform","InverseFunction","InverseFunctions","InverseGammaDistribution","InverseGammaRegularized","InverseGaussianDistribution","InverseGudermannian","InverseHankelTransform","InverseHaversine","InverseImagePyramid","InverseJacobiCD","InverseJacobiCN","InverseJacobiCS","InverseJacobiDC","InverseJacobiDN","InverseJacobiDS","InverseJacobiNC","InverseJacobiND","InverseJacobiNS","InverseJacobiSC","InverseJacobiSD","InverseJacobiSN","InverseLaplaceTransform","InverseMellinTransform","InversePermutation","InverseRadon","InverseRadonTransform","InverseSeries","InverseShortTimeFourier","InverseSpectrogram","InverseSurvivalFunction","InverseTransformedRegion","InverseWaveletTransform","InverseWeierstrassP","InverseWishartMatrixDistribution","InverseZTransform","Invisible","InvisibleApplication","InvisibleTimes","IPAddress","IrreduciblePolynomialQ","IslandData","IsolatingInterval","IsomorphicGraphQ","IsomorphicSubgraphQ","IsotopeData","Italic","Item","ItemAspectRatio","ItemBox","ItemBoxOptions","ItemDisplayFunction","ItemSize","ItemStyle","ItoProcess","JaccardDissimilarity","JacobiAmplitude","Jacobian","JacobiCD","JacobiCN","JacobiCS","JacobiDC","JacobiDN","JacobiDS","JacobiEpsilon","JacobiNC","JacobiND","JacobiNS","JacobiP","JacobiSC","JacobiSD","JacobiSN","JacobiSymbol","JacobiZeta","JacobiZN","JankoGroupJ1","JankoGroupJ2","JankoGroupJ3","JankoGroupJ4","JarqueBeraALMTest","JohnsonDistribution","Join","JoinAcross","Joined","JoinedCurve","JoinedCurveBox","JoinedCurveBoxOptions","JoinForm","JordanDecomposition","JordanModelDecomposition","JulianDate","JuliaSetBoettcher","JuliaSetIterationCount","JuliaSetPlot","JuliaSetPoints","K","KagiChart","KaiserBesselWindow","KaiserWindow","KalmanEstimator","KalmanFilter","KarhunenLoeveDecomposition","KaryTree","KatzCentrality","KCoreComponents","KDistribution","KEdgeConnectedComponents","KEdgeConnectedGraphQ","KeepExistingVersion","KelvinBei","KelvinBer","KelvinKei","KelvinKer","KendallTau","KendallTauTest","KernelConfiguration","KernelExecute","KernelFunction","KernelMixtureDistribution","KernelObject","Kernels","Ket","Key","KeyCollisionFunction","KeyComplement","KeyDrop","KeyDropFrom","KeyExistsQ","KeyFreeQ","KeyIntersection","KeyMap","KeyMemberQ","KeypointStrength","Keys","KeySelect","KeySort","KeySortBy","KeyTake","KeyUnion","KeyValueMap","KeyValuePattern","Khinchin","KillProcess","KirchhoffGraph","KirchhoffMatrix","KleinInvariantJ","KnapsackSolve","KnightTourGraph","KnotData","KnownUnitQ","KochCurve","KolmogorovSmirnovTest","KroneckerDelta","KroneckerModelDecomposition","KroneckerProduct","KroneckerSymbol","KuiperTest","KumaraswamyDistribution","Kurtosis","KuwaharaFilter","KVertexConnectedComponents","KVertexConnectedGraphQ","LABColor","Label","Labeled","LabeledSlider","LabelingFunction","LabelingSize","LabelStyle","LabelVisibility","LaguerreL","LakeData","LambdaComponents","LambertW","LameC","LameCPrime","LameEigenvalueA","LameEigenvalueB","LameS","LameSPrime","LaminaData","LanczosWindow","LandauDistribution","Language","LanguageCategory","LanguageData","LanguageIdentify","LanguageOptions","LaplaceDistribution","LaplaceTransform","Laplacian","LaplacianFilter","LaplacianGaussianFilter","LaplacianPDETerm","Large","Larger","Last","Latitude","LatitudeLongitude","LatticeData","LatticeReduce","Launch","LaunchKernels","LayeredGraphPlot","LayeredGraphPlot3D","LayerSizeFunction","LayoutInformation","LCHColor","LCM","LeaderSize","LeafCount","LeapVariant","LeapYearQ","LearnDistribution","LearnedDistribution","LearningRate","LearningRateMultipliers","LeastSquares","LeastSquaresFilterKernel","Left","LeftArrow","LeftArrowBar","LeftArrowRightArrow","LeftDownTeeVector","LeftDownVector","LeftDownVectorBar","LeftRightArrow","LeftRightVector","LeftTee","LeftTeeArrow","LeftTeeVector","LeftTriangle","LeftTriangleBar","LeftTriangleEqual","LeftUpDownVector","LeftUpTeeVector","LeftUpVector","LeftUpVectorBar","LeftVector","LeftVectorBar","LegendAppearance","Legended","LegendFunction","LegendLabel","LegendLayout","LegendMargins","LegendMarkers","LegendMarkerSize","LegendreP","LegendreQ","LegendreType","Length","LengthWhile","LerchPhi","Less","LessEqual","LessEqualGreater","LessEqualThan","LessFullEqual","LessGreater","LessLess","LessSlantEqual","LessThan","LessTilde","LetterCharacter","LetterCounts","LetterNumber","LetterQ","Level","LeveneTest","LeviCivitaTensor","LevyDistribution","Lexicographic","LexicographicOrder","LexicographicSort","LibraryDataType","LibraryFunction","LibraryFunctionDeclaration","LibraryFunctionError","LibraryFunctionInformation","LibraryFunctionLoad","LibraryFunctionUnload","LibraryLoad","LibraryUnload","LicenseEntitlementObject","LicenseEntitlements","LicenseID","LicensingSettings","LiftingFilterData","LiftingWaveletTransform","LightBlue","LightBrown","LightCyan","Lighter","LightGray","LightGreen","Lighting","LightingAngle","LightMagenta","LightOrange","LightPink","LightPurple","LightRed","LightSources","LightYellow","Likelihood","Limit","LimitsPositioning","LimitsPositioningTokens","LindleyDistribution","Line","Line3DBox","Line3DBoxOptions","LinearFilter","LinearFractionalOptimization","LinearFractionalTransform","LinearGradientFilling","LinearGradientImage","LinearizingTransformationData","LinearLayer","LinearModelFit","LinearOffsetFunction","LinearOptimization","LinearProgramming","LinearRecurrence","LinearSolve","LinearSolveFunction","LineBox","LineBoxOptions","LineBreak","LinebreakAdjustments","LineBreakChart","LinebreakSemicolonWeighting","LineBreakWithin","LineColor","LineGraph","LineIndent","LineIndentMaxFraction","LineIntegralConvolutionPlot","LineIntegralConvolutionScale","LineLegend","LineOpacity","LineSpacing","LineWrapParts","LinkActivate","LinkClose","LinkConnect","LinkConnectedQ","LinkCreate","LinkError","LinkFlush","LinkFunction","LinkHost","LinkInterrupt","LinkLaunch","LinkMode","LinkObject","LinkOpen","LinkOptions","LinkPatterns","LinkProtocol","LinkRankCentrality","LinkRead","LinkReadHeld","LinkReadyQ","Links","LinkService","LinkWrite","LinkWriteHeld","LiouvilleLambda","List","Listable","ListAnimate","ListContourPlot","ListContourPlot3D","ListConvolve","ListCorrelate","ListCurvePathPlot","ListDeconvolve","ListDensityPlot","ListDensityPlot3D","Listen","ListFormat","ListFourierSequenceTransform","ListInterpolation","ListLineIntegralConvolutionPlot","ListLinePlot","ListLinePlot3D","ListLogLinearPlot","ListLogLogPlot","ListLogPlot","ListPicker","ListPickerBox","ListPickerBoxBackground","ListPickerBoxOptions","ListPlay","ListPlot","ListPlot3D","ListPointPlot3D","ListPolarPlot","ListQ","ListSliceContourPlot3D","ListSliceDensityPlot3D","ListSliceVectorPlot3D","ListStepPlot","ListStreamDensityPlot","ListStreamPlot","ListStreamPlot3D","ListSurfacePlot3D","ListVectorDensityPlot","ListVectorDisplacementPlot","ListVectorDisplacementPlot3D","ListVectorPlot","ListVectorPlot3D","ListZTransform","Literal","LiteralSearch","LiteralType","LoadCompiledComponent","LocalAdaptiveBinarize","LocalCache","LocalClusteringCoefficient","LocalEvaluate","LocalizeDefinitions","LocalizeVariables","LocalObject","LocalObjects","LocalResponseNormalizationLayer","LocalSubmit","LocalSymbol","LocalTime","LocalTimeZone","LocationEquivalenceTest","LocationTest","Locator","LocatorAutoCreate","LocatorBox","LocatorBoxOptions","LocatorCentering","LocatorPane","LocatorPaneBox","LocatorPaneBoxOptions","LocatorRegion","Locked","Log","Log10","Log2","LogBarnesG","LogGamma","LogGammaDistribution","LogicalExpand","LogIntegral","LogisticDistribution","LogisticSigmoid","LogitModelFit","LogLikelihood","LogLinearPlot","LogLogisticDistribution","LogLogPlot","LogMultinormalDistribution","LogNormalDistribution","LogPlot","LogRankTest","LogSeriesDistribution","LongEqual","Longest","LongestCommonSequence","LongestCommonSequencePositions","LongestCommonSubsequence","LongestCommonSubsequencePositions","LongestMatch","LongestOrderedSequence","LongForm","Longitude","LongLeftArrow","LongLeftRightArrow","LongRightArrow","LongShortTermMemoryLayer","Lookup","Loopback","LoopFreeGraphQ","Looping","LossFunction","LowerCaseQ","LowerLeftArrow","LowerRightArrow","LowerTriangularize","LowerTriangularMatrix","LowerTriangularMatrixQ","LowpassFilter","LQEstimatorGains","LQGRegulator","LQOutputRegulatorGains","LQRegulatorGains","LUBackSubstitution","LucasL","LuccioSamiComponents","LUDecomposition","LunarEclipse","LUVColor","LyapunovSolve","LyonsGroupLy","MachineID","MachineName","MachineNumberQ","MachinePrecision","MacintoshSystemPageSetup","Magenta","Magnification","Magnify","MailAddressValidation","MailExecute","MailFolder","MailItem","MailReceiverFunction","MailResponseFunction","MailSearch","MailServerConnect","MailServerConnection","MailSettings","MainSolve","MaintainDynamicCaches","Majority","MakeBoxes","MakeExpression","MakeRules","ManagedLibraryExpressionID","ManagedLibraryExpressionQ","MandelbrotSetBoettcher","MandelbrotSetDistance","MandelbrotSetIterationCount","MandelbrotSetMemberQ","MandelbrotSetPlot","MangoldtLambda","ManhattanDistance","Manipulate","Manipulator","MannedSpaceMissionData","MannWhitneyTest","MantissaExponent","Manual","Map","MapAll","MapApply","MapAt","MapIndexed","MAProcess","MapThread","MarchenkoPasturDistribution","MarcumQ","MardiaCombinedTest","MardiaKurtosisTest","MardiaSkewnessTest","MarginalDistribution","MarkovProcessProperties","Masking","MassConcentrationCondition","MassFluxValue","MassImpermeableBoundaryValue","MassOutflowValue","MassSymmetryValue","MassTransferValue","MassTransportPDEComponent","MatchingDissimilarity","MatchLocalNameQ","MatchLocalNames","MatchQ","Material","MaterialShading","MaternPointProcess","MathematicalFunctionData","MathematicaNotation","MathieuC","MathieuCharacteristicA","MathieuCharacteristicB","MathieuCharacteristicExponent","MathieuCPrime","MathieuGroupM11","MathieuGroupM12","MathieuGroupM22","MathieuGroupM23","MathieuGroupM24","MathieuS","MathieuSPrime","MathMLForm","MathMLText","Matrices","MatrixExp","MatrixForm","MatrixFunction","MatrixLog","MatrixNormalDistribution","MatrixPlot","MatrixPower","MatrixPropertyDistribution","MatrixQ","MatrixRank","MatrixTDistribution","Max","MaxBend","MaxCellMeasure","MaxColorDistance","MaxDate","MaxDetect","MaxDisplayedChildren","MaxDuration","MaxExtraBandwidths","MaxExtraConditions","MaxFeatureDisplacement","MaxFeatures","MaxFilter","MaximalBy","Maximize","MaxItems","MaxIterations","MaxLimit","MaxMemoryUsed","MaxMixtureKernels","MaxOverlapFraction","MaxPlotPoints","MaxPoints","MaxRecursion","MaxStableDistribution","MaxStepFraction","MaxSteps","MaxStepSize","MaxTrainingRounds","MaxValue","MaxwellDistribution","MaxWordGap","McLaughlinGroupMcL","Mean","MeanAbsoluteLossLayer","MeanAround","MeanClusteringCoefficient","MeanDegreeConnectivity","MeanDeviation","MeanFilter","MeanGraphDistance","MeanNeighborDegree","MeanPointDensity","MeanShift","MeanShiftFilter","MeanSquaredLossLayer","Median","MedianDeviation","MedianFilter","MedicalTestData","Medium","MeijerG","MeijerGReduce","MeixnerDistribution","MellinConvolve","MellinTransform","MemberQ","MemoryAvailable","MemoryConstrained","MemoryConstraint","MemoryInUse","MengerMesh","Menu","MenuAppearance","MenuCommandKey","MenuEvaluator","MenuItem","MenuList","MenuPacket","MenuSortingValue","MenuStyle","MenuView","Merge","MergeDifferences","MergingFunction","MersennePrimeExponent","MersennePrimeExponentQ","Mesh","MeshCellCentroid","MeshCellCount","MeshCellHighlight","MeshCellIndex","MeshCellLabel","MeshCellMarker","MeshCellMeasure","MeshCellQuality","MeshCells","MeshCellShapeFunction","MeshCellStyle","MeshConnectivityGraph","MeshCoordinates","MeshFunctions","MeshPrimitives","MeshQualityGoal","MeshRange","MeshRefinementFunction","MeshRegion","MeshRegionQ","MeshShading","MeshStyle","Message","MessageDialog","MessageList","MessageName","MessageObject","MessageOptions","MessagePacket","Messages","MessagesNotebook","MetaCharacters","MetaInformation","MeteorShowerData","Method","MethodOptions","MexicanHatWavelet","MeyerWavelet","Midpoint","MIMETypeToFormatList","Min","MinColorDistance","MinDate","MinDetect","MineralData","MinFilter","MinimalBy","MinimalPolynomial","MinimalStateSpaceModel","Minimize","MinimumTimeIncrement","MinIntervalSize","MinkowskiQuestionMark","MinLimit","MinMax","MinorPlanetData","Minors","MinPointSeparation","MinRecursion","MinSize","MinStableDistribution","Minus","MinusPlus","MinValue","Missing","MissingBehavior","MissingDataMethod","MissingDataRules","MissingQ","MissingString","MissingStyle","MissingValuePattern","MissingValueSynthesis","MittagLefflerE","MixedFractionParts","MixedGraphQ","MixedMagnitude","MixedRadix","MixedRadixQuantity","MixedUnit","MixtureDistribution","Mod","Modal","Mode","ModelPredictiveController","Modular","ModularInverse","ModularLambda","Module","Modulus","MoebiusMu","Molecule","MoleculeAlign","MoleculeContainsQ","MoleculeDraw","MoleculeEquivalentQ","MoleculeFreeQ","MoleculeGraph","MoleculeMatchQ","MoleculeMaximumCommonSubstructure","MoleculeModify","MoleculeName","MoleculePattern","MoleculePlot","MoleculePlot3D","MoleculeProperty","MoleculeQ","MoleculeRecognize","MoleculeSubstructureCount","MoleculeValue","Moment","MomentConvert","MomentEvaluate","MomentGeneratingFunction","MomentOfInertia","Monday","Monitor","MonomialList","MonomialOrder","MonsterGroupM","MoonPhase","MoonPosition","MorletWavelet","MorphologicalBinarize","MorphologicalBranchPoints","MorphologicalComponents","MorphologicalEulerNumber","MorphologicalGraph","MorphologicalPerimeter","MorphologicalTransform","MortalityData","Most","MountainData","MouseAnnotation","MouseAppearance","MouseAppearanceTag","MouseButtons","Mouseover","MousePointerNote","MousePosition","MovieData","MovingAverage","MovingMap","MovingMedian","MoyalDistribution","MultiaxisArrangement","Multicolumn","MultiedgeStyle","MultigraphQ","MultilaunchWarning","MultiLetterItalics","MultiLetterStyle","MultilineFunction","Multinomial","MultinomialDistribution","MultinormalDistribution","MultiplicativeOrder","Multiplicity","MultiplySides","MultiscriptBoxOptions","Multiselection","MultivariateHypergeometricDistribution","MultivariatePoissonDistribution","MultivariateTDistribution","N","NakagamiDistribution","NameQ","Names","NamespaceBox","NamespaceBoxOptions","Nand","NArgMax","NArgMin","NBernoulliB","NBodySimulation","NBodySimulationData","NCache","NCaputoD","NDEigensystem","NDEigenvalues","NDSolve","NDSolveValue","Nearest","NearestFunction","NearestMeshCells","NearestNeighborG","NearestNeighborGraph","NearestTo","NebulaData","NeedlemanWunschSimilarity","Needs","Negative","NegativeBinomialDistribution","NegativeDefiniteMatrixQ","NegativeIntegers","NegativelyOrientedPoints","NegativeMultinomialDistribution","NegativeRationals","NegativeReals","NegativeSemidefiniteMatrixQ","NeighborhoodData","NeighborhoodGraph","Nest","NestedGreaterGreater","NestedLessLess","NestedScriptRules","NestGraph","NestList","NestTree","NestWhile","NestWhileList","NetAppend","NetArray","NetArrayLayer","NetBidirectionalOperator","NetChain","NetDecoder","NetDelete","NetDrop","NetEncoder","NetEvaluationMode","NetExternalObject","NetExtract","NetFlatten","NetFoldOperator","NetGANOperator","NetGraph","NetInformation","NetInitialize","NetInsert","NetInsertSharedArrays","NetJoin","NetMapOperator","NetMapThreadOperator","NetMeasurements","NetModel","NetNestOperator","NetPairEmbeddingOperator","NetPort","NetPortGradient","NetPrepend","NetRename","NetReplace","NetReplacePart","NetSharedArray","NetStateObject","NetTake","NetTrain","NetTrainResultsObject","NetUnfold","NetworkPacketCapture","NetworkPacketRecording","NetworkPacketRecordingDuring","NetworkPacketTrace","NeumannValue","NevilleThetaC","NevilleThetaD","NevilleThetaN","NevilleThetaS","NewPrimitiveStyle","NExpectation","Next","NextCell","NextDate","NextPrime","NextScheduledTaskTime","NeymanScottPointProcess","NFractionalD","NHoldAll","NHoldFirst","NHoldRest","NicholsGridLines","NicholsPlot","NightHemisphere","NIntegrate","NMaximize","NMaxValue","NMinimize","NMinValue","NominalScale","NominalVariables","NonAssociative","NoncentralBetaDistribution","NoncentralChiSquareDistribution","NoncentralFRatioDistribution","NoncentralStudentTDistribution","NonCommutativeMultiply","NonConstants","NondimensionalizationTransform","None","NoneTrue","NonlinearModelFit","NonlinearStateSpaceModel","NonlocalMeansFilter","NonNegative","NonNegativeIntegers","NonNegativeRationals","NonNegativeReals","NonPositive","NonPositiveIntegers","NonPositiveRationals","NonPositiveReals","Nor","NorlundB","Norm","Normal","NormalDistribution","NormalGrouping","NormalizationLayer","Normalize","Normalized","NormalizedSquaredEuclideanDistance","NormalMatrixQ","NormalsFunction","NormFunction","Not","NotCongruent","NotCupCap","NotDoubleVerticalBar","Notebook","NotebookApply","NotebookAutoSave","NotebookBrowseDirectory","NotebookClose","NotebookConvertSettings","NotebookCreate","NotebookDefault","NotebookDelete","NotebookDirectory","NotebookDynamicExpression","NotebookEvaluate","NotebookEventActions","NotebookFileName","NotebookFind","NotebookGet","NotebookImport","NotebookInformation","NotebookInterfaceObject","NotebookLocate","NotebookObject","NotebookOpen","NotebookPath","NotebookPrint","NotebookPut","NotebookRead","Notebooks","NotebookSave","NotebookSelection","NotebooksMenu","NotebookTemplate","NotebookWrite","NotElement","NotEqualTilde","NotExists","NotGreater","NotGreaterEqual","NotGreaterFullEqual","NotGreaterGreater","NotGreaterLess","NotGreaterSlantEqual","NotGreaterTilde","Nothing","NotHumpDownHump","NotHumpEqual","NotificationFunction","NotLeftTriangle","NotLeftTriangleBar","NotLeftTriangleEqual","NotLess","NotLessEqual","NotLessFullEqual","NotLessGreater","NotLessLess","NotLessSlantEqual","NotLessTilde","NotNestedGreaterGreater","NotNestedLessLess","NotPrecedes","NotPrecedesEqual","NotPrecedesSlantEqual","NotPrecedesTilde","NotReverseElement","NotRightTriangle","NotRightTriangleBar","NotRightTriangleEqual","NotSquareSubset","NotSquareSubsetEqual","NotSquareSuperset","NotSquareSupersetEqual","NotSubset","NotSubsetEqual","NotSucceeds","NotSucceedsEqual","NotSucceedsSlantEqual","NotSucceedsTilde","NotSuperset","NotSupersetEqual","NotTilde","NotTildeEqual","NotTildeFullEqual","NotTildeTilde","NotVerticalBar","Now","NoWhitespace","NProbability","NProduct","NProductFactors","NRoots","NSolve","NSolveValues","NSum","NSumTerms","NuclearExplosionData","NuclearReactorData","Null","NullRecords","NullSpace","NullWords","Number","NumberCompose","NumberDecompose","NumberDigit","NumberExpand","NumberFieldClassNumber","NumberFieldDiscriminant","NumberFieldFundamentalUnits","NumberFieldIntegralBasis","NumberFieldNormRepresentatives","NumberFieldRegulator","NumberFieldRootsOfUnity","NumberFieldSignature","NumberForm","NumberFormat","NumberLinePlot","NumberMarks","NumberMultiplier","NumberPadding","NumberPoint","NumberQ","NumberSeparator","NumberSigns","NumberString","Numerator","NumeratorDenominator","NumericalOrder","NumericalSort","NumericArray","NumericArrayQ","NumericArrayType","NumericFunction","NumericQ","NuttallWindow","NValues","NyquistGridLines","NyquistPlot","O","ObjectExistsQ","ObservabilityGramian","ObservabilityMatrix","ObservableDecomposition","ObservableModelQ","OceanData","Octahedron","OddQ","Off","Offset","OLEData","On","ONanGroupON","Once","OneIdentity","Opacity","OpacityFunction","OpacityFunctionScaling","Open","OpenAppend","Opener","OpenerBox","OpenerBoxOptions","OpenerView","OpenFunctionInspectorPacket","Opening","OpenRead","OpenSpecialOptions","OpenTemporary","OpenWrite","Operate","OperatingSystem","OperatorApplied","OptimumFlowData","Optional","OptionalElement","OptionInspectorSettings","OptionQ","Options","OptionsPacket","OptionsPattern","OptionValue","OptionValueBox","OptionValueBoxOptions","Or","Orange","Order","OrderDistribution","OrderedQ","Ordering","OrderingBy","OrderingLayer","Orderless","OrderlessPatternSequence","OrdinalScale","OrnsteinUhlenbeckProcess","Orthogonalize","OrthogonalMatrixQ","Out","Outer","OuterPolygon","OuterPolyhedron","OutputAutoOverwrite","OutputControllabilityMatrix","OutputControllableModelQ","OutputForm","OutputFormData","OutputGrouping","OutputMathEditExpression","OutputNamePacket","OutputPorts","OutputResponse","OutputSizeLimit","OutputStream","Over","OverBar","OverDot","Overflow","OverHat","Overlaps","Overlay","OverlayBox","OverlayBoxOptions","OverlayVideo","Overscript","OverscriptBox","OverscriptBoxOptions","OverTilde","OverVector","OverwriteTarget","OwenT","OwnValues","Package","PackingMethod","PackPaclet","PacletDataRebuild","PacletDirectoryAdd","PacletDirectoryLoad","PacletDirectoryRemove","PacletDirectoryUnload","PacletDisable","PacletEnable","PacletFind","PacletFindRemote","PacletInformation","PacletInstall","PacletInstallSubmit","PacletNewerQ","PacletObject","PacletObjectQ","PacletSite","PacletSiteObject","PacletSiteRegister","PacletSites","PacletSiteUnregister","PacletSiteUpdate","PacletSymbol","PacletUninstall","PacletUpdate","PaddedForm","Padding","PaddingLayer","PaddingSize","PadeApproximant","PadLeft","PadRight","PageBreakAbove","PageBreakBelow","PageBreakWithin","PageFooterLines","PageFooters","PageHeaderLines","PageHeaders","PageHeight","PageRankCentrality","PageTheme","PageWidth","Pagination","PairCorrelationG","PairedBarChart","PairedHistogram","PairedSmoothHistogram","PairedTTest","PairedZTest","PaletteNotebook","PalettePath","PalettesMenuSettings","PalindromeQ","Pane","PaneBox","PaneBoxOptions","Panel","PanelBox","PanelBoxOptions","Paneled","PaneSelector","PaneSelectorBox","PaneSelectorBoxOptions","PaperWidth","ParabolicCylinderD","ParagraphIndent","ParagraphSpacing","ParallelArray","ParallelAxisPlot","ParallelCombine","ParallelDo","Parallelepiped","ParallelEvaluate","Parallelization","Parallelize","ParallelKernels","ParallelMap","ParallelNeeds","Parallelogram","ParallelProduct","ParallelSubmit","ParallelSum","ParallelTable","ParallelTry","Parameter","ParameterEstimator","ParameterMixtureDistribution","ParameterVariables","ParametricConvexOptimization","ParametricFunction","ParametricNDSolve","ParametricNDSolveValue","ParametricPlot","ParametricPlot3D","ParametricRampLayer","ParametricRegion","ParentBox","ParentCell","ParentConnect","ParentDirectory","ParentEdgeLabel","ParentEdgeLabelFunction","ParentEdgeLabelStyle","ParentEdgeShapeFunction","ParentEdgeStyle","ParentEdgeStyleFunction","ParentForm","Parenthesize","ParentList","ParentNotebook","ParetoDistribution","ParetoPickandsDistribution","ParkData","Part","PartBehavior","PartialCorrelationFunction","PartialD","ParticleAcceleratorData","ParticleData","Partition","PartitionGranularity","PartitionsP","PartitionsQ","PartLayer","PartOfSpeech","PartProtection","ParzenWindow","PascalDistribution","PassEventsDown","PassEventsUp","Paste","PasteAutoQuoteCharacters","PasteBoxFormInlineCells","PasteButton","Path","PathGraph","PathGraphQ","Pattern","PatternFilling","PatternReaction","PatternSequence","PatternTest","PauliMatrix","PaulWavelet","Pause","PausedTime","PDF","PeakDetect","PeanoCurve","PearsonChiSquareTest","PearsonCorrelationTest","PearsonDistribution","PenttinenPointProcess","PercentForm","PerfectNumber","PerfectNumberQ","PerformanceGoal","Perimeter","PeriodicBoundaryCondition","PeriodicInterpolation","Periodogram","PeriodogramArray","Permanent","Permissions","PermissionsGroup","PermissionsGroupMemberQ","PermissionsGroups","PermissionsKey","PermissionsKeys","PermutationCycles","PermutationCyclesQ","PermutationGroup","PermutationLength","PermutationList","PermutationListQ","PermutationMatrix","PermutationMax","PermutationMin","PermutationOrder","PermutationPower","PermutationProduct","PermutationReplace","Permutations","PermutationSupport","Permute","PeronaMalikFilter","Perpendicular","PerpendicularBisector","PersistenceLocation","PersistenceTime","PersistentObject","PersistentObjects","PersistentSymbol","PersistentValue","PersonData","PERTDistribution","PetersenGraph","PhaseMargins","PhaseRange","PhongShading","PhysicalSystemData","Pi","Pick","PickedElements","PickMode","PIDData","PIDDerivativeFilter","PIDFeedforward","PIDTune","Piecewise","PiecewiseExpand","PieChart","PieChart3D","PillaiTrace","PillaiTraceTest","PingTime","Pink","PitchRecognize","Pivoting","PixelConstrained","PixelValue","PixelValuePositions","Placed","Placeholder","PlaceholderLayer","PlaceholderReplace","Plain","PlanarAngle","PlanarFaceList","PlanarGraph","PlanarGraphQ","PlanckRadiationLaw","PlaneCurveData","PlanetaryMoonData","PlanetData","PlantData","Play","PlaybackSettings","PlayRange","Plot","Plot3D","Plot3Matrix","PlotDivision","PlotJoined","PlotLabel","PlotLabels","PlotLayout","PlotLegends","PlotMarkers","PlotPoints","PlotRange","PlotRangeClipping","PlotRangeClipPlanesStyle","PlotRangePadding","PlotRegion","PlotStyle","PlotTheme","Pluralize","Plus","PlusMinus","Pochhammer","PodStates","PodWidth","Point","Point3DBox","Point3DBoxOptions","PointBox","PointBoxOptions","PointCountDistribution","PointDensity","PointDensityFunction","PointFigureChart","PointLegend","PointLight","PointProcessEstimator","PointProcessFitTest","PointProcessParameterAssumptions","PointProcessParameterQ","PointSize","PointStatisticFunction","PointValuePlot","PoissonConsulDistribution","PoissonDistribution","PoissonPDEComponent","PoissonPointProcess","PoissonProcess","PoissonWindow","PolarAxes","PolarAxesOrigin","PolarGridLines","PolarPlot","PolarTicks","PoleZeroMarkers","PolyaAeppliDistribution","PolyGamma","Polygon","Polygon3DBox","Polygon3DBoxOptions","PolygonalNumber","PolygonAngle","PolygonBox","PolygonBoxOptions","PolygonCoordinates","PolygonDecomposition","PolygonHoleScale","PolygonIntersections","PolygonScale","Polyhedron","PolyhedronAngle","PolyhedronBox","PolyhedronBoxOptions","PolyhedronCoordinates","PolyhedronData","PolyhedronDecomposition","PolyhedronGenus","PolyLog","PolynomialExpressionQ","PolynomialExtendedGCD","PolynomialForm","PolynomialGCD","PolynomialLCM","PolynomialMod","PolynomialQ","PolynomialQuotient","PolynomialQuotientRemainder","PolynomialReduce","PolynomialRemainder","Polynomials","PolynomialSumOfSquaresList","PoolingLayer","PopupMenu","PopupMenuBox","PopupMenuBoxOptions","PopupView","PopupWindow","Position","PositionIndex","PositionLargest","PositionSmallest","Positive","PositiveDefiniteMatrixQ","PositiveIntegers","PositivelyOrientedPoints","PositiveRationals","PositiveReals","PositiveSemidefiniteMatrixQ","PossibleZeroQ","Postfix","PostScript","Power","PowerDistribution","PowerExpand","PowerMod","PowerModList","PowerRange","PowerSpectralDensity","PowersRepresentations","PowerSymmetricPolynomial","Precedence","PrecedenceForm","Precedes","PrecedesEqual","PrecedesSlantEqual","PrecedesTilde","Precision","PrecisionGoal","PreDecrement","Predict","PredictionRoot","PredictorFunction","PredictorInformation","PredictorMeasurements","PredictorMeasurementsObject","PreemptProtect","PreferencesPath","PreferencesSettings","Prefix","PreIncrement","Prepend","PrependLayer","PrependTo","PreprocessingRules","PreserveColor","PreserveImageOptions","Previous","PreviousCell","PreviousDate","PriceGraphDistribution","PrimaryPlaceholder","Prime","PrimeNu","PrimeOmega","PrimePi","PrimePowerQ","PrimeQ","Primes","PrimeZetaP","PrimitivePolynomialQ","PrimitiveRoot","PrimitiveRootList","PrincipalComponents","PrincipalValue","Print","PrintableASCIIQ","PrintAction","PrintForm","PrintingCopies","PrintingOptions","PrintingPageRange","PrintingStartingPageNumber","PrintingStyleEnvironment","Printout3D","Printout3DPreviewer","PrintPrecision","PrintTemporary","Prism","PrismBox","PrismBoxOptions","PrivateCellOptions","PrivateEvaluationOptions","PrivateFontOptions","PrivateFrontEndOptions","PrivateKey","PrivateNotebookOptions","PrivatePaths","Probability","ProbabilityDistribution","ProbabilityPlot","ProbabilityPr","ProbabilityScalePlot","ProbitModelFit","ProcessConnection","ProcessDirectory","ProcessEnvironment","Processes","ProcessEstimator","ProcessInformation","ProcessObject","ProcessParameterAssumptions","ProcessParameterQ","ProcessStateDomain","ProcessStatus","ProcessTimeDomain","Product","ProductDistribution","ProductLog","ProgressIndicator","ProgressIndicatorBox","ProgressIndicatorBoxOptions","ProgressReporting","Projection","Prolog","PromptForm","ProofObject","PropagateAborts","Properties","Property","PropertyList","PropertyValue","Proportion","Proportional","Protect","Protected","ProteinData","Pruning","PseudoInverse","PsychrometricPropertyData","PublicKey","PublisherID","PulsarData","PunctuationCharacter","Purple","Put","PutAppend","Pyramid","PyramidBox","PyramidBoxOptions","QBinomial","QFactorial","QGamma","QHypergeometricPFQ","QnDispersion","QPochhammer","QPolyGamma","QRDecomposition","QuadraticIrrationalQ","QuadraticOptimization","Quantile","QuantilePlot","Quantity","QuantityArray","QuantityDistribution","QuantityForm","QuantityMagnitude","QuantityQ","QuantityUnit","QuantityVariable","QuantityVariableCanonicalUnit","QuantityVariableDimensions","QuantityVariableIdentifier","QuantityVariablePhysicalQuantity","Quartics","QuartileDeviation","Quartiles","QuartileSkewness","Query","QuestionGenerator","QuestionInterface","QuestionObject","QuestionSelector","QueueingNetworkProcess","QueueingProcess","QueueProperties","Quiet","QuietEcho","Quit","Quotient","QuotientRemainder","RadialAxisPlot","RadialGradientFilling","RadialGradientImage","RadialityCentrality","RadicalBox","RadicalBoxOptions","RadioButton","RadioButtonBar","RadioButtonBox","RadioButtonBoxOptions","Radon","RadonTransform","RamanujanTau","RamanujanTauL","RamanujanTauTheta","RamanujanTauZ","Ramp","Random","RandomArrayLayer","RandomChoice","RandomColor","RandomComplex","RandomDate","RandomEntity","RandomFunction","RandomGeneratorState","RandomGeoPosition","RandomGraph","RandomImage","RandomInstance","RandomInteger","RandomPermutation","RandomPoint","RandomPointConfiguration","RandomPolygon","RandomPolyhedron","RandomPrime","RandomReal","RandomSample","RandomSeed","RandomSeeding","RandomTime","RandomTree","RandomVariate","RandomWalkProcess","RandomWord","Range","RangeFilter","RangeSpecification","RankedMax","RankedMin","RarerProbability","Raster","Raster3D","Raster3DBox","Raster3DBoxOptions","RasterArray","RasterBox","RasterBoxOptions","Rasterize","RasterSize","Rational","RationalExpressionQ","RationalFunctions","Rationalize","Rationals","Ratios","RawArray","RawBoxes","RawData","RawMedium","RayleighDistribution","Re","ReactionBalance","ReactionBalancedQ","ReactionPDETerm","Read","ReadByteArray","ReadLine","ReadList","ReadProtected","ReadString","Real","RealAbs","RealBlockDiagonalForm","RealDigits","RealExponent","Reals","RealSign","Reap","RebuildPacletData","RecalibrationFunction","RecognitionPrior","RecognitionThreshold","ReconstructionMesh","Record","RecordLists","RecordSeparators","Rectangle","RectangleBox","RectangleBoxOptions","RectangleChart","RectangleChart3D","RectangularRepeatingElement","RecurrenceFilter","RecurrenceTable","RecurringDigitsForm","Red","Reduce","RefBox","ReferenceLineStyle","ReferenceMarkers","ReferenceMarkerStyle","Refine","ReflectionMatrix","ReflectionTransform","Refresh","RefreshRate","Region","RegionBinarize","RegionBoundary","RegionBoundaryStyle","RegionBounds","RegionCentroid","RegionCongruent","RegionConvert","RegionDifference","RegionDilation","RegionDimension","RegionDisjoint","RegionDistance","RegionDistanceFunction","RegionEmbeddingDimension","RegionEqual","RegionErosion","RegionFillingStyle","RegionFit","RegionFunction","RegionImage","RegionIntersection","RegionMeasure","RegionMember","RegionMemberFunction","RegionMoment","RegionNearest","RegionNearestFunction","RegionPlot","RegionPlot3D","RegionProduct","RegionQ","RegionResize","RegionSimilar","RegionSize","RegionSymmetricDifference","RegionUnion","RegionWithin","RegisterExternalEvaluator","RegularExpression","Regularization","RegularlySampledQ","RegularPolygon","ReIm","ReImLabels","ReImPlot","ReImStyle","Reinstall","RelationalDatabase","RelationGraph","Release","ReleaseHold","ReliabilityDistribution","ReliefImage","ReliefPlot","RemoteAuthorizationCaching","RemoteBatchJobAbort","RemoteBatchJobObject","RemoteBatchJobs","RemoteBatchMapSubmit","RemoteBatchSubmissionEnvironment","RemoteBatchSubmit","RemoteConnect","RemoteConnectionObject","RemoteEvaluate","RemoteFile","RemoteInputFiles","RemoteKernelObject","RemoteProviderSettings","RemoteRun","RemoteRunProcess","RemovalConditions","Remove","RemoveAlphaChannel","RemoveAsynchronousTask","RemoveAudioStream","RemoveBackground","RemoveChannelListener","RemoveChannelSubscribers","Removed","RemoveDiacritics","RemoveInputStreamMethod","RemoveOutputStreamMethod","RemoveProperty","RemoveScheduledTask","RemoveUsers","RemoveVideoStream","RenameDirectory","RenameFile","RenderAll","RenderingOptions","RenewalProcess","RenkoChart","RepairMesh","Repeated","RepeatedNull","RepeatedString","RepeatedTiming","RepeatingElement","Replace","ReplaceAll","ReplaceAt","ReplaceHeldPart","ReplaceImageValue","ReplaceList","ReplacePart","ReplacePixelValue","ReplaceRepeated","ReplicateLayer","RequiredPhysicalQuantities","Resampling","ResamplingAlgorithmData","ResamplingMethod","Rescale","RescalingTransform","ResetDirectory","ResetScheduledTask","ReshapeLayer","Residue","ResidueSum","ResizeLayer","Resolve","ResolveContextAliases","ResourceAcquire","ResourceData","ResourceFunction","ResourceObject","ResourceRegister","ResourceRemove","ResourceSearch","ResourceSubmissionObject","ResourceSubmit","ResourceSystemBase","ResourceSystemPath","ResourceUpdate","ResourceVersion","ResponseForm","Rest","RestartInterval","Restricted","Resultant","ResumePacket","Return","ReturnCreatesNewCell","ReturnEntersInput","ReturnExpressionPacket","ReturnInputFormPacket","ReturnPacket","ReturnReceiptFunction","ReturnTextPacket","Reverse","ReverseApplied","ReverseBiorthogonalSplineWavelet","ReverseElement","ReverseEquilibrium","ReverseGraph","ReverseSort","ReverseSortBy","ReverseUpEquilibrium","RevolutionAxis","RevolutionPlot3D","RGBColor","RiccatiSolve","RiceDistribution","RidgeFilter","RiemannR","RiemannSiegelTheta","RiemannSiegelZ","RiemannXi","Riffle","Right","RightArrow","RightArrowBar","RightArrowLeftArrow","RightComposition","RightCosetRepresentative","RightDownTeeVector","RightDownVector","RightDownVectorBar","RightTee","RightTeeArrow","RightTeeVector","RightTriangle","RightTriangleBar","RightTriangleEqual","RightUpDownVector","RightUpTeeVector","RightUpVector","RightUpVectorBar","RightVector","RightVectorBar","RipleyK","RipleyRassonRegion","RiskAchievementImportance","RiskReductionImportance","RobustConvexOptimization","RogersTanimotoDissimilarity","RollPitchYawAngles","RollPitchYawMatrix","RomanNumeral","Root","RootApproximant","RootIntervals","RootLocusPlot","RootMeanSquare","RootOfUnityQ","RootReduce","Roots","RootSum","RootTree","Rotate","RotateLabel","RotateLeft","RotateRight","RotationAction","RotationBox","RotationBoxOptions","RotationMatrix","RotationTransform","Round","RoundImplies","RoundingRadius","Row","RowAlignments","RowBackgrounds","RowBox","RowHeights","RowLines","RowMinHeight","RowReduce","RowsEqual","RowSpacings","RSolve","RSolveValue","RudinShapiro","RudvalisGroupRu","Rule","RuleCondition","RuleDelayed","RuleForm","RulePlot","RulerUnits","RulesTree","Run","RunProcess","RunScheduledTask","RunThrough","RuntimeAttributes","RuntimeOptions","RussellRaoDissimilarity","SameAs","SameQ","SameTest","SameTestProperties","SampledEntityClass","SampleDepth","SampledSoundFunction","SampledSoundList","SampleRate","SamplingPeriod","SARIMAProcess","SARMAProcess","SASTriangle","SatelliteData","SatisfiabilityCount","SatisfiabilityInstances","SatisfiableQ","Saturday","Save","Saveable","SaveAutoDelete","SaveConnection","SaveDefinitions","SavitzkyGolayMatrix","SawtoothWave","Scale","Scaled","ScaleDivisions","ScaledMousePosition","ScaleOrigin","ScalePadding","ScaleRanges","ScaleRangeStyle","ScalingFunctions","ScalingMatrix","ScalingTransform","Scan","ScheduledTask","ScheduledTaskActiveQ","ScheduledTaskInformation","ScheduledTaskInformationData","ScheduledTaskObject","ScheduledTasks","SchurDecomposition","ScientificForm","ScientificNotationThreshold","ScorerGi","ScorerGiPrime","ScorerHi","ScorerHiPrime","ScreenRectangle","ScreenStyleEnvironment","ScriptBaselineShifts","ScriptForm","ScriptLevel","ScriptMinSize","ScriptRules","ScriptSizeMultipliers","Scrollbars","ScrollingOptions","ScrollPosition","SearchAdjustment","SearchIndexObject","SearchIndices","SearchQueryString","SearchResultObject","Sec","Sech","SechDistribution","SecondOrderConeOptimization","SectionGrouping","SectorChart","SectorChart3D","SectorOrigin","SectorSpacing","SecuredAuthenticationKey","SecuredAuthenticationKeys","SecurityCertificate","SeedRandom","Select","Selectable","SelectComponents","SelectedCells","SelectedNotebook","SelectFirst","Selection","SelectionAnimate","SelectionCell","SelectionCellCreateCell","SelectionCellDefaultStyle","SelectionCellParentStyle","SelectionCreateCell","SelectionDebuggerTag","SelectionEvaluate","SelectionEvaluateCreateCell","SelectionMove","SelectionPlaceholder","SelectWithContents","SelfLoops","SelfLoopStyle","SemanticImport","SemanticImportString","SemanticInterpretation","SemialgebraicComponentInstances","SemidefiniteOptimization","SendMail","SendMessage","Sequence","SequenceAlignment","SequenceAttentionLayer","SequenceCases","SequenceCount","SequenceFold","SequenceFoldList","SequenceForm","SequenceHold","SequenceIndicesLayer","SequenceLastLayer","SequenceMostLayer","SequencePosition","SequencePredict","SequencePredictorFunction","SequenceReplace","SequenceRestLayer","SequenceReverseLayer","SequenceSplit","Series","SeriesCoefficient","SeriesData","SeriesTermGoal","ServiceConnect","ServiceDisconnect","ServiceExecute","ServiceObject","ServiceRequest","ServiceResponse","ServiceSubmit","SessionSubmit","SessionTime","Set","SetAccuracy","SetAlphaChannel","SetAttributes","Setbacks","SetCloudDirectory","SetCookies","SetDelayed","SetDirectory","SetEnvironment","SetFileDate","SetFileFormatProperties","SetOptions","SetOptionsPacket","SetPermissions","SetPrecision","SetProperty","SetSecuredAuthenticationKey","SetSelectedNotebook","SetSharedFunction","SetSharedVariable","SetStreamPosition","SetSystemModel","SetSystemOptions","Setter","SetterBar","SetterBox","SetterBoxOptions","Setting","SetUsers","Shading","Shallow","ShannonWavelet","ShapiroWilkTest","Share","SharingList","Sharpen","ShearingMatrix","ShearingTransform","ShellRegion","ShenCastanMatrix","ShiftedGompertzDistribution","ShiftRegisterSequence","Short","ShortDownArrow","Shortest","ShortestMatch","ShortestPathFunction","ShortLeftArrow","ShortRightArrow","ShortTimeFourier","ShortTimeFourierData","ShortUpArrow","Show","ShowAutoConvert","ShowAutoSpellCheck","ShowAutoStyles","ShowCellBracket","ShowCellLabel","ShowCellTags","ShowClosedCellArea","ShowCodeAssist","ShowContents","ShowControls","ShowCursorTracker","ShowGroupOpenCloseIcon","ShowGroupOpener","ShowInvisibleCharacters","ShowPageBreaks","ShowPredictiveInterface","ShowSelection","ShowShortBoxForm","ShowSpecialCharacters","ShowStringCharacters","ShowSyntaxStyles","ShrinkingDelay","ShrinkWrapBoundingBox","SiderealTime","SiegelTheta","SiegelTukeyTest","SierpinskiCurve","SierpinskiMesh","Sign","Signature","SignedRankTest","SignedRegionDistance","SignificanceLevel","SignPadding","SignTest","SimilarityRules","SimpleGraph","SimpleGraphQ","SimplePolygonQ","SimplePolyhedronQ","Simplex","Simplify","Sin","Sinc","SinghMaddalaDistribution","SingleEvaluation","SingleLetterItalics","SingleLetterStyle","SingularValueDecomposition","SingularValueList","SingularValuePlot","SingularValues","Sinh","SinhIntegral","SinIntegral","SixJSymbol","Skeleton","SkeletonTransform","SkellamDistribution","Skewness","SkewNormalDistribution","SkinStyle","Skip","SliceContourPlot3D","SliceDensityPlot3D","SliceDistribution","SliceVectorPlot3D","Slider","Slider2D","Slider2DBox","Slider2DBoxOptions","SliderBox","SliderBoxOptions","SlideShowVideo","SlideView","Slot","SlotSequence","Small","SmallCircle","Smaller","SmithDecomposition","SmithDelayCompensator","SmithWatermanSimilarity","SmoothDensityHistogram","SmoothHistogram","SmoothHistogram3D","SmoothKernelDistribution","SmoothPointDensity","SnDispersion","Snippet","SnippetsVideo","SnubPolyhedron","SocialMediaData","Socket","SocketConnect","SocketListen","SocketListener","SocketObject","SocketOpen","SocketReadMessage","SocketReadyQ","Sockets","SocketWaitAll","SocketWaitNext","SoftmaxLayer","SokalSneathDissimilarity","SolarEclipse","SolarSystemFeatureData","SolarTime","SolidAngle","SolidBoundaryLoadValue","SolidData","SolidDisplacementCondition","SolidFixedCondition","SolidMechanicsPDEComponent","SolidMechanicsStrain","SolidMechanicsStress","SolidRegionQ","Solve","SolveAlways","SolveDelayed","SolveValues","Sort","SortBy","SortedBy","SortedEntityClass","Sound","SoundAndGraphics","SoundNote","SoundVolume","SourceLink","SourcePDETerm","Sow","Space","SpaceCurveData","SpaceForm","Spacer","Spacings","Span","SpanAdjustments","SpanCharacterRounding","SpanFromAbove","SpanFromBoth","SpanFromLeft","SpanLineThickness","SpanMaxSize","SpanMinSize","SpanningCharacters","SpanSymmetric","SparseArray","SparseArrayQ","SpatialBinnedPointData","SpatialBoundaryCorrection","SpatialEstimate","SpatialEstimatorFunction","SpatialGraphDistribution","SpatialJ","SpatialMedian","SpatialNoiseLevel","SpatialObservationRegionQ","SpatialPointData","SpatialPointSelect","SpatialRandomnessTest","SpatialTransformationLayer","SpatialTrendFunction","Speak","SpeakerMatchQ","SpearmanRankTest","SpearmanRho","SpeciesData","SpecificityGoal","SpectralLineData","Spectrogram","SpectrogramArray","Specularity","SpeechCases","SpeechInterpreter","SpeechRecognize","SpeechSynthesize","SpellingCorrection","SpellingCorrectionList","SpellingDictionaries","SpellingDictionariesPath","SpellingOptions","Sphere","SphereBox","SphereBoxOptions","SpherePoints","SphericalBesselJ","SphericalBesselY","SphericalHankelH1","SphericalHankelH2","SphericalHarmonicY","SphericalPlot3D","SphericalRegion","SphericalShell","SpheroidalEigenvalue","SpheroidalJoiningFactor","SpheroidalPS","SpheroidalPSPrime","SpheroidalQS","SpheroidalQSPrime","SpheroidalRadialFactor","SpheroidalS1","SpheroidalS1Prime","SpheroidalS2","SpheroidalS2Prime","Splice","SplicedDistribution","SplineClosed","SplineDegree","SplineKnots","SplineWeights","Split","SplitBy","SpokenString","SpotLight","Sqrt","SqrtBox","SqrtBoxOptions","Square","SquaredEuclideanDistance","SquareFreeQ","SquareIntersection","SquareMatrixQ","SquareRepeatingElement","SquaresR","SquareSubset","SquareSubsetEqual","SquareSuperset","SquareSupersetEqual","SquareUnion","SquareWave","SSSTriangle","StabilityMargins","StabilityMarginsStyle","StableDistribution","Stack","StackBegin","StackComplete","StackedDateListPlot","StackedListPlot","StackInhibit","StadiumShape","StandardAtmosphereData","StandardDeviation","StandardDeviationFilter","StandardForm","Standardize","Standardized","StandardOceanData","StandbyDistribution","Star","StarClusterData","StarData","StarGraph","StartAsynchronousTask","StartExternalSession","StartingStepSize","StartOfLine","StartOfString","StartProcess","StartScheduledTask","StartupSound","StartWebSession","StateDimensions","StateFeedbackGains","StateOutputEstimator","StateResponse","StateSpaceModel","StateSpaceRealization","StateSpaceTransform","StateTransformationLinearize","StationaryDistribution","StationaryWaveletPacketTransform","StationaryWaveletTransform","StatusArea","StatusCentrality","StepMonitor","StereochemistryElements","StieltjesGamma","StippleShading","StirlingS1","StirlingS2","StopAsynchronousTask","StoppingPowerData","StopScheduledTask","StrataVariables","StratonovichProcess","StraussHardcorePointProcess","StraussPointProcess","StreamColorFunction","StreamColorFunctionScaling","StreamDensityPlot","StreamMarkers","StreamPlot","StreamPlot3D","StreamPoints","StreamPosition","Streams","StreamScale","StreamStyle","StrictInequalities","String","StringBreak","StringByteCount","StringCases","StringContainsQ","StringCount","StringDelete","StringDrop","StringEndsQ","StringExpression","StringExtract","StringForm","StringFormat","StringFormatQ","StringFreeQ","StringInsert","StringJoin","StringLength","StringMatchQ","StringPadLeft","StringPadRight","StringPart","StringPartition","StringPosition","StringQ","StringRepeat","StringReplace","StringReplaceList","StringReplacePart","StringReverse","StringRiffle","StringRotateLeft","StringRotateRight","StringSkeleton","StringSplit","StringStartsQ","StringTake","StringTakeDrop","StringTemplate","StringToByteArray","StringToStream","StringTrim","StripBoxes","StripOnInput","StripStyleOnPaste","StripWrapperBoxes","StrokeForm","Struckthrough","StructuralImportance","StructuredArray","StructuredArrayHeadQ","StructuredSelection","StruveH","StruveL","Stub","StudentTDistribution","Style","StyleBox","StyleBoxAutoDelete","StyleData","StyleDefinitions","StyleForm","StyleHints","StyleKeyMapping","StyleMenuListing","StyleNameDialogSettings","StyleNames","StylePrint","StyleSheetPath","Subdivide","Subfactorial","Subgraph","SubMinus","SubPlus","SubresultantPolynomialRemainders","SubresultantPolynomials","Subresultants","Subscript","SubscriptBox","SubscriptBoxOptions","Subscripted","Subsequences","Subset","SubsetCases","SubsetCount","SubsetEqual","SubsetMap","SubsetPosition","SubsetQ","SubsetReplace","Subsets","SubStar","SubstitutionSystem","Subsuperscript","SubsuperscriptBox","SubsuperscriptBoxOptions","SubtitleEncoding","SubtitleTrackSelection","Subtract","SubtractFrom","SubtractSides","SubValues","Succeeds","SucceedsEqual","SucceedsSlantEqual","SucceedsTilde","Success","SuchThat","Sum","SumConvergence","SummationLayer","Sunday","SunPosition","Sunrise","Sunset","SuperDagger","SuperMinus","SupernovaData","SuperPlus","Superscript","SuperscriptBox","SuperscriptBoxOptions","Superset","SupersetEqual","SuperStar","Surd","SurdForm","SurfaceAppearance","SurfaceArea","SurfaceColor","SurfaceData","SurfaceGraphics","SurvivalDistribution","SurvivalFunction","SurvivalModel","SurvivalModelFit","SuspendPacket","SuzukiDistribution","SuzukiGroupSuz","SwatchLegend","Switch","Symbol","SymbolName","SymletWavelet","Symmetric","SymmetricDifference","SymmetricGroup","SymmetricKey","SymmetricMatrixQ","SymmetricPolynomial","SymmetricReduction","Symmetrize","SymmetrizedArray","SymmetrizedArrayRules","SymmetrizedDependentComponents","SymmetrizedIndependentComponents","SymmetrizedReplacePart","SynchronousInitialization","SynchronousUpdating","Synonyms","Syntax","SyntaxForm","SyntaxInformation","SyntaxLength","SyntaxPacket","SyntaxQ","SynthesizeMissingValues","SystemCredential","SystemCredentialData","SystemCredentialKey","SystemCredentialKeys","SystemCredentialStoreObject","SystemDialogInput","SystemException","SystemGet","SystemHelpPath","SystemInformation","SystemInformationData","SystemInstall","SystemModel","SystemModeler","SystemModelExamples","SystemModelLinearize","SystemModelMeasurements","SystemModelParametricSimulate","SystemModelPlot","SystemModelProgressReporting","SystemModelReliability","SystemModels","SystemModelSimulate","SystemModelSimulateSensitivity","SystemModelSimulationData","SystemOpen","SystemOptions","SystemProcessData","SystemProcesses","SystemsConnectionsModel","SystemsModelControllerData","SystemsModelDelay","SystemsModelDelayApproximate","SystemsModelDelete","SystemsModelDimensions","SystemsModelExtract","SystemsModelFeedbackConnect","SystemsModelLabels","SystemsModelLinearity","SystemsModelMerge","SystemsModelOrder","SystemsModelParallelConnect","SystemsModelSeriesConnect","SystemsModelStateFeedbackConnect","SystemsModelVectorRelativeOrders","SystemStub","SystemTest","Tab","TabFilling","Table","TableAlignments","TableDepth","TableDirections","TableForm","TableHeadings","TableSpacing","TableView","TableViewBox","TableViewBoxAlignment","TableViewBoxBackground","TableViewBoxHeaders","TableViewBoxItemSize","TableViewBoxItemStyle","TableViewBoxOptions","TabSpacings","TabView","TabViewBox","TabViewBoxOptions","TagBox","TagBoxNote","TagBoxOptions","TaggingRules","TagSet","TagSetDelayed","TagStyle","TagUnset","Take","TakeDrop","TakeLargest","TakeLargestBy","TakeList","TakeSmallest","TakeSmallestBy","TakeWhile","Tally","Tan","Tanh","TargetDevice","TargetFunctions","TargetSystem","TargetUnits","TaskAbort","TaskExecute","TaskObject","TaskRemove","TaskResume","Tasks","TaskSuspend","TaskWait","TautologyQ","TelegraphProcess","TemplateApply","TemplateArgBox","TemplateBox","TemplateBoxOptions","TemplateEvaluate","TemplateExpression","TemplateIf","TemplateObject","TemplateSequence","TemplateSlot","TemplateSlotSequence","TemplateUnevaluated","TemplateVerbatim","TemplateWith","TemporalData","TemporalRegularity","Temporary","TemporaryVariable","TensorContract","TensorDimensions","TensorExpand","TensorProduct","TensorQ","TensorRank","TensorReduce","TensorSymmetry","TensorTranspose","TensorWedge","TerminatedEvaluation","TernaryListPlot","TernaryPlotCorners","TestID","TestReport","TestReportObject","TestResultObject","Tetrahedron","TetrahedronBox","TetrahedronBoxOptions","TeXForm","TeXSave","Text","Text3DBox","Text3DBoxOptions","TextAlignment","TextBand","TextBoundingBox","TextBox","TextCases","TextCell","TextClipboardType","TextContents","TextData","TextElement","TextForm","TextGrid","TextJustification","TextLine","TextPacket","TextParagraph","TextPosition","TextRecognize","TextSearch","TextSearchReport","TextSentences","TextString","TextStructure","TextStyle","TextTranslation","Texture","TextureCoordinateFunction","TextureCoordinateScaling","TextWords","Therefore","ThermodynamicData","ThermometerGauge","Thick","Thickness","Thin","Thinning","ThisLink","ThomasPointProcess","ThompsonGroupTh","Thread","Threaded","ThreadingLayer","ThreeJSymbol","Threshold","Through","Throw","ThueMorse","Thumbnail","Thursday","TickDirection","TickLabelOrientation","TickLabelPositioning","TickLabels","TickLengths","TickPositions","Ticks","TicksStyle","TideData","Tilde","TildeEqual","TildeFullEqual","TildeTilde","TimeConstrained","TimeConstraint","TimeDirection","TimeFormat","TimeGoal","TimelinePlot","TimeObject","TimeObjectQ","TimeRemaining","Times","TimesBy","TimeSeries","TimeSeriesAggregate","TimeSeriesForecast","TimeSeriesInsert","TimeSeriesInvertibility","TimeSeriesMap","TimeSeriesMapThread","TimeSeriesModel","TimeSeriesModelFit","TimeSeriesResample","TimeSeriesRescale","TimeSeriesShift","TimeSeriesThread","TimeSeriesWindow","TimeSystem","TimeSystemConvert","TimeUsed","TimeValue","TimeWarpingCorrespondence","TimeWarpingDistance","TimeZone","TimeZoneConvert","TimeZoneOffset","Timing","Tiny","TitleGrouping","TitsGroupT","ToBoxes","ToCharacterCode","ToColor","ToContinuousTimeModel","ToDate","Today","ToDiscreteTimeModel","ToEntity","ToeplitzMatrix","ToExpression","ToFileName","Together","Toggle","ToggleFalse","Toggler","TogglerBar","TogglerBox","TogglerBoxOptions","ToHeldExpression","ToInvertibleTimeSeries","TokenWords","Tolerance","ToLowerCase","Tomorrow","ToNumberField","TooBig","Tooltip","TooltipBox","TooltipBoxOptions","TooltipDelay","TooltipStyle","ToonShading","Top","TopHatTransform","ToPolarCoordinates","TopologicalSort","ToRadicals","ToRawPointer","ToRules","Torus","TorusGraph","ToSphericalCoordinates","ToString","Total","TotalHeight","TotalLayer","TotalVariationFilter","TotalWidth","TouchPosition","TouchscreenAutoZoom","TouchscreenControlPlacement","ToUpperCase","TourVideo","Tr","Trace","TraceAbove","TraceAction","TraceBackward","TraceDepth","TraceDialog","TraceForward","TraceInternal","TraceLevel","TraceOff","TraceOn","TraceOriginal","TracePrint","TraceScan","TrackCellChangeTimes","TrackedSymbols","TrackingFunction","TracyWidomDistribution","TradingChart","TraditionalForm","TraditionalFunctionNotation","TraditionalNotation","TraditionalOrder","TrainImageContentDetector","TrainingProgressCheckpointing","TrainingProgressFunction","TrainingProgressMeasurements","TrainingProgressReporting","TrainingStoppingCriterion","TrainingUpdateSchedule","TrainTextContentDetector","TransferFunctionCancel","TransferFunctionExpand","TransferFunctionFactor","TransferFunctionModel","TransferFunctionPoles","TransferFunctionTransform","TransferFunctionZeros","TransformationClass","TransformationFunction","TransformationFunctions","TransformationMatrix","TransformedDistribution","TransformedField","TransformedProcess","TransformedRegion","TransitionDirection","TransitionDuration","TransitionEffect","TransitiveClosureGraph","TransitiveReductionGraph","Translate","TranslationOptions","TranslationTransform","Transliterate","Transparent","TransparentColor","Transpose","TransposeLayer","TrapEnterKey","TrapSelection","TravelDirections","TravelDirectionsData","TravelDistance","TravelDistanceList","TravelMethod","TravelTime","Tree","TreeCases","TreeChildren","TreeCount","TreeData","TreeDelete","TreeDepth","TreeElementCoordinates","TreeElementLabel","TreeElementLabelFunction","TreeElementLabelStyle","TreeElementShape","TreeElementShapeFunction","TreeElementSize","TreeElementSizeFunction","TreeElementStyle","TreeElementStyleFunction","TreeExpression","TreeExtract","TreeFold","TreeForm","TreeGraph","TreeGraphQ","TreeInsert","TreeLayout","TreeLeafCount","TreeLeafQ","TreeLeaves","TreeLevel","TreeMap","TreeMapAt","TreeOutline","TreePlot","TreePosition","TreeQ","TreeReplacePart","TreeRules","TreeScan","TreeSelect","TreeSize","TreeTraversalOrder","TrendStyle","Triangle","TriangleCenter","TriangleConstruct","TriangleMeasurement","TriangleWave","TriangularDistribution","TriangulateMesh","Trig","TrigExpand","TrigFactor","TrigFactorList","Trigger","TrigReduce","TrigToExp","TrimmedMean","TrimmedVariance","TropicalStormData","True","TrueQ","TruncatedDistribution","TruncatedPolyhedron","TsallisQExponentialDistribution","TsallisQGaussianDistribution","TTest","Tube","TubeBezierCurveBox","TubeBezierCurveBoxOptions","TubeBox","TubeBoxOptions","TubeBSplineCurveBox","TubeBSplineCurveBoxOptions","Tuesday","TukeyLambdaDistribution","TukeyWindow","TunnelData","Tuples","TuranGraph","TuringMachine","TuttePolynomial","TwoWayRule","Typed","TypeDeclaration","TypeEvaluate","TypeHint","TypeOf","TypeSpecifier","UnateQ","Uncompress","UnconstrainedParameters","Undefined","UnderBar","Underflow","Underlined","Underoverscript","UnderoverscriptBox","UnderoverscriptBoxOptions","Underscript","UnderscriptBox","UnderscriptBoxOptions","UnderseaFeatureData","UndirectedEdge","UndirectedGraph","UndirectedGraphQ","UndoOptions","UndoTrackedVariables","Unequal","UnequalTo","Unevaluated","UniformDistribution","UniformGraphDistribution","UniformPolyhedron","UniformSumDistribution","Uninstall","Union","UnionedEntityClass","UnionPlus","Unique","UniqueElements","UnitaryMatrixQ","UnitBox","UnitConvert","UnitDimensions","Unitize","UnitRootTest","UnitSimplify","UnitStep","UnitSystem","UnitTriangle","UnitVector","UnitVectorLayer","UnityDimensions","UniverseModelData","UniversityData","UnixTime","UnlabeledTree","UnmanageObject","Unprotect","UnregisterExternalEvaluator","UnsameQ","UnsavedVariables","Unset","UnsetShared","Until","UntrackedVariables","Up","UpArrow","UpArrowBar","UpArrowDownArrow","Update","UpdateDynamicObjects","UpdateDynamicObjectsSynchronous","UpdateInterval","UpdatePacletSites","UpdateSearchIndex","UpDownArrow","UpEquilibrium","UpperCaseQ","UpperLeftArrow","UpperRightArrow","UpperTriangularize","UpperTriangularMatrix","UpperTriangularMatrixQ","Upsample","UpSet","UpSetDelayed","UpTee","UpTeeArrow","UpTo","UpValues","URL","URLBuild","URLDecode","URLDispatcher","URLDownload","URLDownloadSubmit","URLEncode","URLExecute","URLExpand","URLFetch","URLFetchAsynchronous","URLParse","URLQueryDecode","URLQueryEncode","URLRead","URLResponseTime","URLSave","URLSaveAsynchronous","URLShorten","URLSubmit","UseEmbeddedLibrary","UseGraphicsRange","UserDefinedWavelet","Using","UsingFrontEnd","UtilityFunction","V2Get","ValenceErrorHandling","ValenceFilling","ValidationLength","ValidationSet","ValueBox","ValueBoxOptions","ValueDimensions","ValueForm","ValuePreprocessingFunction","ValueQ","Values","ValuesData","VandermondeMatrix","Variables","Variance","VarianceEquivalenceTest","VarianceEstimatorFunction","VarianceGammaDistribution","VarianceGammaPointProcess","VarianceTest","VariogramFunction","VariogramModel","VectorAngle","VectorAround","VectorAspectRatio","VectorColorFunction","VectorColorFunctionScaling","VectorDensityPlot","VectorDisplacementPlot","VectorDisplacementPlot3D","VectorGlyphData","VectorGreater","VectorGreaterEqual","VectorLess","VectorLessEqual","VectorMarkers","VectorPlot","VectorPlot3D","VectorPoints","VectorQ","VectorRange","Vectors","VectorScale","VectorScaling","VectorSizes","VectorStyle","Vee","Verbatim","Verbose","VerificationTest","VerifyConvergence","VerifyDerivedKey","VerifyDigitalSignature","VerifyFileSignature","VerifyInterpretation","VerifySecurityCertificates","VerifySolutions","VerifyTestAssumptions","VersionedPreferences","VertexAdd","VertexCapacity","VertexChromaticNumber","VertexColors","VertexComponent","VertexConnectivity","VertexContract","VertexCoordinateRules","VertexCoordinates","VertexCorrelationSimilarity","VertexCosineSimilarity","VertexCount","VertexCoverQ","VertexDataCoordinates","VertexDegree","VertexDelete","VertexDiceSimilarity","VertexEccentricity","VertexInComponent","VertexInComponentGraph","VertexInDegree","VertexIndex","VertexJaccardSimilarity","VertexLabeling","VertexLabels","VertexLabelStyle","VertexList","VertexNormals","VertexOutComponent","VertexOutComponentGraph","VertexOutDegree","VertexQ","VertexRenderingFunction","VertexReplace","VertexShape","VertexShapeFunction","VertexSize","VertexStyle","VertexTextureCoordinates","VertexTransitiveGraphQ","VertexWeight","VertexWeightedGraphQ","Vertical","VerticalBar","VerticalForm","VerticalGauge","VerticalSeparator","VerticalSlider","VerticalTilde","Video","VideoCapture","VideoCombine","VideoDelete","VideoEncoding","VideoExtractFrames","VideoFrameList","VideoFrameMap","VideoGenerator","VideoInsert","VideoIntervals","VideoJoin","VideoMap","VideoMapList","VideoMapTimeSeries","VideoPadding","VideoPause","VideoPlay","VideoQ","VideoRecord","VideoReplace","VideoScreenCapture","VideoSplit","VideoStop","VideoStream","VideoStreams","VideoTimeStretch","VideoTrackSelection","VideoTranscode","VideoTransparency","VideoTrim","ViewAngle","ViewCenter","ViewMatrix","ViewPoint","ViewPointSelectorSettings","ViewPort","ViewProjection","ViewRange","ViewVector","ViewVertical","VirtualGroupData","Visible","VisibleCell","VoiceStyleData","VoigtDistribution","VolcanoData","Volume","VonMisesDistribution","VoronoiMesh","WaitAll","WaitAsynchronousTask","WaitNext","WaitUntil","WakebyDistribution","WalleniusHypergeometricDistribution","WaringYuleDistribution","WarpingCorrespondence","WarpingDistance","WatershedComponents","WatsonUSquareTest","WattsStrogatzGraphDistribution","WaveletBestBasis","WaveletFilterCoefficients","WaveletImagePlot","WaveletListPlot","WaveletMapIndexed","WaveletMatrixPlot","WaveletPhi","WaveletPsi","WaveletScale","WaveletScalogram","WaveletThreshold","WavePDEComponent","WeaklyConnectedComponents","WeaklyConnectedGraphComponents","WeaklyConnectedGraphQ","WeakStationarity","WeatherData","WeatherForecastData","WebAudioSearch","WebColumn","WebElementObject","WeberE","WebExecute","WebImage","WebImageSearch","WebItem","WebPageMetaInformation","WebRow","WebSearch","WebSessionObject","WebSessions","WebWindowObject","Wedge","Wednesday","WeibullDistribution","WeierstrassE1","WeierstrassE2","WeierstrassE3","WeierstrassEta1","WeierstrassEta2","WeierstrassEta3","WeierstrassHalfPeriods","WeierstrassHalfPeriodW1","WeierstrassHalfPeriodW2","WeierstrassHalfPeriodW3","WeierstrassInvariantG2","WeierstrassInvariantG3","WeierstrassInvariants","WeierstrassP","WeierstrassPPrime","WeierstrassSigma","WeierstrassZeta","WeightedAdjacencyGraph","WeightedAdjacencyMatrix","WeightedData","WeightedGraphQ","Weights","WelchWindow","WheelGraph","WhenEvent","Which","While","White","WhiteNoiseProcess","WhitePoint","Whitespace","WhitespaceCharacter","WhittakerM","WhittakerW","WholeCellGroupOpener","WienerFilter","WienerProcess","WignerD","WignerSemicircleDistribution","WikidataData","WikidataSearch","WikipediaData","WikipediaSearch","WilksW","WilksWTest","WindDirectionData","WindingCount","WindingPolygon","WindowClickSelect","WindowElements","WindowFloating","WindowFrame","WindowFrameElements","WindowMargins","WindowMovable","WindowOpacity","WindowPersistentStyles","WindowSelected","WindowSize","WindowStatusArea","WindowTitle","WindowToolbars","WindowWidth","WindSpeedData","WindVectorData","WinsorizedMean","WinsorizedVariance","WishartMatrixDistribution","With","WithCleanup","WithLock","WolframAlpha","WolframAlphaDate","WolframAlphaQuantity","WolframAlphaResult","WolframCloudSettings","WolframLanguageData","Word","WordBoundary","WordCharacter","WordCloud","WordCount","WordCounts","WordData","WordDefinition","WordFrequency","WordFrequencyData","WordList","WordOrientation","WordSearch","WordSelectionFunction","WordSeparators","WordSpacings","WordStem","WordTranslation","WorkingPrecision","WrapAround","Write","WriteLine","WriteString","Wronskian","XMLElement","XMLObject","XMLTemplate","Xnor","Xor","XYZColor","Yellow","Yesterday","YuleDissimilarity","ZernikeR","ZeroSymmetric","ZeroTest","ZeroWidthTimes","Zeta","ZetaZero","ZIPCodeData","ZipfDistribution","ZoomCenter","ZoomFactor","ZTest","ZTransform","$Aborted","$ActivationGroupID","$ActivationKey","$ActivationUserRegistered","$AddOnsDirectory","$AllowDataUpdates","$AllowExternalChannelFunctions","$AllowInternet","$AssertFunction","$Assumptions","$AsynchronousTask","$AudioDecoders","$AudioEncoders","$AudioInputDevices","$AudioOutputDevices","$BaseDirectory","$BasePacletsDirectory","$BatchInput","$BatchOutput","$BlockchainBase","$BoxForms","$ByteOrdering","$CacheBaseDirectory","$Canceled","$ChannelBase","$CharacterEncoding","$CharacterEncodings","$CloudAccountName","$CloudBase","$CloudConnected","$CloudConnection","$CloudCreditsAvailable","$CloudEvaluation","$CloudExpressionBase","$CloudObjectNameFormat","$CloudObjectURLType","$CloudRootDirectory","$CloudSymbolBase","$CloudUserID","$CloudUserUUID","$CloudVersion","$CloudVersionNumber","$CloudWolframEngineVersionNumber","$CommandLine","$CompilationTarget","$CompilerEnvironment","$ConditionHold","$ConfiguredKernels","$Context","$ContextAliases","$ContextPath","$ControlActiveSetting","$Cookies","$CookieStore","$CreationDate","$CryptographicEllipticCurveNames","$CurrentLink","$CurrentTask","$CurrentWebSession","$DataStructures","$DateStringFormat","$DefaultAudioInputDevice","$DefaultAudioOutputDevice","$DefaultFont","$DefaultFrontEnd","$DefaultImagingDevice","$DefaultKernels","$DefaultLocalBase","$DefaultLocalKernel","$DefaultMailbox","$DefaultNetworkInterface","$DefaultPath","$DefaultProxyRules","$DefaultRemoteBatchSubmissionEnvironment","$DefaultRemoteKernel","$DefaultSystemCredentialStore","$Display","$DisplayFunction","$DistributedContexts","$DynamicEvaluation","$Echo","$EmbedCodeEnvironments","$EmbeddableServices","$EntityStores","$Epilog","$EvaluationCloudBase","$EvaluationCloudObject","$EvaluationEnvironment","$ExportFormats","$ExternalIdentifierTypes","$ExternalStorageBase","$Failed","$FinancialDataSource","$FontFamilies","$FormatType","$FrontEnd","$FrontEndSession","$GeneratedAssetLocation","$GeoEntityTypes","$GeoLocation","$GeoLocationCity","$GeoLocationCountry","$GeoLocationPrecision","$GeoLocationSource","$HistoryLength","$HomeDirectory","$HTMLExportRules","$HTTPCookies","$HTTPRequest","$IgnoreEOF","$ImageFormattingWidth","$ImageResolution","$ImagingDevice","$ImagingDevices","$ImportFormats","$IncomingMailSettings","$InitialDirectory","$Initialization","$InitializationContexts","$Input","$InputFileName","$InputStreamMethods","$Inspector","$InstallationDate","$InstallationDirectory","$InterfaceEnvironment","$InterpreterTypes","$IterationLimit","$KernelCount","$KernelID","$Language","$LaunchDirectory","$LibraryPath","$LicenseExpirationDate","$LicenseID","$LicenseProcesses","$LicenseServer","$LicenseSubprocesses","$LicenseType","$Line","$Linked","$LinkSupported","$LoadedFiles","$LocalBase","$LocalSymbolBase","$MachineAddresses","$MachineDomain","$MachineDomains","$MachineEpsilon","$MachineID","$MachineName","$MachinePrecision","$MachineType","$MaxDisplayedChildren","$MaxExtraPrecision","$MaxLicenseProcesses","$MaxLicenseSubprocesses","$MaxMachineNumber","$MaxNumber","$MaxPiecewiseCases","$MaxPrecision","$MaxRootDegree","$MessageGroups","$MessageList","$MessagePrePrint","$Messages","$MinMachineNumber","$MinNumber","$MinorReleaseNumber","$MinPrecision","$MobilePhone","$ModuleNumber","$NetworkConnected","$NetworkInterfaces","$NetworkLicense","$NewMessage","$NewSymbol","$NotebookInlineStorageLimit","$Notebooks","$NoValue","$NumberMarks","$Off","$OperatingSystem","$Output","$OutputForms","$OutputSizeLimit","$OutputStreamMethods","$Packages","$ParentLink","$ParentProcessID","$PasswordFile","$PatchLevelID","$Path","$PathnameSeparator","$PerformanceGoal","$Permissions","$PermissionsGroupBase","$PersistenceBase","$PersistencePath","$PipeSupported","$PlotTheme","$Post","$Pre","$PreferencesDirectory","$PreInitialization","$PrePrint","$PreRead","$PrintForms","$PrintLiteral","$Printout3DPreviewer","$ProcessID","$ProcessorCount","$ProcessorType","$ProductInformation","$ProgramName","$ProgressReporting","$PublisherID","$RandomGeneratorState","$RandomState","$RecursionLimit","$RegisteredDeviceClasses","$RegisteredUserName","$ReleaseNumber","$RequesterAddress","$RequesterCloudUserID","$RequesterCloudUserUUID","$RequesterWolframID","$RequesterWolframUUID","$ResourceSystemBase","$ResourceSystemPath","$RootDirectory","$ScheduledTask","$ScriptCommandLine","$ScriptInputString","$SecuredAuthenticationKeyTokens","$ServiceCreditsAvailable","$Services","$SessionID","$SetParentLink","$SharedFunctions","$SharedVariables","$SoundDisplay","$SoundDisplayFunction","$SourceLink","$SSHAuthentication","$SubtitleDecoders","$SubtitleEncoders","$SummaryBoxDataSizeLimit","$SuppressInputFormHeads","$SynchronousEvaluation","$SyntaxHandler","$System","$SystemCharacterEncoding","$SystemCredentialStore","$SystemID","$SystemMemory","$SystemShell","$SystemTimeZone","$SystemWordLength","$TargetSystems","$TemplatePath","$TemporaryDirectory","$TemporaryPrefix","$TestFileName","$TextStyle","$TimedOut","$TimeUnit","$TimeZone","$TimeZoneEntity","$TopDirectory","$TraceOff","$TraceOn","$TracePattern","$TracePostAction","$TracePreAction","$UnitSystem","$Urgent","$UserAddOnsDirectory","$UserAgentLanguages","$UserAgentMachine","$UserAgentName","$UserAgentOperatingSystem","$UserAgentString","$UserAgentVersion","$UserBaseDirectory","$UserBasePacletsDirectory","$UserDocumentsDirectory","$Username","$UserName","$UserURLBase","$Version","$VersionNumber","$VideoDecoders","$VideoEncoders","$VoiceStyles","$WolframDocumentsDirectory","$WolframID","$WolframUUID"];function t(n){const r=n.regex,a=/([2-9]|[1-2]\d|[3][0-5])\^\^/,o=/(\w*\.\w+|\w+\.\w*|\w+)/,l=/(\d*\.\d+|\d+\.\d*|\d+)/,u=r.either(r.concat(a,o),l),c=/``[+-]?(\d*\.\d+|\d+\.\d*|\d+)/,d=/`([+-]?(\d*\.\d+|\d+\.\d*|\d+))?/,S=r.either(c,d),_=/\*\^[+-]?\d+/,T={className:"number",relevance:0,begin:r.concat(u,r.optional(S),r.optional(_))},y=/[a-zA-Z$][a-zA-Z0-9$]*/,M=new Set(e),v={variants:[{className:"builtin-symbol",begin:y,"on:begin":(h,k)=>{M.has(h[0])||k.ignoreMatch()}},{className:"symbol",relevance:0,begin:y}]},A={className:"named-character",begin:/\\\[[$a-zA-Z][$a-zA-Z0-9]+\]/},O={className:"operator",relevance:0,begin:/[+\-*/,;.:@~=><&|_`'^?!%]+/},N={className:"pattern",relevance:0,begin:/([a-zA-Z$][a-zA-Z0-9$]*)?_+([a-zA-Z$][a-zA-Z0-9$]*)?/},R={className:"slot",relevance:0,begin:/#[a-zA-Z$][a-zA-Z0-9$]*|#+[0-9]?/},L={className:"brace",relevance:0,begin:/[[\](){}]/},I={className:"message-name",relevance:0,begin:r.concat("::",y)};return{name:"Mathematica",aliases:["mma","wl"],classNameAliases:{brace:"punctuation",pattern:"type",slot:"type",symbol:"variable","named-character":"variable","builtin-symbol":"built_in","message-name":"string"},contains:[n.COMMENT(/\(\*/,/\*\)/,{contains:["self"]}),N,R,I,v,A,n.QUOTE_STRING_MODE,T,O,L]}}return pm=t,pm}var _m,dy;function vk(){if(dy)return _m;dy=1;function e(t){const n="('|\\.')+",r={relevance:0,contains:[{begin:n}]};return{name:"Matlab",keywords:{keyword:"arguments break case catch classdef continue else elseif end enumeration events for function global if methods otherwise parfor persistent properties return spmd switch try while",built_in:"sin sind sinh asin asind asinh cos cosd cosh acos acosd acosh tan tand tanh atan atand atan2 atanh sec secd sech asec asecd asech csc cscd csch acsc acscd acsch cot cotd coth acot acotd acoth hypot exp expm1 log log1p log10 log2 pow2 realpow reallog realsqrt sqrt nthroot nextpow2 abs angle complex conj imag real unwrap isreal cplxpair fix floor ceil round mod rem sign airy besselj bessely besselh besseli besselk beta betainc betaln ellipj ellipke erf erfc erfcx erfinv expint gamma gammainc gammaln psi legendre cross dot factor isprime primes gcd lcm rat rats perms nchoosek factorial cart2sph cart2pol pol2cart sph2cart hsv2rgb rgb2hsv zeros ones eye repmat rand randn linspace logspace freqspace meshgrid accumarray size length ndims numel disp isempty isequal isequalwithequalnans cat reshape diag blkdiag tril triu fliplr flipud flipdim rot90 find sub2ind ind2sub bsxfun ndgrid permute ipermute shiftdim circshift squeeze isscalar isvector ans eps realmax realmin pi i|0 inf nan isnan isinf isfinite j|0 why compan gallery hadamard hankel hilb invhilb magic pascal rosser toeplitz vander wilkinson max min nanmax nanmin mean nanmean type table readtable writetable sortrows sort figure plot plot3 scatter scatter3 cellfun legend intersect ismember procrustes hold num2cell "},illegal:'(//|"|#|/\\*|\\s+/\\w+)',contains:[{className:"function",beginKeywords:"function",end:"$",contains:[t.UNDERSCORE_TITLE_MODE,{className:"params",variants:[{begin:"\\(",end:"\\)"},{begin:"\\[",end:"\\]"}]}]},{className:"built_in",begin:/true|false/,relevance:0,starts:r},{begin:"[a-zA-Z][a-zA-Z_0-9]*"+n,relevance:0},{className:"number",begin:t.C_NUMBER_RE,relevance:0,starts:r},{className:"string",begin:"'",end:"'",contains:[{begin:"''"}]},{begin:/\]|\}|\)/,relevance:0,starts:r},{className:"string",begin:'"',end:'"',contains:[{begin:'""'}],starts:r},t.COMMENT("^\\s*%\\{\\s*$","^\\s*%\\}\\s*$"),t.COMMENT("%","$")]}}return _m=e,_m}var mm,fy;function Tk(){if(fy)return mm;fy=1;function e(t){return{name:"Maxima",keywords:{$pattern:"[A-Za-z_%][0-9A-Za-z_%]*",keyword:"if then else elseif for thru do while unless step in and or not",literal:"true false unknown inf minf ind und %e %i %pi %phi %gamma",built_in:" abasep abs absint absolute_real_time acos acosh acot acoth acsc acsch activate addcol add_edge add_edges addmatrices addrow add_vertex add_vertices adjacency_matrix adjoin adjoint af agd airy airy_ai airy_bi airy_dai airy_dbi algsys alg_type alias allroots alphacharp alphanumericp amortization %and annuity_fv annuity_pv antid antidiff AntiDifference append appendfile apply apply1 apply2 applyb1 apropos args arit_amortization arithmetic arithsum array arrayapply arrayinfo arraymake arraysetapply ascii asec asech asin asinh askinteger asksign assoc assoc_legendre_p assoc_legendre_q assume assume_external_byte_order asympa at atan atan2 atanh atensimp atom atvalue augcoefmatrix augmented_lagrangian_method av average_degree backtrace bars barsplot barsplot_description base64 base64_decode bashindices batch batchload bc2 bdvac belln benefit_cost bern bernpoly bernstein_approx bernstein_expand bernstein_poly bessel bessel_i bessel_j bessel_k bessel_simplify bessel_y beta beta_incomplete beta_incomplete_generalized beta_incomplete_regularized bezout bfallroots bffac bf_find_root bf_fmin_cobyla bfhzeta bfloat bfloatp bfpsi bfpsi0 bfzeta biconnected_components bimetric binomial bipartition block blockmatrixp bode_gain bode_phase bothcoef box boxplot boxplot_description break bug_report build_info|10 buildq build_sample burn cabs canform canten cardinality carg cartan cartesian_product catch cauchy_matrix cbffac cdf_bernoulli cdf_beta cdf_binomial cdf_cauchy cdf_chi2 cdf_continuous_uniform cdf_discrete_uniform cdf_exp cdf_f cdf_gamma cdf_general_finite_discrete cdf_geometric cdf_gumbel cdf_hypergeometric cdf_laplace cdf_logistic cdf_lognormal cdf_negative_binomial cdf_noncentral_chi2 cdf_noncentral_student_t cdf_normal cdf_pareto cdf_poisson cdf_rank_sum cdf_rayleigh cdf_signed_rank cdf_student_t cdf_weibull cdisplay ceiling central_moment cequal cequalignore cf cfdisrep cfexpand cgeodesic cgreaterp cgreaterpignore changename changevar chaosgame charat charfun charfun2 charlist charp charpoly chdir chebyshev_t chebyshev_u checkdiv check_overlaps chinese cholesky christof chromatic_index chromatic_number cint circulant_graph clear_edge_weight clear_rules clear_vertex_label clebsch_gordan clebsch_graph clessp clesspignore close closefile cmetric coeff coefmatrix cograd col collapse collectterms columnop columnspace columnswap columnvector combination combine comp2pui compare compfile compile compile_file complement_graph complete_bipartite_graph complete_graph complex_number_p components compose_functions concan concat conjugate conmetderiv connected_components connect_vertices cons constant constantp constituent constvalue cont2part content continuous_freq contortion contour_plot contract contract_edge contragrad contrib_ode convert coord copy copy_file copy_graph copylist copymatrix cor cos cosh cot coth cov cov1 covdiff covect covers crc24sum create_graph create_list csc csch csetup cspline ctaylor ct_coordsys ctransform ctranspose cube_graph cuboctahedron_graph cunlisp cv cycle_digraph cycle_graph cylindrical days360 dblint deactivate declare declare_constvalue declare_dimensions declare_fundamental_dimensions declare_fundamental_units declare_qty declare_translated declare_unit_conversion declare_units declare_weights decsym defcon define define_alt_display define_variable defint defmatch defrule defstruct deftaylor degree_sequence del delete deleten delta demo demoivre denom depends derivdegree derivlist describe desolve determinant dfloat dgauss_a dgauss_b dgeev dgemm dgeqrf dgesv dgesvd diag diagmatrix diag_matrix diagmatrixp diameter diff digitcharp dimacs_export dimacs_import dimension dimensionless dimensions dimensions_as_list direct directory discrete_freq disjoin disjointp disolate disp dispcon dispform dispfun dispJordan display disprule dispterms distrib divide divisors divsum dkummer_m dkummer_u dlange dodecahedron_graph dotproduct dotsimp dpart draw draw2d draw3d drawdf draw_file draw_graph dscalar echelon edge_coloring edge_connectivity edges eigens_by_jacobi eigenvalues eigenvectors eighth einstein eivals eivects elapsed_real_time elapsed_run_time ele2comp ele2polynome ele2pui elem elementp elevation_grid elim elim_allbut eliminate eliminate_using ellipse elliptic_e elliptic_ec elliptic_eu elliptic_f elliptic_kc elliptic_pi ematrix empty_graph emptyp endcons entermatrix entertensor entier equal equalp equiv_classes erf erfc erf_generalized erfi errcatch error errormsg errors euler ev eval_string evenp every evolution evolution2d evundiff example exp expand expandwrt expandwrt_factored expint expintegral_chi expintegral_ci expintegral_e expintegral_e1 expintegral_ei expintegral_e_simplify expintegral_li expintegral_shi expintegral_si explicit explose exponentialize express expt exsec extdiff extract_linear_equations extremal_subset ezgcd %f f90 facsum factcomb factor factorfacsum factorial factorout factorsum facts fast_central_elements fast_linsolve fasttimes featurep fernfale fft fib fibtophi fifth filename_merge file_search file_type fillarray findde find_root find_root_abs find_root_error find_root_rel first fix flatten flength float floatnump floor flower_snark flush flush1deriv flushd flushnd flush_output fmin_cobyla forget fortran fourcos fourexpand fourier fourier_elim fourint fourintcos fourintsin foursimp foursin fourth fposition frame_bracket freeof freshline fresnel_c fresnel_s from_adjacency_matrix frucht_graph full_listify fullmap fullmapl fullratsimp fullratsubst fullsetify funcsolve fundamental_dimensions fundamental_units fundef funmake funp fv g0 g1 gamma gamma_greek gamma_incomplete gamma_incomplete_generalized gamma_incomplete_regularized gauss gauss_a gauss_b gaussprob gcd gcdex gcdivide gcfac gcfactor gd generalized_lambert_w genfact gen_laguerre genmatrix gensym geo_amortization geo_annuity_fv geo_annuity_pv geomap geometric geometric_mean geosum get getcurrentdirectory get_edge_weight getenv get_lu_factors get_output_stream_string get_pixel get_plot_option get_tex_environment get_tex_environment_default get_vertex_label gfactor gfactorsum ggf girth global_variances gn gnuplot_close gnuplot_replot gnuplot_reset gnuplot_restart gnuplot_start go Gosper GosperSum gr2d gr3d gradef gramschmidt graph6_decode graph6_encode graph6_export graph6_import graph_center graph_charpoly graph_eigenvalues graph_flow graph_order graph_periphery graph_product graph_size graph_union great_rhombicosidodecahedron_graph great_rhombicuboctahedron_graph grid_graph grind grobner_basis grotzch_graph hamilton_cycle hamilton_path hankel hankel_1 hankel_2 harmonic harmonic_mean hav heawood_graph hermite hessian hgfred hilbertmap hilbert_matrix hipow histogram histogram_description hodge horner hypergeometric i0 i1 %ibes ic1 ic2 ic_convert ichr1 ichr2 icosahedron_graph icosidodecahedron_graph icurvature ident identfor identity idiff idim idummy ieqn %if ifactors iframes ifs igcdex igeodesic_coords ilt image imagpart imetric implicit implicit_derivative implicit_plot indexed_tensor indices induced_subgraph inferencep inference_result infix info_display init_atensor init_ctensor in_neighbors innerproduct inpart inprod inrt integerp integer_partitions integrate intersect intersection intervalp intopois intosum invariant1 invariant2 inverse_fft inverse_jacobi_cd inverse_jacobi_cn inverse_jacobi_cs inverse_jacobi_dc inverse_jacobi_dn inverse_jacobi_ds inverse_jacobi_nc inverse_jacobi_nd inverse_jacobi_ns inverse_jacobi_sc inverse_jacobi_sd inverse_jacobi_sn invert invert_by_adjoint invert_by_lu inv_mod irr is is_biconnected is_bipartite is_connected is_digraph is_edge_in_graph is_graph is_graph_or_digraph ishow is_isomorphic isolate isomorphism is_planar isqrt isreal_p is_sconnected is_tree is_vertex_in_graph items_inference %j j0 j1 jacobi jacobian jacobi_cd jacobi_cn jacobi_cs jacobi_dc jacobi_dn jacobi_ds jacobi_nc jacobi_nd jacobi_ns jacobi_p jacobi_sc jacobi_sd jacobi_sn JF jn join jordan julia julia_set julia_sin %k kdels kdelta kill killcontext kostka kron_delta kronecker_product kummer_m kummer_u kurtosis kurtosis_bernoulli kurtosis_beta kurtosis_binomial kurtosis_chi2 kurtosis_continuous_uniform kurtosis_discrete_uniform kurtosis_exp kurtosis_f kurtosis_gamma kurtosis_general_finite_discrete kurtosis_geometric kurtosis_gumbel kurtosis_hypergeometric kurtosis_laplace kurtosis_logistic kurtosis_lognormal kurtosis_negative_binomial kurtosis_noncentral_chi2 kurtosis_noncentral_student_t kurtosis_normal kurtosis_pareto kurtosis_poisson kurtosis_rayleigh kurtosis_student_t kurtosis_weibull label labels lagrange laguerre lambda lambert_w laplace laplacian_matrix last lbfgs lc2kdt lcharp lc_l lcm lc_u ldefint ldisp ldisplay legendre_p legendre_q leinstein length let letrules letsimp levi_civita lfreeof lgtreillis lhs li liediff limit Lindstedt linear linearinterpol linear_program linear_regression line_graph linsolve listarray list_correlations listify list_matrix_entries list_nc_monomials listoftens listofvars listp lmax lmin load loadfile local locate_matrix_entry log logcontract log_gamma lopow lorentz_gauge lowercasep lpart lratsubst lreduce lriemann lsquares_estimates lsquares_estimates_approximate lsquares_estimates_exact lsquares_mse lsquares_residual_mse lsquares_residuals lsum ltreillis lu_backsub lucas lu_factor %m macroexpand macroexpand1 make_array makebox makefact makegamma make_graph make_level_picture makelist makeOrders make_poly_continent make_poly_country make_polygon make_random_state make_rgb_picture makeset make_string_input_stream make_string_output_stream make_transform mandelbrot mandelbrot_set map mapatom maplist matchdeclare matchfix mat_cond mat_fullunblocker mat_function mathml_display mat_norm matrix matrixmap matrixp matrix_size mattrace mat_trace mat_unblocker max max_clique max_degree max_flow maximize_lp max_independent_set max_matching maybe md5sum mean mean_bernoulli mean_beta mean_binomial mean_chi2 mean_continuous_uniform mean_deviation mean_discrete_uniform mean_exp mean_f mean_gamma mean_general_finite_discrete mean_geometric mean_gumbel mean_hypergeometric mean_laplace mean_logistic mean_lognormal mean_negative_binomial mean_noncentral_chi2 mean_noncentral_student_t mean_normal mean_pareto mean_poisson mean_rayleigh mean_student_t mean_weibull median median_deviation member mesh metricexpandall mgf1_sha1 min min_degree min_edge_cut minfactorial minimalPoly minimize_lp minimum_spanning_tree minor minpack_lsquares minpack_solve min_vertex_cover min_vertex_cut mkdir mnewton mod mode_declare mode_identity ModeMatrix moebius mon2schur mono monomial_dimensions multibernstein_poly multi_display_for_texinfo multi_elem multinomial multinomial_coeff multi_orbit multiplot_mode multi_pui multsym multthru mycielski_graph nary natural_unit nc_degree ncexpt ncharpoly negative_picture neighbors new newcontext newdet new_graph newline newton new_variable next_prime nicedummies niceindices ninth nofix nonarray noncentral_moment nonmetricity nonnegintegerp nonscalarp nonzeroandfreeof notequal nounify nptetrad npv nroots nterms ntermst nthroot nullity nullspace num numbered_boundaries numberp number_to_octets num_distinct_partitions numerval numfactor num_partitions nusum nzeta nzetai nzetar octets_to_number octets_to_oid odd_girth oddp ode2 ode_check odelin oid_to_octets op opena opena_binary openr openr_binary openw openw_binary operatorp opsubst optimize %or orbit orbits ordergreat ordergreatp orderless orderlessp orthogonal_complement orthopoly_recur orthopoly_weight outermap out_neighbors outofpois pade parabolic_cylinder_d parametric parametric_surface parg parGosper parse_string parse_timedate part part2cont partfrac partition partition_set partpol path_digraph path_graph pathname_directory pathname_name pathname_type pdf_bernoulli pdf_beta pdf_binomial pdf_cauchy pdf_chi2 pdf_continuous_uniform pdf_discrete_uniform pdf_exp pdf_f pdf_gamma pdf_general_finite_discrete pdf_geometric pdf_gumbel pdf_hypergeometric pdf_laplace pdf_logistic pdf_lognormal pdf_negative_binomial pdf_noncentral_chi2 pdf_noncentral_student_t pdf_normal pdf_pareto pdf_poisson pdf_rank_sum pdf_rayleigh pdf_signed_rank pdf_student_t pdf_weibull pearson_skewness permanent permut permutation permutations petersen_graph petrov pickapart picture_equalp picturep piechart piechart_description planar_embedding playback plog plot2d plot3d plotdf ploteq plsquares pochhammer points poisdiff poisexpt poisint poismap poisplus poissimp poissubst poistimes poistrim polar polarform polartorect polar_to_xy poly_add poly_buchberger poly_buchberger_criterion poly_colon_ideal poly_content polydecomp poly_depends_p poly_elimination_ideal poly_exact_divide poly_expand poly_expt poly_gcd polygon poly_grobner poly_grobner_equal poly_grobner_member poly_grobner_subsetp poly_ideal_intersection poly_ideal_polysaturation poly_ideal_polysaturation1 poly_ideal_saturation poly_ideal_saturation1 poly_lcm poly_minimization polymod poly_multiply polynome2ele polynomialp poly_normal_form poly_normalize poly_normalize_list poly_polysaturation_extension poly_primitive_part poly_pseudo_divide poly_reduced_grobner poly_reduction poly_saturation_extension poly_s_polynomial poly_subtract polytocompanion pop postfix potential power_mod powerseries powerset prefix prev_prime primep primes principal_components print printf printfile print_graph printpois printprops prodrac product properties propvars psi psubst ptriangularize pui pui2comp pui2ele pui2polynome pui_direct puireduc push put pv qput qrange qty quad_control quad_qag quad_qagi quad_qagp quad_qags quad_qawc quad_qawf quad_qawo quad_qaws quadrilateral quantile quantile_bernoulli quantile_beta quantile_binomial quantile_cauchy quantile_chi2 quantile_continuous_uniform quantile_discrete_uniform quantile_exp quantile_f quantile_gamma quantile_general_finite_discrete quantile_geometric quantile_gumbel quantile_hypergeometric quantile_laplace quantile_logistic quantile_lognormal quantile_negative_binomial quantile_noncentral_chi2 quantile_noncentral_student_t quantile_normal quantile_pareto quantile_poisson quantile_rayleigh quantile_student_t quantile_weibull quartile_skewness quit qunit quotient racah_v racah_w radcan radius random random_bernoulli random_beta random_binomial random_bipartite_graph random_cauchy random_chi2 random_continuous_uniform random_digraph random_discrete_uniform random_exp random_f random_gamma random_general_finite_discrete random_geometric random_graph random_graph1 random_gumbel random_hypergeometric random_laplace random_logistic random_lognormal random_negative_binomial random_network random_noncentral_chi2 random_noncentral_student_t random_normal random_pareto random_permutation random_poisson random_rayleigh random_regular_graph random_student_t random_tournament random_tree random_weibull range rank rat ratcoef ratdenom ratdiff ratdisrep ratexpand ratinterpol rational rationalize ratnumer ratnump ratp ratsimp ratsubst ratvars ratweight read read_array read_binary_array read_binary_list read_binary_matrix readbyte readchar read_hashed_array readline read_list read_matrix read_nested_list readonly read_xpm real_imagpart_to_conjugate realpart realroots rearray rectangle rectform rectform_log_if_constant recttopolar rediff reduce_consts reduce_order region region_boundaries region_boundaries_plus rem remainder remarray rembox remcomps remcon remcoord remfun remfunction remlet remove remove_constvalue remove_dimensions remove_edge remove_fundamental_dimensions remove_fundamental_units remove_plot_option remove_vertex rempart remrule remsym remvalue rename rename_file reset reset_displays residue resolvante resolvante_alternee1 resolvante_bipartite resolvante_diedrale resolvante_klein resolvante_klein3 resolvante_produit_sym resolvante_unitaire resolvante_vierer rest resultant return reveal reverse revert revert2 rgb2level rhs ricci riemann rinvariant risch rk rmdir rncombine romberg room rootscontract round row rowop rowswap rreduce run_testsuite %s save saving scalarp scaled_bessel_i scaled_bessel_i0 scaled_bessel_i1 scalefactors scanmap scatterplot scatterplot_description scene schur2comp sconcat scopy scsimp scurvature sdowncase sec sech second sequal sequalignore set_alt_display setdifference set_draw_defaults set_edge_weight setelmx setequalp setify setp set_partitions set_plot_option set_prompt set_random_state set_tex_environment set_tex_environment_default setunits setup_autoload set_up_dot_simplifications set_vertex_label seventh sexplode sf sha1sum sha256sum shortest_path shortest_weighted_path show showcomps showratvars sierpinskiale sierpinskimap sign signum similaritytransform simp_inequality simplify_sum simplode simpmetderiv simtran sin sinh sinsert sinvertcase sixth skewness skewness_bernoulli skewness_beta skewness_binomial skewness_chi2 skewness_continuous_uniform skewness_discrete_uniform skewness_exp skewness_f skewness_gamma skewness_general_finite_discrete skewness_geometric skewness_gumbel skewness_hypergeometric skewness_laplace skewness_logistic skewness_lognormal skewness_negative_binomial skewness_noncentral_chi2 skewness_noncentral_student_t skewness_normal skewness_pareto skewness_poisson skewness_rayleigh skewness_student_t skewness_weibull slength smake small_rhombicosidodecahedron_graph small_rhombicuboctahedron_graph smax smin smismatch snowmap snub_cube_graph snub_dodecahedron_graph solve solve_rec solve_rec_rat some somrac sort sparse6_decode sparse6_encode sparse6_export sparse6_import specint spherical spherical_bessel_j spherical_bessel_y spherical_hankel1 spherical_hankel2 spherical_harmonic spherical_to_xyz splice split sposition sprint sqfr sqrt sqrtdenest sremove sremovefirst sreverse ssearch ssort sstatus ssubst ssubstfirst staircase standardize standardize_inverse_trig starplot starplot_description status std std1 std_bernoulli std_beta std_binomial std_chi2 std_continuous_uniform std_discrete_uniform std_exp std_f std_gamma std_general_finite_discrete std_geometric std_gumbel std_hypergeometric std_laplace std_logistic std_lognormal std_negative_binomial std_noncentral_chi2 std_noncentral_student_t std_normal std_pareto std_poisson std_rayleigh std_student_t std_weibull stemplot stirling stirling1 stirling2 strim striml strimr string stringout stringp strong_components struve_h struve_l sublis sublist sublist_indices submatrix subsample subset subsetp subst substinpart subst_parallel substpart substring subvar subvarp sum sumcontract summand_to_rec supcase supcontext symbolp symmdifference symmetricp system take_channel take_inference tan tanh taylor taylorinfo taylorp taylor_simplifier taytorat tcl_output tcontract tellrat tellsimp tellsimpafter tentex tenth test_mean test_means_difference test_normality test_proportion test_proportions_difference test_rank_sum test_sign test_signed_rank test_variance test_variance_ratio tex tex1 tex_display texput %th third throw time timedate timer timer_info tldefint tlimit todd_coxeter toeplitz tokens to_lisp topological_sort to_poly to_poly_solve totaldisrep totalfourier totient tpartpol trace tracematrix trace_options transform_sample translate translate_file transpose treefale tree_reduce treillis treinat triangle triangularize trigexpand trigrat trigreduce trigsimp trunc truncate truncated_cube_graph truncated_dodecahedron_graph truncated_icosahedron_graph truncated_tetrahedron_graph tr_warnings_get tube tutte_graph ueivects uforget ultraspherical underlying_graph undiff union unique uniteigenvectors unitp units unit_step unitvector unorder unsum untellrat untimer untrace uppercasep uricci uriemann uvect vandermonde_matrix var var1 var_bernoulli var_beta var_binomial var_chi2 var_continuous_uniform var_discrete_uniform var_exp var_f var_gamma var_general_finite_discrete var_geometric var_gumbel var_hypergeometric var_laplace var_logistic var_lognormal var_negative_binomial var_noncentral_chi2 var_noncentral_student_t var_normal var_pareto var_poisson var_rayleigh var_student_t var_weibull vector vectorpotential vectorsimp verbify vers vertex_coloring vertex_connectivity vertex_degree vertex_distance vertex_eccentricity vertex_in_degree vertex_out_degree vertices vertices_to_cycle vertices_to_path %w weyl wheel_graph wiener_index wigner_3j wigner_6j wigner_9j with_stdout write_binary_data writebyte write_data writefile wronskian xreduce xthru %y Zeilberger zeroequiv zerofor zeromatrix zeromatrixp zeta zgeev zheev zlange zn_add_table zn_carmichael_lambda zn_characteristic_factors zn_determinant zn_factor_generators zn_invert_by_lu zn_log zn_mult_table absboxchar activecontexts adapt_depth additive adim aform algebraic algepsilon algexact aliases allbut all_dotsimp_denoms allocation allsym alphabetic animation antisymmetric arrays askexp assume_pos assume_pos_pred assumescalar asymbol atomgrad atrig1 axes axis_3d axis_bottom axis_left axis_right axis_top azimuth background background_color backsubst berlefact bernstein_explicit besselexpand beta_args_sum_to_integer beta_expand bftorat bftrunc bindtest border boundaries_array box boxchar breakup %c capping cauchysum cbrange cbtics center cflength cframe_flag cnonmet_flag color color_bar color_bar_tics colorbox columns commutative complex cone context contexts contour contour_levels cosnpiflag ctaypov ctaypt ctayswitch ctayvar ct_coords ctorsion_flag ctrgsimp cube current_let_rule_package cylinder data_file_name debugmode decreasing default_let_rule_package delay dependencies derivabbrev derivsubst detout diagmetric diff dim dimensions dispflag display2d|10 display_format_internal distribute_over doallmxops domain domxexpt domxmxops domxnctimes dontfactor doscmxops doscmxplus dot0nscsimp dot0simp dot1simp dotassoc dotconstrules dotdistrib dotexptsimp dotident dotscrules draw_graph_program draw_realpart edge_color edge_coloring edge_partition edge_type edge_width %edispflag elevation %emode endphi endtheta engineering_format_floats enhanced3d %enumer epsilon_lp erfflag erf_representation errormsg error_size error_syms error_type %e_to_numlog eval even evenfun evflag evfun ev_point expandwrt_denom expintexpand expintrep expon expop exptdispflag exptisolate exptsubst facexpand facsum_combine factlim factorflag factorial_expand factors_only fb feature features file_name file_output_append file_search_demo file_search_lisp file_search_maxima|10 file_search_tests file_search_usage file_type_lisp file_type_maxima|10 fill_color fill_density filled_func fixed_vertices flipflag float2bf font font_size fortindent fortspaces fpprec fpprintprec functions gamma_expand gammalim gdet genindex gensumnum GGFCFMAX GGFINFINITY globalsolve gnuplot_command gnuplot_curve_styles gnuplot_curve_titles gnuplot_default_term_command gnuplot_dumb_term_command gnuplot_file_args gnuplot_file_name gnuplot_out_file gnuplot_pdf_term_command gnuplot_pm3d gnuplot_png_term_command gnuplot_postamble gnuplot_preamble gnuplot_ps_term_command gnuplot_svg_term_command gnuplot_term gnuplot_view_args Gosper_in_Zeilberger gradefs grid grid2d grind halfangles head_angle head_both head_length head_type height hypergeometric_representation %iargs ibase icc1 icc2 icounter idummyx ieqnprint ifb ifc1 ifc2 ifg ifgi ifr iframe_bracket_form ifri igeowedge_flag ikt1 ikt2 imaginary inchar increasing infeval infinity inflag infolists inm inmc1 inmc2 intanalysis integer integervalued integrate_use_rootsof integration_constant integration_constant_counter interpolate_color intfaclim ip_grid ip_grid_in irrational isolate_wrt_times iterations itr julia_parameter %k1 %k2 keepfloat key key_pos kinvariant kt label label_alignment label_orientation labels lassociative lbfgs_ncorrections lbfgs_nfeval_max leftjust legend letrat let_rule_packages lfg lg lhospitallim limsubst linear linear_solver linechar linel|10 linenum line_type linewidth line_width linsolve_params linsolvewarn lispdisp listarith listconstvars listdummyvars lmxchar load_pathname loadprint logabs logarc logcb logconcoeffp logexpand lognegint logsimp logx logx_secondary logy logy_secondary logz lriem m1pbranch macroexpansion macros mainvar manual_demo maperror mapprint matrix_element_add matrix_element_mult matrix_element_transpose maxapplydepth maxapplyheight maxima_tempdir|10 maxima_userdir|10 maxnegex MAX_ORD maxposex maxpsifracdenom maxpsifracnum maxpsinegint maxpsiposint maxtayorder mesh_lines_color method mod_big_prime mode_check_errorp mode_checkp mode_check_warnp mod_test mod_threshold modular_linear_solver modulus multiplicative multiplicities myoptions nary negdistrib negsumdispflag newline newtonepsilon newtonmaxiter nextlayerfactor niceindicespref nm nmc noeval nolabels nonegative_lp noninteger nonscalar noun noundisp nouns np npi nticks ntrig numer numer_pbranch obase odd oddfun opacity opproperties opsubst optimprefix optionset orientation origin orthopoly_returns_intervals outative outchar packagefile palette partswitch pdf_file pfeformat phiresolution %piargs piece pivot_count_sx pivot_max_sx plot_format plot_options plot_realpart png_file pochhammer_max_index points pointsize point_size points_joined point_type poislim poisson poly_coefficient_ring poly_elimination_order polyfactor poly_grobner_algorithm poly_grobner_debug poly_monomial_order poly_primary_elimination_order poly_return_term_list poly_secondary_elimination_order poly_top_reduction_only posfun position powerdisp pred prederror primep_number_of_tests product_use_gamma program programmode promote_float_to_bigfloat prompt proportional_axes props psexpand ps_file radexpand radius radsubstflag rassociative ratalgdenom ratchristof ratdenomdivide rateinstein ratepsilon ratfac rational ratmx ratprint ratriemann ratsimpexpons ratvarswitch ratweights ratweyl ratwtlvl real realonly redraw refcheck resolution restart resultant ric riem rmxchar %rnum_list rombergabs rombergit rombergmin rombergtol rootsconmode rootsepsilon run_viewer same_xy same_xyz savedef savefactors scalar scalarmatrixp scale scale_lp setcheck setcheckbreak setval show_edge_color show_edges show_edge_type show_edge_width show_id show_label showtime show_vertex_color show_vertex_size show_vertex_type show_vertices show_weight simp simplified_output simplify_products simpproduct simpsum sinnpiflag solvedecomposes solveexplicit solvefactors solvenullwarn solveradcan solvetrigwarn space sparse sphere spring_embedding_depth sqrtdispflag stardisp startphi starttheta stats_numer stringdisp structures style sublis_apply_lambda subnumsimp sumexpand sumsplitfact surface surface_hide svg_file symmetric tab taylordepth taylor_logexpand taylor_order_coefficients taylor_truncate_polynomials tensorkill terminal testsuite_files thetaresolution timer_devalue title tlimswitch tr track transcompile transform transform_xy translate_fast_arrays transparent transrun tr_array_as_ref tr_bound_function_applyp tr_file_tty_messagesp tr_float_can_branch_complex tr_function_call_default trigexpandplus trigexpandtimes triginverses trigsign trivial_solutions tr_numer tr_optimize_max_loop tr_semicompile tr_state_vars tr_warn_bad_function_calls tr_warn_fexpr tr_warn_meval tr_warn_mode tr_warn_undeclared tr_warn_undefined_variable tstep ttyoff tube_extremes ufg ug %unitexpand unit_vectors uric uriem use_fast_arrays user_preamble usersetunits values vect_cross verbose vertex_color vertex_coloring vertex_partition vertex_size vertex_type view warnings weyl width windowname windowtitle wired_surface wireframe xaxis xaxis_color xaxis_secondary xaxis_type xaxis_width xlabel xlabel_secondary xlength xrange xrange_secondary xtics xtics_axis xtics_rotate xtics_rotate_secondary xtics_secondary xtics_secondary_axis xu_grid x_voxel xy_file xyplane xy_scale yaxis yaxis_color yaxis_secondary yaxis_type yaxis_width ylabel ylabel_secondary ylength yrange yrange_secondary ytics ytics_axis ytics_rotate ytics_rotate_secondary ytics_secondary ytics_secondary_axis yv_grid y_voxel yx_ratio zaxis zaxis_color zaxis_type zaxis_width zeroa zerob zerobern zeta%pi zlabel zlabel_rotate zlength zmin zn_primroot_limit zn_primroot_pretest",symbol:"_ __ %|0 %%|0"},contains:[{className:"comment",begin:"/\\*",end:"\\*/",contains:["self"]},t.QUOTE_STRING_MODE,{className:"number",relevance:0,variants:[{begin:"\\b(\\d+|\\d+\\.|\\.\\d+|\\d+\\.\\d+)[Ee][-+]?\\d+\\b"},{begin:"\\b(\\d+|\\d+\\.|\\.\\d+|\\d+\\.\\d+)[Bb][-+]?\\d+\\b",relevance:10},{begin:"\\b(\\.\\d+|\\d+\\.\\d+)\\b"},{begin:"\\b(\\d+|0[0-9A-Za-z]+)\\.?\\b"}]}],illegal:/@/}}return mm=e,mm}var gm,py;function yk(){if(py)return gm;py=1;function e(t){return{name:"MEL",keywords:"int float string vector matrix if else switch case default while do for in break continue global proc return about abs addAttr addAttributeEditorNodeHelp addDynamic addNewShelfTab addPP addPanelCategory addPrefixToName advanceToNextDrivenKey affectedNet affects aimConstraint air alias aliasAttr align alignCtx alignCurve alignSurface allViewFit ambientLight angle angleBetween animCone animCurveEditor animDisplay animView annotate appendStringArray applicationName applyAttrPreset applyTake arcLenDimContext arcLengthDimension arclen arrayMapper art3dPaintCtx artAttrCtx artAttrPaintVertexCtx artAttrSkinPaintCtx artAttrTool artBuildPaintMenu artFluidAttrCtx artPuttyCtx artSelectCtx artSetPaintCtx artUserPaintCtx assignCommand assignInputDevice assignViewportFactories attachCurve attachDeviceAttr attachSurface attrColorSliderGrp attrCompatibility attrControlGrp attrEnumOptionMenu attrEnumOptionMenuGrp attrFieldGrp attrFieldSliderGrp attrNavigationControlGrp attrPresetEditWin attributeExists attributeInfo attributeMenu attributeQuery autoKeyframe autoPlace bakeClip bakeFluidShading bakePartialHistory bakeResults bakeSimulation basename basenameEx batchRender bessel bevel bevelPlus binMembership bindSkin blend2 blendShape blendShapeEditor blendShapePanel blendTwoAttr blindDataType boneLattice boundary boxDollyCtx boxZoomCtx bufferCurve buildBookmarkMenu buildKeyframeMenu button buttonManip CBG cacheFile cacheFileCombine cacheFileMerge cacheFileTrack camera cameraView canCreateManip canvas capitalizeString catch catchQuiet ceil changeSubdivComponentDisplayLevel changeSubdivRegion channelBox character characterMap characterOutlineEditor characterize chdir checkBox checkBoxGrp checkDefaultRenderGlobals choice circle circularFillet clamp clear clearCache clip clipEditor clipEditorCurrentTimeCtx clipSchedule clipSchedulerOutliner clipTrimBefore closeCurve closeSurface cluster cmdFileOutput cmdScrollFieldExecuter cmdScrollFieldReporter cmdShell coarsenSubdivSelectionList collision color colorAtPoint colorEditor colorIndex colorIndexSliderGrp colorSliderButtonGrp colorSliderGrp columnLayout commandEcho commandLine commandPort compactHairSystem componentEditor compositingInterop computePolysetVolume condition cone confirmDialog connectAttr connectControl connectDynamic connectJoint connectionInfo constrain constrainValue constructionHistory container containsMultibyte contextInfo control convertFromOldLayers convertIffToPsd convertLightmap convertSolidTx convertTessellation convertUnit copyArray copyFlexor copyKey copySkinWeights cos cpButton cpCache cpClothSet cpCollision cpConstraint cpConvClothToMesh cpForces cpGetSolverAttr cpPanel cpProperty cpRigidCollisionFilter cpSeam cpSetEdit cpSetSolverAttr cpSolver cpSolverTypes cpTool cpUpdateClothUVs createDisplayLayer createDrawCtx createEditor createLayeredPsdFile createMotionField createNewShelf createNode createRenderLayer createSubdivRegion cross crossProduct ctxAbort ctxCompletion ctxEditMode ctxTraverse currentCtx currentTime currentTimeCtx currentUnit curve curveAddPtCtx curveCVCtx curveEPCtx curveEditorCtx curveIntersect curveMoveEPCtx curveOnSurface curveSketchCtx cutKey cycleCheck cylinder dagPose date defaultLightListCheckBox defaultNavigation defineDataServer defineVirtualDevice deformer deg_to_rad delete deleteAttr deleteShadingGroupsAndMaterials deleteShelfTab deleteUI deleteUnusedBrushes delrandstr detachCurve detachDeviceAttr detachSurface deviceEditor devicePanel dgInfo dgdirty dgeval dgtimer dimWhen directKeyCtx directionalLight dirmap dirname disable disconnectAttr disconnectJoint diskCache displacementToPoly displayAffected displayColor displayCull displayLevelOfDetail displayPref displayRGBColor displaySmoothness displayStats displayString displaySurface distanceDimContext distanceDimension doBlur dolly dollyCtx dopeSheetEditor dot dotProduct doubleProfileBirailSurface drag dragAttrContext draggerContext dropoffLocator duplicate duplicateCurve duplicateSurface dynCache dynControl dynExport dynExpression dynGlobals dynPaintEditor dynParticleCtx dynPref dynRelEdPanel dynRelEditor dynamicLoad editAttrLimits editDisplayLayerGlobals editDisplayLayerMembers editRenderLayerAdjustment editRenderLayerGlobals editRenderLayerMembers editor editorTemplate effector emit emitter enableDevice encodeString endString endsWith env equivalent equivalentTol erf error eval evalDeferred evalEcho event exactWorldBoundingBox exclusiveLightCheckBox exec executeForEachObject exists exp expression expressionEditorListen extendCurve extendSurface extrude fcheck fclose feof fflush fgetline fgetword file fileBrowserDialog fileDialog fileExtension fileInfo filetest filletCurve filter filterCurve filterExpand filterStudioImport findAllIntersections findAnimCurves findKeyframe findMenuItem findRelatedSkinCluster finder firstParentOf fitBspline flexor floatEq floatField floatFieldGrp floatScrollBar floatSlider floatSlider2 floatSliderButtonGrp floatSliderGrp floor flow fluidCacheInfo fluidEmitter fluidVoxelInfo flushUndo fmod fontDialog fopen formLayout format fprint frameLayout fread freeFormFillet frewind fromNativePath fwrite gamma gauss geometryConstraint getApplicationVersionAsFloat getAttr getClassification getDefaultBrush getFileList getFluidAttr getInputDeviceRange getMayaPanelTypes getModifiers getPanel getParticleAttr getPluginResource getenv getpid glRender glRenderEditor globalStitch gmatch goal gotoBindPose grabColor gradientControl gradientControlNoAttr graphDollyCtx graphSelectContext graphTrackCtx gravity grid gridLayout group groupObjectsByName HfAddAttractorToAS HfAssignAS HfBuildEqualMap HfBuildFurFiles HfBuildFurImages HfCancelAFR HfConnectASToHF HfCreateAttractor HfDeleteAS HfEditAS HfPerformCreateAS HfRemoveAttractorFromAS HfSelectAttached HfSelectAttractors HfUnAssignAS hardenPointCurve hardware hardwareRenderPanel headsUpDisplay headsUpMessage help helpLine hermite hide hilite hitTest hotBox hotkey hotkeyCheck hsv_to_rgb hudButton hudSlider hudSliderButton hwReflectionMap hwRender hwRenderLoad hyperGraph hyperPanel hyperShade hypot iconTextButton iconTextCheckBox iconTextRadioButton iconTextRadioCollection iconTextScrollList iconTextStaticLabel ikHandle ikHandleCtx ikHandleDisplayScale ikSolver ikSplineHandleCtx ikSystem ikSystemInfo ikfkDisplayMethod illustratorCurves image imfPlugins inheritTransform insertJoint insertJointCtx insertKeyCtx insertKnotCurve insertKnotSurface instance instanceable instancer intField intFieldGrp intScrollBar intSlider intSliderGrp interToUI internalVar intersect iprEngine isAnimCurve isConnected isDirty isParentOf isSameObject isTrue isValidObjectName isValidString isValidUiName isolateSelect itemFilter itemFilterAttr itemFilterRender itemFilterType joint jointCluster jointCtx jointDisplayScale jointLattice keyTangent keyframe keyframeOutliner keyframeRegionCurrentTimeCtx keyframeRegionDirectKeyCtx keyframeRegionDollyCtx keyframeRegionInsertKeyCtx keyframeRegionMoveKeyCtx keyframeRegionScaleKeyCtx keyframeRegionSelectKeyCtx keyframeRegionSetKeyCtx keyframeRegionTrackCtx keyframeStats lassoContext lattice latticeDeformKeyCtx launch launchImageEditor layerButton layeredShaderPort layeredTexturePort layout layoutDialog lightList lightListEditor lightListPanel lightlink lineIntersection linearPrecision linstep listAnimatable listAttr listCameras listConnections listDeviceAttachments listHistory listInputDeviceAxes listInputDeviceButtons listInputDevices listMenuAnnotation listNodeTypes listPanelCategories listRelatives listSets listTransforms listUnselected listerEditor loadFluid loadNewShelf loadPlugin loadPluginLanguageResources loadPrefObjects localizedPanelLabel lockNode loft log longNameOf lookThru ls lsThroughFilter lsType lsUI Mayatomr mag makeIdentity makeLive makePaintable makeRoll makeSingleSurface makeTubeOn makebot manipMoveContext manipMoveLimitsCtx manipOptions manipRotateContext manipRotateLimitsCtx manipScaleContext manipScaleLimitsCtx marker match max memory menu menuBarLayout menuEditor menuItem menuItemToShelf menuSet menuSetPref messageLine min minimizeApp mirrorJoint modelCurrentTimeCtx modelEditor modelPanel mouse movIn movOut move moveIKtoFK moveKeyCtx moveVertexAlongDirection multiProfileBirailSurface mute nParticle nameCommand nameField namespace namespaceInfo newPanelItems newton nodeCast nodeIconButton nodeOutliner nodePreset nodeType noise nonLinear normalConstraint normalize nurbsBoolean nurbsCopyUVSet nurbsCube nurbsEditUV nurbsPlane nurbsSelect nurbsSquare nurbsToPoly nurbsToPolygonsPref nurbsToSubdiv nurbsToSubdivPref nurbsUVSet nurbsViewDirectionVector objExists objectCenter objectLayer objectType objectTypeUI obsoleteProc oceanNurbsPreviewPlane offsetCurve offsetCurveOnSurface offsetSurface openGLExtension openMayaPref optionMenu optionMenuGrp optionVar orbit orbitCtx orientConstraint outlinerEditor outlinerPanel overrideModifier paintEffectsDisplay pairBlend palettePort paneLayout panel panelConfiguration panelHistory paramDimContext paramDimension paramLocator parent parentConstraint particle particleExists particleInstancer particleRenderInfo partition pasteKey pathAnimation pause pclose percent performanceOptions pfxstrokes pickWalk picture pixelMove planarSrf plane play playbackOptions playblast plugAttr plugNode pluginInfo pluginResourceUtil pointConstraint pointCurveConstraint pointLight pointMatrixMult pointOnCurve pointOnSurface pointPosition poleVectorConstraint polyAppend polyAppendFacetCtx polyAppendVertex polyAutoProjection polyAverageNormal polyAverageVertex polyBevel polyBlendColor polyBlindData polyBoolOp polyBridgeEdge polyCacheMonitor polyCheck polyChipOff polyClipboard polyCloseBorder polyCollapseEdge polyCollapseFacet polyColorBlindData polyColorDel polyColorPerVertex polyColorSet polyCompare polyCone polyCopyUV polyCrease polyCreaseCtx polyCreateFacet polyCreateFacetCtx polyCube polyCut polyCutCtx polyCylinder polyCylindricalProjection polyDelEdge polyDelFacet polyDelVertex polyDuplicateAndConnect polyDuplicateEdge polyEditUV polyEditUVShell polyEvaluate polyExtrudeEdge polyExtrudeFacet polyExtrudeVertex polyFlipEdge polyFlipUV polyForceUV polyGeoSampler polyHelix polyInfo polyInstallAction polyLayoutUV polyListComponentConversion polyMapCut polyMapDel polyMapSew polyMapSewMove polyMergeEdge polyMergeEdgeCtx polyMergeFacet polyMergeFacetCtx polyMergeUV polyMergeVertex polyMirrorFace polyMoveEdge polyMoveFacet polyMoveFacetUV polyMoveUV polyMoveVertex polyNormal polyNormalPerVertex polyNormalizeUV polyOptUvs polyOptions polyOutput polyPipe polyPlanarProjection polyPlane polyPlatonicSolid polyPoke polyPrimitive polyPrism polyProjection polyPyramid polyQuad polyQueryBlindData polyReduce polySelect polySelectConstraint polySelectConstraintMonitor polySelectCtx polySelectEditCtx polySeparate polySetToFaceNormal polySewEdge polyShortestPathCtx polySmooth polySoftEdge polySphere polySphericalProjection polySplit polySplitCtx polySplitEdge polySplitRing polySplitVertex polyStraightenUVBorder polySubdivideEdge polySubdivideFacet polyToSubdiv polyTorus polyTransfer polyTriangulate polyUVSet polyUnite polyWedgeFace popen popupMenu pose pow preloadRefEd print progressBar progressWindow projFileViewer projectCurve projectTangent projectionContext projectionManip promptDialog propModCtx propMove psdChannelOutliner psdEditTextureFile psdExport psdTextureFile putenv pwd python querySubdiv quit rad_to_deg radial radioButton radioButtonGrp radioCollection radioMenuItemCollection rampColorPort rand randomizeFollicles randstate rangeControl readTake rebuildCurve rebuildSurface recordAttr recordDevice redo reference referenceEdit referenceQuery refineSubdivSelectionList refresh refreshAE registerPluginResource rehash reloadImage removeJoint removeMultiInstance removePanelCategory rename renameAttr renameSelectionList renameUI render renderGlobalsNode renderInfo renderLayerButton renderLayerParent renderLayerPostProcess renderLayerUnparent renderManip renderPartition renderQualityNode renderSettings renderThumbnailUpdate renderWindowEditor renderWindowSelectContext renderer reorder reorderDeformers requires reroot resampleFluid resetAE resetPfxToPolyCamera resetTool resolutionNode retarget reverseCurve reverseSurface revolve rgb_to_hsv rigidBody rigidSolver roll rollCtx rootOf rot rotate rotationInterpolation roundConstantRadius rowColumnLayout rowLayout runTimeCommand runup sampleImage saveAllShelves saveAttrPreset saveFluid saveImage saveInitialState saveMenu savePrefObjects savePrefs saveShelf saveToolSettings scale scaleBrushBrightness scaleComponents scaleConstraint scaleKey scaleKeyCtx sceneEditor sceneUIReplacement scmh scriptCtx scriptEditorInfo scriptJob scriptNode scriptTable scriptToShelf scriptedPanel scriptedPanelType scrollField scrollLayout sculpt searchPathArray seed selLoadSettings select selectContext selectCurveCV selectKey selectKeyCtx selectKeyframeRegionCtx selectMode selectPref selectPriority selectType selectedNodes selectionConnection separator setAttr setAttrEnumResource setAttrMapping setAttrNiceNameResource setConstraintRestPosition setDefaultShadingGroup setDrivenKeyframe setDynamic setEditCtx setEditor setFluidAttr setFocus setInfinity setInputDeviceMapping setKeyCtx setKeyPath setKeyframe setKeyframeBlendshapeTargetWts setMenuMode setNodeNiceNameResource setNodeTypeFlag setParent setParticleAttr setPfxToPolyCamera setPluginResource setProject setStampDensity setStartupMessage setState setToolTo setUITemplate setXformManip sets shadingConnection shadingGeometryRelCtx shadingLightRelCtx shadingNetworkCompare shadingNode shapeCompare shelfButton shelfLayout shelfTabLayout shellField shortNameOf showHelp showHidden showManipCtx showSelectionInTitle showShadingGroupAttrEditor showWindow sign simplify sin singleProfileBirailSurface size sizeBytes skinCluster skinPercent smoothCurve smoothTangentSurface smoothstep snap2to2 snapKey snapMode snapTogetherCtx snapshot soft softMod softModCtx sort sound soundControl source spaceLocator sphere sphrand spotLight spotLightPreviewPort spreadSheetEditor spring sqrt squareSurface srtContext stackTrace startString startsWith stitchAndExplodeShell stitchSurface stitchSurfacePoints strcmp stringArrayCatenate stringArrayContains stringArrayCount stringArrayInsertAtIndex stringArrayIntersector stringArrayRemove stringArrayRemoveAtIndex stringArrayRemoveDuplicates stringArrayRemoveExact stringArrayToString stringToStringArray strip stripPrefixFromName stroke subdAutoProjection subdCleanTopology subdCollapse subdDuplicateAndConnect subdEditUV subdListComponentConversion subdMapCut subdMapSewMove subdMatchTopology subdMirror subdToBlind subdToPoly subdTransferUVsToCache subdiv subdivCrease subdivDisplaySmoothness substitute substituteAllString substituteGeometry substring surface surfaceSampler surfaceShaderList swatchDisplayPort switchTable symbolButton symbolCheckBox sysFile system tabLayout tan tangentConstraint texLatticeDeformContext texManipContext texMoveContext texMoveUVShellContext texRotateContext texScaleContext texSelectContext texSelectShortestPathCtx texSmudgeUVContext texWinToolCtx text textCurves textField textFieldButtonGrp textFieldGrp textManip textScrollList textToShelf textureDisplacePlane textureHairColor texturePlacementContext textureWindow threadCount threePointArcCtx timeControl timePort timerX toNativePath toggle toggleAxis toggleWindowVisibility tokenize tokenizeList tolerance tolower toolButton toolCollection toolDropped toolHasOptions toolPropertyWindow torus toupper trace track trackCtx transferAttributes transformCompare transformLimits translator trim trunc truncateFluidCache truncateHairCache tumble tumbleCtx turbulence twoPointArcCtx uiRes uiTemplate unassignInputDevice undo undoInfo ungroup uniform unit unloadPlugin untangleUV untitledFileName untrim upAxis updateAE userCtx uvLink uvSnapshot validateShelfName vectorize view2dToolCtx viewCamera viewClipPlane viewFit viewHeadOn viewLookAt viewManip viewPlace viewSet visor volumeAxis vortex waitCursor warning webBrowser webBrowserPrefs whatIs window windowPref wire wireContext workspace wrinkle wrinkleContext writeTake xbmLangPathList xform",illegal:"</",contains:[t.C_NUMBER_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{className:"string",begin:"`",end:"`",contains:[t.BACKSLASH_ESCAPE]},{begin:/[$%@](\^\w\b|#\w+|[^\s\w{]|\{\w+\}|\w+)/},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]}}return gm=e,gm}var hm,_y;function Ck(){if(_y)return hm;_y=1;function e(t){const n={keyword:"module use_module import_module include_module end_module initialise mutable initialize finalize finalise interface implementation pred mode func type inst solver any_pred any_func is semidet det nondet multi erroneous failure cc_nondet cc_multi typeclass instance where pragma promise external trace atomic or_else require_complete_switch require_det require_semidet require_multi require_nondet require_cc_multi require_cc_nondet require_erroneous require_failure",meta:"inline no_inline type_spec source_file fact_table obsolete memo loop_check minimal_model terminates does_not_terminate check_termination promise_equivalent_clauses foreign_proc foreign_decl foreign_code foreign_type foreign_import_module foreign_export_enum foreign_export foreign_enum may_call_mercury will_not_call_mercury thread_safe not_thread_safe maybe_thread_safe promise_pure promise_semipure tabled_for_io local untrailed trailed attach_to_io_state can_pass_as_mercury_type stable will_not_throw_exception may_modify_trail will_not_modify_trail may_duplicate may_not_duplicate affects_liveness does_not_affect_liveness doesnt_affect_liveness no_sharing unknown_sharing sharing",built_in:"some all not if then else true fail false try catch catch_any semidet_true semidet_false semidet_fail impure_true impure semipure"},r=t.COMMENT("%","$"),a={className:"number",begin:"0'.\\|0[box][0-9a-fA-F]*"},o=t.inherit(t.APOS_STRING_MODE,{relevance:0}),l=t.inherit(t.QUOTE_STRING_MODE,{relevance:0}),u={className:"subst",begin:"\\\\[abfnrtv]\\|\\\\x[0-9a-fA-F]*\\\\\\|%[-+# *.0-9]*[dioxXucsfeEgGp]",relevance:0};return l.contains=l.contains.slice(),l.contains.push(u),{name:"Mercury",aliases:["m","moo"],keywords:n,contains:[{className:"built_in",variants:[{begin:"<=>"},{begin:"<=",relevance:0},{begin:"=>",relevance:0},{begin:"/\\\\"},{begin:"\\\\/"}]},{className:"built_in",variants:[{begin:":-\\|-->"},{begin:"=",relevance:0}]},r,t.C_BLOCK_COMMENT_MODE,a,t.NUMBER_MODE,o,l,{begin:/:-/},{begin:/\.$/}]}}return hm=e,hm}var Em,my;function Ak(){if(my)return Em;my=1;function e(t){return{name:"MIPS Assembly",case_insensitive:!0,aliases:["mips"],keywords:{$pattern:"\\.?"+t.IDENT_RE,meta:".2byte .4byte .align .ascii .asciz .balign .byte .code .data .else .end .endif .endm .endr .equ .err .exitm .extern .global .hword .if .ifdef .ifndef .include .irp .long .macro .rept .req .section .set .skip .space .text .word .ltorg ",built_in:"$0 $1 $2 $3 $4 $5 $6 $7 $8 $9 $10 $11 $12 $13 $14 $15 $16 $17 $18 $19 $20 $21 $22 $23 $24 $25 $26 $27 $28 $29 $30 $31 zero at v0 v1 a0 a1 a2 a3 a4 a5 a6 a7 t0 t1 t2 t3 t4 t5 t6 t7 t8 t9 s0 s1 s2 s3 s4 s5 s6 s7 s8 k0 k1 gp sp fp ra $f0 $f1 $f2 $f2 $f4 $f5 $f6 $f7 $f8 $f9 $f10 $f11 $f12 $f13 $f14 $f15 $f16 $f17 $f18 $f19 $f20 $f21 $f22 $f23 $f24 $f25 $f26 $f27 $f28 $f29 $f30 $f31 Context Random EntryLo0 EntryLo1 Context PageMask Wired EntryHi HWREna BadVAddr Count Compare SR IntCtl SRSCtl SRSMap Cause EPC PRId EBase Config Config1 Config2 Config3 LLAddr Debug DEPC DESAVE CacheErr ECC ErrorEPC TagLo DataLo TagHi DataHi WatchLo WatchHi PerfCtl PerfCnt "},contains:[{className:"keyword",begin:"\\b(addi?u?|andi?|b(al)?|beql?|bgez(al)?l?|bgtzl?|blezl?|bltz(al)?l?|bnel?|cl[oz]|divu?|ext|ins|j(al)?|jalr(\\.hb)?|jr(\\.hb)?|lbu?|lhu?|ll|lui|lw[lr]?|maddu?|mfhi|mflo|movn|movz|move|msubu?|mthi|mtlo|mul|multu?|nop|nor|ori?|rotrv?|sb|sc|se[bh]|sh|sllv?|slti?u?|srav?|srlv?|subu?|sw[lr]?|xori?|wsbh|abs\\.[sd]|add\\.[sd]|alnv.ps|bc1[ft]l?|c\\.(s?f|un|u?eq|[ou]lt|[ou]le|ngle?|seq|l[et]|ng[et])\\.[sd]|(ceil|floor|round|trunc)\\.[lw]\\.[sd]|cfc1|cvt\\.d\\.[lsw]|cvt\\.l\\.[dsw]|cvt\\.ps\\.s|cvt\\.s\\.[dlw]|cvt\\.s\\.p[lu]|cvt\\.w\\.[dls]|div\\.[ds]|ldx?c1|luxc1|lwx?c1|madd\\.[sd]|mfc1|mov[fntz]?\\.[ds]|msub\\.[sd]|mth?c1|mul\\.[ds]|neg\\.[ds]|nmadd\\.[ds]|nmsub\\.[ds]|p[lu][lu]\\.ps|recip\\.fmt|r?sqrt\\.[ds]|sdx?c1|sub\\.[ds]|suxc1|swx?c1|break|cache|d?eret|[de]i|ehb|mfc0|mtc0|pause|prefx?|rdhwr|rdpgpr|sdbbp|ssnop|synci?|syscall|teqi?|tgei?u?|tlb(p|r|w[ir])|tlti?u?|tnei?|wait|wrpgpr)",end:"\\s"},t.COMMENT("[;#](?!\\s*$)","$"),t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"[^\\\\]'",relevance:0},{className:"title",begin:"\\|",end:"\\|",illegal:"\\n",relevance:0},{className:"number",variants:[{begin:"0x[0-9a-f]+"},{begin:"\\b-?\\d+"}],relevance:0},{className:"symbol",variants:[{begin:"^\\s*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{begin:"^\\s*[0-9]+:"},{begin:"[0-9]+[bf]"}],relevance:0}],illegal:/\//}}return Em=e,Em}var Sm,gy;function Ok(){if(gy)return Sm;gy=1;function e(t){return{name:"Mizar",keywords:"environ vocabularies notations constructors definitions registrations theorems schemes requirements begin end definition registration cluster existence pred func defpred deffunc theorem proof let take assume then thus hence ex for st holds consider reconsider such that and in provided of as from be being by means equals implies iff redefine define now not or attr is mode suppose per cases set thesis contradiction scheme reserve struct correctness compatibility coherence symmetry assymetry reflexivity irreflexivity connectedness uniqueness commutativity idempotence involutiveness projectivity",contains:[t.COMMENT("::","$")]}}return Sm=e,Sm}var bm,hy;function Rk(){if(hy)return bm;hy=1;function e(t){const n=t.regex,r=["abs","accept","alarm","and","atan2","bind","binmode","bless","break","caller","chdir","chmod","chomp","chop","chown","chr","chroot","close","closedir","connect","continue","cos","crypt","dbmclose","dbmopen","defined","delete","die","do","dump","each","else","elsif","endgrent","endhostent","endnetent","endprotoent","endpwent","endservent","eof","eval","exec","exists","exit","exp","fcntl","fileno","flock","for","foreach","fork","format","formline","getc","getgrent","getgrgid","getgrnam","gethostbyaddr","gethostbyname","gethostent","getlogin","getnetbyaddr","getnetbyname","getnetent","getpeername","getpgrp","getpriority","getprotobyname","getprotobynumber","getprotoent","getpwent","getpwnam","getpwuid","getservbyname","getservbyport","getservent","getsockname","getsockopt","given","glob","gmtime","goto","grep","gt","hex","if","index","int","ioctl","join","keys","kill","last","lc","lcfirst","length","link","listen","local","localtime","log","lstat","lt","ma","map","mkdir","msgctl","msgget","msgrcv","msgsnd","my","ne","next","no","not","oct","open","opendir","or","ord","our","pack","package","pipe","pop","pos","print","printf","prototype","push","q|0","qq","quotemeta","qw","qx","rand","read","readdir","readline","readlink","readpipe","recv","redo","ref","rename","require","reset","return","reverse","rewinddir","rindex","rmdir","say","scalar","seek","seekdir","select","semctl","semget","semop","send","setgrent","sethostent","setnetent","setpgrp","setpriority","setprotoent","setpwent","setservent","setsockopt","shift","shmctl","shmget","shmread","shmwrite","shutdown","sin","sleep","socket","socketpair","sort","splice","split","sprintf","sqrt","srand","stat","state","study","sub","substr","symlink","syscall","sysopen","sysread","sysseek","system","syswrite","tell","telldir","tie","tied","time","times","tr","truncate","uc","ucfirst","umask","undef","unless","unlink","unpack","unshift","untie","until","use","utime","values","vec","wait","waitpid","wantarray","warn","when","while","write","x|0","xor","y|0"],a=/[dualxmsipngr]{0,12}/,o={$pattern:/[\w.]+/,keyword:r.join(" ")},l={className:"subst",begin:"[$@]\\{",end:"\\}",keywords:o},u={begin:/->\{/,end:/\}/},c={variants:[{begin:/\$\d/},{begin:n.concat(/[$%@](\^\w\b|#\w+(::\w+)*|\{\w+\}|\w+(::\w*)*)/,"(?![A-Za-z])(?![@$%])")},{begin:/[$%@][^\s\w{]/,relevance:0}]},d=[t.BACKSLASH_ESCAPE,l,c],S=[/!/,/\//,/\|/,/\?/,/'/,/"/,/#/],_=(y,M,v="\\1")=>{const A=v==="\\1"?v:n.concat(v,M);return n.concat(n.concat("(?:",y,")"),M,/(?:\\.|[^\\\/])*?/,A,/(?:\\.|[^\\\/])*?/,v,a)},E=(y,M,v)=>n.concat(n.concat("(?:",y,")"),M,/(?:\\.|[^\\\/])*?/,v,a),T=[c,t.HASH_COMMENT_MODE,t.COMMENT(/^=\w/,/=cut/,{endsWithParent:!0}),u,{className:"string",contains:d,variants:[{begin:"q[qwxr]?\\s*\\(",end:"\\)",relevance:5},{begin:"q[qwxr]?\\s*\\[",end:"\\]",relevance:5},{begin:"q[qwxr]?\\s*\\{",end:"\\}",relevance:5},{begin:"q[qwxr]?\\s*\\|",end:"\\|",relevance:5},{begin:"q[qwxr]?\\s*<",end:">",relevance:5},{begin:"qw\\s+q",end:"q",relevance:5},{begin:"'",end:"'",contains:[t.BACKSLASH_ESCAPE]},{begin:'"',end:'"'},{begin:"`",end:"`",contains:[t.BACKSLASH_ESCAPE]},{begin:/\{\w+\}/,relevance:0},{begin:"-?\\w+\\s*=>",relevance:0}]},{className:"number",begin:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",relevance:0},{begin:"(\\/\\/|"+t.RE_STARTERS_RE+"|\\b(split|return|print|reverse|grep)\\b)\\s*",keywords:"split return print reverse grep",relevance:0,contains:[t.HASH_COMMENT_MODE,{className:"regexp",variants:[{begin:_("s|tr|y",n.either(...S,{capture:!0}))},{begin:_("s|tr|y","\\(","\\)")},{begin:_("s|tr|y","\\[","\\]")},{begin:_("s|tr|y","\\{","\\}")}],relevance:2},{className:"regexp",variants:[{begin:/(m|qr)\/\//,relevance:0},{begin:E("(?:m|qr)?",/\//,/\//)},{begin:E("m|qr",n.either(...S,{capture:!0}),/\1/)},{begin:E("m|qr",/\(/,/\)/)},{begin:E("m|qr",/\[/,/\]/)},{begin:E("m|qr",/\{/,/\}/)}]}]},{className:"function",beginKeywords:"sub",end:"(\\s*\\(.*?\\))?[;{]",excludeEnd:!0,relevance:5,contains:[t.TITLE_MODE]},{begin:"-\\w\\b",relevance:0},{begin:"^__DATA__$",end:"^__END__$",subLanguage:"mojolicious",contains:[{begin:"^@@.*",end:"$",className:"comment"}]}];return l.contains=T,u.contains=T,{name:"Perl",aliases:["pl","pm"],keywords:o,contains:T}}return bm=e,bm}var vm,Ey;function Nk(){if(Ey)return vm;Ey=1;function e(t){return{name:"Mojolicious",subLanguage:"xml",contains:[{className:"meta",begin:"^__(END|DATA)__$"},{begin:"^\\s*%{1,2}={0,2}",end:"$",subLanguage:"perl"},{begin:"<%{1,2}={0,2}",end:"={0,1}%>",subLanguage:"perl",excludeBegin:!0,excludeEnd:!0}]}}return vm=e,vm}var Tm,Sy;function Ik(){if(Sy)return Tm;Sy=1;function e(t){const n={className:"number",relevance:0,variants:[{begin:"[$][a-fA-F0-9]+"},t.NUMBER_MODE]},r={variants:[{match:[/(function|method)/,/\s+/,t.UNDERSCORE_IDENT_RE]}],scope:{1:"keyword",3:"title.function"}},a={variants:[{match:[/(class|interface|extends|implements)/,/\s+/,t.UNDERSCORE_IDENT_RE]}],scope:{1:"keyword",3:"title.class"}};return{name:"Monkey",case_insensitive:!0,keywords:{keyword:["public","private","property","continue","exit","extern","new","try","catch","eachin","not","abstract","final","select","case","default","const","local","global","field","end","if","then","else","elseif","endif","while","wend","repeat","until","forever","for","to","step","next","return","module","inline","throw","import","and","or","shl","shr","mod"],built_in:["DebugLog","DebugStop","Error","Print","ACos","ACosr","ASin","ASinr","ATan","ATan2","ATan2r","ATanr","Abs","Abs","Ceil","Clamp","Clamp","Cos","Cosr","Exp","Floor","Log","Max","Max","Min","Min","Pow","Sgn","Sgn","Sin","Sinr","Sqrt","Tan","Tanr","Seed","PI","HALFPI","TWOPI"],literal:["true","false","null"]},illegal:/\/\*/,contains:[t.COMMENT("#rem","#end"),t.COMMENT("'","$",{relevance:0}),r,a,{className:"variable.language",begin:/\b(self|super)\b/},{className:"meta",begin:/\s*#/,end:"$",keywords:{keyword:"if else elseif endif end then"}},{match:[/^\s*/,/strict\b/],scope:{2:"meta"}},{beginKeywords:"alias",end:"=",contains:[t.UNDERSCORE_TITLE_MODE]},t.QUOTE_STRING_MODE,n]}}return Tm=e,Tm}var ym,by;function Dk(){if(by)return ym;by=1;function e(t){const n={keyword:"if then not for in while do return else elseif break continue switch and or unless when class extends super local import export from using",literal:"true false nil",built_in:"_G _VERSION assert collectgarbage dofile error getfenv getmetatable ipairs load loadfile loadstring module next pairs pcall print rawequal rawget rawset require select setfenv setmetatable tonumber tostring type unpack xpcall coroutine debug io math os package string table"},r="[A-Za-z$_][0-9A-Za-z$_]*",a={className:"subst",begin:/#\{/,end:/\}/,keywords:n},o=[t.inherit(t.C_NUMBER_MODE,{starts:{end:"(\\s*/)?",relevance:0}}),{className:"string",variants:[{begin:/'/,end:/'/,contains:[t.BACKSLASH_ESCAPE]},{begin:/"/,end:/"/,contains:[t.BACKSLASH_ESCAPE,a]}]},{className:"built_in",begin:"@__"+t.IDENT_RE},{begin:"@"+t.IDENT_RE},{begin:t.IDENT_RE+"\\\\"+t.IDENT_RE}];a.contains=o;const l=t.inherit(t.TITLE_MODE,{begin:r}),u="(\\(.*\\)\\s*)?\\B[-=]>",c={className:"params",begin:"\\([^\\(]",returnBegin:!0,contains:[{begin:/\(/,end:/\)/,keywords:n,contains:["self"].concat(o)}]};return{name:"MoonScript",aliases:["moon"],keywords:n,illegal:/\/\*/,contains:o.concat([t.COMMENT("--","$"),{className:"function",begin:"^\\s*"+r+"\\s*=\\s*"+u,end:"[-=]>",returnBegin:!0,contains:[l,c]},{begin:/[\(,:=]\s*/,relevance:0,contains:[{className:"function",begin:u,end:"[-=]>",returnBegin:!0,contains:[c]}]},{className:"class",beginKeywords:"class",end:"$",illegal:/[:="\[\]]/,contains:[{beginKeywords:"extends",endsWithParent:!0,illegal:/[:="\[\]]/,contains:[l]},l]},{className:"name",begin:r+":",end:":",returnBegin:!0,returnEnd:!0,relevance:0}])}}return ym=e,ym}var Cm,vy;function xk(){if(vy)return Cm;vy=1;function e(t){return{name:"N1QL",case_insensitive:!0,contains:[{beginKeywords:"build create index delete drop explain infer|10 insert merge prepare select update upsert|10",end:/;/,keywords:{keyword:["all","alter","analyze","and","any","array","as","asc","begin","between","binary","boolean","break","bucket","build","by","call","case","cast","cluster","collate","collection","commit","connect","continue","correlate","cover","create","database","dataset","datastore","declare","decrement","delete","derived","desc","describe","distinct","do","drop","each","element","else","end","every","except","exclude","execute","exists","explain","fetch","first","flatten","for","force","from","function","grant","group","gsi","having","if","ignore","ilike","in","include","increment","index","infer","inline","inner","insert","intersect","into","is","join","key","keys","keyspace","known","last","left","let","letting","like","limit","lsm","map","mapping","matched","materialized","merge","minus","namespace","nest","not","number","object","offset","on","option","or","order","outer","over","parse","partition","password","path","pool","prepare","primary","private","privilege","procedure","public","raw","realm","reduce","rename","return","returning","revoke","right","role","rollback","satisfies","schema","select","self","semi","set","show","some","start","statistics","string","system","then","to","transaction","trigger","truncate","under","union","unique","unknown","unnest","unset","update","upsert","use","user","using","validate","value","valued","values","via","view","when","where","while","with","within","work","xor"],literal:["true","false","null","missing|5"],built_in:["array_agg","array_append","array_concat","array_contains","array_count","array_distinct","array_ifnull","array_length","array_max","array_min","array_position","array_prepend","array_put","array_range","array_remove","array_repeat","array_replace","array_reverse","array_sort","array_sum","avg","count","max","min","sum","greatest","least","ifmissing","ifmissingornull","ifnull","missingif","nullif","ifinf","ifnan","ifnanorinf","naninf","neginfif","posinfif","clock_millis","clock_str","date_add_millis","date_add_str","date_diff_millis","date_diff_str","date_part_millis","date_part_str","date_trunc_millis","date_trunc_str","duration_to_str","millis","str_to_millis","millis_to_str","millis_to_utc","millis_to_zone_name","now_millis","now_str","str_to_duration","str_to_utc","str_to_zone_name","decode_json","encode_json","encoded_size","poly_length","base64","base64_encode","base64_decode","meta","uuid","abs","acos","asin","atan","atan2","ceil","cos","degrees","e","exp","ln","log","floor","pi","power","radians","random","round","sign","sin","sqrt","tan","trunc","object_length","object_names","object_pairs","object_inner_pairs","object_values","object_inner_values","object_add","object_put","object_remove","object_unwrap","regexp_contains","regexp_like","regexp_position","regexp_replace","contains","initcap","length","lower","ltrim","position","repeat","replace","rtrim","split","substr","title","trim","upper","isarray","isatom","isboolean","isnumber","isobject","isstring","type","toarray","toatom","toboolean","tonumber","toobject","tostring"]},contains:[{className:"string",begin:"'",end:"'",contains:[t.BACKSLASH_ESCAPE]},{className:"string",begin:'"',end:'"',contains:[t.BACKSLASH_ESCAPE]},{className:"symbol",begin:"`",end:"`",contains:[t.BACKSLASH_ESCAPE]},t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE]},t.C_BLOCK_COMMENT_MODE]}}return Cm=e,Cm}var Am,Ty;function wk(){if(Ty)return Am;Ty=1;function e(t){const n={match:[/^\s*(?=\S)/,/[^:]+/,/:\s*/,/$/],className:{2:"attribute",3:"punctuation"}},r={match:[/^\s*(?=\S)/,/[^:]*[^: ]/,/[ ]*:/,/[ ]/,/.*$/],className:{2:"attribute",3:"punctuation",5:"string"}},a={match:[/^\s*/,/>/,/[ ]/,/.*$/],className:{2:"punctuation",4:"string"}},o={variants:[{match:[/^\s*/,/-/,/[ ]/,/.*$/]},{match:[/^\s*/,/-$/]}],className:{2:"bullet",4:"string"}};return{name:"Nested Text",aliases:["nt"],contains:[t.inherit(t.HASH_COMMENT_MODE,{begin:/^\s*(?=#)/,excludeBegin:!0}),o,a,n,r]}}return Am=e,Am}var Om,yy;function Lk(){if(yy)return Om;yy=1;function e(t){const n=t.regex,r={className:"variable",variants:[{begin:/\$\d+/},{begin:/\$\{\w+\}/},{begin:n.concat(/[$@]/,t.UNDERSCORE_IDENT_RE)}]},o={endsWithParent:!0,keywords:{$pattern:/[a-z_]{2,}|\/dev\/poll/,literal:["on","off","yes","no","true","false","none","blocked","debug","info","notice","warn","error","crit","select","break","last","permanent","redirect","kqueue","rtsig","epoll","poll","/dev/poll"]},relevance:0,illegal:"=>",contains:[t.HASH_COMMENT_MODE,{className:"string",contains:[t.BACKSLASH_ESCAPE,r],variants:[{begin:/"/,end:/"/},{begin:/'/,end:/'/}]},{begin:"([a-z]+):/",end:"\\s",endsWithParent:!0,excludeEnd:!0,contains:[r]},{className:"regexp",contains:[t.BACKSLASH_ESCAPE,r],variants:[{begin:"\\s\\^",end:"\\s|\\{|;",returnEnd:!0},{begin:"~\\*?\\s+",end:"\\s|\\{|;",returnEnd:!0},{begin:"\\*(\\.[a-z\\-]+)+"},{begin:"([a-z\\-]+\\.)+\\*"}]},{className:"number",begin:"\\b\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}(:\\d{1,5})?\\b"},{className:"number",begin:"\\b\\d+[kKmMgGdshdwy]?\\b",relevance:0},r]};return{name:"Nginx config",aliases:["nginxconf"],contains:[t.HASH_COMMENT_MODE,{beginKeywords:"upstream location",end:/;|\{/,contains:o.contains,keywords:{section:"upstream location"}},{className:"section",begin:n.concat(t.UNDERSCORE_IDENT_RE+n.lookahead(/\s+\{/)),relevance:0},{begin:n.lookahead(t.UNDERSCORE_IDENT_RE+"\\s"),end:";|\\{",contains:[{className:"attribute",begin:t.UNDERSCORE_IDENT_RE,starts:o}],relevance:0}],illegal:"[^\\s\\}\\{]"}}return Om=e,Om}var Rm,Cy;function Mk(){if(Cy)return Rm;Cy=1;function e(t){return{name:"Nim",keywords:{keyword:["addr","and","as","asm","bind","block","break","case","cast","const","continue","converter","discard","distinct","div","do","elif","else","end","enum","except","export","finally","for","from","func","generic","guarded","if","import","in","include","interface","is","isnot","iterator","let","macro","method","mixin","mod","nil","not","notin","object","of","or","out","proc","ptr","raise","ref","return","shared","shl","shr","static","template","try","tuple","type","using","var","when","while","with","without","xor","yield"],literal:["true","false"],type:["int","int8","int16","int32","int64","uint","uint8","uint16","uint32","uint64","float","float32","float64","bool","char","string","cstring","pointer","expr","stmt","void","auto","any","range","array","openarray","varargs","seq","set","clong","culong","cchar","cschar","cshort","cint","csize","clonglong","cfloat","cdouble","clongdouble","cuchar","cushort","cuint","culonglong","cstringarray","semistatic"],built_in:["stdin","stdout","stderr","result"]},contains:[{className:"meta",begin:/\{\./,end:/\.\}/,relevance:10},{className:"string",begin:/[a-zA-Z]\w*"/,end:/"/,contains:[{begin:/""/}]},{className:"string",begin:/([a-zA-Z]\w*)?"""/,end:/"""/},t.QUOTE_STRING_MODE,{className:"type",begin:/\b[A-Z]\w+\b/,relevance:0},{className:"number",relevance:0,variants:[{begin:/\b(0[xX][0-9a-fA-F][_0-9a-fA-F]*)('?[iIuU](8|16|32|64))?/},{begin:/\b(0o[0-7][_0-7]*)('?[iIuUfF](8|16|32|64))?/},{begin:/\b(0(b|B)[01][_01]*)('?[iIuUfF](8|16|32|64))?/},{begin:/\b(\d[_\d]*)('?[iIuUfF](8|16|32|64))?/}]},t.HASH_COMMENT_MODE]}}return Rm=e,Rm}var Nm,Ay;function kk(){if(Ay)return Nm;Ay=1;function e(t){const n={keyword:["rec","with","let","in","inherit","assert","if","else","then"],literal:["true","false","or","and","null"],built_in:["import","abort","baseNameOf","dirOf","isNull","builtins","map","removeAttrs","throw","toString","derivation"]},r={className:"subst",begin:/\$\{/,end:/\}/,keywords:n},a={className:"char.escape",begin:/''\$/},o={begin:/[a-zA-Z0-9-_]+(\s*=)/,returnBegin:!0,relevance:0,contains:[{className:"attr",begin:/\S+/,relevance:.2}]},l={className:"string",contains:[a,r],variants:[{begin:"''",end:"''"},{begin:'"',end:'"'}]},u=[t.NUMBER_MODE,t.HASH_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,l,o];return r.contains=u,{name:"Nix",aliases:["nixos"],keywords:n,contains:u}}return Nm=e,Nm}var Im,Oy;function Pk(){if(Oy)return Im;Oy=1;function e(t){return{name:"Node REPL",contains:[{className:"meta.prompt",starts:{end:/ |$/,starts:{end:"$",subLanguage:"javascript"}},variants:[{begin:/^>(?=[ ]|$)/},{begin:/^\.\.\.(?=[ ]|$)/}]}]}}return Im=e,Im}var Dm,Ry;function Fk(){if(Ry)return Dm;Ry=1;function e(t){const n=t.regex,r=["ADMINTOOLS","APPDATA","CDBURN_AREA","CMDLINE","COMMONFILES32","COMMONFILES64","COMMONFILES","COOKIES","DESKTOP","DOCUMENTS","EXEDIR","EXEFILE","EXEPATH","FAVORITES","FONTS","HISTORY","HWNDPARENT","INSTDIR","INTERNET_CACHE","LANGUAGE","LOCALAPPDATA","MUSIC","NETHOOD","OUTDIR","PICTURES","PLUGINSDIR","PRINTHOOD","PROFILE","PROGRAMFILES32","PROGRAMFILES64","PROGRAMFILES","QUICKLAUNCH","RECENT","RESOURCES_LOCALIZED","RESOURCES","SENDTO","SMPROGRAMS","SMSTARTUP","STARTMENU","SYSDIR","TEMP","TEMPLATES","VIDEOS","WINDIR"],a=["ARCHIVE","FILE_ATTRIBUTE_ARCHIVE","FILE_ATTRIBUTE_NORMAL","FILE_ATTRIBUTE_OFFLINE","FILE_ATTRIBUTE_READONLY","FILE_ATTRIBUTE_SYSTEM","FILE_ATTRIBUTE_TEMPORARY","HKCR","HKCU","HKDD","HKEY_CLASSES_ROOT","HKEY_CURRENT_CONFIG","HKEY_CURRENT_USER","HKEY_DYN_DATA","HKEY_LOCAL_MACHINE","HKEY_PERFORMANCE_DATA","HKEY_USERS","HKLM","HKPD","HKU","IDABORT","IDCANCEL","IDIGNORE","IDNO","IDOK","IDRETRY","IDYES","MB_ABORTRETRYIGNORE","MB_DEFBUTTON1","MB_DEFBUTTON2","MB_DEFBUTTON3","MB_DEFBUTTON4","MB_ICONEXCLAMATION","MB_ICONINFORMATION","MB_ICONQUESTION","MB_ICONSTOP","MB_OK","MB_OKCANCEL","MB_RETRYCANCEL","MB_RIGHT","MB_RTLREADING","MB_SETFOREGROUND","MB_TOPMOST","MB_USERICON","MB_YESNO","NORMAL","OFFLINE","READONLY","SHCTX","SHELL_CONTEXT","SYSTEM|TEMPORARY"],o=["addincludedir","addplugindir","appendfile","assert","cd","define","delfile","echo","else","endif","error","execute","finalize","getdllversion","gettlbversion","if","ifdef","ifmacrodef","ifmacrondef","ifndef","include","insertmacro","macro","macroend","makensis","packhdr","searchparse","searchreplace","system","tempfile","undef","uninstfinalize","verbose","warning"],l={className:"variable.constant",begin:n.concat(/\$/,n.either(...r))},u={className:"variable",begin:/\$+\{[\!\w.:-]+\}/},c={className:"variable",begin:/\$+\w[\w\.]*/,illegal:/\(\)\{\}/},d={className:"variable",begin:/\$+\([\w^.:!-]+\)/},S={className:"params",begin:n.either(...a)},_={className:"keyword",begin:n.concat(/!/,n.either(...o))},E={className:"char.escape",begin:/\$(\\[nrt]|\$)/},T={className:"title.function",begin:/\w+::\w+/},y={className:"string",variants:[{begin:'"',end:'"'},{begin:"'",end:"'"},{begin:"`",end:"`"}],illegal:/\n/,contains:[E,l,u,c,d]},M=["Abort","AddBrandingImage","AddSize","AllowRootDirInstall","AllowSkipFiles","AutoCloseWindow","BGFont","BGGradient","BrandingText","BringToFront","Call","CallInstDLL","Caption","ChangeUI","CheckBitmap","ClearErrors","CompletedText","ComponentText","CopyFiles","CRCCheck","CreateDirectory","CreateFont","CreateShortCut","Delete","DeleteINISec","DeleteINIStr","DeleteRegKey","DeleteRegValue","DetailPrint","DetailsButtonText","DirText","DirVar","DirVerify","EnableWindow","EnumRegKey","EnumRegValue","Exch","Exec","ExecShell","ExecShellWait","ExecWait","ExpandEnvStrings","File","FileBufSize","FileClose","FileErrorText","FileOpen","FileRead","FileReadByte","FileReadUTF16LE","FileReadWord","FileWriteUTF16LE","FileSeek","FileWrite","FileWriteByte","FileWriteWord","FindClose","FindFirst","FindNext","FindWindow","FlushINI","GetCurInstType","GetCurrentAddress","GetDlgItem","GetDLLVersion","GetDLLVersionLocal","GetErrorLevel","GetFileTime","GetFileTimeLocal","GetFullPathName","GetFunctionAddress","GetInstDirError","GetKnownFolderPath","GetLabelAddress","GetTempFileName","GetWinVer","Goto","HideWindow","Icon","IfAbort","IfErrors","IfFileExists","IfRebootFlag","IfRtlLanguage","IfShellVarContextAll","IfSilent","InitPluginsDir","InstallButtonText","InstallColors","InstallDir","InstallDirRegKey","InstProgressFlags","InstType","InstTypeGetText","InstTypeSetText","Int64Cmp","Int64CmpU","Int64Fmt","IntCmp","IntCmpU","IntFmt","IntOp","IntPtrCmp","IntPtrCmpU","IntPtrOp","IsWindow","LangString","LicenseBkColor","LicenseData","LicenseForceSelection","LicenseLangString","LicenseText","LoadAndSetImage","LoadLanguageFile","LockWindow","LogSet","LogText","ManifestDPIAware","ManifestLongPathAware","ManifestMaxVersionTested","ManifestSupportedOS","MessageBox","MiscButtonText","Name|0","Nop","OutFile","Page","PageCallbacks","PEAddResource","PEDllCharacteristics","PERemoveResource","PESubsysVer","Pop","Push","Quit","ReadEnvStr","ReadINIStr","ReadRegDWORD","ReadRegStr","Reboot","RegDLL","Rename","RequestExecutionLevel","ReserveFile","Return","RMDir","SearchPath","SectionGetFlags","SectionGetInstTypes","SectionGetSize","SectionGetText","SectionIn","SectionSetFlags","SectionSetInstTypes","SectionSetSize","SectionSetText","SendMessage","SetAutoClose","SetBrandingImage","SetCompress","SetCompressor","SetCompressorDictSize","SetCtlColors","SetCurInstType","SetDatablockOptimize","SetDateSave","SetDetailsPrint","SetDetailsView","SetErrorLevel","SetErrors","SetFileAttributes","SetFont","SetOutPath","SetOverwrite","SetRebootFlag","SetRegView","SetShellVarContext","SetSilent","ShowInstDetails","ShowUninstDetails","ShowWindow","SilentInstall","SilentUnInstall","Sleep","SpaceTexts","StrCmp","StrCmpS","StrCpy","StrLen","SubCaption","Unicode","UninstallButtonText","UninstallCaption","UninstallIcon","UninstallSubCaption","UninstallText","UninstPage","UnRegDLL","Var","VIAddVersionKey","VIFileVersion","VIProductVersion","WindowIcon","WriteINIStr","WriteRegBin","WriteRegDWORD","WriteRegExpandStr","WriteRegMultiStr","WriteRegNone","WriteRegStr","WriteUninstaller","XPStyle"],v=["admin","all","auto","both","bottom","bzip2","colored","components","current","custom","directory","false","force","hide","highest","ifdiff","ifnewer","instfiles","lastused","leave","left","license","listonly","lzma","nevershow","none","normal","notset","off","on","open","print","right","show","silent","silentlog","smooth","textonly","top","true","try","un.components","un.custom","un.directory","un.instfiles","un.license","uninstConfirm","user","Win10","Win7","Win8","WinVista","zlib"],A={match:[/Function/,/\s+/,n.concat(/(\.)?/,t.IDENT_RE)],scope:{1:"keyword",3:"title.function"}},N={match:[/Var/,/\s+/,/(?:\/GLOBAL\s+)?/,/[A-Za-z][\w.]*/],scope:{1:"keyword",3:"params",4:"variable"}};return{name:"NSIS",case_insensitive:!0,keywords:{keyword:M,literal:v},contains:[t.HASH_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.COMMENT(";","$",{relevance:0}),N,A,{beginKeywords:"Function PageEx Section SectionGroup FunctionEnd SectionEnd"},y,_,u,c,d,S,T,t.NUMBER_MODE]}}return Dm=e,Dm}var xm,Ny;function Bk(){if(Ny)return xm;Ny=1;function e(t){const n={className:"built_in",begin:"\\b(AV|CA|CF|CG|CI|CL|CM|CN|CT|MK|MP|MTK|MTL|NS|SCN|SK|UI|WK|XC)\\w+"},r=/[a-zA-Z@][a-zA-Z0-9_]*/,c={"variable.language":["this","super"],$pattern:r,keyword:["while","export","sizeof","typedef","const","struct","for","union","volatile","static","mutable","if","do","return","goto","enum","else","break","extern","asm","case","default","register","explicit","typename","switch","continue","inline","readonly","assign","readwrite","self","@synchronized","id","typeof","nonatomic","IBOutlet","IBAction","strong","weak","copy","in","out","inout","bycopy","byref","oneway","__strong","__weak","__block","__autoreleasing","@private","@protected","@public","@try","@property","@end","@throw","@catch","@finally","@autoreleasepool","@synthesize","@dynamic","@selector","@optional","@required","@encode","@package","@import","@defs","@compatibility_alias","__bridge","__bridge_transfer","__bridge_retained","__bridge_retain","__covariant","__contravariant","__kindof","_Nonnull","_Nullable","_Null_unspecified","__FUNCTION__","__PRETTY_FUNCTION__","__attribute__","getter","setter","retain","unsafe_unretained","nonnull","nullable","null_unspecified","null_resettable","class","instancetype","NS_DESIGNATED_INITIALIZER","NS_UNAVAILABLE","NS_REQUIRES_SUPER","NS_RETURNS_INNER_POINTER","NS_INLINE","NS_AVAILABLE","NS_DEPRECATED","NS_ENUM","NS_OPTIONS","NS_SWIFT_UNAVAILABLE","NS_ASSUME_NONNULL_BEGIN","NS_ASSUME_NONNULL_END","NS_REFINED_FOR_SWIFT","NS_SWIFT_NAME","NS_SWIFT_NOTHROW","NS_DURING","NS_HANDLER","NS_ENDHANDLER","NS_VALUERETURN","NS_VOIDRETURN"],literal:["false","true","FALSE","TRUE","nil","YES","NO","NULL"],built_in:["dispatch_once_t","dispatch_queue_t","dispatch_sync","dispatch_async","dispatch_once"],type:["int","float","char","unsigned","signed","short","long","double","wchar_t","unichar","void","bool","BOOL","id|0","_Bool"]},d={$pattern:r,keyword:["@interface","@class","@protocol","@implementation"]};return{name:"Objective-C",aliases:["mm","objc","obj-c","obj-c++","objective-c++"],keywords:c,illegal:"</",contains:[n,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.C_NUMBER_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,{className:"string",variants:[{begin:'@"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE]}]},{className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},t.inherit(t.QUOTE_STRING_MODE,{className:"string"}),{className:"string",begin:/<.*?>/,end:/$/,illegal:"\\n"},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{className:"class",begin:"("+d.keyword.join("|")+")\\b",end:/(\{|$)/,excludeEnd:!0,keywords:d,contains:[t.UNDERSCORE_TITLE_MODE]},{begin:"\\."+t.UNDERSCORE_IDENT_RE,relevance:0}]}}return xm=e,xm}var wm,Iy;function Uk(){if(Iy)return wm;Iy=1;function e(t){return{name:"OCaml",aliases:["ml"],keywords:{$pattern:"[a-z_]\\w*!?",keyword:"and as assert asr begin class constraint do done downto else end exception external for fun function functor if in include inherit! inherit initializer land lazy let lor lsl lsr lxor match method!|10 method mod module mutable new object of open! open or private rec sig struct then to try type val! val virtual when while with parser value",built_in:"array bool bytes char exn|5 float int int32 int64 list lazy_t|5 nativeint|5 string unit in_channel out_channel ref",literal:"true false"},illegal:/\/\/|>>/,contains:[{className:"literal",begin:"\\[(\\|\\|)?\\]|\\(\\)",relevance:0},t.COMMENT("\\(\\*","\\*\\)",{contains:["self"]}),{className:"symbol",begin:"'[A-Za-z_](?!')[\\w']*"},{className:"type",begin:"`[A-Z][\\w']*"},{className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},{begin:"[a-z_]\\w*'[\\w']*",relevance:0},t.inherit(t.APOS_STRING_MODE,{className:"string",relevance:0}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{className:"number",begin:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",relevance:0},{begin:/->/}]}}return wm=e,wm}var Lm,Dy;function Gk(){if(Dy)return Lm;Dy=1;function e(t){const n={className:"keyword",begin:"\\$(f[asn]|t|vp[rtd]|children)"},r={className:"literal",begin:"false|true|PI|undef"},a={className:"number",begin:"\\b\\d+(\\.\\d+)?(e-?\\d+)?",relevance:0},o=t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),l={className:"meta",keywords:{keyword:"include use"},begin:"include|use <",end:">"},u={className:"params",begin:"\\(",end:"\\)",contains:["self",a,o,n,r]},c={begin:"[*!#%]",relevance:0},d={className:"function",beginKeywords:"module function",end:/=|\{/,contains:[u,t.UNDERSCORE_TITLE_MODE]};return{name:"OpenSCAD",aliases:["scad"],keywords:{keyword:"function module include use for intersection_for if else \\%",literal:"false true PI undef",built_in:"circle square polygon text sphere cube cylinder polyhedron translate rotate scale resize mirror multmatrix color offset hull minkowski union difference intersection abs sign sin cos tan acos asin atan atan2 floor round ceil ln log pow sqrt exp rands min max concat lookup str chr search version version_num norm cross parent_module echo import import_dxf dxf_linear_extrude linear_extrude rotate_extrude surface projection render children dxf_cross dxf_dim let assign"},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,a,l,o,n,c,d]}}return Lm=e,Lm}var Mm,xy;function Hk(){if(xy)return Mm;xy=1;function e(t){const n={$pattern:/\.?\w+/,keyword:"abstract add and array as asc aspect assembly async begin break block by case class concat const copy constructor continue create default delegate desc distinct div do downto dynamic each else empty end ensure enum equals event except exit extension external false final finalize finalizer finally flags for forward from function future global group has if implementation implements implies in index inherited inline interface into invariants is iterator join locked locking loop matching method mod module namespace nested new nil not notify nullable of old on operator or order out override parallel params partial pinned private procedure property protected public queryable raise read readonly record reintroduce remove repeat require result reverse sealed select self sequence set shl shr skip static step soft take then to true try tuple type union unit unsafe until uses using var virtual raises volatile where while with write xor yield await mapped deprecated stdcall cdecl pascal register safecall overload library platform reference packed strict published autoreleasepool selector strong weak unretained"},r=t.COMMENT(/\{/,/\}/,{relevance:0}),a=t.COMMENT("\\(\\*","\\*\\)",{relevance:10}),o={className:"string",begin:"'",end:"'",contains:[{begin:"''"}]},l={className:"string",begin:"(#\\d+)+"},u={beginKeywords:"function constructor destructor procedure method",end:"[:;]",keywords:"function constructor|10 destructor|10 procedure|10 method|10",contains:[t.inherit(t.TITLE_MODE,{scope:"title.function"}),{className:"params",begin:"\\(",end:"\\)",keywords:n,contains:[o,l]},r,a]},c={scope:"punctuation",match:/;/,relevance:0};return{name:"Oxygene",case_insensitive:!0,keywords:n,illegal:'("|\\$[G-Zg-z]|\\/\\*|</|=>|->)',contains:[r,a,t.C_LINE_COMMENT_MODE,o,l,t.NUMBER_MODE,u,c]}}return Mm=e,Mm}var km,wy;function qk(){if(wy)return km;wy=1;function e(t){const n=t.COMMENT(/\{/,/\}/,{contains:["self"]});return{name:"Parser3",subLanguage:"xml",relevance:0,contains:[t.COMMENT("^#","$"),t.COMMENT(/\^rem\{/,/\}/,{relevance:10,contains:[n]}),{className:"meta",begin:"^@(?:BASE|USE|CLASS|OPTIONS)$",relevance:10},{className:"title",begin:"@[\\w\\-]+\\[[\\w^;\\-]*\\](?:\\[[\\w^;\\-]*\\])?(?:.*)$"},{className:"variable",begin:/\$\{?[\w\-.:]+\}?/},{className:"keyword",begin:/\^[\w\-.:]+/},{className:"number",begin:"\\^#[0-9a-fA-F]+"},t.C_NUMBER_MODE]}}return km=e,km}var Pm,Ly;function Yk(){if(Ly)return Pm;Ly=1;function e(t){const n={className:"variable",begin:/\$[\w\d#@][\w\d_]*/,relevance:0},r={className:"variable",begin:/<(?!\/)/,end:/>/};return{name:"Packet Filter config",aliases:["pf.conf"],keywords:{$pattern:/[a-z0-9_<>-]+/,built_in:"block match pass load anchor|5 antispoof|10 set table",keyword:"in out log quick on rdomain inet inet6 proto from port os to route allow-opts divert-packet divert-reply divert-to flags group icmp-type icmp6-type label once probability recieved-on rtable prio queue tos tag tagged user keep fragment for os drop af-to|10 binat-to|10 nat-to|10 rdr-to|10 bitmask least-stats random round-robin source-hash static-port dup-to reply-to route-to parent bandwidth default min max qlimit block-policy debug fingerprints hostid limit loginterface optimization reassemble ruleset-optimization basic none profile skip state-defaults state-policy timeout const counters persist no modulate synproxy state|5 floating if-bound no-sync pflow|10 sloppy source-track global rule max-src-nodes max-src-states max-src-conn max-src-conn-rate overload flush scrub|5 max-mss min-ttl no-df|10 random-id",literal:"all any no-route self urpf-failed egress|5 unknown"},contains:[t.HASH_COMMENT_MODE,t.NUMBER_MODE,t.QUOTE_STRING_MODE,n,r]}}return Pm=e,Pm}var Fm,My;function Wk(){if(My)return Fm;My=1;function e(t){const n=t.COMMENT("--","$"),r="[a-zA-Z_][a-zA-Z_0-9$]*",a="\\$([a-zA-Z_]?|[a-zA-Z_][a-zA-Z_0-9]*)\\$",o="<<\\s*"+r+"\\s*>>",l="ABORT ALTER ANALYZE BEGIN CALL CHECKPOINT|10 CLOSE CLUSTER COMMENT COMMIT COPY CREATE DEALLOCATE DECLARE DELETE DISCARD DO DROP END EXECUTE EXPLAIN FETCH GRANT IMPORT INSERT LISTEN LOAD LOCK MOVE NOTIFY PREPARE REASSIGN|10 REFRESH REINDEX RELEASE RESET REVOKE ROLLBACK SAVEPOINT SECURITY SELECT SET SHOW START TRUNCATE UNLISTEN|10 UPDATE VACUUM|10 VALUES AGGREGATE COLLATION CONVERSION|10 DATABASE DEFAULT PRIVILEGES DOMAIN TRIGGER EXTENSION FOREIGN WRAPPER|10 TABLE FUNCTION GROUP LANGUAGE LARGE OBJECT MATERIALIZED VIEW OPERATOR CLASS FAMILY POLICY PUBLICATION|10 ROLE RULE SCHEMA SEQUENCE SERVER STATISTICS SUBSCRIPTION SYSTEM TABLESPACE CONFIGURATION DICTIONARY PARSER TEMPLATE TYPE USER MAPPING PREPARED ACCESS METHOD CAST AS TRANSFORM TRANSACTION OWNED TO INTO SESSION AUTHORIZATION INDEX PROCEDURE ASSERTION ALL ANALYSE AND ANY ARRAY ASC ASYMMETRIC|10 BOTH CASE CHECK COLLATE COLUMN CONCURRENTLY|10 CONSTRAINT CROSS DEFERRABLE RANGE DESC DISTINCT ELSE EXCEPT FOR FREEZE|10 FROM FULL HAVING ILIKE IN INITIALLY INNER INTERSECT IS ISNULL JOIN LATERAL LEADING LIKE LIMIT NATURAL NOT NOTNULL NULL OFFSET ON ONLY OR ORDER OUTER OVERLAPS PLACING PRIMARY REFERENCES RETURNING SIMILAR SOME SYMMETRIC TABLESAMPLE THEN TRAILING UNION UNIQUE USING VARIADIC|10 VERBOSE WHEN WHERE WINDOW WITH BY RETURNS INOUT OUT SETOF|10 IF STRICT CURRENT CONTINUE OWNER LOCATION OVER PARTITION WITHIN BETWEEN ESCAPE EXTERNAL INVOKER DEFINER WORK RENAME VERSION CONNECTION CONNECT TABLES TEMP TEMPORARY FUNCTIONS SEQUENCES TYPES SCHEMAS OPTION CASCADE RESTRICT ADD ADMIN EXISTS VALID VALIDATE ENABLE DISABLE REPLICA|10 ALWAYS PASSING COLUMNS PATH REF VALUE OVERRIDING IMMUTABLE STABLE VOLATILE BEFORE AFTER EACH ROW PROCEDURAL ROUTINE NO HANDLER VALIDATOR OPTIONS STORAGE OIDS|10 WITHOUT INHERIT DEPENDS CALLED INPUT LEAKPROOF|10 COST ROWS NOWAIT SEARCH UNTIL ENCRYPTED|10 PASSWORD CONFLICT|10 INSTEAD INHERITS CHARACTERISTICS WRITE CURSOR ALSO STATEMENT SHARE EXCLUSIVE INLINE ISOLATION REPEATABLE READ COMMITTED SERIALIZABLE UNCOMMITTED LOCAL GLOBAL SQL PROCEDURES RECURSIVE SNAPSHOT ROLLUP CUBE TRUSTED|10 INCLUDE FOLLOWING PRECEDING UNBOUNDED RANGE GROUPS UNENCRYPTED|10 SYSID FORMAT DELIMITER HEADER QUOTE ENCODING FILTER OFF FORCE_QUOTE FORCE_NOT_NULL FORCE_NULL COSTS BUFFERS TIMING SUMMARY DISABLE_PAGE_SKIPPING RESTART CYCLE GENERATED IDENTITY DEFERRED IMMEDIATE LEVEL LOGGED UNLOGGED OF NOTHING NONE EXCLUDE ATTRIBUTE USAGE ROUTINES TRUE FALSE NAN INFINITY ",u="SUPERUSER NOSUPERUSER CREATEDB NOCREATEDB CREATEROLE NOCREATEROLE INHERIT NOINHERIT LOGIN NOLOGIN REPLICATION NOREPLICATION BYPASSRLS NOBYPASSRLS ",c="ALIAS BEGIN CONSTANT DECLARE END EXCEPTION RETURN PERFORM|10 RAISE GET DIAGNOSTICS STACKED|10 FOREACH LOOP ELSIF EXIT WHILE REVERSE SLICE DEBUG LOG INFO NOTICE WARNING ASSERT OPEN ",d="BIGINT INT8 BIGSERIAL SERIAL8 BIT VARYING VARBIT BOOLEAN BOOL BOX BYTEA CHARACTER CHAR VARCHAR CIDR CIRCLE DATE DOUBLE PRECISION FLOAT8 FLOAT INET INTEGER INT INT4 INTERVAL JSON JSONB LINE LSEG|10 MACADDR MACADDR8 MONEY NUMERIC DEC DECIMAL PATH POINT POLYGON REAL FLOAT4 SMALLINT INT2 SMALLSERIAL|10 SERIAL2|10 SERIAL|10 SERIAL4|10 TEXT TIME ZONE TIMETZ|10 TIMESTAMP TIMESTAMPTZ|10 TSQUERY|10 TSVECTOR|10 TXID_SNAPSHOT|10 UUID XML NATIONAL NCHAR INT4RANGE|10 INT8RANGE|10 NUMRANGE|10 TSRANGE|10 TSTZRANGE|10 DATERANGE|10 ANYELEMENT ANYARRAY ANYNONARRAY ANYENUM ANYRANGE CSTRING INTERNAL RECORD PG_DDL_COMMAND VOID UNKNOWN OPAQUE REFCURSOR NAME OID REGPROC|10 REGPROCEDURE|10 REGOPER|10 REGOPERATOR|10 REGCLASS|10 REGTYPE|10 REGROLE|10 REGNAMESPACE|10 REGCONFIG|10 REGDICTIONARY|10 ",S=d.trim().split(" ").map(function(v){return v.split("|")[0]}).join("|"),_="CURRENT_TIME CURRENT_TIMESTAMP CURRENT_USER CURRENT_CATALOG|10 CURRENT_DATE LOCALTIME LOCALTIMESTAMP CURRENT_ROLE|10 CURRENT_SCHEMA|10 SESSION_USER PUBLIC ",E="FOUND NEW OLD TG_NAME|10 TG_WHEN|10 TG_LEVEL|10 TG_OP|10 TG_RELID|10 TG_RELNAME|10 TG_TABLE_NAME|10 TG_TABLE_SCHEMA|10 TG_NARGS|10 TG_ARGV|10 TG_EVENT|10 TG_TAG|10 ROW_COUNT RESULT_OID|10 PG_CONTEXT|10 RETURNED_SQLSTATE COLUMN_NAME CONSTRAINT_NAME PG_DATATYPE_NAME|10 MESSAGE_TEXT TABLE_NAME SCHEMA_NAME PG_EXCEPTION_DETAIL|10 PG_EXCEPTION_HINT|10 PG_EXCEPTION_CONTEXT|10 ",T="SQLSTATE SQLERRM|10 SUCCESSFUL_COMPLETION WARNING DYNAMIC_RESULT_SETS_RETURNED IMPLICIT_ZERO_BIT_PADDING NULL_VALUE_ELIMINATED_IN_SET_FUNCTION PRIVILEGE_NOT_GRANTED PRIVILEGE_NOT_REVOKED STRING_DATA_RIGHT_TRUNCATION DEPRECATED_FEATURE NO_DATA NO_ADDITIONAL_DYNAMIC_RESULT_SETS_RETURNED SQL_STATEMENT_NOT_YET_COMPLETE CONNECTION_EXCEPTION CONNECTION_DOES_NOT_EXIST CONNECTION_FAILURE SQLCLIENT_UNABLE_TO_ESTABLISH_SQLCONNECTION SQLSERVER_REJECTED_ESTABLISHMENT_OF_SQLCONNECTION TRANSACTION_RESOLUTION_UNKNOWN PROTOCOL_VIOLATION TRIGGERED_ACTION_EXCEPTION FEATURE_NOT_SUPPORTED INVALID_TRANSACTION_INITIATION LOCATOR_EXCEPTION INVALID_LOCATOR_SPECIFICATION INVALID_GRANTOR INVALID_GRANT_OPERATION INVALID_ROLE_SPECIFICATION DIAGNOSTICS_EXCEPTION STACKED_DIAGNOSTICS_ACCESSED_WITHOUT_ACTIVE_HANDLER CASE_NOT_FOUND CARDINALITY_VIOLATION DATA_EXCEPTION ARRAY_SUBSCRIPT_ERROR CHARACTER_NOT_IN_REPERTOIRE DATETIME_FIELD_OVERFLOW DIVISION_BY_ZERO ERROR_IN_ASSIGNMENT ESCAPE_CHARACTER_CONFLICT INDICATOR_OVERFLOW INTERVAL_FIELD_OVERFLOW INVALID_ARGUMENT_FOR_LOGARITHM INVALID_ARGUMENT_FOR_NTILE_FUNCTION INVALID_ARGUMENT_FOR_NTH_VALUE_FUNCTION INVALID_ARGUMENT_FOR_POWER_FUNCTION INVALID_ARGUMENT_FOR_WIDTH_BUCKET_FUNCTION INVALID_CHARACTER_VALUE_FOR_CAST INVALID_DATETIME_FORMAT INVALID_ESCAPE_CHARACTER INVALID_ESCAPE_OCTET INVALID_ESCAPE_SEQUENCE NONSTANDARD_USE_OF_ESCAPE_CHARACTER INVALID_INDICATOR_PARAMETER_VALUE INVALID_PARAMETER_VALUE INVALID_REGULAR_EXPRESSION INVALID_ROW_COUNT_IN_LIMIT_CLAUSE INVALID_ROW_COUNT_IN_RESULT_OFFSET_CLAUSE INVALID_TABLESAMPLE_ARGUMENT INVALID_TABLESAMPLE_REPEAT INVALID_TIME_ZONE_DISPLACEMENT_VALUE INVALID_USE_OF_ESCAPE_CHARACTER MOST_SPECIFIC_TYPE_MISMATCH NULL_VALUE_NOT_ALLOWED NULL_VALUE_NO_INDICATOR_PARAMETER NUMERIC_VALUE_OUT_OF_RANGE SEQUENCE_GENERATOR_LIMIT_EXCEEDED STRING_DATA_LENGTH_MISMATCH STRING_DATA_RIGHT_TRUNCATION SUBSTRING_ERROR TRIM_ERROR UNTERMINATED_C_STRING ZERO_LENGTH_CHARACTER_STRING FLOATING_POINT_EXCEPTION INVALID_TEXT_REPRESENTATION INVALID_BINARY_REPRESENTATION BAD_COPY_FILE_FORMAT UNTRANSLATABLE_CHARACTER NOT_AN_XML_DOCUMENT INVALID_XML_DOCUMENT INVALID_XML_CONTENT INVALID_XML_COMMENT INVALID_XML_PROCESSING_INSTRUCTION INTEGRITY_CONSTRAINT_VIOLATION RESTRICT_VIOLATION NOT_NULL_VIOLATION FOREIGN_KEY_VIOLATION UNIQUE_VIOLATION CHECK_VIOLATION EXCLUSION_VIOLATION INVALID_CURSOR_STATE INVALID_TRANSACTION_STATE ACTIVE_SQL_TRANSACTION BRANCH_TRANSACTION_ALREADY_ACTIVE HELD_CURSOR_REQUIRES_SAME_ISOLATION_LEVEL INAPPROPRIATE_ACCESS_MODE_FOR_BRANCH_TRANSACTION INAPPROPRIATE_ISOLATION_LEVEL_FOR_BRANCH_TRANSACTION NO_ACTIVE_SQL_TRANSACTION_FOR_BRANCH_TRANSACTION READ_ONLY_SQL_TRANSACTION SCHEMA_AND_DATA_STATEMENT_MIXING_NOT_SUPPORTED NO_ACTIVE_SQL_TRANSACTION IN_FAILED_SQL_TRANSACTION IDLE_IN_TRANSACTION_SESSION_TIMEOUT INVALID_SQL_STATEMENT_NAME TRIGGERED_DATA_CHANGE_VIOLATION INVALID_AUTHORIZATION_SPECIFICATION INVALID_PASSWORD DEPENDENT_PRIVILEGE_DESCRIPTORS_STILL_EXIST DEPENDENT_OBJECTS_STILL_EXIST INVALID_TRANSACTION_TERMINATION SQL_ROUTINE_EXCEPTION FUNCTION_EXECUTED_NO_RETURN_STATEMENT MODIFYING_SQL_DATA_NOT_PERMITTED PROHIBITED_SQL_STATEMENT_ATTEMPTED READING_SQL_DATA_NOT_PERMITTED INVALID_CURSOR_NAME EXTERNAL_ROUTINE_EXCEPTION CONTAINING_SQL_NOT_PERMITTED MODIFYING_SQL_DATA_NOT_PERMITTED PROHIBITED_SQL_STATEMENT_ATTEMPTED READING_SQL_DATA_NOT_PERMITTED EXTERNAL_ROUTINE_INVOCATION_EXCEPTION INVALID_SQLSTATE_RETURNED NULL_VALUE_NOT_ALLOWED TRIGGER_PROTOCOL_VIOLATED SRF_PROTOCOL_VIOLATED EVENT_TRIGGER_PROTOCOL_VIOLATED SAVEPOINT_EXCEPTION INVALID_SAVEPOINT_SPECIFICATION INVALID_CATALOG_NAME INVALID_SCHEMA_NAME TRANSACTION_ROLLBACK TRANSACTION_INTEGRITY_CONSTRAINT_VIOLATION SERIALIZATION_FAILURE STATEMENT_COMPLETION_UNKNOWN DEADLOCK_DETECTED SYNTAX_ERROR_OR_ACCESS_RULE_VIOLATION SYNTAX_ERROR INSUFFICIENT_PRIVILEGE CANNOT_COERCE GROUPING_ERROR WINDOWING_ERROR INVALID_RECURSION INVALID_FOREIGN_KEY INVALID_NAME NAME_TOO_LONG RESERVED_NAME DATATYPE_MISMATCH INDETERMINATE_DATATYPE COLLATION_MISMATCH INDETERMINATE_COLLATION WRONG_OBJECT_TYPE GENERATED_ALWAYS UNDEFINED_COLUMN UNDEFINED_FUNCTION UNDEFINED_TABLE UNDEFINED_PARAMETER UNDEFINED_OBJECT DUPLICATE_COLUMN DUPLICATE_CURSOR DUPLICATE_DATABASE DUPLICATE_FUNCTION DUPLICATE_PREPARED_STATEMENT DUPLICATE_SCHEMA DUPLICATE_TABLE DUPLICATE_ALIAS DUPLICATE_OBJECT AMBIGUOUS_COLUMN AMBIGUOUS_FUNCTION AMBIGUOUS_PARAMETER AMBIGUOUS_ALIAS INVALID_COLUMN_REFERENCE INVALID_COLUMN_DEFINITION INVALID_CURSOR_DEFINITION INVALID_DATABASE_DEFINITION INVALID_FUNCTION_DEFINITION INVALID_PREPARED_STATEMENT_DEFINITION INVALID_SCHEMA_DEFINITION INVALID_TABLE_DEFINITION INVALID_OBJECT_DEFINITION WITH_CHECK_OPTION_VIOLATION INSUFFICIENT_RESOURCES DISK_FULL OUT_OF_MEMORY TOO_MANY_CONNECTIONS CONFIGURATION_LIMIT_EXCEEDED PROGRAM_LIMIT_EXCEEDED STATEMENT_TOO_COMPLEX TOO_MANY_COLUMNS TOO_MANY_ARGUMENTS OBJECT_NOT_IN_PREREQUISITE_STATE OBJECT_IN_USE CANT_CHANGE_RUNTIME_PARAM LOCK_NOT_AVAILABLE OPERATOR_INTERVENTION QUERY_CANCELED ADMIN_SHUTDOWN CRASH_SHUTDOWN CANNOT_CONNECT_NOW DATABASE_DROPPED SYSTEM_ERROR IO_ERROR UNDEFINED_FILE DUPLICATE_FILE SNAPSHOT_TOO_OLD CONFIG_FILE_ERROR LOCK_FILE_EXISTS FDW_ERROR FDW_COLUMN_NAME_NOT_FOUND FDW_DYNAMIC_PARAMETER_VALUE_NEEDED FDW_FUNCTION_SEQUENCE_ERROR FDW_INCONSISTENT_DESCRIPTOR_INFORMATION FDW_INVALID_ATTRIBUTE_VALUE FDW_INVALID_COLUMN_NAME FDW_INVALID_COLUMN_NUMBER FDW_INVALID_DATA_TYPE FDW_INVALID_DATA_TYPE_DESCRIPTORS FDW_INVALID_DESCRIPTOR_FIELD_IDENTIFIER FDW_INVALID_HANDLE FDW_INVALID_OPTION_INDEX FDW_INVALID_OPTION_NAME FDW_INVALID_STRING_LENGTH_OR_BUFFER_LENGTH FDW_INVALID_STRING_FORMAT FDW_INVALID_USE_OF_NULL_POINTER FDW_TOO_MANY_HANDLES FDW_OUT_OF_MEMORY FDW_NO_SCHEMAS FDW_OPTION_NAME_NOT_FOUND FDW_REPLY_HANDLE FDW_SCHEMA_NOT_FOUND FDW_TABLE_NOT_FOUND FDW_UNABLE_TO_CREATE_EXECUTION FDW_UNABLE_TO_CREATE_REPLY FDW_UNABLE_TO_ESTABLISH_CONNECTION PLPGSQL_ERROR RAISE_EXCEPTION NO_DATA_FOUND TOO_MANY_ROWS ASSERT_FAILURE INTERNAL_ERROR DATA_CORRUPTED INDEX_CORRUPTED ",M="ARRAY_AGG AVG BIT_AND BIT_OR BOOL_AND BOOL_OR COUNT EVERY JSON_AGG JSONB_AGG JSON_OBJECT_AGG JSONB_OBJECT_AGG MAX MIN MODE STRING_AGG SUM XMLAGG CORR COVAR_POP COVAR_SAMP REGR_AVGX REGR_AVGY REGR_COUNT REGR_INTERCEPT REGR_R2 REGR_SLOPE REGR_SXX REGR_SXY REGR_SYY STDDEV STDDEV_POP STDDEV_SAMP VARIANCE VAR_POP VAR_SAMP PERCENTILE_CONT PERCENTILE_DISC ROW_NUMBER RANK DENSE_RANK PERCENT_RANK CUME_DIST NTILE LAG LEAD FIRST_VALUE LAST_VALUE NTH_VALUE NUM_NONNULLS NUM_NULLS ABS CBRT CEIL CEILING DEGREES DIV EXP FLOOR LN LOG MOD PI POWER RADIANS ROUND SCALE SIGN SQRT TRUNC WIDTH_BUCKET RANDOM SETSEED ACOS ACOSD ASIN ASIND ATAN ATAND ATAN2 ATAN2D COS COSD COT COTD SIN SIND TAN TAND BIT_LENGTH CHAR_LENGTH CHARACTER_LENGTH LOWER OCTET_LENGTH OVERLAY POSITION SUBSTRING TREAT TRIM UPPER ASCII BTRIM CHR CONCAT CONCAT_WS CONVERT CONVERT_FROM CONVERT_TO DECODE ENCODE INITCAP LEFT LENGTH LPAD LTRIM MD5 PARSE_IDENT PG_CLIENT_ENCODING QUOTE_IDENT|10 QUOTE_LITERAL|10 QUOTE_NULLABLE|10 REGEXP_MATCH REGEXP_MATCHES REGEXP_REPLACE REGEXP_SPLIT_TO_ARRAY REGEXP_SPLIT_TO_TABLE REPEAT REPLACE REVERSE RIGHT RPAD RTRIM SPLIT_PART STRPOS SUBSTR TO_ASCII TO_HEX TRANSLATE OCTET_LENGTH GET_BIT GET_BYTE SET_BIT SET_BYTE TO_CHAR TO_DATE TO_NUMBER TO_TIMESTAMP AGE CLOCK_TIMESTAMP|10 DATE_PART DATE_TRUNC ISFINITE JUSTIFY_DAYS JUSTIFY_HOURS JUSTIFY_INTERVAL MAKE_DATE MAKE_INTERVAL|10 MAKE_TIME MAKE_TIMESTAMP|10 MAKE_TIMESTAMPTZ|10 NOW STATEMENT_TIMESTAMP|10 TIMEOFDAY TRANSACTION_TIMESTAMP|10 ENUM_FIRST ENUM_LAST ENUM_RANGE AREA CENTER DIAMETER HEIGHT ISCLOSED ISOPEN NPOINTS PCLOSE POPEN RADIUS WIDTH BOX BOUND_BOX CIRCLE LINE LSEG PATH POLYGON ABBREV BROADCAST HOST HOSTMASK MASKLEN NETMASK NETWORK SET_MASKLEN TEXT INET_SAME_FAMILY INET_MERGE MACADDR8_SET7BIT ARRAY_TO_TSVECTOR GET_CURRENT_TS_CONFIG NUMNODE PLAINTO_TSQUERY PHRASETO_TSQUERY WEBSEARCH_TO_TSQUERY QUERYTREE SETWEIGHT STRIP TO_TSQUERY TO_TSVECTOR JSON_TO_TSVECTOR JSONB_TO_TSVECTOR TS_DELETE TS_FILTER TS_HEADLINE TS_RANK TS_RANK_CD TS_REWRITE TSQUERY_PHRASE TSVECTOR_TO_ARRAY TSVECTOR_UPDATE_TRIGGER TSVECTOR_UPDATE_TRIGGER_COLUMN XMLCOMMENT XMLCONCAT XMLELEMENT XMLFOREST XMLPI XMLROOT XMLEXISTS XML_IS_WELL_FORMED XML_IS_WELL_FORMED_DOCUMENT XML_IS_WELL_FORMED_CONTENT XPATH XPATH_EXISTS XMLTABLE XMLNAMESPACES TABLE_TO_XML TABLE_TO_XMLSCHEMA TABLE_TO_XML_AND_XMLSCHEMA QUERY_TO_XML QUERY_TO_XMLSCHEMA QUERY_TO_XML_AND_XMLSCHEMA CURSOR_TO_XML CURSOR_TO_XMLSCHEMA SCHEMA_TO_XML SCHEMA_TO_XMLSCHEMA SCHEMA_TO_XML_AND_XMLSCHEMA DATABASE_TO_XML DATABASE_TO_XMLSCHEMA DATABASE_TO_XML_AND_XMLSCHEMA XMLATTRIBUTES TO_JSON TO_JSONB ARRAY_TO_JSON ROW_TO_JSON JSON_BUILD_ARRAY JSONB_BUILD_ARRAY JSON_BUILD_OBJECT JSONB_BUILD_OBJECT JSON_OBJECT JSONB_OBJECT JSON_ARRAY_LENGTH JSONB_ARRAY_LENGTH JSON_EACH JSONB_EACH JSON_EACH_TEXT JSONB_EACH_TEXT JSON_EXTRACT_PATH JSONB_EXTRACT_PATH JSON_OBJECT_KEYS JSONB_OBJECT_KEYS JSON_POPULATE_RECORD JSONB_POPULATE_RECORD JSON_POPULATE_RECORDSET JSONB_POPULATE_RECORDSET JSON_ARRAY_ELEMENTS JSONB_ARRAY_ELEMENTS JSON_ARRAY_ELEMENTS_TEXT JSONB_ARRAY_ELEMENTS_TEXT JSON_TYPEOF JSONB_TYPEOF JSON_TO_RECORD JSONB_TO_RECORD JSON_TO_RECORDSET JSONB_TO_RECORDSET JSON_STRIP_NULLS JSONB_STRIP_NULLS JSONB_SET JSONB_INSERT JSONB_PRETTY CURRVAL LASTVAL NEXTVAL SETVAL COALESCE NULLIF GREATEST LEAST ARRAY_APPEND ARRAY_CAT ARRAY_NDIMS ARRAY_DIMS ARRAY_FILL ARRAY_LENGTH ARRAY_LOWER ARRAY_POSITION ARRAY_POSITIONS ARRAY_PREPEND ARRAY_REMOVE ARRAY_REPLACE ARRAY_TO_STRING ARRAY_UPPER CARDINALITY STRING_TO_ARRAY UNNEST ISEMPTY LOWER_INC UPPER_INC LOWER_INF UPPER_INF RANGE_MERGE GENERATE_SERIES GENERATE_SUBSCRIPTS CURRENT_DATABASE CURRENT_QUERY CURRENT_SCHEMA|10 CURRENT_SCHEMAS|10 INET_CLIENT_ADDR INET_CLIENT_PORT INET_SERVER_ADDR INET_SERVER_PORT ROW_SECURITY_ACTIVE FORMAT_TYPE TO_REGCLASS TO_REGPROC TO_REGPROCEDURE TO_REGOPER TO_REGOPERATOR TO_REGTYPE TO_REGNAMESPACE TO_REGROLE COL_DESCRIPTION OBJ_DESCRIPTION SHOBJ_DESCRIPTION TXID_CURRENT TXID_CURRENT_IF_ASSIGNED TXID_CURRENT_SNAPSHOT TXID_SNAPSHOT_XIP TXID_SNAPSHOT_XMAX TXID_SNAPSHOT_XMIN TXID_VISIBLE_IN_SNAPSHOT TXID_STATUS CURRENT_SETTING SET_CONFIG BRIN_SUMMARIZE_NEW_VALUES BRIN_SUMMARIZE_RANGE BRIN_DESUMMARIZE_RANGE GIN_CLEAN_PENDING_LIST SUPPRESS_REDUNDANT_UPDATES_TRIGGER LO_FROM_BYTEA LO_PUT LO_GET LO_CREAT LO_CREATE LO_UNLINK LO_IMPORT LO_EXPORT LOREAD LOWRITE GROUPING CAST ".trim().split(" ").map(function(v){return v.split("|")[0]}).join("|");return{name:"PostgreSQL",aliases:["postgres","postgresql"],supersetOf:"sql",case_insensitive:!0,keywords:{keyword:l+c+u,built_in:_+E+T},illegal:/:==|\W\s*\(\*|(^|\s)\$[a-z]|\{\{|[a-z]:\s*$|\.\.\.|TO:|DO:/,contains:[{className:"keyword",variants:[{begin:/\bTEXT\s*SEARCH\b/},{begin:/\b(PRIMARY|FOREIGN|FOR(\s+NO)?)\s+KEY\b/},{begin:/\bPARALLEL\s+(UNSAFE|RESTRICTED|SAFE)\b/},{begin:/\bSTORAGE\s+(PLAIN|EXTERNAL|EXTENDED|MAIN)\b/},{begin:/\bMATCH\s+(FULL|PARTIAL|SIMPLE)\b/},{begin:/\bNULLS\s+(FIRST|LAST)\b/},{begin:/\bEVENT\s+TRIGGER\b/},{begin:/\b(MAPPING|OR)\s+REPLACE\b/},{begin:/\b(FROM|TO)\s+(PROGRAM|STDIN|STDOUT)\b/},{begin:/\b(SHARE|EXCLUSIVE)\s+MODE\b/},{begin:/\b(LEFT|RIGHT)\s+(OUTER\s+)?JOIN\b/},{begin:/\b(FETCH|MOVE)\s+(NEXT|PRIOR|FIRST|LAST|ABSOLUTE|RELATIVE|FORWARD|BACKWARD)\b/},{begin:/\bPRESERVE\s+ROWS\b/},{begin:/\bDISCARD\s+PLANS\b/},{begin:/\bREFERENCING\s+(OLD|NEW)\b/},{begin:/\bSKIP\s+LOCKED\b/},{begin:/\bGROUPING\s+SETS\b/},{begin:/\b(BINARY|INSENSITIVE|SCROLL|NO\s+SCROLL)\s+(CURSOR|FOR)\b/},{begin:/\b(WITH|WITHOUT)\s+HOLD\b/},{begin:/\bWITH\s+(CASCADED|LOCAL)\s+CHECK\s+OPTION\b/},{begin:/\bEXCLUDE\s+(TIES|NO\s+OTHERS)\b/},{begin:/\bFORMAT\s+(TEXT|XML|JSON|YAML)\b/},{begin:/\bSET\s+((SESSION|LOCAL)\s+)?NAMES\b/},{begin:/\bIS\s+(NOT\s+)?UNKNOWN\b/},{begin:/\bSECURITY\s+LABEL\b/},{begin:/\bSTANDALONE\s+(YES|NO|NO\s+VALUE)\b/},{begin:/\bWITH\s+(NO\s+)?DATA\b/},{begin:/\b(FOREIGN|SET)\s+DATA\b/},{begin:/\bSET\s+(CATALOG|CONSTRAINTS)\b/},{begin:/\b(WITH|FOR)\s+ORDINALITY\b/},{begin:/\bIS\s+(NOT\s+)?DOCUMENT\b/},{begin:/\bXML\s+OPTION\s+(DOCUMENT|CONTENT)\b/},{begin:/\b(STRIP|PRESERVE)\s+WHITESPACE\b/},{begin:/\bNO\s+(ACTION|MAXVALUE|MINVALUE)\b/},{begin:/\bPARTITION\s+BY\s+(RANGE|LIST|HASH)\b/},{begin:/\bAT\s+TIME\s+ZONE\b/},{begin:/\bGRANTED\s+BY\b/},{begin:/\bRETURN\s+(QUERY|NEXT)\b/},{begin:/\b(ATTACH|DETACH)\s+PARTITION\b/},{begin:/\bFORCE\s+ROW\s+LEVEL\s+SECURITY\b/},{begin:/\b(INCLUDING|EXCLUDING)\s+(COMMENTS|CONSTRAINTS|DEFAULTS|IDENTITY|INDEXES|STATISTICS|STORAGE|ALL)\b/},{begin:/\bAS\s+(ASSIGNMENT|IMPLICIT|PERMISSIVE|RESTRICTIVE|ENUM|RANGE)\b/}]},{begin:/\b(FORMAT|FAMILY|VERSION)\s*\(/},{begin:/\bINCLUDE\s*\(/,keywords:"INCLUDE"},{begin:/\bRANGE(?!\s*(BETWEEN|UNBOUNDED|CURRENT|[-0-9]+))/},{begin:/\b(VERSION|OWNER|TEMPLATE|TABLESPACE|CONNECTION\s+LIMIT|PROCEDURE|RESTRICT|JOIN|PARSER|COPY|START|END|COLLATION|INPUT|ANALYZE|STORAGE|LIKE|DEFAULT|DELIMITER|ENCODING|COLUMN|CONSTRAINT|TABLE|SCHEMA)\s*=/},{begin:/\b(PG_\w+?|HAS_[A-Z_]+_PRIVILEGE)\b/,relevance:10},{begin:/\bEXTRACT\s*\(/,end:/\bFROM\b/,returnEnd:!0,keywords:{type:"CENTURY DAY DECADE DOW DOY EPOCH HOUR ISODOW ISOYEAR MICROSECONDS MILLENNIUM MILLISECONDS MINUTE MONTH QUARTER SECOND TIMEZONE TIMEZONE_HOUR TIMEZONE_MINUTE WEEK YEAR"}},{begin:/\b(XMLELEMENT|XMLPI)\s*\(\s*NAME/,keywords:{keyword:"NAME"}},{begin:/\b(XMLPARSE|XMLSERIALIZE)\s*\(\s*(DOCUMENT|CONTENT)/,keywords:{keyword:"DOCUMENT CONTENT"}},{beginKeywords:"CACHE INCREMENT MAXVALUE MINVALUE",end:t.C_NUMBER_RE,returnEnd:!0,keywords:"BY CACHE INCREMENT MAXVALUE MINVALUE"},{className:"type",begin:/\b(WITH|WITHOUT)\s+TIME\s+ZONE\b/},{className:"type",begin:/\bINTERVAL\s+(YEAR|MONTH|DAY|HOUR|MINUTE|SECOND)(\s+TO\s+(MONTH|HOUR|MINUTE|SECOND))?\b/},{begin:/\bRETURNS\s+(LANGUAGE_HANDLER|TRIGGER|EVENT_TRIGGER|FDW_HANDLER|INDEX_AM_HANDLER|TSM_HANDLER)\b/,keywords:{keyword:"RETURNS",type:"LANGUAGE_HANDLER TRIGGER EVENT_TRIGGER FDW_HANDLER INDEX_AM_HANDLER TSM_HANDLER"}},{begin:"\\b("+M+")\\s*\\("},{begin:"\\.("+S+")\\b"},{begin:"\\b("+S+")\\s+PATH\\b",keywords:{keyword:"PATH",type:d.replace("PATH ","")}},{className:"type",begin:"\\b("+S+")\\b"},{className:"string",begin:"'",end:"'",contains:[{begin:"''"}]},{className:"string",begin:"(e|E|u&|U&)'",end:"'",contains:[{begin:"\\\\."}],relevance:10},t.END_SAME_AS_BEGIN({begin:a,end:a,contains:[{subLanguage:["pgsql","perl","python","tcl","r","lua","java","php","ruby","bash","scheme","xml","json"],endsWithParent:!0}]}),{begin:'"',end:'"',contains:[{begin:'""'}]},t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE,n,{className:"meta",variants:[{begin:"%(ROW)?TYPE",relevance:10},{begin:"\\$\\d+"},{begin:"^#\\w",end:"$"}]},{className:"symbol",begin:o,relevance:10}]}}return Fm=e,Fm}var Bm,ky;function Vk(){if(ky)return Bm;ky=1;function e(t){const n=t.regex,r=/(?![A-Za-z0-9])(?![$])/,a=n.concat(/[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*/,r),o=n.concat(/(\\?[A-Z][a-z0-9_\x7f-\xff]+|\\?[A-Z]+(?=[A-Z][a-z0-9_\x7f-\xff])){1,}/,r),l={scope:"variable",match:"\\$+"+a},u={scope:"meta",variants:[{begin:/<\?php/,relevance:10},{begin:/<\?=/},{begin:/<\?/,relevance:.1},{begin:/\?>/}]},c={scope:"subst",variants:[{begin:/\$\w+/},{begin:/\{\$/,end:/\}/}]},d=t.inherit(t.APOS_STRING_MODE,{illegal:null}),S=t.inherit(t.QUOTE_STRING_MODE,{illegal:null,contains:t.QUOTE_STRING_MODE.contains.concat(c)}),_={begin:/<<<[ \t]*(?:(\w+)|"(\w+)")\n/,end:/[ \t]*(\w+)\b/,contains:t.QUOTE_STRING_MODE.contains.concat(c),"on:begin":(fe,V)=>{V.data._beginMatch=fe[1]||fe[2]},"on:end":(fe,V)=>{V.data._beginMatch!==fe[1]&&V.ignoreMatch()}},E=t.END_SAME_AS_BEGIN({begin:/<<<[ \t]*'(\w+)'\n/,end:/[ \t]*(\w+)\b/}),T=`[ 	
-]`,y={scope:"string",variants:[S,d,_,E]},M={scope:"number",variants:[{begin:"\\b0[bB][01]+(?:_[01]+)*\\b"},{begin:"\\b0[oO][0-7]+(?:_[0-7]+)*\\b"},{begin:"\\b0[xX][\\da-fA-F]+(?:_[\\da-fA-F]+)*\\b"},{begin:"(?:\\b\\d+(?:_\\d+)*(\\.(?:\\d+(?:_\\d+)*))?|\\B\\.\\d+)(?:[eE][+-]?\\d+)?"}],relevance:0},v=["false","null","true"],A=["__CLASS__","__DIR__","__FILE__","__FUNCTION__","__COMPILER_HALT_OFFSET__","__LINE__","__METHOD__","__NAMESPACE__","__TRAIT__","die","echo","exit","include","include_once","print","require","require_once","array","abstract","and","as","binary","bool","boolean","break","callable","case","catch","class","clone","const","continue","declare","default","do","double","else","elseif","empty","enddeclare","endfor","endforeach","endif","endswitch","endwhile","enum","eval","extends","final","finally","float","for","foreach","from","global","goto","if","implements","instanceof","insteadof","int","integer","interface","isset","iterable","list","match|0","mixed","new","never","object","or","private","protected","public","readonly","real","return","string","switch","throw","trait","try","unset","use","var","void","while","xor","yield"],O=["Error|0","AppendIterator","ArgumentCountError","ArithmeticError","ArrayIterator","ArrayObject","AssertionError","BadFunctionCallException","BadMethodCallException","CachingIterator","CallbackFilterIterator","CompileError","Countable","DirectoryIterator","DivisionByZeroError","DomainException","EmptyIterator","ErrorException","Exception","FilesystemIterator","FilterIterator","GlobIterator","InfiniteIterator","InvalidArgumentException","IteratorIterator","LengthException","LimitIterator","LogicException","MultipleIterator","NoRewindIterator","OutOfBoundsException","OutOfRangeException","OuterIterator","OverflowException","ParentIterator","ParseError","RangeException","RecursiveArrayIterator","RecursiveCachingIterator","RecursiveCallbackFilterIterator","RecursiveDirectoryIterator","RecursiveFilterIterator","RecursiveIterator","RecursiveIteratorIterator","RecursiveRegexIterator","RecursiveTreeIterator","RegexIterator","RuntimeException","SeekableIterator","SplDoublyLinkedList","SplFileInfo","SplFileObject","SplFixedArray","SplHeap","SplMaxHeap","SplMinHeap","SplObjectStorage","SplObserver","SplPriorityQueue","SplQueue","SplStack","SplSubject","SplTempFileObject","TypeError","UnderflowException","UnexpectedValueException","UnhandledMatchError","ArrayAccess","BackedEnum","Closure","Fiber","Generator","Iterator","IteratorAggregate","Serializable","Stringable","Throwable","Traversable","UnitEnum","WeakReference","WeakMap","Directory","__PHP_Incomplete_Class","parent","php_user_filter","self","static","stdClass"],R={keyword:A,literal:(fe=>{const V=[];return fe.forEach(ne=>{V.push(ne),ne.toLowerCase()===ne?V.push(ne.toUpperCase()):V.push(ne.toLowerCase())}),V})(v),built_in:O},L=fe=>fe.map(V=>V.replace(/\|\d+$/,"")),I={variants:[{match:[/new/,n.concat(T,"+"),n.concat("(?!",L(O).join("\\b|"),"\\b)"),o],scope:{1:"keyword",4:"title.class"}}]},h=n.concat(a,"\\b(?!\\()"),k={variants:[{match:[n.concat(/::/,n.lookahead(/(?!class\b)/)),h],scope:{2:"variable.constant"}},{match:[/::/,/class/],scope:{2:"variable.language"}},{match:[o,n.concat(/::/,n.lookahead(/(?!class\b)/)),h],scope:{1:"title.class",3:"variable.constant"}},{match:[o,n.concat("::",n.lookahead(/(?!class\b)/))],scope:{1:"title.class"}},{match:[o,/::/,/class/],scope:{1:"title.class",3:"variable.language"}}]},F={scope:"attr",match:n.concat(a,n.lookahead(":"),n.lookahead(/(?!::)/))},z={relevance:0,begin:/\(/,end:/\)/,keywords:R,contains:[F,l,k,t.C_BLOCK_COMMENT_MODE,y,M,I]},K={relevance:0,match:[/\b/,n.concat("(?!fn\\b|function\\b|",L(A).join("\\b|"),"|",L(O).join("\\b|"),"\\b)"),a,n.concat(T,"*"),n.lookahead(/(?=\()/)],scope:{3:"title.function.invoke"},contains:[z]};z.contains.push(K);const ue=[F,k,t.C_BLOCK_COMMENT_MODE,y,M,I],Z={begin:n.concat(/#\[\s*/,o),beginScope:"meta",end:/]/,endScope:"meta",keywords:{literal:v,keyword:["new","array"]},contains:[{begin:/\[/,end:/]/,keywords:{literal:v,keyword:["new","array"]},contains:["self",...ue]},...ue,{scope:"meta",match:o}]};return{case_insensitive:!1,keywords:R,contains:[Z,t.HASH_COMMENT_MODE,t.COMMENT("//","$"),t.COMMENT("/\\*","\\*/",{contains:[{scope:"doctag",match:"@[A-Za-z]+"}]}),{match:/__halt_compiler\(\);/,keywords:"__halt_compiler",starts:{scope:"comment",end:t.MATCH_NOTHING_RE,contains:[{match:/\?>/,scope:"meta",endsParent:!0}]}},u,{scope:"variable.language",match:/\$this\b/},l,K,k,{match:[/const/,/\s/,a],scope:{1:"keyword",3:"variable.constant"}},I,{scope:"function",relevance:0,beginKeywords:"fn function",end:/[;{]/,excludeEnd:!0,illegal:"[$%\\[]",contains:[{beginKeywords:"use"},t.UNDERSCORE_TITLE_MODE,{begin:"=>",endsParent:!0},{scope:"params",begin:"\\(",end:"\\)",excludeBegin:!0,excludeEnd:!0,keywords:R,contains:["self",l,k,t.C_BLOCK_COMMENT_MODE,y,M]}]},{scope:"class",variants:[{beginKeywords:"enum",illegal:/[($"]/},{beginKeywords:"class interface trait",illegal:/[:($"]/}],relevance:0,end:/\{/,excludeEnd:!0,contains:[{beginKeywords:"extends implements"},t.UNDERSCORE_TITLE_MODE]},{beginKeywords:"namespace",relevance:0,end:";",illegal:/[.']/,contains:[t.inherit(t.UNDERSCORE_TITLE_MODE,{scope:"title.class"})]},{beginKeywords:"use",relevance:0,end:";",contains:[{match:/\b(as|const|function)\b/,scope:"keyword"},t.UNDERSCORE_TITLE_MODE]},y,M]}}return Bm=e,Bm}var Um,Py;function zk(){if(Py)return Um;Py=1;function e(t){return{name:"PHP template",subLanguage:"xml",contains:[{begin:/<\?(php|=)?/,end:/\?>/,subLanguage:"php",contains:[{begin:"/\\*",end:"\\*/",skip:!0},{begin:'b"',end:'"',skip:!0},{begin:"b'",end:"'",skip:!0},t.inherit(t.APOS_STRING_MODE,{illegal:null,className:null,contains:null,skip:!0}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null,className:null,contains:null,skip:!0})]}]}}return Um=e,Um}var Gm,Fy;function Kk(){if(Fy)return Gm;Fy=1;function e(t){return{name:"Plain text",aliases:["text","txt"],disableAutodetect:!0}}return Gm=e,Gm}var Hm,By;function $k(){if(By)return Hm;By=1;function e(t){const n={keyword:"actor addressof and as be break class compile_error compile_intrinsic consume continue delegate digestof do else elseif embed end error for fun if ifdef in interface is isnt lambda let match new not object or primitive recover repeat return struct then trait try type until use var where while with xor",meta:"iso val tag trn box ref",literal:"this false true"},r={className:"string",begin:'"""',end:'"""',relevance:10},a={className:"string",begin:'"',end:'"',contains:[t.BACKSLASH_ESCAPE]},o={className:"string",begin:"'",end:"'",contains:[t.BACKSLASH_ESCAPE],relevance:0},l={className:"type",begin:"\\b_?[A-Z][\\w]*",relevance:0},u={begin:t.IDENT_RE+"'",relevance:0};return{name:"Pony",keywords:n,contains:[l,r,a,o,u,{className:"number",begin:"(-?)(\\b0[xX][a-fA-F0-9]+|\\b0[bB][01]+|(\\b\\d+(_\\d+)?(\\.\\d*)?|\\.\\d+)([eE][-+]?\\d+)?)",relevance:0},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]}}return Hm=e,Hm}var qm,Uy;function Qk(){if(Uy)return qm;Uy=1;function e(t){const n=["string","char","byte","int","long","bool","decimal","single","double","DateTime","xml","array","hashtable","void"],r="Add|Clear|Close|Copy|Enter|Exit|Find|Format|Get|Hide|Join|Lock|Move|New|Open|Optimize|Pop|Push|Redo|Remove|Rename|Reset|Resize|Search|Select|Set|Show|Skip|Split|Step|Switch|Undo|Unlock|Watch|Backup|Checkpoint|Compare|Compress|Convert|ConvertFrom|ConvertTo|Dismount|Edit|Expand|Export|Group|Import|Initialize|Limit|Merge|Mount|Out|Publish|Restore|Save|Sync|Unpublish|Update|Approve|Assert|Build|Complete|Confirm|Deny|Deploy|Disable|Enable|Install|Invoke|Register|Request|Restart|Resume|Start|Stop|Submit|Suspend|Uninstall|Unregister|Wait|Debug|Measure|Ping|Repair|Resolve|Test|Trace|Connect|Disconnect|Read|Receive|Send|Write|Block|Grant|Protect|Revoke|Unblock|Unprotect|Use|ForEach|Sort|Tee|Where",a="-and|-as|-band|-bnot|-bor|-bxor|-casesensitive|-ccontains|-ceq|-cge|-cgt|-cle|-clike|-clt|-cmatch|-cne|-cnotcontains|-cnotlike|-cnotmatch|-contains|-creplace|-csplit|-eq|-exact|-f|-file|-ge|-gt|-icontains|-ieq|-ige|-igt|-ile|-ilike|-ilt|-imatch|-in|-ine|-inotcontains|-inotlike|-inotmatch|-ireplace|-is|-isnot|-isplit|-join|-le|-like|-lt|-match|-ne|-not|-notcontains|-notin|-notlike|-notmatch|-or|-regex|-replace|-shl|-shr|-split|-wildcard|-xor",o={$pattern:/-?[A-z\.\-]+\b/,keyword:"if else foreach return do while until elseif begin for trap data dynamicparam end break throw param continue finally in switch exit filter try process catch hidden static parameter",built_in:"ac asnp cat cd CFS chdir clc clear clhy cli clp cls clv cnsn compare copy cp cpi cpp curl cvpa dbp del diff dir dnsn ebp echo|0 epal epcsv epsn erase etsn exsn fc fhx fl ft fw gal gbp gc gcb gci gcm gcs gdr gerr ghy gi gin gjb gl gm gmo gp gps gpv group gsn gsnp gsv gtz gu gv gwmi h history icm iex ihy ii ipal ipcsv ipmo ipsn irm ise iwmi iwr kill lp ls man md measure mi mount move mp mv nal ndr ni nmo npssc nsn nv ogv oh popd ps pushd pwd r rbp rcjb rcsn rd rdr ren ri rjb rm rmdir rmo rni rnp rp rsn rsnp rujb rv rvpa rwmi sajb sal saps sasv sbp sc scb select set shcm si sl sleep sls sort sp spjb spps spsv start stz sujb sv swmi tee trcm type wget where wjb write"},l=/\w[\w\d]*((-)[\w\d]+)*/,u={begin:"`[\\s\\S]",relevance:0},c={className:"variable",variants:[{begin:/\$\B/},{className:"keyword",begin:/\$this/},{begin:/\$[\w\d][\w\d_:]*/}]},d={className:"literal",begin:/\$(null|true|false)\b/},S={className:"string",variants:[{begin:/"/,end:/"/},{begin:/@"/,end:/^"@/}],contains:[u,c,{className:"variable",begin:/\$[A-z]/,end:/[^A-z]/}]},_={className:"string",variants:[{begin:/'/,end:/'/},{begin:/@'/,end:/^'@/}]},E={className:"doctag",variants:[{begin:/\.(synopsis|description|example|inputs|outputs|notes|link|component|role|functionality)/},{begin:/\.(parameter|forwardhelptargetname|forwardhelpcategory|remotehelprunspace|externalhelp)\s+\S+/}]},T=t.inherit(t.COMMENT(null,null),{variants:[{begin:/#/,end:/$/},{begin:/<#/,end:/#>/}],contains:[E]}),y={className:"built_in",variants:[{begin:"(".concat(r,")+(-)[\\w\\d]+")}]},M={className:"class",beginKeywords:"class enum",end:/\s*[{]/,excludeEnd:!0,relevance:0,contains:[t.TITLE_MODE]},v={className:"function",begin:/function\s+/,end:/\s*\{|$/,excludeEnd:!0,returnBegin:!0,relevance:0,contains:[{begin:"function",relevance:0,className:"keyword"},{className:"title",begin:l,relevance:0},{begin:/\(/,end:/\)/,className:"params",relevance:0,contains:[c]}]},A={begin:/using\s/,end:/$/,returnBegin:!0,contains:[S,_,{className:"keyword",begin:/(using|assembly|command|module|namespace|type)/}]},O={variants:[{className:"operator",begin:"(".concat(a,")\\b")},{className:"literal",begin:/(-){1,2}[\w\d-]+/,relevance:0}]},N={className:"selector-tag",begin:/@\B/,relevance:0},R={className:"function",begin:/\[.*\]\s*[\w]+[ ]??\(/,end:/$/,returnBegin:!0,relevance:0,contains:[{className:"keyword",begin:"(".concat(o.keyword.toString().replace(/\s/g,"|"),")\\b"),endsParent:!0,relevance:0},t.inherit(t.TITLE_MODE,{endsParent:!0})]},L=[R,T,u,t.NUMBER_MODE,S,_,y,c,d,N],I={begin:/\[/,end:/\]/,excludeBegin:!0,excludeEnd:!0,relevance:0,contains:[].concat("self",L,{begin:"("+n.join("|")+")",className:"built_in",relevance:0},{className:"type",begin:/[\.\w\d]+/,relevance:0})};return R.contains.unshift(I),{name:"PowerShell",aliases:["pwsh","ps","ps1"],case_insensitive:!0,keywords:o,contains:L.concat(M,v,A,O,I)}}return qm=e,qm}var Ym,Gy;function jk(){if(Gy)return Ym;Gy=1;function e(t){const n=t.regex,r=["displayHeight","displayWidth","mouseY","mouseX","mousePressed","pmouseX","pmouseY","key","keyCode","pixels","focused","frameCount","frameRate","height","width","size","createGraphics","beginDraw","createShape","loadShape","PShape","arc","ellipse","line","point","quad","rect","triangle","bezier","bezierDetail","bezierPoint","bezierTangent","curve","curveDetail","curvePoint","curveTangent","curveTightness","shape","shapeMode","beginContour","beginShape","bezierVertex","curveVertex","endContour","endShape","quadraticVertex","vertex","ellipseMode","noSmooth","rectMode","smooth","strokeCap","strokeJoin","strokeWeight","mouseClicked","mouseDragged","mouseMoved","mousePressed","mouseReleased","mouseWheel","keyPressed","keyPressedkeyReleased","keyTyped","print","println","save","saveFrame","day","hour","millis","minute","month","second","year","background","clear","colorMode","fill","noFill","noStroke","stroke","alpha","blue","brightness","color","green","hue","lerpColor","red","saturation","modelX","modelY","modelZ","screenX","screenY","screenZ","ambient","emissive","shininess","specular","add","createImage","beginCamera","camera","endCamera","frustum","ortho","perspective","printCamera","printProjection","cursor","frameRate","noCursor","exit","loop","noLoop","popStyle","pushStyle","redraw","binary","boolean","byte","char","float","hex","int","str","unbinary","unhex","join","match","matchAll","nf","nfc","nfp","nfs","split","splitTokens","trim","append","arrayCopy","concat","expand","reverse","shorten","sort","splice","subset","box","sphere","sphereDetail","createInput","createReader","loadBytes","loadJSONArray","loadJSONObject","loadStrings","loadTable","loadXML","open","parseXML","saveTable","selectFolder","selectInput","beginRaw","beginRecord","createOutput","createWriter","endRaw","endRecord","PrintWritersaveBytes","saveJSONArray","saveJSONObject","saveStream","saveStrings","saveXML","selectOutput","popMatrix","printMatrix","pushMatrix","resetMatrix","rotate","rotateX","rotateY","rotateZ","scale","shearX","shearY","translate","ambientLight","directionalLight","lightFalloff","lights","lightSpecular","noLights","normal","pointLight","spotLight","image","imageMode","loadImage","noTint","requestImage","tint","texture","textureMode","textureWrap","blend","copy","filter","get","loadPixels","set","updatePixels","blendMode","loadShader","PShaderresetShader","shader","createFont","loadFont","text","textFont","textAlign","textLeading","textMode","textSize","textWidth","textAscent","textDescent","abs","ceil","constrain","dist","exp","floor","lerp","log","mag","map","max","min","norm","pow","round","sq","sqrt","acos","asin","atan","atan2","cos","degrees","radians","sin","tan","noise","noiseDetail","noiseSeed","random","randomGaussian","randomSeed"],a=t.IDENT_RE,o={variants:[{match:n.concat(n.either(...r),n.lookahead(/\s*\(/)),className:"built_in"},{relevance:0,match:n.concat(/\b(?!for|if|while)/,a,n.lookahead(/\s*\(/)),className:"title.function"}]},l={match:[/new\s+/,a],className:{1:"keyword",2:"class.title"}},u={relevance:0,match:[/\./,a],className:{2:"property"}},c={variants:[{match:[/class/,/\s+/,a,/\s+/,/extends/,/\s+/,a]},{match:[/class/,/\s+/,a]}],className:{1:"keyword",3:"title.class",5:"keyword",7:"title.class.inherited"}},d=["boolean","byte","char","color","double","float","int","long","short"],S=["BufferedReader","PVector","PFont","PImage","PGraphics","HashMap","String","Array","FloatDict","ArrayList","FloatList","IntDict","IntList","JSONArray","JSONObject","Object","StringDict","StringList","Table","TableRow","XML"];return{name:"Processing",aliases:["pde"],keywords:{keyword:[...["abstract","assert","break","case","catch","const","continue","default","else","enum","final","finally","for","if","import","instanceof","long","native","new","package","private","private","protected","protected","public","public","return","static","strictfp","switch","synchronized","throw","throws","transient","try","void","volatile","while"]],literal:"P2D P3D HALF_PI PI QUARTER_PI TAU TWO_PI null true false",title:"setup draw",variable:"super this",built_in:[...r,...S],type:d},contains:[c,l,o,u,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE]}}return Ym=e,Ym}var Wm,Hy;function Xk(){if(Hy)return Wm;Hy=1;function e(t){return{name:"Python profiler",contains:[t.C_NUMBER_MODE,{begin:"[a-zA-Z_][\\da-zA-Z_]+\\.[\\da-zA-Z_]{1,3}",end:":",excludeEnd:!0},{begin:"(ncalls|tottime|cumtime)",end:"$",keywords:"ncalls tottime|10 cumtime|10 filename",relevance:10},{begin:"function calls",end:"$",contains:[t.C_NUMBER_MODE],relevance:10},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{className:"string",begin:"\\(",end:"\\)$",excludeBegin:!0,excludeEnd:!0,relevance:0}]}}return Wm=e,Wm}var Vm,qy;function Zk(){if(qy)return Vm;qy=1;function e(t){const n={begin:/[a-z][A-Za-z0-9_]*/,relevance:0},r={className:"symbol",variants:[{begin:/[A-Z][a-zA-Z0-9_]*/},{begin:/_[A-Za-z0-9_]*/}],relevance:0},a={begin:/\(/,end:/\)/,relevance:0},o={begin:/\[/,end:/\]/},l={className:"comment",begin:/%/,end:/$/,contains:[t.PHRASAL_WORDS_MODE]},u={className:"string",begin:/`/,end:/`/,contains:[t.BACKSLASH_ESCAPE]},c={className:"string",begin:/0'(\\'|.)/},d={className:"string",begin:/0'\\s/},_=[n,r,a,{begin:/:-/},o,l,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,u,c,d,t.C_NUMBER_MODE];return a.contains=_,o.contains=_,{name:"Prolog",contains:_.concat([{begin:/\.$/}])}}return Vm=e,Vm}var zm,Yy;function Jk(){if(Yy)return zm;Yy=1;function e(t){const n="[ \\t\\f]*",r="[ \\t\\f]+",a=n+"[:=]"+n,o=r,l="("+a+"|"+o+")",u="([^\\\\:= \\t\\f\\n]|\\\\.)+",c={end:l,relevance:0,starts:{className:"string",end:/$/,relevance:0,contains:[{begin:"\\\\\\\\"},{begin:"\\\\\\n"}]}};return{name:".properties",disableAutodetect:!0,case_insensitive:!0,illegal:/\S/,contains:[t.COMMENT("^\\s*[!#]","$"),{returnBegin:!0,variants:[{begin:u+a},{begin:u+o}],contains:[{className:"attr",begin:u,endsParent:!0}],starts:c},{className:"attr",begin:u+n+"$"}]}}return zm=e,zm}var Km,Wy;function eP(){if(Wy)return Km;Wy=1;function e(t){const n=["package","import","option","optional","required","repeated","group","oneof"],r=["double","float","int32","int64","uint32","uint64","sint32","sint64","fixed32","fixed64","sfixed32","sfixed64","bool","string","bytes"],a={match:[/(message|enum|service)\s+/,t.IDENT_RE],scope:{1:"keyword",2:"title.class"}};return{name:"Protocol Buffers",aliases:["proto"],keywords:{keyword:n,type:r,literal:["true","false"]},contains:[t.QUOTE_STRING_MODE,t.NUMBER_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,a,{className:"function",beginKeywords:"rpc",end:/[{;]/,excludeEnd:!0,keywords:"rpc returns"},{begin:/^\s*[A-Z_]+(?=\s*=[^\n]+;$)/}]}}return Km=e,Km}var $m,Vy;function tP(){if(Vy)return $m;Vy=1;function e(t){const n={keyword:"and case default else elsif false if in import enherits node or true undef unless main settings $string ",literal:"alias audit before loglevel noop require subscribe tag owner ensure group mode name|0 changes context force incl lens load_path onlyif provider returns root show_diff type_check en_address ip_address realname command environment hour monute month monthday special target weekday creates cwd ogoutput refresh refreshonly tries try_sleep umask backup checksum content ctime force ignore links mtime purge recurse recurselimit replace selinux_ignore_defaults selrange selrole seltype seluser source souirce_permissions sourceselect validate_cmd validate_replacement allowdupe attribute_membership auth_membership forcelocal gid ia_load_module members system host_aliases ip allowed_trunk_vlans description device_url duplex encapsulation etherchannel native_vlan speed principals allow_root auth_class auth_type authenticate_user k_of_n mechanisms rule session_owner shared options device fstype enable hasrestart directory present absent link atboot blockdevice device dump pass remounts poller_tag use message withpath adminfile allow_virtual allowcdrom category configfiles flavor install_options instance package_settings platform responsefile status uninstall_options vendor unless_system_user unless_uid binary control flags hasstatus manifest pattern restart running start stop allowdupe auths expiry gid groups home iterations key_membership keys managehome membership password password_max_age password_min_age profile_membership profiles project purge_ssh_keys role_membership roles salt shell uid baseurl cost descr enabled enablegroups exclude failovermethod gpgcheck gpgkey http_caching include includepkgs keepalive metadata_expire metalink mirrorlist priority protect proxy proxy_password proxy_username repo_gpgcheck s3_enabled skip_if_unavailable sslcacert sslclientcert sslclientkey sslverify mounted",built_in:"architecture augeasversion blockdevices boardmanufacturer boardproductname boardserialnumber cfkey dhcp_servers domain ec2_ ec2_userdata facterversion filesystems ldom fqdn gid hardwareisa hardwaremodel hostname id|0 interfaces ipaddress ipaddress_ ipaddress6 ipaddress6_ iphostnumber is_virtual kernel kernelmajversion kernelrelease kernelversion kernelrelease kernelversion lsbdistcodename lsbdistdescription lsbdistid lsbdistrelease lsbmajdistrelease lsbminordistrelease lsbrelease macaddress macaddress_ macosx_buildversion macosx_productname macosx_productversion macosx_productverson_major macosx_productversion_minor manufacturer memoryfree memorysize netmask metmask_ network_ operatingsystem operatingsystemmajrelease operatingsystemrelease osfamily partitions path physicalprocessorcount processor processorcount productname ps puppetversion rubysitedir rubyversion selinux selinux_config_mode selinux_config_policy selinux_current_mode selinux_current_mode selinux_enforced selinux_policyversion serialnumber sp_ sshdsakey sshecdsakey sshrsakey swapencrypted swapfree swapsize timezone type uniqueid uptime uptime_days uptime_hours uptime_seconds uuid virtual vlans xendomains zfs_version zonenae zones zpool_version"},r=t.COMMENT("#","$"),a="([A-Za-z_]|::)(\\w|::)*",o=t.inherit(t.TITLE_MODE,{begin:a}),l={className:"variable",begin:"\\$"+a},u={className:"string",contains:[t.BACKSLASH_ESCAPE,l],variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/}]};return{name:"Puppet",aliases:["pp"],contains:[r,l,u,{beginKeywords:"class",end:"\\{|;",illegal:/=/,contains:[o,r]},{beginKeywords:"define",end:/\{/,contains:[{className:"section",begin:t.IDENT_RE,endsParent:!0}]},{begin:t.IDENT_RE+"\\s+\\{",returnBegin:!0,end:/\S/,contains:[{className:"keyword",begin:t.IDENT_RE,relevance:.2},{begin:/\{/,end:/\}/,keywords:n,relevance:0,contains:[u,r,{begin:"[a-zA-Z_]+\\s*=>",returnBegin:!0,end:"=>",contains:[{className:"attr",begin:t.IDENT_RE}]},{className:"number",begin:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",relevance:0},l]}],relevance:0}]}}return $m=e,$m}var Qm,zy;function nP(){if(zy)return Qm;zy=1;function e(t){const n={className:"string",begin:'(~)?"',end:'"',illegal:"\\n"},r={className:"symbol",begin:"#[a-zA-Z_]\\w*\\$?"};return{name:"PureBASIC",aliases:["pb","pbi"],keywords:"Align And Array As Break CallDebugger Case CompilerCase CompilerDefault CompilerElse CompilerElseIf CompilerEndIf CompilerEndSelect CompilerError CompilerIf CompilerSelect CompilerWarning Continue Data DataSection Debug DebugLevel Declare DeclareC DeclareCDLL DeclareDLL DeclareModule Default Define Dim DisableASM DisableDebugger DisableExplicit Else ElseIf EnableASM EnableDebugger EnableExplicit End EndDataSection EndDeclareModule EndEnumeration EndIf EndImport EndInterface EndMacro EndModule EndProcedure EndSelect EndStructure EndStructureUnion EndWith Enumeration EnumerationBinary Extends FakeReturn For ForEach ForEver Global Gosub Goto If Import ImportC IncludeBinary IncludeFile IncludePath Interface List Macro MacroExpandedCount Map Module NewList NewMap Next Not Or Procedure ProcedureC ProcedureCDLL ProcedureDLL ProcedureReturn Protected Prototype PrototypeC ReDim Read Repeat Restore Return Runtime Select Shared Static Step Structure StructureUnion Swap Threaded To UndefineMacro Until Until  UnuseModule UseModule Wend While With XIncludeFile XOr",contains:[t.COMMENT(";","$",{relevance:0}),{className:"function",begin:"\\b(Procedure|Declare)(C|CDLL|DLL)?\\b",end:"\\(",excludeEnd:!0,returnBegin:!0,contains:[{className:"keyword",begin:"(Procedure|Declare)(C|CDLL|DLL)?",excludeEnd:!0},{className:"type",begin:"\\.\\w*"},t.UNDERSCORE_TITLE_MODE]},n,r]}}return Qm=e,Qm}var jm,Ky;function rP(){if(Ky)return jm;Ky=1;function e(t){const n=t.regex,r=/[\p{XID_Start}_]\p{XID_Continue}*/u,a=["and","as","assert","async","await","break","case","class","continue","def","del","elif","else","except","finally","for","from","global","if","import","in","is","lambda","match","nonlocal|10","not","or","pass","raise","return","try","while","with","yield"],c={$pattern:/[A-Za-z]\w+|__\w+__/,keyword:a,built_in:["__import__","abs","all","any","ascii","bin","bool","breakpoint","bytearray","bytes","callable","chr","classmethod","compile","complex","delattr","dict","dir","divmod","enumerate","eval","exec","filter","float","format","frozenset","getattr","globals","hasattr","hash","help","hex","id","input","int","isinstance","issubclass","iter","len","list","locals","map","max","memoryview","min","next","object","oct","open","ord","pow","print","property","range","repr","reversed","round","set","setattr","slice","sorted","staticmethod","str","sum","super","tuple","type","vars","zip"],literal:["__debug__","Ellipsis","False","None","NotImplemented","True"],type:["Any","Callable","Coroutine","Dict","List","Literal","Generic","Optional","Sequence","Set","Tuple","Type","Union"]},d={className:"meta",begin:/^(>>>|\.\.\.) /},S={className:"subst",begin:/\{/,end:/\}/,keywords:c,illegal:/#/},_={begin:/\{\{/,relevance:0},E={className:"string",contains:[t.BACKSLASH_ESCAPE],variants:[{begin:/([uU]|[bB]|[rR]|[bB][rR]|[rR][bB])?'''/,end:/'''/,contains:[t.BACKSLASH_ESCAPE,d],relevance:10},{begin:/([uU]|[bB]|[rR]|[bB][rR]|[rR][bB])?"""/,end:/"""/,contains:[t.BACKSLASH_ESCAPE,d],relevance:10},{begin:/([fF][rR]|[rR][fF]|[fF])'''/,end:/'''/,contains:[t.BACKSLASH_ESCAPE,d,_,S]},{begin:/([fF][rR]|[rR][fF]|[fF])"""/,end:/"""/,contains:[t.BACKSLASH_ESCAPE,d,_,S]},{begin:/([uU]|[rR])'/,end:/'/,relevance:10},{begin:/([uU]|[rR])"/,end:/"/,relevance:10},{begin:/([bB]|[bB][rR]|[rR][bB])'/,end:/'/},{begin:/([bB]|[bB][rR]|[rR][bB])"/,end:/"/},{begin:/([fF][rR]|[rR][fF]|[fF])'/,end:/'/,contains:[t.BACKSLASH_ESCAPE,_,S]},{begin:/([fF][rR]|[rR][fF]|[fF])"/,end:/"/,contains:[t.BACKSLASH_ESCAPE,_,S]},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]},T="[0-9](_?[0-9])*",y=`(\\b(${T}))?\\.(${T})|\\b(${T})\\.`,M=`\\b|${a.join("|")}`,v={className:"number",relevance:0,variants:[{begin:`(\\b(${T})|(${y}))[eE][+-]?(${T})[jJ]?(?=${M})`},{begin:`(${y})[jJ]?`},{begin:`\\b([1-9](_?[0-9])*|0+(_?0)*)[lLjJ]?(?=${M})`},{begin:`\\b0[bB](_?[01])+[lL]?(?=${M})`},{begin:`\\b0[oO](_?[0-7])+[lL]?(?=${M})`},{begin:`\\b0[xX](_?[0-9a-fA-F])+[lL]?(?=${M})`},{begin:`\\b(${T})[jJ](?=${M})`}]},A={className:"comment",begin:n.lookahead(/# type:/),end:/$/,keywords:c,contains:[{begin:/# type:/},{begin:/#/,end:/\b\B/,endsWithParent:!0}]},O={className:"params",variants:[{className:"",begin:/\(\s*\)/,skip:!0},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:c,contains:["self",d,v,E,t.HASH_COMMENT_MODE]}]};return S.contains=[E,v,d],{name:"Python",aliases:["py","gyp","ipython"],unicodeRegex:!0,keywords:c,illegal:/(<\/|\?)|=>/,contains:[d,v,{begin:/\bself\b/},{beginKeywords:"if",relevance:0},E,A,t.HASH_COMMENT_MODE,{match:[/\bdef/,/\s+/,r],scope:{1:"keyword",3:"title.function"},contains:[O]},{variants:[{match:[/\bclass/,/\s+/,r,/\s*/,/\(\s*/,r,/\s*\)/]},{match:[/\bclass/,/\s+/,r]}],scope:{1:"keyword",3:"title.class",6:"title.class.inherited"}},{className:"meta",begin:/^[\t ]*@/,end:/(?=#)|$/,contains:[v,O,E]}]}}return jm=e,jm}var Xm,$y;function iP(){if($y)return Xm;$y=1;function e(t){return{aliases:["pycon"],contains:[{className:"meta.prompt",starts:{end:/ |$/,starts:{end:"$",subLanguage:"python"}},variants:[{begin:/^>>>(?=[ ]|$)/},{begin:/^\.\.\.(?=[ ]|$)/}]}]}}return Xm=e,Xm}var Zm,Qy;function aP(){if(Qy)return Zm;Qy=1;function e(t){return{name:"Q",aliases:["k","kdb"],keywords:{$pattern:/(`?)[A-Za-z0-9_]+\b/,keyword:"do while select delete by update from",literal:"0b 1b",built_in:"neg not null string reciprocal floor ceiling signum mod xbar xlog and or each scan over prior mmu lsq inv md5 ltime gtime count first var dev med cov cor all any rand sums prds mins maxs fills deltas ratios avgs differ prev next rank reverse iasc idesc asc desc msum mcount mavg mdev xrank mmin mmax xprev rotate distinct group where flip type key til get value attr cut set upsert raze union inter except cross sv vs sublist enlist read0 read1 hopen hclose hdel hsym hcount peach system ltrim rtrim trim lower upper ssr view tables views cols xcols keys xkey xcol xasc xdesc fkeys meta lj aj aj0 ij pj asof uj ww wj wj1 fby xgroup ungroup ej save load rsave rload show csv parse eval min max avg wavg wsum sin cos tan sum",type:"`float `double int `timestamp `timespan `datetime `time `boolean `symbol `char `byte `short `long `real `month `date `minute `second `guid"},contains:[t.C_LINE_COMMENT_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE]}}return Zm=e,Zm}var Jm,jy;function oP(){if(jy)return Jm;jy=1;function e(t){const n=t.regex,r={keyword:"in of on if for while finally var new function do return void else break catch instanceof with throw case default try this switch continue typeof delete let yield const export super debugger as async await import",literal:"true false null undefined NaN Infinity",built_in:"eval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent encodeURI encodeURIComponent escape unescape Object Function Boolean Error EvalError InternalError RangeError ReferenceError StopIteration SyntaxError TypeError URIError Number Math Date String RegExp Array Float32Array Float64Array Int16Array Int32Array Int8Array Uint16Array Uint32Array Uint8Array Uint8ClampedArray ArrayBuffer DataView JSON Intl arguments require module console window document Symbol Set Map WeakSet WeakMap Proxy Reflect Behavior bool color coordinate date double enumeration font geocircle georectangle geoshape int list matrix4x4 parent point quaternion real rect size string url variant vector2d vector3d vector4d Promise"},a="[a-zA-Z_][a-zA-Z0-9\\._]*",o={className:"keyword",begin:"\\bproperty\\b",starts:{className:"string",end:"(:|=|;|,|//|/\\*|$)",returnEnd:!0}},l={className:"keyword",begin:"\\bsignal\\b",starts:{className:"string",end:"(\\(|:|=|;|,|//|/\\*|$)",returnEnd:!0}},u={className:"attribute",begin:"\\bid\\s*:",starts:{className:"string",end:a,returnEnd:!1}},c={begin:a+"\\s*:",returnBegin:!0,contains:[{className:"attribute",begin:a,end:"\\s*:",excludeEnd:!0,relevance:0}],relevance:0},d={begin:n.concat(a,/\s*\{/),end:/\{/,returnBegin:!0,relevance:0,contains:[t.inherit(t.TITLE_MODE,{begin:a})]};return{name:"QML",aliases:["qt"],case_insensitive:!1,keywords:r,contains:[{className:"meta",begin:/^\s*['"]use (strict|asm)['"]/},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{className:"string",begin:"`",end:"`",contains:[t.BACKSLASH_ESCAPE,{className:"subst",begin:"\\$\\{",end:"\\}"}]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"number",variants:[{begin:"\\b(0[bB][01]+)"},{begin:"\\b(0[oO][0-7]+)"},{begin:t.C_NUMBER_RE}],relevance:0},{begin:"("+t.RE_STARTERS_RE+"|\\b(case|return|throw)\\b)\\s*",keywords:"return throw case",contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.REGEXP_MODE,{begin:/</,end:/>\s*[);\]]/,relevance:0,subLanguage:"xml"}],relevance:0},l,o,{className:"function",beginKeywords:"function",end:/\{/,excludeEnd:!0,contains:[t.inherit(t.TITLE_MODE,{begin:/[A-Za-z$_][0-9A-Za-z$_]*/}),{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]}],illegal:/\[|%/},{begin:"\\."+t.IDENT_RE,relevance:0},u,c,d],illegal:/#/}}return Jm=e,Jm}var eg,Xy;function sP(){if(Xy)return eg;Xy=1;function e(t){const n=t.regex,r=/(?:(?:[a-zA-Z]|\.[._a-zA-Z])[._a-zA-Z0-9]*)|\.(?!\d)/,a=n.either(/0[xX][0-9a-fA-F]+\.[0-9a-fA-F]*[pP][+-]?\d+i?/,/0[xX][0-9a-fA-F]+(?:[pP][+-]?\d+)?[Li]?/,/(?:\d+(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+)?[Li]?/),o=/[=!<>:]=|\|\||&&|:::?|<-|<<-|->>|->|\|>|[-+*\/?!$&|:<=>@^~]|\*\*/,l=n.either(/[()]/,/[{}]/,/\[\[/,/[[\]]/,/\\/,/,/);return{name:"R",keywords:{$pattern:r,keyword:"function if in break next repeat else for while",literal:"NULL NA TRUE FALSE Inf NaN NA_integer_|10 NA_real_|10 NA_character_|10 NA_complex_|10",built_in:"LETTERS letters month.abb month.name pi T F abs acos acosh all any anyNA Arg as.call as.character as.complex as.double as.environment as.integer as.logical as.null.default as.numeric as.raw asin asinh atan atanh attr attributes baseenv browser c call ceiling class Conj cos cosh cospi cummax cummin cumprod cumsum digamma dim dimnames emptyenv exp expression floor forceAndCall gamma gc.time globalenv Im interactive invisible is.array is.atomic is.call is.character is.complex is.double is.environment is.expression is.finite is.function is.infinite is.integer is.language is.list is.logical is.matrix is.na is.name is.nan is.null is.numeric is.object is.pairlist is.raw is.recursive is.single is.symbol lazyLoadDBfetch length lgamma list log max min missing Mod names nargs nzchar oldClass on.exit pos.to.env proc.time prod quote range Re rep retracemem return round seq_along seq_len seq.int sign signif sin sinh sinpi sqrt standardGeneric substitute sum switch tan tanh tanpi tracemem trigamma trunc unclass untracemem UseMethod xtfrm"},contains:[t.COMMENT(/#'/,/$/,{contains:[{scope:"doctag",match:/@examples/,starts:{end:n.lookahead(n.either(/\n^#'\s*(?=@[a-zA-Z]+)/,/\n^(?!#')/)),endsParent:!0}},{scope:"doctag",begin:"@param",end:/$/,contains:[{scope:"variable",variants:[{match:r},{match:/`(?:\\.|[^`\\])+`/}],endsParent:!0}]},{scope:"doctag",match:/@[a-zA-Z]+/},{scope:"keyword",match:/\\[a-zA-Z]+/}]}),t.HASH_COMMENT_MODE,{scope:"string",contains:[t.BACKSLASH_ESCAPE],variants:[t.END_SAME_AS_BEGIN({begin:/[rR]"(-*)\(/,end:/\)(-*)"/}),t.END_SAME_AS_BEGIN({begin:/[rR]"(-*)\{/,end:/\}(-*)"/}),t.END_SAME_AS_BEGIN({begin:/[rR]"(-*)\[/,end:/\](-*)"/}),t.END_SAME_AS_BEGIN({begin:/[rR]'(-*)\(/,end:/\)(-*)'/}),t.END_SAME_AS_BEGIN({begin:/[rR]'(-*)\{/,end:/\}(-*)'/}),t.END_SAME_AS_BEGIN({begin:/[rR]'(-*)\[/,end:/\](-*)'/}),{begin:'"',end:'"',relevance:0},{begin:"'",end:"'",relevance:0}]},{relevance:0,variants:[{scope:{1:"operator",2:"number"},match:[o,a]},{scope:{1:"operator",2:"number"},match:[/%[^%]*%/,a]},{scope:{1:"punctuation",2:"number"},match:[l,a]},{scope:{2:"number"},match:[/[^a-zA-Z0-9._]|^/,a]}]},{scope:{3:"operator"},match:[r,/\s+/,/<-/,/\s+/]},{scope:"operator",relevance:0,variants:[{match:o},{match:/%[^%]*%/}]},{scope:"punctuation",relevance:0,match:l},{begin:"`",end:"`",contains:[{begin:/\\./}]}]}}return eg=e,eg}var tg,Zy;function lP(){if(Zy)return tg;Zy=1;function e(t){return{name:"ReasonML",aliases:["re"],keywords:{$pattern:/[a-z_]\w*!?/,keyword:["and","as","asr","assert","begin","class","constraint","do","done","downto","else","end","esfun","exception","external","for","fun","function","functor","if","in","include","inherit","initializer","land","lazy","let","lor","lsl","lsr","lxor","mod","module","mutable","new","nonrec","object","of","open","or","pri","pub","rec","sig","struct","switch","then","to","try","type","val","virtual","when","while","with"],built_in:["array","bool","bytes","char","exn|5","float","int","int32","int64","list","lazy_t|5","nativeint|5","ref","string","unit"],literal:["true","false"]},illegal:/(:-|:=|\$\{|\+=)/,contains:[{scope:"literal",match:/\[(\|\|)?\]|\(\)/,relevance:0},t.C_LINE_COMMENT_MODE,t.COMMENT(/\/\*/,/\*\//,{illegal:/^(#,\/\/)/}),{scope:"symbol",match:/\'[A-Za-z_](?!\')[\w\']*/},{scope:"type",match:/`[A-Z][\w\']*/},{scope:"type",match:/\b[A-Z][\w\']*/,relevance:0},{match:/[a-z_]\w*\'[\w\']*/,relevance:0},{scope:"operator",match:/\s+(\|\||\+[\+\.]?|\*[\*\/\.]?|\/[\.]?|\.\.\.|\|>|&&|===?)\s+/,relevance:0},t.inherit(t.APOS_STRING_MODE,{scope:"string",relevance:0}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{scope:"number",variants:[{match:/\b0[xX][a-fA-F0-9_]+[Lln]?/},{match:/\b0[oO][0-7_]+[Lln]?/},{match:/\b0[bB][01_]+[Lln]?/},{match:/\b[0-9][0-9_]*([Lln]|(\.[0-9_]*)?([eE][-+]?[0-9_]+)?)/}],relevance:0}]}}return tg=e,tg}var ng,Jy;function uP(){if(Jy)return ng;Jy=1;function e(t){return{name:"RenderMan RIB",keywords:"ArchiveRecord AreaLightSource Atmosphere Attribute AttributeBegin AttributeEnd Basis Begin Blobby Bound Clipping ClippingPlane Color ColorSamples ConcatTransform Cone CoordinateSystem CoordSysTransform CropWindow Curves Cylinder DepthOfField Detail DetailRange Disk Displacement Display End ErrorHandler Exposure Exterior Format FrameAspectRatio FrameBegin FrameEnd GeneralPolygon GeometricApproximation Geometry Hider Hyperboloid Identity Illuminate Imager Interior LightSource MakeCubeFaceEnvironment MakeLatLongEnvironment MakeShadow MakeTexture Matte MotionBegin MotionEnd NuPatch ObjectBegin ObjectEnd ObjectInstance Opacity Option Orientation Paraboloid Patch PatchMesh Perspective PixelFilter PixelSamples PixelVariance Points PointsGeneralPolygons PointsPolygons Polygon Procedural Projection Quantize ReadArchive RelativeDetail ReverseOrientation Rotate Scale ScreenWindow ShadingInterpolation ShadingRate Shutter Sides Skew SolidBegin SolidEnd Sphere SubdivisionMesh Surface TextureCoordinates Torus Transform TransformBegin TransformEnd TransformPoints Translate TrimCurve WorldBegin WorldEnd",illegal:"</",contains:[t.HASH_COMMENT_MODE,t.C_NUMBER_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]}}return ng=e,ng}var rg,e0;function cP(){if(e0)return rg;e0=1;function e(t){const n="[a-zA-Z-_][^\\n{]+\\{",r={className:"attribute",begin:/[a-zA-Z-_]+/,end:/\s*:/,excludeEnd:!0,starts:{end:";",relevance:0,contains:[{className:"variable",begin:/\.[a-zA-Z-_]+/},{className:"keyword",begin:/\(optional\)/}]}};return{name:"Roboconf",aliases:["graph","instances"],case_insensitive:!0,keywords:"import",contains:[{begin:"^facet "+n,end:/\}/,keywords:"facet",contains:[r,t.HASH_COMMENT_MODE]},{begin:"^\\s*instance of "+n,end:/\}/,keywords:"name count channels instance-data instance-state instance of",illegal:/\S/,contains:["self",r,t.HASH_COMMENT_MODE]},{begin:"^"+n,end:/\}/,contains:[r,t.HASH_COMMENT_MODE]},t.HASH_COMMENT_MODE]}}return rg=e,rg}var ig,t0;function dP(){if(t0)return ig;t0=1;function e(t){const n="foreach do while for if from to step else on-error and or not in",r="global local beep delay put len typeof pick log time set find environment terminal error execute parse resolve toarray tobool toid toip toip6 tonum tostr totime",a="add remove enable disable set get print export edit find run debug error info warning",o="true false yes no nothing nil null",l="traffic-flow traffic-generator firewall scheduler aaa accounting address-list address align area bandwidth-server bfd bgp bridge client clock community config connection console customer default dhcp-client dhcp-server discovery dns e-mail ethernet filter firmware gps graphing group hardware health hotspot identity igmp-proxy incoming instance interface ip ipsec ipv6 irq l2tp-server lcd ldp logging mac-server mac-winbox mangle manual mirror mme mpls nat nd neighbor network note ntp ospf ospf-v3 ovpn-server page peer pim ping policy pool port ppp pppoe-client pptp-server prefix profile proposal proxy queue radius resource rip ripng route routing screen script security-profiles server service service-port settings shares smb sms sniffer snmp snooper socks sstp-server system tool tracking type upgrade upnp user-manager users user vlan secret vrrp watchdog web-access wireless pptp pppoe lan wan layer7-protocol lease simple raw",u={className:"variable",variants:[{begin:/\$[\w\d#@][\w\d_]*/},{begin:/\$\{(.*?)\}/}]},c={className:"string",begin:/"/,end:/"/,contains:[t.BACKSLASH_ESCAPE,u,{className:"variable",begin:/\$\(/,end:/\)/,contains:[t.BACKSLASH_ESCAPE]}]},d={className:"string",begin:/'/,end:/'/};return{name:"MikroTik RouterOS script",aliases:["mikrotik"],case_insensitive:!0,keywords:{$pattern:/:?[\w-]+/,literal:o,keyword:n+" :"+n.split(" ").join(" :")+" :"+r.split(" ").join(" :")},contains:[{variants:[{begin:/\/\*/,end:/\*\//},{begin:/\/\//,end:/$/},{begin:/<\//,end:/>/}],illegal:/./},t.COMMENT("^#","$"),c,d,u,{begin:/[\w-]+=([^\s{}[\]()>]+)/,relevance:0,returnBegin:!0,contains:[{className:"attribute",begin:/[^=]+/},{begin:/=/,endsWithParent:!0,relevance:0,contains:[c,d,u,{className:"literal",begin:"\\b("+o.split(" ").join("|")+")\\b"},{begin:/("[^"]*"|[^\s{}[\]]+)/}]}]},{className:"number",begin:/\*[0-9a-fA-F]+/},{begin:"\\b("+a.split(" ").join("|")+")([\\s[(\\]|])",returnBegin:!0,contains:[{className:"built_in",begin:/\w+/}]},{className:"built_in",variants:[{begin:"(\\.\\./|/|\\s)(("+l.split(" ").join("|")+");?\\s)+"},{begin:/\.\./,relevance:0}]}]}}return ig=e,ig}var ag,n0;function fP(){if(n0)return ag;n0=1;function e(t){const n=["abs","acos","ambient","area","asin","atan","atmosphere","attribute","calculatenormal","ceil","cellnoise","clamp","comp","concat","cos","degrees","depth","Deriv","diffuse","distance","Du","Dv","environment","exp","faceforward","filterstep","floor","format","fresnel","incident","length","lightsource","log","match","max","min","mod","noise","normalize","ntransform","opposite","option","phong","pnoise","pow","printf","ptlined","radians","random","reflect","refract","renderinfo","round","setcomp","setxcomp","setycomp","setzcomp","shadow","sign","sin","smoothstep","specular","specularbrdf","spline","sqrt","step","tan","texture","textureinfo","trace","transform","vtransform","xcomp","ycomp","zcomp"],r=["matrix","float","color","point","normal","vector"],a=["while","for","if","do","return","else","break","extern","continue"],o={match:[/(surface|displacement|light|volume|imager)/,/\s+/,t.IDENT_RE],scope:{1:"keyword",3:"title.class"}};return{name:"RenderMan RSL",keywords:{keyword:a,built_in:n,type:r},illegal:"</",contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,t.C_NUMBER_MODE,{className:"meta",begin:"#",end:"$"},o,{beginKeywords:"illuminate illuminance gather",end:"\\("}]}}return ag=e,ag}var og,r0;function pP(){if(r0)return og;r0=1;function e(t){return{name:"Oracle Rules Language",keywords:{keyword:"BILL_PERIOD BILL_START BILL_STOP RS_EFFECTIVE_START RS_EFFECTIVE_STOP RS_JURIS_CODE RS_OPCO_CODE INTDADDATTRIBUTE|5 INTDADDVMSG|5 INTDBLOCKOP|5 INTDBLOCKOPNA|5 INTDCLOSE|5 INTDCOUNT|5 INTDCOUNTSTATUSCODE|5 INTDCREATEMASK|5 INTDCREATEDAYMASK|5 INTDCREATEFACTORMASK|5 INTDCREATEHANDLE|5 INTDCREATEOVERRIDEDAYMASK|5 INTDCREATEOVERRIDEMASK|5 INTDCREATESTATUSCODEMASK|5 INTDCREATETOUPERIOD|5 INTDDELETE|5 INTDDIPTEST|5 INTDEXPORT|5 INTDGETERRORCODE|5 INTDGETERRORMESSAGE|5 INTDISEQUAL|5 INTDJOIN|5 INTDLOAD|5 INTDLOADACTUALCUT|5 INTDLOADDATES|5 INTDLOADHIST|5 INTDLOADLIST|5 INTDLOADLISTDATES|5 INTDLOADLISTENERGY|5 INTDLOADLISTHIST|5 INTDLOADRELATEDCHANNEL|5 INTDLOADSP|5 INTDLOADSTAGING|5 INTDLOADUOM|5 INTDLOADUOMDATES|5 INTDLOADUOMHIST|5 INTDLOADVERSION|5 INTDOPEN|5 INTDREADFIRST|5 INTDREADNEXT|5 INTDRECCOUNT|5 INTDRELEASE|5 INTDREPLACE|5 INTDROLLAVG|5 INTDROLLPEAK|5 INTDSCALAROP|5 INTDSCALE|5 INTDSETATTRIBUTE|5 INTDSETDSTPARTICIPANT|5 INTDSETSTRING|5 INTDSETVALUE|5 INTDSETVALUESTATUS|5 INTDSHIFTSTARTTIME|5 INTDSMOOTH|5 INTDSORT|5 INTDSPIKETEST|5 INTDSUBSET|5 INTDTOU|5 INTDTOURELEASE|5 INTDTOUVALUE|5 INTDUPDATESTATS|5 INTDVALUE|5 STDEV INTDDELETEEX|5 INTDLOADEXACTUAL|5 INTDLOADEXCUT|5 INTDLOADEXDATES|5 INTDLOADEX|5 INTDLOADEXRELATEDCHANNEL|5 INTDSAVEEX|5 MVLOAD|5 MVLOADACCT|5 MVLOADACCTDATES|5 MVLOADACCTHIST|5 MVLOADDATES|5 MVLOADHIST|5 MVLOADLIST|5 MVLOADLISTDATES|5 MVLOADLISTHIST|5 IF FOR NEXT DONE SELECT END CALL ABORT CLEAR CHANNEL FACTOR LIST NUMBER OVERRIDE SET WEEK DISTRIBUTIONNODE ELSE WHEN THEN OTHERWISE IENUM CSV INCLUDE LEAVE RIDER SAVE DELETE NOVALUE SECTION WARN SAVE_UPDATE DETERMINANT LABEL REPORT REVENUE EACH IN FROM TOTAL CHARGE BLOCK AND OR CSV_FILE RATE_CODE AUXILIARY_DEMAND UIDACCOUNT RS BILL_PERIOD_SELECT HOURS_PER_MONTH INTD_ERROR_STOP SEASON_SCHEDULE_NAME ACCOUNTFACTOR ARRAYUPPERBOUND CALLSTOREDPROC GETADOCONNECTION GETCONNECT GETDATASOURCE GETQUALIFIER GETUSERID HASVALUE LISTCOUNT LISTOP LISTUPDATE LISTVALUE PRORATEFACTOR RSPRORATE SETBINPATH SETDBMONITOR WQ_OPEN BILLINGHOURS DATE DATEFROMFLOAT DATETIMEFROMSTRING DATETIMETOSTRING DATETOFLOAT DAY DAYDIFF DAYNAME DBDATETIME HOUR MINUTE MONTH MONTHDIFF MONTHHOURS MONTHNAME ROUNDDATE SAMEWEEKDAYLASTYEAR SECOND WEEKDAY WEEKDIFF YEAR YEARDAY YEARSTR COMPSUM HISTCOUNT HISTMAX HISTMIN HISTMINNZ HISTVALUE MAXNRANGE MAXRANGE MINRANGE COMPIKVA COMPKVA COMPKVARFROMKQKW COMPLF IDATTR FLAG LF2KW LF2KWH MAXKW POWERFACTOR READING2USAGE AVGSEASON MAXSEASON MONTHLYMERGE SEASONVALUE SUMSEASON ACCTREADDATES ACCTTABLELOAD CONFIGADD CONFIGGET CREATEOBJECT CREATEREPORT EMAILCLIENT EXPBLKMDMUSAGE EXPMDMUSAGE EXPORT_USAGE FACTORINEFFECT GETUSERSPECIFIEDSTOP INEFFECT ISHOLIDAY RUNRATE SAVE_PROFILE SETREPORTTITLE USEREXIT WATFORRUNRATE TO TABLE ACOS ASIN ATAN ATAN2 BITAND CEIL COS COSECANT COSH COTANGENT DIVQUOT DIVREM EXP FABS FLOOR FMOD FREPM FREXPN LOG LOG10 MAX MAXN MIN MINNZ MODF POW ROUND ROUND2VALUE ROUNDINT SECANT SIN SINH SQROOT TAN TANH FLOAT2STRING FLOAT2STRINGNC INSTR LEFT LEN LTRIM MID RIGHT RTRIM STRING STRINGNC TOLOWER TOUPPER TRIM NUMDAYS READ_DATE STAGING",built_in:"IDENTIFIER OPTIONS XML_ELEMENT XML_OP XML_ELEMENT_OF DOMDOCCREATE DOMDOCLOADFILE DOMDOCLOADXML DOMDOCSAVEFILE DOMDOCGETROOT DOMDOCADDPI DOMNODEGETNAME DOMNODEGETTYPE DOMNODEGETVALUE DOMNODEGETCHILDCT DOMNODEGETFIRSTCHILD DOMNODEGETSIBLING DOMNODECREATECHILDELEMENT DOMNODESETATTRIBUTE DOMNODEGETCHILDELEMENTCT DOMNODEGETFIRSTCHILDELEMENT DOMNODEGETSIBLINGELEMENT DOMNODEGETATTRIBUTECT DOMNODEGETATTRIBUTEI DOMNODEGETATTRIBUTEBYNAME DOMNODEGETBYNAME"},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,{className:"literal",variants:[{begin:"#\\s+",relevance:0},{begin:"#[a-zA-Z .]+"}]}]}}return og=e,og}var sg,i0;function _P(){if(i0)return sg;i0=1;function e(t){const n=t.regex,r={className:"title.function.invoke",relevance:0,begin:n.concat(/\b/,/(?!let|for|while|if|else|match\b)/,t.IDENT_RE,n.lookahead(/\s*\(/))},a="([ui](8|16|32|64|128|size)|f(32|64))?",o=["abstract","as","async","await","become","box","break","const","continue","crate","do","dyn","else","enum","extern","false","final","fn","for","if","impl","in","let","loop","macro","match","mod","move","mut","override","priv","pub","ref","return","self","Self","static","struct","super","trait","true","try","type","typeof","unsafe","unsized","use","virtual","where","while","yield"],l=["true","false","Some","None","Ok","Err"],u=["drop ","Copy","Send","Sized","Sync","Drop","Fn","FnMut","FnOnce","ToOwned","Clone","Debug","PartialEq","PartialOrd","Eq","Ord","AsRef","AsMut","Into","From","Default","Iterator","Extend","IntoIterator","DoubleEndedIterator","ExactSizeIterator","SliceConcatExt","ToString","assert!","assert_eq!","bitflags!","bytes!","cfg!","col!","concat!","concat_idents!","debug_assert!","debug_assert_eq!","env!","eprintln!","panic!","file!","format!","format_args!","include_bytes!","include_str!","line!","local_data_key!","module_path!","option_env!","print!","println!","select!","stringify!","try!","unimplemented!","unreachable!","vec!","write!","writeln!","macro_rules!","assert_ne!","debug_assert_ne!"],c=["i8","i16","i32","i64","i128","isize","u8","u16","u32","u64","u128","usize","f32","f64","str","char","bool","Box","Option","Result","String","Vec"];return{name:"Rust",aliases:["rs"],keywords:{$pattern:t.IDENT_RE+"!?",type:c,keyword:o,literal:l,built_in:u},illegal:"</",contains:[t.C_LINE_COMMENT_MODE,t.COMMENT("/\\*","\\*/",{contains:["self"]}),t.inherit(t.QUOTE_STRING_MODE,{begin:/b?"/,illegal:null}),{className:"string",variants:[{begin:/b?r(#*)"(.|\n)*?"\1(?!#)/},{begin:/b?'\\?(x\w{2}|u\w{4}|U\w{8}|.)'/}]},{className:"symbol",begin:/'[a-zA-Z_][a-zA-Z0-9_]*/},{className:"number",variants:[{begin:"\\b0b([01_]+)"+a},{begin:"\\b0o([0-7_]+)"+a},{begin:"\\b0x([A-Fa-f0-9_]+)"+a},{begin:"\\b(\\d[\\d_]*(\\.[0-9_]+)?([eE][+-]?[0-9_]+)?)"+a}],relevance:0},{begin:[/fn/,/\s+/,t.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"title.function"}},{className:"meta",begin:"#!?\\[",end:"\\]",contains:[{className:"string",begin:/"/,end:/"/}]},{begin:[/let/,/\s+/,/(?:mut\s+)?/,t.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"keyword",4:"variable"}},{begin:[/for/,/\s+/,t.UNDERSCORE_IDENT_RE,/\s+/,/in/],className:{1:"keyword",3:"variable",5:"keyword"}},{begin:[/type/,/\s+/,t.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"title.class"}},{begin:[/(?:trait|enum|struct|union|impl|for)/,/\s+/,t.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"title.class"}},{begin:t.IDENT_RE+"::",keywords:{keyword:"Self",built_in:u,type:c}},{className:"punctuation",begin:"->"},r]}}return sg=e,sg}var lg,a0;function mP(){if(a0)return lg;a0=1;function e(t){const n=t.regex,r=["do","if","then","else","end","until","while","abort","array","attrib","by","call","cards","cards4","catname","continue","datalines","datalines4","delete","delim","delimiter","display","dm","drop","endsas","error","file","filename","footnote","format","goto","in","infile","informat","input","keep","label","leave","length","libname","link","list","lostcard","merge","missing","modify","options","output","out","page","put","redirect","remove","rename","replace","retain","return","select","set","skip","startsas","stop","title","update","waitsas","where","window","x|0","systask","add","and","alter","as","cascade","check","create","delete","describe","distinct","drop","foreign","from","group","having","index","insert","into","in","key","like","message","modify","msgtype","not","null","on","or","order","primary","references","reset","restrict","select","set","table","unique","update","validate","view","where"],a=["abs","addr","airy","arcos","arsin","atan","attrc","attrn","band","betainv","blshift","bnot","bor","brshift","bxor","byte","cdf","ceil","cexist","cinv","close","cnonct","collate","compbl","compound","compress","cos","cosh","css","curobs","cv","daccdb","daccdbsl","daccsl","daccsyd","dacctab","dairy","date","datejul","datepart","datetime","day","dclose","depdb","depdbsl","depdbsl","depsl","depsl","depsyd","depsyd","deptab","deptab","dequote","dhms","dif","digamma","dim","dinfo","dnum","dopen","doptname","doptnum","dread","dropnote","dsname","erf","erfc","exist","exp","fappend","fclose","fcol","fdelete","fetch","fetchobs","fexist","fget","fileexist","filename","fileref","finfo","finv","fipname","fipnamel","fipstate","floor","fnonct","fnote","fopen","foptname","foptnum","fpoint","fpos","fput","fread","frewind","frlen","fsep","fuzz","fwrite","gaminv","gamma","getoption","getvarc","getvarn","hbound","hms","hosthelp","hour","ibessel","index","indexc","indexw","input","inputc","inputn","int","intck","intnx","intrr","irr","jbessel","juldate","kurtosis","lag","lbound","left","length","lgamma","libname","libref","log","log10","log2","logpdf","logpmf","logsdf","lowcase","max","mdy","mean","min","minute","mod","month","mopen","mort","n","netpv","nmiss","normal","note","npv","open","ordinal","pathname","pdf","peek","peekc","pmf","point","poisson","poke","probbeta","probbnml","probchi","probf","probgam","probhypr","probit","probnegb","probnorm","probt","put","putc","putn","qtr","quote","ranbin","rancau","ranexp","rangam","range","rank","rannor","ranpoi","rantbl","rantri","ranuni","repeat","resolve","reverse","rewind","right","round","saving","scan","sdf","second","sign","sin","sinh","skewness","soundex","spedis","sqrt","std","stderr","stfips","stname","stnamel","substr","sum","symget","sysget","sysmsg","sysprod","sysrc","system","tan","tanh","time","timepart","tinv","tnonct","today","translate","tranwrd","trigamma","trim","trimn","trunc","uniform","upcase","uss","var","varfmt","varinfmt","varlabel","varlen","varname","varnum","varray","varrayx","vartype","verify","vformat","vformatd","vformatdx","vformatn","vformatnx","vformatw","vformatwx","vformatx","vinarray","vinarrayx","vinformat","vinformatd","vinformatdx","vinformatn","vinformatnx","vinformatw","vinformatwx","vinformatx","vlabel","vlabelx","vlength","vlengthx","vname","vnamex","vtype","vtypex","weekday","year","yyq","zipfips","zipname","zipnamel","zipstate"],o=["bquote","nrbquote","cmpres","qcmpres","compstor","datatyp","display","do","else","end","eval","global","goto","if","index","input","keydef","label","left","length","let","local","lowcase","macro","mend","nrbquote","nrquote","nrstr","put","qcmpres","qleft","qlowcase","qscan","qsubstr","qsysfunc","qtrim","quote","qupcase","scan","str","substr","superq","syscall","sysevalf","sysexec","sysfunc","sysget","syslput","sysprod","sysrc","sysrput","then","to","trim","unquote","until","upcase","verify","while","window"];return{name:"SAS",case_insensitive:!0,keywords:{literal:["null","missing","_all_","_automatic_","_character_","_infile_","_n_","_name_","_null_","_numeric_","_user_","_webout_"],keyword:r},contains:[{className:"keyword",begin:/^\s*(proc [\w\d_]+|data|run|quit)[\s;]/},{className:"variable",begin:/&[a-zA-Z_&][a-zA-Z0-9_]*\.?/},{begin:[/^\s*/,/datalines;|cards;/,/(?:.*\n)+/,/^\s*;\s*$/],className:{2:"keyword",3:"string"}},{begin:[/%mend|%macro/,/\s+/,/[a-zA-Z_&][a-zA-Z0-9_]*/],className:{1:"built_in",3:"title.function"}},{className:"built_in",begin:"%"+n.either(...o)},{className:"title.function",begin:/%[a-zA-Z_][a-zA-Z_0-9]*/},{className:"meta",begin:n.either(...a)+"(?=\\()"},{className:"string",variants:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]},t.COMMENT("\\*",";"),t.C_BLOCK_COMMENT_MODE]}}return lg=e,lg}var ug,o0;function gP(){if(o0)return ug;o0=1;function e(t){const n=t.regex,r={className:"meta",begin:"@[A-Za-z]+"},a={className:"subst",variants:[{begin:"\\$[A-Za-z0-9_]+"},{begin:/\$\{/,end:/\}/}]},o={className:"string",variants:[{begin:'"""',end:'"""'},{begin:'"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE]},{begin:'[a-z]+"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE,a]},{className:"string",begin:'[a-z]+"""',end:'"""',contains:[a],relevance:10}]},l={className:"type",begin:"\\b[A-Z][A-Za-z0-9_]*",relevance:0},u={className:"title",begin:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/,relevance:0},c={className:"class",beginKeywords:"class object trait type",end:/[:={\[\n;]/,excludeEnd:!0,contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{beginKeywords:"extends with",relevance:10},{begin:/\[/,end:/\]/,excludeBegin:!0,excludeEnd:!0,relevance:0,contains:[l,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,relevance:0,contains:[l,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},u]},d={className:"function",beginKeywords:"def",end:n.lookahead(/[:={\[(\n;]/),contains:[u]},S={begin:[/^\s*/,"extension",/\s+(?=[[(])/],beginScope:{2:"keyword"}},_={begin:[/^\s*/,/end/,/\s+/,/(extension\b)?/],beginScope:{2:"keyword",4:"keyword"}},E=[{match:/\.inline\b/},{begin:/\binline(?=\s)/,keywords:"inline"}],T={begin:[/\(\s*/,/using/,/\s+(?!\))/],beginScope:{2:"keyword"}};return{name:"Scala",keywords:{literal:"true false null",keyword:"type yield lazy override def with val var sealed abstract private trait object if then forSome for while do throw finally protected extends import final return else break new catch super class case package default try this match continue throws implicit export enum given transparent"},contains:[{begin:["//>",/\s+/,/using/,/\s+/,/\S+/],beginScope:{1:"comment",3:"keyword",5:"type"},end:/$/,contains:[{className:"string",begin:/\S+/}]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,o,l,d,c,t.C_NUMBER_MODE,S,_,...E,T,r]}}return ug=e,ug}var cg,s0;function hP(){if(s0)return cg;s0=1;function e(t){const n="[^\\(\\)\\[\\]\\{\\}\",'`;#|\\\\\\s]+",r="(-|\\+)?\\d+([./]\\d+)?",a=r+"[+\\-]"+r+"i",o={$pattern:n,built_in:"case-lambda call/cc class define-class exit-handler field import inherit init-field interface let*-values let-values let/ec mixin opt-lambda override protect provide public rename require require-for-syntax syntax syntax-case syntax-error unit/sig unless when with-syntax and begin call-with-current-continuation call-with-input-file call-with-output-file case cond define define-syntax delay do dynamic-wind else for-each if lambda let let* let-syntax letrec letrec-syntax map or syntax-rules ' * + , ,@ - ... / ; < <= = => > >= ` abs acos angle append apply asin assoc assq assv atan boolean? caar cadr call-with-input-file call-with-output-file call-with-values car cdddar cddddr cdr ceiling char->integer char-alphabetic? char-ci<=? char-ci<? char-ci=? char-ci>=? char-ci>? char-downcase char-lower-case? char-numeric? char-ready? char-upcase char-upper-case? char-whitespace? char<=? char<? char=? char>=? char>? char? close-input-port close-output-port complex? cons cos current-input-port current-output-port denominator display eof-object? eq? equal? eqv? eval even? exact->inexact exact? exp expt floor force gcd imag-part inexact->exact inexact? input-port? integer->char integer? interaction-environment lcm length list list->string list->vector list-ref list-tail list? load log magnitude make-polar make-rectangular make-string make-vector max member memq memv min modulo negative? newline not null-environment null? number->string number? numerator odd? open-input-file open-output-file output-port? pair? peek-char port? positive? procedure? quasiquote quote quotient rational? rationalize read read-char real-part real? remainder reverse round scheme-report-environment set! set-car! set-cdr! sin sqrt string string->list string->number string->symbol string-append string-ci<=? string-ci<? string-ci=? string-ci>=? string-ci>? string-copy string-fill! string-length string-ref string-set! string<=? string<? string=? string>=? string>? string? substring symbol->string symbol? tan transcript-off transcript-on truncate values vector vector->list vector-fill! vector-length vector-ref vector-set! with-input-from-file with-output-to-file write write-char zero?"},l={className:"literal",begin:"(#t|#f|#\\\\"+n+"|#\\\\.)"},u={className:"number",variants:[{begin:r,relevance:0},{begin:a,relevance:0},{begin:"#b[0-1]+(/[0-1]+)?"},{begin:"#o[0-7]+(/[0-7]+)?"},{begin:"#x[0-9a-f]+(/[0-9a-f]+)?"}]},c=t.QUOTE_STRING_MODE,d=[t.COMMENT(";","$",{relevance:0}),t.COMMENT("#\\|","\\|#")],S={begin:n,relevance:0},_={className:"symbol",begin:"'"+n},E={endsWithParent:!0,relevance:0},T={variants:[{begin:/'/},{begin:"`"}],contains:[{begin:"\\(",end:"\\)",contains:["self",l,c,u,S,_]}]},y={className:"name",relevance:0,begin:n,keywords:o},v={variants:[{begin:"\\(",end:"\\)"},{begin:"\\[",end:"\\]"}],contains:[{begin:/lambda/,endsWithParent:!0,returnBegin:!0,contains:[y,{endsParent:!0,variants:[{begin:/\(/,end:/\)/},{begin:/\[/,end:/\]/}],contains:[S]}]},y,E]};return E.contains=[l,u,c,S,_,T,v].concat(d),{name:"Scheme",aliases:["scm"],illegal:/\S/,contains:[t.SHEBANG(),u,c,_,T,v].concat(d)}}return cg=e,cg}var dg,l0;function EP(){if(l0)return dg;l0=1;function e(t){const n=[t.C_NUMBER_MODE,{className:"string",begin:`'|"`,end:`'|"`,contains:[t.BACKSLASH_ESCAPE,{begin:"''"}]}];return{name:"Scilab",aliases:["sci"],keywords:{$pattern:/%?\w+/,keyword:"abort break case clear catch continue do elseif else endfunction end for function global if pause return resume select try then while",literal:"%f %F %t %T %pi %eps %inf %nan %e %i %z %s",built_in:"abs and acos asin atan ceil cd chdir clearglobal cosh cos cumprod deff disp error exec execstr exists exp eye gettext floor fprintf fread fsolve imag isdef isempty isinfisnan isvector lasterror length load linspace list listfiles log10 log2 log max min msprintf mclose mopen ones or pathconvert poly printf prod pwd rand real round sinh sin size gsort sprintf sqrt strcat strcmps tring sum system tanh tan type typename warning zeros matrix"},illegal:'("|#|/\\*|\\s+/\\w+)',contains:[{className:"function",beginKeywords:"function",end:"$",contains:[t.UNDERSCORE_TITLE_MODE,{className:"params",begin:"\\(",end:"\\)"}]},{begin:"[a-zA-Z_][a-zA-Z_0-9]*[\\.']+",relevance:0},{begin:"\\[",end:"\\][\\.']*",relevance:0,contains:n},t.COMMENT("//","$")].concat(n)}}return dg=e,dg}var fg,u0;function SP(){if(u0)return fg;u0=1;const e=u=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:u.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[u.APOS_STRING_MODE,u.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:u.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z_][A-Za-z0-9_-]*/}}),t=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],n=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],r=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],a=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],o=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","caret-color","clear","clip","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","grid-row-start","grid-template","grid-template-areas","grid-template-columns","grid-template-rows","hanging-punctuation","height","hyphens","icon","image-orientation","image-rendering","image-resolution","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse();function l(u){const c=e(u),d=a,S=r,_="@[a-z-]+",E="and or not only",y={className:"variable",begin:"(\\$"+"[a-zA-Z-][a-zA-Z0-9_-]*"+")\\b",relevance:0};return{name:"SCSS",case_insensitive:!0,illegal:"[=/|']",contains:[u.C_LINE_COMMENT_MODE,u.C_BLOCK_COMMENT_MODE,c.CSS_NUMBER_MODE,{className:"selector-id",begin:"#[A-Za-z0-9_-]+",relevance:0},{className:"selector-class",begin:"\\.[A-Za-z0-9_-]+",relevance:0},c.ATTRIBUTE_SELECTOR_MODE,{className:"selector-tag",begin:"\\b("+t.join("|")+")\\b",relevance:0},{className:"selector-pseudo",begin:":("+S.join("|")+")"},{className:"selector-pseudo",begin:":(:)?("+d.join("|")+")"},y,{begin:/\(/,end:/\)/,contains:[c.CSS_NUMBER_MODE]},c.CSS_VARIABLE,{className:"attribute",begin:"\\b("+o.join("|")+")\\b"},{begin:"\\b(whitespace|wait|w-resize|visible|vertical-text|vertical-ideographic|uppercase|upper-roman|upper-alpha|underline|transparent|top|thin|thick|text|text-top|text-bottom|tb-rl|table-header-group|table-footer-group|sw-resize|super|strict|static|square|solid|small-caps|separate|se-resize|scroll|s-resize|rtl|row-resize|ridge|right|repeat|repeat-y|repeat-x|relative|progress|pointer|overline|outside|outset|oblique|nowrap|not-allowed|normal|none|nw-resize|no-repeat|no-drop|newspaper|ne-resize|n-resize|move|middle|medium|ltr|lr-tb|lowercase|lower-roman|lower-alpha|loose|list-item|line|line-through|line-edge|lighter|left|keep-all|justify|italic|inter-word|inter-ideograph|inside|inset|inline|inline-block|inherit|inactive|ideograph-space|ideograph-parenthesis|ideograph-numeric|ideograph-alpha|horizontal|hidden|help|hand|groove|fixed|ellipsis|e-resize|double|dotted|distribute|distribute-space|distribute-letter|distribute-all-lines|disc|disabled|default|decimal|dashed|crosshair|collapse|col-resize|circle|char|center|capitalize|break-word|break-all|bottom|both|bolder|bold|block|bidi-override|below|baseline|auto|always|all-scroll|absolute|table|table-cell)\\b"},{begin:/:/,end:/[;}{]/,relevance:0,contains:[c.BLOCK_COMMENT,y,c.HEXCOLOR,c.CSS_NUMBER_MODE,u.QUOTE_STRING_MODE,u.APOS_STRING_MODE,c.IMPORTANT,c.FUNCTION_DISPATCH]},{begin:"@(page|font-face)",keywords:{$pattern:_,keyword:"@page @font-face"}},{begin:"@",end:"[{;]",returnBegin:!0,keywords:{$pattern:/[a-z-]+/,keyword:E,attribute:n.join(" ")},contains:[{begin:_,className:"keyword"},{begin:/[a-z-]+(?=:)/,className:"attribute"},y,u.QUOTE_STRING_MODE,u.APOS_STRING_MODE,c.HEXCOLOR,c.CSS_NUMBER_MODE]},c.FUNCTION_DISPATCH]}}return fg=l,fg}var pg,c0;function bP(){if(c0)return pg;c0=1;function e(t){return{name:"Shell Session",aliases:["console","shellsession"],contains:[{className:"meta.prompt",begin:/^\s{0,3}[/~\w\d[\]()@-]*[>%$#][ ]?/,starts:{end:/[^\\](?=\s*$)/,subLanguage:"bash"}}]}}return pg=e,pg}var _g,d0;function vP(){if(d0)return _g;d0=1;function e(t){const n=["add","and","cmp","cmpg","cmpl","const","div","double","float","goto","if","int","long","move","mul","neg","new","nop","not","or","rem","return","shl","shr","sput","sub","throw","ushr","xor"],r=["aget","aput","array","check","execute","fill","filled","goto/16","goto/32","iget","instance","invoke","iput","monitor","packed","sget","sparse"],a=["transient","constructor","abstract","final","synthetic","public","private","protected","static","bridge","system"];return{name:"Smali",contains:[{className:"string",begin:'"',end:'"',relevance:0},t.COMMENT("#","$",{relevance:0}),{className:"keyword",variants:[{begin:"\\s*\\.end\\s[a-zA-Z0-9]*"},{begin:"^[ ]*\\.[a-zA-Z]*",relevance:0},{begin:"\\s:[a-zA-Z_0-9]*",relevance:0},{begin:"\\s("+a.join("|")+")"}]},{className:"built_in",variants:[{begin:"\\s("+n.join("|")+")\\s"},{begin:"\\s("+n.join("|")+")((-|/)[a-zA-Z0-9]+)+\\s",relevance:10},{begin:"\\s("+r.join("|")+")((-|/)[a-zA-Z0-9]+)*\\s",relevance:10}]},{className:"class",begin:`L[^(;:
-]*;`,relevance:0},{begin:"[vp][0-9]+"}]}}return _g=e,_g}var mg,f0;function TP(){if(f0)return mg;f0=1;function e(t){const n="[a-z][a-zA-Z0-9_]*",r={className:"string",begin:"\\$.{1}"},a={className:"symbol",begin:"#"+t.UNDERSCORE_IDENT_RE};return{name:"Smalltalk",aliases:["st"],keywords:["self","super","nil","true","false","thisContext"],contains:[t.COMMENT('"','"'),t.APOS_STRING_MODE,{className:"type",begin:"\\b[A-Z][A-Za-z0-9_]*",relevance:0},{begin:n+":",relevance:0},t.C_NUMBER_MODE,a,r,{begin:"\\|[ ]*"+n+"([ ]+"+n+")*[ ]*\\|",returnBegin:!0,end:/\|/,illegal:/\S/,contains:[{begin:"(\\|[ ]*)?"+n}]},{begin:"#\\(",end:"\\)",contains:[t.APOS_STRING_MODE,r,t.C_NUMBER_MODE,a]}]}}return mg=e,mg}var gg,p0;function yP(){if(p0)return gg;p0=1;function e(t){return{name:"SML (Standard ML)",aliases:["ml"],keywords:{$pattern:"[a-z_]\\w*!?",keyword:"abstype and andalso as case datatype do else end eqtype exception fn fun functor handle if in include infix infixr let local nonfix of op open orelse raise rec sharing sig signature struct structure then type val with withtype where while",built_in:"array bool char exn int list option order real ref string substring vector unit word",literal:"true false NONE SOME LESS EQUAL GREATER nil"},illegal:/\/\/|>>/,contains:[{className:"literal",begin:/\[(\|\|)?\]|\(\)/,relevance:0},t.COMMENT("\\(\\*","\\*\\)",{contains:["self"]}),{className:"symbol",begin:"'[A-Za-z_](?!')[\\w']*"},{className:"type",begin:"`[A-Z][\\w']*"},{className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},{begin:"[a-z_]\\w*'[\\w']*"},t.inherit(t.APOS_STRING_MODE,{className:"string",relevance:0}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{className:"number",begin:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",relevance:0},{begin:/[-=]>/}]}}return gg=e,gg}var hg,_0;function CP(){if(_0)return hg;_0=1;function e(t){const n={className:"variable",begin:/\b_+[a-zA-Z]\w*/},r={className:"title",begin:/[a-zA-Z][a-zA-Z_0-9]*_fnc_[a-zA-Z_0-9]+/},a={className:"string",variants:[{begin:'"',end:'"',contains:[{begin:'""',relevance:0}]},{begin:"'",end:"'",contains:[{begin:"''",relevance:0}]}]},o=["break","breakWith","breakOut","breakTo","case","catch","continue","continueWith","default","do","else","exit","exitWith","for","forEach","from","if","local","private","switch","step","then","throw","to","try","waitUntil","while","with"],l=["blufor","civilian","configNull","controlNull","displayNull","diaryRecordNull","east","endl","false","grpNull","independent","lineBreak","locationNull","nil","objNull","opfor","pi","resistance","scriptNull","sideAmbientLife","sideEmpty","sideEnemy","sideFriendly","sideLogic","sideUnknown","taskNull","teamMemberNull","true","west"],u=["abs","accTime","acos","action","actionIDs","actionKeys","actionKeysEx","actionKeysImages","actionKeysNames","actionKeysNamesArray","actionName","actionParams","activateAddons","activatedAddons","activateKey","activeTitleEffectParams","add3DENConnection","add3DENEventHandler","add3DENLayer","addAction","addBackpack","addBackpackCargo","addBackpackCargoGlobal","addBackpackGlobal","addBinocularItem","addCamShake","addCuratorAddons","addCuratorCameraArea","addCuratorEditableObjects","addCuratorEditingArea","addCuratorPoints","addEditorObject","addEventHandler","addForce","addForceGeneratorRTD","addGoggles","addGroupIcon","addHandgunItem","addHeadgear","addItem","addItemCargo","addItemCargoGlobal","addItemPool","addItemToBackpack","addItemToUniform","addItemToVest","addLiveStats","addMagazine","addMagazineAmmoCargo","addMagazineCargo","addMagazineCargoGlobal","addMagazineGlobal","addMagazinePool","addMagazines","addMagazineTurret","addMenu","addMenuItem","addMissionEventHandler","addMPEventHandler","addMusicEventHandler","addonFiles","addOwnedMine","addPlayerScores","addPrimaryWeaponItem","addPublicVariableEventHandler","addRating","addResources","addScore","addScoreSide","addSecondaryWeaponItem","addSwitchableUnit","addTeamMember","addToRemainsCollector","addTorque","addUniform","addUserActionEventHandler","addVehicle","addVest","addWaypoint","addWeapon","addWeaponCargo","addWeaponCargoGlobal","addWeaponGlobal","addWeaponItem","addWeaponPool","addWeaponTurret","addWeaponWithAttachmentsCargo","addWeaponWithAttachmentsCargoGlobal","admin","agent","agents","AGLToASL","aimedAtTarget","aimPos","airDensityCurveRTD","airDensityRTD","airplaneThrottle","airportSide","AISFinishHeal","alive","all3DENEntities","allActiveTitleEffects","allAddonsInfo","allAirports","allControls","allCurators","allCutLayers","allDead","allDeadMen","allDiaryRecords","allDiarySubjects","allDisplays","allEnv3DSoundSources","allGroups","allLODs","allMapMarkers","allMines","allMissionObjects","allObjects","allow3DMode","allowCrewInImmobile","allowCuratorLogicIgnoreAreas","allowDamage","allowDammage","allowedService","allowFileOperations","allowFleeing","allowGetIn","allowService","allowSprint","allPlayers","allSimpleObjects","allSites","allTurrets","allUnits","allUnitsUAV","allUsers","allVariables","ambientTemperature","ammo","ammoOnPylon","and","animate","animateBay","animateDoor","animatePylon","animateSource","animationNames","animationPhase","animationSourcePhase","animationState","apertureParams","append","apply","armoryPoints","arrayIntersect","asin","ASLToAGL","ASLToATL","assert","assignAsCargo","assignAsCargoIndex","assignAsCommander","assignAsDriver","assignAsGunner","assignAsTurret","assignCurator","assignedCargo","assignedCommander","assignedDriver","assignedGroup","assignedGunner","assignedItems","assignedTarget","assignedTeam","assignedVehicle","assignedVehicleRole","assignedVehicles","assignItem","assignTeam","assignToAirport","atan","atan2","atg","ATLToASL","attachedObject","attachedObjects","attachedTo","attachObject","attachTo","attackEnabled","awake","backpack","backpackCargo","backpackContainer","backpackItems","backpackMagazines","backpackSpaceFor","behaviour","benchmark","bezierInterpolation","binocular","binocularItems","binocularMagazine","boundingBox","boundingBoxReal","boundingCenter","brakesDisabled","briefingName","buildingExit","buildingPos","buldozer_EnableRoadDiag","buldozer_IsEnabledRoadDiag","buldozer_LoadNewRoads","buldozer_reloadOperMap","buttonAction","buttonSetAction","cadetMode","calculatePath","calculatePlayerVisibilityByFriendly","call","callExtension","camCommand","camCommit","camCommitPrepared","camCommitted","camConstuctionSetParams","camCreate","camDestroy","cameraEffect","cameraEffectEnableHUD","cameraInterest","cameraOn","cameraView","campaignConfigFile","camPreload","camPreloaded","camPrepareBank","camPrepareDir","camPrepareDive","camPrepareFocus","camPrepareFov","camPrepareFovRange","camPreparePos","camPrepareRelPos","camPrepareTarget","camSetBank","camSetDir","camSetDive","camSetFocus","camSetFov","camSetFovRange","camSetPos","camSetRelPos","camSetTarget","camTarget","camUseNVG","canAdd","canAddItemToBackpack","canAddItemToUniform","canAddItemToVest","cancelSimpleTaskDestination","canDeployWeapon","canFire","canMove","canSlingLoad","canStand","canSuspend","canTriggerDynamicSimulation","canUnloadInCombat","canVehicleCargo","captive","captiveNum","cbChecked","cbSetChecked","ceil","channelEnabled","cheatsEnabled","checkAIFeature","checkVisibility","className","clear3DENAttribute","clear3DENInventory","clearAllItemsFromBackpack","clearBackpackCargo","clearBackpackCargoGlobal","clearForcesRTD","clearGroupIcons","clearItemCargo","clearItemCargoGlobal","clearItemPool","clearMagazineCargo","clearMagazineCargoGlobal","clearMagazinePool","clearOverlay","clearRadio","clearWeaponCargo","clearWeaponCargoGlobal","clearWeaponPool","clientOwner","closeDialog","closeDisplay","closeOverlay","collapseObjectTree","collect3DENHistory","collectiveRTD","collisionDisabledWith","combatBehaviour","combatMode","commandArtilleryFire","commandChat","commander","commandFire","commandFollow","commandFSM","commandGetOut","commandingMenu","commandMove","commandRadio","commandStop","commandSuppressiveFire","commandTarget","commandWatch","comment","commitOverlay","compatibleItems","compatibleMagazines","compile","compileFinal","compileScript","completedFSM","composeText","configClasses","configFile","configHierarchy","configName","configOf","configProperties","configSourceAddonList","configSourceMod","configSourceModList","confirmSensorTarget","connectTerminalToUAV","connectToServer","controlsGroupCtrl","conversationDisabled","copyFromClipboard","copyToClipboard","copyWaypoints","cos","count","countEnemy","countFriendly","countSide","countType","countUnknown","create3DENComposition","create3DENEntity","createAgent","createCenter","createDialog","createDiaryLink","createDiaryRecord","createDiarySubject","createDisplay","createGearDialog","createGroup","createGuardedPoint","createHashMap","createHashMapFromArray","createLocation","createMarker","createMarkerLocal","createMenu","createMine","createMissionDisplay","createMPCampaignDisplay","createSimpleObject","createSimpleTask","createSite","createSoundSource","createTask","createTeam","createTrigger","createUnit","createVehicle","createVehicleCrew","createVehicleLocal","crew","ctAddHeader","ctAddRow","ctClear","ctCurSel","ctData","ctFindHeaderRows","ctFindRowHeader","ctHeaderControls","ctHeaderCount","ctRemoveHeaders","ctRemoveRows","ctrlActivate","ctrlAddEventHandler","ctrlAngle","ctrlAnimateModel","ctrlAnimationPhaseModel","ctrlAt","ctrlAutoScrollDelay","ctrlAutoScrollRewind","ctrlAutoScrollSpeed","ctrlBackgroundColor","ctrlChecked","ctrlClassName","ctrlCommit","ctrlCommitted","ctrlCreate","ctrlDelete","ctrlEnable","ctrlEnabled","ctrlFade","ctrlFontHeight","ctrlForegroundColor","ctrlHTMLLoaded","ctrlIDC","ctrlIDD","ctrlMapAnimAdd","ctrlMapAnimClear","ctrlMapAnimCommit","ctrlMapAnimDone","ctrlMapCursor","ctrlMapMouseOver","ctrlMapPosition","ctrlMapScale","ctrlMapScreenToWorld","ctrlMapSetPosition","ctrlMapWorldToScreen","ctrlModel","ctrlModelDirAndUp","ctrlModelScale","ctrlMousePosition","ctrlParent","ctrlParentControlsGroup","ctrlPosition","ctrlRemoveAllEventHandlers","ctrlRemoveEventHandler","ctrlScale","ctrlScrollValues","ctrlSetActiveColor","ctrlSetAngle","ctrlSetAutoScrollDelay","ctrlSetAutoScrollRewind","ctrlSetAutoScrollSpeed","ctrlSetBackgroundColor","ctrlSetChecked","ctrlSetDisabledColor","ctrlSetEventHandler","ctrlSetFade","ctrlSetFocus","ctrlSetFont","ctrlSetFontH1","ctrlSetFontH1B","ctrlSetFontH2","ctrlSetFontH2B","ctrlSetFontH3","ctrlSetFontH3B","ctrlSetFontH4","ctrlSetFontH4B","ctrlSetFontH5","ctrlSetFontH5B","ctrlSetFontH6","ctrlSetFontH6B","ctrlSetFontHeight","ctrlSetFontHeightH1","ctrlSetFontHeightH2","ctrlSetFontHeightH3","ctrlSetFontHeightH4","ctrlSetFontHeightH5","ctrlSetFontHeightH6","ctrlSetFontHeightSecondary","ctrlSetFontP","ctrlSetFontPB","ctrlSetFontSecondary","ctrlSetForegroundColor","ctrlSetModel","ctrlSetModelDirAndUp","ctrlSetModelScale","ctrlSetMousePosition","ctrlSetPixelPrecision","ctrlSetPosition","ctrlSetPositionH","ctrlSetPositionW","ctrlSetPositionX","ctrlSetPositionY","ctrlSetScale","ctrlSetScrollValues","ctrlSetShadow","ctrlSetStructuredText","ctrlSetText","ctrlSetTextColor","ctrlSetTextColorSecondary","ctrlSetTextSecondary","ctrlSetTextSelection","ctrlSetTooltip","ctrlSetTooltipColorBox","ctrlSetTooltipColorShade","ctrlSetTooltipColorText","ctrlSetTooltipMaxWidth","ctrlSetURL","ctrlSetURLOverlayMode","ctrlShadow","ctrlShow","ctrlShown","ctrlStyle","ctrlText","ctrlTextColor","ctrlTextHeight","ctrlTextSecondary","ctrlTextSelection","ctrlTextWidth","ctrlTooltip","ctrlType","ctrlURL","ctrlURLOverlayMode","ctrlVisible","ctRowControls","ctRowCount","ctSetCurSel","ctSetData","ctSetHeaderTemplate","ctSetRowTemplate","ctSetValue","ctValue","curatorAddons","curatorCamera","curatorCameraArea","curatorCameraAreaCeiling","curatorCoef","curatorEditableObjects","curatorEditingArea","curatorEditingAreaType","curatorMouseOver","curatorPoints","curatorRegisteredObjects","curatorSelected","curatorWaypointCost","current3DENOperation","currentChannel","currentCommand","currentMagazine","currentMagazineDetail","currentMagazineDetailTurret","currentMagazineTurret","currentMuzzle","currentNamespace","currentPilot","currentTask","currentTasks","currentThrowable","currentVisionMode","currentWaypoint","currentWeapon","currentWeaponMode","currentWeaponTurret","currentZeroing","cursorObject","cursorTarget","customChat","customRadio","customWaypointPosition","cutFadeOut","cutObj","cutRsc","cutText","damage","date","dateToNumber","dayTime","deActivateKey","debriefingText","debugFSM","debugLog","decayGraphValues","deg","delete3DENEntities","deleteAt","deleteCenter","deleteCollection","deleteEditorObject","deleteGroup","deleteGroupWhenEmpty","deleteIdentity","deleteLocation","deleteMarker","deleteMarkerLocal","deleteRange","deleteResources","deleteSite","deleteStatus","deleteTeam","deleteVehicle","deleteVehicleCrew","deleteWaypoint","detach","detectedMines","diag_activeMissionFSMs","diag_activeScripts","diag_activeSQFScripts","diag_activeSQSScripts","diag_allMissionEventHandlers","diag_captureFrame","diag_captureFrameToFile","diag_captureSlowFrame","diag_codePerformance","diag_deltaTime","diag_drawmode","diag_dumpCalltraceToLog","diag_dumpScriptAssembly","diag_dumpTerrainSynth","diag_dynamicSimulationEnd","diag_enable","diag_enabled","diag_exportConfig","diag_exportTerrainSVG","diag_fps","diag_fpsmin","diag_frameno","diag_getTerrainSegmentOffset","diag_lightNewLoad","diag_list","diag_localized","diag_log","diag_logSlowFrame","diag_mergeConfigFile","diag_recordTurretLimits","diag_resetFSM","diag_resetshapes","diag_scope","diag_setLightNew","diag_stacktrace","diag_tickTime","diag_toggle","dialog","diarySubjectExists","didJIP","didJIPOwner","difficulty","difficultyEnabled","difficultyEnabledRTD","difficultyOption","direction","directionStabilizationEnabled","directSay","disableAI","disableBrakes","disableCollisionWith","disableConversation","disableDebriefingStats","disableMapIndicators","disableNVGEquipment","disableRemoteSensors","disableSerialization","disableTIEquipment","disableUAVConnectability","disableUserInput","displayAddEventHandler","displayChild","displayCtrl","displayParent","displayRemoveAllEventHandlers","displayRemoveEventHandler","displaySetEventHandler","displayUniqueName","displayUpdate","dissolveTeam","distance","distance2D","distanceSqr","distributionRegion","do3DENAction","doArtilleryFire","doFire","doFollow","doFSM","doGetOut","doMove","doorPhase","doStop","doSuppressiveFire","doTarget","doWatch","drawArrow","drawEllipse","drawIcon","drawIcon3D","drawLaser","drawLine","drawLine3D","drawLink","drawLocation","drawPolygon","drawRectangle","drawTriangle","driver","drop","dynamicSimulationDistance","dynamicSimulationDistanceCoef","dynamicSimulationEnabled","dynamicSimulationSystemEnabled","echo","edit3DENMissionAttributes","editObject","editorSetEventHandler","effectiveCommander","elevatePeriscope","emptyPositions","enableAI","enableAIFeature","enableAimPrecision","enableAttack","enableAudioFeature","enableAutoStartUpRTD","enableAutoTrimRTD","enableCamShake","enableCaustics","enableChannel","enableCollisionWith","enableCopilot","enableDebriefingStats","enableDiagLegend","enableDirectionStabilization","enableDynamicSimulation","enableDynamicSimulationSystem","enableEndDialog","enableEngineArtillery","enableEnvironment","enableFatigue","enableGunLights","enableInfoPanelComponent","enableIRLasers","enableMimics","enablePersonTurret","enableRadio","enableReload","enableRopeAttach","enableSatNormalOnDetail","enableSaving","enableSentences","enableSimulation","enableSimulationGlobal","enableStamina","enableStressDamage","enableTeamSwitch","enableTraffic","enableUAVConnectability","enableUAVWaypoints","enableVehicleCargo","enableVehicleSensor","enableWeaponDisassembly","endLoadingScreen","endMission","engineOn","enginesIsOnRTD","enginesPowerRTD","enginesRpmRTD","enginesTorqueRTD","entities","environmentEnabled","environmentVolume","equipmentDisabled","estimatedEndServerTime","estimatedTimeLeft","evalObjectArgument","everyBackpack","everyContainer","exec","execEditorScript","execFSM","execVM","exp","expectedDestination","exportJIPMessages","eyeDirection","eyePos","face","faction","fadeEnvironment","fadeMusic","fadeRadio","fadeSound","fadeSpeech","failMission","fileExists","fillWeaponsFromPool","find","findAny","findCover","findDisplay","findEditorObject","findEmptyPosition","findEmptyPositionReady","findIf","findNearestEnemy","finishMissionInit","finite","fire","fireAtTarget","firstBackpack","flag","flagAnimationPhase","flagOwner","flagSide","flagTexture","flatten","fleeing","floor","flyInHeight","flyInHeightASL","focusedCtrl","fog","fogForecast","fogParams","forceAddUniform","forceAtPositionRTD","forceCadetDifficulty","forcedMap","forceEnd","forceFlagTexture","forceFollowRoad","forceGeneratorRTD","forceMap","forceRespawn","forceSpeed","forceUnicode","forceWalk","forceWeaponFire","forceWeatherChange","forEachMember","forEachMemberAgent","forEachMemberTeam","forgetTarget","format","formation","formationDirection","formationLeader","formationMembers","formationPosition","formationTask","formatText","formLeader","freeExtension","freeLook","fromEditor","fuel","fullCrew","gearIDCAmmoCount","gearSlotAmmoCount","gearSlotData","gestureState","get","get3DENActionState","get3DENAttribute","get3DENCamera","get3DENConnections","get3DENEntity","get3DENEntityID","get3DENGrid","get3DENIconsVisible","get3DENLayerEntities","get3DENLinesVisible","get3DENMissionAttribute","get3DENMouseOver","get3DENSelected","getAimingCoef","getAllEnv3DSoundControllers","getAllEnvSoundControllers","getAllHitPointsDamage","getAllOwnedMines","getAllPylonsInfo","getAllSoundControllers","getAllUnitTraits","getAmmoCargo","getAnimAimPrecision","getAnimSpeedCoef","getArray","getArtilleryAmmo","getArtilleryComputerSettings","getArtilleryETA","getAssetDLCInfo","getAssignedCuratorLogic","getAssignedCuratorUnit","getAttackTarget","getAudioOptionVolumes","getBackpackCargo","getBleedingRemaining","getBurningValue","getCalculatePlayerVisibilityByFriendly","getCameraViewDirection","getCargoIndex","getCenterOfMass","getClientState","getClientStateNumber","getCompatiblePylonMagazines","getConnectedUAV","getConnectedUAVUnit","getContainerMaxLoad","getCorpse","getCruiseControl","getCursorObjectParams","getCustomAimCoef","getCustomSoundController","getCustomSoundControllerCount","getDammage","getDebriefingText","getDescription","getDir","getDirVisual","getDiverState","getDLCAssetsUsage","getDLCAssetsUsageByName","getDLCs","getDLCUsageTime","getEditorCamera","getEditorMode","getEditorObjectScope","getElevationOffset","getEngineTargetRPMRTD","getEnv3DSoundController","getEnvSoundController","getEventHandlerInfo","getFatigue","getFieldManualStartPage","getForcedFlagTexture","getForcedSpeed","getFriend","getFSMVariable","getFuelCargo","getGraphValues","getGroupIcon","getGroupIconParams","getGroupIcons","getHideFrom","getHit","getHitIndex","getHitPointDamage","getItemCargo","getLighting","getLightingAt","getLoadedModsInfo","getMagazineCargo","getMarkerColor","getMarkerPos","getMarkerSize","getMarkerType","getMass","getMissionConfig","getMissionConfigValue","getMissionDLCs","getMissionLayerEntities","getMissionLayers","getMissionPath","getModelInfo","getMousePosition","getMusicPlayedTime","getNumber","getObjectArgument","getObjectChildren","getObjectDLC","getObjectFOV","getObjectID","getObjectMaterials","getObjectProxy","getObjectScale","getObjectTextures","getObjectType","getObjectViewDistance","getOpticsMode","getOrDefault","getOrDefaultCall","getOxygenRemaining","getPersonUsedDLCs","getPilotCameraDirection","getPilotCameraPosition","getPilotCameraRotation","getPilotCameraTarget","getPiPViewDistance","getPlateNumber","getPlayerChannel","getPlayerID","getPlayerScores","getPlayerUID","getPlayerVoNVolume","getPos","getPosASL","getPosASLVisual","getPosASLW","getPosATL","getPosATLVisual","getPosVisual","getPosWorld","getPosWorldVisual","getPylonMagazines","getRelDir","getRelPos","getRemoteSensorsDisabled","getRepairCargo","getResolution","getRoadInfo","getRotorBrakeRTD","getSensorTargets","getSensorThreats","getShadowDistance","getShotParents","getSlingLoad","getSoundController","getSoundControllerResult","getSpeed","getStamina","getStatValue","getSteamFriendsServers","getSubtitleOptions","getSuppression","getTerrainGrid","getTerrainHeight","getTerrainHeightASL","getTerrainInfo","getText","getTextRaw","getTextureInfo","getTextWidth","getTiParameters","getTotalDLCUsageTime","getTrimOffsetRTD","getTurretLimits","getTurretOpticsMode","getUnitFreefallInfo","getUnitLoadout","getUnitTrait","getUnloadInCombat","getUserInfo","getUserMFDText","getUserMFDValue","getVariable","getVehicleCargo","getVehicleTiPars","getWeaponCargo","getWeaponSway","getWingsOrientationRTD","getWingsPositionRTD","getWPPos","glanceAt","globalChat","globalRadio","goggles","goto","group","groupChat","groupFromNetId","groupIconSelectable","groupIconsVisible","groupID","groupOwner","groupRadio","groups","groupSelectedUnits","groupSelectUnit","gunner","gusts","halt","handgunItems","handgunMagazine","handgunWeapon","handsHit","hashValue","hasInterface","hasPilotCamera","hasWeapon","hcAllGroups","hcGroupParams","hcLeader","hcRemoveAllGroups","hcRemoveGroup","hcSelected","hcSelectGroup","hcSetGroup","hcShowBar","hcShownBar","headgear","hideBody","hideObject","hideObjectGlobal","hideSelection","hint","hintC","hintCadet","hintSilent","hmd","hostMission","htmlLoad","HUDMovementLevels","humidity","image","importAllGroups","importance","in","inArea","inAreaArray","incapacitatedState","inflame","inflamed","infoPanel","infoPanelComponentEnabled","infoPanelComponents","infoPanels","inGameUISetEventHandler","inheritsFrom","initAmbientLife","inPolygon","inputAction","inputController","inputMouse","inRangeOfArtillery","insert","insertEditorObject","intersect","is3DEN","is3DENMultiplayer","is3DENPreview","isAbleToBreathe","isActionMenuVisible","isAgent","isAimPrecisionEnabled","isAllowedCrewInImmobile","isArray","isAutoHoverOn","isAutonomous","isAutoStartUpEnabledRTD","isAutotest","isAutoTrimOnRTD","isAwake","isBleeding","isBurning","isClass","isCollisionLightOn","isCopilotEnabled","isDamageAllowed","isDedicated","isDLCAvailable","isEngineOn","isEqualRef","isEqualTo","isEqualType","isEqualTypeAll","isEqualTypeAny","isEqualTypeArray","isEqualTypeParams","isFilePatchingEnabled","isFinal","isFlashlightOn","isFlatEmpty","isForcedWalk","isFormationLeader","isGameFocused","isGamePaused","isGroupDeletedWhenEmpty","isHidden","isInRemainsCollector","isInstructorFigureEnabled","isIRLaserOn","isKeyActive","isKindOf","isLaserOn","isLightOn","isLocalized","isManualFire","isMarkedForCollection","isMissionProfileNamespaceLoaded","isMultiplayer","isMultiplayerSolo","isNil","isNotEqualRef","isNotEqualTo","isNull","isNumber","isObjectHidden","isObjectRTD","isOnRoad","isPiPEnabled","isPlayer","isRealTime","isRemoteExecuted","isRemoteExecutedJIP","isSaving","isSensorTargetConfirmed","isServer","isShowing3DIcons","isSimpleObject","isSprintAllowed","isStaminaEnabled","isSteamMission","isSteamOverlayEnabled","isStreamFriendlyUIEnabled","isStressDamageEnabled","isText","isTouchingGround","isTurnedOut","isTutHintsEnabled","isUAVConnectable","isUAVConnected","isUIContext","isUniformAllowed","isVehicleCargo","isVehicleRadarOn","isVehicleSensorEnabled","isWalking","isWeaponDeployed","isWeaponRested","itemCargo","items","itemsWithMagazines","join","joinAs","joinAsSilent","joinSilent","joinString","kbAddDatabase","kbAddDatabaseTargets","kbAddTopic","kbHasTopic","kbReact","kbRemoveTopic","kbTell","kbWasSaid","keyImage","keyName","keys","knowsAbout","land","landAt","landResult","language","laserTarget","lbAdd","lbClear","lbColor","lbColorRight","lbCurSel","lbData","lbDelete","lbIsSelected","lbPicture","lbPictureRight","lbSelection","lbSetColor","lbSetColorRight","lbSetCurSel","lbSetData","lbSetPicture","lbSetPictureColor","lbSetPictureColorDisabled","lbSetPictureColorSelected","lbSetPictureRight","lbSetPictureRightColor","lbSetPictureRightColorDisabled","lbSetPictureRightColorSelected","lbSetSelectColor","lbSetSelectColorRight","lbSetSelected","lbSetText","lbSetTextRight","lbSetTooltip","lbSetValue","lbSize","lbSort","lbSortBy","lbSortByValue","lbText","lbTextRight","lbTooltip","lbValue","leader","leaderboardDeInit","leaderboardGetRows","leaderboardInit","leaderboardRequestRowsFriends","leaderboardRequestRowsGlobal","leaderboardRequestRowsGlobalAroundUser","leaderboardsRequestUploadScore","leaderboardsRequestUploadScoreKeepBest","leaderboardState","leaveVehicle","libraryCredits","libraryDisclaimers","lifeState","lightAttachObject","lightDetachObject","lightIsOn","lightnings","limitSpeed","linearConversion","lineIntersects","lineIntersectsObjs","lineIntersectsSurfaces","lineIntersectsWith","linkItem","list","listObjects","listRemoteTargets","listVehicleSensors","ln","lnbAddArray","lnbAddColumn","lnbAddRow","lnbClear","lnbColor","lnbColorRight","lnbCurSelRow","lnbData","lnbDeleteColumn","lnbDeleteRow","lnbGetColumnsPosition","lnbPicture","lnbPictureRight","lnbSetColor","lnbSetColorRight","lnbSetColumnsPos","lnbSetCurSelRow","lnbSetData","lnbSetPicture","lnbSetPictureColor","lnbSetPictureColorRight","lnbSetPictureColorSelected","lnbSetPictureColorSelectedRight","lnbSetPictureRight","lnbSetText","lnbSetTextRight","lnbSetTooltip","lnbSetValue","lnbSize","lnbSort","lnbSortBy","lnbSortByValue","lnbText","lnbTextRight","lnbValue","load","loadAbs","loadBackpack","loadConfig","loadFile","loadGame","loadIdentity","loadMagazine","loadOverlay","loadStatus","loadUniform","loadVest","localize","localNamespace","locationPosition","lock","lockCameraTo","lockCargo","lockDriver","locked","lockedCameraTo","lockedCargo","lockedDriver","lockedInventory","lockedTurret","lockIdentity","lockInventory","lockTurret","lockWp","log","logEntities","logNetwork","logNetworkTerminate","lookAt","lookAtPos","magazineCargo","magazines","magazinesAllTurrets","magazinesAmmo","magazinesAmmoCargo","magazinesAmmoFull","magazinesDetail","magazinesDetailBackpack","magazinesDetailUniform","magazinesDetailVest","magazinesTurret","magazineTurretAmmo","mapAnimAdd","mapAnimClear","mapAnimCommit","mapAnimDone","mapCenterOnCamera","mapGridPosition","markAsFinishedOnSteam","markerAlpha","markerBrush","markerChannel","markerColor","markerDir","markerPolyline","markerPos","markerShadow","markerShape","markerSize","markerText","markerType","matrixMultiply","matrixTranspose","max","maxLoad","members","menuAction","menuAdd","menuChecked","menuClear","menuCollapse","menuData","menuDelete","menuEnable","menuEnabled","menuExpand","menuHover","menuPicture","menuSetAction","menuSetCheck","menuSetData","menuSetPicture","menuSetShortcut","menuSetText","menuSetURL","menuSetValue","menuShortcut","menuShortcutText","menuSize","menuSort","menuText","menuURL","menuValue","merge","min","mineActive","mineDetectedBy","missileTarget","missileTargetPos","missionConfigFile","missionDifficulty","missionEnd","missionName","missionNameSource","missionNamespace","missionProfileNamespace","missionStart","missionVersion","mod","modelToWorld","modelToWorldVisual","modelToWorldVisualWorld","modelToWorldWorld","modParams","moonIntensity","moonPhase","morale","move","move3DENCamera","moveInAny","moveInCargo","moveInCommander","moveInDriver","moveInGunner","moveInTurret","moveObjectToEnd","moveOut","moveTime","moveTo","moveToCompleted","moveToFailed","musicVolume","name","namedProperties","nameSound","nearEntities","nearestBuilding","nearestLocation","nearestLocations","nearestLocationWithDubbing","nearestMines","nearestObject","nearestObjects","nearestTerrainObjects","nearObjects","nearObjectsReady","nearRoads","nearSupplies","nearTargets","needReload","needService","netId","netObjNull","newOverlay","nextMenuItemIndex","nextWeatherChange","nMenuItems","not","numberOfEnginesRTD","numberToDate","objectCurators","objectFromNetId","objectParent","objStatus","onBriefingGroup","onBriefingNotes","onBriefingPlan","onBriefingTeamSwitch","onCommandModeChanged","onDoubleClick","onEachFrame","onGroupIconClick","onGroupIconOverEnter","onGroupIconOverLeave","onHCGroupSelectionChanged","onMapSingleClick","onPlayerConnected","onPlayerDisconnected","onPreloadFinished","onPreloadStarted","onShowNewObject","onTeamSwitch","openCuratorInterface","openDLCPage","openGPS","openMap","openSteamApp","openYoutubeVideo","or","orderGetIn","overcast","overcastForecast","owner","param","params","parseNumber","parseSimpleArray","parseText","parsingNamespace","particlesQuality","periscopeElevation","pickWeaponPool","pitch","pixelGrid","pixelGridBase","pixelGridNoUIScale","pixelH","pixelW","playableSlotsNumber","playableUnits","playAction","playActionNow","player","playerRespawnTime","playerSide","playersNumber","playGesture","playMission","playMove","playMoveNow","playMusic","playScriptedMission","playSound","playSound3D","playSoundUI","pose","position","positionCameraToWorld","posScreenToWorld","posWorldToScreen","ppEffectAdjust","ppEffectCommit","ppEffectCommitted","ppEffectCreate","ppEffectDestroy","ppEffectEnable","ppEffectEnabled","ppEffectForceInNVG","precision","preloadCamera","preloadObject","preloadSound","preloadTitleObj","preloadTitleRsc","preprocessFile","preprocessFileLineNumbers","primaryWeapon","primaryWeaponItems","primaryWeaponMagazine","priority","processDiaryLink","productVersion","profileName","profileNamespace","profileNameSteam","progressLoadingScreen","progressPosition","progressSetPosition","publicVariable","publicVariableClient","publicVariableServer","pushBack","pushBackUnique","putWeaponPool","queryItemsPool","queryMagazinePool","queryWeaponPool","rad","radioChannelAdd","radioChannelCreate","radioChannelInfo","radioChannelRemove","radioChannelSetCallSign","radioChannelSetLabel","radioEnabled","radioVolume","rain","rainbow","rainParams","random","rank","rankId","rating","rectangular","regexFind","regexMatch","regexReplace","registeredTasks","registerTask","reload","reloadEnabled","remoteControl","remoteExec","remoteExecCall","remoteExecutedOwner","remove3DENConnection","remove3DENEventHandler","remove3DENLayer","removeAction","removeAll3DENEventHandlers","removeAllActions","removeAllAssignedItems","removeAllBinocularItems","removeAllContainers","removeAllCuratorAddons","removeAllCuratorCameraAreas","removeAllCuratorEditingAreas","removeAllEventHandlers","removeAllHandgunItems","removeAllItems","removeAllItemsWithMagazines","removeAllMissionEventHandlers","removeAllMPEventHandlers","removeAllMusicEventHandlers","removeAllOwnedMines","removeAllPrimaryWeaponItems","removeAllSecondaryWeaponItems","removeAllUserActionEventHandlers","removeAllWeapons","removeBackpack","removeBackpackGlobal","removeBinocularItem","removeCuratorAddons","removeCuratorCameraArea","removeCuratorEditableObjects","removeCuratorEditingArea","removeDiaryRecord","removeDiarySubject","removeDrawIcon","removeDrawLinks","removeEventHandler","removeFromRemainsCollector","removeGoggles","removeGroupIcon","removeHandgunItem","removeHeadgear","removeItem","removeItemFromBackpack","removeItemFromUniform","removeItemFromVest","removeItems","removeMagazine","removeMagazineGlobal","removeMagazines","removeMagazinesTurret","removeMagazineTurret","removeMenuItem","removeMissionEventHandler","removeMPEventHandler","removeMusicEventHandler","removeOwnedMine","removePrimaryWeaponItem","removeSecondaryWeaponItem","removeSimpleTask","removeSwitchableUnit","removeTeamMember","removeUniform","removeUserActionEventHandler","removeVest","removeWeapon","removeWeaponAttachmentCargo","removeWeaponCargo","removeWeaponGlobal","removeWeaponTurret","reportRemoteTarget","requiredVersion","resetCamShake","resetSubgroupDirection","resize","resources","respawnVehicle","restartEditorCamera","reveal","revealMine","reverse","reversedMouseY","roadAt","roadsConnectedTo","roleDescription","ropeAttachedObjects","ropeAttachedTo","ropeAttachEnabled","ropeAttachTo","ropeCreate","ropeCut","ropeDestroy","ropeDetach","ropeEndPosition","ropeLength","ropes","ropesAttachedTo","ropeSegments","ropeUnwind","ropeUnwound","rotorsForcesRTD","rotorsRpmRTD","round","runInitScript","safeZoneH","safeZoneW","safeZoneWAbs","safeZoneX","safeZoneXAbs","safeZoneY","save3DENInventory","saveGame","saveIdentity","saveJoysticks","saveMissionProfileNamespace","saveOverlay","saveProfileNamespace","saveStatus","saveVar","savingEnabled","say","say2D","say3D","scopeName","score","scoreSide","screenshot","screenToWorld","scriptDone","scriptName","scudState","secondaryWeapon","secondaryWeaponItems","secondaryWeaponMagazine","select","selectBestPlaces","selectDiarySubject","selectedEditorObjects","selectEditorObject","selectionNames","selectionPosition","selectionVectorDirAndUp","selectLeader","selectMax","selectMin","selectNoPlayer","selectPlayer","selectRandom","selectRandomWeighted","selectWeapon","selectWeaponTurret","sendAUMessage","sendSimpleCommand","sendTask","sendTaskResult","sendUDPMessage","sentencesEnabled","serverCommand","serverCommandAvailable","serverCommandExecutable","serverName","serverNamespace","serverTime","set","set3DENAttribute","set3DENAttributes","set3DENGrid","set3DENIconsVisible","set3DENLayer","set3DENLinesVisible","set3DENLogicType","set3DENMissionAttribute","set3DENMissionAttributes","set3DENModelsVisible","set3DENObjectType","set3DENSelected","setAccTime","setActualCollectiveRTD","setAirplaneThrottle","setAirportSide","setAmmo","setAmmoCargo","setAmmoOnPylon","setAnimSpeedCoef","setAperture","setApertureNew","setArmoryPoints","setAttributes","setAutonomous","setBehaviour","setBehaviourStrong","setBleedingRemaining","setBrakesRTD","setCameraInterest","setCamShakeDefParams","setCamShakeParams","setCamUseTi","setCaptive","setCenterOfMass","setCollisionLight","setCombatBehaviour","setCombatMode","setCompassOscillation","setConvoySeparation","setCruiseControl","setCuratorCameraAreaCeiling","setCuratorCoef","setCuratorEditingAreaType","setCuratorWaypointCost","setCurrentChannel","setCurrentTask","setCurrentWaypoint","setCustomAimCoef","SetCustomMissionData","setCustomSoundController","setCustomWeightRTD","setDamage","setDammage","setDate","setDebriefingText","setDefaultCamera","setDestination","setDetailMapBlendPars","setDiaryRecordText","setDiarySubjectPicture","setDir","setDirection","setDrawIcon","setDriveOnPath","setDropInterval","setDynamicSimulationDistance","setDynamicSimulationDistanceCoef","setEditorMode","setEditorObjectScope","setEffectCondition","setEffectiveCommander","setEngineRpmRTD","setFace","setFaceanimation","setFatigue","setFeatureType","setFlagAnimationPhase","setFlagOwner","setFlagSide","setFlagTexture","setFog","setForceGeneratorRTD","setFormation","setFormationTask","setFormDir","setFriend","setFromEditor","setFSMVariable","setFuel","setFuelCargo","setGroupIcon","setGroupIconParams","setGroupIconsSelectable","setGroupIconsVisible","setGroupid","setGroupIdGlobal","setGroupOwner","setGusts","setHideBehind","setHit","setHitIndex","setHitPointDamage","setHorizonParallaxCoef","setHUDMovementLevels","setHumidity","setIdentity","setImportance","setInfoPanel","setLeader","setLightAmbient","setLightAttenuation","setLightBrightness","setLightColor","setLightConePars","setLightDayLight","setLightFlareMaxDistance","setLightFlareSize","setLightIntensity","setLightIR","setLightnings","setLightUseFlare","setLightVolumeShape","setLocalWindParams","setMagazineTurretAmmo","setMarkerAlpha","setMarkerAlphaLocal","setMarkerBrush","setMarkerBrushLocal","setMarkerColor","setMarkerColorLocal","setMarkerDir","setMarkerDirLocal","setMarkerPolyline","setMarkerPolylineLocal","setMarkerPos","setMarkerPosLocal","setMarkerShadow","setMarkerShadowLocal","setMarkerShape","setMarkerShapeLocal","setMarkerSize","setMarkerSizeLocal","setMarkerText","setMarkerTextLocal","setMarkerType","setMarkerTypeLocal","setMass","setMaxLoad","setMimic","setMissileTarget","setMissileTargetPos","setMousePosition","setMusicEffect","setMusicEventHandler","setName","setNameSound","setObjectArguments","setObjectMaterial","setObjectMaterialGlobal","setObjectProxy","setObjectScale","setObjectTexture","setObjectTextureGlobal","setObjectViewDistance","setOpticsMode","setOvercast","setOwner","setOxygenRemaining","setParticleCircle","setParticleClass","setParticleFire","setParticleParams","setParticleRandom","setPilotCameraDirection","setPilotCameraRotation","setPilotCameraTarget","setPilotLight","setPiPEffect","setPiPViewDistance","setPitch","setPlateNumber","setPlayable","setPlayerRespawnTime","setPlayerVoNVolume","setPos","setPosASL","setPosASL2","setPosASLW","setPosATL","setPosition","setPosWorld","setPylonLoadout","setPylonsPriority","setRadioMsg","setRain","setRainbow","setRandomLip","setRank","setRectangular","setRepairCargo","setRotorBrakeRTD","setShadowDistance","setShotParents","setSide","setSimpleTaskAlwaysVisible","setSimpleTaskCustomData","setSimpleTaskDescription","setSimpleTaskDestination","setSimpleTaskTarget","setSimpleTaskType","setSimulWeatherLayers","setSize","setSkill","setSlingLoad","setSoundEffect","setSpeaker","setSpeech","setSpeedMode","setStamina","setStaminaScheme","setStatValue","setSuppression","setSystemOfUnits","setTargetAge","setTaskMarkerOffset","setTaskResult","setTaskState","setTerrainGrid","setTerrainHeight","setText","setTimeMultiplier","setTiParameter","setTitleEffect","setTowParent","setTrafficDensity","setTrafficDistance","setTrafficGap","setTrafficSpeed","setTriggerActivation","setTriggerArea","setTriggerInterval","setTriggerStatements","setTriggerText","setTriggerTimeout","setTriggerType","setTurretLimits","setTurretOpticsMode","setType","setUnconscious","setUnitAbility","setUnitCombatMode","setUnitFreefallHeight","setUnitLoadout","setUnitPos","setUnitPosWeak","setUnitRank","setUnitRecoilCoefficient","setUnitTrait","setUnloadInCombat","setUserActionText","setUserMFDText","setUserMFDValue","setVariable","setVectorDir","setVectorDirAndUp","setVectorUp","setVehicleAmmo","setVehicleAmmoDef","setVehicleArmor","setVehicleCargo","setVehicleId","setVehicleLock","setVehiclePosition","setVehicleRadar","setVehicleReceiveRemoteTargets","setVehicleReportOwnPosition","setVehicleReportRemoteTargets","setVehicleTiPars","setVehicleVarName","setVelocity","setVelocityModelSpace","setVelocityTransformation","setViewDistance","setVisibleIfTreeCollapsed","setWantedRPMRTD","setWaves","setWaypointBehaviour","setWaypointCombatMode","setWaypointCompletionRadius","setWaypointDescription","setWaypointForceBehaviour","setWaypointFormation","setWaypointHousePosition","setWaypointLoiterAltitude","setWaypointLoiterRadius","setWaypointLoiterType","setWaypointName","setWaypointPosition","setWaypointScript","setWaypointSpeed","setWaypointStatements","setWaypointTimeout","setWaypointType","setWaypointVisible","setWeaponReloadingTime","setWeaponZeroing","setWind","setWindDir","setWindForce","setWindStr","setWingForceScaleRTD","setWPPos","show3DIcons","showChat","showCinemaBorder","showCommandingMenu","showCompass","showCuratorCompass","showGps","showHUD","showLegend","showMap","shownArtilleryComputer","shownChat","shownCompass","shownCuratorCompass","showNewEditorObject","shownGps","shownHUD","shownMap","shownPad","shownRadio","shownScoretable","shownSubtitles","shownUAVFeed","shownWarrant","shownWatch","showPad","showRadio","showScoretable","showSubtitles","showUAVFeed","showWarrant","showWatch","showWaypoint","showWaypoints","side","sideChat","sideRadio","simpleTasks","simulationEnabled","simulCloudDensity","simulCloudOcclusion","simulInClouds","simulWeatherSync","sin","size","sizeOf","skill","skillFinal","skipTime","sleep","sliderPosition","sliderRange","sliderSetPosition","sliderSetRange","sliderSetSpeed","sliderSpeed","slingLoadAssistantShown","soldierMagazines","someAmmo","sort","soundVolume","spawn","speaker","speechVolume","speed","speedMode","splitString","sqrt","squadParams","stance","startLoadingScreen","stop","stopEngineRTD","stopped","str","sunOrMoon","supportInfo","suppressFor","surfaceIsWater","surfaceNormal","surfaceTexture","surfaceType","swimInDepth","switchableUnits","switchAction","switchCamera","switchGesture","switchLight","switchMove","synchronizedObjects","synchronizedTriggers","synchronizedWaypoints","synchronizeObjectsAdd","synchronizeObjectsRemove","synchronizeTrigger","synchronizeWaypoint","systemChat","systemOfUnits","systemTime","systemTimeUTC","tan","targetKnowledge","targets","targetsAggregate","targetsQuery","taskAlwaysVisible","taskChildren","taskCompleted","taskCustomData","taskDescription","taskDestination","taskHint","taskMarkerOffset","taskName","taskParent","taskResult","taskState","taskType","teamMember","teamName","teams","teamSwitch","teamSwitchEnabled","teamType","terminate","terrainIntersect","terrainIntersectASL","terrainIntersectAtASL","text","textLog","textLogFormat","tg","time","timeMultiplier","titleCut","titleFadeOut","titleObj","titleRsc","titleText","toArray","toFixed","toLower","toLowerANSI","toString","toUpper","toUpperANSI","triggerActivated","triggerActivation","triggerAmmo","triggerArea","triggerAttachedVehicle","triggerAttachObject","triggerAttachVehicle","triggerDynamicSimulation","triggerInterval","triggerStatements","triggerText","triggerTimeout","triggerTimeoutCurrent","triggerType","trim","turretLocal","turretOwner","turretUnit","tvAdd","tvClear","tvCollapse","tvCollapseAll","tvCount","tvCurSel","tvData","tvDelete","tvExpand","tvExpandAll","tvIsSelected","tvPicture","tvPictureRight","tvSelection","tvSetColor","tvSetCurSel","tvSetData","tvSetPicture","tvSetPictureColor","tvSetPictureColorDisabled","tvSetPictureColorSelected","tvSetPictureRight","tvSetPictureRightColor","tvSetPictureRightColorDisabled","tvSetPictureRightColorSelected","tvSetSelectColor","tvSetSelected","tvSetText","tvSetTooltip","tvSetValue","tvSort","tvSortAll","tvSortByValue","tvSortByValueAll","tvText","tvTooltip","tvValue","type","typeName","typeOf","UAVControl","uiNamespace","uiSleep","unassignCurator","unassignItem","unassignTeam","unassignVehicle","underwater","uniform","uniformContainer","uniformItems","uniformMagazines","uniqueUnitItems","unitAddons","unitAimPosition","unitAimPositionVisual","unitBackpack","unitCombatMode","unitIsUAV","unitPos","unitReady","unitRecoilCoefficient","units","unitsBelowHeight","unitTurret","unlinkItem","unlockAchievement","unregisterTask","updateDrawIcon","updateMenuItem","updateObjectTree","useAIOperMapObstructionTest","useAISteeringComponent","useAudioTimeForMoves","userInputDisabled","values","vectorAdd","vectorCos","vectorCrossProduct","vectorDiff","vectorDir","vectorDirVisual","vectorDistance","vectorDistanceSqr","vectorDotProduct","vectorFromTo","vectorLinearConversion","vectorMagnitude","vectorMagnitudeSqr","vectorModelToWorld","vectorModelToWorldVisual","vectorMultiply","vectorNormalized","vectorUp","vectorUpVisual","vectorWorldToModel","vectorWorldToModelVisual","vehicle","vehicleCargoEnabled","vehicleChat","vehicleMoveInfo","vehicleRadio","vehicleReceiveRemoteTargets","vehicleReportOwnPosition","vehicleReportRemoteTargets","vehicles","vehicleVarName","velocity","velocityModelSpace","verifySignature","vest","vestContainer","vestItems","vestMagazines","viewDistance","visibleCompass","visibleGps","visibleMap","visiblePosition","visiblePositionASL","visibleScoretable","visibleWatch","waves","waypointAttachedObject","waypointAttachedVehicle","waypointAttachObject","waypointAttachVehicle","waypointBehaviour","waypointCombatMode","waypointCompletionRadius","waypointDescription","waypointForceBehaviour","waypointFormation","waypointHousePosition","waypointLoiterAltitude","waypointLoiterRadius","waypointLoiterType","waypointName","waypointPosition","waypoints","waypointScript","waypointsEnabledUAV","waypointShow","waypointSpeed","waypointStatements","waypointTimeout","waypointTimeoutCurrent","waypointType","waypointVisible","weaponAccessories","weaponAccessoriesCargo","weaponCargo","weaponDirection","weaponInertia","weaponLowered","weaponReloadingTime","weapons","weaponsInfo","weaponsItems","weaponsItemsCargo","weaponState","weaponsTurret","weightRTD","WFSideText","wind","windDir","windRTD","windStr","wingsForcesRTD","worldName","worldSize","worldToModel","worldToModelVisual","worldToScreen"],c={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:"define undef ifdef ifndef else endif include if",contains:[{begin:/\\\n/,relevance:0},t.inherit(a,{className:"string"}),{begin:/<[^\n>]*>/,end:/$/,illegal:"\\n"},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]};return{name:"SQF",case_insensitive:!0,keywords:{keyword:o,built_in:u,literal:l},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.NUMBER_MODE,n,r,a,c],illegal:[/\$[^a-fA-F0-9]/,/\w\$/,/\?/,/@/,/ \| /,/[a-zA-Z_]\./,/\:\=/,/\[\:/]}}return hg=e,hg}var Eg,m0;function AP(){if(m0)return Eg;m0=1;function e(t){const n=t.regex,r=t.COMMENT("--","$"),a={className:"string",variants:[{begin:/'/,end:/'/,contains:[{begin:/''/}]}]},o={begin:/"/,end:/"/,contains:[{begin:/""/}]},l=["true","false","unknown"],u=["double precision","large object","with timezone","without timezone"],c=["bigint","binary","blob","boolean","char","character","clob","date","dec","decfloat","decimal","float","int","integer","interval","nchar","nclob","national","numeric","real","row","smallint","time","timestamp","varchar","varying","varbinary"],d=["add","asc","collation","desc","final","first","last","view"],S=["abs","acos","all","allocate","alter","and","any","are","array","array_agg","array_max_cardinality","as","asensitive","asin","asymmetric","at","atan","atomic","authorization","avg","begin","begin_frame","begin_partition","between","bigint","binary","blob","boolean","both","by","call","called","cardinality","cascaded","case","cast","ceil","ceiling","char","char_length","character","character_length","check","classifier","clob","close","coalesce","collate","collect","column","commit","condition","connect","constraint","contains","convert","copy","corr","corresponding","cos","cosh","count","covar_pop","covar_samp","create","cross","cube","cume_dist","current","current_catalog","current_date","current_default_transform_group","current_path","current_role","current_row","current_schema","current_time","current_timestamp","current_path","current_role","current_transform_group_for_type","current_user","cursor","cycle","date","day","deallocate","dec","decimal","decfloat","declare","default","define","delete","dense_rank","deref","describe","deterministic","disconnect","distinct","double","drop","dynamic","each","element","else","empty","end","end_frame","end_partition","end-exec","equals","escape","every","except","exec","execute","exists","exp","external","extract","false","fetch","filter","first_value","float","floor","for","foreign","frame_row","free","from","full","function","fusion","get","global","grant","group","grouping","groups","having","hold","hour","identity","in","indicator","initial","inner","inout","insensitive","insert","int","integer","intersect","intersection","interval","into","is","join","json_array","json_arrayagg","json_exists","json_object","json_objectagg","json_query","json_table","json_table_primitive","json_value","lag","language","large","last_value","lateral","lead","leading","left","like","like_regex","listagg","ln","local","localtime","localtimestamp","log","log10","lower","match","match_number","match_recognize","matches","max","member","merge","method","min","minute","mod","modifies","module","month","multiset","national","natural","nchar","nclob","new","no","none","normalize","not","nth_value","ntile","null","nullif","numeric","octet_length","occurrences_regex","of","offset","old","omit","on","one","only","open","or","order","out","outer","over","overlaps","overlay","parameter","partition","pattern","per","percent","percent_rank","percentile_cont","percentile_disc","period","portion","position","position_regex","power","precedes","precision","prepare","primary","procedure","ptf","range","rank","reads","real","recursive","ref","references","referencing","regr_avgx","regr_avgy","regr_count","regr_intercept","regr_r2","regr_slope","regr_sxx","regr_sxy","regr_syy","release","result","return","returns","revoke","right","rollback","rollup","row","row_number","rows","running","savepoint","scope","scroll","search","second","seek","select","sensitive","session_user","set","show","similar","sin","sinh","skip","smallint","some","specific","specifictype","sql","sqlexception","sqlstate","sqlwarning","sqrt","start","static","stddev_pop","stddev_samp","submultiset","subset","substring","substring_regex","succeeds","sum","symmetric","system","system_time","system_user","table","tablesample","tan","tanh","then","time","timestamp","timezone_hour","timezone_minute","to","trailing","translate","translate_regex","translation","treat","trigger","trim","trim_array","true","truncate","uescape","union","unique","unknown","unnest","update","upper","user","using","value","values","value_of","var_pop","var_samp","varbinary","varchar","varying","versioning","when","whenever","where","width_bucket","window","with","within","without","year"],_=["abs","acos","array_agg","asin","atan","avg","cast","ceil","ceiling","coalesce","corr","cos","cosh","count","covar_pop","covar_samp","cume_dist","dense_rank","deref","element","exp","extract","first_value","floor","json_array","json_arrayagg","json_exists","json_object","json_objectagg","json_query","json_table","json_table_primitive","json_value","lag","last_value","lead","listagg","ln","log","log10","lower","max","min","mod","nth_value","ntile","nullif","percent_rank","percentile_cont","percentile_disc","position","position_regex","power","rank","regr_avgx","regr_avgy","regr_count","regr_intercept","regr_r2","regr_slope","regr_sxx","regr_sxy","regr_syy","row_number","sin","sinh","sqrt","stddev_pop","stddev_samp","substring","substring_regex","sum","tan","tanh","translate","translate_regex","treat","trim","trim_array","unnest","upper","value_of","var_pop","var_samp","width_bucket"],E=["current_catalog","current_date","current_default_transform_group","current_path","current_role","current_schema","current_transform_group_for_type","current_user","session_user","system_time","system_user","current_time","localtime","current_timestamp","localtimestamp"],T=["create table","insert into","primary key","foreign key","not null","alter table","add constraint","grouping sets","on overflow","character set","respect nulls","ignore nulls","nulls first","nulls last","depth first","breadth first"],y=_,M=[...S,...d].filter(R=>!_.includes(R)),v={className:"variable",begin:/@[a-z0-9][a-z0-9_]*/},A={className:"operator",begin:/[-+*/=%^~]|&&?|\|\|?|!=?|<(?:=>?|<|>)?|>[>=]?/,relevance:0},O={begin:n.concat(/\b/,n.either(...y),/\s*\(/),relevance:0,keywords:{built_in:y}};function N(R,{exceptions:L,when:I}={}){const h=I;return L=L||[],R.map(k=>k.match(/\|\d+$/)||L.includes(k)?k:h(k)?`${k}|0`:k)}return{name:"SQL",case_insensitive:!0,illegal:/[{}]|<\//,keywords:{$pattern:/\b[\w\.]+/,keyword:N(M,{when:R=>R.length<3}),literal:l,type:c,built_in:E},contains:[{begin:n.either(...T),relevance:0,keywords:{$pattern:/[\w\.]+/,keyword:M.concat(T),literal:l,type:c}},{className:"type",begin:n.either(...u)},O,v,a,o,t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE,r,A]}}return Eg=e,Eg}var Sg,g0;function OP(){if(g0)return Sg;g0=1;function e(t){const n=t.regex,r=["functions","model","data","parameters","quantities","transformed","generated"],a=["for","in","if","else","while","break","continue","return"],o=["array","tuple","complex","int","real","vector","complex_vector","ordered","positive_ordered","simplex","unit_vector","row_vector","complex_row_vector","matrix","complex_matrix","cholesky_factor_corr|10","cholesky_factor_cov|10","corr_matrix|10","cov_matrix|10","void"],l=["abs","acos","acosh","add_diag","algebra_solver","algebra_solver_newton","append_array","append_col","append_row","asin","asinh","atan","atan2","atanh","bessel_first_kind","bessel_second_kind","binary_log_loss","block","cbrt","ceil","chol2inv","cholesky_decompose","choose","col","cols","columns_dot_product","columns_dot_self","complex_schur_decompose","complex_schur_decompose_t","complex_schur_decompose_u","conj","cos","cosh","cov_exp_quad","crossprod","csr_extract","csr_extract_u","csr_extract_v","csr_extract_w","csr_matrix_times_vector","csr_to_dense_matrix","cumulative_sum","dae","dae_tol","determinant","diag_matrix","diagonal","diag_post_multiply","diag_pre_multiply","digamma","dims","distance","dot_product","dot_self","eigendecompose","eigendecompose_sym","eigenvalues","eigenvalues_sym","eigenvectors","eigenvectors_sym","erf","erfc","exp","exp2","expm1","falling_factorial","fdim","fft","fft2","floor","fma","fmax","fmin","fmod","gamma_p","gamma_q","generalized_inverse","get_imag","get_real","head","hmm_hidden_state_prob","hmm_marginal","hypot","identity_matrix","inc_beta","integrate_1d","integrate_ode","integrate_ode_adams","integrate_ode_bdf","integrate_ode_rk45","int_step","inv","inv_cloglog","inv_erfc","inverse","inverse_spd","inv_fft","inv_fft2","inv_inc_beta","inv_logit","inv_Phi","inv_sqrt","inv_square","is_inf","is_nan","lambert_w0","lambert_wm1","lbeta","lchoose","ldexp","lgamma","linspaced_array","linspaced_int_array","linspaced_row_vector","linspaced_vector","lmgamma","lmultiply","log","log1m","log1m_exp","log1m_inv_logit","log1p","log1p_exp","log_determinant","log_diff_exp","log_falling_factorial","log_inv_logit","log_inv_logit_diff","logit","log_mix","log_modified_bessel_first_kind","log_rising_factorial","log_softmax","log_sum_exp","machine_precision","map_rect","matrix_exp","matrix_exp_multiply","matrix_power","max","mdivide_left_spd","mdivide_left_tri_low","mdivide_right_spd","mdivide_right_tri_low","mean","min","modified_bessel_first_kind","modified_bessel_second_kind","multiply_lower_tri_self_transpose","negative_infinity","norm","norm1","norm2","not_a_number","num_elements","ode_adams","ode_adams_tol","ode_adjoint_tol_ctl","ode_bdf","ode_bdf_tol","ode_ckrk","ode_ckrk_tol","ode_rk45","ode_rk45_tol","one_hot_array","one_hot_int_array","one_hot_row_vector","one_hot_vector","ones_array","ones_int_array","ones_row_vector","ones_vector","owens_t","Phi","Phi_approx","polar","positive_infinity","pow","print","prod","proj","qr","qr_Q","qr_R","qr_thin","qr_thin_Q","qr_thin_R","quad_form","quad_form_diag","quad_form_sym","quantile","rank","reduce_sum","reject","rep_array","rep_matrix","rep_row_vector","rep_vector","reverse","rising_factorial","round","row","rows","rows_dot_product","rows_dot_self","scale_matrix_exp_multiply","sd","segment","sin","singular_values","sinh","size","softmax","sort_asc","sort_desc","sort_indices_asc","sort_indices_desc","sqrt","square","squared_distance","step","sub_col","sub_row","sum","svd","svd_U","svd_V","symmetrize_from_lower_tri","tail","tan","tanh","target","tcrossprod","tgamma","to_array_1d","to_array_2d","to_complex","to_int","to_matrix","to_row_vector","to_vector","trace","trace_gen_quad_form","trace_quad_form","trigamma","trunc","uniform_simplex","variance","zeros_array","zeros_int_array","zeros_row_vector"],u=["bernoulli","bernoulli_logit","bernoulli_logit_glm","beta","beta_binomial","beta_proportion","binomial","binomial_logit","categorical","categorical_logit","categorical_logit_glm","cauchy","chi_square","dirichlet","discrete_range","double_exponential","exp_mod_normal","exponential","frechet","gamma","gaussian_dlm_obs","gumbel","hmm_latent","hypergeometric","inv_chi_square","inv_gamma","inv_wishart","inv_wishart_cholesky","lkj_corr","lkj_corr_cholesky","logistic","loglogistic","lognormal","multi_gp","multi_gp_cholesky","multinomial","multinomial_logit","multi_normal","multi_normal_cholesky","multi_normal_prec","multi_student_cholesky_t","multi_student_t","multi_student_t_cholesky","neg_binomial","neg_binomial_2","neg_binomial_2_log","neg_binomial_2_log_glm","normal","normal_id_glm","ordered_logistic","ordered_logistic_glm","ordered_probit","pareto","pareto_type_2","poisson","poisson_log","poisson_log_glm","rayleigh","scaled_inv_chi_square","skew_double_exponential","skew_normal","std_normal","std_normal_log","student_t","uniform","von_mises","weibull","wiener","wishart","wishart_cholesky"],c=t.COMMENT(/\/\*/,/\*\//,{relevance:0,contains:[{scope:"doctag",match:/@(return|param)/}]}),d={scope:"meta",begin:/#include\b/,end:/$/,contains:[{match:/[a-z][a-z-._]+/,scope:"string"},t.C_LINE_COMMENT_MODE]},S=["lower","upper","offset","multiplier"];return{name:"Stan",aliases:["stanfuncs"],keywords:{$pattern:t.IDENT_RE,title:r,type:o,keyword:a,built_in:l},contains:[t.C_LINE_COMMENT_MODE,d,t.HASH_COMMENT_MODE,c,{scope:"built_in",match:/\s(pi|e|sqrt2|log2|log10)(?=\()/,relevance:0},{match:n.concat(/[<,]\s*/,n.either(...S),/\s*=/),keywords:S},{scope:"keyword",match:/\btarget(?=\s*\+=)/},{match:[/~\s*/,n.either(...u),/(?:\(\))/,/\s*T(?=\s*\[)/],scope:{2:"built_in",4:"keyword"}},{scope:"built_in",keywords:u,begin:n.concat(/\w*/,n.either(...u),/(_lpdf|_lupdf|_lpmf|_cdf|_lcdf|_lccdf|_qf)(?=\s*[\(.*\)])/)},{begin:[/~/,/\s*/,n.concat(n.either(...u),/(?=\s*[\(.*\)])/)],scope:{3:"built_in"}},{begin:[/~/,/\s*\w+(?=\s*[\(.*\)])/,"(?!.*/\b("+n.either(...u)+")\b)"],scope:{2:"title.function"}},{scope:"title.function",begin:/\w*(_lpdf|_lupdf|_lpmf|_cdf|_lcdf|_lccdf|_qf)(?=\s*[\(.*\)])/},{scope:"number",match:n.concat(/(?:\b\d+(?:_\d+)*(?:\.(?:\d+(?:_\d+)*)?)?|\B\.\d+(?:_\d+)*)/,/(?:[eE][+-]?\d+(?:_\d+)*)?i?(?!\w)/),relevance:0},{scope:"string",begin:/"/,end:/"/}]}}return Sg=e,Sg}var bg,h0;function RP(){if(h0)return bg;h0=1;function e(t){return{name:"Stata",aliases:["do","ado"],case_insensitive:!0,keywords:"if else in foreach for forv forva forval forvalu forvalue forvalues by bys bysort xi quietly qui capture about ac ac_7 acprplot acprplot_7 adjust ado adopath adoupdate alpha ameans an ano anov anova anova_estat anova_terms anovadef aorder ap app appe appen append arch arch_dr arch_estat arch_p archlm areg areg_p args arima arima_dr arima_estat arima_p as asmprobit asmprobit_estat asmprobit_lf asmprobit_mfx__dlg asmprobit_p ass asse asser assert avplot avplot_7 avplots avplots_7 bcskew0 bgodfrey bias binreg bip0_lf biplot bipp_lf bipr_lf bipr_p biprobit bitest bitesti bitowt blogit bmemsize boot bootsamp bootstrap bootstrap_8 boxco_l boxco_p boxcox boxcox_6 boxcox_p bprobit br break brier bro brow brows browse brr brrstat bs bs_7 bsampl_w bsample bsample_7 bsqreg bstat bstat_7 bstat_8 bstrap bstrap_7 bubble bubbleplot ca ca_estat ca_p cabiplot camat canon canon_8 canon_8_p canon_estat canon_p cap caprojection capt captu captur capture cat cc cchart cchart_7 cci cd censobs_table centile cf char chdir checkdlgfiles checkestimationsample checkhlpfiles checksum chelp ci cii cl class classutil clear cli clis clist clo clog clog_lf clog_p clogi clogi_sw clogit clogit_lf clogit_p clogitp clogl_sw cloglog clonevar clslistarray cluster cluster_measures cluster_stop cluster_tree cluster_tree_8 clustermat cmdlog cnr cnre cnreg cnreg_p cnreg_sw cnsreg codebook collaps4 collapse colormult_nb colormult_nw compare compress conf confi confir confirm conren cons const constr constra constrai constrain constraint continue contract copy copyright copysource cor corc corr corr2data corr_anti corr_kmo corr_smc corre correl correla correlat correlate corrgram cou coun count cox cox_p cox_sw coxbase coxhaz coxvar cprplot cprplot_7 crc cret cretu cretur creturn cross cs cscript cscript_log csi ct ct_is ctset ctst_5 ctst_st cttost cumsp cumsp_7 cumul cusum cusum_7 cutil d|0 datasig datasign datasigna datasignat datasignatu datasignatur datasignature datetof db dbeta de dec deco decod decode deff des desc descr descri describ describe destring dfbeta dfgls dfuller di di_g dir dirstats dis discard disp disp_res disp_s displ displa display distinct do doe doed doedi doedit dotplot dotplot_7 dprobit drawnorm drop ds ds_util dstdize duplicates durbina dwstat dydx e|0 ed edi edit egen eivreg emdef en enc enco encod encode eq erase ereg ereg_lf ereg_p ereg_sw ereghet ereghet_glf ereghet_glf_sh ereghet_gp ereghet_ilf ereghet_ilf_sh ereghet_ip eret eretu eretur ereturn err erro error esize est est_cfexist est_cfname est_clickable est_expand est_hold est_table est_unhold est_unholdok estat estat_default estat_summ estat_vce_only esti estimates etodow etof etomdy ex exi exit expand expandcl fac fact facto factor factor_estat factor_p factor_pca_rotated factor_rotate factormat fcast fcast_compute fcast_graph fdades fdadesc fdadescr fdadescri fdadescrib fdadescribe fdasav fdasave fdause fh_st file open file read file close file filefilter fillin find_hlp_file findfile findit findit_7 fit fl fli flis flist for5_0 forest forestplot form forma format fpredict frac_154 frac_adj frac_chk frac_cox frac_ddp frac_dis frac_dv frac_in frac_mun frac_pp frac_pq frac_pv frac_wgt frac_xo fracgen fracplot fracplot_7 fracpoly fracpred fron_ex fron_hn fron_p fron_tn fron_tn2 frontier ftodate ftoe ftomdy ftowdate funnel funnelplot g|0 gamhet_glf gamhet_gp gamhet_ilf gamhet_ip gamma gamma_d2 gamma_p gamma_sw gammahet gdi_hexagon gdi_spokes ge gen gene gener genera generat generate genrank genstd genvmean gettoken gl gladder gladder_7 glim_l01 glim_l02 glim_l03 glim_l04 glim_l05 glim_l06 glim_l07 glim_l08 glim_l09 glim_l10 glim_l11 glim_l12 glim_lf glim_mu glim_nw1 glim_nw2 glim_nw3 glim_p glim_v1 glim_v2 glim_v3 glim_v4 glim_v5 glim_v6 glim_v7 glm glm_6 glm_p glm_sw glmpred glo glob globa global glogit glogit_8 glogit_p gmeans gnbre_lf gnbreg gnbreg_5 gnbreg_p gomp_lf gompe_sw gomper_p gompertz gompertzhet gomphet_glf gomphet_glf_sh gomphet_gp gomphet_ilf gomphet_ilf_sh gomphet_ip gphdot gphpen gphprint gprefs gprobi_p gprobit gprobit_8 gr gr7 gr_copy gr_current gr_db gr_describe gr_dir gr_draw gr_draw_replay gr_drop gr_edit gr_editviewopts gr_example gr_example2 gr_export gr_print gr_qscheme gr_query gr_read gr_rename gr_replay gr_save gr_set gr_setscheme gr_table gr_undo gr_use graph graph7 grebar greigen greigen_7 greigen_8 grmeanby grmeanby_7 gs_fileinfo gs_filetype gs_graphinfo gs_stat gsort gwood h|0 hadimvo hareg hausman haver he heck_d2 heckma_p heckman heckp_lf heckpr_p heckprob hel help hereg hetpr_lf hetpr_p hetprob hettest hexdump hilite hist hist_7 histogram hlogit hlu hmeans hotel hotelling hprobit hreg hsearch icd9 icd9_ff icd9p iis impute imtest inbase include inf infi infil infile infix inp inpu input ins insheet insp inspe inspec inspect integ inten intreg intreg_7 intreg_p intrg2_ll intrg_ll intrg_ll2 ipolate iqreg ir irf irf_create irfm iri is_svy is_svysum isid istdize ivprob_1_lf ivprob_lf ivprobit ivprobit_p ivreg ivreg_footnote ivtob_1_lf ivtob_lf ivtobit ivtobit_p jackknife jacknife jknife jknife_6 jknife_8 jkstat joinby kalarma1 kap kap_3 kapmeier kappa kapwgt kdensity kdensity_7 keep ksm ksmirnov ktau kwallis l|0 la lab labbe labbeplot labe label labelbook ladder levels levelsof leverage lfit lfit_p li lincom line linktest lis list lloghet_glf lloghet_glf_sh lloghet_gp lloghet_ilf lloghet_ilf_sh lloghet_ip llogi_sw llogis_p llogist llogistic llogistichet lnorm_lf lnorm_sw lnorma_p lnormal lnormalhet lnormhet_glf lnormhet_glf_sh lnormhet_gp lnormhet_ilf lnormhet_ilf_sh lnormhet_ip lnskew0 loadingplot loc loca local log logi logis_lf logistic logistic_p logit logit_estat logit_p loglogs logrank loneway lookfor lookup lowess lowess_7 lpredict lrecomp lroc lroc_7 lrtest ls lsens lsens_7 lsens_x lstat ltable ltable_7 ltriang lv lvr2plot lvr2plot_7 m|0 ma mac macr macro makecns man manova manova_estat manova_p manovatest mantel mark markin markout marksample mat mat_capp mat_order mat_put_rr mat_rapp mata mata_clear mata_describe mata_drop mata_matdescribe mata_matsave mata_matuse mata_memory mata_mlib mata_mosave mata_rename mata_which matalabel matcproc matlist matname matr matri matrix matrix_input__dlg matstrik mcc mcci md0_ md1_ md1debug_ md2_ md2debug_ mds mds_estat mds_p mdsconfig mdslong mdsmat mdsshepard mdytoe mdytof me_derd mean means median memory memsize menl meqparse mer merg merge meta mfp mfx mhelp mhodds minbound mixed_ll mixed_ll_reparm mkassert mkdir mkmat mkspline ml ml_5 ml_adjs ml_bhhhs ml_c_d ml_check ml_clear ml_cnt ml_debug ml_defd ml_e0 ml_e0_bfgs ml_e0_cycle ml_e0_dfp ml_e0i ml_e1 ml_e1_bfgs ml_e1_bhhh ml_e1_cycle ml_e1_dfp ml_e2 ml_e2_cycle ml_ebfg0 ml_ebfr0 ml_ebfr1 ml_ebh0q ml_ebhh0 ml_ebhr0 ml_ebr0i ml_ecr0i ml_edfp0 ml_edfr0 ml_edfr1 ml_edr0i ml_eds ml_eer0i ml_egr0i ml_elf ml_elf_bfgs ml_elf_bhhh ml_elf_cycle ml_elf_dfp ml_elfi ml_elfs ml_enr0i ml_enrr0 ml_erdu0 ml_erdu0_bfgs ml_erdu0_bhhh ml_erdu0_bhhhq ml_erdu0_cycle ml_erdu0_dfp ml_erdu0_nrbfgs ml_exde ml_footnote ml_geqnr ml_grad0 ml_graph ml_hbhhh ml_hd0 ml_hold ml_init ml_inv ml_log ml_max ml_mlout ml_mlout_8 ml_model ml_nb0 ml_opt ml_p ml_plot ml_query ml_rdgrd ml_repor ml_s_e ml_score ml_searc ml_technique ml_unhold mleval mlf_ mlmatbysum mlmatsum mlog mlogi mlogit mlogit_footnote mlogit_p mlopts mlsum mlvecsum mnl0_ mor more mov move mprobit mprobit_lf mprobit_p mrdu0_ mrdu1_ mvdecode mvencode mvreg mvreg_estat n|0 nbreg nbreg_al nbreg_lf nbreg_p nbreg_sw nestreg net newey newey_7 newey_p news nl nl_7 nl_9 nl_9_p nl_p nl_p_7 nlcom nlcom_p nlexp2 nlexp2_7 nlexp2a nlexp2a_7 nlexp3 nlexp3_7 nlgom3 nlgom3_7 nlgom4 nlgom4_7 nlinit nllog3 nllog3_7 nllog4 nllog4_7 nlog_rd nlogit nlogit_p nlogitgen nlogittree nlpred no nobreak noi nois noisi noisil noisily note notes notes_dlg nptrend numlabel numlist odbc old_ver olo olog ologi ologi_sw ologit ologit_p ologitp on one onew onewa oneway op_colnm op_comp op_diff op_inv op_str opr opro oprob oprob_sw oprobi oprobi_p oprobit oprobitp opts_exclusive order orthog orthpoly ou out outf outfi outfil outfile outs outsh outshe outshee outsheet ovtest pac pac_7 palette parse parse_dissim pause pca pca_8 pca_display pca_estat pca_p pca_rotate pcamat pchart pchart_7 pchi pchi_7 pcorr pctile pentium pergram pergram_7 permute permute_8 personal peto_st pkcollapse pkcross pkequiv pkexamine pkexamine_7 pkshape pksumm pksumm_7 pl plo plot plugin pnorm pnorm_7 poisgof poiss_lf poiss_sw poisso_p poisson poisson_estat post postclose postfile postutil pperron pr prais prais_e prais_e2 prais_p predict predictnl preserve print pro prob probi probit probit_estat probit_p proc_time procoverlay procrustes procrustes_estat procrustes_p profiler prog progr progra program prop proportion prtest prtesti pwcorr pwd q\\s qby qbys qchi qchi_7 qladder qladder_7 qnorm qnorm_7 qqplot qqplot_7 qreg qreg_c qreg_p qreg_sw qu quadchk quantile quantile_7 que quer query range ranksum ratio rchart rchart_7 rcof recast reclink recode reg reg3 reg3_p regdw regr regre regre_p2 regres regres_p regress regress_estat regriv_p remap ren rena renam rename renpfix repeat replace report reshape restore ret retu retur return rm rmdir robvar roccomp roccomp_7 roccomp_8 rocf_lf rocfit rocfit_8 rocgold rocplot rocplot_7 roctab roctab_7 rolling rologit rologit_p rot rota rotat rotate rotatemat rreg rreg_p ru run runtest rvfplot rvfplot_7 rvpplot rvpplot_7 sa safesum sample sampsi sav save savedresults saveold sc sca scal scala scalar scatter scm_mine sco scob_lf scob_p scobi_sw scobit scor score scoreplot scoreplot_help scree screeplot screeplot_help sdtest sdtesti se search separate seperate serrbar serrbar_7 serset set set_defaults sfrancia sh she shel shell shewhart shewhart_7 signestimationsample signrank signtest simul simul_7 simulate simulate_8 sktest sleep slogit slogit_d2 slogit_p smooth snapspan so sor sort spearman spikeplot spikeplot_7 spikeplt spline_x split sqreg sqreg_p sret sretu sretur sreturn ssc st st_ct st_hc st_hcd st_hcd_sh st_is st_issys st_note st_promo st_set st_show st_smpl st_subid stack statsby statsby_8 stbase stci stci_7 stcox stcox_estat stcox_fr stcox_fr_ll stcox_p stcox_sw stcoxkm stcoxkm_7 stcstat stcurv stcurve stcurve_7 stdes stem stepwise stereg stfill stgen stir stjoin stmc stmh stphplot stphplot_7 stphtest stphtest_7 stptime strate strate_7 streg streg_sw streset sts sts_7 stset stsplit stsum sttocc sttoct stvary stweib su suest suest_8 sum summ summa summar summari summariz summarize sunflower sureg survcurv survsum svar svar_p svmat svy svy_disp svy_dreg svy_est svy_est_7 svy_estat svy_get svy_gnbreg_p svy_head svy_header svy_heckman_p svy_heckprob_p svy_intreg_p svy_ivreg_p svy_logistic_p svy_logit_p svy_mlogit_p svy_nbreg_p svy_ologit_p svy_oprobit_p svy_poisson_p svy_probit_p svy_regress_p svy_sub svy_sub_7 svy_x svy_x_7 svy_x_p svydes svydes_8 svygen svygnbreg svyheckman svyheckprob svyintreg svyintreg_7 svyintrg svyivreg svylc svylog_p svylogit svymarkout svymarkout_8 svymean svymlog svymlogit svynbreg svyolog svyologit svyoprob svyoprobit svyopts svypois svypois_7 svypoisson svyprobit svyprobt svyprop svyprop_7 svyratio svyreg svyreg_p svyregress svyset svyset_7 svyset_8 svytab svytab_7 svytest svytotal sw sw_8 swcnreg swcox swereg swilk swlogis swlogit swologit swoprbt swpois swprobit swqreg swtobit swweib symmetry symmi symplot symplot_7 syntax sysdescribe sysdir sysuse szroeter ta tab tab1 tab2 tab_or tabd tabdi tabdis tabdisp tabi table tabodds tabodds_7 tabstat tabu tabul tabula tabulat tabulate te tempfile tempname tempvar tes test testnl testparm teststd tetrachoric time_it timer tis tob tobi tobit tobit_p tobit_sw token tokeni tokeniz tokenize tostring total translate translator transmap treat_ll treatr_p treatreg trim trimfill trnb_cons trnb_mean trpoiss_d2 trunc_ll truncr_p truncreg tsappend tset tsfill tsline tsline_ex tsreport tsrevar tsrline tsset tssmooth tsunab ttest ttesti tut_chk tut_wait tutorial tw tware_st two twoway twoway__fpfit_serset twoway__function_gen twoway__histogram_gen twoway__ipoint_serset twoway__ipoints_serset twoway__kdensity_gen twoway__lfit_serset twoway__normgen_gen twoway__pci_serset twoway__qfit_serset twoway__scatteri_serset twoway__sunflower_gen twoway_ksm_serset ty typ type typeof u|0 unab unabbrev unabcmd update us use uselabel var var_mkcompanion var_p varbasic varfcast vargranger varirf varirf_add varirf_cgraph varirf_create varirf_ctable varirf_describe varirf_dir varirf_drop varirf_erase varirf_graph varirf_ograph varirf_rename varirf_set varirf_table varlist varlmar varnorm varsoc varstable varstable_w varstable_w2 varwle vce vec vec_fevd vec_mkphi vec_p vec_p_w vecirf_create veclmar veclmar_w vecnorm vecnorm_w vecrank vecstable verinst vers versi versio version view viewsource vif vwls wdatetof webdescribe webseek webuse weib1_lf weib2_lf weib_lf weib_lf0 weibhet_glf weibhet_glf_sh weibhet_glfa weibhet_glfa_sh weibhet_gp weibhet_ilf weibhet_ilf_sh weibhet_ilfa weibhet_ilfa_sh weibhet_ip weibu_sw weibul_p weibull weibull_c weibull_s weibullhet wh whelp whi which whil while wilc_st wilcoxon win wind windo window winexec wntestb wntestb_7 wntestq xchart xchart_7 xcorr xcorr_7 xi xi_6 xmlsav xmlsave xmluse xpose xsh xshe xshel xshell xt_iis xt_tis xtab_p xtabond xtbin_p xtclog xtcloglog xtcloglog_8 xtcloglog_d2 xtcloglog_pa_p xtcloglog_re_p xtcnt_p xtcorr xtdata xtdes xtfront_p xtfrontier xtgee xtgee_elink xtgee_estat xtgee_makeivar xtgee_p xtgee_plink xtgls xtgls_p xthaus xthausman xtht_p xthtaylor xtile xtint_p xtintreg xtintreg_8 xtintreg_d2 xtintreg_p xtivp_1 xtivp_2 xtivreg xtline xtline_ex xtlogit xtlogit_8 xtlogit_d2 xtlogit_fe_p xtlogit_pa_p xtlogit_re_p xtmixed xtmixed_estat xtmixed_p xtnb_fe xtnb_lf xtnbreg xtnbreg_pa_p xtnbreg_refe_p xtpcse xtpcse_p xtpois xtpoisson xtpoisson_d2 xtpoisson_pa_p xtpoisson_refe_p xtpred xtprobit xtprobit_8 xtprobit_d2 xtprobit_re_p xtps_fe xtps_lf xtps_ren xtps_ren_8 xtrar_p xtrc xtrc_p xtrchh xtrefe_p xtreg xtreg_be xtreg_fe xtreg_ml xtreg_pa_p xtreg_re xtregar xtrere_p xtset xtsf_ll xtsf_llti xtsum xttab xttest0 xttobit xttobit_8 xttobit_p xttrans yx yxview__barlike_draw yxview_area_draw yxview_bar_draw yxview_dot_draw yxview_dropline_draw yxview_function_draw yxview_iarrow_draw yxview_ilabels_draw yxview_normal_draw yxview_pcarrow_draw yxview_pcbarrow_draw yxview_pccapsym_draw yxview_pcscatter_draw yxview_pcspike_draw yxview_rarea_draw yxview_rbar_draw yxview_rbarm_draw yxview_rcap_draw yxview_rcapsym_draw yxview_rconnected_draw yxview_rline_draw yxview_rscatter_draw yxview_rspike_draw yxview_spike_draw yxview_sunflower_draw zap_s zinb zinb_llf zinb_plf zip zip_llf zip_p zip_plf zt_ct_5 zt_hc_5 zt_hcd_5 zt_is_5 zt_iss_5 zt_sho_5 zt_smp_5 ztbase_5 ztcox_5 ztdes_5 ztereg_5 ztfill_5 ztgen_5 ztir_5 ztjoin_5 ztnb ztnb_p ztp ztp_p zts_5 ztset_5 ztspli_5 ztsum_5 zttoct_5 ztvary_5 ztweib_5",contains:[{className:"symbol",begin:/`[a-zA-Z0-9_]+'/},{className:"variable",begin:/\$\{?[a-zA-Z0-9_]+\}?/,relevance:0},{className:"string",variants:[{begin:`\`"[^\r
+  */(function(e,t){(function(n,r){e.exports=r(ac(),MA())})(Jr,function(n,r){n=n&&n.hasOwnProperty("default")?n.default:n,r=r&&r.hasOwnProperty("default")?r.default:r;function a(N,R){for(var L=0;L<R.length;L++){var I=R[L];I.enumerable=I.enumerable||!1,I.configurable=!0,"value"in I&&(I.writable=!0),Object.defineProperty(N,I.key,I)}}function o(N,R,L){return R&&a(N.prototype,R),L&&a(N,L),N}function l(N,R,L){return R in N?Object.defineProperty(N,R,{value:L,enumerable:!0,configurable:!0,writable:!0}):N[R]=L,N}function u(N){for(var R=1;R<arguments.length;R++){var L=arguments[R]!=null?arguments[R]:{},I=Object.keys(L);typeof Object.getOwnPropertySymbols=="function"&&(I=I.concat(Object.getOwnPropertySymbols(L).filter(function(h){return Object.getOwnPropertyDescriptor(L,h).enumerable}))),I.forEach(function(h){l(N,h,L[h])})}return N}var c="toast",d="4.3.1",S="bs.toast",_="."+S,E=n.fn[c],T={CLICK_DISMISS:"click.dismiss"+_,HIDE:"hide"+_,HIDDEN:"hidden"+_,SHOW:"show"+_,SHOWN:"shown"+_},y={FADE:"fade",HIDE:"hide",SHOW:"show",SHOWING:"showing"},M={animation:"boolean",autohide:"boolean",delay:"number"},v={animation:!0,autohide:!0,delay:500},A={DATA_DISMISS:'[data-dismiss="toast"]'},O=function(){function N(L,I){this._element=L,this._config=this._getConfig(I),this._timeout=null,this._setListeners()}var R=N.prototype;return R.show=function(){var I=this;n(this._element).trigger(T.SHOW),this._config.animation&&this._element.classList.add(y.FADE);var h=function(){I._element.classList.remove(y.SHOWING),I._element.classList.add(y.SHOW),n(I._element).trigger(T.SHOWN),I._config.autohide&&I.hide()};if(this._element.classList.remove(y.HIDE),this._element.classList.add(y.SHOWING),this._config.animation){var k=r.getTransitionDurationFromElement(this._element);n(this._element).one(r.TRANSITION_END,h).emulateTransitionEnd(k)}else h()},R.hide=function(I){var h=this;!this._element.classList.contains(y.SHOW)||(n(this._element).trigger(T.HIDE),I?this._close():this._timeout=setTimeout(function(){h._close()},this._config.delay))},R.dispose=function(){clearTimeout(this._timeout),this._timeout=null,this._element.classList.contains(y.SHOW)&&this._element.classList.remove(y.SHOW),n(this._element).off(T.CLICK_DISMISS),n.removeData(this._element,S),this._element=null,this._config=null},R._getConfig=function(I){return I=u({},v,n(this._element).data(),typeof I=="object"&&I?I:{}),r.typeCheckConfig(c,I,this.constructor.DefaultType),I},R._setListeners=function(){var I=this;n(this._element).on(T.CLICK_DISMISS,A.DATA_DISMISS,function(){return I.hide(!0)})},R._close=function(){var I=this,h=function(){I._element.classList.add(y.HIDE),n(I._element).trigger(T.HIDDEN)};if(this._element.classList.remove(y.SHOW),this._config.animation){var k=r.getTransitionDurationFromElement(this._element);n(this._element).one(r.TRANSITION_END,h).emulateTransitionEnd(k)}else h()},N._jQueryInterface=function(I){return this.each(function(){var h=n(this),k=h.data(S),F=typeof I=="object"&&I;if(k||(k=new N(this,F),h.data(S,k)),typeof I=="string"){if(typeof k[I]>"u")throw new TypeError('No method named "'+I+'"');k[I](this)}})},o(N,null,[{key:"VERSION",get:function(){return d}},{key:"DefaultType",get:function(){return M}},{key:"Default",get:function(){return v}}]),N}();return n.fn[c]=O._jQueryInterface,n.fn[c].Constructor=O,n.fn[c].noConflict=function(){return n.fn[c]=E,O._jQueryInterface},O})})(xL);String.prototype.format=String.prototype.f=function(){let e=this,t=arguments.length;for(;t--;)e=e.replace(new RegExp("\\{"+t+"\\}","gm"),arguments[t]);return e};function kA(e){return e instanceof Map?e.clear=e.delete=e.set=function(){throw new Error("map is read-only")}:e instanceof Set&&(e.add=e.clear=e.delete=function(){throw new Error("set is read-only")}),Object.freeze(e),Object.getOwnPropertyNames(e).forEach(t=>{const n=e[t],r=typeof n;(r==="object"||r==="function")&&!Object.isFrozen(n)&&kA(n)}),e}class lv{constructor(t){t.data===void 0&&(t.data={}),this.data=t.data,this.isMatchIgnored=!1}ignoreMatch(){this.isMatchIgnored=!0}}function PA(e){return e.replace(/&/g,"&amp;").replace(/</g,"&lt;").replace(/>/g,"&gt;").replace(/"/g,"&quot;").replace(/'/g,"&#x27;")}function Xo(e,...t){const n=Object.create(null);for(const r in e)n[r]=e[r];return t.forEach(function(r){for(const a in r)n[a]=r[a]}),n}const wL="</span>",uv=e=>!!e.scope,LL=(e,{prefix:t})=>{if(e.startsWith("language:"))return e.replace("language:","language-");if(e.includes(".")){const n=e.split(".");return[`${t}${n.shift()}`,...n.map((r,a)=>`${r}${"_".repeat(a+1)}`)].join(" ")}return`${t}${e}`};class ML{constructor(t,n){this.buffer="",this.classPrefix=n.classPrefix,t.walk(this)}addText(t){this.buffer+=PA(t)}openNode(t){if(!uv(t))return;const n=LL(t.scope,{prefix:this.classPrefix});this.span(n)}closeNode(t){!uv(t)||(this.buffer+=wL)}value(){return this.buffer}span(t){this.buffer+=`<span class="${t}">`}}const cv=(e={})=>{const t={children:[]};return Object.assign(t,e),t};class dE{constructor(){this.rootNode=cv(),this.stack=[this.rootNode]}get top(){return this.stack[this.stack.length-1]}get root(){return this.rootNode}add(t){this.top.children.push(t)}openNode(t){const n=cv({scope:t});this.add(n),this.stack.push(n)}closeNode(){if(this.stack.length>1)return this.stack.pop()}closeAllNodes(){for(;this.closeNode(););}toJSON(){return JSON.stringify(this.rootNode,null,4)}walk(t){return this.constructor._walk(t,this.rootNode)}static _walk(t,n){return typeof n=="string"?t.addText(n):n.children&&(t.openNode(n),n.children.forEach(r=>this._walk(t,r)),t.closeNode(n)),t}static _collapse(t){typeof t!="string"&&(!t.children||(t.children.every(n=>typeof n=="string")?t.children=[t.children.join("")]:t.children.forEach(n=>{dE._collapse(n)})))}}class kL extends dE{constructor(t){super(),this.options=t}addText(t){t!==""&&this.add(t)}startScope(t){this.openNode(t)}endScope(){this.closeNode()}__addSublanguage(t,n){const r=t.root;n&&(r.scope=`language:${n}`),this.add(r)}toHTML(){return new ML(this,this.options).value()}finalize(){return this.closeAllNodes(),!0}}function Yu(e){return e?typeof e=="string"?e:e.source:null}function FA(e){return Zs("(?=",e,")")}function PL(e){return Zs("(?:",e,")*")}function FL(e){return Zs("(?:",e,")?")}function Zs(...e){return e.map(n=>Yu(n)).join("")}function BL(e){const t=e[e.length-1];return typeof t=="object"&&t.constructor===Object?(e.splice(e.length-1,1),t):{}}function fE(...e){return"("+(BL(e).capture?"":"?:")+e.map(r=>Yu(r)).join("|")+")"}function BA(e){return new RegExp(e.toString()+"|").exec("").length-1}function UL(e,t){const n=e&&e.exec(t);return n&&n.index===0}const GL=/\[(?:[^\\\]]|\\.)*\]|\(\??|\\([1-9][0-9]*)|\\./;function pE(e,{joinWith:t}){let n=0;return e.map(r=>{n+=1;const a=n;let o=Yu(r),l="";for(;o.length>0;){const u=GL.exec(o);if(!u){l+=o;break}l+=o.substring(0,u.index),o=o.substring(u.index+u[0].length),u[0][0]==="\\"&&u[1]?l+="\\"+String(Number(u[1])+a):(l+=u[0],u[0]==="("&&n++)}return l}).map(r=>`(${r})`).join(t)}const HL=/\b\B/,UA="[a-zA-Z]\\w*",_E="[a-zA-Z_]\\w*",GA="\\b\\d+(\\.\\d+)?",HA="(-?)(\\b0[xX][a-fA-F0-9]+|(\\b\\d+(\\.\\d*)?|\\.\\d+)([eE][-+]?\\d+)?)",qA="\\b(0b[01]+)",qL="!|!=|!==|%|%=|&|&&|&=|\\*|\\*=|\\+|\\+=|,|-|-=|/=|/|:|;|<<|<<=|<=|<|===|==|=|>>>=|>>=|>=|>>>|>>|>|\\?|\\[|\\{|\\(|\\^|\\^=|\\||\\|=|\\|\\||~",YL=(e={})=>{const t=/^#![ ]*\//;return e.binary&&(e.begin=Zs(t,/.*\b/,e.binary,/\b.*/)),Xo({scope:"meta",begin:t,end:/$/,relevance:0,"on:begin":(n,r)=>{n.index!==0&&r.ignoreMatch()}},e)},Wu={begin:"\\\\[\\s\\S]",relevance:0},WL={scope:"string",begin:"'",end:"'",illegal:"\\n",contains:[Wu]},VL={scope:"string",begin:'"',end:'"',illegal:"\\n",contains:[Wu]},zL={begin:/\b(a|an|the|are|I'm|isn't|don't|doesn't|won't|but|just|should|pretty|simply|enough|gonna|going|wtf|so|such|will|you|your|they|like|more)\b/},Hd=function(e,t,n={}){const r=Xo({scope:"comment",begin:e,end:t,contains:[]},n);r.contains.push({scope:"doctag",begin:"[ ]*(?=(TODO|FIXME|NOTE|BUG|OPTIMIZE|HACK|XXX):)",end:/(TODO|FIXME|NOTE|BUG|OPTIMIZE|HACK|XXX):/,excludeBegin:!0,relevance:0});const a=fE("I","a","is","so","us","to","at","if","in","it","on",/[A-Za-z]+['](d|ve|re|ll|t|s|n)/,/[A-Za-z]+[-][a-z]+/,/[A-Za-z][a-z]{2,}/);return r.contains.push({begin:Zs(/[ ]+/,"(",a,/[.]?[:]?([.][ ]|[ ])/,"){3}")}),r},KL=Hd("//","$"),$L=Hd("/\\*","\\*/"),QL=Hd("#","$"),jL={scope:"number",begin:GA,relevance:0},XL={scope:"number",begin:HA,relevance:0},ZL={scope:"number",begin:qA,relevance:0},JL={scope:"regexp",begin:/\/(?=[^/\n]*\/)/,end:/\/[gimuy]*/,contains:[Wu,{begin:/\[/,end:/\]/,relevance:0,contains:[Wu]}]},e1={scope:"title",begin:UA,relevance:0},t1={scope:"title",begin:_E,relevance:0},n1={begin:"\\.\\s*"+_E,relevance:0},r1=function(e){return Object.assign(e,{"on:begin":(t,n)=>{n.data._beginMatch=t[1]},"on:end":(t,n)=>{n.data._beginMatch!==t[1]&&n.ignoreMatch()}})};var Wc=Object.freeze({__proto__:null,APOS_STRING_MODE:WL,BACKSLASH_ESCAPE:Wu,BINARY_NUMBER_MODE:ZL,BINARY_NUMBER_RE:qA,COMMENT:Hd,C_BLOCK_COMMENT_MODE:$L,C_LINE_COMMENT_MODE:KL,C_NUMBER_MODE:XL,C_NUMBER_RE:HA,END_SAME_AS_BEGIN:r1,HASH_COMMENT_MODE:QL,IDENT_RE:UA,MATCH_NOTHING_RE:HL,METHOD_GUARD:n1,NUMBER_MODE:jL,NUMBER_RE:GA,PHRASAL_WORDS_MODE:zL,QUOTE_STRING_MODE:VL,REGEXP_MODE:JL,RE_STARTERS_RE:qL,SHEBANG:YL,TITLE_MODE:e1,UNDERSCORE_IDENT_RE:_E,UNDERSCORE_TITLE_MODE:t1});function i1(e,t){e.input[e.index-1]==="."&&t.ignoreMatch()}function a1(e,t){e.className!==void 0&&(e.scope=e.className,delete e.className)}function o1(e,t){!t||!e.beginKeywords||(e.begin="\\b("+e.beginKeywords.split(" ").join("|")+")(?!\\.)(?=\\b|\\s)",e.__beforeBegin=i1,e.keywords=e.keywords||e.beginKeywords,delete e.beginKeywords,e.relevance===void 0&&(e.relevance=0))}function s1(e,t){!Array.isArray(e.illegal)||(e.illegal=fE(...e.illegal))}function l1(e,t){if(!!e.match){if(e.begin||e.end)throw new Error("begin & end are not supported with match");e.begin=e.match,delete e.match}}function u1(e,t){e.relevance===void 0&&(e.relevance=1)}const c1=(e,t)=>{if(!e.beforeMatch)return;if(e.starts)throw new Error("beforeMatch cannot be used with starts");const n=Object.assign({},e);Object.keys(e).forEach(r=>{delete e[r]}),e.keywords=n.keywords,e.begin=Zs(n.beforeMatch,FA(n.begin)),e.starts={relevance:0,contains:[Object.assign(n,{endsParent:!0})]},e.relevance=0,delete n.beforeMatch},d1=["of","and","for","in","not","or","if","then","parent","list","value"],f1="keyword";function YA(e,t,n=f1){const r=Object.create(null);return typeof e=="string"?a(n,e.split(" ")):Array.isArray(e)?a(n,e):Object.keys(e).forEach(function(o){Object.assign(r,YA(e[o],t,o))}),r;function a(o,l){t&&(l=l.map(u=>u.toLowerCase())),l.forEach(function(u){const c=u.split("|");r[c[0]]=[o,p1(c[0],c[1])]})}}function p1(e,t){return t?Number(t):_1(e)?0:1}function _1(e){return d1.includes(e.toLowerCase())}const dv={},Is=e=>{console.error(e)},fv=(e,...t)=>{console.log(`WARN: ${e}`,...t)},bl=(e,t)=>{dv[`${e}/${t}`]||(console.log(`Deprecated as of ${e}. ${t}`),dv[`${e}/${t}`]=!0)},Sd=new Error;function WA(e,t,{key:n}){let r=0;const a=e[n],o={},l={};for(let u=1;u<=t.length;u++)l[u+r]=a[u],o[u+r]=!0,r+=BA(t[u-1]);e[n]=l,e[n]._emit=o,e[n]._multi=!0}function m1(e){if(!!Array.isArray(e.begin)){if(e.skip||e.excludeBegin||e.returnBegin)throw Is("skip, excludeBegin, returnBegin not compatible with beginScope: {}"),Sd;if(typeof e.beginScope!="object"||e.beginScope===null)throw Is("beginScope must be object"),Sd;WA(e,e.begin,{key:"beginScope"}),e.begin=pE(e.begin,{joinWith:""})}}function g1(e){if(!!Array.isArray(e.end)){if(e.skip||e.excludeEnd||e.returnEnd)throw Is("skip, excludeEnd, returnEnd not compatible with endScope: {}"),Sd;if(typeof e.endScope!="object"||e.endScope===null)throw Is("endScope must be object"),Sd;WA(e,e.end,{key:"endScope"}),e.end=pE(e.end,{joinWith:""})}}function h1(e){e.scope&&typeof e.scope=="object"&&e.scope!==null&&(e.beginScope=e.scope,delete e.scope)}function E1(e){h1(e),typeof e.beginScope=="string"&&(e.beginScope={_wrap:e.beginScope}),typeof e.endScope=="string"&&(e.endScope={_wrap:e.endScope}),m1(e),g1(e)}function S1(e){function t(l,u){return new RegExp(Yu(l),"m"+(e.case_insensitive?"i":"")+(e.unicodeRegex?"u":"")+(u?"g":""))}class n{constructor(){this.matchIndexes={},this.regexes=[],this.matchAt=1,this.position=0}addRule(u,c){c.position=this.position++,this.matchIndexes[this.matchAt]=c,this.regexes.push([c,u]),this.matchAt+=BA(u)+1}compile(){this.regexes.length===0&&(this.exec=()=>null);const u=this.regexes.map(c=>c[1]);this.matcherRe=t(pE(u,{joinWith:"|"}),!0),this.lastIndex=0}exec(u){this.matcherRe.lastIndex=this.lastIndex;const c=this.matcherRe.exec(u);if(!c)return null;const d=c.findIndex((_,E)=>E>0&&_!==void 0),S=this.matchIndexes[d];return c.splice(0,d),Object.assign(c,S)}}class r{constructor(){this.rules=[],this.multiRegexes=[],this.count=0,this.lastIndex=0,this.regexIndex=0}getMatcher(u){if(this.multiRegexes[u])return this.multiRegexes[u];const c=new n;return this.rules.slice(u).forEach(([d,S])=>c.addRule(d,S)),c.compile(),this.multiRegexes[u]=c,c}resumingScanAtSamePosition(){return this.regexIndex!==0}considerAll(){this.regexIndex=0}addRule(u,c){this.rules.push([u,c]),c.type==="begin"&&this.count++}exec(u){const c=this.getMatcher(this.regexIndex);c.lastIndex=this.lastIndex;let d=c.exec(u);if(this.resumingScanAtSamePosition()&&!(d&&d.index===this.lastIndex)){const S=this.getMatcher(0);S.lastIndex=this.lastIndex+1,d=S.exec(u)}return d&&(this.regexIndex+=d.position+1,this.regexIndex===this.count&&this.considerAll()),d}}function a(l){const u=new r;return l.contains.forEach(c=>u.addRule(c.begin,{rule:c,type:"begin"})),l.terminatorEnd&&u.addRule(l.terminatorEnd,{type:"end"}),l.illegal&&u.addRule(l.illegal,{type:"illegal"}),u}function o(l,u){const c=l;if(l.isCompiled)return c;[a1,l1,E1,c1].forEach(S=>S(l,u)),e.compilerExtensions.forEach(S=>S(l,u)),l.__beforeBegin=null,[o1,s1,u1].forEach(S=>S(l,u)),l.isCompiled=!0;let d=null;return typeof l.keywords=="object"&&l.keywords.$pattern&&(l.keywords=Object.assign({},l.keywords),d=l.keywords.$pattern,delete l.keywords.$pattern),d=d||/\w+/,l.keywords&&(l.keywords=YA(l.keywords,e.case_insensitive)),c.keywordPatternRe=t(d,!0),u&&(l.begin||(l.begin=/\B|\b/),c.beginRe=t(c.begin),!l.end&&!l.endsWithParent&&(l.end=/\B|\b/),l.end&&(c.endRe=t(c.end)),c.terminatorEnd=Yu(c.end)||"",l.endsWithParent&&u.terminatorEnd&&(c.terminatorEnd+=(l.end?"|":"")+u.terminatorEnd)),l.illegal&&(c.illegalRe=t(l.illegal)),l.contains||(l.contains=[]),l.contains=[].concat(...l.contains.map(function(S){return b1(S==="self"?l:S)})),l.contains.forEach(function(S){o(S,c)}),l.starts&&o(l.starts,u),c.matcher=a(c),c}if(e.compilerExtensions||(e.compilerExtensions=[]),e.contains&&e.contains.includes("self"))throw new Error("ERR: contains `self` is not supported at the top-level of a language.  See documentation.");return e.classNameAliases=Xo(e.classNameAliases||{}),o(e)}function VA(e){return e?e.endsWithParent||VA(e.starts):!1}function b1(e){return e.variants&&!e.cachedVariants&&(e.cachedVariants=e.variants.map(function(t){return Xo(e,{variants:null},t)})),e.cachedVariants?e.cachedVariants:VA(e)?Xo(e,{starts:e.starts?Xo(e.starts):null}):Object.isFrozen(e)?Xo(e):e}var v1="11.9.0";class T1 extends Error{constructor(t,n){super(t),this.name="HTMLInjectionError",this.html=n}}const gp=PA,pv=Xo,_v=Symbol("nomatch"),y1=7,zA=function(e){const t=Object.create(null),n=Object.create(null),r=[];let a=!0;const o="Could not find the language '{}', did you forget to load/include a language module?",l={disableAutodetect:!0,name:"Plain text",contains:[]};let u={ignoreUnescapedHTML:!1,throwUnescapedHTML:!1,noHighlightRe:/^(no-?highlight)$/i,languageDetectRe:/\blang(?:uage)?-([\w-]+)\b/i,classPrefix:"hljs-",cssSelector:"pre code",languages:null,__emitter:kL};function c(te){return u.noHighlightRe.test(te)}function d(te){let G=te.className+" ";G+=te.parentNode?te.parentNode.className:"";const se=u.languageDetectRe.exec(G);if(se){const ve=F(se[1]);return ve||(fv(o.replace("{}",se[1])),fv("Falling back to no-highlight mode for this block.",te)),ve?se[1]:"no-highlight"}return G.split(/\s+/).find(ve=>c(ve)||F(ve))}function S(te,G,se){let ve="",Ge="";typeof G=="object"?(ve=te,se=G.ignoreIllegals,Ge=G.language):(bl("10.7.0","highlight(lang, code, ...args) has been deprecated."),bl("10.7.0",`Please use highlight(code, options) instead.
+https://github.com/highlightjs/highlight.js/issues/2277`),Ge=te,ve=G),se===void 0&&(se=!0);const oe={code:ve,language:Ge};V("before:highlight",oe);const W=oe.result?oe.result:_(oe.language,oe.code,se);return W.code=oe.code,V("after:highlight",W),W}function _(te,G,se,ve){const Ge=Object.create(null);function oe(H,ee){return H.keywords[ee]}function W(){if(!Ne.keywords){Ue.addText(Ve);return}let H=0;Ne.keywordPatternRe.lastIndex=0;let ee=Ne.keywordPatternRe.exec(Ve),_e="";for(;ee;){_e+=Ve.substring(H,ee.index);const U=ze.case_insensitive?ee[0].toLowerCase():ee[0],Q=oe(Ne,U);if(Q){const[he,Le]=Q;if(Ue.addText(_e),_e="",Ge[U]=(Ge[U]||0)+1,Ge[U]<=y1&&(lt+=Le),he.startsWith("_"))_e+=ee[0];else{const Xe=ze.classNameAliases[he]||he;rt(ee[0],Xe)}}else _e+=ee[0];H=Ne.keywordPatternRe.lastIndex,ee=Ne.keywordPatternRe.exec(Ve)}_e+=Ve.substring(H),Ue.addText(_e)}function Oe(){if(Ve==="")return;let H=null;if(typeof Ne.subLanguage=="string"){if(!t[Ne.subLanguage]){Ue.addText(Ve);return}H=_(Ne.subLanguage,Ve,!0,Ie[Ne.subLanguage]),Ie[Ne.subLanguage]=H._top}else H=T(Ve,Ne.subLanguage.length?Ne.subLanguage:null);Ne.relevance>0&&(lt+=H.relevance),Ue.__addSublanguage(H._emitter,H.language)}function tt(){Ne.subLanguage!=null?Oe():W(),Ve=""}function rt(H,ee){H!==""&&(Ue.startScope(ee),Ue.addText(H),Ue.endScope())}function bt(H,ee){let _e=1;const U=ee.length-1;for(;_e<=U;){if(!H._emit[_e]){_e++;continue}const Q=ze.classNameAliases[H[_e]]||H[_e],he=ee[_e];Q?rt(he,Q):(Ve=he,W(),Ve=""),_e++}}function dt(H,ee){return H.scope&&typeof H.scope=="string"&&Ue.openNode(ze.classNameAliases[H.scope]||H.scope),H.beginScope&&(H.beginScope._wrap?(rt(Ve,ze.classNameAliases[H.beginScope._wrap]||H.beginScope._wrap),Ve=""):H.beginScope._multi&&(bt(H.beginScope,ee),Ve="")),Ne=Object.create(H,{parent:{value:Ne}}),Ne}function ct(H,ee,_e){let U=UL(H.endRe,_e);if(U){if(H["on:end"]){const Q=new lv(H);H["on:end"](ee,Q),Q.isMatchIgnored&&(U=!1)}if(U){for(;H.endsParent&&H.parent;)H=H.parent;return H}}if(H.endsWithParent)return ct(H.parent,ee,_e)}function Ze(H){return Ne.matcher.regexIndex===0?(Ve+=H[0],1):(be=!0,0)}function nt(H){const ee=H[0],_e=H.rule,U=new lv(_e),Q=[_e.__beforeBegin,_e["on:begin"]];for(const he of Q)if(!!he&&(he(H,U),U.isMatchIgnored))return Ze(ee);return _e.skip?Ve+=ee:(_e.excludeBegin&&(Ve+=ee),tt(),!_e.returnBegin&&!_e.excludeBegin&&(Ve=ee)),dt(_e,H),_e.returnBegin?0:ee.length}function ce(H){const ee=H[0],_e=G.substring(H.index),U=ct(Ne,H,_e);if(!U)return _v;const Q=Ne;Ne.endScope&&Ne.endScope._wrap?(tt(),rt(ee,Ne.endScope._wrap)):Ne.endScope&&Ne.endScope._multi?(tt(),bt(Ne.endScope,H)):Q.skip?Ve+=ee:(Q.returnEnd||Q.excludeEnd||(Ve+=ee),tt(),Q.excludeEnd&&(Ve=ee));do Ne.scope&&Ue.closeNode(),!Ne.skip&&!Ne.subLanguage&&(lt+=Ne.relevance),Ne=Ne.parent;while(Ne!==U.parent);return U.starts&&dt(U.starts,H),Q.returnEnd?0:ee.length}function Ee(){const H=[];for(let ee=Ne;ee!==ze;ee=ee.parent)ee.scope&&H.unshift(ee.scope);H.forEach(ee=>Ue.openNode(ee))}let He={};function we(H,ee){const _e=ee&&ee[0];if(Ve+=H,_e==null)return tt(),0;if(He.type==="begin"&&ee.type==="end"&&He.index===ee.index&&_e===""){if(Ve+=G.slice(ee.index,ee.index+1),!a){const U=new Error(`0 width match regex (${te})`);throw U.languageName=te,U.badRule=He.rule,U}return 1}if(He=ee,ee.type==="begin")return nt(ee);if(ee.type==="illegal"&&!se){const U=new Error('Illegal lexeme "'+_e+'" for mode "'+(Ne.scope||"<unnamed>")+'"');throw U.mode=Ne,U}else if(ee.type==="end"){const U=ce(ee);if(U!==_v)return U}if(ee.type==="illegal"&&_e==="")return 1;if(de>1e5&&de>ee.index*3)throw new Error("potential infinite loop, way more iterations than matches");return Ve+=_e,_e.length}const ze=F(te);if(!ze)throw Is(o.replace("{}",te)),new Error('Unknown language: "'+te+'"');const pe=S1(ze);let Re="",Ne=ve||pe;const Ie={},Ue=new u.__emitter(u);Ee();let Ve="",lt=0,ge=0,de=0,be=!1;try{if(ze.__emitTokens)ze.__emitTokens(G,Ue);else{for(Ne.matcher.considerAll();;){de++,be?be=!1:Ne.matcher.considerAll(),Ne.matcher.lastIndex=ge;const H=Ne.matcher.exec(G);if(!H)break;const ee=G.substring(ge,H.index),_e=we(ee,H);ge=H.index+_e}we(G.substring(ge))}return Ue.finalize(),Re=Ue.toHTML(),{language:te,value:Re,relevance:lt,illegal:!1,_emitter:Ue,_top:Ne}}catch(H){if(H.message&&H.message.includes("Illegal"))return{language:te,value:gp(G),illegal:!0,relevance:0,_illegalBy:{message:H.message,index:ge,context:G.slice(ge-100,ge+100),mode:H.mode,resultSoFar:Re},_emitter:Ue};if(a)return{language:te,value:gp(G),illegal:!1,relevance:0,errorRaised:H,_emitter:Ue,_top:Ne};throw H}}function E(te){const G={value:gp(te),illegal:!1,relevance:0,_top:l,_emitter:new u.__emitter(u)};return G._emitter.addText(te),G}function T(te,G){G=G||u.languages||Object.keys(t);const se=E(te),ve=G.filter(F).filter(K).map(tt=>_(tt,te,!1));ve.unshift(se);const Ge=ve.sort((tt,rt)=>{if(tt.relevance!==rt.relevance)return rt.relevance-tt.relevance;if(tt.language&&rt.language){if(F(tt.language).supersetOf===rt.language)return 1;if(F(rt.language).supersetOf===tt.language)return-1}return 0}),[oe,W]=Ge,Oe=oe;return Oe.secondBest=W,Oe}function y(te,G,se){const ve=G&&n[G]||se;te.classList.add("hljs"),te.classList.add(`language-${ve}`)}function M(te){let G=null;const se=d(te);if(c(se))return;if(V("before:highlightElement",{el:te,language:se}),te.dataset.highlighted){console.log("Element previously highlighted. To highlight again, first unset `dataset.highlighted`.",te);return}if(te.children.length>0&&(u.ignoreUnescapedHTML||(console.warn("One of your code blocks includes unescaped HTML. This is a potentially serious security risk."),console.warn("https://github.com/highlightjs/highlight.js/wiki/security"),console.warn("The element with unescaped HTML:"),console.warn(te)),u.throwUnescapedHTML))throw new T1("One of your code blocks includes unescaped HTML.",te.innerHTML);G=te;const ve=G.textContent,Ge=se?S(ve,{language:se,ignoreIllegals:!0}):T(ve);te.innerHTML=Ge.value,te.dataset.highlighted="yes",y(te,se,Ge.language),te.result={language:Ge.language,re:Ge.relevance,relevance:Ge.relevance},Ge.secondBest&&(te.secondBest={language:Ge.secondBest.language,relevance:Ge.secondBest.relevance}),V("after:highlightElement",{el:te,result:Ge,text:ve})}function v(te){u=pv(u,te)}const A=()=>{R(),bl("10.6.0","initHighlighting() deprecated.  Use highlightAll() now.")};function O(){R(),bl("10.6.0","initHighlightingOnLoad() deprecated.  Use highlightAll() now.")}let N=!1;function R(){if(document.readyState==="loading"){N=!0;return}document.querySelectorAll(u.cssSelector).forEach(M)}function L(){N&&R()}typeof window<"u"&&window.addEventListener&&window.addEventListener("DOMContentLoaded",L,!1);function I(te,G){let se=null;try{se=G(e)}catch(ve){if(Is("Language definition for '{}' could not be registered.".replace("{}",te)),a)Is(ve);else throw ve;se=l}se.name||(se.name=te),t[te]=se,se.rawDefinition=G.bind(null,e),se.aliases&&z(se.aliases,{languageName:te})}function h(te){delete t[te];for(const G of Object.keys(n))n[G]===te&&delete n[G]}function k(){return Object.keys(t)}function F(te){return te=(te||"").toLowerCase(),t[te]||t[n[te]]}function z(te,{languageName:G}){typeof te=="string"&&(te=[te]),te.forEach(se=>{n[se.toLowerCase()]=G})}function K(te){const G=F(te);return G&&!G.disableAutodetect}function ue(te){te["before:highlightBlock"]&&!te["before:highlightElement"]&&(te["before:highlightElement"]=G=>{te["before:highlightBlock"](Object.assign({block:G.el},G))}),te["after:highlightBlock"]&&!te["after:highlightElement"]&&(te["after:highlightElement"]=G=>{te["after:highlightBlock"](Object.assign({block:G.el},G))})}function Z(te){ue(te),r.push(te)}function fe(te){const G=r.indexOf(te);G!==-1&&r.splice(G,1)}function V(te,G){const se=te;r.forEach(function(ve){ve[se]&&ve[se](G)})}function ne(te){return bl("10.7.0","highlightBlock will be removed entirely in v12.0"),bl("10.7.0","Please use highlightElement now."),M(te)}Object.assign(e,{highlight:S,highlightAuto:T,highlightAll:R,highlightElement:M,highlightBlock:ne,configure:v,initHighlighting:A,initHighlightingOnLoad:O,registerLanguage:I,unregisterLanguage:h,listLanguages:k,getLanguage:F,registerAliases:z,autoDetection:K,inherit:pv,addPlugin:Z,removePlugin:fe}),e.debugMode=function(){a=!1},e.safeMode=function(){a=!0},e.versionString=v1,e.regex={concat:Zs,lookahead:FA,either:fE,optional:FL,anyNumberOfTimes:PL};for(const te in Wc)typeof Wc[te]=="object"&&kA(Wc[te]);return Object.assign(e,Wc),e},Pl=zA({});Pl.newInstance=()=>zA({});var C1=Pl;Pl.HighlightJS=Pl;Pl.default=Pl;var hp,mv;function A1(){if(mv)return hp;mv=1;function e(t){const n="[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]+",o="\u0434\u0430\u043B\u0435\u0435 "+"\u0432\u043E\u0437\u0432\u0440\u0430\u0442 \u0432\u044B\u0437\u0432\u0430\u0442\u044C\u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C \u0434\u043B\u044F \u0435\u0441\u043B\u0438 \u0438 \u0438\u0437 \u0438\u043B\u0438 \u0438\u043D\u0430\u0447\u0435 \u0438\u043D\u0430\u0447\u0435\u0435\u0441\u043B\u0438 \u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \u043A\u0430\u0436\u0434\u043E\u0433\u043E \u043A\u043E\u043D\u0435\u0446\u0435\u0441\u043B\u0438 \u043A\u043E\u043D\u0435\u0446\u043F\u043E\u043F\u044B\u0442\u043A\u0438 \u043A\u043E\u043D\u0435\u0446\u0446\u0438\u043A\u043B\u0430 \u043D\u0435 \u043D\u043E\u0432\u044B\u0439 \u043F\u0435\u0440\u0435\u0439\u0442\u0438 \u043F\u0435\u0440\u0435\u043C \u043F\u043E \u043F\u043E\u043A\u0430 \u043F\u043E\u043F\u044B\u0442\u043A\u0430 \u043F\u0440\u0435\u0440\u0432\u0430\u0442\u044C \u043F\u0440\u043E\u0434\u043E\u043B\u0436\u0438\u0442\u044C \u0442\u043E\u0433\u0434\u0430 \u0446\u0438\u043A\u043B \u044D\u043A\u0441\u043F\u043E\u0440\u0442 ",c="\u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0438\u0437\u0444\u0430\u0439\u043B\u0430 "+"\u0432\u0435\u0431\u043A\u043B\u0438\u0435\u043D\u0442 \u0432\u043C\u0435\u0441\u0442\u043E \u0432\u043D\u0435\u0448\u043D\u0435\u0435\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \u043A\u043B\u0438\u0435\u043D\u0442 \u043A\u043E\u043D\u0435\u0446\u043E\u0431\u043B\u0430\u0441\u0442\u0438 \u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043B\u0438\u0435\u043D\u0442 \u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u0435\u0440\u0432\u0435\u0440 \u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435 \u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435\u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0435\u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435\u0431\u0435\u0437\u043A\u043E\u043D\u0442\u0435\u043A\u0441\u0442\u0430 \u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u043D\u0430\u0441\u0435\u0440\u0432\u0435\u0440\u0435\u0431\u0435\u0437\u043A\u043E\u043D\u0442\u0435\u043A\u0441\u0442\u0430 \u043E\u0431\u043B\u0430\u0441\u0442\u044C \u043F\u0435\u0440\u0435\u0434 \u043F\u043E\u0441\u043B\u0435 \u0441\u0435\u0440\u0432\u0435\u0440 \u0442\u043E\u043B\u0441\u0442\u044B\u0439\u043A\u043B\u0438\u0435\u043D\u0442\u043E\u0431\u044B\u0447\u043D\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u043E\u043B\u0441\u0442\u044B\u0439\u043A\u043B\u0438\u0435\u043D\u0442\u0443\u043F\u0440\u0430\u0432\u043B\u044F\u0435\u043C\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u043E\u043D\u043A\u0438\u0439\u043A\u043B\u0438\u0435\u043D\u0442 ",d="\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u0441\u0442\u0440\u0430\u043D\u0438\u0446 \u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u0441\u0442\u0440\u043E\u043A \u0441\u0438\u043C\u0432\u043E\u043B\u0442\u0430\u0431\u0443\u043B\u044F\u0446\u0438\u0438 ",S="ansitooem oemtoansi \u0432\u0432\u0435\u0441\u0442\u0438\u0432\u0438\u0434\u0441\u0443\u0431\u043A\u043E\u043D\u0442\u043E \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u0435 \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u0435\u0440\u0438\u043E\u0434 \u0432\u0432\u0435\u0441\u0442\u0438\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 \u0432\u044B\u0431\u0440\u0430\u043D\u043D\u044B\u0439\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 \u0434\u0430\u0442\u0430\u0433\u043E\u0434 \u0434\u0430\u0442\u0430\u043C\u0435\u0441\u044F\u0446 \u0434\u0430\u0442\u0430\u0447\u0438\u0441\u043B\u043E \u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0441\u0442\u0440\u043E\u043A\u0443 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043E\u043A\u0438 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0438\u0431 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043A\u043E\u0434\u0441\u0438\u043C\u0432 \u043A\u043E\u043D\u0433\u043E\u0434\u0430 \u043A\u043E\u043D\u0435\u0446\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043A\u043E\u043D\u0435\u0446\u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u043D\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043A\u043E\u043D\u0435\u0446\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430 \u043A\u043E\u043D\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043A\u043E\u043D\u043C\u0435\u0441\u044F\u0446\u0430 \u043A\u043E\u043D\u043D\u0435\u0434\u0435\u043B\u0438 \u043B\u043E\u0433 \u043B\u043E\u043310 \u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0435\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u043E\u0441\u0443\u0431\u043A\u043E\u043D\u0442\u043E \u043D\u0430\u0437\u0432\u0430\u043D\u0438\u0435\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043D\u0430\u0437\u0432\u0430\u043D\u0438\u0435\u043D\u0430\u0431\u043E\u0440\u0430\u043F\u0440\u0430\u0432 \u043D\u0430\u0437\u043D\u0430\u0447\u0438\u0442\u044C\u0432\u0438\u0434 \u043D\u0430\u0437\u043D\u0430\u0447\u0438\u0442\u044C\u0441\u0447\u0435\u0442 \u043D\u0430\u0439\u0442\u0438\u0441\u0441\u044B\u043B\u043A\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0431\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430 \u043D\u0430\u0447\u0433\u043E\u0434\u0430 \u043D\u0430\u0447\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043D\u0430\u0447\u043C\u0435\u0441\u044F\u0446\u0430 \u043D\u0430\u0447\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u043E\u043C\u0435\u0440\u0434\u043D\u044F\u0433\u043E\u0434\u0430 \u043D\u043E\u043C\u0435\u0440\u0434\u043D\u044F\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u043E\u043C\u0435\u0440\u043D\u0435\u0434\u0435\u043B\u0438\u0433\u043E\u0434\u0430 \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0430\u0441\u0447\u0435\u0442\u043E\u0432 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u043F\u043B\u0430\u043D\u0441\u0447\u0435\u0442\u043E\u0432 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0439\u044F\u0437\u044B\u043A \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u043E\u043A\u043D\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0439 \u043F\u0435\u0440\u0438\u043E\u0434\u0441\u0442\u0440 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u0430\u0442\u0443\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0443\u0441\u0442\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0442\u0430 \u043F\u0440\u0435\u0444\u0438\u043A\u0441\u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u0438 \u043F\u0440\u043E\u043F\u0438\u0441\u044C \u043F\u0443\u0441\u0442\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0440\u0430\u0437\u043C \u0440\u0430\u0437\u043E\u0431\u0440\u0430\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043D\u0430 \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043F\u043E \u0441\u0438\u043C\u0432 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442 \u0441\u0442\u0430\u0442\u0443\u0441\u0432\u043E\u0437\u0432\u0440\u0430\u0442\u0430 \u0441\u0442\u0440\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u043E\u0441\u0442\u0440\u043E\u043A \u0441\u0444\u043E\u0440\u043C\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u043F\u043E\u0437\u0438\u0446\u0438\u044E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0441\u0447\u0435\u0442\u043F\u043E\u043A\u043E\u0434\u0443 \u0442\u0435\u043A\u0443\u0449\u0435\u0435\u0432\u0440\u0435\u043C\u044F \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0441\u0442\u0440 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0442\u0430\u043D\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0442\u0430\u043F\u043E \u0444\u0438\u043A\u0441\u0448\u0430\u0431\u043B\u043E\u043D \u0448\u0430\u0431\u043B\u043E\u043D ",_="acos asin atan base64\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 base64\u0441\u0442\u0440\u043E\u043A\u0430 cos exp log log10 pow sin sqrt tan xml\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 xml\u0441\u0442\u0440\u043E\u043A\u0430 xml\u0442\u0438\u043F xml\u0442\u0438\u043F\u0437\u043D\u0447 \u0430\u043A\u0442\u0438\u0432\u043D\u043E\u0435\u043E\u043A\u043D\u043E \u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0443\u043B\u0435\u0432\u043E \u0432\u0432\u0435\u0441\u0442\u0438\u0434\u0430\u0442\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0432\u0432\u0435\u0441\u0442\u0438\u0441\u0442\u0440\u043E\u043A\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0447\u0438\u0441\u043B\u043E \u0432\u043E\u0437\u043C\u043E\u0436\u043D\u043E\u0441\u0442\u044C\u0447\u0442\u0435\u043D\u0438\u044Fxml \u0432\u043E\u043F\u0440\u043E\u0441 \u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0432\u0440\u0435\u0433 \u0432\u044B\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0443\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F \u0432\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u043F\u0440\u0430\u0432\u0434\u043E\u0441\u0442\u0443\u043F\u0430 \u0432\u044B\u0447\u0438\u0441\u043B\u0438\u0442\u044C \u0433\u043E\u0434 \u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B\u0432\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0434\u0430\u0442\u0430 \u0434\u0435\u043D\u044C \u0434\u0435\u043D\u044C\u0433\u043E\u0434\u0430 \u0434\u0435\u043D\u044C\u043D\u0435\u0434\u0435\u043B\u0438 \u0434\u043E\u0431\u0430\u0432\u0438\u0442\u044C\u043C\u0435\u0441\u044F\u0446 \u0437\u0430\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0434\u043B\u044F\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0437\u0430\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0437\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 \u0437\u0430\u043A\u0440\u044B\u0442\u044C\u0441\u043F\u0440\u0430\u0432\u043A\u0443 \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044Cjson \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044Cxml \u0437\u0430\u043F\u0438\u0441\u0430\u0442\u044C\u0434\u0430\u0442\u0443json \u0437\u0430\u043F\u0438\u0441\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0437\u0430\u043F\u043E\u043B\u043D\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0441\u0432\u043E\u0439\u0441\u0442\u0432 \u0437\u0430\u043F\u0440\u043E\u0441\u0438\u0442\u044C\u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0437\u0430\u043F\u0443\u0441\u0442\u0438\u0442\u044C\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0437\u0430\u043F\u0443\u0441\u0442\u0438\u0442\u044C\u0441\u0438\u0441\u0442\u0435\u043C\u0443 \u0437\u0430\u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0441\u0442\u0440\u043E\u043A\u0443\u0432\u043D\u0443\u0442\u0440 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0432\u0444\u0430\u0439\u043B \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u043E \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043E\u043A\u0438\u0432\u043D\u0443\u0442\u0440 \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0437\u0444\u0430\u0439\u043B\u0430 \u0438\u0437xml\u0442\u0438\u043F\u0430 \u0438\u043C\u043F\u043E\u0440\u0442\u043C\u043E\u0434\u0435\u043B\u0438xdto \u0438\u043C\u044F\u043A\u043E\u043C\u043F\u044C\u044E\u0442\u0435\u0440\u0430 \u0438\u043C\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0438\u043D\u0438\u0446\u0438\u0430\u043B\u0438\u0437\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0435\u0434\u0430\u043D\u043D\u044B\u0435 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u043E\u0431\u043E\u0448\u0438\u0431\u043A\u0435 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0438\u043C\u043E\u0431\u0438\u043B\u044C\u043D\u043E\u0433\u043E\u0443\u0441\u0442\u0440\u043E\u0439\u0441\u0442\u0432\u0430 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0445\u0444\u0430\u0439\u043B\u043E\u0432 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043F\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 \u043A\u043E\u0434\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043A\u043E\u0434\u0441\u0438\u043C\u0432\u043E\u043B\u0430 \u043A\u043E\u043C\u0430\u043D\u0434\u0430\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043A\u043E\u043D\u0435\u0446\u0433\u043E\u0434\u0430 \u043A\u043E\u043D\u0435\u0446\u0434\u043D\u044F \u043A\u043E\u043D\u0435\u0446\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043A\u043E\u043D\u0435\u0446\u043C\u0435\u0441\u044F\u0446\u0430 \u043A\u043E\u043D\u0435\u0446\u043C\u0438\u043D\u0443\u0442\u044B \u043A\u043E\u043D\u0435\u0446\u043D\u0435\u0434\u0435\u043B\u0438 \u043A\u043E\u043D\u0435\u0446\u0447\u0430\u0441\u0430 \u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044F\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0430\u0434\u0438\u043D\u0430\u043C\u0438\u0447\u0435\u0441\u043A\u0438 \u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044F\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0430 \u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0444\u043E\u0440\u043C\u044B \u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0444\u0430\u0439\u043B \u043A\u0440\u0430\u0442\u043A\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 \u043B\u0435\u0432 \u043C\u0430\u043A\u0441 \u043C\u0435\u0441\u0442\u043D\u043E\u0435\u0432\u0440\u0435\u043C\u044F \u043C\u0435\u0441\u044F\u0446 \u043C\u0438\u043D \u043C\u0438\u043D\u0443\u0442\u0430 \u043C\u043E\u043D\u043E\u043F\u043E\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u043D\u0430\u0439\u0442\u0438 \u043D\u0430\u0439\u0442\u0438\u043D\u0435\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u044Bxml \u043D\u0430\u0439\u0442\u0438\u043E\u043A\u043D\u043E\u043F\u043E\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0441\u0441\u044B\u043B\u043A\u0435 \u043D\u0430\u0439\u0442\u0438\u043F\u043E\u043C\u0435\u0447\u0435\u043D\u043D\u044B\u0435\u043D\u0430\u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435 \u043D\u0430\u0439\u0442\u0438\u043F\u043E\u0441\u0441\u044B\u043B\u043A\u0430\u043C \u043D\u0430\u0439\u0442\u0438\u0444\u0430\u0439\u043B\u044B \u043D\u0430\u0447\u0430\u043B\u043E\u0433\u043E\u0434\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u0434\u043D\u044F \u043D\u0430\u0447\u0430\u043B\u043E\u043A\u0432\u0430\u0440\u0442\u0430\u043B\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u043C\u0435\u0441\u044F\u0446\u0430 \u043D\u0430\u0447\u0430\u043B\u043E\u043C\u0438\u043D\u0443\u0442\u044B \u043D\u0430\u0447\u0430\u043B\u043E\u043D\u0435\u0434\u0435\u043B\u0438 \u043D\u0430\u0447\u0430\u043B\u043E\u0447\u0430\u0441\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u0437\u0430\u043F\u0440\u043E\u0441\u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043D\u0430\u0447\u0430\u0442\u044C\u0437\u0430\u043F\u0443\u0441\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043D\u0430\u0447\u0430\u0442\u044C\u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u0435\u0440\u0435\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u0438\u0441\u043A\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0445\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0447\u0435\u0433\u043E\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u043F\u043E\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u0437\u0444\u0430\u0439\u043B\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0430 \u043D\u0430\u0447\u0430\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435\u0444\u0430\u0439\u043B\u043E\u0432 \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u043D\u0430\u0447\u0430\u0442\u044C\u0443\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0443\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043D\u0435\u0434\u0435\u043B\u044F\u0433\u043E\u0434\u0430 \u043D\u0435\u043E\u0431\u0445\u043E\u0434\u0438\u043C\u043E\u0441\u0442\u044C\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u043D\u043E\u043C\u0435\u0440\u0441\u0435\u0430\u043D\u0441\u0430\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043D\u043E\u043C\u0435\u0440\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043D\u0440\u0435\u0433 \u043D\u0441\u0442\u0440 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u044E\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432 \u043E\u0431\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u0443\u0435\u043C\u044B\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043F\u0440\u0435\u0440\u044B\u0432\u0430\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043E\u0431\u044A\u0435\u0434\u0438\u043D\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043E\u043A\u0440 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 \u043E\u043F\u043E\u0432\u0435\u0441\u0442\u0438\u0442\u044C \u043E\u043F\u043E\u0432\u0435\u0441\u0442\u0438\u0442\u044C\u043E\u0431\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0438 \u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u0437\u0430\u043F\u0440\u043E\u0441\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043E\u0442\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0438\u043D\u0434\u0435\u043A\u0441\u0441\u043F\u0440\u0430\u0432\u043A\u0438 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0441\u043E\u0434\u0435\u0440\u0436\u0430\u043D\u0438\u0435\u0441\u043F\u0440\u0430\u0432\u043A\u0438 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0441\u043F\u0440\u0430\u0432\u043A\u0443 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0444\u043E\u0440\u043C\u0443 \u043E\u0442\u043A\u0440\u044B\u0442\u044C\u0444\u043E\u0440\u043C\u0443\u043C\u043E\u0434\u0430\u043B\u044C\u043D\u043E \u043E\u0442\u043C\u0435\u043D\u0438\u0442\u044C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044E \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043E\u0447\u0438\u0441\u0442\u0438\u0442\u044C\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0434\u043E\u0441\u0442\u0443\u043F\u0430 \u043F\u0435\u0440\u0435\u0439\u0442\u0438\u043F\u043E\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0441\u0441\u044B\u043B\u043A\u0435 \u043F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u0437\u0430\u043F\u0440\u043E\u0441\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u0447\u0438\u043A\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u043F\u043E\u0434\u043A\u043B\u044E\u0447\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u043F\u043E\u0434\u0440\u043E\u0431\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043E\u0448\u0438\u0431\u043A\u0438 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0434\u0430\u0442\u044B \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0441\u0442\u0440\u043E\u043A\u0438 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u0432\u043E\u0434\u0447\u0438\u0441\u043B\u0430 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0432\u043E\u043F\u0440\u043E\u0441 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044E\u043E\u0431\u043E\u0448\u0438\u0431\u043A\u0435 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043D\u0430\u043A\u0430\u0440\u0442\u0435 \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043F\u043E\u043A\u0430\u0437\u0430\u0442\u044C\u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u0435 \u043F\u043E\u043B\u043D\u043E\u0435\u0438\u043C\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044Ccom\u043E\u0431\u044A\u0435\u043A\u0442 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044Cxml\u0442\u0438\u043F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0430\u0434\u0440\u0435\u0441\u043F\u043E\u043C\u0435\u0441\u0442\u043E\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u044E \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0443\u0441\u0435\u0430\u043D\u0441\u043E\u0432 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043F\u044F\u0449\u0435\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0441\u044B\u043F\u0430\u043D\u0438\u044F\u043F\u0430\u0441\u0441\u0438\u0432\u043D\u043E\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0432\u044B\u0431\u043E\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u044B\u0439\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u043A\u043E\u0434\u044B\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0447\u0430\u0441\u043E\u0432\u044B\u0435\u043F\u043E\u044F\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0434\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0437\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043C\u044F\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0444\u0430\u0439\u043B\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043C\u044F\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044E\u044D\u043A\u0440\u0430\u043D\u043E\u0432\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043A\u0440\u0430\u0442\u043A\u0438\u0439\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u043A\u0435\u0442\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0430\u0441\u043A\u0443\u0432\u0441\u0435\u0444\u0430\u0439\u043B\u044B\u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0435\u0441\u0442\u043E\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0430\u0434\u0440\u0435\u0441\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u0443\u044E\u0434\u043B\u0438\u043D\u0443\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u0443\u044E\u0441\u0441\u044B\u043B\u043A\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u0443\u044E\u0441\u0441\u044B\u043B\u043A\u0443\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u0449\u0438\u0439\u043C\u0430\u043A\u0435\u0442 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0431\u0449\u0443\u044E\u0444\u043E\u0440\u043C\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u043A\u043D\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u043F\u0435\u0440\u0430\u0442\u0438\u0432\u043D\u0443\u044E\u043E\u0442\u043C\u0435\u0442\u043A\u0443\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043E\u0442\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u043E\u0433\u043E\u0440\u0435\u0436\u0438\u043C\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u044B\u0445\u043E\u043F\u0446\u0438\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u043E\u043B\u043D\u043E\u0435\u0438\u043C\u044F\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043D\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u043E\u043D\u043D\u044B\u0445\u0441\u0441\u044B\u043B\u043E\u043A \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u0441\u043B\u043E\u0436\u043D\u043E\u0441\u0442\u0438\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438\u043A\u043B\u0438\u0435\u043D\u0442\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u0435\u043B\u044C\u043F\u0443\u0442\u0438\u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0435\u0430\u043D\u0441\u044B\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043A\u043E\u0440\u043E\u0441\u0442\u044C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044E \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0438\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430odata \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0443\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0441\u0435\u0430\u043D\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u043E\u0440\u043C\u0443 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u0443\u044E\u043E\u043F\u0446\u0438\u044E \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u0443\u044E\u043E\u043F\u0446\u0438\u044E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0438\u043E\u0441 \u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0432\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0435\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435 \u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u043F\u043E\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u043F\u0440\u0430\u0432 \u043F\u0440\u0430\u0432\u043E\u0434\u043E\u0441\u0442\u0443\u043F\u0430 \u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043A\u043E\u0434\u0430\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0438\u043E\u0434\u0430 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0430\u0432\u0430 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0447\u0430\u0441\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u044F\u0441\u0430 \u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u0435 \u043F\u0440\u0435\u043A\u0440\u0430\u0442\u0438\u0442\u044C\u0440\u0430\u0431\u043E\u0442\u0443\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u043F\u0440\u0438\u0432\u0438\u043B\u0435\u0433\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u043F\u0440\u043E\u0434\u043E\u043B\u0436\u0438\u0442\u044C\u0432\u044B\u0437\u043E\u0432 \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044Cjson \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044Cxml \u043F\u0440\u043E\u0447\u0438\u0442\u0430\u0442\u044C\u0434\u0430\u0442\u0443json \u043F\u0443\u0441\u0442\u0430\u044F\u0441\u0442\u0440\u043E\u043A\u0430 \u0440\u0430\u0431\u043E\u0447\u0438\u0439\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0440\u0430\u0437\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0434\u043B\u044F\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u044C\u0444\u0430\u0439\u043B \u0440\u0430\u0437\u043E\u0440\u0432\u0430\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0441\u0432\u043D\u0435\u0448\u043D\u0438\u043C\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u043E\u043C\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 \u0440\u043E\u043B\u044C\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u0430 \u0441\u0435\u043A\u0443\u043D\u0434\u0430 \u0441\u0438\u0433\u043D\u0430\u043B \u0441\u0438\u043C\u0432\u043E\u043B \u0441\u043A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0441\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u043B\u0435\u0442\u043D\u0435\u0433\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0441\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u044C\u0431\u0443\u0444\u0435\u0440\u044B\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u043A\u0430\u0442\u0430\u043B\u043E\u0433 \u0441\u043E\u0437\u0434\u0430\u0442\u044C\u0444\u0430\u0431\u0440\u0438\u043A\u0443xdto \u0441\u043E\u043A\u0440\u043B \u0441\u043E\u043A\u0440\u043B\u043F \u0441\u043E\u043A\u0440\u043F \u0441\u043E\u043E\u0431\u0449\u0438\u0442\u044C \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435 \u0441\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435 \u0441\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0441\u0440\u0435\u0434 \u0441\u0442\u0440\u0434\u043B\u0438\u043D\u0430 \u0441\u0442\u0440\u0437\u0430\u043A\u0430\u043D\u0447\u0438\u0432\u0430\u0435\u0442\u0441\u044F\u043D\u0430 \u0441\u0442\u0440\u0437\u0430\u043C\u0435\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u043D\u0430\u0439\u0442\u0438 \u0441\u0442\u0440\u043D\u0430\u0447\u0438\u043D\u0430\u0435\u0442\u0441\u044F\u0441 \u0441\u0442\u0440\u043E\u043A\u0430 \u0441\u0442\u0440\u043E\u043A\u0430\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0441\u0442\u0440\u043F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0441\u0442\u0440\u043E\u043A\u0443 \u0441\u0442\u0440\u0440\u0430\u0437\u0434\u0435\u043B\u0438\u0442\u044C \u0441\u0442\u0440\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u0441\u0440\u0430\u0432\u043D\u0438\u0442\u044C \u0441\u0442\u0440\u0447\u0438\u0441\u043B\u043E\u0432\u0445\u043E\u0436\u0434\u0435\u043D\u0438\u0439 \u0441\u0442\u0440\u0447\u0438\u0441\u043B\u043E\u0441\u0442\u0440\u043E\u043A \u0441\u0442\u0440\u0448\u0430\u0431\u043B\u043E\u043D \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0434\u0430\u0442\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0434\u0430\u0442\u0430\u0441\u0435\u0430\u043D\u0441\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u0430\u044F\u0434\u0430\u0442\u0430 \u0442\u0435\u043A\u0443\u0449\u0430\u044F\u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u0430\u044F\u0434\u0430\u0442\u0430\u0432\u043C\u0438\u043B\u043B\u0438\u0441\u0435\u043A\u0443\u043D\u0434\u0430\u0445 \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u0448\u0440\u0438\u0444\u0442\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u043A\u043E\u0434\u043B\u043E\u043A\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438 \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0443\u0441\u043A\u0430 \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u044F\u0437\u044B\u043A \u0442\u0435\u043A\u0443\u0449\u0438\u0439\u044F\u0437\u044B\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0442\u0438\u043F \u0442\u0438\u043F\u0437\u043D\u0447 \u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u044F\u0430\u043A\u0442\u0438\u0432\u043D\u0430 \u0442\u0440\u0435\u0433 \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0434\u0430\u043D\u043D\u044B\u0435\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0438\u0437\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442\u044B \u0443\u0434\u0430\u043B\u0438\u0442\u044C\u0444\u0430\u0439\u043B\u044B \u0443\u043D\u0438\u0432\u0435\u0440\u0441\u0430\u043B\u044C\u043D\u043E\u0435\u0432\u0440\u0435\u043C\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0443\u0441\u0435\u0430\u043D\u0441\u043E\u0432 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u043D\u0435\u0448\u043D\u044E\u044E\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u0443 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0438\u044F\u0441\u043F\u044F\u0449\u0435\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u0437\u0430\u0441\u044B\u043F\u0430\u043D\u0438\u044F\u043F\u0430\u0441\u0441\u0438\u0432\u043D\u043E\u0433\u043E\u0441\u0435\u0430\u043D\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0432\u0440\u0435\u043C\u044F\u043E\u0436\u0438\u0434\u0430\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u0441\u0438\u0441\u0442\u0435\u043C\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043A\u0440\u0430\u0442\u043A\u0438\u0439\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043E\u043A\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u0443\u044E\u0434\u043B\u0438\u043D\u0443\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043C\u043E\u043D\u043E\u043F\u043E\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u043B\u0438\u0446\u0435\u043D\u0437\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043E\u0442\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435\u0431\u0435\u0437\u043E\u043F\u0430\u0441\u043D\u043E\u0433\u043E\u0440\u0435\u0436\u0438\u043C\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0444\u0443\u043D\u043A\u0446\u0438\u043E\u043D\u0430\u043B\u044C\u043D\u044B\u0445\u043E\u043F\u0446\u0438\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0440\u0438\u0432\u0438\u043B\u0435\u0433\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0443\u0441\u043B\u043E\u0436\u043D\u043E\u0441\u0442\u0438\u043F\u0430\u0440\u043E\u043B\u0435\u0439\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0435\u0439 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0435\u0439 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0442\u044B\u0441\u0444\u0430\u0439\u043B\u0430\u043C\u0438 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0441\u0432\u043D\u0435\u0448\u043D\u0438\u043C\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u043E\u043C\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0438\u0444\u043E\u0440\u043C\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430odata \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u0443\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C\u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0441\u0435\u0430\u043D\u0441\u0430 \u0444\u043E\u0440\u043C\u0430\u0442 \u0446\u0435\u043B \u0447\u0430\u0441 \u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441 \u0447\u0430\u0441\u043E\u0432\u043E\u0439\u043F\u043E\u044F\u0441\u0441\u0435\u0430\u043D\u0441\u0430 \u0447\u0438\u0441\u043B\u043E \u0447\u0438\u0441\u043B\u043E\u043F\u0440\u043E\u043F\u0438\u0441\u044C\u044E \u044D\u0442\u043E\u0430\u0434\u0440\u0435\u0441\u0432\u0440\u0435\u043C\u0435\u043D\u043D\u043E\u0433\u043E\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430 ",E="ws\u0441\u0441\u044B\u043B\u043A\u0438 \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043C\u0430\u043A\u0435\u0442\u043E\u0432\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u0441\u0442\u0438\u043B\u0435\u0439 \u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u044B \u0432\u043D\u0435\u0448\u043D\u0438\u0435\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u043D\u0435\u0448\u043D\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438 \u0432\u043D\u0435\u0448\u043D\u0438\u0435\u043E\u0442\u0447\u0435\u0442\u044B \u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0435\u043F\u043E\u043A\u0443\u043F\u043A\u0438 \u0433\u043B\u0430\u0432\u043D\u044B\u0439\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441 \u0433\u043B\u0430\u0432\u043D\u044B\u0439\u0441\u0442\u0438\u043B\u044C \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u044B \u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0435\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u044F \u0436\u0443\u0440\u043D\u0430\u043B\u044B\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u0437\u0430\u0434\u0430\u0447\u0438 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u043E\u0431\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0438 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0431\u043E\u0447\u0435\u0439\u0434\u0430\u0442\u044B \u0438\u0441\u0442\u043E\u0440\u0438\u044F\u0440\u0430\u0431\u043E\u0442\u044B\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u043A\u043E\u043D\u0441\u0442\u0430\u043D\u0442\u044B \u043A\u0440\u0438\u0442\u0435\u0440\u0438\u0438\u043E\u0442\u0431\u043E\u0440\u0430 \u043C\u0435\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0435 \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u043A\u043B\u0430\u043C\u044B \u043E\u0442\u043F\u0440\u0430\u0432\u043A\u0430\u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0445\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0439 \u043E\u0442\u0447\u0435\u0442\u044B \u043F\u0430\u043D\u0435\u043B\u044C\u0437\u0430\u0434\u0430\u0447\u043E\u0441 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0437\u0430\u043F\u0443\u0441\u043A\u0430 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0441\u0435\u0430\u043D\u0441\u0430 \u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044F \u043F\u043B\u0430\u043D\u044B\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043F\u043B\u0430\u043D\u044B\u0432\u0438\u0434\u043E\u0432\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A \u043F\u043B\u0430\u043D\u044B\u043E\u0431\u043C\u0435\u043D\u0430 \u043F\u043B\u0430\u043D\u044B\u0441\u0447\u0435\u0442\u043E\u0432 \u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u043F\u043E\u0438\u0441\u043A \u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u0438\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u043E\u043D\u043D\u043E\u0439\u0431\u0430\u0437\u044B \u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0438 \u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0430\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0445\u043F\u043E\u043A\u0443\u043F\u043E\u043A \u0440\u0430\u0431\u043E\u0447\u0430\u044F\u0434\u0430\u0442\u0430 \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0438\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044B\u0441\u0432\u0435\u0434\u0435\u043D\u0438\u0439 \u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u044B\u0435\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0442\u043E\u0440xdto \u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0438 \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u0433\u0435\u043E\u043F\u043E\u0437\u0438\u0446\u0438\u043E\u043D\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043C\u0443\u043B\u044C\u0442\u0438\u043C\u0435\u0434\u0438\u0430 \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0440\u0435\u043A\u043B\u0430\u043C\u044B \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u043F\u043E\u0447\u0442\u044B \u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0430\u0442\u0435\u043B\u0435\u0444\u043E\u043D\u0438\u0438 \u0444\u0430\u0431\u0440\u0438\u043A\u0430xdto \u0444\u0430\u0439\u043B\u043E\u0432\u044B\u0435\u043F\u043E\u0442\u043E\u043A\u0438 \u0444\u043E\u043D\u043E\u0432\u044B\u0435\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0432\u043E\u0442\u0447\u0435\u0442\u043E\u0432 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043E\u0431\u0449\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0441\u043A\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u0434\u0438\u043D\u0430\u043C\u0438\u0447\u0435\u0441\u043A\u0438\u0445\u0441\u043F\u0438\u0441\u043A\u043E\u0432 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0441\u043A\u0438\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043E\u0442\u0447\u0435\u0442\u043E\u0432 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0441\u0438\u0441\u0442\u0435\u043C\u043D\u044B\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A ",T=d+S+_+E,y="web\u0446\u0432\u0435\u0442\u0430 windows\u0446\u0432\u0435\u0442\u0430 windows\u0448\u0440\u0438\u0444\u0442\u044B \u0431\u0438\u0431\u043B\u0438\u043E\u0442\u0435\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u0440\u0430\u043C\u043A\u0438\u0441\u0442\u0438\u043B\u044F \u0441\u0438\u043C\u0432\u043E\u043B\u044B \u0446\u0432\u0435\u0442\u0430\u0441\u0442\u0438\u043B\u044F \u0448\u0440\u0438\u0444\u0442\u044B\u0441\u0442\u0438\u043B\u044F ",M="\u0430\u0432\u0442\u043E\u043C\u0430\u0442\u0438\u0447\u0435\u0441\u043A\u043E\u0435\u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C\u044B\u0432\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0430\u0445 \u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u044F\u0432\u0444\u043E\u0440\u043C\u0435 \u0430\u0432\u0442\u043E\u0440\u0430\u0437\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0435\u0441\u0435\u0440\u0438\u0439 \u0430\u043D\u0438\u043C\u0430\u0446\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0432\u044B\u0440\u0430\u0432\u043D\u0438\u0432\u0430\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0438\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u043E\u0432 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0432\u044B\u0441\u043E\u0442\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u0430\u044F\u043F\u0440\u043E\u043A\u0440\u0443\u0442\u043A\u0430\u0444\u043E\u0440\u043C\u044B \u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430 \u0432\u0438\u0434\u0433\u0440\u0443\u043F\u043F\u044B\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0434\u0435\u043A\u043E\u0440\u0430\u0446\u0438\u0438\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u0438\u0434\u043A\u043D\u043E\u043F\u043A\u0438\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u043F\u0435\u0440\u0435\u043A\u043B\u044E\u0447\u0430\u0442\u0435\u043B\u044F \u0432\u0438\u0434\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 \u0432\u0438\u0434\u043F\u043E\u043B\u044F\u0444\u043E\u0440\u043C\u044B \u0432\u0438\u0434\u0444\u043B\u0430\u0436\u043A\u0430 \u0432\u043B\u0438\u044F\u043D\u0438\u0435\u0440\u0430\u0437\u043C\u0435\u0440\u0430\u043D\u0430\u043F\u0443\u0437\u044B\u0440\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0435\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430 \u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0430\u043A\u043E\u043B\u043E\u043D\u043E\u043A \u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0430\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0444\u043E\u0440\u043C\u044B \u0433\u0440\u0443\u043F\u043F\u044B\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u044B \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043F\u0435\u0440\u0435\u0442\u0430\u0441\u043A\u0438\u0432\u0430\u043D\u0438\u044F \u0434\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u044B\u0439\u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u044F\u043F\u0435\u0440\u0435\u0442\u0430\u0441\u043A\u0438\u0432\u0430\u043D\u0438\u044F \u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u043C\u0435\u0436\u0434\u0443\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043C\u0438\u0444\u043E\u0440\u043C\u044B \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0432\u044B\u0432\u043E\u0434\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u043B\u043E\u0441\u044B\u043F\u0440\u043E\u043A\u0440\u0443\u0442\u043A\u0438 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u0443\u0435\u043C\u043E\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0442\u043E\u0447\u043A\u0438\u0431\u0438\u0440\u0436\u0435\u0432\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0438\u0441\u0442\u043E\u0440\u0438\u044F\u0432\u044B\u0431\u043E\u0440\u0430\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043E\u0441\u0438\u0442\u043E\u0447\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0440\u0430\u0437\u043C\u0435\u0440\u0430\u043F\u0443\u0437\u044B\u0440\u044C\u043A\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u044B\u043A\u043E\u043C\u0430\u043D\u0434 \u043C\u0430\u043A\u0441\u0438\u043C\u0443\u043C\u0441\u0435\u0440\u0438\u0439 \u043D\u0430\u0447\u0430\u043B\u044C\u043D\u043E\u0435\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0434\u0435\u0440\u0435\u0432\u0430 \u043D\u0430\u0447\u0430\u043B\u044C\u043D\u043E\u0435\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0441\u043F\u0438\u0441\u043A\u0430 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u043C\u0435\u0442\u043E\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u043C\u0435\u0442\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u043B\u0435\u0433\u0435\u043D\u0434\u0435\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u043A\u043D\u043E\u043F\u043E\u043A \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0438\u0437\u043C\u0435\u0440\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043D\u043E\u043F\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043D\u043E\u043F\u043A\u0438\u0432\u044B\u0431\u043E\u0440\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0431\u0441\u0443\u0436\u0434\u0435\u043D\u0438\u0439\u0444\u043E\u0440\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043E\u0442\u0440\u0438\u0446\u0430\u0442\u0435\u043B\u044C\u043D\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043F\u0443\u0437\u044B\u0440\u044C\u043A\u043E\u0432\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0430\u043D\u0435\u043B\u0438\u043F\u043E\u0438\u0441\u043A\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u0441\u043A\u0430\u0437\u043A\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u0443\u043F\u0440\u0435\u0436\u0434\u0435\u043D\u0438\u044F\u043F\u0440\u0438\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0438 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0440\u0430\u0437\u043C\u0435\u0442\u043A\u0438\u043F\u043E\u043B\u043E\u0441\u044B\u0440\u0435\u0433\u0443\u043B\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u0444\u043E\u0440\u043C\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0444\u0438\u0433\u0443\u0440\u044B\u043A\u043D\u043E\u043F\u043A\u0438 \u043F\u0430\u043B\u0438\u0442\u0440\u0430\u0446\u0432\u0435\u0442\u043E\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435\u043E\u0431\u044B\u0447\u043D\u043E\u0439\u0433\u0440\u0443\u043F\u043F\u044B \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u043A\u0430\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0438\u0441\u043A\u0432\u0442\u0430\u0431\u043B\u0438\u0446\u0435\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438\u043A\u043D\u043E\u043F\u043A\u0438\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u0430\u043D\u0434\u043D\u043E\u0439\u043F\u0430\u043D\u0435\u043B\u0438\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u0430\u043D\u0434\u043D\u043E\u0439\u043F\u0430\u043D\u0435\u043B\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0444\u043E\u0440\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043E\u043F\u043E\u0440\u043D\u043E\u0439\u0442\u043E\u0447\u043A\u0438\u043E\u0442\u0440\u0438\u0441\u043E\u0432\u043A\u0438 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u0434\u043F\u0438\u0441\u0435\u0439\u0448\u043A\u0430\u043B\u044B\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0438\u0437\u043C\u0435\u0440\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0430 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0441\u0442\u0440\u043E\u043A\u0438\u043F\u043E\u0438\u0441\u043A\u0430 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u043B\u0438\u043D\u0438\u0438 \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u043E\u0438\u0441\u043A\u043E\u043C \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u043A\u0433\u043E\u0440\u0438\u0437\u043E\u043D\u0442\u0430\u043B\u044C\u043D\u043E\u0439\u0433\u0438\u0441\u0442\u043E\u0433\u0440\u0430\u043C\u043C\u044B \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u0441\u0435\u0440\u0438\u0439\u0432\u043B\u0435\u0433\u0435\u043D\u0434\u0435\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0430\u0437\u043C\u0435\u0440\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0430\u0441\u0442\u044F\u0433\u0438\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u0432\u0435\u0440\u0442\u0438\u043A\u0430\u043B\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0432\u0432\u043E\u0434\u0430\u0441\u0442\u0440\u043E\u043A\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0431\u043E\u0440\u0430\u043D\u0435\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u043D\u043E\u0433\u043E \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0434\u0430\u0442\u044B \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0441\u0442\u0440\u043E\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0440\u0435\u0436\u0438\u043C\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0437\u043C\u0435\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0441\u0432\u044F\u0437\u0430\u043D\u043D\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u043F\u0435\u0447\u0430\u0442\u0438 \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u043A\u043E\u043C\u0430\u043D\u0434\u044B \u0440\u0435\u0436\u0438\u043C\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u043E\u043A\u043D\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u043E\u043A\u043D\u0430\u0444\u043E\u0440\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0441\u0435\u0440\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u0440\u0438\u0441\u043E\u0432\u043A\u0438\u0441\u0435\u0442\u043A\u0438\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u0443\u043F\u0440\u043E\u0437\u0440\u0430\u0447\u043D\u043E\u0441\u0442\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0431\u0435\u043B\u043E\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u0435 \u0440\u0435\u0436\u0438\u043C\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043A\u043E\u043B\u043E\u043D\u043A\u0438 \u0440\u0435\u0436\u0438\u043C\u0441\u0433\u043B\u0430\u0436\u0438\u0432\u0430\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0440\u0435\u0436\u0438\u043C\u0441\u0433\u043B\u0430\u0436\u0438\u0432\u0430\u043D\u0438\u044F\u0438\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0441\u043F\u0438\u0441\u043A\u0430\u0437\u0430\u0434\u0430\u0447 \u0441\u043A\u0432\u043E\u0437\u043D\u043E\u0435\u0432\u044B\u0440\u0430\u0432\u043D\u0438\u0432\u0430\u043D\u0438\u0435 \u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u0444\u043E\u0440\u043C\u044B\u0432\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0430\u0445 \u0441\u043F\u043E\u0441\u043E\u0431\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0448\u043A\u0430\u043B\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0441\u043F\u043E\u0441\u043E\u0431\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0438\u0432\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u0430\u044F\u0433\u0440\u0443\u043F\u043F\u0430\u043A\u043E\u043C\u0430\u043D\u0434 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0435\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u0435 \u0441\u0442\u0430\u0442\u0443\u0441\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044F \u0441\u0442\u0438\u043B\u044C\u0441\u0442\u0440\u0435\u043B\u043A\u0438 \u0442\u0438\u043F\u0430\u043F\u043F\u0440\u043E\u043A\u0441\u0438\u043C\u0430\u0446\u0438\u0438\u043B\u0438\u043D\u0438\u0438\u0442\u0440\u0435\u043D\u0434\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0435\u0434\u0438\u043D\u0438\u0446\u044B\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0442\u0438\u043F\u0438\u043C\u043F\u043E\u0440\u0442\u0430\u0441\u0435\u0440\u0438\u0439\u0441\u043B\u043E\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u043C\u0430\u0440\u043A\u0435\u0440\u0430\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043C\u0430\u0440\u043A\u0435\u0440\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u043E\u0440\u0433\u0430\u043D\u0438\u0437\u0430\u0446\u0438\u0438\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0441\u0435\u0440\u0438\u0438\u0441\u043B\u043E\u044F\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u0447\u043D\u043E\u0433\u043E\u043E\u0431\u044A\u0435\u043A\u0442\u0430\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0448\u043A\u0430\u043B\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043B\u0435\u0433\u0435\u043D\u0434\u044B\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043F\u043E\u0438\u0441\u043A\u0430\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u043F\u0440\u043E\u0435\u043A\u0446\u0438\u0438\u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u043E\u0432\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u0440\u0430\u043C\u043A\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0441\u0432\u044F\u0437\u0438\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u0433\u0430\u043D\u0442\u0430 \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u043F\u043E\u0441\u0435\u0440\u0438\u044F\u043C\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0442\u043E\u0447\u0435\u043A\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u0439\u043B\u0438\u043D\u0438\u0438 \u0442\u0438\u043F\u0441\u0442\u043E\u0440\u043E\u043D\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0442\u0438\u043F\u0444\u043E\u0440\u043C\u044B\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0448\u043A\u0430\u043B\u044B\u0440\u0430\u0434\u0430\u0440\u043D\u043E\u0439\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0444\u0430\u043A\u0442\u043E\u0440\u043B\u0438\u043D\u0438\u0438\u0442\u0440\u0435\u043D\u0434\u0430\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B \u0444\u0438\u0433\u0443\u0440\u0430\u043A\u043D\u043E\u043F\u043A\u0438 \u0444\u0438\u0433\u0443\u0440\u044B\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u043E\u0439\u0441\u0445\u0435\u043C\u044B \u0444\u0438\u043A\u0441\u0430\u0446\u0438\u044F\u0432\u0442\u0430\u0431\u043B\u0438\u0446\u0435 \u0444\u043E\u0440\u043C\u0430\u0442\u0434\u043D\u044F\u0448\u043A\u0430\u043B\u044B\u0432\u0440\u0435\u043C\u0435\u043D\u0438 \u0444\u043E\u0440\u043C\u0430\u0442\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0448\u0438\u0440\u0438\u043D\u0430\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0444\u043E\u0440\u043C\u044B ",v="\u0432\u0438\u0434\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u044F\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0438\u0438 \u0432\u0438\u0434\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u044F\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0432\u0438\u0434\u0441\u0447\u0435\u0442\u0430 \u0432\u0438\u0434\u0442\u043E\u0447\u043A\u0438\u043C\u0430\u0440\u0448\u0440\u0443\u0442\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0430\u0433\u0440\u0435\u0433\u0430\u0442\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0435\u0436\u0438\u043C\u0430\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u0440\u0435\u0437\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0430\u0433\u0440\u0435\u0433\u0430\u0442\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u0432\u0440\u0435\u043C\u044F \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0438\u0441\u0438\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 ",A="\u0430\u0432\u0442\u043E\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u044F\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0439 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0439\u043D\u043E\u043C\u0435\u0440\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043E\u0442\u043F\u0440\u0430\u0432\u043A\u0430\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445 ",O="\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u043E\u0440\u0438\u0435\u043D\u0442\u0430\u0446\u0438\u044F\u0441\u0442\u0440\u0430\u043D\u0438\u0446\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u043A\u043E\u043B\u043E\u043D\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u0441\u0442\u0440\u043E\u043A\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430\u043E\u0442\u043D\u043E\u0441\u0438\u0442\u0435\u043B\u044C\u043D\u043E\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0441\u043F\u043E\u0441\u043E\u0431\u0447\u0442\u0435\u043D\u0438\u044F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0434\u0432\u0443\u0441\u0442\u043E\u0440\u043E\u043D\u043D\u0435\u0439\u043F\u0435\u0447\u0430\u0442\u0438 \u0442\u0438\u043F\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043A\u0443\u0440\u0441\u043E\u0440\u043E\u0432\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u0440\u0438\u0441\u0443\u043D\u043A\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043B\u0438\u043D\u0438\u0438\u044F\u0447\u0435\u0439\u043A\u0438\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0435\u0445\u043E\u0434\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u0432\u044B\u0434\u0435\u043B\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043B\u0438\u043D\u0438\u0439\u0441\u0432\u043E\u0434\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0440\u0438\u0441\u0443\u043D\u043A\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0441\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0443\u0437\u043E\u0440\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u0444\u0430\u0439\u043B\u0430\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u043E\u0447\u043D\u043E\u0441\u0442\u044C\u043F\u0435\u0447\u0430\u0442\u0438 \u0447\u0435\u0440\u0435\u0434\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u044F\u0441\u0442\u0440\u0430\u043D\u0438\u0446 ",N="\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u0432\u0440\u0435\u043C\u0435\u043D\u0438\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u043F\u043B\u0430\u043D\u0438\u0440\u043E\u0432\u0449\u0438\u043A\u0430 ",R="\u0442\u0438\u043F\u0444\u0430\u0439\u043B\u0430\u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u043E\u0433\u043E\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 ",L="\u043E\u0431\u0445\u043E\u0434\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0437\u0430\u043F\u0438\u0441\u0438\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ",I="\u0432\u0438\u0434\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0434\u043E\u0431\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u044F\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u043E\u0442\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0438\u0442\u043E\u0433\u043E\u0432 ",h="\u0434\u043E\u0441\u0442\u0443\u043F\u043A\u0444\u0430\u0439\u043B\u0443 \u0440\u0435\u0436\u0438\u043C\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u0432\u044B\u0431\u043E\u0440\u0430\u0444\u0430\u0439\u043B\u0430 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0444\u0430\u0439\u043B\u0430 ",k="\u0442\u0438\u043F\u0438\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u044F\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044F\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ",F="\u0432\u0438\u0434\u0434\u0430\u043D\u043D\u044B\u0445\u0430\u043D\u0430\u043B\u0438\u0437\u0430 \u043C\u0435\u0442\u043E\u0434\u043A\u043B\u0430\u0441\u0442\u0435\u0440\u0438\u0437\u0430\u0446\u0438\u0438 \u0442\u0438\u043F\u0435\u0434\u0438\u043D\u0438\u0446\u044B\u0438\u043D\u0442\u0435\u0440\u0432\u0430\u043B\u0430\u0432\u0440\u0435\u043C\u0435\u043D\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0447\u0438\u0441\u043B\u043E\u0432\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u0430\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u0434\u0435\u0440\u0435\u0432\u043E\u0440\u0435\u0448\u0435\u043D\u0438\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043A\u043B\u0430\u0441\u0442\u0435\u0440\u0438\u0437\u0430\u0446\u0438\u044F \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0430\u044F\u0441\u0442\u0430\u0442\u0438\u0441\u0442\u0438\u043A\u0430 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0438\u0441\u043A\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439 \u0442\u0438\u043F\u043A\u043E\u043B\u043E\u043D\u043A\u0438\u043C\u043E\u0434\u0435\u043B\u0438\u043F\u0440\u043E\u0433\u043D\u043E\u0437\u0430 \u0442\u0438\u043F\u043C\u0435\u0440\u044B\u0440\u0430\u0441\u0441\u0442\u043E\u044F\u043D\u0438\u044F\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043E\u0442\u0441\u0435\u0447\u0435\u043D\u0438\u044F\u043F\u0440\u0430\u0432\u0438\u043B\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0438 \u0442\u0438\u043F\u043F\u043E\u043B\u044F\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u0438\u0437\u0430\u0446\u0438\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0443\u043F\u043E\u0440\u044F\u0434\u043E\u0447\u0438\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u0430\u0432\u0438\u043B\u0430\u0441\u0441\u043E\u0446\u0438\u0430\u0446\u0438\u0438\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0443\u043F\u043E\u0440\u044F\u0434\u043E\u0447\u0438\u0432\u0430\u043D\u0438\u044F\u0448\u0430\u0431\u043B\u043E\u043D\u043E\u0432\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0443\u043F\u0440\u043E\u0449\u0435\u043D\u0438\u044F\u0434\u0435\u0440\u0435\u0432\u0430\u0440\u0435\u0448\u0435\u043D\u0438\u0439 ",z="ws\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430 \u0432\u0430\u0440\u0438\u0430\u043D\u0442xpathxs \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0437\u0430\u043F\u0438\u0441\u0438\u0434\u0430\u0442\u044Bjson \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0432\u0438\u0434\u0433\u0440\u0443\u043F\u043F\u044B\u043C\u043E\u0434\u0435\u043B\u0438xs \u0432\u0438\u0434\u0444\u0430\u0441\u0435\u0442\u0430xdto \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044Fdom \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u0441\u043E\u0441\u0442\u0430\u0432\u043D\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043D\u043E\u0441\u0442\u044C\u0441\u0445\u0435\u043C\u044Bxs \u0437\u0430\u043F\u0440\u0435\u0449\u0435\u043D\u043D\u044B\u0435\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs \u0438\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u0438\u0434\u0435\u043D\u0442\u0438\u0447\u043D\u043E\u0441\u0442\u0438xs \u043A\u0430\u0442\u0435\u0433\u043E\u0440\u0438\u044F\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u043F\u0440\u043E\u0441\u0442\u0440\u0430\u043D\u0441\u0442\u0432\u0438\u043C\u0435\u043Dxs \u043C\u0435\u0442\u043E\u0434\u043D\u0430\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u043D\u0438\u044Fxs \u043C\u043E\u0434\u0435\u043B\u044C\u0441\u043E\u0434\u0435\u0440\u0436\u0438\u043C\u043E\u0433\u043Exs \u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0442\u0438\u043F\u0430xml \u043D\u0435\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435\u043F\u043E\u0434\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438xs \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0445\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432xs \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0441\u043E\u0434\u0435\u0440\u0436\u0438\u043C\u043E\u0433\u043Exs \u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u043E\u0442\u0431\u043E\u0440\u0430\u0443\u0437\u043B\u043E\u0432dom \u043F\u0435\u0440\u0435\u043D\u043E\u0441\u0441\u0442\u0440\u043E\u043Ajson \u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0432\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0435dom \u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u044Bxml \u0442\u0438\u043F\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xml \u0442\u0438\u043F\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fjson \u0442\u0438\u043F\u043A\u0430\u043D\u043E\u043D\u0438\u0447\u0435\u0441\u043A\u043E\u0433\u043Exml \u0442\u0438\u043F\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044Bxs \u0442\u0438\u043F\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0438xml \u0442\u0438\u043F\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430domxpath \u0442\u0438\u043F\u0443\u0437\u043B\u0430dom \u0442\u0438\u043F\u0443\u0437\u043B\u0430xml \u0444\u043E\u0440\u043C\u0430xml \u0444\u043E\u0440\u043C\u0430\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u044Fxs \u0444\u043E\u0440\u043C\u0430\u0442\u0434\u0430\u0442\u044Bjson \u044D\u043A\u0440\u0430\u043D\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432json ",K="\u0432\u0438\u0434\u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0440\u0442\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0432\u043B\u043E\u0436\u0435\u043D\u043D\u044B\u0445\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0438\u0442\u043E\u0433\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u0435\u0439\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0431\u0443\u0445\u0433\u0430\u043B\u0442\u0435\u0440\u0441\u043A\u043E\u0433\u043E\u043E\u0441\u0442\u0430\u0442\u043A\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0432\u044B\u0432\u043E\u0434\u0430\u0442\u0435\u043A\u0441\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0433\u0440\u0443\u043F\u043F\u044B\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u043E\u0432\u043E\u0442\u0431\u043E\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0437\u0430\u0433\u043E\u043B\u043E\u0432\u043A\u0430\u043F\u043E\u043B\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043E\u0441\u0442\u0430\u0442\u043A\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0440\u0430\u0437\u043C\u0435\u0449\u0435\u043D\u0438\u044F\u0442\u0435\u043A\u0441\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u0441\u0432\u044F\u0437\u0438\u043D\u0430\u0431\u043E\u0440\u043E\u0432\u0434\u0430\u043D\u043D\u044B\u0445\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u043B\u0435\u0433\u0435\u043D\u0434\u044B\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u044B\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043F\u0440\u0438\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u043E\u0442\u0431\u043E\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043F\u043E\u0441\u043E\u0431\u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0430\u0432\u0442\u043E\u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0433\u0440\u0443\u043F\u043F\u0438\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0440\u0435\u0441\u0443\u0440\u0441\u043E\u0432\u0432\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0444\u0438\u043A\u0441\u0430\u0446\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0443\u0441\u043B\u043E\u0432\u043D\u043E\u0433\u043E\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 ",ue="\u0432\u0430\u0436\u043D\u043E\u0441\u0442\u044C\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0442\u0435\u043A\u0441\u0442\u0430\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0432\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u043D\u0435ascii\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0442\u0435\u043A\u0441\u0442\u0430\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u043F\u0440\u043E\u0442\u043E\u043A\u043E\u043B\u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u044B \u0441\u0442\u0430\u0442\u0443\u0441\u0440\u0430\u0437\u0431\u043E\u0440\u0430\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0433\u043E\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F ",Z="\u0440\u0435\u0436\u0438\u043C\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0438\u0437\u0430\u043F\u0438\u0441\u0438\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0441\u0442\u0430\u0442\u0443\u0441\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0438\u0437\u0430\u043F\u0438\u0441\u0438\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 ",fe="\u0440\u0430\u0441\u043F\u043E\u043B\u043E\u0436\u0435\u043D\u0438\u0435\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u0432\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u044F\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0440\u0435\u0436\u0438\u043C\u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0438\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0430\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0442\u0438\u043F\u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0432\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 ",V="\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430\u0438\u043C\u0435\u043D\u0444\u0430\u0439\u043B\u043E\u0432\u0432zip\u0444\u0430\u0439\u043B\u0435 \u043C\u0435\u0442\u043E\u0434\u0441\u0436\u0430\u0442\u0438\u044Fzip \u043C\u0435\u0442\u043E\u0434\u0448\u0438\u0444\u0440\u043E\u0432\u0430\u043D\u0438\u044Fzip \u0440\u0435\u0436\u0438\u043C\u0432\u043E\u0441\u0441\u0442\u0430\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043F\u0443\u0442\u0435\u0439\u0444\u0430\u0439\u043B\u043E\u0432zip \u0440\u0435\u0436\u0438\u043C\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u043F\u043E\u0434\u043A\u0430\u0442\u0430\u043B\u043E\u0433\u043E\u0432zip \u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u043F\u0443\u0442\u0435\u0439zip \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0441\u0436\u0430\u0442\u0438\u044Fzip ",ne="\u0437\u0432\u0443\u043A\u043E\u0432\u043E\u0435\u043E\u043F\u043E\u0432\u0435\u0449\u0435\u043D\u0438\u0435 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0445\u043E\u0434\u0430\u043A\u0441\u0442\u0440\u043E\u043A\u0435 \u043F\u043E\u0437\u0438\u0446\u0438\u044F\u0432\u043F\u043E\u0442\u043E\u043A\u0435 \u043F\u043E\u0440\u044F\u0434\u043E\u043A\u0431\u0430\u0439\u0442\u043E\u0432 \u0440\u0435\u0436\u0438\u043C\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0435\u0436\u0438\u043C\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u043E\u0439\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0435\u0440\u0432\u0438\u0441\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u044B\u0445\u043F\u043E\u043A\u0443\u043F\u043E\u043A \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u0444\u043E\u043D\u043E\u0432\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0442\u0438\u043F\u043F\u043E\u0434\u043F\u0438\u0441\u0447\u0438\u043A\u0430\u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u044B\u0445\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0439 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0437\u0430\u0449\u0438\u0449\u0435\u043D\u043D\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044Fftp ",te="\u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043E\u0440\u044F\u0434\u043A\u0430\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0434\u043E\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F\u043F\u0435\u0440\u0438\u043E\u0434\u0430\u043C\u0438\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u043A\u043E\u043D\u0442\u0440\u043E\u043B\u044C\u043D\u043E\u0439\u0442\u043E\u0447\u043A\u0438\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u043E\u0431\u044A\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u043E\u0439\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u0442\u0438\u043F\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F\u0441\u0445\u0435\u043C\u044B\u0437\u0430\u043F\u0440\u043E\u0441\u0430 ",G="http\u043C\u0435\u0442\u043E\u0434 \u0430\u0432\u0442\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0430\u0432\u0442\u043E\u043F\u0440\u0435\u0444\u0438\u043A\u0441\u043D\u043E\u043C\u0435\u0440\u0430\u0437\u0430\u0434\u0430\u0447\u0438 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0432\u0441\u0442\u0440\u043E\u0435\u043D\u043D\u043E\u0433\u043E\u044F\u0437\u044B\u043A\u0430 \u0432\u0438\u0434\u0438\u0435\u0440\u0430\u0440\u0445\u0438\u0438 \u0432\u0438\u0434\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u043D\u0430\u043A\u043E\u043F\u043B\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0437\u0430\u043F\u0438\u0441\u044C\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0439\u043F\u0440\u0438\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0438 \u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u0435\u043F\u043E\u0441\u043B\u0435\u0434\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043D\u043E\u0441\u0442\u0435\u0439 \u0438\u043D\u0434\u0435\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0431\u0430\u0437\u044B\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0431\u044B\u0441\u0442\u0440\u043E\u0433\u043E\u0432\u044B\u0431\u043E\u0440\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u0434\u0447\u0438\u043D\u0435\u043D\u0438\u044F \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0430\u0437\u0434\u0435\u043B\u044F\u0435\u043C\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u043D\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0434\u0430\u0447\u0438 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u043F\u0435\u0440\u0430\u0442\u0438\u0432\u043D\u043E\u0435\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0432\u0438\u0434\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0432\u0438\u0434\u0430\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A\u0438 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0437\u0430\u0434\u0430\u0447\u0438 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043B\u0430\u043D\u0430\u043E\u0431\u043C\u0435\u043D\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0435\u043F\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u0447\u0435\u0442\u0430 \u043F\u0435\u0440\u0435\u043C\u0435\u0449\u0435\u043D\u0438\u0435\u0433\u0440\u0430\u043D\u0438\u0446\u044B\u043F\u0440\u0438\u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0438 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u043D\u043E\u043C\u0435\u0440\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u043D\u043E\u043C\u0435\u0440\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u043F\u0435\u0440\u0438\u043E\u0434\u0438\u0447\u043D\u043E\u0441\u0442\u044C\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0441\u0432\u0435\u0434\u0435\u043D\u0438\u0439 \u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0432\u043E\u0437\u0432\u0440\u0430\u0449\u0430\u0435\u043C\u044B\u0445\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u043F\u043E\u0438\u0441\u043A\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u043F\u0440\u0438\u043D\u0430\u0434\u043B\u0435\u0436\u043D\u043E\u0441\u0442\u044C\u043E\u0431\u044A\u0435\u043A\u0442\u0430 \u043F\u0440\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u0435 \u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0430\u0443\u0442\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0446\u0438\u0438\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0440\u0430\u0437\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u043E\u0431\u0449\u0435\u0433\u043E\u0440\u0435\u043A\u0432\u0438\u0437\u0438\u0442\u0430 \u0440\u0435\u0436\u0438\u043C\u0430\u0432\u0442\u043E\u043D\u0443\u043C\u0435\u0440\u0430\u0446\u0438\u0438\u043E\u0431\u044A\u0435\u043A\u0442\u043E\u0432 \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0438\u0441\u0438\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430 \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u043C\u043E\u0434\u0430\u043B\u044C\u043D\u043E\u0441\u0442\u0438 \u0440\u0435\u0436\u0438\u043C\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0438\u043D\u0445\u0440\u043E\u043D\u043D\u044B\u0445\u0432\u044B\u0437\u043E\u0432\u043E\u0432\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043F\u043B\u0430\u0442\u0444\u043E\u0440\u043C\u044B\u0438\u0432\u043D\u0435\u0448\u043D\u0438\u0445\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442 \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u0432\u0442\u043E\u0440\u043D\u043E\u0433\u043E\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0435\u0430\u043D\u0441\u043E\u0432 \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u0443\u0447\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u044B\u0431\u043E\u0440\u0430\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0432\u043C\u0435\u0441\u0442\u0438\u043C\u043E\u0441\u0442\u0438 \u0440\u0435\u0436\u0438\u043C\u0441\u043E\u0432\u043C\u0435\u0441\u0442\u0438\u043C\u043E\u0441\u0442\u0438\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u0440\u0435\u0436\u0438\u043C\u0443\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u044F\u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u043E\u0439\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u0443\u043C\u043E\u043B\u0447\u0430\u043D\u0438\u044E \u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0445\u0430\u0440\u0430\u043A\u0442\u0435\u0440\u0438\u0441\u0442\u0438\u043A \u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u043F\u043B\u0430\u043D\u0430\u0441\u0447\u0435\u0442\u043E\u0432 \u0441\u0435\u0440\u0438\u0438\u043A\u043E\u0434\u043E\u0432\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u0441\u043E\u0437\u0434\u0430\u043D\u0438\u0435\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435 \u0441\u043F\u043E\u0441\u043E\u0431\u0432\u044B\u0431\u043E\u0440\u0430 \u0441\u043F\u043E\u0441\u043E\u0431\u043F\u043E\u0438\u0441\u043A\u0430\u0441\u0442\u0440\u043E\u043A\u0438\u043F\u0440\u0438\u0432\u0432\u043E\u0434\u0435\u043F\u043E\u0441\u0442\u0440\u043E\u043A\u0435 \u0441\u043F\u043E\u0441\u043E\u0431\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F \u0442\u0438\u043F\u0434\u0430\u043D\u043D\u044B\u0445\u0442\u0430\u0431\u043B\u0438\u0446\u044B\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0438\u043F\u043A\u043E\u0434\u0430\u043F\u043B\u0430\u043D\u0430\u0432\u0438\u0434\u043E\u0432\u0440\u0430\u0441\u0447\u0435\u0442\u0430 \u0442\u0438\u043F\u043A\u043E\u0434\u0430\u0441\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u0442\u0438\u043F\u043C\u0430\u043A\u0435\u0442\u0430 \u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0431\u0438\u0437\u043D\u0435\u0441\u043F\u0440\u043E\u0446\u0435\u0441\u0441\u0430 \u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430 \u0442\u0438\u043F\u043D\u043E\u043C\u0435\u0440\u0430\u0437\u0430\u0434\u0430\u0447\u0438 \u0442\u0438\u043F\u0444\u043E\u0440\u043C\u044B \u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0435\u0434\u0432\u0438\u0436\u0435\u043D\u0438\u0439 ",se="\u0432\u0430\u0436\u043D\u043E\u0441\u0442\u044C\u043F\u0440\u043E\u0431\u043B\u0435\u043C\u044B\u043F\u0440\u0438\u043C\u0435\u043D\u0435\u043D\u0438\u044F\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0438\u043D\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043C\u0430\u0441\u0448\u0442\u0430\u0431\u0430\u0444\u043E\u0440\u043C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u043E\u0441\u043D\u043E\u0432\u043D\u043E\u0433\u043E\u0448\u0440\u0438\u0444\u0442\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430 \u0432\u0430\u0440\u0438\u0430\u043D\u0442\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0439\u0434\u0430\u0442\u044B\u043D\u0430\u0447\u0430\u043B\u0430 \u0432\u0438\u0434\u0433\u0440\u0430\u043D\u0438\u0446\u044B \u0432\u0438\u0434\u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0438 \u0432\u0438\u0434\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0432\u0438\u0434\u0440\u0430\u043C\u043A\u0438 \u0432\u0438\u0434\u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u0446\u0432\u0435\u0442\u0430 \u0432\u0438\u0434\u0447\u0438\u0441\u043B\u043E\u0432\u043E\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0432\u0438\u0434\u0448\u0440\u0438\u0444\u0442\u0430 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u0430\u044F\u0434\u043B\u0438\u043D\u0430 \u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0439\u0437\u043D\u0430\u043A \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435byteordermark \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043C\u0435\u0442\u0430\u0434\u0430\u043D\u043D\u044B\u0445\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0439\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438 \u043A\u043B\u0430\u0432\u0438\u0448\u0430 \u043A\u043E\u0434\u0432\u043E\u0437\u0432\u0440\u0430\u0442\u0430\u0434\u0438\u0430\u043B\u043E\u0433\u0430 \u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430xbase \u043A\u043E\u0434\u0438\u0440\u043E\u0432\u043A\u0430\u0442\u0435\u043A\u0441\u0442\u0430 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u043E\u0438\u0441\u043A\u0430 \u043D\u0430\u043F\u0440\u0430\u0432\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0440\u0442\u0438\u0440\u043E\u0432\u043A\u0438 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0435\u0434\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u0438\u0438\u0437\u043C\u0435\u043D\u0435\u043D\u0438\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043F\u0430\u043D\u0435\u043B\u0438\u0440\u0430\u0437\u0434\u0435\u043B\u043E\u0432 \u043F\u0440\u043E\u0432\u0435\u0440\u043A\u0430\u0437\u0430\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u0434\u0438\u0430\u043B\u043E\u0433\u0430\u0432\u043E\u043F\u0440\u043E\u0441 \u0440\u0435\u0436\u0438\u043C\u0437\u0430\u043F\u0443\u0441\u043A\u0430\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u043A\u0440\u0443\u0433\u043B\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0444\u043E\u0440\u043C\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044F \u0440\u0435\u0436\u0438\u043C\u043F\u043E\u043B\u043D\u043E\u0442\u0435\u043A\u0441\u0442\u043E\u0432\u043E\u0433\u043E\u043F\u043E\u0438\u0441\u043A\u0430 \u0441\u043A\u043E\u0440\u043E\u0441\u0442\u044C\u043A\u043B\u0438\u0435\u043D\u0442\u0441\u043A\u043E\u0433\u043E\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u044F \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u0432\u043D\u0435\u0448\u043D\u0435\u0433\u043E\u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043E\u0441\u0442\u043E\u044F\u043D\u0438\u0435\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u043F\u043E\u0441\u043E\u0431\u0432\u044B\u0431\u043E\u0440\u0430\u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0430windows \u0441\u043F\u043E\u0441\u043E\u0431\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0442\u0440\u043E\u043A\u0438 \u0441\u0442\u0430\u0442\u0443\u0441\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u044F \u0442\u0438\u043F\u0432\u043D\u0435\u0448\u043D\u0435\u0439\u043A\u043E\u043C\u043F\u043E\u043D\u0435\u043D\u0442\u044B \u0442\u0438\u043F\u043F\u043B\u0430\u0442\u0444\u043E\u0440\u043C\u044B \u0442\u0438\u043F\u043F\u043E\u0432\u0435\u0434\u0435\u043D\u0438\u044F\u043A\u043B\u0430\u0432\u0438\u0448\u0438enter \u0442\u0438\u043F\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u0438\u043E\u0432\u044B\u043F\u043E\u043B\u043D\u0435\u043D\u0438\u0438\u043E\u0431\u043D\u043E\u0432\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043D\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u0438\u0431\u0430\u0437\u044B\u0434\u0430\u043D\u043D\u044B\u0445 \u0443\u0440\u043E\u0432\u0435\u043D\u044C\u0438\u0437\u043E\u043B\u044F\u0446\u0438\u0438\u0442\u0440\u0430\u043D\u0437\u0430\u043A\u0446\u0438\u0439 \u0445\u0435\u0448\u0444\u0443\u043D\u043A\u0446\u0438\u044F \u0447\u0430\u0441\u0442\u0438\u0434\u0430\u0442\u044B",ve=y+M+v+A+O+N+R+L+I+h+k+F+z+K+ue+Z+fe+V+ne+te+G+se,W="com\u043E\u0431\u044A\u0435\u043A\u0442 ftp\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 http\u0437\u0430\u043F\u0440\u043E\u0441 http\u0441\u0435\u0440\u0432\u0438\u0441\u043E\u0442\u0432\u0435\u0442 http\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 ws\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044F ws\u043F\u0440\u043E\u043A\u0441\u0438 xbase \u0430\u043D\u0430\u043B\u0438\u0437\u0434\u0430\u043D\u043D\u044B\u0445 \u0430\u043D\u043D\u043E\u0442\u0430\u0446\u0438\u044Fxs \u0431\u043B\u043E\u043A\u0438\u0440\u043E\u0432\u043A\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u0431\u0443\u0444\u0435\u0440\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u0432\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435xs \u0432\u044B\u0440\u0430\u0436\u0435\u043D\u0438\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0433\u0435\u043D\u0435\u0440\u0430\u0442\u043E\u0440\u0441\u043B\u0443\u0447\u0430\u0439\u043D\u044B\u0445\u0447\u0438\u0441\u0435\u043B \u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0430\u044F\u0441\u0445\u0435\u043C\u0430 \u0433\u0435\u043E\u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0438\u0435\u043A\u043E\u043E\u0440\u0434\u0438\u043D\u0430\u0442\u044B \u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0430\u044F\u0441\u0445\u0435\u043C\u0430 \u0433\u0440\u0443\u043F\u043F\u0430\u043C\u043E\u0434\u0435\u043B\u0438xs \u0434\u0430\u043D\u043D\u044B\u0435\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0435\u0434\u0430\u043D\u043D\u044B\u0435 \u0434\u0435\u043D\u0434\u0440\u043E\u0433\u0440\u0430\u043C\u043C\u0430 \u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430 \u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430\u0433\u0430\u043D\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0444\u0430\u0439\u043B\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0446\u0432\u0435\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0432\u044B\u0431\u043E\u0440\u0430\u0448\u0440\u0438\u0444\u0442\u0430 \u0434\u0438\u0430\u043B\u043E\u0433\u0440\u0430\u0441\u043F\u0438\u0441\u0430\u043D\u0438\u044F\u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0434\u0438\u0430\u043B\u043E\u0433\u0440\u0435\u0434\u0430\u043A\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u043E\u0433\u043E\u043F\u0435\u0440\u0438\u043E\u0434\u0430 \u0434\u0438\u0430\u043F\u0430\u0437\u043E\u043D \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442dom \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442html \u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430\u0446\u0438\u044Fxs \u0434\u043E\u0441\u0442\u0430\u0432\u043B\u044F\u0435\u043C\u043E\u0435\u0443\u0432\u0435\u0434\u043E\u043C\u043B\u0435\u043D\u0438\u0435 \u0437\u0430\u043F\u0438\u0441\u044Cdom \u0437\u0430\u043F\u0438\u0441\u044Cfastinfoset \u0437\u0430\u043F\u0438\u0441\u044Chtml \u0437\u0430\u043F\u0438\u0441\u044Cjson \u0437\u0430\u043F\u0438\u0441\u044Cxml \u0437\u0430\u043F\u0438\u0441\u044Czip\u0444\u0430\u0439\u043B\u0430 \u0437\u0430\u043F\u0438\u0441\u044C\u0434\u0430\u043D\u043D\u044B\u0445 \u0437\u0430\u043F\u0438\u0441\u044C\u0442\u0435\u043A\u0441\u0442\u0430 \u0437\u0430\u043F\u0438\u0441\u044C\u0443\u0437\u043B\u043E\u0432dom \u0437\u0430\u043F\u0440\u043E\u0441 \u0437\u0430\u0449\u0438\u0449\u0435\u043D\u043D\u043E\u0435\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435openssl \u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F\u043F\u043E\u043B\u0435\u0439\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0438\u0437\u0432\u043B\u0435\u0447\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430 \u0438\u043C\u043F\u043E\u0440\u0442xs \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u0430 \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0435\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435 \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u043E\u0447\u0442\u043E\u0432\u044B\u0439\u043F\u0440\u043E\u0444\u0438\u043B\u044C \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u043F\u0440\u043E\u043A\u0441\u0438 \u0438\u043D\u0442\u0435\u0440\u043D\u0435\u0442\u0441\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F\u0434\u043B\u044F\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u044Fxs \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0438\u0441\u0442\u043E\u0447\u043D\u0438\u043A\u0434\u043E\u0441\u0442\u0443\u043F\u043D\u044B\u0445\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0438\u0442\u0435\u0440\u0430\u0442\u043E\u0440\u0443\u0437\u043B\u043E\u0432dom \u043A\u0430\u0440\u0442\u0438\u043D\u043A\u0430 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0434\u0430\u0442\u044B \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0434\u0432\u043E\u0438\u0447\u043D\u044B\u0445\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0441\u0442\u0440\u043E\u043A\u0438 \u043A\u0432\u0430\u043B\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440\u044B\u0447\u0438\u0441\u043B\u0430 \u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u0449\u0438\u043A\u043C\u0430\u043A\u0435\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u0449\u0438\u043A\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u043C\u0430\u043A\u0435\u0442\u0430\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u043D\u0430\u0441\u0442\u0440\u043E\u0435\u043A\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043A\u043E\u043D\u0441\u0442\u0440\u0443\u043A\u0442\u043E\u0440\u0444\u043E\u0440\u043C\u0430\u0442\u043D\u043E\u0439\u0441\u0442\u0440\u043E\u043A\u0438 \u043B\u0438\u043D\u0438\u044F \u043C\u0430\u043A\u0435\u0442\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043C\u0430\u043A\u0435\u0442\u043E\u0431\u043B\u0430\u0441\u0442\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043C\u0430\u043A\u0435\u0442\u043E\u0444\u043E\u0440\u043C\u043B\u0435\u043D\u0438\u044F\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043C\u0430\u0441\u043A\u0430xs \u043C\u0435\u043D\u0435\u0434\u0436\u0435\u0440\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u043D\u0430\u0431\u043E\u0440\u0441\u0445\u0435\u043Cxml \u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043D\u0430\u0441\u0442\u0440\u043E\u0439\u043A\u0438\u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0446\u0438\u0438json \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u043A\u0430\u0440\u0442\u0438\u043D\u043E\u043A \u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0430\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u0431\u0445\u043E\u0434\u0434\u0435\u0440\u0435\u0432\u0430dom \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430xs \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u043D\u043E\u0442\u0430\u0446\u0438\u0438xs \u043E\u0431\u044A\u044F\u0432\u043B\u0435\u043D\u0438\u0435\u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0430xs \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u0434\u043E\u0441\u0442\u0443\u043F\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0438\u0441\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u043D\u0438\u044F\u0441\u043E\u0431\u044B\u0442\u0438\u044F\u043E\u0442\u043A\u0430\u0437\u0432\u0434\u043E\u0441\u0442\u0443\u043F\u0435\u0436\u0443\u0440\u043D\u0430\u043B\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043E\u0431\u0440\u0430\u0431\u043E\u0442\u043A\u0438\u0440\u0430\u0441\u0448\u0438\u0444\u0440\u043E\u0432\u043A\u0438\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u043F\u0435\u0440\u0435\u0434\u0430\u0432\u0430\u0435\u043C\u043E\u0433\u043E\u0444\u0430\u0439\u043B\u0430 \u043E\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0442\u0438\u043F\u043E\u0432 \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u0430\u0442\u0440\u0438\u0431\u0443\u0442\u043E\u0432xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0433\u0440\u0443\u043F\u043F\u044B\u043C\u043E\u0434\u0435\u043B\u0438xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u043E\u0433\u0440\u0430\u043D\u0438\u0447\u0435\u043D\u0438\u044F\u0438\u0434\u0435\u043D\u0442\u0438\u0447\u043D\u043E\u0441\u0442\u0438xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u043F\u0440\u043E\u0441\u0442\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0441\u043E\u0441\u0442\u0430\u0432\u043D\u043E\u0433\u043E\u0442\u0438\u043F\u0430xs \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435\u0442\u0438\u043F\u0430\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u0430dom \u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u044Fxpathxs \u043E\u0442\u0431\u043E\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u0430\u043A\u0435\u0442\u043E\u0442\u043E\u0431\u0440\u0430\u0436\u0430\u0435\u043C\u044B\u0445\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442\u043E\u0432 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0432\u044B\u0431\u043E\u0440\u0430 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0437\u0430\u043F\u0438\u0441\u0438json \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0437\u0430\u043F\u0438\u0441\u0438xml \u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u044B\u0447\u0442\u0435\u043D\u0438\u044Fxml \u043F\u0435\u0440\u0435\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u0438\u0435xs \u043F\u043B\u0430\u043D\u0438\u0440\u043E\u0432\u0449\u0438\u043A \u043F\u043E\u043B\u0435\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u043B\u0435\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044Cdom \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u0437\u0430\u043F\u0440\u043E\u0441\u0430 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u043E\u0442\u0447\u0435\u0442\u0430 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u043E\u0442\u0447\u0435\u0442\u0430\u0430\u043D\u0430\u043B\u0438\u0437\u0430\u0434\u0430\u043D\u043D\u044B\u0445 \u043F\u043E\u0441\u0442\u0440\u043E\u0438\u0442\u0435\u043B\u044C\u0441\u0445\u0435\u043Cxml \u043F\u043E\u0442\u043E\u043A \u043F\u043E\u0442\u043E\u043A\u0432\u043F\u0430\u043C\u044F\u0442\u0438 \u043F\u043E\u0447\u0442\u0430 \u043F\u043E\u0447\u0442\u043E\u0432\u043E\u0435\u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435 \u043F\u0440\u0435\u043E\u0431\u0440\u0430\u0437\u043E\u0432\u0430\u043D\u0438\u0435xsl \u043F\u0440\u0435\u043E\u0431\u0440\u0430\u0437\u043E\u0432\u0430\u043D\u0438\u0435\u043A\u043A\u0430\u043D\u043E\u043D\u0438\u0447\u0435\u0441\u043A\u043E\u043C\u0443xml \u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u0432\u044B\u0432\u043E\u0434\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u043A\u043E\u043B\u043B\u0435\u043A\u0446\u0438\u044E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u0432\u044B\u0432\u043E\u0434\u0430\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445\u0432\u0442\u0430\u0431\u043B\u0438\u0447\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u043F\u0440\u043E\u0446\u0435\u0441\u0441\u043E\u0440\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0440\u0430\u0437\u044B\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u043F\u0440\u043E\u0441\u0442\u0440\u0430\u043D\u0441\u0442\u0432\u0438\u043C\u0435\u043Ddom \u0440\u0430\u043C\u043A\u0430 \u0440\u0430\u0441\u043F\u0438\u0441\u0430\u043D\u0438\u0435\u0440\u0435\u0433\u043B\u0430\u043C\u0435\u043D\u0442\u043D\u043E\u0433\u043E\u0437\u0430\u0434\u0430\u043D\u0438\u044F \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u043D\u043E\u0435\u0438\u043C\u044Fxml \u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0447\u0442\u0435\u043D\u0438\u044F\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0432\u043E\u0434\u043D\u0430\u044F\u0434\u0438\u0430\u0433\u0440\u0430\u043C\u043C\u0430 \u0441\u0432\u044F\u0437\u044C\u043F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0430\u0432\u044B\u0431\u043E\u0440\u0430 \u0441\u0432\u044F\u0437\u044C\u043F\u043E\u0442\u0438\u043F\u0443 \u0441\u0432\u044F\u0437\u044C\u043F\u043E\u0442\u0438\u043F\u0443\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0435\u0440\u0438\u0430\u043B\u0438\u0437\u0430\u0442\u043E\u0440xdto \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u043B\u0438\u0435\u043D\u0442\u0430windows \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u043B\u0438\u0435\u043D\u0442\u0430\u0444\u0430\u0439\u043B \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043A\u0440\u0438\u043F\u0442\u043E\u0433\u0440\u0430\u0444\u0438\u0438 \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u044B\u0443\u0434\u043E\u0441\u0442\u043E\u0432\u0435\u0440\u044F\u044E\u0449\u0438\u0445\u0446\u0435\u043D\u0442\u0440\u043E\u0432windows \u0441\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u044B\u0443\u0434\u043E\u0441\u0442\u043E\u0432\u0435\u0440\u044F\u044E\u0449\u0438\u0445\u0446\u0435\u043D\u0442\u0440\u043E\u0432\u0444\u0430\u0439\u043B \u0441\u0436\u0430\u0442\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0441\u0438\u0441\u0442\u0435\u043C\u043D\u0430\u044F\u0438\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F \u0441\u043E\u043E\u0431\u0449\u0435\u043D\u0438\u0435\u043F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044E \u0441\u043E\u0447\u0435\u0442\u0430\u043D\u0438\u0435\u043A\u043B\u0430\u0432\u0438\u0448 \u0441\u0440\u0430\u0432\u043D\u0435\u043D\u0438\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u0430\u044F\u0434\u0430\u0442\u0430\u043D\u0430\u0447\u0430\u043B\u0430 \u0441\u0442\u0430\u043D\u0434\u0430\u0440\u0442\u043D\u044B\u0439\u043F\u0435\u0440\u0438\u043E\u0434 \u0441\u0445\u0435\u043C\u0430xml \u0441\u0445\u0435\u043C\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 \u0442\u0430\u0431\u043B\u0438\u0447\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u0442\u0435\u043A\u0441\u0442\u043E\u0432\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u0442\u0435\u0441\u0442\u0438\u0440\u0443\u0435\u043C\u043E\u0435\u043F\u0440\u0438\u043B\u043E\u0436\u0435\u043D\u0438\u0435 \u0442\u0438\u043F\u0434\u0430\u043D\u043D\u044B\u0445xml \u0443\u043D\u0438\u043A\u0430\u043B\u044C\u043D\u044B\u0439\u0438\u0434\u0435\u043D\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u043E\u0440 \u0444\u0430\u0431\u0440\u0438\u043A\u0430xdto \u0444\u0430\u0439\u043B \u0444\u0430\u0439\u043B\u043E\u0432\u044B\u0439\u043F\u043E\u0442\u043E\u043A \u0444\u0430\u0441\u0435\u0442\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u0430\u0440\u0430\u0437\u0440\u044F\u0434\u043E\u0432\u0434\u0440\u043E\u0431\u043D\u043E\u0439\u0447\u0430\u0441\u0442\u0438xs \u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0432\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0438\u0441\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0439\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0432\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0433\u043E\u0438\u0441\u043A\u043B\u044E\u0447\u0430\u044E\u0449\u0435\u0433\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0439\u0434\u043B\u0438\u043D\u044Bxs \u0444\u0430\u0441\u0435\u0442\u043E\u0431\u0440\u0430\u0437\u0446\u0430xs \u0444\u0430\u0441\u0435\u0442\u043E\u0431\u0449\u0435\u0433\u043E\u043A\u043E\u043B\u0438\u0447\u0435\u0441\u0442\u0432\u0430\u0440\u0430\u0437\u0440\u044F\u0434\u043E\u0432xs \u0444\u0430\u0441\u0435\u0442\u043F\u0435\u0440\u0435\u0447\u0438\u0441\u043B\u0435\u043D\u0438\u044Fxs \u0444\u0430\u0441\u0435\u0442\u043F\u0440\u043E\u0431\u0435\u043B\u044C\u043D\u044B\u0445\u0441\u0438\u043C\u0432\u043E\u043B\u043E\u0432xs \u0444\u0438\u043B\u044C\u0442\u0440\u0443\u0437\u043B\u043E\u0432dom \u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u0430\u044F\u0441\u0442\u0440\u043E\u043A\u0430 \u0444\u043E\u0440\u043C\u0430\u0442\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0434\u043E\u043A\u0443\u043C\u0435\u043D\u0442 \u0444\u0440\u0430\u0433\u043C\u0435\u043D\u0442xs \u0445\u0435\u0448\u0438\u0440\u043E\u0432\u0430\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0445\u0440\u0430\u043D\u0438\u043B\u0438\u0449\u0435\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u044F \u0446\u0432\u0435\u0442 \u0447\u0442\u0435\u043D\u0438\u0435fastinfoset \u0447\u0442\u0435\u043D\u0438\u0435html \u0447\u0442\u0435\u043D\u0438\u0435json \u0447\u0442\u0435\u043D\u0438\u0435xml \u0447\u0442\u0435\u043D\u0438\u0435zip\u0444\u0430\u0439\u043B\u0430 \u0447\u0442\u0435\u043D\u0438\u0435\u0434\u0430\u043D\u043D\u044B\u0445 \u0447\u0442\u0435\u043D\u0438\u0435\u0442\u0435\u043A\u0441\u0442\u0430 \u0447\u0442\u0435\u043D\u0438\u0435\u0443\u0437\u043B\u043E\u0432dom \u0448\u0440\u0438\u0444\u0442 \u044D\u043B\u0435\u043C\u0435\u043D\u0442\u0440\u0435\u0437\u0443\u043B\u044C\u0442\u0430\u0442\u0430\u043A\u043E\u043C\u043F\u043E\u043D\u043E\u0432\u043A\u0438\u0434\u0430\u043D\u043D\u044B\u0445 "+"comsafearray \u0434\u0435\u0440\u0435\u0432\u043E\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u043C\u0430\u0441\u0441\u0438\u0432 \u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435 \u0441\u043F\u0438\u0441\u043E\u043A\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0430 \u0442\u0430\u0431\u043B\u0438\u0446\u0430\u0437\u043D\u0430\u0447\u0435\u043D\u0438\u0439 \u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u0430\u044F\u0441\u0442\u0440\u0443\u043A\u0442\u0443\u0440\u0430 \u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u043E\u0435\u0441\u043E\u043E\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u0435 \u0444\u0438\u043A\u0441\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u043C\u0430\u0441\u0441\u0438\u0432 ",Oe="null \u0438\u0441\u0442\u0438\u043D\u0430 \u043B\u043E\u0436\u044C \u043D\u0435\u043E\u043F\u0440\u0435\u0434\u0435\u043B\u0435\u043D\u043E",tt=t.inherit(t.NUMBER_MODE),rt={className:"string",begin:'"|\\|',end:'"|$',contains:[{begin:'""'}]},bt={begin:"'",end:"'",excludeBegin:!0,excludeEnd:!0,contains:[{className:"number",begin:"\\d{4}([\\.\\\\/:-]?\\d{2}){0,5}"}]},dt=t.inherit(t.C_LINE_COMMENT_MODE),ct={className:"meta",begin:"#|&",end:"$",keywords:{$pattern:n,keyword:o+c},contains:[dt]},Ze={className:"symbol",begin:"~",end:";|:",excludeEnd:!0},nt={className:"function",variants:[{begin:"\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u0430|\u0444\u0443\u043D\u043A\u0446\u0438\u044F",end:"\\)",keywords:"\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u0430 \u0444\u0443\u043D\u043A\u0446\u0438\u044F"},{begin:"\u043A\u043E\u043D\u0435\u0446\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u044B|\u043A\u043E\u043D\u0435\u0446\u0444\u0443\u043D\u043A\u0446\u0438\u0438",keywords:"\u043A\u043E\u043D\u0435\u0446\u043F\u0440\u043E\u0446\u0435\u0434\u0443\u0440\u044B \u043A\u043E\u043D\u0435\u0446\u0444\u0443\u043D\u043A\u0446\u0438\u0438"}],contains:[{begin:"\\(",end:"\\)",endsParent:!0,contains:[{className:"params",begin:n,end:",",excludeEnd:!0,endsWithParent:!0,keywords:{$pattern:n,keyword:"\u0437\u043D\u0430\u0447",literal:Oe},contains:[tt,rt,bt]},dt]},t.inherit(t.TITLE_MODE,{begin:n})]};return{name:"1C:Enterprise",case_insensitive:!0,keywords:{$pattern:n,keyword:o,built_in:T,class:ve,type:W,literal:Oe},contains:[ct,nt,dt,Ze,tt,rt,bt]}}return hp=e,hp}var Ep,gv;function O1(){if(gv)return Ep;gv=1;function e(t){const n=t.regex,r=/^[a-zA-Z][a-zA-Z0-9-]*/,a=["ALPHA","BIT","CHAR","CR","CRLF","CTL","DIGIT","DQUOTE","HEXDIG","HTAB","LF","LWSP","OCTET","SP","VCHAR","WSP"],o=t.COMMENT(/;/,/$/),l={scope:"symbol",match:/%b[0-1]+(-[0-1]+|(\.[0-1]+)+)?/},u={scope:"symbol",match:/%d[0-9]+(-[0-9]+|(\.[0-9]+)+)?/},c={scope:"symbol",match:/%x[0-9A-F]+(-[0-9A-F]+|(\.[0-9A-F]+)+)?/},d={scope:"symbol",match:/%[si](?=".*")/},S={scope:"attribute",match:n.concat(r,/(?=\s*=)/)};return{name:"Augmented Backus-Naur Form",illegal:/[!@#$^&',?+~`|:]/,keywords:a,contains:[{scope:"operator",match:/=\/?/},S,o,l,u,c,d,t.QUOTE_STRING_MODE,t.NUMBER_MODE]}}return Ep=e,Ep}var Sp,hv;function R1(){if(hv)return Sp;hv=1;function e(t){const n=t.regex,r=["GET","POST","HEAD","PUT","DELETE","CONNECT","OPTIONS","PATCH","TRACE"];return{name:"Apache Access Log",contains:[{className:"number",begin:/^\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}(:\d{1,5})?\b/,relevance:5},{className:"number",begin:/\b\d+\b/,relevance:0},{className:"string",begin:n.concat(/"/,n.either(...r)),end:/"/,keywords:r,illegal:/\n/,relevance:5,contains:[{begin:/HTTP\/[12]\.\d'/,relevance:5}]},{className:"string",begin:/\[\d[^\]\n]{8,}\]/,illegal:/\n/,relevance:1},{className:"string",begin:/\[/,end:/\]/,illegal:/\n/,relevance:0},{className:"string",begin:/"Mozilla\/\d\.\d \(/,end:/"/,illegal:/\n/,relevance:3},{className:"string",begin:/"/,end:/"/,illegal:/\n/,relevance:0}]}}return Sp=e,Sp}var bp,Ev;function N1(){if(Ev)return bp;Ev=1;function e(t){const n=t.regex,r=/[a-zA-Z_$][a-zA-Z0-9_$]*/,a=n.concat(r,n.concat("(\\.",r,")*")),o=/([*]|[a-zA-Z_$][a-zA-Z0-9_$]*)/,l={className:"rest_arg",begin:/[.]{3}/,end:r,relevance:10};return{name:"ActionScript",aliases:["as"],keywords:{keyword:["as","break","case","catch","class","const","continue","default","delete","do","dynamic","each","else","extends","final","finally","for","function","get","if","implements","import","in","include","instanceof","interface","internal","is","namespace","native","new","override","package","private","protected","public","return","set","static","super","switch","this","throw","try","typeof","use","var","void","while","with"],literal:["true","false","null","undefined"]},contains:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.C_NUMBER_MODE,{match:[/\bpackage/,/\s+/,a],className:{1:"keyword",3:"title.class"}},{match:[/\b(?:class|interface|extends|implements)/,/\s+/,r],className:{1:"keyword",3:"title.class"}},{className:"meta",beginKeywords:"import include",end:/;/,keywords:{keyword:"import include"}},{beginKeywords:"function",end:/[{;]/,excludeEnd:!0,illegal:/\S/,contains:[t.inherit(t.TITLE_MODE,{className:"title.function"}),{className:"params",begin:/\(/,end:/\)/,contains:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,l]},{begin:n.concat(/:\s*/,o)}]},t.METHOD_GUARD],illegal:/#/}}return bp=e,bp}var vp,Sv;function I1(){if(Sv)return vp;Sv=1;function e(t){const n="\\d(_|\\d)*",r="[eE][-+]?"+n,a=n+"(\\."+n+")?("+r+")?",o="\\w+",u="\\b("+(n+"#"+o+"(\\."+o+")?#("+r+")?")+"|"+a+")",c="[A-Za-z](_?[A-Za-z0-9.])*",d=`[]\\{\\}%#'"`,S=t.COMMENT("--","$"),_={begin:"\\s+:\\s+",end:"\\s*(:=|;|\\)|=>|$)",illegal:d,contains:[{beginKeywords:"loop for declare others",endsParent:!0},{className:"keyword",beginKeywords:"not null constant access function procedure in out aliased exception"},{className:"type",begin:c,endsParent:!0,relevance:0}]};return{name:"Ada",case_insensitive:!0,keywords:{keyword:["abort","else","new","return","abs","elsif","not","reverse","abstract","end","accept","entry","select","access","exception","of","separate","aliased","exit","or","some","all","others","subtype","and","for","out","synchronized","array","function","overriding","at","tagged","generic","package","task","begin","goto","pragma","terminate","body","private","then","if","procedure","type","case","in","protected","constant","interface","is","raise","use","declare","range","delay","limited","record","when","delta","loop","rem","while","digits","renames","with","do","mod","requeue","xor"],literal:["True","False"]},contains:[S,{className:"string",begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{className:"string",begin:/'.'/},{className:"number",begin:u,relevance:0},{className:"symbol",begin:"'"+c},{className:"title",begin:"(\\bwith\\s+)?(\\bprivate\\s+)?\\bpackage\\s+(\\bbody\\s+)?",end:"(is|$)",keywords:"package body",excludeBegin:!0,excludeEnd:!0,illegal:d},{begin:"(\\b(with|overriding)\\s+)?\\b(function|procedure)\\s+",end:"(\\bis|\\bwith|\\brenames|\\)\\s*;)",keywords:"overriding function procedure with is renames return",returnBegin:!0,contains:[S,{className:"title",begin:"(\\bwith\\s+)?\\b(function|procedure)\\s+",end:"(\\(|\\s+|$)",excludeBegin:!0,excludeEnd:!0,illegal:d},_,{className:"type",begin:"\\breturn\\s+",end:"(\\s+|;|$)",keywords:"return",excludeBegin:!0,excludeEnd:!0,endsParent:!0,illegal:d}]},{className:"type",begin:"\\b(sub)?type\\s+",end:"\\s+",keywords:"type",excludeBegin:!0,illegal:d},_]}}return vp=e,vp}var Tp,bv;function D1(){if(bv)return Tp;bv=1;function e(t){const n={className:"built_in",begin:"\\b(void|bool|int8|int16|int32|int64|int|uint8|uint16|uint32|uint64|uint|string|ref|array|double|float|auto|dictionary)"},r={className:"symbol",begin:"[a-zA-Z0-9_]+@"},a={className:"keyword",begin:"<",end:">",contains:[n,r]};return n.contains=[a],r.contains=[a],{name:"AngelScript",aliases:["asc"],keywords:["for","in|0","break","continue","while","do|0","return","if","else","case","switch","namespace","is","cast","or","and","xor","not","get|0","in","inout|10","out","override","set|0","private","public","const","default|0","final","shared","external","mixin|10","enum","typedef","funcdef","this","super","import","from","interface","abstract|0","try","catch","protected","explicit","property"],illegal:"(^using\\s+[A-Za-z0-9_\\.]+;$|\\bfunction\\s*[^\\(])",contains:[{className:"string",begin:"'",end:"'",illegal:"\\n",contains:[t.BACKSLASH_ESCAPE],relevance:0},{className:"string",begin:'"""',end:'"""'},{className:"string",begin:'"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE],relevance:0},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"string",begin:"^\\s*\\[",end:"\\]"},{beginKeywords:"interface namespace",end:/\{/,illegal:"[;.\\-]",contains:[{className:"symbol",begin:"[a-zA-Z0-9_]+"}]},{beginKeywords:"class",end:/\{/,illegal:"[;.\\-]",contains:[{className:"symbol",begin:"[a-zA-Z0-9_]+",contains:[{begin:"[:,]\\s*",contains:[{className:"symbol",begin:"[a-zA-Z0-9_]+"}]}]}]},n,r,{className:"literal",begin:"\\b(null|true|false)"},{className:"number",relevance:0,begin:"(-?)(\\b0[xXbBoOdD][a-fA-F0-9]+|(\\b\\d+(\\.\\d*)?f?|\\.\\d+f?)([eE][-+]?\\d+f?)?)"}]}}return Tp=e,Tp}var yp,vv;function x1(){if(vv)return yp;vv=1;function e(t){const n={className:"number",begin:/[$%]\d+/},r={className:"number",begin:/\b\d+/},a={className:"number",begin:/\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}(:\d{1,5})?/},o={className:"number",begin:/:\d{1,5}/};return{name:"Apache config",aliases:["apacheconf"],case_insensitive:!0,contains:[t.HASH_COMMENT_MODE,{className:"section",begin:/<\/?/,end:/>/,contains:[a,o,t.inherit(t.QUOTE_STRING_MODE,{relevance:0})]},{className:"attribute",begin:/\w+/,relevance:0,keywords:{_:["order","deny","allow","setenv","rewriterule","rewriteengine","rewritecond","documentroot","sethandler","errordocument","loadmodule","options","header","listen","serverroot","servername"]},starts:{end:/$/,relevance:0,keywords:{literal:"on off all deny allow"},contains:[{className:"meta",begin:/\s\[/,end:/\]$/},{className:"variable",begin:/[\$%]\{/,end:/\}/,contains:["self",n]},a,r,t.QUOTE_STRING_MODE]}}],illegal:/\S/}}return yp=e,yp}var Cp,Tv;function w1(){if(Tv)return Cp;Tv=1;function e(t){const n=t.regex,r=t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),a={className:"params",begin:/\(/,end:/\)/,contains:["self",t.C_NUMBER_MODE,r]},o=t.COMMENT(/--/,/$/),l=t.COMMENT(/\(\*/,/\*\)/,{contains:["self",o]}),u=[o,l,t.HASH_COMMENT_MODE],c=[/apart from/,/aside from/,/instead of/,/out of/,/greater than/,/isn't|(doesn't|does not) (equal|come before|come after|contain)/,/(greater|less) than( or equal)?/,/(starts?|ends|begins?) with/,/contained by/,/comes (before|after)/,/a (ref|reference)/,/POSIX (file|path)/,/(date|time) string/,/quoted form/],d=[/clipboard info/,/the clipboard/,/info for/,/list (disks|folder)/,/mount volume/,/path to/,/(close|open for) access/,/(get|set) eof/,/current date/,/do shell script/,/get volume settings/,/random number/,/set volume/,/system attribute/,/system info/,/time to GMT/,/(load|run|store) script/,/scripting components/,/ASCII (character|number)/,/localized string/,/choose (application|color|file|file name|folder|from list|remote application|URL)/,/display (alert|dialog)/];return{name:"AppleScript",aliases:["osascript"],keywords:{keyword:"about above after against and around as at back before beginning behind below beneath beside between but by considering contain contains continue copy div does eighth else end equal equals error every exit fifth first for fourth from front get given global if ignoring in into is it its last local me middle mod my ninth not of on onto or over prop property put ref reference repeat returning script second set seventh since sixth some tell tenth that the|0 then third through thru timeout times to transaction try until where while whose with without",literal:"AppleScript false linefeed return pi quote result space tab true",built_in:"alias application boolean class constant date file integer list number real record string text activate beep count delay launch log offset read round run say summarize write character characters contents day frontmost id item length month name|0 paragraph paragraphs rest reverse running time version weekday word words year"},contains:[r,t.C_NUMBER_MODE,{className:"built_in",begin:n.concat(/\b/,n.either(...d),/\b/)},{className:"built_in",begin:/^\s*return\b/},{className:"literal",begin:/\b(text item delimiters|current application|missing value)\b/},{className:"keyword",begin:n.concat(/\b/,n.either(...c),/\b/)},{beginKeywords:"on",illegal:/[${=;\n]/,contains:[t.UNDERSCORE_TITLE_MODE,a]},...u],illegal:/\/\/|->|=>|\[\[/}}return Cp=e,Cp}var Ap,yv;function L1(){if(yv)return Ap;yv=1;function e(t){const n="[A-Za-z_][0-9A-Za-z_]*",r={keyword:["if","for","while","var","new","function","do","return","void","else","break"],literal:["BackSlash","DoubleQuote","false","ForwardSlash","Infinity","NaN","NewLine","null","PI","SingleQuote","Tab","TextFormatting","true","undefined"],built_in:["Abs","Acos","All","Angle","Any","Area","AreaGeodetic","Array","Asin","Atan","Atan2","Attachments","Average","Back","Bearing","Boolean","Buffer","BufferGeodetic","Ceil","Centroid","Clip","Concatenate","Console","Constrain","Contains","ConvertDirection","Cos","Count","Crosses","Cut","Date","DateAdd","DateDiff","Day","Decode","DefaultValue","Densify","DensifyGeodetic","Dictionary","Difference","Disjoint","Distance","DistanceGeodetic","Distinct","Domain","DomainCode","DomainName","EnvelopeIntersects","Equals","Erase","Exp","Expects","Extent","Feature","FeatureSet","FeatureSetByAssociation","FeatureSetById","FeatureSetByName","FeatureSetByPortalItem","FeatureSetByRelationshipName","Filter","Find","First","Floor","FromCharCode","FromCodePoint","FromJSON","GdbVersion","Generalize","Geometry","GetFeatureSet","GetUser","GroupBy","Guid","Hash","HasKey","Hour","IIf","Includes","IndexOf","Insert","Intersection","Intersects","IsEmpty","IsNan","ISOMonth","ISOWeek","ISOWeekday","ISOYear","IsSelfIntersecting","IsSimple","Left|0","Length","Length3D","LengthGeodetic","Log","Lower","Map","Max","Mean","Mid","Millisecond","Min","Minute","Month","MultiPartToSinglePart","Multipoint","NextSequenceValue","None","Now","Number","Offset|0","OrderBy","Overlaps","Point","Polygon","Polyline","Pop","Portal","Pow","Proper","Push","Random","Reduce","Relate","Replace","Resize","Reverse","Right|0","RingIsClockwise","Rotate","Round","Schema","Second","SetGeometry","Simplify","Sin","Slice","Sort","Splice","Split","Sqrt","Stdev","SubtypeCode","SubtypeName","Subtypes","Sum","SymmetricDifference","Tan","Text","Timestamp","ToCharCode","ToCodePoint","Today","ToHex","ToLocal","Top|0","Touches","ToUTC","TrackAccelerationAt","TrackAccelerationWindow","TrackCurrentAcceleration","TrackCurrentDistance","TrackCurrentSpeed","TrackCurrentTime","TrackDistanceAt","TrackDistanceWindow","TrackDuration","TrackFieldWindow","TrackGeometryWindow","TrackIndex","TrackSpeedAt","TrackSpeedWindow","TrackStartTime","TrackWindow","Trim","TypeOf","Union","Upper","UrlEncode","Variance","Week","Weekday","When","Within","Year"]},a={className:"symbol",begin:"\\$[datastore|feature|layer|map|measure|sourcefeature|sourcelayer|targetfeature|targetlayer|value|view]+"},o={className:"number",variants:[{begin:"\\b(0[bB][01]+)"},{begin:"\\b(0[oO][0-7]+)"},{begin:t.C_NUMBER_RE}],relevance:0},l={className:"subst",begin:"\\$\\{",end:"\\}",keywords:r,contains:[]},u={className:"string",begin:"`",end:"`",contains:[t.BACKSLASH_ESCAPE,l]};l.contains=[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,u,o,t.REGEXP_MODE];const c=l.contains.concat([t.C_BLOCK_COMMENT_MODE,t.C_LINE_COMMENT_MODE]);return{name:"ArcGIS Arcade",case_insensitive:!0,keywords:r,contains:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,u,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,a,o,{begin:/[{,]\s*/,relevance:0,contains:[{begin:n+"\\s*:",returnBegin:!0,relevance:0,contains:[{className:"attr",begin:n,relevance:0}]}]},{begin:"("+t.RE_STARTERS_RE+"|\\b(return)\\b)\\s*",keywords:"return",contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.REGEXP_MODE,{className:"function",begin:"(\\(.*?\\)|"+n+")\\s*=>",returnBegin:!0,end:"\\s*=>",contains:[{className:"params",variants:[{begin:n},{begin:/\(\s*\)/},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:r,contains:c}]}]}],relevance:0},{beginKeywords:"function",end:/\{/,excludeEnd:!0,contains:[t.inherit(t.TITLE_MODE,{className:"title.function",begin:n}),{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,contains:c}],illegal:/\[|%/},{begin:/\$[(.]/}],illegal:/#(?!!)/}}return Ap=e,Ap}var Op,Cv;function M1(){if(Cv)return Op;Cv=1;function e(n){const r=n.regex,a=n.COMMENT("//","$",{contains:[{begin:/\\\n/}]}),o="decltype\\(auto\\)",l="[a-zA-Z_]\\w*::",u="<[^<>]+>",c="(?!struct)("+o+"|"+r.optional(l)+"[a-zA-Z_]\\w*"+r.optional(u)+")",d={className:"type",begin:"\\b[a-z\\d_]*_t\\b"},S="\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\S)",_={className:"string",variants:[{begin:'(u8?|U|L)?"',end:'"',illegal:"\\n",contains:[n.BACKSLASH_ESCAPE]},{begin:"(u8?|U|L)?'("+S+"|.)",end:"'",illegal:"."},n.END_SAME_AS_BEGIN({begin:/(?:u8?|U|L)?R"([^()\\ ]{0,16})\(/,end:/\)([^()\\ ]{0,16})"/})]},E={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},T={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma _Pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},n.inherit(_,{className:"string"}),{className:"string",begin:/<.*?>/},a,n.C_BLOCK_COMMENT_MODE]},y={className:"title",begin:r.optional(l)+n.IDENT_RE,relevance:0},M=r.optional(l)+n.IDENT_RE+"\\s*\\(",v=["alignas","alignof","and","and_eq","asm","atomic_cancel","atomic_commit","atomic_noexcept","auto","bitand","bitor","break","case","catch","class","co_await","co_return","co_yield","compl","concept","const_cast|10","consteval","constexpr","constinit","continue","decltype","default","delete","do","dynamic_cast|10","else","enum","explicit","export","extern","false","final","for","friend","goto","if","import","inline","module","mutable","namespace","new","noexcept","not","not_eq","nullptr","operator","or","or_eq","override","private","protected","public","reflexpr","register","reinterpret_cast|10","requires","return","sizeof","static_assert","static_cast|10","struct","switch","synchronized","template","this","thread_local","throw","transaction_safe","transaction_safe_dynamic","true","try","typedef","typeid","typename","union","using","virtual","volatile","while","xor","xor_eq"],A=["bool","char","char16_t","char32_t","char8_t","double","float","int","long","short","void","wchar_t","unsigned","signed","const","static"],O=["any","auto_ptr","barrier","binary_semaphore","bitset","complex","condition_variable","condition_variable_any","counting_semaphore","deque","false_type","future","imaginary","initializer_list","istringstream","jthread","latch","lock_guard","multimap","multiset","mutex","optional","ostringstream","packaged_task","pair","promise","priority_queue","queue","recursive_mutex","recursive_timed_mutex","scoped_lock","set","shared_future","shared_lock","shared_mutex","shared_timed_mutex","shared_ptr","stack","string_view","stringstream","timed_mutex","thread","true_type","tuple","unique_lock","unique_ptr","unordered_map","unordered_multimap","unordered_multiset","unordered_set","variant","vector","weak_ptr","wstring","wstring_view"],N=["abort","abs","acos","apply","as_const","asin","atan","atan2","calloc","ceil","cerr","cin","clog","cos","cosh","cout","declval","endl","exchange","exit","exp","fabs","floor","fmod","forward","fprintf","fputs","free","frexp","fscanf","future","invoke","isalnum","isalpha","iscntrl","isdigit","isgraph","islower","isprint","ispunct","isspace","isupper","isxdigit","labs","launder","ldexp","log","log10","make_pair","make_shared","make_shared_for_overwrite","make_tuple","make_unique","malloc","memchr","memcmp","memcpy","memset","modf","move","pow","printf","putchar","puts","realloc","scanf","sin","sinh","snprintf","sprintf","sqrt","sscanf","std","stderr","stdin","stdout","strcat","strchr","strcmp","strcpy","strcspn","strlen","strncat","strncmp","strncpy","strpbrk","strrchr","strspn","strstr","swap","tan","tanh","terminate","to_underlying","tolower","toupper","vfprintf","visit","vprintf","vsprintf"],I={type:A,keyword:v,literal:["NULL","false","nullopt","nullptr","true"],built_in:["_Pragma"],_type_hints:O},h={className:"function.dispatch",relevance:0,keywords:{_hint:N},begin:r.concat(/\b/,/(?!decltype)/,/(?!if)/,/(?!for)/,/(?!switch)/,/(?!while)/,n.IDENT_RE,r.lookahead(/(<[^<>]+>|)\s*\(/))},k=[h,T,d,a,n.C_BLOCK_COMMENT_MODE,E,_],F={variants:[{begin:/=/,end:/;/},{begin:/\(/,end:/\)/},{beginKeywords:"new throw return else",end:/;/}],keywords:I,contains:k.concat([{begin:/\(/,end:/\)/,keywords:I,contains:k.concat(["self"]),relevance:0}]),relevance:0},z={className:"function",begin:"("+c+"[\\*&\\s]+)+"+M,returnBegin:!0,end:/[{;=]/,excludeEnd:!0,keywords:I,illegal:/[^\w\s\*&:<>.]/,contains:[{begin:o,keywords:I,relevance:0},{begin:M,returnBegin:!0,contains:[y],relevance:0},{begin:/::/,relevance:0},{begin:/:/,endsWithParent:!0,contains:[_,E]},{relevance:0,match:/,/},{className:"params",begin:/\(/,end:/\)/,keywords:I,relevance:0,contains:[a,n.C_BLOCK_COMMENT_MODE,_,E,d,{begin:/\(/,end:/\)/,keywords:I,relevance:0,contains:["self",a,n.C_BLOCK_COMMENT_MODE,_,E,d]}]},d,a,n.C_BLOCK_COMMENT_MODE,T]};return{name:"C++",aliases:["cc","c++","h++","hpp","hh","hxx","cxx"],keywords:I,illegal:"</",classNameAliases:{"function.dispatch":"built_in"},contains:[].concat(F,z,h,k,[T,{begin:"\\b(deque|list|queue|priority_queue|pair|stack|vector|map|set|bitset|multiset|multimap|unordered_map|unordered_set|unordered_multiset|unordered_multimap|array|tuple|optional|variant|function)\\s*<(?!<)",end:">",keywords:I,contains:["self",d]},{begin:n.IDENT_RE+"::",keywords:I},{match:[/\b(?:enum(?:\s+(?:class|struct))?|class|struct|union)/,/\s+/,/\w+/],className:{1:"keyword",3:"title.class"}}])}}function t(n){const r={type:["boolean","byte","word","String"],built_in:["KeyboardController","MouseController","SoftwareSerial","EthernetServer","EthernetClient","LiquidCrystal","RobotControl","GSMVoiceCall","EthernetUDP","EsploraTFT","HttpClient","RobotMotor","WiFiClient","GSMScanner","FileSystem","Scheduler","GSMServer","YunClient","YunServer","IPAddress","GSMClient","GSMModem","Keyboard","Ethernet","Console","GSMBand","Esplora","Stepper","Process","WiFiUDP","GSM_SMS","Mailbox","USBHost","Firmata","PImage","Client","Server","GSMPIN","FileIO","Bridge","Serial","EEPROM","Stream","Mouse","Audio","Servo","File","Task","GPRS","WiFi","Wire","TFT","GSM","SPI","SD"],_hints:["setup","loop","runShellCommandAsynchronously","analogWriteResolution","retrieveCallingNumber","printFirmwareVersion","analogReadResolution","sendDigitalPortPair","noListenOnLocalhost","readJoystickButton","setFirmwareVersion","readJoystickSwitch","scrollDisplayRight","getVoiceCallStatus","scrollDisplayLeft","writeMicroseconds","delayMicroseconds","beginTransmission","getSignalStrength","runAsynchronously","getAsynchronously","listenOnLocalhost","getCurrentCarrier","readAccelerometer","messageAvailable","sendDigitalPorts","lineFollowConfig","countryNameWrite","runShellCommand","readStringUntil","rewindDirectory","readTemperature","setClockDivider","readLightSensor","endTransmission","analogReference","detachInterrupt","countryNameRead","attachInterrupt","encryptionType","readBytesUntil","robotNameWrite","readMicrophone","robotNameRead","cityNameWrite","userNameWrite","readJoystickY","readJoystickX","mouseReleased","openNextFile","scanNetworks","noInterrupts","digitalWrite","beginSpeaker","mousePressed","isActionDone","mouseDragged","displayLogos","noAutoscroll","addParameter","remoteNumber","getModifiers","keyboardRead","userNameRead","waitContinue","processInput","parseCommand","printVersion","readNetworks","writeMessage","blinkVersion","cityNameRead","readMessage","setDataMode","parsePacket","isListening","setBitOrder","beginPacket","isDirectory","motorsWrite","drawCompass","digitalRead","clearScreen","serialEvent","rightToLeft","setTextSize","leftToRight","requestFrom","keyReleased","compassRead","analogWrite","interrupts","WiFiServer","disconnect","playMelody","parseFloat","autoscroll","getPINUsed","setPINUsed","setTimeout","sendAnalog","readSlider","analogRead","beginWrite","createChar","motorsStop","keyPressed","tempoWrite","readButton","subnetMask","debugPrint","macAddress","writeGreen","randomSeed","attachGPRS","readString","sendString","remotePort","releaseAll","mouseMoved","background","getXChange","getYChange","answerCall","getResult","voiceCall","endPacket","constrain","getSocket","writeJSON","getButton","available","connected","findUntil","readBytes","exitValue","readGreen","writeBlue","startLoop","IPAddress","isPressed","sendSysex","pauseMode","gatewayIP","setCursor","getOemKey","tuneWrite","noDisplay","loadImage","switchPIN","onRequest","onReceive","changePIN","playFile","noBuffer","parseInt","overflow","checkPIN","knobRead","beginTFT","bitClear","updateIR","bitWrite","position","writeRGB","highByte","writeRed","setSpeed","readBlue","noStroke","remoteIP","transfer","shutdown","hangCall","beginSMS","endWrite","attached","maintain","noCursor","checkReg","checkPUK","shiftOut","isValid","shiftIn","pulseIn","connect","println","localIP","pinMode","getIMEI","display","noBlink","process","getBand","running","beginSD","drawBMP","lowByte","setBand","release","bitRead","prepare","pointTo","readRed","setMode","noFill","remove","listen","stroke","detach","attach","noTone","exists","buffer","height","bitSet","circle","config","cursor","random","IRread","setDNS","endSMS","getKey","micros","millis","begin","print","write","ready","flush","width","isPIN","blink","clear","press","mkdir","rmdir","close","point","yield","image","BSSID","click","delay","read","text","move","peek","beep","rect","line","open","seek","fill","size","turn","stop","home","find","step","tone","sqrt","RSSI","SSID","end","bit","tan","cos","sin","pow","map","abs","max","min","get","run","put"],literal:["DIGITAL_MESSAGE","FIRMATA_STRING","ANALOG_MESSAGE","REPORT_DIGITAL","REPORT_ANALOG","INPUT_PULLUP","SET_PIN_MODE","INTERNAL2V56","SYSTEM_RESET","LED_BUILTIN","INTERNAL1V1","SYSEX_START","INTERNAL","EXTERNAL","DEFAULT","OUTPUT","INPUT","HIGH","LOW"]},a=e(n),o=a.keywords;return o.type=[...o.type,...r.type],o.literal=[...o.literal,...r.literal],o.built_in=[...o.built_in,...r.built_in],o._hints=r._hints,a.name="Arduino",a.aliases=["ino"],a.supersetOf="cpp",a}return Op=t,Op}var Rp,Av;function k1(){if(Av)return Rp;Av=1;function e(t){const n={variants:[t.COMMENT("^[ \\t]*(?=#)","$",{relevance:0,excludeBegin:!0}),t.COMMENT("[;@]","$",{relevance:0}),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]};return{name:"ARM Assembly",case_insensitive:!0,aliases:["arm"],keywords:{$pattern:"\\.?"+t.IDENT_RE,meta:".2byte .4byte .align .ascii .asciz .balign .byte .code .data .else .end .endif .endm .endr .equ .err .exitm .extern .global .hword .if .ifdef .ifndef .include .irp .long .macro .rept .req .section .set .skip .space .text .word .arm .thumb .code16 .code32 .force_thumb .thumb_func .ltorg ALIAS ALIGN ARM AREA ASSERT ATTR CN CODE CODE16 CODE32 COMMON CP DATA DCB DCD DCDU DCDO DCFD DCFDU DCI DCQ DCQU DCW DCWU DN ELIF ELSE END ENDFUNC ENDIF ENDP ENTRY EQU EXPORT EXPORTAS EXTERN FIELD FILL FUNCTION GBLA GBLL GBLS GET GLOBAL IF IMPORT INCBIN INCLUDE INFO KEEP LCLA LCLL LCLS LTORG MACRO MAP MEND MEXIT NOFP OPT PRESERVE8 PROC QN READONLY RELOC REQUIRE REQUIRE8 RLIST FN ROUT SETA SETL SETS SN SPACE SUBT THUMB THUMBX TTL WHILE WEND ",built_in:"r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 w0 w1 w2 w3 w4 w5 w6 w7 w8 w9 w10 w11 w12 w13 w14 w15 w16 w17 w18 w19 w20 w21 w22 w23 w24 w25 w26 w27 w28 w29 w30 x0 x1 x2 x3 x4 x5 x6 x7 x8 x9 x10 x11 x12 x13 x14 x15 x16 x17 x18 x19 x20 x21 x22 x23 x24 x25 x26 x27 x28 x29 x30 pc lr sp ip sl sb fp a1 a2 a3 a4 v1 v2 v3 v4 v5 v6 v7 v8 f0 f1 f2 f3 f4 f5 f6 f7 p0 p1 p2 p3 p4 p5 p6 p7 p8 p9 p10 p11 p12 p13 p14 p15 c0 c1 c2 c3 c4 c5 c6 c7 c8 c9 c10 c11 c12 c13 c14 c15 q0 q1 q2 q3 q4 q5 q6 q7 q8 q9 q10 q11 q12 q13 q14 q15 cpsr_c cpsr_x cpsr_s cpsr_f cpsr_cx cpsr_cxs cpsr_xs cpsr_xsf cpsr_sf cpsr_cxsf spsr_c spsr_x spsr_s spsr_f spsr_cx spsr_cxs spsr_xs spsr_xsf spsr_sf spsr_cxsf s0 s1 s2 s3 s4 s5 s6 s7 s8 s9 s10 s11 s12 s13 s14 s15 s16 s17 s18 s19 s20 s21 s22 s23 s24 s25 s26 s27 s28 s29 s30 s31 d0 d1 d2 d3 d4 d5 d6 d7 d8 d9 d10 d11 d12 d13 d14 d15 d16 d17 d18 d19 d20 d21 d22 d23 d24 d25 d26 d27 d28 d29 d30 d31 {PC} {VAR} {TRUE} {FALSE} {OPT} {CONFIG} {ENDIAN} {CODESIZE} {CPU} {FPU} {ARCHITECTURE} {PCSTOREOFFSET} {ARMASM_VERSION} {INTER} {ROPI} {RWPI} {SWST} {NOSWST} . @"},contains:[{className:"keyword",begin:"\\b(adc|(qd?|sh?|u[qh]?)?add(8|16)?|usada?8|(q|sh?|u[qh]?)?(as|sa)x|and|adrl?|sbc|rs[bc]|asr|b[lx]?|blx|bxj|cbn?z|tb[bh]|bic|bfc|bfi|[su]bfx|bkpt|cdp2?|clz|clrex|cmp|cmn|cpsi[ed]|cps|setend|dbg|dmb|dsb|eor|isb|it[te]{0,3}|lsl|lsr|ror|rrx|ldm(([id][ab])|f[ds])?|ldr((s|ex)?[bhd])?|movt?|mvn|mra|mar|mul|[us]mull|smul[bwt][bt]|smu[as]d|smmul|smmla|mla|umlaal|smlal?([wbt][bt]|d)|mls|smlsl?[ds]|smc|svc|sev|mia([bt]{2}|ph)?|mrr?c2?|mcrr2?|mrs|msr|orr|orn|pkh(tb|bt)|rbit|rev(16|sh)?|sel|[su]sat(16)?|nop|pop|push|rfe([id][ab])?|stm([id][ab])?|str(ex)?[bhd]?|(qd?)?sub|(sh?|q|u[qh]?)?sub(8|16)|[su]xt(a?h|a?b(16)?)|srs([id][ab])?|swpb?|swi|smi|tst|teq|wfe|wfi|yield)(eq|ne|cs|cc|mi|pl|vs|vc|hi|ls|ge|lt|gt|le|al|hs|lo)?[sptrx]?(?=\\s)"},n,t.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"[^\\\\]'",relevance:0},{className:"title",begin:"\\|",end:"\\|",illegal:"\\n",relevance:0},{className:"number",variants:[{begin:"[#$=]?0x[0-9a-f]+"},{begin:"[#$=]?0b[01]+"},{begin:"[#$=]\\d+"},{begin:"\\b\\d+"}],relevance:0},{className:"symbol",variants:[{begin:"^[ \\t]*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{begin:"^[a-z_\\.\\$][a-z0-9_\\.\\$]+"},{begin:"[=#]\\w+"}],relevance:0}]}}return Rp=e,Rp}var Np,Ov;function P1(){if(Ov)return Np;Ov=1;function e(t){const n=t.regex,r=n.concat(/[\p{L}_]/u,n.optional(/[\p{L}0-9_.-]*:/u),/[\p{L}0-9_.-]*/u),a=/[\p{L}0-9._:-]+/u,o={className:"symbol",begin:/&[a-z]+;|&#[0-9]+;|&#x[a-f0-9]+;/},l={begin:/\s/,contains:[{className:"keyword",begin:/#?[a-z_][a-z1-9_-]+/,illegal:/\n/}]},u=t.inherit(l,{begin:/\(/,end:/\)/}),c=t.inherit(t.APOS_STRING_MODE,{className:"string"}),d=t.inherit(t.QUOTE_STRING_MODE,{className:"string"}),S={endsWithParent:!0,illegal:/</,relevance:0,contains:[{className:"attr",begin:a,relevance:0},{begin:/=\s*/,relevance:0,contains:[{className:"string",endsParent:!0,variants:[{begin:/"/,end:/"/,contains:[o]},{begin:/'/,end:/'/,contains:[o]},{begin:/[^\s"'=<>`]+/}]}]}]};return{name:"HTML, XML",aliases:["html","xhtml","rss","atom","xjb","xsd","xsl","plist","wsf","svg"],case_insensitive:!0,unicodeRegex:!0,contains:[{className:"meta",begin:/<![a-z]/,end:/>/,relevance:10,contains:[l,d,c,u,{begin:/\[/,end:/\]/,contains:[{className:"meta",begin:/<![a-z]/,end:/>/,contains:[l,u,d,c]}]}]},t.COMMENT(/<!--/,/-->/,{relevance:10}),{begin:/<!\[CDATA\[/,end:/\]\]>/,relevance:10},o,{className:"meta",end:/\?>/,variants:[{begin:/<\?xml/,relevance:10,contains:[d]},{begin:/<\?[a-z][a-z0-9]+/}]},{className:"tag",begin:/<style(?=\s|>)/,end:/>/,keywords:{name:"style"},contains:[S],starts:{end:/<\/style>/,returnEnd:!0,subLanguage:["css","xml"]}},{className:"tag",begin:/<script(?=\s|>)/,end:/>/,keywords:{name:"script"},contains:[S],starts:{end:/<\/script>/,returnEnd:!0,subLanguage:["javascript","handlebars","xml"]}},{className:"tag",begin:/<>|<\/>/},{className:"tag",begin:n.concat(/</,n.lookahead(n.concat(r,n.either(/\/>/,/>/,/\s/)))),end:/\/?>/,contains:[{className:"name",begin:r,relevance:0,starts:S}]},{className:"tag",begin:n.concat(/<\//,n.lookahead(n.concat(r,/>/))),contains:[{className:"name",begin:r,relevance:0},{begin:/>/,relevance:0,endsParent:!0}]}]}}return Np=e,Np}var Ip,Rv;function F1(){if(Rv)return Ip;Rv=1;function e(t){const n=t.regex,r={begin:"^'{3,}[ \\t]*$",relevance:10},a=[{begin:/\\[*_`]/},{begin:/\\\\\*{2}[^\n]*?\*{2}/},{begin:/\\\\_{2}[^\n]*_{2}/},{begin:/\\\\`{2}[^\n]*`{2}/},{begin:/[:;}][*_`](?![*_`])/}],o=[{className:"strong",begin:/\*{2}([^\n]+?)\*{2}/},{className:"strong",begin:n.concat(/\*\*/,/((\*(?!\*)|\\[^\n]|[^*\n\\])+\n)+/,/(\*(?!\*)|\\[^\n]|[^*\n\\])*/,/\*\*/),relevance:0},{className:"strong",begin:/\B\*(\S|\S[^\n]*?\S)\*(?!\w)/},{className:"strong",begin:/\*[^\s]([^\n]+\n)+([^\n]+)\*/}],l=[{className:"emphasis",begin:/_{2}([^\n]+?)_{2}/},{className:"emphasis",begin:n.concat(/__/,/((_(?!_)|\\[^\n]|[^_\n\\])+\n)+/,/(_(?!_)|\\[^\n]|[^_\n\\])*/,/__/),relevance:0},{className:"emphasis",begin:/\b_(\S|\S[^\n]*?\S)_(?!\w)/},{className:"emphasis",begin:/_[^\s]([^\n]+\n)+([^\n]+)_/},{className:"emphasis",begin:"\\B'(?!['\\s])",end:"(\\n{2}|')",contains:[{begin:"\\\\'\\w",relevance:0}],relevance:0}],u={className:"symbol",begin:"^(NOTE|TIP|IMPORTANT|WARNING|CAUTION):\\s+",relevance:10},c={className:"bullet",begin:"^(\\*+|-+|\\.+|[^\\n]+?::)\\s+"};return{name:"AsciiDoc",aliases:["adoc"],contains:[t.COMMENT("^/{4,}\\n","\\n/{4,}$",{relevance:10}),t.COMMENT("^//","$",{relevance:0}),{className:"title",begin:"^\\.\\w.*$"},{begin:"^[=\\*]{4,}\\n",end:"\\n^[=\\*]{4,}$",relevance:10},{className:"section",relevance:10,variants:[{begin:"^(={1,6})[ 	].+?([ 	]\\1)?$"},{begin:"^[^\\[\\]\\n]+?\\n[=\\-~\\^\\+]{2,}$"}]},{className:"meta",begin:"^:.+?:",end:"\\s",excludeEnd:!0,relevance:10},{className:"meta",begin:"^\\[.+?\\]$",relevance:0},{className:"quote",begin:"^_{4,}\\n",end:"\\n_{4,}$",relevance:10},{className:"code",begin:"^[\\-\\.]{4,}\\n",end:"\\n[\\-\\.]{4,}$",relevance:10},{begin:"^\\+{4,}\\n",end:"\\n\\+{4,}$",contains:[{begin:"<",end:">",subLanguage:"xml",relevance:0}],relevance:10},c,u,...a,...o,...l,{className:"string",variants:[{begin:"``.+?''"},{begin:"`.+?'"}]},{className:"code",begin:/`{2}/,end:/(\n{2}|`{2})/},{className:"code",begin:"(`.+?`|\\+.+?\\+)",relevance:0},{className:"code",begin:"^[ \\t]",end:"$",relevance:0},r,{begin:"(link:)?(http|https|ftp|file|irc|image:?):\\S+?\\[[^[]*?\\]",returnBegin:!0,contains:[{begin:"(link|image:?):",relevance:0},{className:"link",begin:"\\w",end:"[^\\[]+",relevance:0},{className:"string",begin:"\\[",end:"\\]",excludeBegin:!0,excludeEnd:!0,relevance:0}],relevance:10}]}}return Ip=e,Ip}var Dp,Nv;function B1(){if(Nv)return Dp;Nv=1;function e(t){const n=t.regex,r=["false","synchronized","int","abstract","float","private","char","boolean","static","null","if","const","for","true","while","long","throw","strictfp","finally","protected","import","native","final","return","void","enum","else","extends","implements","break","transient","new","catch","instanceof","byte","super","volatile","case","assert","short","package","default","double","public","try","this","switch","continue","throws","privileged","aspectOf","adviceexecution","proceed","cflowbelow","cflow","initialization","preinitialization","staticinitialization","withincode","target","within","execution","getWithinTypeName","handler","thisJoinPoint","thisJoinPointStaticPart","thisEnclosingJoinPointStaticPart","declare","parents","warning","error","soft","precedence","thisAspectInstance"],a=["get","set","args","call"];return{name:"AspectJ",keywords:r,illegal:/<\/|#/,contains:[t.COMMENT(/\/\*\*/,/\*\//,{relevance:0,contains:[{begin:/\w+@/,relevance:0},{className:"doctag",begin:/@[A-Za-z]+/}]}),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{className:"class",beginKeywords:"aspect",end:/[{;=]/,excludeEnd:!0,illegal:/[:;"\[\]]/,contains:[{beginKeywords:"extends implements pertypewithin perthis pertarget percflowbelow percflow issingleton"},t.UNDERSCORE_TITLE_MODE,{begin:/\([^\)]*/,end:/[)]+/,keywords:r.concat(a),excludeEnd:!1}]},{className:"class",beginKeywords:"class interface",end:/[{;=]/,excludeEnd:!0,relevance:0,keywords:"class interface",illegal:/[:"\[\]]/,contains:[{beginKeywords:"extends implements"},t.UNDERSCORE_TITLE_MODE]},{beginKeywords:"pointcut after before around throwing returning",end:/[)]/,excludeEnd:!1,illegal:/["\[\]]/,contains:[{begin:n.concat(t.UNDERSCORE_IDENT_RE,/\s*\(/),returnBegin:!0,contains:[t.UNDERSCORE_TITLE_MODE]}]},{begin:/[:]/,returnBegin:!0,end:/[{;]/,relevance:0,excludeEnd:!1,keywords:r,illegal:/["\[\]]/,contains:[{begin:n.concat(t.UNDERSCORE_IDENT_RE,/\s*\(/),keywords:r.concat(a),relevance:0},t.QUOTE_STRING_MODE]},{beginKeywords:"new throw",relevance:0},{className:"function",begin:/\w+ +\w+(\.\w+)?\s*\([^\)]*\)\s*((throws)[\w\s,]+)?[\{;]/,returnBegin:!0,end:/[{;=]/,keywords:r,excludeEnd:!0,contains:[{begin:n.concat(t.UNDERSCORE_IDENT_RE,/\s*\(/),returnBegin:!0,relevance:0,contains:[t.UNDERSCORE_TITLE_MODE]},{className:"params",begin:/\(/,end:/\)/,relevance:0,keywords:r,contains:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},t.C_NUMBER_MODE,{className:"meta",begin:/@[A-Za-z]+/}]}}return Dp=e,Dp}var xp,Iv;function U1(){if(Iv)return xp;Iv=1;function e(t){const n={begin:"`[\\s\\S]"};return{name:"AutoHotkey",case_insensitive:!0,aliases:["ahk"],keywords:{keyword:"Break Continue Critical Exit ExitApp Gosub Goto New OnExit Pause return SetBatchLines SetTimer Suspend Thread Throw Until ahk_id ahk_class ahk_pid ahk_exe ahk_group",literal:"true false NOT AND OR",built_in:"ComSpec Clipboard ClipboardAll ErrorLevel"},contains:[n,t.inherit(t.QUOTE_STRING_MODE,{contains:[n]}),t.COMMENT(";","$",{relevance:0}),t.C_BLOCK_COMMENT_MODE,{className:"number",begin:t.NUMBER_RE,relevance:0},{className:"variable",begin:"%[a-zA-Z0-9#_$@]+%"},{className:"built_in",begin:"^\\s*\\w+\\s*(,|%)"},{className:"title",variants:[{begin:'^[^\\n";]+::(?!=)'},{begin:'^[^\\n";]+:(?!=)',relevance:0}]},{className:"meta",begin:"^\\s*#\\w+",end:"$",relevance:0},{className:"built_in",begin:"A_[a-zA-Z0-9]+"},{begin:",\\s*,"}]}}return xp=e,xp}var wp,Dv;function G1(){if(Dv)return wp;Dv=1;function e(t){const n="ByRef Case Const ContinueCase ContinueLoop Dim Do Else ElseIf EndFunc EndIf EndSelect EndSwitch EndWith Enum Exit ExitLoop For Func Global If In Local Next ReDim Return Select Static Step Switch Then To Until Volatile WEnd While With",r=["EndRegion","forcedef","forceref","ignorefunc","include","include-once","NoTrayIcon","OnAutoItStartRegister","pragma","Region","RequireAdmin","Tidy_Off","Tidy_On","Tidy_Parameters"],a="True False And Null Not Or Default",o="Abs ACos AdlibRegister AdlibUnRegister Asc AscW ASin Assign ATan AutoItSetOption AutoItWinGetTitle AutoItWinSetTitle Beep Binary BinaryLen BinaryMid BinaryToString BitAND BitNOT BitOR BitRotate BitShift BitXOR BlockInput Break Call CDTray Ceiling Chr ChrW ClipGet ClipPut ConsoleRead ConsoleWrite ConsoleWriteError ControlClick ControlCommand ControlDisable ControlEnable ControlFocus ControlGetFocus ControlGetHandle ControlGetPos ControlGetText ControlHide ControlListView ControlMove ControlSend ControlSetText ControlShow ControlTreeView Cos Dec DirCopy DirCreate DirGetSize DirMove DirRemove DllCall DllCallAddress DllCallbackFree DllCallbackGetPtr DllCallbackRegister DllClose DllOpen DllStructCreate DllStructGetData DllStructGetPtr DllStructGetSize DllStructSetData DriveGetDrive DriveGetFileSystem DriveGetLabel DriveGetSerial DriveGetType DriveMapAdd DriveMapDel DriveMapGet DriveSetLabel DriveSpaceFree DriveSpaceTotal DriveStatus EnvGet EnvSet EnvUpdate Eval Execute Exp FileChangeDir FileClose FileCopy FileCreateNTFSLink FileCreateShortcut FileDelete FileExists FileFindFirstFile FileFindNextFile FileFlush FileGetAttrib FileGetEncoding FileGetLongName FileGetPos FileGetShortcut FileGetShortName FileGetSize FileGetTime FileGetVersion FileInstall FileMove FileOpen FileOpenDialog FileRead FileReadLine FileReadToArray FileRecycle FileRecycleEmpty FileSaveDialog FileSelectFolder FileSetAttrib FileSetEnd FileSetPos FileSetTime FileWrite FileWriteLine Floor FtpSetProxy FuncName GUICreate GUICtrlCreateAvi GUICtrlCreateButton GUICtrlCreateCheckbox GUICtrlCreateCombo GUICtrlCreateContextMenu GUICtrlCreateDate GUICtrlCreateDummy GUICtrlCreateEdit GUICtrlCreateGraphic GUICtrlCreateGroup GUICtrlCreateIcon GUICtrlCreateInput GUICtrlCreateLabel GUICtrlCreateList GUICtrlCreateListView GUICtrlCreateListViewItem GUICtrlCreateMenu GUICtrlCreateMenuItem GUICtrlCreateMonthCal GUICtrlCreateObj GUICtrlCreatePic GUICtrlCreateProgress GUICtrlCreateRadio GUICtrlCreateSlider GUICtrlCreateTab GUICtrlCreateTabItem GUICtrlCreateTreeView GUICtrlCreateTreeViewItem GUICtrlCreateUpdown GUICtrlDelete GUICtrlGetHandle GUICtrlGetState GUICtrlRead GUICtrlRecvMsg GUICtrlRegisterListViewSort GUICtrlSendMsg GUICtrlSendToDummy GUICtrlSetBkColor GUICtrlSetColor GUICtrlSetCursor GUICtrlSetData GUICtrlSetDefBkColor GUICtrlSetDefColor GUICtrlSetFont GUICtrlSetGraphic GUICtrlSetImage GUICtrlSetLimit GUICtrlSetOnEvent GUICtrlSetPos GUICtrlSetResizing GUICtrlSetState GUICtrlSetStyle GUICtrlSetTip GUIDelete GUIGetCursorInfo GUIGetMsg GUIGetStyle GUIRegisterMsg GUISetAccelerators GUISetBkColor GUISetCoord GUISetCursor GUISetFont GUISetHelp GUISetIcon GUISetOnEvent GUISetState GUISetStyle GUIStartGroup GUISwitch Hex HotKeySet HttpSetProxy HttpSetUserAgent HWnd InetClose InetGet InetGetInfo InetGetSize InetRead IniDelete IniRead IniReadSection IniReadSectionNames IniRenameSection IniWrite IniWriteSection InputBox Int IsAdmin IsArray IsBinary IsBool IsDeclared IsDllStruct IsFloat IsFunc IsHWnd IsInt IsKeyword IsNumber IsObj IsPtr IsString Log MemGetStats Mod MouseClick MouseClickDrag MouseDown MouseGetCursor MouseGetPos MouseMove MouseUp MouseWheel MsgBox Number ObjCreate ObjCreateInterface ObjEvent ObjGet ObjName OnAutoItExitRegister OnAutoItExitUnRegister Ping PixelChecksum PixelGetColor PixelSearch ProcessClose ProcessExists ProcessGetStats ProcessList ProcessSetPriority ProcessWait ProcessWaitClose ProgressOff ProgressOn ProgressSet Ptr Random RegDelete RegEnumKey RegEnumVal RegRead RegWrite Round Run RunAs RunAsWait RunWait Send SendKeepActive SetError SetExtended ShellExecute ShellExecuteWait Shutdown Sin Sleep SoundPlay SoundSetWaveVolume SplashImageOn SplashOff SplashTextOn Sqrt SRandom StatusbarGetText StderrRead StdinWrite StdioClose StdoutRead String StringAddCR StringCompare StringFormat StringFromASCIIArray StringInStr StringIsAlNum StringIsAlpha StringIsASCII StringIsDigit StringIsFloat StringIsInt StringIsLower StringIsSpace StringIsUpper StringIsXDigit StringLeft StringLen StringLower StringMid StringRegExp StringRegExpReplace StringReplace StringReverse StringRight StringSplit StringStripCR StringStripWS StringToASCIIArray StringToBinary StringTrimLeft StringTrimRight StringUpper Tan TCPAccept TCPCloseSocket TCPConnect TCPListen TCPNameToIP TCPRecv TCPSend TCPShutdown, UDPShutdown TCPStartup, UDPStartup TimerDiff TimerInit ToolTip TrayCreateItem TrayCreateMenu TrayGetMsg TrayItemDelete TrayItemGetHandle TrayItemGetState TrayItemGetText TrayItemSetOnEvent TrayItemSetState TrayItemSetText TraySetClick TraySetIcon TraySetOnEvent TraySetPauseIcon TraySetState TraySetToolTip TrayTip UBound UDPBind UDPCloseSocket UDPOpen UDPRecv UDPSend VarGetType WinActivate WinActive WinClose WinExists WinFlash WinGetCaretPos WinGetClassList WinGetClientSize WinGetHandle WinGetPos WinGetProcess WinGetState WinGetText WinGetTitle WinKill WinList WinMenuSelectItem WinMinimizeAll WinMinimizeAllUndo WinMove WinSetOnTop WinSetState WinSetTitle WinSetTrans WinWait WinWaitActive WinWaitClose WinWaitNotActive",l={variants:[t.COMMENT(";","$",{relevance:0}),t.COMMENT("#cs","#ce"),t.COMMENT("#comments-start","#comments-end")]},u={begin:"\\$[A-z0-9_]+"},c={className:"string",variants:[{begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{begin:/'/,end:/'/,contains:[{begin:/''/,relevance:0}]}]},d={variants:[t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE]},S={className:"meta",begin:"#",end:"$",keywords:{keyword:r},contains:[{begin:/\\\n/,relevance:0},{beginKeywords:"include",keywords:{keyword:"include"},end:"$",contains:[c,{className:"string",variants:[{begin:"<",end:">"},{begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{begin:/'/,end:/'/,contains:[{begin:/''/,relevance:0}]}]}]},c,l]},_={className:"symbol",begin:"@[A-z0-9_]+"},E={beginKeywords:"Func",end:"$",illegal:"\\$|\\[|%",contains:[t.inherit(t.UNDERSCORE_TITLE_MODE,{className:"title.function"}),{className:"params",begin:"\\(",end:"\\)",contains:[u,c,d]}]};return{name:"AutoIt",case_insensitive:!0,illegal:/\/\*/,keywords:{keyword:n,built_in:o,literal:a},contains:[l,u,c,d,S,_,E]}}return wp=e,wp}var Lp,xv;function H1(){if(xv)return Lp;xv=1;function e(t){return{name:"AVR Assembly",case_insensitive:!0,keywords:{$pattern:"\\.?"+t.IDENT_RE,keyword:"adc add adiw and andi asr bclr bld brbc brbs brcc brcs break breq brge brhc brhs brid brie brlo brlt brmi brne brpl brsh brtc brts brvc brvs bset bst call cbi cbr clc clh cli cln clr cls clt clv clz com cp cpc cpi cpse dec eicall eijmp elpm eor fmul fmuls fmulsu icall ijmp in inc jmp ld ldd ldi lds lpm lsl lsr mov movw mul muls mulsu neg nop or ori out pop push rcall ret reti rjmp rol ror sbc sbr sbrc sbrs sec seh sbi sbci sbic sbis sbiw sei sen ser ses set sev sez sleep spm st std sts sub subi swap tst wdr",built_in:"r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 r16 r17 r18 r19 r20 r21 r22 r23 r24 r25 r26 r27 r28 r29 r30 r31 x|0 xh xl y|0 yh yl z|0 zh zl ucsr1c udr1 ucsr1a ucsr1b ubrr1l ubrr1h ucsr0c ubrr0h tccr3c tccr3a tccr3b tcnt3h tcnt3l ocr3ah ocr3al ocr3bh ocr3bl ocr3ch ocr3cl icr3h icr3l etimsk etifr tccr1c ocr1ch ocr1cl twcr twdr twar twsr twbr osccal xmcra xmcrb eicra spmcsr spmcr portg ddrg ping portf ddrf sreg sph spl xdiv rampz eicrb eimsk gimsk gicr eifr gifr timsk tifr mcucr mcucsr tccr0 tcnt0 ocr0 assr tccr1a tccr1b tcnt1h tcnt1l ocr1ah ocr1al ocr1bh ocr1bl icr1h icr1l tccr2 tcnt2 ocr2 ocdr wdtcr sfior eearh eearl eedr eecr porta ddra pina portb ddrb pinb portc ddrc pinc portd ddrd pind spdr spsr spcr udr0 ucsr0a ucsr0b ubrr0l acsr admux adcsr adch adcl porte ddre pine pinf",meta:".byte .cseg .db .def .device .dseg .dw .endmacro .equ .eseg .exit .include .list .listmac .macro .nolist .org .set"},contains:[t.C_BLOCK_COMMENT_MODE,t.COMMENT(";","$",{relevance:0}),t.C_NUMBER_MODE,t.BINARY_NUMBER_MODE,{className:"number",begin:"\\b(\\$[a-zA-Z0-9]+|0o[0-7]+)"},t.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"[^\\\\]'",illegal:"[^\\\\][^']"},{className:"symbol",begin:"^[A-Za-z0-9_.$]+:"},{className:"meta",begin:"#",end:"$"},{className:"subst",begin:"@[0-9]+"}]}}return Lp=e,Lp}var Mp,wv;function q1(){if(wv)return Mp;wv=1;function e(t){const n={className:"variable",variants:[{begin:/\$[\w\d#@][\w\d_]*/},{begin:/\$\{(.*?)\}/}]},r="BEGIN END if else while do for in break continue delete next nextfile function func exit|10",a={className:"string",contains:[t.BACKSLASH_ESCAPE],variants:[{begin:/(u|b)?r?'''/,end:/'''/,relevance:10},{begin:/(u|b)?r?"""/,end:/"""/,relevance:10},{begin:/(u|r|ur)'/,end:/'/,relevance:10},{begin:/(u|r|ur)"/,end:/"/,relevance:10},{begin:/(b|br)'/,end:/'/},{begin:/(b|br)"/,end:/"/},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]};return{name:"Awk",keywords:{keyword:r},contains:[n,a,t.REGEXP_MODE,t.HASH_COMMENT_MODE,t.NUMBER_MODE]}}return Mp=e,Mp}var kp,Lv;function Y1(){if(Lv)return kp;Lv=1;function e(t){const n=t.UNDERSCORE_IDENT_RE,l={keyword:["abstract","as","asc","avg","break","breakpoint","by","byref","case","catch","changecompany","class","client","client","common","const","continue","count","crosscompany","delegate","delete_from","desc","display","div","do","edit","else","eventhandler","exists","extends","final","finally","firstfast","firstonly","firstonly1","firstonly10","firstonly100","firstonly1000","flush","for","forceliterals","forcenestedloop","forceplaceholders","forceselectorder","forupdate","from","generateonly","group","hint","if","implements","in","index","insert_recordset","interface","internal","is","join","like","maxof","minof","mod","namespace","new","next","nofetch","notexists","optimisticlock","order","outer","pessimisticlock","print","private","protected","public","readonly","repeatableread","retry","return","reverse","select","server","setting","static","sum","super","switch","this","throw","try","ttsabort","ttsbegin","ttscommit","unchecked","update_recordset","using","validtimestate","void","where","while"],built_in:["anytype","boolean","byte","char","container","date","double","enum","guid","int","int64","long","real","short","str","utcdatetime","var"],literal:["default","false","null","true"]},u={variants:[{match:[/(class|interface)\s+/,n,/\s+(extends|implements)\s+/,n]},{match:[/class\s+/,n]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:l};return{name:"X++",aliases:["x++"],keywords:l,contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,{className:"meta",begin:"#",end:"$"},u]}}return kp=e,kp}var Pp,Mv;function W1(){if(Mv)return Pp;Mv=1;function e(t){const n=t.regex,r={},a={begin:/\$\{/,end:/\}/,contains:["self",{begin:/:-/,contains:[r]}]};Object.assign(r,{className:"variable",variants:[{begin:n.concat(/\$[\w\d#@][\w\d_]*/,"(?![\\w\\d])(?![$])")},a]});const o={className:"subst",begin:/\$\(/,end:/\)/,contains:[t.BACKSLASH_ESCAPE]},l={begin:/<<-?\s*(?=\w+)/,starts:{contains:[t.END_SAME_AS_BEGIN({begin:/(\w+)/,end:/(\w+)/,className:"string"})]}},u={className:"string",begin:/"/,end:/"/,contains:[t.BACKSLASH_ESCAPE,r,o]};o.contains.push(u);const c={match:/\\"/},d={className:"string",begin:/'/,end:/'/},S={match:/\\'/},_={begin:/\$?\(\(/,end:/\)\)/,contains:[{begin:/\d+#[0-9a-f]+/,className:"number"},t.NUMBER_MODE,r]},E=["fish","bash","zsh","sh","csh","ksh","tcsh","dash","scsh"],T=t.SHEBANG({binary:`(${E.join("|")})`,relevance:10}),y={className:"function",begin:/\w[\w\d_]*\s*\(\s*\)\s*\{/,returnBegin:!0,contains:[t.inherit(t.TITLE_MODE,{begin:/\w[\w\d_]*/})],relevance:0},M=["if","then","else","elif","fi","for","while","until","in","do","done","case","esac","function","select"],v=["true","false"],A={match:/(\/[a-z._-]+)+/},O=["break","cd","continue","eval","exec","exit","export","getopts","hash","pwd","readonly","return","shift","test","times","trap","umask","unset"],N=["alias","bind","builtin","caller","command","declare","echo","enable","help","let","local","logout","mapfile","printf","read","readarray","source","type","typeset","ulimit","unalias"],R=["autoload","bg","bindkey","bye","cap","chdir","clone","comparguments","compcall","compctl","compdescribe","compfiles","compgroups","compquote","comptags","comptry","compvalues","dirs","disable","disown","echotc","echoti","emulate","fc","fg","float","functions","getcap","getln","history","integer","jobs","kill","limit","log","noglob","popd","print","pushd","pushln","rehash","sched","setcap","setopt","stat","suspend","ttyctl","unfunction","unhash","unlimit","unsetopt","vared","wait","whence","where","which","zcompile","zformat","zftp","zle","zmodload","zparseopts","zprof","zpty","zregexparse","zsocket","zstyle","ztcp"],L=["chcon","chgrp","chown","chmod","cp","dd","df","dir","dircolors","ln","ls","mkdir","mkfifo","mknod","mktemp","mv","realpath","rm","rmdir","shred","sync","touch","truncate","vdir","b2sum","base32","base64","cat","cksum","comm","csplit","cut","expand","fmt","fold","head","join","md5sum","nl","numfmt","od","paste","ptx","pr","sha1sum","sha224sum","sha256sum","sha384sum","sha512sum","shuf","sort","split","sum","tac","tail","tr","tsort","unexpand","uniq","wc","arch","basename","chroot","date","dirname","du","echo","env","expr","factor","groups","hostid","id","link","logname","nice","nohup","nproc","pathchk","pinky","printenv","printf","pwd","readlink","runcon","seq","sleep","stat","stdbuf","stty","tee","test","timeout","tty","uname","unlink","uptime","users","who","whoami","yes"];return{name:"Bash",aliases:["sh"],keywords:{$pattern:/\b[a-z][a-z0-9._-]+\b/,keyword:M,literal:v,built_in:[...O,...N,"set","shopt",...R,...L]},contains:[T,t.SHEBANG(),y,_,t.HASH_COMMENT_MODE,l,A,u,c,d,S,r]}}return Pp=e,Pp}var Fp,kv;function V1(){if(kv)return Fp;kv=1;function e(t){return{name:"BASIC",case_insensitive:!0,illegal:"^.",keywords:{$pattern:"[a-zA-Z][a-zA-Z0-9_$%!#]*",keyword:["ABS","ASC","AND","ATN","AUTO|0","BEEP","BLOAD|10","BSAVE|10","CALL","CALLS","CDBL","CHAIN","CHDIR","CHR$|10","CINT","CIRCLE","CLEAR","CLOSE","CLS","COLOR","COM","COMMON","CONT","COS","CSNG","CSRLIN","CVD","CVI","CVS","DATA","DATE$","DEFDBL","DEFINT","DEFSNG","DEFSTR","DEF|0","SEG","USR","DELETE","DIM","DRAW","EDIT","END","ENVIRON","ENVIRON$","EOF","EQV","ERASE","ERDEV","ERDEV$","ERL","ERR","ERROR","EXP","FIELD","FILES","FIX","FOR|0","FRE","GET","GOSUB|10","GOTO","HEX$","IF","THEN","ELSE|0","INKEY$","INP","INPUT","INPUT#","INPUT$","INSTR","IMP","INT","IOCTL","IOCTL$","KEY","ON","OFF","LIST","KILL","LEFT$","LEN","LET","LINE","LLIST","LOAD","LOC","LOCATE","LOF","LOG","LPRINT","USING","LSET","MERGE","MID$","MKDIR","MKD$","MKI$","MKS$","MOD","NAME","NEW","NEXT","NOISE","NOT","OCT$","ON","OR","PEN","PLAY","STRIG","OPEN","OPTION","BASE","OUT","PAINT","PALETTE","PCOPY","PEEK","PMAP","POINT","POKE","POS","PRINT","PRINT]","PSET","PRESET","PUT","RANDOMIZE","READ","REM","RENUM","RESET|0","RESTORE","RESUME","RETURN|0","RIGHT$","RMDIR","RND","RSET","RUN","SAVE","SCREEN","SGN","SHELL","SIN","SOUND","SPACE$","SPC","SQR","STEP","STICK","STOP","STR$","STRING$","SWAP","SYSTEM","TAB","TAN","TIME$","TIMER","TROFF","TRON","TO","USR","VAL","VARPTR","VARPTR$","VIEW","WAIT","WHILE","WEND","WIDTH","WINDOW","WRITE","XOR"]},contains:[t.QUOTE_STRING_MODE,t.COMMENT("REM","$",{relevance:10}),t.COMMENT("'","$",{relevance:0}),{className:"symbol",begin:"^[0-9]+ ",relevance:10},{className:"number",begin:"\\b\\d+(\\.\\d+)?([edED]\\d+)?[#!]?",relevance:0},{className:"number",begin:"(&[hH][0-9a-fA-F]{1,4})"},{className:"number",begin:"(&[oO][0-7]{1,6})"}]}}return Fp=e,Fp}var Bp,Pv;function z1(){if(Pv)return Bp;Pv=1;function e(t){return{name:"Backus\u2013Naur Form",contains:[{className:"attribute",begin:/</,end:/>/},{begin:/::=/,end:/$/,contains:[{begin:/</,end:/>/},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]}]}}return Bp=e,Bp}var Up,Fv;function K1(){if(Fv)return Up;Fv=1;function e(t){const n={className:"literal",begin:/[+-]+/,relevance:0};return{name:"Brainfuck",aliases:["bf"],contains:[t.COMMENT(/[^\[\]\.,\+\-<> \r\n]/,/[\[\]\.,\+\-<> \r\n]/,{contains:[{match:/[ ]+[^\[\]\.,\+\-<> \r\n]/,relevance:0}],returnEnd:!0,relevance:0}),{className:"title",begin:"[\\[\\]]",relevance:0},{className:"string",begin:"[\\.,]",relevance:0},{begin:/(?=\+\+|--)/,contains:[n]},n]}}return Up=e,Up}var Gp,Bv;function $1(){if(Bv)return Gp;Bv=1;function e(t){const n=t.regex,r=t.COMMENT("//","$",{contains:[{begin:/\\\n/}]}),a="decltype\\(auto\\)",o="[a-zA-Z_]\\w*::",l="<[^<>]+>",u="("+a+"|"+n.optional(o)+"[a-zA-Z_]\\w*"+n.optional(l)+")",c={className:"type",variants:[{begin:"\\b[a-z\\d_]*_t\\b"},{match:/\batomic_[a-z]{3,6}\b/}]},d="\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\S)",S={className:"string",variants:[{begin:'(u8?|U|L)?"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE]},{begin:"(u8?|U|L)?'("+d+"|.)",end:"'",illegal:"."},t.END_SAME_AS_BEGIN({begin:/(?:u8?|U|L)?R"([^()\\ ]{0,16})\(/,end:/\)([^()\\ ]{0,16})"/})]},_={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},E={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma _Pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},t.inherit(S,{className:"string"}),{className:"string",begin:/<.*?>/},r,t.C_BLOCK_COMMENT_MODE]},T={className:"title",begin:n.optional(o)+t.IDENT_RE,relevance:0},y=n.optional(o)+t.IDENT_RE+"\\s*\\(",A={keyword:["asm","auto","break","case","continue","default","do","else","enum","extern","for","fortran","goto","if","inline","register","restrict","return","sizeof","struct","switch","typedef","union","volatile","while","_Alignas","_Alignof","_Atomic","_Generic","_Noreturn","_Static_assert","_Thread_local","alignas","alignof","noreturn","static_assert","thread_local","_Pragma"],type:["float","double","signed","unsigned","int","short","long","char","void","_Bool","_Complex","_Imaginary","_Decimal32","_Decimal64","_Decimal128","const","static","complex","bool","imaginary"],literal:"true false NULL",built_in:"std string wstring cin cout cerr clog stdin stdout stderr stringstream istringstream ostringstream auto_ptr deque list queue stack vector map set pair bitset multiset multimap unordered_set unordered_map unordered_multiset unordered_multimap priority_queue make_pair array shared_ptr abort terminate abs acos asin atan2 atan calloc ceil cosh cos exit exp fabs floor fmod fprintf fputs free frexp fscanf future isalnum isalpha iscntrl isdigit isgraph islower isprint ispunct isspace isupper isxdigit tolower toupper labs ldexp log10 log malloc realloc memchr memcmp memcpy memset modf pow printf putchar puts scanf sinh sin snprintf sprintf sqrt sscanf strcat strchr strcmp strcpy strcspn strlen strncat strncmp strncpy strpbrk strrchr strspn strstr tanh tan vfprintf vprintf vsprintf endl initializer_list unique_ptr"},O=[E,c,r,t.C_BLOCK_COMMENT_MODE,_,S],N={variants:[{begin:/=/,end:/;/},{begin:/\(/,end:/\)/},{beginKeywords:"new throw return else",end:/;/}],keywords:A,contains:O.concat([{begin:/\(/,end:/\)/,keywords:A,contains:O.concat(["self"]),relevance:0}]),relevance:0},R={begin:"("+u+"[\\*&\\s]+)+"+y,returnBegin:!0,end:/[{;=]/,excludeEnd:!0,keywords:A,illegal:/[^\w\s\*&:<>.]/,contains:[{begin:a,keywords:A,relevance:0},{begin:y,returnBegin:!0,contains:[t.inherit(T,{className:"title.function"})],relevance:0},{relevance:0,match:/,/},{className:"params",begin:/\(/,end:/\)/,keywords:A,relevance:0,contains:[r,t.C_BLOCK_COMMENT_MODE,S,_,c,{begin:/\(/,end:/\)/,keywords:A,relevance:0,contains:["self",r,t.C_BLOCK_COMMENT_MODE,S,_,c]}]},c,r,t.C_BLOCK_COMMENT_MODE,E]};return{name:"C",aliases:["h"],keywords:A,disableAutodetect:!0,illegal:"</",contains:[].concat(N,R,O,[E,{begin:t.IDENT_RE+"::",keywords:A},{className:"class",beginKeywords:"enum class struct union",end:/[{;:<>=]/,contains:[{beginKeywords:"final class struct"},t.TITLE_MODE]}]),exports:{preprocessor:E,strings:S,keywords:A}}}return Gp=e,Gp}var Hp,Uv;function Q1(){if(Uv)return Hp;Uv=1;function e(t){const n=t.regex,r=["div","mod","in","and","or","not","xor","asserterror","begin","case","do","downto","else","end","exit","for","local","if","of","repeat","then","to","until","while","with","var"],a="false true",o=[t.C_LINE_COMMENT_MODE,t.COMMENT(/\{/,/\}/,{relevance:0}),t.COMMENT(/\(\*/,/\*\)/,{relevance:10})],l={className:"string",begin:/'/,end:/'/,contains:[{begin:/''/}]},u={className:"string",begin:/(#\d+)+/},c={className:"number",begin:"\\b\\d+(\\.\\d+)?(DT|D|T)",relevance:0},d={className:"string",begin:'"',end:'"'},S={match:[/procedure/,/\s+/,/[a-zA-Z_][\w@]*/,/\s*/],scope:{1:"keyword",3:"title.function"},contains:[{className:"params",begin:/\(/,end:/\)/,keywords:r,contains:[l,u,t.NUMBER_MODE]},...o]},_=["Table","Form","Report","Dataport","Codeunit","XMLport","MenuSuite","Page","Query"],E={match:[/OBJECT/,/\s+/,n.either(..._),/\s+/,/\d+/,/\s+(?=[^\s])/,/.*/,/$/],relevance:3,scope:{1:"keyword",3:"type",5:"number",7:"title"}};return{name:"C/AL",case_insensitive:!0,keywords:{keyword:r,literal:a},illegal:/\/\*/,contains:[{match:/[\w]+(?=\=)/,scope:"attribute",relevance:0},l,u,c,d,t.NUMBER_MODE,E,S]}}return Hp=e,Hp}var qp,Gv;function j1(){if(Gv)return qp;Gv=1;function e(t){const n=["struct","enum","interface","union","group","import","using","const","annotation","extends","in","of","on","as","with","from","fixed"],r=["Void","Bool","Int8","Int16","Int32","Int64","UInt8","UInt16","UInt32","UInt64","Float32","Float64","Text","Data","AnyPointer","AnyStruct","Capability","List"],a=["true","false"],o={variants:[{match:[/(struct|enum|interface)/,/\s+/,t.IDENT_RE]},{match:[/extends/,/\s*\(/,t.IDENT_RE,/\s*\)/]}],scope:{1:"keyword",3:"title.class"}};return{name:"Cap\u2019n Proto",aliases:["capnp"],keywords:{keyword:n,type:r,literal:a},contains:[t.QUOTE_STRING_MODE,t.NUMBER_MODE,t.HASH_COMMENT_MODE,{className:"meta",begin:/@0x[\w\d]{16};/,illegal:/\n/},{className:"symbol",begin:/@\d+\b/},o]}}return qp=e,qp}var Yp,Hv;function X1(){if(Hv)return Yp;Hv=1;function e(t){const n=["assembly","module","package","import","alias","class","interface","object","given","value","assign","void","function","new","of","extends","satisfies","abstracts","in","out","return","break","continue","throw","assert","dynamic","if","else","switch","case","for","while","try","catch","finally","then","let","this","outer","super","is","exists","nonempty"],r=["shared","abstract","formal","default","actual","variable","late","native","deprecated","final","sealed","annotation","suppressWarnings","small"],a=["doc","by","license","see","throws","tagged"],o={className:"subst",excludeBegin:!0,excludeEnd:!0,begin:/``/,end:/``/,keywords:n,relevance:10},l=[{className:"string",begin:'"""',end:'"""',relevance:10},{className:"string",begin:'"',end:'"',contains:[o]},{className:"string",begin:"'",end:"'"},{className:"number",begin:"#[0-9a-fA-F_]+|\\$[01_]+|[0-9_]+(?:\\.[0-9_](?:[eE][+-]?\\d+)?)?[kMGTPmunpf]?",relevance:0}];return o.contains=l,{name:"Ceylon",keywords:{keyword:n.concat(r),meta:a},illegal:"\\$[^01]|#[^0-9a-fA-F]",contains:[t.C_LINE_COMMENT_MODE,t.COMMENT("/\\*","\\*/",{contains:["self"]}),{className:"meta",begin:'@[a-z]\\w*(?::"[^"]*")?'}].concat(l)}}return Yp=e,Yp}var Wp,qv;function Z1(){if(qv)return Wp;qv=1;function e(t){return{name:"Clean",aliases:["icl","dcl"],keywords:{keyword:["if","let","in","with","where","case","of","class","instance","otherwise","implementation","definition","system","module","from","import","qualified","as","special","code","inline","foreign","export","ccall","stdcall","generic","derive","infix","infixl","infixr"],built_in:"Int Real Char Bool",literal:"True False"},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,{begin:"->|<-[|:]?|#!?|>>=|\\{\\||\\|\\}|:==|=:|<>"}]}}return Wp=e,Wp}var Vp,Yv;function J1(){if(Yv)return Vp;Yv=1;function e(t){const n="a-zA-Z_\\-!.?+*=<>&'",r="[#]?["+n+"]["+n+"0-9/;:$#]*",a="def defonce defprotocol defstruct defmulti defmethod defn- defn defmacro deftype defrecord",o={$pattern:r,built_in:a+" cond apply if-not if-let if not not= =|0 <|0 >|0 <=|0 >=|0 ==|0 +|0 /|0 *|0 -|0 rem quot neg? pos? delay? symbol? keyword? true? false? integer? empty? coll? list? set? ifn? fn? associative? sequential? sorted? counted? reversible? number? decimal? class? distinct? isa? float? rational? reduced? ratio? odd? even? char? seq? vector? string? map? nil? contains? zero? instance? not-every? not-any? libspec? -> ->> .. . inc compare do dotimes mapcat take remove take-while drop letfn drop-last take-last drop-while while intern condp case reduced cycle split-at split-with repeat replicate iterate range merge zipmap declare line-seq sort comparator sort-by dorun doall nthnext nthrest partition eval doseq await await-for let agent atom send send-off release-pending-sends add-watch mapv filterv remove-watch agent-error restart-agent set-error-handler error-handler set-error-mode! error-mode shutdown-agents quote var fn loop recur throw try monitor-enter monitor-exit macroexpand macroexpand-1 for dosync and or when when-not when-let comp juxt partial sequence memoize constantly complement identity assert peek pop doto proxy first rest cons cast coll last butlast sigs reify second ffirst fnext nfirst nnext meta with-meta ns in-ns create-ns import refer keys select-keys vals key val rseq name namespace promise into transient persistent! conj! assoc! dissoc! pop! disj! use class type num float double short byte boolean bigint biginteger bigdec print-method print-dup throw-if printf format load compile get-in update-in pr pr-on newline flush read slurp read-line subvec with-open memfn time re-find re-groups rand-int rand mod locking assert-valid-fdecl alias resolve ref deref refset swap! reset! set-validator! compare-and-set! alter-meta! reset-meta! commute get-validator alter ref-set ref-history-count ref-min-history ref-max-history ensure sync io! new next conj set! to-array future future-call into-array aset gen-class reduce map filter find empty hash-map hash-set sorted-map sorted-map-by sorted-set sorted-set-by vec vector seq flatten reverse assoc dissoc list disj get union difference intersection extend extend-type extend-protocol int nth delay count concat chunk chunk-buffer chunk-append chunk-first chunk-rest max min dec unchecked-inc-int unchecked-inc unchecked-dec-inc unchecked-dec unchecked-negate unchecked-add-int unchecked-add unchecked-subtract-int unchecked-subtract chunk-next chunk-cons chunked-seq? prn vary-meta lazy-seq spread list* str find-keyword keyword symbol gensym force rationalize"},l={begin:r,relevance:0},u={scope:"number",relevance:0,variants:[{match:/[-+]?0[xX][0-9a-fA-F]+N?/},{match:/[-+]?0[0-7]+N?/},{match:/[-+]?[1-9][0-9]?[rR][0-9a-zA-Z]+N?/},{match:/[-+]?[0-9]+\/[0-9]+N?/},{match:/[-+]?[0-9]+((\.[0-9]*([eE][+-]?[0-9]+)?M?)|([eE][+-]?[0-9]+M?|M))/},{match:/[-+]?([1-9][0-9]*|0)N?/}]},c={scope:"character",variants:[{match:/\\o[0-3]?[0-7]{1,2}/},{match:/\\u[0-9a-fA-F]{4}/},{match:/\\(newline|space|tab|formfeed|backspace|return)/},{match:/\\\S/,relevance:0}]},d={scope:"regex",begin:/#"/,end:/"/,contains:[t.BACKSLASH_ESCAPE]},S=t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),_={scope:"punctuation",match:/,/,relevance:0},E=t.COMMENT(";","$",{relevance:0}),T={className:"literal",begin:/\b(true|false|nil)\b/},y={begin:"\\[|(#::?"+r+")?\\{",end:"[\\]\\}]",relevance:0},M={className:"symbol",begin:"[:]{1,2}"+r},v={begin:"\\(",end:"\\)"},A={endsWithParent:!0,relevance:0},O={keywords:o,className:"name",begin:r,relevance:0,starts:A},N=[_,v,c,d,S,E,M,y,u,T,l],R={beginKeywords:a,keywords:{$pattern:r,keyword:a},end:'(\\[|#|\\d|"|:|\\{|\\)|\\(|$)',contains:[{className:"title",begin:r,relevance:0,excludeEnd:!0,endsParent:!0}].concat(N)};return v.contains=[R,O,A],A.contains=N,y.contains=N,{name:"Clojure",aliases:["clj","edn"],illegal:/\S/,contains:[_,v,c,d,S,E,M,y,u,T]}}return Vp=e,Vp}var zp,Wv;function eM(){if(Wv)return zp;Wv=1;function e(t){return{name:"Clojure REPL",contains:[{className:"meta.prompt",begin:/^([\w.-]+|\s*#_)?=>/,starts:{end:/$/,subLanguage:"clojure"}}]}}return zp=e,zp}var Kp,Vv;function tM(){if(Vv)return Kp;Vv=1;function e(t){return{name:"CMake",aliases:["cmake.in"],case_insensitive:!0,keywords:{keyword:"break cmake_host_system_information cmake_minimum_required cmake_parse_arguments cmake_policy configure_file continue elseif else endforeach endfunction endif endmacro endwhile execute_process file find_file find_library find_package find_path find_program foreach function get_cmake_property get_directory_property get_filename_component get_property if include include_guard list macro mark_as_advanced math message option return separate_arguments set_directory_properties set_property set site_name string unset variable_watch while add_compile_definitions add_compile_options add_custom_command add_custom_target add_definitions add_dependencies add_executable add_library add_link_options add_subdirectory add_test aux_source_directory build_command create_test_sourcelist define_property enable_language enable_testing export fltk_wrap_ui get_source_file_property get_target_property get_test_property include_directories include_external_msproject include_regular_expression install link_directories link_libraries load_cache project qt_wrap_cpp qt_wrap_ui remove_definitions set_source_files_properties set_target_properties set_tests_properties source_group target_compile_definitions target_compile_features target_compile_options target_include_directories target_link_directories target_link_libraries target_link_options target_sources try_compile try_run ctest_build ctest_configure ctest_coverage ctest_empty_binary_directory ctest_memcheck ctest_read_custom_files ctest_run_script ctest_sleep ctest_start ctest_submit ctest_test ctest_update ctest_upload build_name exec_program export_library_dependencies install_files install_programs install_targets load_command make_directory output_required_files remove subdir_depends subdirs use_mangled_mesa utility_source variable_requires write_file qt5_use_modules qt5_use_package qt5_wrap_cpp on off true false and or not command policy target test exists is_newer_than is_directory is_symlink is_absolute matches less greater equal less_equal greater_equal strless strgreater strequal strless_equal strgreater_equal version_less version_greater version_equal version_less_equal version_greater_equal in_list defined"},contains:[{className:"variable",begin:/\$\{/,end:/\}/},t.COMMENT(/#\[\[/,/]]/),t.HASH_COMMENT_MODE,t.QUOTE_STRING_MODE,t.NUMBER_MODE]}}return Kp=e,Kp}var $p,zv;function nM(){if(zv)return $p;zv=1;const e=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],t=["true","false","null","undefined","NaN","Infinity"],n=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],r=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],a=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],o=[].concat(a,n,r);function l(u){const c=["npm","print"],d=["yes","no","on","off"],S=["then","unless","until","loop","by","when","and","or","is","isnt","not"],_=["var","const","let","function","static"],E=L=>I=>!L.includes(I),T={keyword:e.concat(S).filter(E(_)),literal:t.concat(d),built_in:o.concat(c)},y="[A-Za-z$_][0-9A-Za-z$_]*",M={className:"subst",begin:/#\{/,end:/\}/,keywords:T},v=[u.BINARY_NUMBER_MODE,u.inherit(u.C_NUMBER_MODE,{starts:{end:"(\\s*/)?",relevance:0}}),{className:"string",variants:[{begin:/'''/,end:/'''/,contains:[u.BACKSLASH_ESCAPE]},{begin:/'/,end:/'/,contains:[u.BACKSLASH_ESCAPE]},{begin:/"""/,end:/"""/,contains:[u.BACKSLASH_ESCAPE,M]},{begin:/"/,end:/"/,contains:[u.BACKSLASH_ESCAPE,M]}]},{className:"regexp",variants:[{begin:"///",end:"///",contains:[M,u.HASH_COMMENT_MODE]},{begin:"//[gim]{0,3}(?=\\W)",relevance:0},{begin:/\/(?![ *]).*?(?![\\]).\/[gim]{0,3}(?=\W)/}]},{begin:"@"+y},{subLanguage:"javascript",excludeBegin:!0,excludeEnd:!0,variants:[{begin:"```",end:"```"},{begin:"`",end:"`"}]}];M.contains=v;const A=u.inherit(u.TITLE_MODE,{begin:y}),O="(\\(.*\\)\\s*)?\\B[-=]>",N={className:"params",begin:"\\([^\\(]",returnBegin:!0,contains:[{begin:/\(/,end:/\)/,keywords:T,contains:["self"].concat(v)}]},R={variants:[{match:[/class\s+/,y,/\s+extends\s+/,y]},{match:[/class\s+/,y]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:T};return{name:"CoffeeScript",aliases:["coffee","cson","iced"],keywords:T,illegal:/\/\*/,contains:[...v,u.COMMENT("###","###"),u.HASH_COMMENT_MODE,{className:"function",begin:"^\\s*"+y+"\\s*=\\s*"+O,end:"[-=]>",returnBegin:!0,contains:[A,N]},{begin:/[:\(,=]\s*/,relevance:0,contains:[{className:"function",begin:O,end:"[-=]>",returnBegin:!0,contains:[N]}]},R,{begin:y+":",end:":",returnBegin:!0,returnEnd:!0,relevance:0}]}}return $p=l,$p}var Qp,Kv;function rM(){if(Kv)return Qp;Kv=1;function e(t){return{name:"Coq",keywords:{keyword:["_|0","as","at","cofix","else","end","exists","exists2","fix","for","forall","fun","if","IF","in","let","match","mod","Prop","return","Set","then","Type","using","where","with","Abort","About","Add","Admit","Admitted","All","Arguments","Assumptions","Axiom","Back","BackTo","Backtrack","Bind","Blacklist","Canonical","Cd","Check","Class","Classes","Close","Coercion","Coercions","CoFixpoint","CoInductive","Collection","Combined","Compute","Conjecture","Conjectures","Constant","constr","Constraint","Constructors","Context","Corollary","CreateHintDb","Cut","Declare","Defined","Definition","Delimit","Dependencies","Dependent","Derive","Drop","eauto","End","Equality","Eval","Example","Existential","Existentials","Existing","Export","exporting","Extern","Extract","Extraction","Fact","Field","Fields","File","Fixpoint","Focus","for","From","Function","Functional","Generalizable","Global","Goal","Grab","Grammar","Graph","Guarded","Heap","Hint","HintDb","Hints","Hypotheses","Hypothesis","ident","Identity","If","Immediate","Implicit","Import","Include","Inductive","Infix","Info","Initial","Inline","Inspect","Instance","Instances","Intro","Intros","Inversion","Inversion_clear","Language","Left","Lemma","Let","Libraries","Library","Load","LoadPath","Local","Locate","Ltac","ML","Mode","Module","Modules","Monomorphic","Morphism","Next","NoInline","Notation","Obligation","Obligations","Opaque","Open","Optimize","Options","Parameter","Parameters","Parametric","Path","Paths","pattern","Polymorphic","Preterm","Print","Printing","Program","Projections","Proof","Proposition","Pwd","Qed","Quit","Rec","Record","Recursive","Redirect","Relation","Remark","Remove","Require","Reserved","Reset","Resolve","Restart","Rewrite","Right","Ring","Rings","Save","Scheme","Scope","Scopes","Script","Search","SearchAbout","SearchHead","SearchPattern","SearchRewrite","Section","Separate","Set","Setoid","Show","Solve","Sorted","Step","Strategies","Strategy","Structure","SubClass","Table","Tables","Tactic","Term","Test","Theorem","Time","Timeout","Transparent","Type","Typeclasses","Types","Undelimit","Undo","Unfocus","Unfocused","Unfold","Universe","Universes","Unset","Unshelve","using","Variable","Variables","Variant","Verbose","Visibility","where","with"],built_in:["abstract","absurd","admit","after","apply","as","assert","assumption","at","auto","autorewrite","autounfold","before","bottom","btauto","by","case","case_eq","cbn","cbv","change","classical_left","classical_right","clear","clearbody","cofix","compare","compute","congruence","constr_eq","constructor","contradict","contradiction","cut","cutrewrite","cycle","decide","decompose","dependent","destruct","destruction","dintuition","discriminate","discrR","do","double","dtauto","eapply","eassumption","eauto","ecase","econstructor","edestruct","ediscriminate","eelim","eexact","eexists","einduction","einjection","eleft","elim","elimtype","enough","equality","erewrite","eright","esimplify_eq","esplit","evar","exact","exactly_once","exfalso","exists","f_equal","fail","field","field_simplify","field_simplify_eq","first","firstorder","fix","fold","fourier","functional","generalize","generalizing","gfail","give_up","has_evar","hnf","idtac","in","induction","injection","instantiate","intro","intro_pattern","intros","intuition","inversion","inversion_clear","is_evar","is_var","lapply","lazy","left","lia","lra","move","native_compute","nia","nsatz","omega","once","pattern","pose","progress","proof","psatz","quote","record","red","refine","reflexivity","remember","rename","repeat","replace","revert","revgoals","rewrite","rewrite_strat","right","ring","ring_simplify","rtauto","set","setoid_reflexivity","setoid_replace","setoid_rewrite","setoid_symmetry","setoid_transitivity","shelve","shelve_unifiable","simpl","simple","simplify_eq","solve","specialize","split","split_Rabs","split_Rmult","stepl","stepr","subst","sum","swap","symmetry","tactic","tauto","time","timeout","top","transitivity","trivial","try","tryif","unfold","unify","until","using","vm_compute","with"]},contains:[t.QUOTE_STRING_MODE,t.COMMENT("\\(\\*","\\*\\)"),t.C_NUMBER_MODE,{className:"type",excludeBegin:!0,begin:"\\|\\s*",end:"\\w+"},{begin:/[-=]>/}]}}return Qp=e,Qp}var jp,$v;function iM(){if($v)return jp;$v=1;function e(t){return{name:"Cach\xE9 Object Script",case_insensitive:!0,aliases:["cls"],keywords:"property parameter class classmethod clientmethod extends as break catch close continue do d|0 else elseif for goto halt hang h|0 if job j|0 kill k|0 lock l|0 merge new open quit q|0 read r|0 return set s|0 tcommit throw trollback try tstart use view while write w|0 xecute x|0 zkill znspace zn ztrap zwrite zw zzdump zzwrite print zbreak zinsert zload zprint zremove zsave zzprint mv mvcall mvcrt mvdim mvprint zquit zsync ascii",contains:[{className:"number",begin:"\\b(\\d+(\\.\\d*)?|\\.\\d+)",relevance:0},{className:"string",variants:[{begin:'"',end:'"',contains:[{begin:'""',relevance:0}]}]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"comment",begin:/;/,end:"$",relevance:0},{className:"built_in",begin:/(?:\$\$?|\.\.)\^?[a-zA-Z]+/},{className:"built_in",begin:/\$\$\$[a-zA-Z]+/},{className:"built_in",begin:/%[a-z]+(?:\.[a-z]+)*/},{className:"symbol",begin:/\^%?[a-zA-Z][\w]*/},{className:"keyword",begin:/##class|##super|#define|#dim/},{begin:/&sql\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,subLanguage:"sql"},{begin:/&(js|jscript|javascript)</,end:/>/,excludeBegin:!0,excludeEnd:!0,subLanguage:"javascript"},{begin:/&html<\s*</,end:/>\s*>/,subLanguage:"xml"}]}}return jp=e,jp}var Xp,Qv;function aM(){if(Qv)return Xp;Qv=1;function e(t){const n=t.regex,r=t.COMMENT("//","$",{contains:[{begin:/\\\n/}]}),a="decltype\\(auto\\)",o="[a-zA-Z_]\\w*::",l="<[^<>]+>",u="(?!struct)("+a+"|"+n.optional(o)+"[a-zA-Z_]\\w*"+n.optional(l)+")",c={className:"type",begin:"\\b[a-z\\d_]*_t\\b"},d="\\\\(x[0-9A-Fa-f]{2}|u[0-9A-Fa-f]{4,8}|[0-7]{3}|\\S)",S={className:"string",variants:[{begin:'(u8?|U|L)?"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE]},{begin:"(u8?|U|L)?'("+d+"|.)",end:"'",illegal:"."},t.END_SAME_AS_BEGIN({begin:/(?:u8?|U|L)?R"([^()\\ ]{0,16})\(/,end:/\)([^()\\ ]{0,16})"/})]},_={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)((ll|LL|l|L)(u|U)?|(u|U)(ll|LL|l|L)?|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},E={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma _Pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},t.inherit(S,{className:"string"}),{className:"string",begin:/<.*?>/},r,t.C_BLOCK_COMMENT_MODE]},T={className:"title",begin:n.optional(o)+t.IDENT_RE,relevance:0},y=n.optional(o)+t.IDENT_RE+"\\s*\\(",M=["alignas","alignof","and","and_eq","asm","atomic_cancel","atomic_commit","atomic_noexcept","auto","bitand","bitor","break","case","catch","class","co_await","co_return","co_yield","compl","concept","const_cast|10","consteval","constexpr","constinit","continue","decltype","default","delete","do","dynamic_cast|10","else","enum","explicit","export","extern","false","final","for","friend","goto","if","import","inline","module","mutable","namespace","new","noexcept","not","not_eq","nullptr","operator","or","or_eq","override","private","protected","public","reflexpr","register","reinterpret_cast|10","requires","return","sizeof","static_assert","static_cast|10","struct","switch","synchronized","template","this","thread_local","throw","transaction_safe","transaction_safe_dynamic","true","try","typedef","typeid","typename","union","using","virtual","volatile","while","xor","xor_eq"],v=["bool","char","char16_t","char32_t","char8_t","double","float","int","long","short","void","wchar_t","unsigned","signed","const","static"],A=["any","auto_ptr","barrier","binary_semaphore","bitset","complex","condition_variable","condition_variable_any","counting_semaphore","deque","false_type","future","imaginary","initializer_list","istringstream","jthread","latch","lock_guard","multimap","multiset","mutex","optional","ostringstream","packaged_task","pair","promise","priority_queue","queue","recursive_mutex","recursive_timed_mutex","scoped_lock","set","shared_future","shared_lock","shared_mutex","shared_timed_mutex","shared_ptr","stack","string_view","stringstream","timed_mutex","thread","true_type","tuple","unique_lock","unique_ptr","unordered_map","unordered_multimap","unordered_multiset","unordered_set","variant","vector","weak_ptr","wstring","wstring_view"],O=["abort","abs","acos","apply","as_const","asin","atan","atan2","calloc","ceil","cerr","cin","clog","cos","cosh","cout","declval","endl","exchange","exit","exp","fabs","floor","fmod","forward","fprintf","fputs","free","frexp","fscanf","future","invoke","isalnum","isalpha","iscntrl","isdigit","isgraph","islower","isprint","ispunct","isspace","isupper","isxdigit","labs","launder","ldexp","log","log10","make_pair","make_shared","make_shared_for_overwrite","make_tuple","make_unique","malloc","memchr","memcmp","memcpy","memset","modf","move","pow","printf","putchar","puts","realloc","scanf","sin","sinh","snprintf","sprintf","sqrt","sscanf","std","stderr","stdin","stdout","strcat","strchr","strcmp","strcpy","strcspn","strlen","strncat","strncmp","strncpy","strpbrk","strrchr","strspn","strstr","swap","tan","tanh","terminate","to_underlying","tolower","toupper","vfprintf","visit","vprintf","vsprintf"],L={type:v,keyword:M,literal:["NULL","false","nullopt","nullptr","true"],built_in:["_Pragma"],_type_hints:A},I={className:"function.dispatch",relevance:0,keywords:{_hint:O},begin:n.concat(/\b/,/(?!decltype)/,/(?!if)/,/(?!for)/,/(?!switch)/,/(?!while)/,t.IDENT_RE,n.lookahead(/(<[^<>]+>|)\s*\(/))},h=[I,E,c,r,t.C_BLOCK_COMMENT_MODE,_,S],k={variants:[{begin:/=/,end:/;/},{begin:/\(/,end:/\)/},{beginKeywords:"new throw return else",end:/;/}],keywords:L,contains:h.concat([{begin:/\(/,end:/\)/,keywords:L,contains:h.concat(["self"]),relevance:0}]),relevance:0},F={className:"function",begin:"("+u+"[\\*&\\s]+)+"+y,returnBegin:!0,end:/[{;=]/,excludeEnd:!0,keywords:L,illegal:/[^\w\s\*&:<>.]/,contains:[{begin:a,keywords:L,relevance:0},{begin:y,returnBegin:!0,contains:[T],relevance:0},{begin:/::/,relevance:0},{begin:/:/,endsWithParent:!0,contains:[S,_]},{relevance:0,match:/,/},{className:"params",begin:/\(/,end:/\)/,keywords:L,relevance:0,contains:[r,t.C_BLOCK_COMMENT_MODE,S,_,c,{begin:/\(/,end:/\)/,keywords:L,relevance:0,contains:["self",r,t.C_BLOCK_COMMENT_MODE,S,_,c]}]},c,r,t.C_BLOCK_COMMENT_MODE,E]};return{name:"C++",aliases:["cc","c++","h++","hpp","hh","hxx","cxx"],keywords:L,illegal:"</",classNameAliases:{"function.dispatch":"built_in"},contains:[].concat(k,F,I,h,[E,{begin:"\\b(deque|list|queue|priority_queue|pair|stack|vector|map|set|bitset|multiset|multimap|unordered_map|unordered_set|unordered_multiset|unordered_multimap|array|tuple|optional|variant|function)\\s*<(?!<)",end:">",keywords:L,contains:["self",c]},{begin:t.IDENT_RE+"::",keywords:L},{match:[/\b(?:enum(?:\s+(?:class|struct))?|class|struct|union)/,/\s+/,/\w+/],className:{1:"keyword",3:"title.class"}}])}}return Xp=e,Xp}var Zp,jv;function oM(){if(jv)return Zp;jv=1;function e(t){const n="primitive rsc_template",r="group clone ms master location colocation order fencing_topology rsc_ticket acl_target acl_group user role tag xml",a="property rsc_defaults op_defaults",o="params meta operations op rule attributes utilization",l="read write deny defined not_defined in_range date spec in ref reference attribute type xpath version and or lt gt tag lte gte eq ne \\",u="number string",c="Master Started Slave Stopped start promote demote stop monitor true false";return{name:"crmsh",aliases:["crm","pcmk"],case_insensitive:!0,keywords:{keyword:o+" "+l+" "+u,literal:c},contains:[t.HASH_COMMENT_MODE,{beginKeywords:"node",starts:{end:"\\s*([\\w_-]+:)?",starts:{className:"title",end:"\\s*[\\$\\w_][\\w_-]*"}}},{beginKeywords:n,starts:{className:"title",end:"\\s*[\\$\\w_][\\w_-]*",starts:{end:"\\s*@?[\\w_][\\w_\\.:-]*"}}},{begin:"\\b("+r.split(" ").join("|")+")\\s+",keywords:r,starts:{className:"title",end:"[\\$\\w_][\\w_-]*"}},{beginKeywords:a,starts:{className:"title",end:"\\s*([\\w_-]+:)?"}},t.QUOTE_STRING_MODE,{className:"meta",begin:"(ocf|systemd|service|lsb):[\\w_:-]+",relevance:0},{className:"number",begin:"\\b\\d+(\\.\\d+)?(ms|s|h|m)?",relevance:0},{className:"literal",begin:"[-]?(infinity|inf)",relevance:0},{className:"attr",begin:/([A-Za-z$_#][\w_-]+)=/,relevance:0},{className:"tag",begin:"</?",end:"/?>",relevance:0}]}}return Zp=e,Zp}var Jp,Xv;function sM(){if(Xv)return Jp;Xv=1;function e(t){const n="(_?[ui](8|16|32|64|128))?",r="(_?f(32|64))?",a="[a-zA-Z_]\\w*[!?=]?",o="[a-zA-Z_]\\w*[!?=]?|[-+~]@|<<|>>|[=!]~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~|]|//|//=|&[-+*]=?|&\\*\\*|\\[\\][=?]?",l="[A-Za-z_]\\w*(::\\w+)*(\\?|!)?",u={$pattern:a,keyword:"abstract alias annotation as as? asm begin break case class def do else elsif end ensure enum extend for fun if include instance_sizeof is_a? lib macro module next nil? of out pointerof private protected rescue responds_to? return require select self sizeof struct super then type typeof union uninitialized unless until verbatim when while with yield __DIR__ __END_LINE__ __FILE__ __LINE__",literal:"false nil true"},c={className:"subst",begin:/#\{/,end:/\}/,keywords:u},d={className:"variable",begin:"(\\$\\W)|((\\$|@@?)(\\w+))(?=[^@$?])(?![A-Za-z])(?![@$?'])"},S={className:"template-variable",variants:[{begin:"\\{\\{",end:"\\}\\}"},{begin:"\\{%",end:"%\\}"}],keywords:u};function _(O,N){const R=[{begin:O,end:N}];return R[0].contains=R,R}const E={className:"string",contains:[t.BACKSLASH_ESCAPE,c],variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/`/,end:/`/},{begin:"%[Qwi]?\\(",end:"\\)",contains:_("\\(","\\)")},{begin:"%[Qwi]?\\[",end:"\\]",contains:_("\\[","\\]")},{begin:"%[Qwi]?\\{",end:/\}/,contains:_(/\{/,/\}/)},{begin:"%[Qwi]?<",end:">",contains:_("<",">")},{begin:"%[Qwi]?\\|",end:"\\|"},{begin:/<<-\w+$/,end:/^\s*\w+$/}],relevance:0},T={className:"string",variants:[{begin:"%q\\(",end:"\\)",contains:_("\\(","\\)")},{begin:"%q\\[",end:"\\]",contains:_("\\[","\\]")},{begin:"%q\\{",end:/\}/,contains:_(/\{/,/\}/)},{begin:"%q<",end:">",contains:_("<",">")},{begin:"%q\\|",end:"\\|"},{begin:/<<-'\w+'$/,end:/^\s*\w+$/}],relevance:0},y={begin:"(?!%\\})("+t.RE_STARTERS_RE+"|\\n|\\b(case|if|select|unless|until|when|while)\\b)\\s*",keywords:"case if select unless until when while",contains:[{className:"regexp",contains:[t.BACKSLASH_ESCAPE,c],variants:[{begin:"//[a-z]*",relevance:0},{begin:"/(?!\\/)",end:"/[a-z]*"}]}],relevance:0},M={className:"regexp",contains:[t.BACKSLASH_ESCAPE,c],variants:[{begin:"%r\\(",end:"\\)",contains:_("\\(","\\)")},{begin:"%r\\[",end:"\\]",contains:_("\\[","\\]")},{begin:"%r\\{",end:/\}/,contains:_(/\{/,/\}/)},{begin:"%r<",end:">",contains:_("<",">")},{begin:"%r\\|",end:"\\|"}],relevance:0},v={className:"meta",begin:"@\\[",end:"\\]",contains:[t.inherit(t.QUOTE_STRING_MODE,{className:"string"})]},A=[S,E,T,M,y,v,d,t.HASH_COMMENT_MODE,{className:"class",beginKeywords:"class module struct",end:"$|;",illegal:/=/,contains:[t.HASH_COMMENT_MODE,t.inherit(t.TITLE_MODE,{begin:l}),{begin:"<"}]},{className:"class",beginKeywords:"lib enum union",end:"$|;",illegal:/=/,contains:[t.HASH_COMMENT_MODE,t.inherit(t.TITLE_MODE,{begin:l})]},{beginKeywords:"annotation",end:"$|;",illegal:/=/,contains:[t.HASH_COMMENT_MODE,t.inherit(t.TITLE_MODE,{begin:l})],relevance:2},{className:"function",beginKeywords:"def",end:/\B\b/,contains:[t.inherit(t.TITLE_MODE,{begin:o,endsParent:!0})]},{className:"function",beginKeywords:"fun macro",end:/\B\b/,contains:[t.inherit(t.TITLE_MODE,{begin:o,endsParent:!0})],relevance:2},{className:"symbol",begin:t.UNDERSCORE_IDENT_RE+"(!|\\?)?:",relevance:0},{className:"symbol",begin:":",contains:[E,{begin:o}],relevance:0},{className:"number",variants:[{begin:"\\b0b([01_]+)"+n},{begin:"\\b0o([0-7_]+)"+n},{begin:"\\b0x([A-Fa-f0-9_]+)"+n},{begin:"\\b([1-9][0-9_]*[0-9]|[0-9])(\\.[0-9][0-9_]*)?([eE]_?[-+]?[0-9_]*)?"+r+"(?!_)"},{begin:"\\b([1-9][0-9_]*|0)"+n}],relevance:0}];return c.contains=A,S.contains=A.slice(1),{name:"Crystal",aliases:["cr"],keywords:u,contains:A}}return Jp=e,Jp}var e_,Zv;function lM(){if(Zv)return e_;Zv=1;function e(t){const n=["bool","byte","char","decimal","delegate","double","dynamic","enum","float","int","long","nint","nuint","object","sbyte","short","string","ulong","uint","ushort"],r=["public","private","protected","static","internal","protected","abstract","async","extern","override","unsafe","virtual","new","sealed","partial"],a=["default","false","null","true"],o=["abstract","as","base","break","case","catch","class","const","continue","do","else","event","explicit","extern","finally","fixed","for","foreach","goto","if","implicit","in","interface","internal","is","lock","namespace","new","operator","out","override","params","private","protected","public","readonly","record","ref","return","scoped","sealed","sizeof","stackalloc","static","struct","switch","this","throw","try","typeof","unchecked","unsafe","using","virtual","void","volatile","while"],l=["add","alias","and","ascending","async","await","by","descending","equals","from","get","global","group","init","into","join","let","nameof","not","notnull","on","or","orderby","partial","remove","select","set","unmanaged","value|0","var","when","where","with","yield"],u={keyword:o.concat(l),built_in:n,literal:a},c=t.inherit(t.TITLE_MODE,{begin:"[a-zA-Z](\\.?\\w)*"}),d={className:"number",variants:[{begin:"\\b(0b[01']+)"},{begin:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)(u|U|l|L|ul|UL|f|F|b|B)"},{begin:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],relevance:0},S={className:"string",begin:'@"',end:'"',contains:[{begin:'""'}]},_=t.inherit(S,{illegal:/\n/}),E={className:"subst",begin:/\{/,end:/\}/,keywords:u},T=t.inherit(E,{illegal:/\n/}),y={className:"string",begin:/\$"/,end:'"',illegal:/\n/,contains:[{begin:/\{\{/},{begin:/\}\}/},t.BACKSLASH_ESCAPE,T]},M={className:"string",begin:/\$@"/,end:'"',contains:[{begin:/\{\{/},{begin:/\}\}/},{begin:'""'},E]},v=t.inherit(M,{illegal:/\n/,contains:[{begin:/\{\{/},{begin:/\}\}/},{begin:'""'},T]});E.contains=[M,y,S,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,d,t.C_BLOCK_COMMENT_MODE],T.contains=[v,y,_,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,d,t.inherit(t.C_BLOCK_COMMENT_MODE,{illegal:/\n/})];const A={variants:[M,y,S,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]},O={begin:"<",end:">",contains:[{beginKeywords:"in out"},c]},N=t.IDENT_RE+"(<"+t.IDENT_RE+"(\\s*,\\s*"+t.IDENT_RE+")*>)?(\\[\\])?",R={begin:"@"+t.IDENT_RE,relevance:0};return{name:"C#",aliases:["cs","c#"],keywords:u,illegal:/::/,contains:[t.COMMENT("///","$",{returnBegin:!0,contains:[{className:"doctag",variants:[{begin:"///",relevance:0},{begin:"<!--|-->"},{begin:"</?",end:">"}]}]}),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"meta",begin:"#",end:"$",keywords:{keyword:"if else elif endif define undef warning error line region endregion pragma checksum"}},A,d,{beginKeywords:"class interface",relevance:0,end:/[{;=]/,illegal:/[^\s:,]/,contains:[{beginKeywords:"where class"},c,O,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{beginKeywords:"namespace",relevance:0,end:/[{;=]/,illegal:/[^\s:]/,contains:[c,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{beginKeywords:"record",relevance:0,end:/[{;=]/,illegal:/[^\s:]/,contains:[c,O,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{className:"meta",begin:"^\\s*\\[(?=[\\w])",excludeBegin:!0,end:"\\]",excludeEnd:!0,contains:[{className:"string",begin:/"/,end:/"/}]},{beginKeywords:"new return throw await else",relevance:0},{className:"function",begin:"("+N+"\\s+)+"+t.IDENT_RE+"\\s*(<[^=]+>\\s*)?\\(",returnBegin:!0,end:/\s*[{;=]/,excludeEnd:!0,keywords:u,contains:[{beginKeywords:r.join(" "),relevance:0},{begin:t.IDENT_RE+"\\s*(<[^=]+>\\s*)?\\(",returnBegin:!0,contains:[t.TITLE_MODE,O],relevance:0},{match:/\(\)/},{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:u,relevance:0,contains:[A,d,t.C_BLOCK_COMMENT_MODE]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},R]}}return e_=e,e_}var t_,Jv;function uM(){if(Jv)return t_;Jv=1;function e(t){return{name:"CSP",case_insensitive:!1,keywords:{$pattern:"[a-zA-Z][a-zA-Z0-9_-]*",keyword:["base-uri","child-src","connect-src","default-src","font-src","form-action","frame-ancestors","frame-src","img-src","manifest-src","media-src","object-src","plugin-types","report-uri","sandbox","script-src","style-src","trusted-types","unsafe-hashes","worker-src"]},contains:[{className:"string",begin:"'",end:"'"},{className:"attribute",begin:"^Content",end:":",excludeEnd:!0}]}}return t_=e,t_}var n_,eT;function cM(){if(eT)return n_;eT=1;const e=u=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:u.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[u.APOS_STRING_MODE,u.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:u.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z_][A-Za-z0-9_-]*/}}),t=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],n=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],r=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],a=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],o=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","caret-color","clear","clip","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","grid-row-start","grid-template","grid-template-areas","grid-template-columns","grid-template-rows","hanging-punctuation","height","hyphens","icon","image-orientation","image-rendering","image-resolution","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse();function l(u){const c=u.regex,d=e(u),S={begin:/-(webkit|moz|ms|o)-(?=[a-z])/},_="and or not only",E=/@-?\w[\w]*(-\w+)*/,T="[a-zA-Z-][a-zA-Z0-9_-]*",y=[u.APOS_STRING_MODE,u.QUOTE_STRING_MODE];return{name:"CSS",case_insensitive:!0,illegal:/[=|'\$]/,keywords:{keyframePosition:"from to"},classNameAliases:{keyframePosition:"selector-tag"},contains:[d.BLOCK_COMMENT,S,d.CSS_NUMBER_MODE,{className:"selector-id",begin:/#[A-Za-z0-9_-]+/,relevance:0},{className:"selector-class",begin:"\\."+T,relevance:0},d.ATTRIBUTE_SELECTOR_MODE,{className:"selector-pseudo",variants:[{begin:":("+r.join("|")+")"},{begin:":(:)?("+a.join("|")+")"}]},d.CSS_VARIABLE,{className:"attribute",begin:"\\b("+o.join("|")+")\\b"},{begin:/:/,end:/[;}{]/,contains:[d.BLOCK_COMMENT,d.HEXCOLOR,d.IMPORTANT,d.CSS_NUMBER_MODE,...y,{begin:/(url|data-uri)\(/,end:/\)/,relevance:0,keywords:{built_in:"url data-uri"},contains:[...y,{className:"string",begin:/[^)]/,endsWithParent:!0,excludeEnd:!0}]},d.FUNCTION_DISPATCH]},{begin:c.lookahead(/@/),end:"[{;]",relevance:0,illegal:/:/,contains:[{className:"keyword",begin:E},{begin:/\s/,endsWithParent:!0,excludeEnd:!0,relevance:0,keywords:{$pattern:/[a-z-]+/,keyword:_,attribute:n.join(" ")},contains:[{begin:/[a-z-]+(?=:)/,className:"attribute"},...y,d.CSS_NUMBER_MODE]}]},{className:"selector-tag",begin:"\\b("+t.join("|")+")\\b"}]}}return n_=l,n_}var r_,tT;function dM(){if(tT)return r_;tT=1;function e(t){const n={$pattern:t.UNDERSCORE_IDENT_RE,keyword:"abstract alias align asm assert auto body break byte case cast catch class const continue debug default delete deprecated do else enum export extern final finally for foreach foreach_reverse|10 goto if immutable import in inout int interface invariant is lazy macro mixin module new nothrow out override package pragma private protected public pure ref return scope shared static struct super switch synchronized template this throw try typedef typeid typeof union unittest version void volatile while with __FILE__ __LINE__ __gshared|10 __thread __traits __DATE__ __EOF__ __TIME__ __TIMESTAMP__ __VENDOR__ __VERSION__",built_in:"bool cdouble cent cfloat char creal dchar delegate double dstring float function idouble ifloat ireal long real short string ubyte ucent uint ulong ushort wchar wstring",literal:"false null true"},r="(0|[1-9][\\d_]*)",a="(0|[1-9][\\d_]*|\\d[\\d_]*|[\\d_]+?\\d)",o="0[bB][01_]+",l="([\\da-fA-F][\\da-fA-F_]*|_[\\da-fA-F][\\da-fA-F_]*)",u="0[xX]"+l,c="([eE][+-]?"+a+")",d="("+a+"(\\.\\d*|"+c+")|\\d+\\."+a+"|\\."+r+c+"?)",S="(0[xX]("+l+"\\."+l+"|\\.?"+l+")[pP][+-]?"+a+")",_="("+r+"|"+o+"|"+u+")",E="("+S+"|"+d+")",T=`\\\\(['"\\?\\\\abfnrtv]|u[\\dA-Fa-f]{4}|[0-7]{1,3}|x[\\dA-Fa-f]{2}|U[\\dA-Fa-f]{8})|&[a-zA-Z\\d]{2,};`,y={className:"number",begin:"\\b"+_+"(L|u|U|Lu|LU|uL|UL)?",relevance:0},M={className:"number",begin:"\\b("+E+"([fF]|L|i|[fF]i|Li)?|"+_+"(i|[fF]i|Li))",relevance:0},v={className:"string",begin:"'("+T+"|.)",end:"'",illegal:"."},O={className:"string",begin:'"',contains:[{begin:T,relevance:0}],end:'"[cwd]?'},N={className:"string",begin:'[rq]"',end:'"[cwd]?',relevance:5},R={className:"string",begin:"`",end:"`[cwd]?"},L={className:"string",begin:'x"[\\da-fA-F\\s\\n\\r]*"[cwd]?',relevance:10},I={className:"string",begin:'q"\\{',end:'\\}"'},h={className:"meta",begin:"^#!",end:"$",relevance:5},k={className:"meta",begin:"#(line)",end:"$",relevance:5},F={className:"keyword",begin:"@[a-zA-Z_][a-zA-Z_\\d]*"},z=t.COMMENT("\\/\\+","\\+\\/",{contains:["self"],relevance:10});return{name:"D",keywords:n,contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,z,L,O,N,R,I,M,y,v,h,k,F]}}return r_=e,r_}var i_,nT;function fM(){if(nT)return i_;nT=1;function e(t){const n=t.regex,r={begin:/<\/?[A-Za-z_]/,end:">",subLanguage:"xml",relevance:0},a={begin:"^[-\\*]{3,}",end:"$"},o={className:"code",variants:[{begin:"(`{3,})[^`](.|\\n)*?\\1`*[ ]*"},{begin:"(~{3,})[^~](.|\\n)*?\\1~*[ ]*"},{begin:"```",end:"```+[ ]*$"},{begin:"~~~",end:"~~~+[ ]*$"},{begin:"`.+?`"},{begin:"(?=^( {4}|\\t))",contains:[{begin:"^( {4}|\\t)",end:"(\\n)$"}],relevance:0}]},l={className:"bullet",begin:"^[ 	]*([*+-]|(\\d+\\.))(?=\\s+)",end:"\\s+",excludeEnd:!0},u={begin:/^\[[^\n]+\]:/,returnBegin:!0,contains:[{className:"symbol",begin:/\[/,end:/\]/,excludeBegin:!0,excludeEnd:!0},{className:"link",begin:/:\s*/,end:/$/,excludeBegin:!0}]},c=/[A-Za-z][A-Za-z0-9+.-]*/,d={variants:[{begin:/\[.+?\]\[.*?\]/,relevance:0},{begin:/\[.+?\]\(((data|javascript|mailto):|(?:http|ftp)s?:\/\/).*?\)/,relevance:2},{begin:n.concat(/\[.+?\]\(/,c,/:\/\/.*?\)/),relevance:2},{begin:/\[.+?\]\([./?&#].*?\)/,relevance:1},{begin:/\[.*?\]\(.*?\)/,relevance:0}],returnBegin:!0,contains:[{match:/\[(?=\])/},{className:"string",relevance:0,begin:"\\[",end:"\\]",excludeBegin:!0,returnEnd:!0},{className:"link",relevance:0,begin:"\\]\\(",end:"\\)",excludeBegin:!0,excludeEnd:!0},{className:"symbol",relevance:0,begin:"\\]\\[",end:"\\]",excludeBegin:!0,excludeEnd:!0}]},S={className:"strong",contains:[],variants:[{begin:/_{2}(?!\s)/,end:/_{2}/},{begin:/\*{2}(?!\s)/,end:/\*{2}/}]},_={className:"emphasis",contains:[],variants:[{begin:/\*(?![*\s])/,end:/\*/},{begin:/_(?![_\s])/,end:/_/,relevance:0}]},E=t.inherit(S,{contains:[]}),T=t.inherit(_,{contains:[]});S.contains.push(T),_.contains.push(E);let y=[r,d];return[S,_,E,T].forEach(A=>{A.contains=A.contains.concat(y)}),y=y.concat(S,_),{name:"Markdown",aliases:["md","mkdown","mkd"],contains:[{className:"section",variants:[{begin:"^#{1,6}",end:"$",contains:y},{begin:"(?=^.+?\\n[=-]{2,}$)",contains:[{begin:"^[=-]*$"},{begin:"^",end:"\\n",contains:y}]}]},r,l,S,_,{className:"quote",begin:"^>\\s+",contains:y,end:"$"},o,a,d,u]}}return i_=e,i_}var a_,rT;function pM(){if(rT)return a_;rT=1;function e(t){const n={className:"subst",variants:[{begin:"\\$[A-Za-z0-9_]+"}]},r={className:"subst",variants:[{begin:/\$\{/,end:/\}/}],keywords:"true false null this is new super"},a={className:"string",variants:[{begin:"r'''",end:"'''"},{begin:'r"""',end:'"""'},{begin:"r'",end:"'",illegal:"\\n"},{begin:'r"',end:'"',illegal:"\\n"},{begin:"'''",end:"'''",contains:[t.BACKSLASH_ESCAPE,n,r]},{begin:'"""',end:'"""',contains:[t.BACKSLASH_ESCAPE,n,r]},{begin:"'",end:"'",illegal:"\\n",contains:[t.BACKSLASH_ESCAPE,n,r]},{begin:'"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE,n,r]}]};r.contains=[t.C_NUMBER_MODE,a];const o=["Comparable","DateTime","Duration","Function","Iterable","Iterator","List","Map","Match","Object","Pattern","RegExp","Set","Stopwatch","String","StringBuffer","StringSink","Symbol","Type","Uri","bool","double","int","num","Element","ElementList"],l=o.map(d=>`${d}?`);return{name:"Dart",keywords:{keyword:["abstract","as","assert","async","await","base","break","case","catch","class","const","continue","covariant","default","deferred","do","dynamic","else","enum","export","extends","extension","external","factory","false","final","finally","for","Function","get","hide","if","implements","import","in","interface","is","late","library","mixin","new","null","on","operator","part","required","rethrow","return","sealed","set","show","static","super","switch","sync","this","throw","true","try","typedef","var","void","when","while","with","yield"],built_in:o.concat(l).concat(["Never","Null","dynamic","print","document","querySelector","querySelectorAll","window"]),$pattern:/[A-Za-z][A-Za-z0-9_]*\??/},contains:[a,t.COMMENT(/\/\*\*(?!\/)/,/\*\//,{subLanguage:"markdown",relevance:0}),t.COMMENT(/\/{3,} ?/,/$/,{contains:[{subLanguage:"markdown",begin:".",end:"$",relevance:0}]}),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"class",beginKeywords:"class interface",end:/\{/,excludeEnd:!0,contains:[{beginKeywords:"extends implements"},t.UNDERSCORE_TITLE_MODE]},t.C_NUMBER_MODE,{className:"meta",begin:"@[A-Za-z]+"},{begin:"=>"}]}}return a_=e,a_}var o_,iT;function _M(){if(iT)return o_;iT=1;function e(t){const n=["exports","register","file","shl","array","record","property","for","mod","while","set","ally","label","uses","raise","not","stored","class","safecall","var","interface","or","private","static","exit","index","inherited","to","else","stdcall","override","shr","asm","far","resourcestring","finalization","packed","virtual","out","and","protected","library","do","xorwrite","goto","near","function","end","div","overload","object","unit","begin","string","on","inline","repeat","until","destructor","write","message","program","with","read","initialization","except","default","nil","if","case","cdecl","in","downto","threadvar","of","try","pascal","const","external","constructor","type","public","then","implementation","finally","published","procedure","absolute","reintroduce","operator","as","is","abstract","alias","assembler","bitpacked","break","continue","cppdecl","cvar","enumerator","experimental","platform","deprecated","unimplemented","dynamic","export","far16","forward","generic","helper","implements","interrupt","iochecks","local","name","nodefault","noreturn","nostackframe","oldfpccall","otherwise","saveregisters","softfloat","specialize","strict","unaligned","varargs"],r=[t.C_LINE_COMMENT_MODE,t.COMMENT(/\{/,/\}/,{relevance:0}),t.COMMENT(/\(\*/,/\*\)/,{relevance:10})],a={className:"meta",variants:[{begin:/\{\$/,end:/\}/},{begin:/\(\*\$/,end:/\*\)/}]},o={className:"string",begin:/'/,end:/'/,contains:[{begin:/''/}]},l={className:"number",relevance:0,variants:[{begin:"\\$[0-9A-Fa-f]+"},{begin:"&[0-7]+"},{begin:"%[01]+"}]},u={className:"string",begin:/(#\d+)+/},c={begin:t.IDENT_RE+"\\s*=\\s*class\\s*\\(",returnBegin:!0,contains:[t.TITLE_MODE]},d={className:"function",beginKeywords:"function constructor destructor procedure",end:/[:;]/,keywords:"function constructor|10 destructor|10 procedure|10",contains:[t.TITLE_MODE,{className:"params",begin:/\(/,end:/\)/,keywords:n,contains:[o,u,a].concat(r)},a].concat(r)};return{name:"Delphi",aliases:["dpr","dfm","pas","pascal"],case_insensitive:!0,keywords:n,illegal:/"|\$[G-Zg-z]|\/\*|<\/|\|/,contains:[o,u,t.NUMBER_MODE,l,c,d,a].concat(r)}}return o_=e,o_}var s_,aT;function mM(){if(aT)return s_;aT=1;function e(t){const n=t.regex;return{name:"Diff",aliases:["patch"],contains:[{className:"meta",relevance:10,match:n.either(/^@@ +-\d+,\d+ +\+\d+,\d+ +@@/,/^\*\*\* +\d+,\d+ +\*\*\*\*$/,/^--- +\d+,\d+ +----$/)},{className:"comment",variants:[{begin:n.either(/Index: /,/^index/,/={3,}/,/^-{3}/,/^\*{3} /,/^\+{3}/,/^diff --git/),end:/$/},{match:/^\*{15}$/}]},{className:"addition",begin:/^\+/,end:/$/},{className:"deletion",begin:/^-/,end:/$/},{className:"addition",begin:/^!/,end:/$/}]}}return s_=e,s_}var l_,oT;function gM(){if(oT)return l_;oT=1;function e(t){const n={begin:/\|[A-Za-z]+:?/,keywords:{name:"truncatewords removetags linebreaksbr yesno get_digit timesince random striptags filesizeformat escape linebreaks length_is ljust rjust cut urlize fix_ampersands title floatformat capfirst pprint divisibleby add make_list unordered_list urlencode timeuntil urlizetrunc wordcount stringformat linenumbers slice date dictsort dictsortreversed default_if_none pluralize lower join center default truncatewords_html upper length phone2numeric wordwrap time addslashes slugify first escapejs force_escape iriencode last safe safeseq truncatechars localize unlocalize localtime utc timezone"},contains:[t.QUOTE_STRING_MODE,t.APOS_STRING_MODE]};return{name:"Django",aliases:["jinja"],case_insensitive:!0,subLanguage:"xml",contains:[t.COMMENT(/\{%\s*comment\s*%\}/,/\{%\s*endcomment\s*%\}/),t.COMMENT(/\{#/,/#\}/),{className:"template-tag",begin:/\{%/,end:/%\}/,contains:[{className:"name",begin:/\w+/,keywords:{name:"comment endcomment load templatetag ifchanged endifchanged if endif firstof for endfor ifnotequal endifnotequal widthratio extends include spaceless endspaceless regroup ifequal endifequal ssi now with cycle url filter endfilter debug block endblock else autoescape endautoescape csrf_token empty elif endwith static trans blocktrans endblocktrans get_static_prefix get_media_prefix plural get_current_language language get_available_languages get_current_language_bidi get_language_info get_language_info_list localize endlocalize localtime endlocaltime timezone endtimezone get_current_timezone verbatim"},starts:{endsWithParent:!0,keywords:"in by as",contains:[n],relevance:0}}]},{className:"template-variable",begin:/\{\{/,end:/\}\}/,contains:[n]}]}}return l_=e,l_}var u_,sT;function hM(){if(sT)return u_;sT=1;function e(t){return{name:"DNS Zone",aliases:["bind","zone"],keywords:["IN","A","AAAA","AFSDB","APL","CAA","CDNSKEY","CDS","CERT","CNAME","DHCID","DLV","DNAME","DNSKEY","DS","HIP","IPSECKEY","KEY","KX","LOC","MX","NAPTR","NS","NSEC","NSEC3","NSEC3PARAM","PTR","RRSIG","RP","SIG","SOA","SRV","SSHFP","TA","TKEY","TLSA","TSIG","TXT"],contains:[t.COMMENT(";","$",{relevance:0}),{className:"meta",begin:/^\$(TTL|GENERATE|INCLUDE|ORIGIN)\b/},{className:"number",begin:"((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:)))\\b"},{className:"number",begin:"((25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9]).){3,3}(25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9])\\b"},t.inherit(t.NUMBER_MODE,{begin:/\b\d+[dhwm]?/})]}}return u_=e,u_}var c_,lT;function EM(){if(lT)return c_;lT=1;function e(t){return{name:"Dockerfile",aliases:["docker"],case_insensitive:!0,keywords:["from","maintainer","expose","env","arg","user","onbuild","stopsignal"],contains:[t.HASH_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.NUMBER_MODE,{beginKeywords:"run cmd entrypoint volume add copy workdir label healthcheck shell",starts:{end:/[^\\]$/,subLanguage:"bash"}}],illegal:"</"}}return c_=e,c_}var d_,uT;function SM(){if(uT)return d_;uT=1;function e(t){const n=t.COMMENT(/^\s*@?rem\b/,/$/,{relevance:10});return{name:"Batch file (DOS)",aliases:["bat","cmd"],case_insensitive:!0,illegal:/\/\*/,keywords:{keyword:["if","else","goto","for","in","do","call","exit","not","exist","errorlevel","defined","equ","neq","lss","leq","gtr","geq"],built_in:["prn","nul","lpt3","lpt2","lpt1","con","com4","com3","com2","com1","aux","shift","cd","dir","echo","setlocal","endlocal","set","pause","copy","append","assoc","at","attrib","break","cacls","cd","chcp","chdir","chkdsk","chkntfs","cls","cmd","color","comp","compact","convert","date","dir","diskcomp","diskcopy","doskey","erase","fs","find","findstr","format","ftype","graftabl","help","keyb","label","md","mkdir","mode","more","move","path","pause","print","popd","pushd","promt","rd","recover","rem","rename","replace","restore","rmdir","shift","sort","start","subst","time","title","tree","type","ver","verify","vol","ping","net","ipconfig","taskkill","xcopy","ren","del"]},contains:[{className:"variable",begin:/%%[^ ]|%[^ ]+?%|![^ ]+?!/},{className:"function",begin:{className:"symbol",begin:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)",relevance:0}.begin,end:"goto:eof",contains:[t.inherit(t.TITLE_MODE,{begin:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),n]},{className:"number",begin:"\\b\\d+",relevance:0},n]}}return d_=e,d_}var f_,cT;function bM(){if(cT)return f_;cT=1;function e(t){return{keywords:"dsconfig",contains:[{className:"keyword",begin:"^dsconfig",end:/\s/,excludeEnd:!0,relevance:10},{className:"built_in",begin:/(list|create|get|set|delete)-(\w+)/,end:/\s/,excludeEnd:!0,illegal:"!@#$%^&*()",relevance:10},{className:"built_in",begin:/--(\w+)/,end:/\s/,excludeEnd:!0},{className:"string",begin:/"/,end:/"/},{className:"string",begin:/'/,end:/'/},{className:"string",begin:/[\w\-?]+:\w+/,end:/\W/,relevance:0},{className:"string",begin:/\w+(\-\w+)*/,end:/(?=\W)/,relevance:0},t.HASH_COMMENT_MODE]}}return f_=e,f_}var p_,dT;function vM(){if(dT)return p_;dT=1;function e(t){const n={className:"string",variants:[t.inherit(t.QUOTE_STRING_MODE,{begin:'((u8?|U)|L)?"'}),{begin:'(u8?|U)?R"',end:'"',contains:[t.BACKSLASH_ESCAPE]},{begin:"'\\\\?.",end:"'",illegal:"."}]},r={className:"number",variants:[{begin:"\\b(\\d+(\\.\\d*)?|\\.\\d+)(u|U|l|L|ul|UL|f|F)"},{begin:t.C_NUMBER_RE}],relevance:0},a={className:"meta",begin:"#",end:"$",keywords:{keyword:"if else elif endif define undef ifdef ifndef"},contains:[{begin:/\\\n/,relevance:0},{beginKeywords:"include",end:"$",keywords:{keyword:"include"},contains:[t.inherit(n,{className:"string"}),{className:"string",begin:"<",end:">",illegal:"\\n"}]},n,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},o={className:"variable",begin:/&[a-z\d_]*\b/},l={className:"keyword",begin:"/[a-z][a-z\\d-]*/"},u={className:"symbol",begin:"^\\s*[a-zA-Z_][a-zA-Z\\d_]*:"},c={className:"params",relevance:0,begin:"<",end:">",contains:[r,o]},d={className:"title.class",begin:/[a-zA-Z_][a-zA-Z\d_@-]*(?=\s\{)/,relevance:.2},S={className:"title.class",begin:/^\/(?=\s*\{)/,relevance:10},_={match:/[a-z][a-z-,]+(?=;)/,relevance:0,scope:"attr"},E={relevance:0,match:[/[a-z][a-z-,]+/,/\s*/,/=/],scope:{1:"attr",3:"operator"}},T={scope:"punctuation",relevance:0,match:/\};|[;{}]/};return{name:"Device Tree",contains:[S,o,l,u,d,E,_,c,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,r,n,a,T,{begin:t.IDENT_RE+"::",keywords:""}]}}return p_=e,p_}var __,fT;function TM(){if(fT)return __;fT=1;function e(t){const n="if eq ne lt lte gt gte select default math sep";return{name:"Dust",aliases:["dst"],case_insensitive:!0,subLanguage:"xml",contains:[{className:"template-tag",begin:/\{[#\/]/,end:/\}/,illegal:/;/,contains:[{className:"name",begin:/[a-zA-Z\.-]+/,starts:{endsWithParent:!0,relevance:0,contains:[t.QUOTE_STRING_MODE]}}]},{className:"template-variable",begin:/\{/,end:/\}/,illegal:/;/,keywords:n}]}}return __=e,__}var m_,pT;function yM(){if(pT)return m_;pT=1;function e(t){const n=t.COMMENT(/\(\*/,/\*\)/),r={className:"attribute",begin:/^[ ]*[a-zA-Z]+([\s_-]+[a-zA-Z]+)*/},o={begin:/=/,end:/[.;]/,contains:[n,{className:"meta",begin:/\?.*\?/},{className:"string",variants:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{begin:"`",end:"`"}]}]};return{name:"Extended Backus-Naur Form",illegal:/\S/,contains:[n,r,o]}}return m_=e,m_}var g_,_T;function CM(){if(_T)return g_;_T=1;function e(t){const n=t.regex,r="[a-zA-Z_][a-zA-Z0-9_.]*(!|\\?)?",a="[a-zA-Z_]\\w*[!?=]?|[-+~]@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?",u={$pattern:r,keyword:["after","alias","and","case","catch","cond","defstruct","defguard","do","else","end","fn","for","if","import","in","not","or","quote","raise","receive","require","reraise","rescue","try","unless","unquote","unquote_splicing","use","when","with|0"],literal:["false","nil","true"]},c={className:"subst",begin:/#\{/,end:/\}/,keywords:u},d={className:"number",begin:"(\\b0o[0-7_]+)|(\\b0b[01_]+)|(\\b0x[0-9a-fA-F_]+)|(-?\\b[0-9][0-9_]*(\\.[0-9_]+([eE][-+]?[0-9]+)?)?)",relevance:0},_={match:/\\[\s\S]/,scope:"char.escape",relevance:0},E=`[/|([{<"']`,T=[{begin:/"/,end:/"/},{begin:/'/,end:/'/},{begin:/\//,end:/\//},{begin:/\|/,end:/\|/},{begin:/\(/,end:/\)/},{begin:/\[/,end:/\]/},{begin:/\{/,end:/\}/},{begin:/</,end:/>/}],y=I=>({scope:"char.escape",begin:n.concat(/\\/,I),relevance:0}),M={className:"string",begin:"~[a-z](?="+E+")",contains:T.map(I=>t.inherit(I,{contains:[y(I.end),_,c]}))},v={className:"string",begin:"~[A-Z](?="+E+")",contains:T.map(I=>t.inherit(I,{contains:[y(I.end)]}))},A={className:"regex",variants:[{begin:"~r(?="+E+")",contains:T.map(I=>t.inherit(I,{end:n.concat(I.end,/[uismxfU]{0,7}/),contains:[y(I.end),_,c]}))},{begin:"~R(?="+E+")",contains:T.map(I=>t.inherit(I,{end:n.concat(I.end,/[uismxfU]{0,7}/),contains:[y(I.end)]}))}]},O={className:"string",contains:[t.BACKSLASH_ESCAPE,c],variants:[{begin:/"""/,end:/"""/},{begin:/'''/,end:/'''/},{begin:/~S"""/,end:/"""/,contains:[]},{begin:/~S"/,end:/"/,contains:[]},{begin:/~S'''/,end:/'''/,contains:[]},{begin:/~S'/,end:/'/,contains:[]},{begin:/'/,end:/'/},{begin:/"/,end:/"/}]},N={className:"function",beginKeywords:"def defp defmacro defmacrop",end:/\B\b/,contains:[t.inherit(t.TITLE_MODE,{begin:r,endsParent:!0})]},R=t.inherit(N,{className:"class",beginKeywords:"defimpl defmodule defprotocol defrecord",end:/\bdo\b|$|;/}),L=[O,A,v,M,t.HASH_COMMENT_MODE,R,N,{begin:"::"},{className:"symbol",begin:":(?![\\s:])",contains:[O,{begin:a}],relevance:0},{className:"symbol",begin:r+":(?!:)",relevance:0},{className:"title.class",begin:/(\b[A-Z][a-zA-Z0-9_]+)/,relevance:0},d,{className:"variable",begin:"(\\$\\W)|((\\$|@@?)(\\w+))"}];return c.contains=L,{name:"Elixir",aliases:["ex","exs"],keywords:u,contains:L}}return g_=e,g_}var h_,mT;function AM(){if(mT)return h_;mT=1;function e(t){const n={variants:[t.COMMENT("--","$"),t.COMMENT(/\{-/,/-\}/,{contains:["self"]})]},r={className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},a={begin:"\\(",end:"\\)",illegal:'"',contains:[{className:"type",begin:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},n]},o={begin:/\{/,end:/\}/,contains:a.contains},l={className:"string",begin:"'\\\\?.",end:"'",illegal:"."};return{name:"Elm",keywords:["let","in","if","then","else","case","of","where","module","import","exposing","type","alias","as","infix","infixl","infixr","port","effect","command","subscription"],contains:[{beginKeywords:"port effect module",end:"exposing",keywords:"port effect module where command subscription exposing",contains:[a,n],illegal:"\\W\\.|;"},{begin:"import",end:"$",keywords:"import as exposing",contains:[a,n],illegal:"\\W\\.|;"},{begin:"type",end:"$",keywords:"type alias",contains:[r,a,o,n]},{beginKeywords:"infix infixl infixr",end:"$",contains:[t.C_NUMBER_MODE,n]},{begin:"port",end:"$",keywords:"port",contains:[n]},l,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,r,t.inherit(t.TITLE_MODE,{begin:"^[_a-z][\\w']*"}),n,{begin:"->|<-"}],illegal:/;/}}return h_=e,h_}var E_,gT;function OM(){if(gT)return E_;gT=1;function e(t){const n=t.regex,r="([a-zA-Z_]\\w*[!?=]?|[-+~]@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?)",a=n.either(/\b([A-Z]+[a-z0-9]+)+/,/\b([A-Z]+[a-z0-9]+)+[A-Z]+/),o=n.concat(a,/(::\w+)*/),u={"variable.constant":["__FILE__","__LINE__","__ENCODING__"],"variable.language":["self","super"],keyword:["alias","and","begin","BEGIN","break","case","class","defined","do","else","elsif","end","END","ensure","for","if","in","module","next","not","or","redo","require","rescue","retry","return","then","undef","unless","until","when","while","yield",...["include","extend","prepend","public","private","protected","raise","throw"]],built_in:["proc","lambda","attr_accessor","attr_reader","attr_writer","define_method","private_constant","module_function"],literal:["true","false","nil"]},c={className:"doctag",begin:"@[A-Za-z]+"},d={begin:"#<",end:">"},S=[t.COMMENT("#","$",{contains:[c]}),t.COMMENT("^=begin","^=end",{contains:[c],relevance:10}),t.COMMENT("^__END__",t.MATCH_NOTHING_RE)],_={className:"subst",begin:/#\{/,end:/\}/,keywords:u},E={className:"string",contains:[t.BACKSLASH_ESCAPE,_],variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/`/,end:/`/},{begin:/%[qQwWx]?\(/,end:/\)/},{begin:/%[qQwWx]?\[/,end:/\]/},{begin:/%[qQwWx]?\{/,end:/\}/},{begin:/%[qQwWx]?</,end:/>/},{begin:/%[qQwWx]?\//,end:/\//},{begin:/%[qQwWx]?%/,end:/%/},{begin:/%[qQwWx]?-/,end:/-/},{begin:/%[qQwWx]?\|/,end:/\|/},{begin:/\B\?(\\\d{1,3})/},{begin:/\B\?(\\x[A-Fa-f0-9]{1,2})/},{begin:/\B\?(\\u\{?[A-Fa-f0-9]{1,6}\}?)/},{begin:/\B\?(\\M-\\C-|\\M-\\c|\\c\\M-|\\M-|\\C-\\M-)[\x20-\x7e]/},{begin:/\B\?\\(c|C-)[\x20-\x7e]/},{begin:/\B\?\\?\S/},{begin:n.concat(/<<[-~]?'?/,n.lookahead(/(\w+)(?=\W)[^\n]*\n(?:[^\n]*\n)*?\s*\1\b/)),contains:[t.END_SAME_AS_BEGIN({begin:/(\w+)/,end:/(\w+)/,contains:[t.BACKSLASH_ESCAPE,_]})]}]},T="[1-9](_?[0-9])*|0",y="[0-9](_?[0-9])*",M={className:"number",relevance:0,variants:[{begin:`\\b(${T})(\\.(${y}))?([eE][+-]?(${y})|r)?i?\\b`},{begin:"\\b0[dD][0-9](_?[0-9])*r?i?\\b"},{begin:"\\b0[bB][0-1](_?[0-1])*r?i?\\b"},{begin:"\\b0[oO][0-7](_?[0-7])*r?i?\\b"},{begin:"\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*r?i?\\b"},{begin:"\\b0(_?[0-7])+r?i?\\b"}]},v={variants:[{match:/\(\)/},{className:"params",begin:/\(/,end:/(?=\))/,excludeBegin:!0,endsParent:!0,keywords:u}]},h=[E,{variants:[{match:[/class\s+/,o,/\s+<\s+/,o]},{match:[/\b(class|module)\s+/,o]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:u},{match:[/(include|extend)\s+/,o],scope:{2:"title.class"},keywords:u},{relevance:0,match:[o,/\.new[. (]/],scope:{1:"title.class"}},{relevance:0,match:/\b[A-Z][A-Z_0-9]+\b/,className:"variable.constant"},{relevance:0,match:a,scope:"title.class"},{match:[/def/,/\s+/,r],scope:{1:"keyword",3:"title.function"},contains:[v]},{begin:t.IDENT_RE+"::"},{className:"symbol",begin:t.UNDERSCORE_IDENT_RE+"(!|\\?)?:",relevance:0},{className:"symbol",begin:":(?!\\s)",contains:[E,{begin:r}],relevance:0},M,{className:"variable",begin:"(\\$\\W)|((\\$|@@?)(\\w+))(?=[^@$?])(?![A-Za-z])(?![@$?'])"},{className:"params",begin:/\|/,end:/\|/,excludeBegin:!0,excludeEnd:!0,relevance:0,keywords:u},{begin:"("+t.RE_STARTERS_RE+"|unless)\\s*",keywords:"unless",contains:[{className:"regexp",contains:[t.BACKSLASH_ESCAPE,_],illegal:/\n/,variants:[{begin:"/",end:"/[a-z]*"},{begin:/%r\{/,end:/\}[a-z]*/},{begin:"%r\\(",end:"\\)[a-z]*"},{begin:"%r!",end:"![a-z]*"},{begin:"%r\\[",end:"\\][a-z]*"}]}].concat(d,S),relevance:0}].concat(d,S);_.contains=h,v.contains=h;const k="[>?]>",F="[\\w#]+\\(\\w+\\):\\d+:\\d+[>*]",z="(\\w+-)?\\d+\\.\\d+\\.\\d+(p\\d+)?[^\\d][^>]+>",K=[{begin:/^\s*=>/,starts:{end:"$",contains:h}},{className:"meta.prompt",begin:"^("+k+"|"+F+"|"+z+")(?=[ ])",starts:{end:"$",keywords:u,contains:h}}];return S.unshift(d),{name:"Ruby",aliases:["rb","gemspec","podspec","thor","irb"],keywords:u,illegal:/\/\*/,contains:[t.SHEBANG({binary:"ruby"})].concat(K).concat(S).concat(h)}}return E_=e,E_}var S_,hT;function RM(){if(hT)return S_;hT=1;function e(t){return{name:"ERB",subLanguage:"xml",contains:[t.COMMENT("<%#","%>"),{begin:"<%[%=-]?",end:"[%-]?%>",subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0}]}}return S_=e,S_}var b_,ET;function NM(){if(ET)return b_;ET=1;function e(t){const n=t.regex;return{name:"Erlang REPL",keywords:{built_in:"spawn spawn_link self",keyword:"after and andalso|10 band begin bnot bor bsl bsr bxor case catch cond div end fun if let not of or orelse|10 query receive rem try when xor"},contains:[{className:"meta.prompt",begin:"^[0-9]+> ",relevance:10},t.COMMENT("%","$"),{className:"number",begin:"\\b(\\d+(_\\d+)*#[a-fA-F0-9]+(_[a-fA-F0-9]+)*|\\d+(_\\d+)*(\\.\\d+(_\\d+)*)?([eE][-+]?\\d+)?)",relevance:0},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{begin:n.concat(/\?(::)?/,/([A-Z]\w*)/,/((::)[A-Z]\w*)*/)},{begin:"->"},{begin:"ok"},{begin:"!"},{begin:"(\\b[a-z'][a-zA-Z0-9_']*:[a-z'][a-zA-Z0-9_']*)|(\\b[a-z'][a-zA-Z0-9_']*)",relevance:0},{begin:"[A-Z][a-zA-Z0-9_']*",relevance:0}]}}return b_=e,b_}var v_,ST;function IM(){if(ST)return v_;ST=1;function e(t){const n="[a-z'][a-zA-Z0-9_']*",r="("+n+":"+n+"|"+n+")",a={keyword:"after and andalso|10 band begin bnot bor bsl bzr bxor case catch cond div end fun if let not of orelse|10 query receive rem try when xor",literal:"false true"},o=t.COMMENT("%","$"),l={className:"number",begin:"\\b(\\d+(_\\d+)*#[a-fA-F0-9]+(_[a-fA-F0-9]+)*|\\d+(_\\d+)*(\\.\\d+(_\\d+)*)?([eE][-+]?\\d+)?)",relevance:0},u={begin:"fun\\s+"+n+"/\\d+"},c={begin:r+"\\(",end:"\\)",returnBegin:!0,relevance:0,contains:[{begin:r,relevance:0},{begin:"\\(",end:"\\)",endsWithParent:!0,returnEnd:!0,relevance:0}]},d={begin:/\{/,end:/\}/,relevance:0},S={begin:"\\b_([A-Z][A-Za-z0-9_]*)?",relevance:0},_={begin:"[A-Z][a-zA-Z0-9_]*",relevance:0},E={begin:"#"+t.UNDERSCORE_IDENT_RE,relevance:0,returnBegin:!0,contains:[{begin:"#"+t.UNDERSCORE_IDENT_RE,relevance:0},{begin:/\{/,end:/\}/,relevance:0}]},T={beginKeywords:"fun receive if try case",end:"end",keywords:a};T.contains=[o,u,t.inherit(t.APOS_STRING_MODE,{className:""}),T,c,t.QUOTE_STRING_MODE,l,d,S,_,E];const y=[o,u,T,c,t.QUOTE_STRING_MODE,l,d,S,_,E];c.contains[1].contains=y,d.contains=y,E.contains[1].contains=y;const M=["-module","-record","-undef","-export","-ifdef","-ifndef","-author","-copyright","-doc","-vsn","-import","-include","-include_lib","-compile","-define","-else","-endif","-file","-behaviour","-behavior","-spec"],v={className:"params",begin:"\\(",end:"\\)",contains:y};return{name:"Erlang",aliases:["erl"],keywords:a,illegal:"(</|\\*=|\\+=|-=|/\\*|\\*/|\\(\\*|\\*\\))",contains:[{className:"function",begin:"^"+n+"\\s*\\(",end:"->",returnBegin:!0,illegal:"\\(|#|//|/\\*|\\\\|:|;",contains:[v,t.inherit(t.TITLE_MODE,{begin:n})],starts:{end:";|\\.",keywords:a,contains:y}},o,{begin:"^-",end:"\\.",relevance:0,excludeEnd:!0,returnBegin:!0,keywords:{$pattern:"-"+t.IDENT_RE,keyword:M.map(A=>`${A}|1.5`).join(" ")},contains:[v]},l,t.QUOTE_STRING_MODE,E,S,_,d,{begin:/\.$/}]}}return v_=e,v_}var T_,bT;function DM(){if(bT)return T_;bT=1;function e(t){return{name:"Excel formulae",aliases:["xlsx","xls"],case_insensitive:!0,keywords:{$pattern:/[a-zA-Z][\w\.]*/,built_in:["ABS","ACCRINT","ACCRINTM","ACOS","ACOSH","ACOT","ACOTH","AGGREGATE","ADDRESS","AMORDEGRC","AMORLINC","AND","ARABIC","AREAS","ASC","ASIN","ASINH","ATAN","ATAN2","ATANH","AVEDEV","AVERAGE","AVERAGEA","AVERAGEIF","AVERAGEIFS","BAHTTEXT","BASE","BESSELI","BESSELJ","BESSELK","BESSELY","BETADIST","BETA.DIST","BETAINV","BETA.INV","BIN2DEC","BIN2HEX","BIN2OCT","BINOMDIST","BINOM.DIST","BINOM.DIST.RANGE","BINOM.INV","BITAND","BITLSHIFT","BITOR","BITRSHIFT","BITXOR","CALL","CEILING","CEILING.MATH","CEILING.PRECISE","CELL","CHAR","CHIDIST","CHIINV","CHITEST","CHISQ.DIST","CHISQ.DIST.RT","CHISQ.INV","CHISQ.INV.RT","CHISQ.TEST","CHOOSE","CLEAN","CODE","COLUMN","COLUMNS","COMBIN","COMBINA","COMPLEX","CONCAT","CONCATENATE","CONFIDENCE","CONFIDENCE.NORM","CONFIDENCE.T","CONVERT","CORREL","COS","COSH","COT","COTH","COUNT","COUNTA","COUNTBLANK","COUNTIF","COUNTIFS","COUPDAYBS","COUPDAYS","COUPDAYSNC","COUPNCD","COUPNUM","COUPPCD","COVAR","COVARIANCE.P","COVARIANCE.S","CRITBINOM","CSC","CSCH","CUBEKPIMEMBER","CUBEMEMBER","CUBEMEMBERPROPERTY","CUBERANKEDMEMBER","CUBESET","CUBESETCOUNT","CUBEVALUE","CUMIPMT","CUMPRINC","DATE","DATEDIF","DATEVALUE","DAVERAGE","DAY","DAYS","DAYS360","DB","DBCS","DCOUNT","DCOUNTA","DDB","DEC2BIN","DEC2HEX","DEC2OCT","DECIMAL","DEGREES","DELTA","DEVSQ","DGET","DISC","DMAX","DMIN","DOLLAR","DOLLARDE","DOLLARFR","DPRODUCT","DSTDEV","DSTDEVP","DSUM","DURATION","DVAR","DVARP","EDATE","EFFECT","ENCODEURL","EOMONTH","ERF","ERF.PRECISE","ERFC","ERFC.PRECISE","ERROR.TYPE","EUROCONVERT","EVEN","EXACT","EXP","EXPON.DIST","EXPONDIST","FACT","FACTDOUBLE","FALSE|0","F.DIST","FDIST","F.DIST.RT","FILTERXML","FIND","FINDB","F.INV","F.INV.RT","FINV","FISHER","FISHERINV","FIXED","FLOOR","FLOOR.MATH","FLOOR.PRECISE","FORECAST","FORECAST.ETS","FORECAST.ETS.CONFINT","FORECAST.ETS.SEASONALITY","FORECAST.ETS.STAT","FORECAST.LINEAR","FORMULATEXT","FREQUENCY","F.TEST","FTEST","FV","FVSCHEDULE","GAMMA","GAMMA.DIST","GAMMADIST","GAMMA.INV","GAMMAINV","GAMMALN","GAMMALN.PRECISE","GAUSS","GCD","GEOMEAN","GESTEP","GETPIVOTDATA","GROWTH","HARMEAN","HEX2BIN","HEX2DEC","HEX2OCT","HLOOKUP","HOUR","HYPERLINK","HYPGEOM.DIST","HYPGEOMDIST","IF","IFERROR","IFNA","IFS","IMABS","IMAGINARY","IMARGUMENT","IMCONJUGATE","IMCOS","IMCOSH","IMCOT","IMCSC","IMCSCH","IMDIV","IMEXP","IMLN","IMLOG10","IMLOG2","IMPOWER","IMPRODUCT","IMREAL","IMSEC","IMSECH","IMSIN","IMSINH","IMSQRT","IMSUB","IMSUM","IMTAN","INDEX","INDIRECT","INFO","INT","INTERCEPT","INTRATE","IPMT","IRR","ISBLANK","ISERR","ISERROR","ISEVEN","ISFORMULA","ISLOGICAL","ISNA","ISNONTEXT","ISNUMBER","ISODD","ISREF","ISTEXT","ISO.CEILING","ISOWEEKNUM","ISPMT","JIS","KURT","LARGE","LCM","LEFT","LEFTB","LEN","LENB","LINEST","LN","LOG","LOG10","LOGEST","LOGINV","LOGNORM.DIST","LOGNORMDIST","LOGNORM.INV","LOOKUP","LOWER","MATCH","MAX","MAXA","MAXIFS","MDETERM","MDURATION","MEDIAN","MID","MIDBs","MIN","MINIFS","MINA","MINUTE","MINVERSE","MIRR","MMULT","MOD","MODE","MODE.MULT","MODE.SNGL","MONTH","MROUND","MULTINOMIAL","MUNIT","N","NA","NEGBINOM.DIST","NEGBINOMDIST","NETWORKDAYS","NETWORKDAYS.INTL","NOMINAL","NORM.DIST","NORMDIST","NORMINV","NORM.INV","NORM.S.DIST","NORMSDIST","NORM.S.INV","NORMSINV","NOT","NOW","NPER","NPV","NUMBERVALUE","OCT2BIN","OCT2DEC","OCT2HEX","ODD","ODDFPRICE","ODDFYIELD","ODDLPRICE","ODDLYIELD","OFFSET","OR","PDURATION","PEARSON","PERCENTILE.EXC","PERCENTILE.INC","PERCENTILE","PERCENTRANK.EXC","PERCENTRANK.INC","PERCENTRANK","PERMUT","PERMUTATIONA","PHI","PHONETIC","PI","PMT","POISSON.DIST","POISSON","POWER","PPMT","PRICE","PRICEDISC","PRICEMAT","PROB","PRODUCT","PROPER","PV","QUARTILE","QUARTILE.EXC","QUARTILE.INC","QUOTIENT","RADIANS","RAND","RANDBETWEEN","RANK.AVG","RANK.EQ","RANK","RATE","RECEIVED","REGISTER.ID","REPLACE","REPLACEB","REPT","RIGHT","RIGHTB","ROMAN","ROUND","ROUNDDOWN","ROUNDUP","ROW","ROWS","RRI","RSQ","RTD","SEARCH","SEARCHB","SEC","SECH","SECOND","SERIESSUM","SHEET","SHEETS","SIGN","SIN","SINH","SKEW","SKEW.P","SLN","SLOPE","SMALL","SQL.REQUEST","SQRT","SQRTPI","STANDARDIZE","STDEV","STDEV.P","STDEV.S","STDEVA","STDEVP","STDEVPA","STEYX","SUBSTITUTE","SUBTOTAL","SUM","SUMIF","SUMIFS","SUMPRODUCT","SUMSQ","SUMX2MY2","SUMX2PY2","SUMXMY2","SWITCH","SYD","T","TAN","TANH","TBILLEQ","TBILLPRICE","TBILLYIELD","T.DIST","T.DIST.2T","T.DIST.RT","TDIST","TEXT","TEXTJOIN","TIME","TIMEVALUE","T.INV","T.INV.2T","TINV","TODAY","TRANSPOSE","TREND","TRIM","TRIMMEAN","TRUE|0","TRUNC","T.TEST","TTEST","TYPE","UNICHAR","UNICODE","UPPER","VALUE","VAR","VAR.P","VAR.S","VARA","VARP","VARPA","VDB","VLOOKUP","WEBSERVICE","WEEKDAY","WEEKNUM","WEIBULL","WEIBULL.DIST","WORKDAY","WORKDAY.INTL","XIRR","XNPV","XOR","YEAR","YEARFRAC","YIELD","YIELDDISC","YIELDMAT","Z.TEST","ZTEST"]},contains:[{begin:/^=/,end:/[^=]/,returnEnd:!0,illegal:/=/,relevance:10},{className:"symbol",begin:/\b[A-Z]{1,2}\d+\b/,end:/[^\d]/,excludeEnd:!0,relevance:0},{className:"symbol",begin:/[A-Z]{0,2}\d*:[A-Z]{0,2}\d*/,relevance:0},t.BACKSLASH_ESCAPE,t.QUOTE_STRING_MODE,{className:"number",begin:t.NUMBER_RE+"(%)?",relevance:0},t.COMMENT(/\bN\(/,/\)/,{excludeBegin:!0,excludeEnd:!0,illegal:/\n/})]}}return T_=e,T_}var y_,vT;function xM(){if(vT)return y_;vT=1;function e(t){return{name:"FIX",contains:[{begin:/[^\u2401\u0001]+/,end:/[\u2401\u0001]/,excludeEnd:!0,returnBegin:!0,returnEnd:!1,contains:[{begin:/([^\u2401\u0001=]+)/,end:/=([^\u2401\u0001=]+)/,returnEnd:!0,returnBegin:!1,className:"attr"},{begin:/=/,end:/([\u2401\u0001])/,excludeEnd:!0,excludeBegin:!0,className:"string"}]}],case_insensitive:!0}}return y_=e,y_}var C_,TT;function wM(){if(TT)return C_;TT=1;function e(t){const n={className:"string",begin:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},r={className:"string",variants:[{begin:'"',end:'"'}]},o={className:"function",beginKeywords:"def",end:/[:={\[(\n;]/,excludeEnd:!0,contains:[{className:"title",relevance:0,begin:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/}]};return{name:"Flix",keywords:{keyword:["case","class","def","else","enum","if","impl","import","in","lat","rel","index","let","match","namespace","switch","type","yield","with"],literal:["true","false"]},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,n,r,o,t.C_NUMBER_MODE]}}return C_=e,C_}var A_,yT;function LM(){if(yT)return A_;yT=1;function e(t){const n=t.regex,r={className:"params",begin:"\\(",end:"\\)"},a={variants:[t.COMMENT("!","$",{relevance:0}),t.COMMENT("^C[ ]","$",{relevance:0}),t.COMMENT("^C$","$",{relevance:0})]},o=/(_[a-z_\d]+)?/,l=/([de][+-]?\d+)?/,u={className:"number",variants:[{begin:n.concat(/\b\d+/,/\.(\d*)/,l,o)},{begin:n.concat(/\b\d+/,l,o)},{begin:n.concat(/\.\d+/,l,o)}],relevance:0},c={className:"function",beginKeywords:"subroutine function program",illegal:"[${=\\n]",contains:[t.UNDERSCORE_TITLE_MODE,r]},d={className:"string",relevance:0,variants:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]};return{name:"Fortran",case_insensitive:!0,aliases:["f90","f95"],keywords:{keyword:["kind","do","concurrent","local","shared","while","private","call","intrinsic","where","elsewhere","type","endtype","endmodule","endselect","endinterface","end","enddo","endif","if","forall","endforall","only","contains","default","return","stop","then","block","endblock","endassociate","public","subroutine|10","function","program",".and.",".or.",".not.",".le.",".eq.",".ge.",".gt.",".lt.","goto","save","else","use","module","select","case","access","blank","direct","exist","file","fmt","form","formatted","iostat","name","named","nextrec","number","opened","rec","recl","sequential","status","unformatted","unit","continue","format","pause","cycle","exit","c_null_char","c_alert","c_backspace","c_form_feed","flush","wait","decimal","round","iomsg","synchronous","nopass","non_overridable","pass","protected","volatile","abstract","extends","import","non_intrinsic","value","deferred","generic","final","enumerator","class","associate","bind","enum","c_int","c_short","c_long","c_long_long","c_signed_char","c_size_t","c_int8_t","c_int16_t","c_int32_t","c_int64_t","c_int_least8_t","c_int_least16_t","c_int_least32_t","c_int_least64_t","c_int_fast8_t","c_int_fast16_t","c_int_fast32_t","c_int_fast64_t","c_intmax_t","C_intptr_t","c_float","c_double","c_long_double","c_float_complex","c_double_complex","c_long_double_complex","c_bool","c_char","c_null_ptr","c_null_funptr","c_new_line","c_carriage_return","c_horizontal_tab","c_vertical_tab","iso_c_binding","c_loc","c_funloc","c_associated","c_f_pointer","c_ptr","c_funptr","iso_fortran_env","character_storage_size","error_unit","file_storage_size","input_unit","iostat_end","iostat_eor","numeric_storage_size","output_unit","c_f_procpointer","ieee_arithmetic","ieee_support_underflow_control","ieee_get_underflow_mode","ieee_set_underflow_mode","newunit","contiguous","recursive","pad","position","action","delim","readwrite","eor","advance","nml","interface","procedure","namelist","include","sequence","elemental","pure","impure","integer","real","character","complex","logical","codimension","dimension","allocatable|10","parameter","external","implicit|10","none","double","precision","assign","intent","optional","pointer","target","in","out","common","equivalence","data"],literal:[".False.",".True."],built_in:["alog","alog10","amax0","amax1","amin0","amin1","amod","cabs","ccos","cexp","clog","csin","csqrt","dabs","dacos","dasin","datan","datan2","dcos","dcosh","ddim","dexp","dint","dlog","dlog10","dmax1","dmin1","dmod","dnint","dsign","dsin","dsinh","dsqrt","dtan","dtanh","float","iabs","idim","idint","idnint","ifix","isign","max0","max1","min0","min1","sngl","algama","cdabs","cdcos","cdexp","cdlog","cdsin","cdsqrt","cqabs","cqcos","cqexp","cqlog","cqsin","cqsqrt","dcmplx","dconjg","derf","derfc","dfloat","dgamma","dimag","dlgama","iqint","qabs","qacos","qasin","qatan","qatan2","qcmplx","qconjg","qcos","qcosh","qdim","qerf","qerfc","qexp","qgamma","qimag","qlgama","qlog","qlog10","qmax1","qmin1","qmod","qnint","qsign","qsin","qsinh","qsqrt","qtan","qtanh","abs","acos","aimag","aint","anint","asin","atan","atan2","char","cmplx","conjg","cos","cosh","exp","ichar","index","int","log","log10","max","min","nint","sign","sin","sinh","sqrt","tan","tanh","print","write","dim","lge","lgt","lle","llt","mod","nullify","allocate","deallocate","adjustl","adjustr","all","allocated","any","associated","bit_size","btest","ceiling","count","cshift","date_and_time","digits","dot_product","eoshift","epsilon","exponent","floor","fraction","huge","iand","ibclr","ibits","ibset","ieor","ior","ishft","ishftc","lbound","len_trim","matmul","maxexponent","maxloc","maxval","merge","minexponent","minloc","minval","modulo","mvbits","nearest","pack","present","product","radix","random_number","random_seed","range","repeat","reshape","rrspacing","scale","scan","selected_int_kind","selected_real_kind","set_exponent","shape","size","spacing","spread","sum","system_clock","tiny","transpose","trim","ubound","unpack","verify","achar","iachar","transfer","dble","entry","dprod","cpu_time","command_argument_count","get_command","get_command_argument","get_environment_variable","is_iostat_end","ieee_arithmetic","ieee_support_underflow_control","ieee_get_underflow_mode","ieee_set_underflow_mode","is_iostat_eor","move_alloc","new_line","selected_char_kind","same_type_as","extends_type_of","acosh","asinh","atanh","bessel_j0","bessel_j1","bessel_jn","bessel_y0","bessel_y1","bessel_yn","erf","erfc","erfc_scaled","gamma","log_gamma","hypot","norm2","atomic_define","atomic_ref","execute_command_line","leadz","trailz","storage_size","merge_bits","bge","bgt","ble","blt","dshiftl","dshiftr","findloc","iall","iany","iparity","image_index","lcobound","ucobound","maskl","maskr","num_images","parity","popcnt","poppar","shifta","shiftl","shiftr","this_image","sync","change","team","co_broadcast","co_max","co_min","co_sum","co_reduce"]},illegal:/\/\*/,contains:[d,c,{begin:/^C\s*=(?!=)/,relevance:0},a,u]}}return A_=e,A_}var O_,CT;function MM(){if(CT)return O_;CT=1;function e(u){return new RegExp(u.replace(/[-/\\^$*+?.()|[\]{}]/g,"\\$&"),"m")}function t(u){return u?typeof u=="string"?u:u.source:null}function n(u){return r("(?=",u,")")}function r(...u){return u.map(d=>t(d)).join("")}function a(u){const c=u[u.length-1];return typeof c=="object"&&c.constructor===Object?(u.splice(u.length-1,1),c):{}}function o(...u){return"("+(a(u).capture?"":"?:")+u.map(S=>t(S)).join("|")+")"}function l(u){const c=["abstract","and","as","assert","base","begin","class","default","delegate","do","done","downcast","downto","elif","else","end","exception","extern","finally","fixed","for","fun","function","global","if","in","inherit","inline","interface","internal","lazy","let","match","member","module","mutable","namespace","new","of","open","or","override","private","public","rec","return","static","struct","then","to","try","type","upcast","use","val","void","when","while","with","yield"],d={scope:"keyword",match:/\b(yield|return|let|do|match|use)!/},S=["if","else","endif","line","nowarn","light","r","i","I","load","time","help","quit"],_=["true","false","null","Some","None","Ok","Error","infinity","infinityf","nan","nanf"],E=["__LINE__","__SOURCE_DIRECTORY__","__SOURCE_FILE__"],T=["bool","byte","sbyte","int8","int16","int32","uint8","uint16","uint32","int","uint","int64","uint64","nativeint","unativeint","decimal","float","double","float32","single","char","string","unit","bigint","option","voption","list","array","seq","byref","exn","inref","nativeptr","obj","outref","voidptr","Result"],M={keyword:c,literal:_,built_in:["not","ref","raise","reraise","dict","readOnlyDict","set","get","enum","sizeof","typeof","typedefof","nameof","nullArg","invalidArg","invalidOp","id","fst","snd","ignore","lock","using","box","unbox","tryUnbox","printf","printfn","sprintf","eprintf","eprintfn","fprintf","fprintfn","failwith","failwithf"],"variable.constant":E},A={variants:[u.COMMENT(/\(\*(?!\))/,/\*\)/,{contains:["self"]}),u.C_LINE_COMMENT_MODE]},O=/[a-zA-Z_](\w|')*/,N={scope:"variable",begin:/``/,end:/``/},R=/\B('|\^)/,L={scope:"symbol",variants:[{match:r(R,/``.*?``/)},{match:r(R,u.UNDERSCORE_IDENT_RE)}],relevance:0},I=function({includeEqual:tt}){let rt;tt?rt="!%&*+-/<=>@^|~?":rt="!%&*+-/<>@^|~?";const bt=Array.from(rt),dt=r("[",...bt.map(e),"]"),ct=o(dt,/\./),Ze=r(ct,n(ct)),nt=o(r(Ze,ct,"*"),r(dt,"+"));return{scope:"operator",match:o(nt,/:\?>/,/:\?/,/:>/,/:=/,/::?/,/\$/),relevance:0}},h=I({includeEqual:!0}),k=I({includeEqual:!1}),F=function(tt,rt){return{begin:r(tt,n(r(/\s*/,o(/\w/,/'/,/\^/,/#/,/``/,/\(/,/{\|/)))),beginScope:rt,end:n(o(/\n/,/=/)),relevance:0,keywords:u.inherit(M,{type:T}),contains:[A,L,u.inherit(N,{scope:null}),k]}},z=F(/:/,"operator"),K=F(/\bof\b/,"keyword"),ue={begin:[/(^|\s+)/,/type/,/\s+/,O],beginScope:{2:"keyword",4:"title.class"},end:n(/\(|=|$/),keywords:M,contains:[A,u.inherit(N,{scope:null}),L,{scope:"operator",match:/<|>/},z]},Z={scope:"computation-expression",match:/\b[_a-z]\w*(?=\s*\{)/},fe={begin:[/^\s*/,r(/#/,o(...S)),/\b/],beginScope:{2:"meta"},end:n(/\s|$/)},V={variants:[u.BINARY_NUMBER_MODE,u.C_NUMBER_MODE]},ne={scope:"string",begin:/"/,end:/"/,contains:[u.BACKSLASH_ESCAPE]},te={scope:"string",begin:/@"/,end:/"/,contains:[{match:/""/},u.BACKSLASH_ESCAPE]},G={scope:"string",begin:/"""/,end:/"""/,relevance:2},se={scope:"subst",begin:/\{/,end:/\}/,keywords:M},ve={scope:"string",begin:/\$"/,end:/"/,contains:[{match:/\{\{/},{match:/\}\}/},u.BACKSLASH_ESCAPE,se]},Ge={scope:"string",begin:/(\$@|@\$)"/,end:/"/,contains:[{match:/\{\{/},{match:/\}\}/},{match:/""/},u.BACKSLASH_ESCAPE,se]},oe={scope:"string",begin:/\$"""/,end:/"""/,contains:[{match:/\{\{/},{match:/\}\}/},se],relevance:2},W={scope:"string",match:r(/'/,o(/[^\\']/,/\\(?:.|\d{3}|x[a-fA-F\d]{2}|u[a-fA-F\d]{4}|U[a-fA-F\d]{8})/),/'/)};return se.contains=[Ge,ve,te,ne,W,d,A,N,z,Z,fe,V,L,h],{name:"F#",aliases:["fs","f#"],keywords:M,illegal:/\/\*/,classNameAliases:{"computation-expression":"keyword"},contains:[d,{variants:[oe,Ge,ve,G,te,ne,W]},A,N,ue,{scope:"meta",begin:/\[</,end:/>\]/,relevance:2,contains:[N,G,te,ne,W,V]},K,z,Z,fe,V,L,h]}}return O_=l,O_}var R_,AT;function kM(){if(AT)return R_;AT=1;function e(t){const n=t.regex,r={keyword:"abort acronym acronyms alias all and assign binary card diag display else eq file files for free ge gt if integer le loop lt maximizing minimizing model models ne negative no not option options or ord positive prod put putpage puttl repeat sameas semicont semiint smax smin solve sos1 sos2 sum system table then until using while xor yes",literal:"eps inf na",built_in:"abs arccos arcsin arctan arctan2 Beta betaReg binomial ceil centropy cos cosh cvPower div div0 eDist entropy errorf execSeed exp fact floor frac gamma gammaReg log logBeta logGamma log10 log2 mapVal max min mod ncpCM ncpF ncpVUpow ncpVUsin normal pi poly power randBinomial randLinear randTriangle round rPower sigmoid sign signPower sin sinh slexp sllog10 slrec sqexp sqlog10 sqr sqrec sqrt tan tanh trunc uniform uniformInt vcPower bool_and bool_eqv bool_imp bool_not bool_or bool_xor ifThen rel_eq rel_ge rel_gt rel_le rel_lt rel_ne gday gdow ghour gleap gmillisec gminute gmonth gsecond gyear jdate jnow jstart jtime errorLevel execError gamsRelease gamsVersion handleCollect handleDelete handleStatus handleSubmit heapFree heapLimit heapSize jobHandle jobKill jobStatus jobTerminate licenseLevel licenseStatus maxExecError sleep timeClose timeComp timeElapsed timeExec timeStart"},a={className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0},o={className:"symbol",variants:[{begin:/=[lgenxc]=/},{begin:/\$/}]},l={className:"comment",variants:[{begin:"'",end:"'"},{begin:'"',end:'"'}],illegal:"\\n",contains:[t.BACKSLASH_ESCAPE]},u={begin:"/",end:"/",keywords:r,contains:[l,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,t.C_NUMBER_MODE]},c=/[a-z0-9&#*=?@\\><:,()$[\]_.{}!+%^-]+/,d={begin:/[a-z][a-z0-9_]*(\([a-z0-9_, ]*\))?[ \t]+/,excludeBegin:!0,end:"$",endsWithParent:!0,contains:[l,u,{className:"comment",begin:n.concat(c,n.anyNumberOfTimes(n.concat(/[ ]+/,c))),relevance:0}]};return{name:"GAMS",aliases:["gms"],case_insensitive:!0,keywords:r,contains:[t.COMMENT(/^\$ontext/,/^\$offtext/),{className:"meta",begin:"^\\$[a-z0-9]+",end:"$",returnBegin:!0,contains:[{className:"keyword",begin:"^\\$[a-z0-9]+"}]},t.COMMENT("^\\*","$"),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,{beginKeywords:"set sets parameter parameters variable variables scalar scalars equation equations",end:";",contains:[t.COMMENT("^\\*","$"),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,u,d]},{beginKeywords:"table",end:";",returnBegin:!0,contains:[{beginKeywords:"table",end:"$",contains:[d]},t.COMMENT("^\\*","$"),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,t.C_NUMBER_MODE]},{className:"function",begin:/^[a-z][a-z0-9_,\-+' ()$]+\.{2}/,returnBegin:!0,contains:[{className:"title",begin:/^[a-z0-9_]+/},a,o]},t.C_NUMBER_MODE,o]}}return R_=e,R_}var N_,OT;function PM(){if(OT)return N_;OT=1;function e(t){const n={keyword:"bool break call callexe checkinterrupt clear clearg closeall cls comlog compile continue create debug declare delete disable dlibrary dllcall do dos ed edit else elseif enable end endfor endif endp endo errorlog errorlogat expr external fn for format goto gosub graph if keyword let lib library line load loadarray loadexe loadf loadk loadm loadp loads loadx local locate loopnextindex lprint lpwidth lshow matrix msym ndpclex new open output outwidth plot plotsym pop prcsn print printdos proc push retp return rndcon rndmod rndmult rndseed run save saveall screen scroll setarray show sparse stop string struct system trace trap threadfor threadendfor threadbegin threadjoin threadstat threadend until use while winprint ne ge le gt lt and xor or not eq eqv",built_in:"abs acf aconcat aeye amax amean AmericanBinomCall AmericanBinomCall_Greeks AmericanBinomCall_ImpVol AmericanBinomPut AmericanBinomPut_Greeks AmericanBinomPut_ImpVol AmericanBSCall AmericanBSCall_Greeks AmericanBSCall_ImpVol AmericanBSPut AmericanBSPut_Greeks AmericanBSPut_ImpVol amin amult annotationGetDefaults annotationSetBkd annotationSetFont annotationSetLineColor annotationSetLineStyle annotationSetLineThickness annualTradingDays arccos arcsin areshape arrayalloc arrayindex arrayinit arraytomat asciiload asclabel astd astds asum atan atan2 atranspose axmargin balance band bandchol bandcholsol bandltsol bandrv bandsolpd bar base10 begwind besselj bessely beta box boxcox cdfBeta cdfBetaInv cdfBinomial cdfBinomialInv cdfBvn cdfBvn2 cdfBvn2e cdfCauchy cdfCauchyInv cdfChic cdfChii cdfChinc cdfChincInv cdfExp cdfExpInv cdfFc cdfFnc cdfFncInv cdfGam cdfGenPareto cdfHyperGeo cdfLaplace cdfLaplaceInv cdfLogistic cdfLogisticInv cdfmControlCreate cdfMvn cdfMvn2e cdfMvnce cdfMvne cdfMvt2e cdfMvtce cdfMvte cdfN cdfN2 cdfNc cdfNegBinomial cdfNegBinomialInv cdfNi cdfPoisson cdfPoissonInv cdfRayleigh cdfRayleighInv cdfTc cdfTci cdfTnc cdfTvn cdfWeibull cdfWeibullInv cdir ceil ChangeDir chdir chiBarSquare chol choldn cholsol cholup chrs close code cols colsf combinate combinated complex con cond conj cons ConScore contour conv convertsatostr convertstrtosa corrm corrms corrvc corrx corrxs cos cosh counts countwts crossprd crout croutp csrcol csrlin csvReadM csvReadSA cumprodc cumsumc curve cvtos datacreate datacreatecomplex datalist dataload dataloop dataopen datasave date datestr datestring datestrymd dayinyr dayofweek dbAddDatabase dbClose dbCommit dbCreateQuery dbExecQuery dbGetConnectOptions dbGetDatabaseName dbGetDriverName dbGetDrivers dbGetHostName dbGetLastErrorNum dbGetLastErrorText dbGetNumericalPrecPolicy dbGetPassword dbGetPort dbGetTableHeaders dbGetTables dbGetUserName dbHasFeature dbIsDriverAvailable dbIsOpen dbIsOpenError dbOpen dbQueryBindValue dbQueryClear dbQueryCols dbQueryExecPrepared dbQueryFetchAllM dbQueryFetchAllSA dbQueryFetchOneM dbQueryFetchOneSA dbQueryFinish dbQueryGetBoundValue dbQueryGetBoundValues dbQueryGetField dbQueryGetLastErrorNum dbQueryGetLastErrorText dbQueryGetLastInsertID dbQueryGetLastQuery dbQueryGetPosition dbQueryIsActive dbQueryIsForwardOnly dbQueryIsNull dbQueryIsSelect dbQueryIsValid dbQueryPrepare dbQueryRows dbQuerySeek dbQuerySeekFirst dbQuerySeekLast dbQuerySeekNext dbQuerySeekPrevious dbQuerySetForwardOnly dbRemoveDatabase dbRollback dbSetConnectOptions dbSetDatabaseName dbSetHostName dbSetNumericalPrecPolicy dbSetPort dbSetUserName dbTransaction DeleteFile delif delrows denseToSp denseToSpRE denToZero design det detl dfft dffti diag diagrv digamma doswin DOSWinCloseall DOSWinOpen dotfeq dotfeqmt dotfge dotfgemt dotfgt dotfgtmt dotfle dotflemt dotflt dotfltmt dotfne dotfnemt draw drop dsCreate dstat dstatmt dstatmtControlCreate dtdate dtday dttime dttodtv dttostr dttoutc dtvnormal dtvtodt dtvtoutc dummy dummybr dummydn eig eigh eighv eigv elapsedTradingDays endwind envget eof eqSolve eqSolvemt eqSolvemtControlCreate eqSolvemtOutCreate eqSolveset erf erfc erfccplx erfcplx error etdays ethsec etstr EuropeanBinomCall EuropeanBinomCall_Greeks EuropeanBinomCall_ImpVol EuropeanBinomPut EuropeanBinomPut_Greeks EuropeanBinomPut_ImpVol EuropeanBSCall EuropeanBSCall_Greeks EuropeanBSCall_ImpVol EuropeanBSPut EuropeanBSPut_Greeks EuropeanBSPut_ImpVol exctsmpl exec execbg exp extern eye fcheckerr fclearerr feq feqmt fflush fft ffti fftm fftmi fftn fge fgemt fgets fgetsa fgetsat fgetst fgt fgtmt fileinfo filesa fle flemt floor flt fltmt fmod fne fnemt fonts fopen formatcv formatnv fputs fputst fseek fstrerror ftell ftocv ftos ftostrC gamma gammacplx gammaii gausset gdaAppend gdaCreate gdaDStat gdaDStatMat gdaGetIndex gdaGetName gdaGetNames gdaGetOrders gdaGetType gdaGetTypes gdaGetVarInfo gdaIsCplx gdaLoad gdaPack gdaRead gdaReadByIndex gdaReadSome gdaReadSparse gdaReadStruct gdaReportVarInfo gdaSave gdaUpdate gdaUpdateAndPack gdaVars gdaWrite gdaWrite32 gdaWriteSome getarray getdims getf getGAUSShome getmatrix getmatrix4D getname getnamef getNextTradingDay getNextWeekDay getnr getorders getpath getPreviousTradingDay getPreviousWeekDay getRow getscalar3D getscalar4D getTrRow getwind glm gradcplx gradMT gradMTm gradMTT gradMTTm gradp graphprt graphset hasimag header headermt hess hessMT hessMTg hessMTgw hessMTm hessMTmw hessMTT hessMTTg hessMTTgw hessMTTm hessMTw hessp hist histf histp hsec imag indcv indexcat indices indices2 indicesf indicesfn indnv indsav integrate1d integrateControlCreate intgrat2 intgrat3 inthp1 inthp2 inthp3 inthp4 inthpControlCreate intquad1 intquad2 intquad3 intrleav intrleavsa intrsect intsimp inv invpd invswp iscplx iscplxf isden isinfnanmiss ismiss key keyav keyw lag lag1 lagn lapEighb lapEighi lapEighvb lapEighvi lapgEig lapgEigh lapgEighv lapgEigv lapgSchur lapgSvdcst lapgSvds lapgSvdst lapSvdcusv lapSvds lapSvdusv ldlp ldlsol linSolve listwise ln lncdfbvn lncdfbvn2 lncdfmvn lncdfn lncdfn2 lncdfnc lnfact lngammacplx lnpdfmvn lnpdfmvt lnpdfn lnpdft loadd loadstruct loadwind loess loessmt loessmtControlCreate log loglog logx logy lower lowmat lowmat1 ltrisol lu lusol machEpsilon make makevars makewind margin matalloc matinit mattoarray maxbytes maxc maxindc maxv maxvec mbesselei mbesselei0 mbesselei1 mbesseli mbesseli0 mbesseli1 meanc median mergeby mergevar minc minindc minv miss missex missrv moment momentd movingave movingaveExpwgt movingaveWgt nextindex nextn nextnevn nextwind ntos null null1 numCombinations ols olsmt olsmtControlCreate olsqr olsqr2 olsqrmt ones optn optnevn orth outtyp pacf packedToSp packr parse pause pdfCauchy pdfChi pdfExp pdfGenPareto pdfHyperGeo pdfLaplace pdfLogistic pdfn pdfPoisson pdfRayleigh pdfWeibull pi pinv pinvmt plotAddArrow plotAddBar plotAddBox plotAddHist plotAddHistF plotAddHistP plotAddPolar plotAddScatter plotAddShape plotAddTextbox plotAddTS plotAddXY plotArea plotBar plotBox plotClearLayout plotContour plotCustomLayout plotGetDefaults plotHist plotHistF plotHistP plotLayout plotLogLog plotLogX plotLogY plotOpenWindow plotPolar plotSave plotScatter plotSetAxesPen plotSetBar plotSetBarFill plotSetBarStacked plotSetBkdColor plotSetFill plotSetGrid plotSetLegend plotSetLineColor plotSetLineStyle plotSetLineSymbol plotSetLineThickness plotSetNewWindow plotSetTitle plotSetWhichYAxis plotSetXAxisShow plotSetXLabel plotSetXRange plotSetXTicInterval plotSetXTicLabel plotSetYAxisShow plotSetYLabel plotSetYRange plotSetZAxisShow plotSetZLabel plotSurface plotTS plotXY polar polychar polyeval polygamma polyint polymake polymat polymroot polymult polyroot pqgwin previousindex princomp printfm printfmt prodc psi putarray putf putvals pvCreate pvGetIndex pvGetParNames pvGetParVector pvLength pvList pvPack pvPacki pvPackm pvPackmi pvPacks pvPacksi pvPacksm pvPacksmi pvPutParVector pvTest pvUnpack QNewton QNewtonmt QNewtonmtControlCreate QNewtonmtOutCreate QNewtonSet QProg QProgmt QProgmtInCreate qqr qqre qqrep qr qre qrep qrsol qrtsol qtyr qtyre qtyrep quantile quantiled qyr qyre qyrep qz rank rankindx readr real reclassify reclassifyCuts recode recserar recsercp recserrc rerun rescale reshape rets rev rfft rffti rfftip rfftn rfftnp rfftp rndBernoulli rndBeta rndBinomial rndCauchy rndChiSquare rndCon rndCreateState rndExp rndGamma rndGeo rndGumbel rndHyperGeo rndi rndKMbeta rndKMgam rndKMi rndKMn rndKMnb rndKMp rndKMu rndKMvm rndLaplace rndLCbeta rndLCgam rndLCi rndLCn rndLCnb rndLCp rndLCu rndLCvm rndLogNorm rndMTu rndMVn rndMVt rndn rndnb rndNegBinomial rndp rndPoisson rndRayleigh rndStateSkip rndu rndvm rndWeibull rndWishart rotater round rows rowsf rref sampleData satostrC saved saveStruct savewind scale scale3d scalerr scalinfnanmiss scalmiss schtoc schur searchsourcepath seekr select selif seqa seqm setdif setdifsa setvars setvwrmode setwind shell shiftr sin singleindex sinh sleep solpd sortc sortcc sortd sorthc sorthcc sortind sortindc sortmc sortr sortrc spBiconjGradSol spChol spConjGradSol spCreate spDenseSubmat spDiagRvMat spEigv spEye spLDL spline spLU spNumNZE spOnes spreadSheetReadM spreadSheetReadSA spreadSheetWrite spScale spSubmat spToDense spTrTDense spTScalar spZeros sqpSolve sqpSolveMT sqpSolveMTControlCreate sqpSolveMTlagrangeCreate sqpSolveMToutCreate sqpSolveSet sqrt statements stdc stdsc stocv stof strcombine strindx strlen strput strrindx strsect strsplit strsplitPad strtodt strtof strtofcplx strtriml strtrimr strtrunc strtruncl strtruncpad strtruncr submat subscat substute subvec sumc sumr surface svd svd1 svd2 svdcusv svds svdusv sysstate tab tan tanh tempname time timedt timestr timeutc title tkf2eps tkf2ps tocart todaydt toeplitz token topolar trapchk trigamma trimr trunc type typecv typef union unionsa uniqindx uniqindxsa unique uniquesa upmat upmat1 upper utctodt utctodtv utrisol vals varCovMS varCovXS varget vargetl varmall varmares varput varputl vartypef vcm vcms vcx vcxs vec vech vecr vector vget view viewxyz vlist vnamecv volume vput vread vtypecv wait waitc walkindex where window writer xlabel xlsGetSheetCount xlsGetSheetSize xlsGetSheetTypes xlsMakeRange xlsReadM xlsReadSA xlsWrite xlsWriteM xlsWriteSA xpnd xtics xy xyz ylabel ytics zeros zeta zlabel ztics cdfEmpirical dot h5create h5open h5read h5readAttribute h5write h5writeAttribute ldl plotAddErrorBar plotAddSurface plotCDFEmpirical plotSetColormap plotSetContourLabels plotSetLegendFont plotSetTextInterpreter plotSetXTicCount plotSetYTicCount plotSetZLevels powerm strjoin sylvester strtrim",literal:"DB_AFTER_LAST_ROW DB_ALL_TABLES DB_BATCH_OPERATIONS DB_BEFORE_FIRST_ROW DB_BLOB DB_EVENT_NOTIFICATIONS DB_FINISH_QUERY DB_HIGH_PRECISION DB_LAST_INSERT_ID DB_LOW_PRECISION_DOUBLE DB_LOW_PRECISION_INT32 DB_LOW_PRECISION_INT64 DB_LOW_PRECISION_NUMBERS DB_MULTIPLE_RESULT_SETS DB_NAMED_PLACEHOLDERS DB_POSITIONAL_PLACEHOLDERS DB_PREPARED_QUERIES DB_QUERY_SIZE DB_SIMPLE_LOCKING DB_SYSTEM_TABLES DB_TABLES DB_TRANSACTIONS DB_UNICODE DB_VIEWS __STDIN __STDOUT __STDERR __FILE_DIR"},r=t.COMMENT("@","@"),a={className:"meta",begin:"#",end:"$",keywords:{keyword:"define definecs|10 undef ifdef ifndef iflight ifdllcall ifmac ifos2win ifunix else endif lineson linesoff srcfile srcline"},contains:[{begin:/\\\n/,relevance:0},{beginKeywords:"include",end:"$",keywords:{keyword:"include"},contains:[{className:"string",begin:'"',end:'"',illegal:"\\n"}]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,r]},o={begin:/\bstruct\s+/,end:/\s/,keywords:"struct",contains:[{className:"type",begin:t.UNDERSCORE_IDENT_RE,relevance:0}]},l=[{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,endsWithParent:!0,relevance:0,contains:[{className:"literal",begin:/\.\.\./},t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE,r,o]}],u={className:"title",begin:t.UNDERSCORE_IDENT_RE,relevance:0},c=function(T,y,M){const v=t.inherit({className:"function",beginKeywords:T,end:y,excludeEnd:!0,contains:[].concat(l)},M||{});return v.contains.push(u),v.contains.push(t.C_NUMBER_MODE),v.contains.push(t.C_BLOCK_COMMENT_MODE),v.contains.push(r),v},d={className:"built_in",begin:"\\b("+n.built_in.split(" ").join("|")+")\\b"},S={className:"string",begin:'"',end:'"',contains:[t.BACKSLASH_ESCAPE],relevance:0},_={begin:t.UNDERSCORE_IDENT_RE+"\\s*\\(",returnBegin:!0,keywords:n,relevance:0,contains:[{beginKeywords:n.keyword},d,{className:"built_in",begin:t.UNDERSCORE_IDENT_RE,relevance:0}]},E={begin:/\(/,end:/\)/,relevance:0,keywords:{built_in:n.built_in,literal:n.literal},contains:[t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE,r,d,_,S,"self"]};return _.contains.push(E),{name:"GAUSS",aliases:["gss"],case_insensitive:!0,keywords:n,illegal:/(\{[%#]|[%#]\}| <- )/,contains:[t.C_NUMBER_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,r,S,a,{className:"keyword",begin:/\bexternal (matrix|string|array|sparse matrix|struct|proc|keyword|fn)/},c("proc keyword",";"),c("fn","="),{beginKeywords:"for threadfor",end:/;/,relevance:0,contains:[t.C_BLOCK_COMMENT_MODE,r,E]},{variants:[{begin:t.UNDERSCORE_IDENT_RE+"\\."+t.UNDERSCORE_IDENT_RE},{begin:t.UNDERSCORE_IDENT_RE+"\\s*="}],relevance:0},_,o]}}return N_=e,N_}var I_,RT;function FM(){if(RT)return I_;RT=1;function e(t){const n="[A-Z_][A-Z0-9_.]*",r="%",a={$pattern:n,keyword:"IF DO WHILE ENDWHILE CALL ENDIF SUB ENDSUB GOTO REPEAT ENDREPEAT EQ LT GT NE GE LE OR XOR"},o={className:"meta",begin:"([O])([0-9]+)"},l=t.inherit(t.C_NUMBER_MODE,{begin:"([-+]?((\\.\\d+)|(\\d+)(\\.\\d*)?))|"+t.C_NUMBER_RE}),u=[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.COMMENT(/\(/,/\)/),l,t.inherit(t.APOS_STRING_MODE,{illegal:null}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{className:"name",begin:"([G])([0-9]+\\.?[0-9]?)"},{className:"name",begin:"([M])([0-9]+\\.?[0-9]?)"},{className:"attr",begin:"(VC|VS|#)",end:"(\\d+)"},{className:"attr",begin:"(VZOFX|VZOFY|VZOFZ)"},{className:"built_in",begin:"(ATAN|ABS|ACOS|ASIN|SIN|COS|EXP|FIX|FUP|ROUND|LN|TAN)(\\[)",contains:[l],end:"\\]"},{className:"symbol",variants:[{begin:"N",end:"\\d+",illegal:"\\W"}]}];return{name:"G-code (ISO 6983)",aliases:["nc"],case_insensitive:!0,keywords:a,contains:[{className:"meta",begin:r},o].concat(u)}}return I_=e,I_}var D_,NT;function BM(){if(NT)return D_;NT=1;function e(t){return{name:"Gherkin",aliases:["feature"],keywords:"Feature Background Ability Business Need Scenario Scenarios Scenario Outline Scenario Template Examples Given And Then But When",contains:[{className:"symbol",begin:"\\*",relevance:0},{className:"meta",begin:"@[^@\\s]+"},{begin:"\\|",end:"\\|\\w*$",contains:[{className:"string",begin:"[^|]+"}]},{className:"variable",begin:"<",end:">"},t.HASH_COMMENT_MODE,{className:"string",begin:'"""',end:'"""'},t.QUOTE_STRING_MODE]}}return D_=e,D_}var x_,IT;function UM(){if(IT)return x_;IT=1;function e(t){return{name:"GLSL",keywords:{keyword:"break continue discard do else for if return while switch case default attribute binding buffer ccw centroid centroid varying coherent column_major const cw depth_any depth_greater depth_less depth_unchanged early_fragment_tests equal_spacing flat fractional_even_spacing fractional_odd_spacing highp in index inout invariant invocations isolines layout line_strip lines lines_adjacency local_size_x local_size_y local_size_z location lowp max_vertices mediump noperspective offset origin_upper_left out packed patch pixel_center_integer point_mode points precise precision quads r11f_g11f_b10f r16 r16_snorm r16f r16i r16ui r32f r32i r32ui r8 r8_snorm r8i r8ui readonly restrict rg16 rg16_snorm rg16f rg16i rg16ui rg32f rg32i rg32ui rg8 rg8_snorm rg8i rg8ui rgb10_a2 rgb10_a2ui rgba16 rgba16_snorm rgba16f rgba16i rgba16ui rgba32f rgba32i rgba32ui rgba8 rgba8_snorm rgba8i rgba8ui row_major sample shared smooth std140 std430 stream triangle_strip triangles triangles_adjacency uniform varying vertices volatile writeonly",type:"atomic_uint bool bvec2 bvec3 bvec4 dmat2 dmat2x2 dmat2x3 dmat2x4 dmat3 dmat3x2 dmat3x3 dmat3x4 dmat4 dmat4x2 dmat4x3 dmat4x4 double dvec2 dvec3 dvec4 float iimage1D iimage1DArray iimage2D iimage2DArray iimage2DMS iimage2DMSArray iimage2DRect iimage3D iimageBuffer iimageCube iimageCubeArray image1D image1DArray image2D image2DArray image2DMS image2DMSArray image2DRect image3D imageBuffer imageCube imageCubeArray int isampler1D isampler1DArray isampler2D isampler2DArray isampler2DMS isampler2DMSArray isampler2DRect isampler3D isamplerBuffer isamplerCube isamplerCubeArray ivec2 ivec3 ivec4 mat2 mat2x2 mat2x3 mat2x4 mat3 mat3x2 mat3x3 mat3x4 mat4 mat4x2 mat4x3 mat4x4 sampler1D sampler1DArray sampler1DArrayShadow sampler1DShadow sampler2D sampler2DArray sampler2DArrayShadow sampler2DMS sampler2DMSArray sampler2DRect sampler2DRectShadow sampler2DShadow sampler3D samplerBuffer samplerCube samplerCubeArray samplerCubeArrayShadow samplerCubeShadow image1D uimage1DArray uimage2D uimage2DArray uimage2DMS uimage2DMSArray uimage2DRect uimage3D uimageBuffer uimageCube uimageCubeArray uint usampler1D usampler1DArray usampler2D usampler2DArray usampler2DMS usampler2DMSArray usampler2DRect usampler3D samplerBuffer usamplerCube usamplerCubeArray uvec2 uvec3 uvec4 vec2 vec3 vec4 void",built_in:"gl_MaxAtomicCounterBindings gl_MaxAtomicCounterBufferSize gl_MaxClipDistances gl_MaxClipPlanes gl_MaxCombinedAtomicCounterBuffers gl_MaxCombinedAtomicCounters gl_MaxCombinedImageUniforms gl_MaxCombinedImageUnitsAndFragmentOutputs gl_MaxCombinedTextureImageUnits gl_MaxComputeAtomicCounterBuffers gl_MaxComputeAtomicCounters gl_MaxComputeImageUniforms gl_MaxComputeTextureImageUnits gl_MaxComputeUniformComponents gl_MaxComputeWorkGroupCount gl_MaxComputeWorkGroupSize gl_MaxDrawBuffers gl_MaxFragmentAtomicCounterBuffers gl_MaxFragmentAtomicCounters gl_MaxFragmentImageUniforms gl_MaxFragmentInputComponents gl_MaxFragmentInputVectors gl_MaxFragmentUniformComponents gl_MaxFragmentUniformVectors gl_MaxGeometryAtomicCounterBuffers gl_MaxGeometryAtomicCounters gl_MaxGeometryImageUniforms gl_MaxGeometryInputComponents gl_MaxGeometryOutputComponents gl_MaxGeometryOutputVertices gl_MaxGeometryTextureImageUnits gl_MaxGeometryTotalOutputComponents gl_MaxGeometryUniformComponents gl_MaxGeometryVaryingComponents gl_MaxImageSamples gl_MaxImageUnits gl_MaxLights gl_MaxPatchVertices gl_MaxProgramTexelOffset gl_MaxTessControlAtomicCounterBuffers gl_MaxTessControlAtomicCounters gl_MaxTessControlImageUniforms gl_MaxTessControlInputComponents gl_MaxTessControlOutputComponents gl_MaxTessControlTextureImageUnits gl_MaxTessControlTotalOutputComponents gl_MaxTessControlUniformComponents gl_MaxTessEvaluationAtomicCounterBuffers gl_MaxTessEvaluationAtomicCounters gl_MaxTessEvaluationImageUniforms gl_MaxTessEvaluationInputComponents gl_MaxTessEvaluationOutputComponents gl_MaxTessEvaluationTextureImageUnits gl_MaxTessEvaluationUniformComponents gl_MaxTessGenLevel gl_MaxTessPatchComponents gl_MaxTextureCoords gl_MaxTextureImageUnits gl_MaxTextureUnits gl_MaxVaryingComponents gl_MaxVaryingFloats gl_MaxVaryingVectors gl_MaxVertexAtomicCounterBuffers gl_MaxVertexAtomicCounters gl_MaxVertexAttribs gl_MaxVertexImageUniforms gl_MaxVertexOutputComponents gl_MaxVertexOutputVectors gl_MaxVertexTextureImageUnits gl_MaxVertexUniformComponents gl_MaxVertexUniformVectors gl_MaxViewports gl_MinProgramTexelOffset gl_BackColor gl_BackLightModelProduct gl_BackLightProduct gl_BackMaterial gl_BackSecondaryColor gl_ClipDistance gl_ClipPlane gl_ClipVertex gl_Color gl_DepthRange gl_EyePlaneQ gl_EyePlaneR gl_EyePlaneS gl_EyePlaneT gl_Fog gl_FogCoord gl_FogFragCoord gl_FragColor gl_FragCoord gl_FragData gl_FragDepth gl_FrontColor gl_FrontFacing gl_FrontLightModelProduct gl_FrontLightProduct gl_FrontMaterial gl_FrontSecondaryColor gl_GlobalInvocationID gl_InstanceID gl_InvocationID gl_Layer gl_LightModel gl_LightSource gl_LocalInvocationID gl_LocalInvocationIndex gl_ModelViewMatrix gl_ModelViewMatrixInverse gl_ModelViewMatrixInverseTranspose gl_ModelViewMatrixTranspose gl_ModelViewProjectionMatrix gl_ModelViewProjectionMatrixInverse gl_ModelViewProjectionMatrixInverseTranspose gl_ModelViewProjectionMatrixTranspose gl_MultiTexCoord0 gl_MultiTexCoord1 gl_MultiTexCoord2 gl_MultiTexCoord3 gl_MultiTexCoord4 gl_MultiTexCoord5 gl_MultiTexCoord6 gl_MultiTexCoord7 gl_Normal gl_NormalMatrix gl_NormalScale gl_NumSamples gl_NumWorkGroups gl_ObjectPlaneQ gl_ObjectPlaneR gl_ObjectPlaneS gl_ObjectPlaneT gl_PatchVerticesIn gl_Point gl_PointCoord gl_PointSize gl_Position gl_PrimitiveID gl_PrimitiveIDIn gl_ProjectionMatrix gl_ProjectionMatrixInverse gl_ProjectionMatrixInverseTranspose gl_ProjectionMatrixTranspose gl_SampleID gl_SampleMask gl_SampleMaskIn gl_SamplePosition gl_SecondaryColor gl_TessCoord gl_TessLevelInner gl_TessLevelOuter gl_TexCoord gl_TextureEnvColor gl_TextureMatrix gl_TextureMatrixInverse gl_TextureMatrixInverseTranspose gl_TextureMatrixTranspose gl_Vertex gl_VertexID gl_ViewportIndex gl_WorkGroupID gl_WorkGroupSize gl_in gl_out EmitStreamVertex EmitVertex EndPrimitive EndStreamPrimitive abs acos acosh all any asin asinh atan atanh atomicAdd atomicAnd atomicCompSwap atomicCounter atomicCounterDecrement atomicCounterIncrement atomicExchange atomicMax atomicMin atomicOr atomicXor barrier bitCount bitfieldExtract bitfieldInsert bitfieldReverse ceil clamp cos cosh cross dFdx dFdy degrees determinant distance dot equal exp exp2 faceforward findLSB findMSB floatBitsToInt floatBitsToUint floor fma fract frexp ftransform fwidth greaterThan greaterThanEqual groupMemoryBarrier imageAtomicAdd imageAtomicAnd imageAtomicCompSwap imageAtomicExchange imageAtomicMax imageAtomicMin imageAtomicOr imageAtomicXor imageLoad imageSize imageStore imulExtended intBitsToFloat interpolateAtCentroid interpolateAtOffset interpolateAtSample inverse inversesqrt isinf isnan ldexp length lessThan lessThanEqual log log2 matrixCompMult max memoryBarrier memoryBarrierAtomicCounter memoryBarrierBuffer memoryBarrierImage memoryBarrierShared min mix mod modf noise1 noise2 noise3 noise4 normalize not notEqual outerProduct packDouble2x32 packHalf2x16 packSnorm2x16 packSnorm4x8 packUnorm2x16 packUnorm4x8 pow radians reflect refract round roundEven shadow1D shadow1DLod shadow1DProj shadow1DProjLod shadow2D shadow2DLod shadow2DProj shadow2DProjLod sign sin sinh smoothstep sqrt step tan tanh texelFetch texelFetchOffset texture texture1D texture1DLod texture1DProj texture1DProjLod texture2D texture2DLod texture2DProj texture2DProjLod texture3D texture3DLod texture3DProj texture3DProjLod textureCube textureCubeLod textureGather textureGatherOffset textureGatherOffsets textureGrad textureGradOffset textureLod textureLodOffset textureOffset textureProj textureProjGrad textureProjGradOffset textureProjLod textureProjLodOffset textureProjOffset textureQueryLevels textureQueryLod textureSize transpose trunc uaddCarry uintBitsToFloat umulExtended unpackDouble2x32 unpackHalf2x16 unpackSnorm2x16 unpackSnorm4x8 unpackUnorm2x16 unpackUnorm4x8 usubBorrow",literal:"true false"},illegal:'"',contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.C_NUMBER_MODE,{className:"meta",begin:"#",end:"$"}]}}return x_=e,x_}var w_,DT;function GM(){if(DT)return w_;DT=1;function e(t){return{name:"GML",case_insensitive:!1,keywords:{keyword:["#endregion","#macro","#region","and","begin","break","case","constructor","continue","default","delete","div","do","else","end","enum","exit","for","function","globalvar","if","mod","not","or","repeat","return","switch","then","until","var","while","with","xor"],built_in:["abs","achievement_available","achievement_event","achievement_get_challenges","achievement_get_info","achievement_get_pic","achievement_increment","achievement_load_friends","achievement_load_leaderboard","achievement_load_progress","achievement_login","achievement_login_status","achievement_logout","achievement_post","achievement_post_score","achievement_reset","achievement_send_challenge","achievement_show","achievement_show_achievements","achievement_show_challenge_notifications","achievement_show_leaderboards","action_inherited","action_kill_object","ads_disable","ads_enable","ads_engagement_active","ads_engagement_available","ads_engagement_launch","ads_event","ads_event_preload","ads_get_display_height","ads_get_display_width","ads_interstitial_available","ads_interstitial_display","ads_move","ads_set_reward_callback","ads_setup","alarm_get","alarm_set","analytics_event","analytics_event_ext","angle_difference","ansi_char","application_get_position","application_surface_draw_enable","application_surface_enable","application_surface_is_enabled","arccos","arcsin","arctan","arctan2","array_copy","array_create","array_delete","array_equals","array_height_2d","array_insert","array_length","array_length_1d","array_length_2d","array_pop","array_push","array_resize","array_sort","asset_get_index","asset_get_type","audio_channel_num","audio_create_buffer_sound","audio_create_play_queue","audio_create_stream","audio_create_sync_group","audio_debug","audio_destroy_stream","audio_destroy_sync_group","audio_emitter_create","audio_emitter_exists","audio_emitter_falloff","audio_emitter_free","audio_emitter_gain","audio_emitter_get_gain","audio_emitter_get_listener_mask","audio_emitter_get_pitch","audio_emitter_get_vx","audio_emitter_get_vy","audio_emitter_get_vz","audio_emitter_get_x","audio_emitter_get_y","audio_emitter_get_z","audio_emitter_pitch","audio_emitter_position","audio_emitter_set_listener_mask","audio_emitter_velocity","audio_exists","audio_falloff_set_model","audio_free_buffer_sound","audio_free_play_queue","audio_get_listener_count","audio_get_listener_info","audio_get_listener_mask","audio_get_master_gain","audio_get_name","audio_get_recorder_count","audio_get_recorder_info","audio_get_type","audio_group_is_loaded","audio_group_load","audio_group_load_progress","audio_group_name","audio_group_set_gain","audio_group_stop_all","audio_group_unload","audio_is_paused","audio_is_playing","audio_listener_get_data","audio_listener_orientation","audio_listener_position","audio_listener_set_orientation","audio_listener_set_position","audio_listener_set_velocity","audio_listener_velocity","audio_master_gain","audio_music_gain","audio_music_is_playing","audio_pause_all","audio_pause_music","audio_pause_sound","audio_pause_sync_group","audio_play_in_sync_group","audio_play_music","audio_play_sound","audio_play_sound_at","audio_play_sound_on","audio_queue_sound","audio_resume_all","audio_resume_music","audio_resume_sound","audio_resume_sync_group","audio_set_listener_mask","audio_set_master_gain","audio_sound_gain","audio_sound_get_gain","audio_sound_get_listener_mask","audio_sound_get_pitch","audio_sound_get_track_position","audio_sound_length","audio_sound_pitch","audio_sound_set_listener_mask","audio_sound_set_track_position","audio_start_recording","audio_start_sync_group","audio_stop_all","audio_stop_music","audio_stop_recording","audio_stop_sound","audio_stop_sync_group","audio_sync_group_debug","audio_sync_group_get_track_pos","audio_sync_group_is_playing","audio_system","background_get_height","background_get_width","base64_decode","base64_encode","browser_input_capture","buffer_async_group_begin","buffer_async_group_end","buffer_async_group_option","buffer_base64_decode","buffer_base64_decode_ext","buffer_base64_encode","buffer_copy","buffer_copy_from_vertex_buffer","buffer_create","buffer_create_from_vertex_buffer","buffer_create_from_vertex_buffer_ext","buffer_delete","buffer_exists","buffer_fill","buffer_get_address","buffer_get_alignment","buffer_get_size","buffer_get_surface","buffer_get_type","buffer_load","buffer_load_async","buffer_load_ext","buffer_load_partial","buffer_md5","buffer_peek","buffer_poke","buffer_read","buffer_resize","buffer_save","buffer_save_async","buffer_save_ext","buffer_seek","buffer_set_surface","buffer_sha1","buffer_sizeof","buffer_tell","buffer_write","camera_apply","camera_create","camera_create_view","camera_destroy","camera_get_active","camera_get_begin_script","camera_get_default","camera_get_end_script","camera_get_proj_mat","camera_get_update_script","camera_get_view_angle","camera_get_view_border_x","camera_get_view_border_y","camera_get_view_height","camera_get_view_mat","camera_get_view_speed_x","camera_get_view_speed_y","camera_get_view_target","camera_get_view_width","camera_get_view_x","camera_get_view_y","camera_set_begin_script","camera_set_default","camera_set_end_script","camera_set_proj_mat","camera_set_update_script","camera_set_view_angle","camera_set_view_border","camera_set_view_mat","camera_set_view_pos","camera_set_view_size","camera_set_view_speed","camera_set_view_target","ceil","choose","chr","clamp","clickable_add","clickable_add_ext","clickable_change","clickable_change_ext","clickable_delete","clickable_exists","clickable_set_style","clipboard_get_text","clipboard_has_text","clipboard_set_text","cloud_file_save","cloud_string_save","cloud_synchronise","code_is_compiled","collision_circle","collision_circle_list","collision_ellipse","collision_ellipse_list","collision_line","collision_line_list","collision_point","collision_point_list","collision_rectangle","collision_rectangle_list","color_get_blue","color_get_green","color_get_hue","color_get_red","color_get_saturation","color_get_value","colour_get_blue","colour_get_green","colour_get_hue","colour_get_red","colour_get_saturation","colour_get_value","cos","darccos","darcsin","darctan","darctan2","date_compare_date","date_compare_datetime","date_compare_time","date_create_datetime","date_current_datetime","date_date_of","date_date_string","date_datetime_string","date_day_span","date_days_in_month","date_days_in_year","date_get_day","date_get_day_of_year","date_get_hour","date_get_hour_of_year","date_get_minute","date_get_minute_of_year","date_get_month","date_get_second","date_get_second_of_year","date_get_timezone","date_get_week","date_get_weekday","date_get_year","date_hour_span","date_inc_day","date_inc_hour","date_inc_minute","date_inc_month","date_inc_second","date_inc_week","date_inc_year","date_is_today","date_leap_year","date_minute_span","date_month_span","date_second_span","date_set_timezone","date_time_of","date_time_string","date_valid_datetime","date_week_span","date_year_span","dcos","debug_event","debug_get_callstack","degtorad","device_get_tilt_x","device_get_tilt_y","device_get_tilt_z","device_is_keypad_open","device_mouse_check_button","device_mouse_check_button_pressed","device_mouse_check_button_released","device_mouse_dbclick_enable","device_mouse_raw_x","device_mouse_raw_y","device_mouse_x","device_mouse_x_to_gui","device_mouse_y","device_mouse_y_to_gui","directory_create","directory_destroy","directory_exists","display_get_dpi_x","display_get_dpi_y","display_get_gui_height","display_get_gui_width","display_get_height","display_get_orientation","display_get_sleep_margin","display_get_timing_method","display_get_width","display_mouse_get_x","display_mouse_get_y","display_mouse_set","display_reset","display_set_gui_maximise","display_set_gui_maximize","display_set_gui_size","display_set_sleep_margin","display_set_timing_method","display_set_ui_visibility","distance_to_object","distance_to_point","dot_product","dot_product_3d","dot_product_3d_normalised","dot_product_3d_normalized","dot_product_normalised","dot_product_normalized","draw_arrow","draw_background","draw_background_ext","draw_background_part_ext","draw_background_tiled","draw_button","draw_circle","draw_circle_color","draw_circle_colour","draw_clear","draw_clear_alpha","draw_ellipse","draw_ellipse_color","draw_ellipse_colour","draw_enable_alphablend","draw_enable_drawevent","draw_enable_swf_aa","draw_flush","draw_get_alpha","draw_get_color","draw_get_colour","draw_get_lighting","draw_get_swf_aa_level","draw_getpixel","draw_getpixel_ext","draw_healthbar","draw_highscore","draw_light_define_ambient","draw_light_define_direction","draw_light_define_point","draw_light_enable","draw_light_get","draw_light_get_ambient","draw_line","draw_line_color","draw_line_colour","draw_line_width","draw_line_width_color","draw_line_width_colour","draw_path","draw_point","draw_point_color","draw_point_colour","draw_primitive_begin","draw_primitive_begin_texture","draw_primitive_end","draw_rectangle","draw_rectangle_color","draw_rectangle_colour","draw_roundrect","draw_roundrect_color","draw_roundrect_color_ext","draw_roundrect_colour","draw_roundrect_colour_ext","draw_roundrect_ext","draw_self","draw_set_alpha","draw_set_alpha_test","draw_set_alpha_test_ref_value","draw_set_blend_mode","draw_set_blend_mode_ext","draw_set_circle_precision","draw_set_color","draw_set_color_write_enable","draw_set_colour","draw_set_font","draw_set_halign","draw_set_lighting","draw_set_swf_aa_level","draw_set_valign","draw_skeleton","draw_skeleton_collision","draw_skeleton_instance","draw_skeleton_time","draw_sprite","draw_sprite_ext","draw_sprite_general","draw_sprite_part","draw_sprite_part_ext","draw_sprite_pos","draw_sprite_stretched","draw_sprite_stretched_ext","draw_sprite_tiled","draw_sprite_tiled_ext","draw_surface","draw_surface_ext","draw_surface_general","draw_surface_part","draw_surface_part_ext","draw_surface_stretched","draw_surface_stretched_ext","draw_surface_tiled","draw_surface_tiled_ext","draw_text","draw_text_color","draw_text_colour","draw_text_ext","draw_text_ext_color","draw_text_ext_colour","draw_text_ext_transformed","draw_text_ext_transformed_color","draw_text_ext_transformed_colour","draw_text_transformed","draw_text_transformed_color","draw_text_transformed_colour","draw_texture_flush","draw_tile","draw_tilemap","draw_triangle","draw_triangle_color","draw_triangle_colour","draw_vertex","draw_vertex_color","draw_vertex_colour","draw_vertex_texture","draw_vertex_texture_color","draw_vertex_texture_colour","ds_exists","ds_grid_add","ds_grid_add_disk","ds_grid_add_grid_region","ds_grid_add_region","ds_grid_clear","ds_grid_copy","ds_grid_create","ds_grid_destroy","ds_grid_get","ds_grid_get_disk_max","ds_grid_get_disk_mean","ds_grid_get_disk_min","ds_grid_get_disk_sum","ds_grid_get_max","ds_grid_get_mean","ds_grid_get_min","ds_grid_get_sum","ds_grid_height","ds_grid_multiply","ds_grid_multiply_disk","ds_grid_multiply_grid_region","ds_grid_multiply_region","ds_grid_read","ds_grid_resize","ds_grid_set","ds_grid_set_disk","ds_grid_set_grid_region","ds_grid_set_region","ds_grid_shuffle","ds_grid_sort","ds_grid_value_disk_exists","ds_grid_value_disk_x","ds_grid_value_disk_y","ds_grid_value_exists","ds_grid_value_x","ds_grid_value_y","ds_grid_width","ds_grid_write","ds_list_add","ds_list_clear","ds_list_copy","ds_list_create","ds_list_delete","ds_list_destroy","ds_list_empty","ds_list_find_index","ds_list_find_value","ds_list_insert","ds_list_mark_as_list","ds_list_mark_as_map","ds_list_read","ds_list_replace","ds_list_set","ds_list_shuffle","ds_list_size","ds_list_sort","ds_list_write","ds_map_add","ds_map_add_list","ds_map_add_map","ds_map_clear","ds_map_copy","ds_map_create","ds_map_delete","ds_map_destroy","ds_map_empty","ds_map_exists","ds_map_find_first","ds_map_find_last","ds_map_find_next","ds_map_find_previous","ds_map_find_value","ds_map_read","ds_map_replace","ds_map_replace_list","ds_map_replace_map","ds_map_secure_load","ds_map_secure_load_buffer","ds_map_secure_save","ds_map_secure_save_buffer","ds_map_set","ds_map_size","ds_map_write","ds_priority_add","ds_priority_change_priority","ds_priority_clear","ds_priority_copy","ds_priority_create","ds_priority_delete_max","ds_priority_delete_min","ds_priority_delete_value","ds_priority_destroy","ds_priority_empty","ds_priority_find_max","ds_priority_find_min","ds_priority_find_priority","ds_priority_read","ds_priority_size","ds_priority_write","ds_queue_clear","ds_queue_copy","ds_queue_create","ds_queue_dequeue","ds_queue_destroy","ds_queue_empty","ds_queue_enqueue","ds_queue_head","ds_queue_read","ds_queue_size","ds_queue_tail","ds_queue_write","ds_set_precision","ds_stack_clear","ds_stack_copy","ds_stack_create","ds_stack_destroy","ds_stack_empty","ds_stack_pop","ds_stack_push","ds_stack_read","ds_stack_size","ds_stack_top","ds_stack_write","dsin","dtan","effect_clear","effect_create_above","effect_create_below","environment_get_variable","event_inherited","event_perform","event_perform_object","event_user","exp","external_call","external_define","external_free","facebook_accesstoken","facebook_check_permission","facebook_dialog","facebook_graph_request","facebook_init","facebook_launch_offerwall","facebook_login","facebook_logout","facebook_post_message","facebook_request_publish_permissions","facebook_request_read_permissions","facebook_send_invite","facebook_status","facebook_user_id","file_attributes","file_bin_close","file_bin_open","file_bin_position","file_bin_read_byte","file_bin_rewrite","file_bin_seek","file_bin_size","file_bin_write_byte","file_copy","file_delete","file_exists","file_find_close","file_find_first","file_find_next","file_rename","file_text_close","file_text_eof","file_text_eoln","file_text_open_append","file_text_open_from_string","file_text_open_read","file_text_open_write","file_text_read_real","file_text_read_string","file_text_readln","file_text_write_real","file_text_write_string","file_text_writeln","filename_change_ext","filename_dir","filename_drive","filename_ext","filename_name","filename_path","floor","font_add","font_add_enable_aa","font_add_get_enable_aa","font_add_sprite","font_add_sprite_ext","font_delete","font_exists","font_get_bold","font_get_first","font_get_fontname","font_get_italic","font_get_last","font_get_name","font_get_size","font_get_texture","font_get_uvs","font_replace","font_replace_sprite","font_replace_sprite_ext","font_set_cache_size","font_texture_page_size","frac","game_end","game_get_speed","game_load","game_load_buffer","game_restart","game_save","game_save_buffer","game_set_speed","gamepad_axis_count","gamepad_axis_value","gamepad_button_check","gamepad_button_check_pressed","gamepad_button_check_released","gamepad_button_count","gamepad_button_value","gamepad_get_axis_deadzone","gamepad_get_button_threshold","gamepad_get_description","gamepad_get_device_count","gamepad_is_connected","gamepad_is_supported","gamepad_set_axis_deadzone","gamepad_set_button_threshold","gamepad_set_color","gamepad_set_colour","gamepad_set_vibration","gesture_double_tap_distance","gesture_double_tap_time","gesture_drag_distance","gesture_drag_time","gesture_flick_speed","gesture_get_double_tap_distance","gesture_get_double_tap_time","gesture_get_drag_distance","gesture_get_drag_time","gesture_get_flick_speed","gesture_get_pinch_angle_away","gesture_get_pinch_angle_towards","gesture_get_pinch_distance","gesture_get_rotate_angle","gesture_get_rotate_time","gesture_get_tap_count","gesture_pinch_angle_away","gesture_pinch_angle_towards","gesture_pinch_distance","gesture_rotate_angle","gesture_rotate_time","gesture_tap_count","get_integer","get_integer_async","get_login_async","get_open_filename","get_open_filename_ext","get_save_filename","get_save_filename_ext","get_string","get_string_async","get_timer","gml_pragma","gml_release_mode","gpu_get_alphatestenable","gpu_get_alphatestfunc","gpu_get_alphatestref","gpu_get_blendenable","gpu_get_blendmode","gpu_get_blendmode_dest","gpu_get_blendmode_destalpha","gpu_get_blendmode_ext","gpu_get_blendmode_ext_sepalpha","gpu_get_blendmode_src","gpu_get_blendmode_srcalpha","gpu_get_colorwriteenable","gpu_get_colourwriteenable","gpu_get_cullmode","gpu_get_fog","gpu_get_lightingenable","gpu_get_state","gpu_get_tex_filter","gpu_get_tex_filter_ext","gpu_get_tex_max_aniso","gpu_get_tex_max_aniso_ext","gpu_get_tex_max_mip","gpu_get_tex_max_mip_ext","gpu_get_tex_min_mip","gpu_get_tex_min_mip_ext","gpu_get_tex_mip_bias","gpu_get_tex_mip_bias_ext","gpu_get_tex_mip_enable","gpu_get_tex_mip_enable_ext","gpu_get_tex_mip_filter","gpu_get_tex_mip_filter_ext","gpu_get_tex_repeat","gpu_get_tex_repeat_ext","gpu_get_texfilter","gpu_get_texfilter_ext","gpu_get_texrepeat","gpu_get_texrepeat_ext","gpu_get_zfunc","gpu_get_ztestenable","gpu_get_zwriteenable","gpu_pop_state","gpu_push_state","gpu_set_alphatestenable","gpu_set_alphatestfunc","gpu_set_alphatestref","gpu_set_blendenable","gpu_set_blendmode","gpu_set_blendmode_ext","gpu_set_blendmode_ext_sepalpha","gpu_set_colorwriteenable","gpu_set_colourwriteenable","gpu_set_cullmode","gpu_set_fog","gpu_set_lightingenable","gpu_set_state","gpu_set_tex_filter","gpu_set_tex_filter_ext","gpu_set_tex_max_aniso","gpu_set_tex_max_aniso_ext","gpu_set_tex_max_mip","gpu_set_tex_max_mip_ext","gpu_set_tex_min_mip","gpu_set_tex_min_mip_ext","gpu_set_tex_mip_bias","gpu_set_tex_mip_bias_ext","gpu_set_tex_mip_enable","gpu_set_tex_mip_enable_ext","gpu_set_tex_mip_filter","gpu_set_tex_mip_filter_ext","gpu_set_tex_repeat","gpu_set_tex_repeat_ext","gpu_set_texfilter","gpu_set_texfilter_ext","gpu_set_texrepeat","gpu_set_texrepeat_ext","gpu_set_zfunc","gpu_set_ztestenable","gpu_set_zwriteenable","highscore_add","highscore_clear","highscore_name","highscore_value","http_get","http_get_file","http_post_string","http_request","iap_acquire","iap_activate","iap_consume","iap_enumerate_products","iap_product_details","iap_purchase_details","iap_restore_all","iap_status","ini_close","ini_key_delete","ini_key_exists","ini_open","ini_open_from_string","ini_read_real","ini_read_string","ini_section_delete","ini_section_exists","ini_write_real","ini_write_string","instance_activate_all","instance_activate_layer","instance_activate_object","instance_activate_region","instance_change","instance_copy","instance_create","instance_create_depth","instance_create_layer","instance_deactivate_all","instance_deactivate_layer","instance_deactivate_object","instance_deactivate_region","instance_destroy","instance_exists","instance_find","instance_furthest","instance_id_get","instance_nearest","instance_number","instance_place","instance_place_list","instance_position","instance_position_list","int64","io_clear","irandom","irandom_range","is_array","is_bool","is_infinity","is_int32","is_int64","is_matrix","is_method","is_nan","is_numeric","is_ptr","is_real","is_string","is_struct","is_undefined","is_vec3","is_vec4","json_decode","json_encode","keyboard_check","keyboard_check_direct","keyboard_check_pressed","keyboard_check_released","keyboard_clear","keyboard_get_map","keyboard_get_numlock","keyboard_key_press","keyboard_key_release","keyboard_set_map","keyboard_set_numlock","keyboard_unset_map","keyboard_virtual_height","keyboard_virtual_hide","keyboard_virtual_show","keyboard_virtual_status","layer_add_instance","layer_background_alpha","layer_background_blend","layer_background_change","layer_background_create","layer_background_destroy","layer_background_exists","layer_background_get_alpha","layer_background_get_blend","layer_background_get_htiled","layer_background_get_id","layer_background_get_index","layer_background_get_speed","layer_background_get_sprite","layer_background_get_stretch","layer_background_get_visible","layer_background_get_vtiled","layer_background_get_xscale","layer_background_get_yscale","layer_background_htiled","layer_background_index","layer_background_speed","layer_background_sprite","layer_background_stretch","layer_background_visible","layer_background_vtiled","layer_background_xscale","layer_background_yscale","layer_create","layer_depth","layer_destroy","layer_destroy_instances","layer_element_move","layer_exists","layer_force_draw_depth","layer_get_all","layer_get_all_elements","layer_get_depth","layer_get_element_layer","layer_get_element_type","layer_get_forced_depth","layer_get_hspeed","layer_get_id","layer_get_id_at_depth","layer_get_name","layer_get_script_begin","layer_get_script_end","layer_get_shader","layer_get_target_room","layer_get_visible","layer_get_vspeed","layer_get_x","layer_get_y","layer_has_instance","layer_hspeed","layer_instance_get_instance","layer_is_draw_depth_forced","layer_reset_target_room","layer_script_begin","layer_script_end","layer_set_target_room","layer_set_visible","layer_shader","layer_sprite_alpha","layer_sprite_angle","layer_sprite_blend","layer_sprite_change","layer_sprite_create","layer_sprite_destroy","layer_sprite_exists","layer_sprite_get_alpha","layer_sprite_get_angle","layer_sprite_get_blend","layer_sprite_get_id","layer_sprite_get_index","layer_sprite_get_speed","layer_sprite_get_sprite","layer_sprite_get_x","layer_sprite_get_xscale","layer_sprite_get_y","layer_sprite_get_yscale","layer_sprite_index","layer_sprite_speed","layer_sprite_x","layer_sprite_xscale","layer_sprite_y","layer_sprite_yscale","layer_tile_alpha","layer_tile_blend","layer_tile_change","layer_tile_create","layer_tile_destroy","layer_tile_exists","layer_tile_get_alpha","layer_tile_get_blend","layer_tile_get_region","layer_tile_get_sprite","layer_tile_get_visible","layer_tile_get_x","layer_tile_get_xscale","layer_tile_get_y","layer_tile_get_yscale","layer_tile_region","layer_tile_visible","layer_tile_x","layer_tile_xscale","layer_tile_y","layer_tile_yscale","layer_tilemap_create","layer_tilemap_destroy","layer_tilemap_exists","layer_tilemap_get_id","layer_vspeed","layer_x","layer_y","lengthdir_x","lengthdir_y","lerp","ln","load_csv","log10","log2","logn","make_color_hsv","make_color_rgb","make_colour_hsv","make_colour_rgb","math_get_epsilon","math_set_epsilon","matrix_build","matrix_build_identity","matrix_build_lookat","matrix_build_projection_ortho","matrix_build_projection_perspective","matrix_build_projection_perspective_fov","matrix_get","matrix_multiply","matrix_set","matrix_stack_clear","matrix_stack_is_empty","matrix_stack_multiply","matrix_stack_pop","matrix_stack_push","matrix_stack_set","matrix_stack_top","matrix_transform_vertex","max","md5_file","md5_string_unicode","md5_string_utf8","mean","median","merge_color","merge_colour","min","motion_add","motion_set","mouse_check_button","mouse_check_button_pressed","mouse_check_button_released","mouse_clear","mouse_wheel_down","mouse_wheel_up","move_bounce_all","move_bounce_solid","move_contact_all","move_contact_solid","move_outside_all","move_outside_solid","move_random","move_snap","move_towards_point","move_wrap","mp_grid_add_cell","mp_grid_add_instances","mp_grid_add_rectangle","mp_grid_clear_all","mp_grid_clear_cell","mp_grid_clear_rectangle","mp_grid_create","mp_grid_destroy","mp_grid_draw","mp_grid_get_cell","mp_grid_path","mp_grid_to_ds_grid","mp_linear_path","mp_linear_path_object","mp_linear_step","mp_linear_step_object","mp_potential_path","mp_potential_path_object","mp_potential_settings","mp_potential_step","mp_potential_step_object","network_connect","network_connect_raw","network_create_server","network_create_server_raw","network_create_socket","network_create_socket_ext","network_destroy","network_resolve","network_send_broadcast","network_send_packet","network_send_raw","network_send_udp","network_send_udp_raw","network_set_config","network_set_timeout","object_exists","object_get_depth","object_get_mask","object_get_name","object_get_parent","object_get_persistent","object_get_physics","object_get_solid","object_get_sprite","object_get_visible","object_is_ancestor","object_set_mask","object_set_persistent","object_set_solid","object_set_sprite","object_set_visible","ord","os_get_config","os_get_info","os_get_language","os_get_region","os_is_network_connected","os_is_paused","os_lock_orientation","os_powersave_enable","parameter_count","parameter_string","part_emitter_burst","part_emitter_clear","part_emitter_create","part_emitter_destroy","part_emitter_destroy_all","part_emitter_exists","part_emitter_region","part_emitter_stream","part_particles_clear","part_particles_count","part_particles_create","part_particles_create_color","part_particles_create_colour","part_system_automatic_draw","part_system_automatic_update","part_system_clear","part_system_create","part_system_create_layer","part_system_depth","part_system_destroy","part_system_draw_order","part_system_drawit","part_system_exists","part_system_get_layer","part_system_layer","part_system_position","part_system_update","part_type_alpha1","part_type_alpha2","part_type_alpha3","part_type_blend","part_type_clear","part_type_color1","part_type_color2","part_type_color3","part_type_color_hsv","part_type_color_mix","part_type_color_rgb","part_type_colour1","part_type_colour2","part_type_colour3","part_type_colour_hsv","part_type_colour_mix","part_type_colour_rgb","part_type_create","part_type_death","part_type_destroy","part_type_direction","part_type_exists","part_type_gravity","part_type_life","part_type_orientation","part_type_scale","part_type_shape","part_type_size","part_type_speed","part_type_sprite","part_type_step","path_add","path_add_point","path_append","path_assign","path_change_point","path_clear_points","path_delete","path_delete_point","path_duplicate","path_end","path_exists","path_flip","path_get_closed","path_get_kind","path_get_length","path_get_name","path_get_number","path_get_point_speed","path_get_point_x","path_get_point_y","path_get_precision","path_get_speed","path_get_time","path_get_x","path_get_y","path_insert_point","path_mirror","path_rescale","path_reverse","path_rotate","path_set_closed","path_set_kind","path_set_precision","path_shift","path_start","physics_apply_angular_impulse","physics_apply_force","physics_apply_impulse","physics_apply_local_force","physics_apply_local_impulse","physics_apply_torque","physics_draw_debug","physics_fixture_add_point","physics_fixture_bind","physics_fixture_bind_ext","physics_fixture_create","physics_fixture_delete","physics_fixture_set_angular_damping","physics_fixture_set_awake","physics_fixture_set_box_shape","physics_fixture_set_chain_shape","physics_fixture_set_circle_shape","physics_fixture_set_collision_group","physics_fixture_set_density","physics_fixture_set_edge_shape","physics_fixture_set_friction","physics_fixture_set_kinematic","physics_fixture_set_linear_damping","physics_fixture_set_polygon_shape","physics_fixture_set_restitution","physics_fixture_set_sensor","physics_get_density","physics_get_friction","physics_get_restitution","physics_joint_delete","physics_joint_distance_create","physics_joint_enable_motor","physics_joint_friction_create","physics_joint_gear_create","physics_joint_get_value","physics_joint_prismatic_create","physics_joint_pulley_create","physics_joint_revolute_create","physics_joint_rope_create","physics_joint_set_value","physics_joint_weld_create","physics_joint_wheel_create","physics_mass_properties","physics_particle_count","physics_particle_create","physics_particle_delete","physics_particle_delete_region_box","physics_particle_delete_region_circle","physics_particle_delete_region_poly","physics_particle_draw","physics_particle_draw_ext","physics_particle_get_damping","physics_particle_get_data","physics_particle_get_data_particle","physics_particle_get_density","physics_particle_get_gravity_scale","physics_particle_get_group_flags","physics_particle_get_max_count","physics_particle_get_radius","physics_particle_group_add_point","physics_particle_group_begin","physics_particle_group_box","physics_particle_group_circle","physics_particle_group_count","physics_particle_group_delete","physics_particle_group_end","physics_particle_group_get_ang_vel","physics_particle_group_get_angle","physics_particle_group_get_centre_x","physics_particle_group_get_centre_y","physics_particle_group_get_data","physics_particle_group_get_inertia","physics_particle_group_get_mass","physics_particle_group_get_vel_x","physics_particle_group_get_vel_y","physics_particle_group_get_x","physics_particle_group_get_y","physics_particle_group_join","physics_particle_group_polygon","physics_particle_set_category_flags","physics_particle_set_damping","physics_particle_set_density","physics_particle_set_flags","physics_particle_set_gravity_scale","physics_particle_set_group_flags","physics_particle_set_max_count","physics_particle_set_radius","physics_pause_enable","physics_remove_fixture","physics_set_density","physics_set_friction","physics_set_restitution","physics_test_overlap","physics_world_create","physics_world_draw_debug","physics_world_gravity","physics_world_update_iterations","physics_world_update_speed","place_empty","place_free","place_meeting","place_snapped","point_direction","point_distance","point_distance_3d","point_in_circle","point_in_rectangle","point_in_triangle","position_change","position_destroy","position_empty","position_meeting","power","ptr","push_cancel_local_notification","push_get_first_local_notification","push_get_next_local_notification","push_local_notification","radtodeg","random","random_get_seed","random_range","random_set_seed","randomise","randomize","real","rectangle_in_circle","rectangle_in_rectangle","rectangle_in_triangle","room_add","room_assign","room_duplicate","room_exists","room_get_camera","room_get_name","room_get_viewport","room_goto","room_goto_next","room_goto_previous","room_instance_add","room_instance_clear","room_next","room_previous","room_restart","room_set_background_color","room_set_background_colour","room_set_camera","room_set_height","room_set_persistent","room_set_view","room_set_view_enabled","room_set_viewport","room_set_width","round","screen_save","screen_save_part","script_execute","script_exists","script_get_name","sha1_file","sha1_string_unicode","sha1_string_utf8","shader_current","shader_enable_corner_id","shader_get_name","shader_get_sampler_index","shader_get_uniform","shader_is_compiled","shader_reset","shader_set","shader_set_uniform_f","shader_set_uniform_f_array","shader_set_uniform_i","shader_set_uniform_i_array","shader_set_uniform_matrix","shader_set_uniform_matrix_array","shaders_are_supported","shop_leave_rating","show_debug_message","show_debug_overlay","show_error","show_message","show_message_async","show_question","show_question_async","sign","sin","skeleton_animation_clear","skeleton_animation_get","skeleton_animation_get_duration","skeleton_animation_get_ext","skeleton_animation_get_frame","skeleton_animation_get_frames","skeleton_animation_list","skeleton_animation_mix","skeleton_animation_set","skeleton_animation_set_ext","skeleton_animation_set_frame","skeleton_attachment_create","skeleton_attachment_get","skeleton_attachment_set","skeleton_bone_data_get","skeleton_bone_data_set","skeleton_bone_state_get","skeleton_bone_state_set","skeleton_collision_draw_set","skeleton_get_bounds","skeleton_get_minmax","skeleton_get_num_bounds","skeleton_skin_get","skeleton_skin_list","skeleton_skin_set","skeleton_slot_data","sprite_add","sprite_add_from_surface","sprite_assign","sprite_collision_mask","sprite_create_from_surface","sprite_delete","sprite_duplicate","sprite_exists","sprite_flush","sprite_flush_multi","sprite_get_bbox_bottom","sprite_get_bbox_left","sprite_get_bbox_right","sprite_get_bbox_top","sprite_get_height","sprite_get_name","sprite_get_number","sprite_get_speed","sprite_get_speed_type","sprite_get_texture","sprite_get_tpe","sprite_get_uvs","sprite_get_width","sprite_get_xoffset","sprite_get_yoffset","sprite_merge","sprite_prefetch","sprite_prefetch_multi","sprite_replace","sprite_save","sprite_save_strip","sprite_set_alpha_from_sprite","sprite_set_cache_size","sprite_set_cache_size_ext","sprite_set_offset","sprite_set_speed","sqr","sqrt","steam_activate_overlay","steam_activate_overlay_browser","steam_activate_overlay_store","steam_activate_overlay_user","steam_available_languages","steam_clear_achievement","steam_create_leaderboard","steam_current_game_language","steam_download_friends_scores","steam_download_scores","steam_download_scores_around_user","steam_file_delete","steam_file_exists","steam_file_persisted","steam_file_read","steam_file_share","steam_file_size","steam_file_write","steam_file_write_file","steam_get_achievement","steam_get_app_id","steam_get_persona_name","steam_get_quota_free","steam_get_quota_total","steam_get_stat_avg_rate","steam_get_stat_float","steam_get_stat_int","steam_get_user_account_id","steam_get_user_persona_name","steam_get_user_steam_id","steam_initialised","steam_is_cloud_enabled_for_account","steam_is_cloud_enabled_for_app","steam_is_overlay_activated","steam_is_overlay_enabled","steam_is_screenshot_requested","steam_is_user_logged_on","steam_reset_all_stats","steam_reset_all_stats_achievements","steam_send_screenshot","steam_set_achievement","steam_set_stat_avg_rate","steam_set_stat_float","steam_set_stat_int","steam_stats_ready","steam_ugc_create_item","steam_ugc_create_query_all","steam_ugc_create_query_all_ex","steam_ugc_create_query_user","steam_ugc_create_query_user_ex","steam_ugc_download","steam_ugc_get_item_install_info","steam_ugc_get_item_update_info","steam_ugc_get_item_update_progress","steam_ugc_get_subscribed_items","steam_ugc_num_subscribed_items","steam_ugc_query_add_excluded_tag","steam_ugc_query_add_required_tag","steam_ugc_query_set_allow_cached_response","steam_ugc_query_set_cloud_filename_filter","steam_ugc_query_set_match_any_tag","steam_ugc_query_set_ranked_by_trend_days","steam_ugc_query_set_return_long_description","steam_ugc_query_set_return_total_only","steam_ugc_query_set_search_text","steam_ugc_request_item_details","steam_ugc_send_query","steam_ugc_set_item_content","steam_ugc_set_item_description","steam_ugc_set_item_preview","steam_ugc_set_item_tags","steam_ugc_set_item_title","steam_ugc_set_item_visibility","steam_ugc_start_item_update","steam_ugc_submit_item_update","steam_ugc_subscribe_item","steam_ugc_unsubscribe_item","steam_upload_score","steam_upload_score_buffer","steam_upload_score_buffer_ext","steam_upload_score_ext","steam_user_installed_dlc","steam_user_owns_dlc","string","string_byte_at","string_byte_length","string_char_at","string_copy","string_count","string_delete","string_digits","string_format","string_hash_to_newline","string_height","string_height_ext","string_insert","string_length","string_letters","string_lettersdigits","string_lower","string_ord_at","string_pos","string_repeat","string_replace","string_replace_all","string_set_byte_at","string_upper","string_width","string_width_ext","surface_copy","surface_copy_part","surface_create","surface_create_ext","surface_depth_disable","surface_exists","surface_free","surface_get_depth_disable","surface_get_height","surface_get_texture","surface_get_width","surface_getpixel","surface_getpixel_ext","surface_reset_target","surface_resize","surface_save","surface_save_part","surface_set_target","surface_set_target_ext","tan","texture_get_height","texture_get_texel_height","texture_get_texel_width","texture_get_uvs","texture_get_width","texture_global_scale","texture_set_stage","tile_get_empty","tile_get_flip","tile_get_index","tile_get_mirror","tile_get_rotate","tile_set_empty","tile_set_flip","tile_set_index","tile_set_mirror","tile_set_rotate","tilemap_clear","tilemap_get","tilemap_get_at_pixel","tilemap_get_cell_x_at_pixel","tilemap_get_cell_y_at_pixel","tilemap_get_frame","tilemap_get_global_mask","tilemap_get_height","tilemap_get_mask","tilemap_get_tile_height","tilemap_get_tile_width","tilemap_get_tileset","tilemap_get_width","tilemap_get_x","tilemap_get_y","tilemap_set","tilemap_set_at_pixel","tilemap_set_global_mask","tilemap_set_mask","tilemap_tileset","tilemap_x","tilemap_y","timeline_add","timeline_clear","timeline_delete","timeline_exists","timeline_get_name","timeline_max_moment","timeline_moment_add_script","timeline_moment_clear","timeline_size","typeof","url_get_domain","url_open","url_open_ext","url_open_full","variable_global_exists","variable_global_get","variable_global_set","variable_instance_exists","variable_instance_get","variable_instance_get_names","variable_instance_set","variable_struct_exists","variable_struct_get","variable_struct_get_names","variable_struct_names_count","variable_struct_remove","variable_struct_set","vertex_argb","vertex_begin","vertex_color","vertex_colour","vertex_create_buffer","vertex_create_buffer_ext","vertex_create_buffer_from_buffer","vertex_create_buffer_from_buffer_ext","vertex_delete_buffer","vertex_end","vertex_float1","vertex_float2","vertex_float3","vertex_float4","vertex_format_add_color","vertex_format_add_colour","vertex_format_add_custom","vertex_format_add_normal","vertex_format_add_position","vertex_format_add_position_3d","vertex_format_add_texcoord","vertex_format_add_textcoord","vertex_format_begin","vertex_format_delete","vertex_format_end","vertex_freeze","vertex_get_buffer_size","vertex_get_number","vertex_normal","vertex_position","vertex_position_3d","vertex_submit","vertex_texcoord","vertex_ubyte4","view_get_camera","view_get_hport","view_get_surface_id","view_get_visible","view_get_wport","view_get_xport","view_get_yport","view_set_camera","view_set_hport","view_set_surface_id","view_set_visible","view_set_wport","view_set_xport","view_set_yport","virtual_key_add","virtual_key_delete","virtual_key_hide","virtual_key_show","win8_appbar_add_element","win8_appbar_enable","win8_appbar_remove_element","win8_device_touchscreen_available","win8_license_initialize_sandbox","win8_license_trial_version","win8_livetile_badge_clear","win8_livetile_badge_notification","win8_livetile_notification_begin","win8_livetile_notification_end","win8_livetile_notification_expiry","win8_livetile_notification_image_add","win8_livetile_notification_secondary_begin","win8_livetile_notification_tag","win8_livetile_notification_text_add","win8_livetile_queue_enable","win8_livetile_tile_clear","win8_livetile_tile_notification","win8_search_add_suggestions","win8_search_disable","win8_search_enable","win8_secondarytile_badge_notification","win8_secondarytile_delete","win8_secondarytile_pin","win8_settingscharm_add_entry","win8_settingscharm_add_html_entry","win8_settingscharm_add_xaml_entry","win8_settingscharm_get_xaml_property","win8_settingscharm_remove_entry","win8_settingscharm_set_xaml_property","win8_share_file","win8_share_image","win8_share_screenshot","win8_share_text","win8_share_url","window_center","window_device","window_get_caption","window_get_color","window_get_colour","window_get_cursor","window_get_fullscreen","window_get_height","window_get_visible_rects","window_get_width","window_get_x","window_get_y","window_handle","window_has_focus","window_mouse_get_x","window_mouse_get_y","window_mouse_set","window_set_caption","window_set_color","window_set_colour","window_set_cursor","window_set_fullscreen","window_set_max_height","window_set_max_width","window_set_min_height","window_set_min_width","window_set_position","window_set_rectangle","window_set_size","window_view_mouse_get_x","window_view_mouse_get_y","window_views_mouse_get_x","window_views_mouse_get_y","winphone_license_trial_version","winphone_tile_back_content","winphone_tile_back_content_wide","winphone_tile_back_image","winphone_tile_back_image_wide","winphone_tile_back_title","winphone_tile_background_color","winphone_tile_background_colour","winphone_tile_count","winphone_tile_cycle_images","winphone_tile_front_image","winphone_tile_front_image_small","winphone_tile_front_image_wide","winphone_tile_icon_image","winphone_tile_small_background_image","winphone_tile_small_icon_image","winphone_tile_title","winphone_tile_wide_content","zip_unzip"],literal:["all","false","noone","pointer_invalid","pointer_null","true","undefined"],symbol:["ANSI_CHARSET","ARABIC_CHARSET","BALTIC_CHARSET","CHINESEBIG5_CHARSET","DEFAULT_CHARSET","EASTEUROPE_CHARSET","GB2312_CHARSET","GM_build_date","GM_runtime_version","GM_version","GREEK_CHARSET","HANGEUL_CHARSET","HEBREW_CHARSET","JOHAB_CHARSET","MAC_CHARSET","OEM_CHARSET","RUSSIAN_CHARSET","SHIFTJIS_CHARSET","SYMBOL_CHARSET","THAI_CHARSET","TURKISH_CHARSET","VIETNAMESE_CHARSET","achievement_achievement_info","achievement_filter_all_players","achievement_filter_favorites_only","achievement_filter_friends_only","achievement_friends_info","achievement_leaderboard_info","achievement_our_info","achievement_pic_loaded","achievement_show_achievement","achievement_show_bank","achievement_show_friend_picker","achievement_show_leaderboard","achievement_show_profile","achievement_show_purchase_prompt","achievement_show_ui","achievement_type_achievement_challenge","achievement_type_score_challenge","asset_font","asset_object","asset_path","asset_room","asset_script","asset_shader","asset_sound","asset_sprite","asset_tiles","asset_timeline","asset_unknown","audio_3d","audio_falloff_exponent_distance","audio_falloff_exponent_distance_clamped","audio_falloff_inverse_distance","audio_falloff_inverse_distance_clamped","audio_falloff_linear_distance","audio_falloff_linear_distance_clamped","audio_falloff_none","audio_mono","audio_new_system","audio_old_system","audio_stereo","bm_add","bm_complex","bm_dest_alpha","bm_dest_color","bm_dest_colour","bm_inv_dest_alpha","bm_inv_dest_color","bm_inv_dest_colour","bm_inv_src_alpha","bm_inv_src_color","bm_inv_src_colour","bm_max","bm_normal","bm_one","bm_src_alpha","bm_src_alpha_sat","bm_src_color","bm_src_colour","bm_subtract","bm_zero","browser_chrome","browser_edge","browser_firefox","browser_ie","browser_ie_mobile","browser_not_a_browser","browser_opera","browser_safari","browser_safari_mobile","browser_tizen","browser_unknown","browser_windows_store","buffer_bool","buffer_f16","buffer_f32","buffer_f64","buffer_fast","buffer_fixed","buffer_generalerror","buffer_grow","buffer_invalidtype","buffer_network","buffer_outofbounds","buffer_outofspace","buffer_s16","buffer_s32","buffer_s8","buffer_seek_end","buffer_seek_relative","buffer_seek_start","buffer_string","buffer_surface_copy","buffer_text","buffer_u16","buffer_u32","buffer_u64","buffer_u8","buffer_vbuffer","buffer_wrap","button_type","c_aqua","c_black","c_blue","c_dkgray","c_fuchsia","c_gray","c_green","c_lime","c_ltgray","c_maroon","c_navy","c_olive","c_orange","c_purple","c_red","c_silver","c_teal","c_white","c_yellow","cmpfunc_always","cmpfunc_equal","cmpfunc_greater","cmpfunc_greaterequal","cmpfunc_less","cmpfunc_lessequal","cmpfunc_never","cmpfunc_notequal","cr_appstart","cr_arrow","cr_beam","cr_cross","cr_default","cr_drag","cr_handpoint","cr_hourglass","cr_none","cr_size_all","cr_size_nesw","cr_size_ns","cr_size_nwse","cr_size_we","cr_uparrow","cull_clockwise","cull_counterclockwise","cull_noculling","device_emulator","device_ios_ipad","device_ios_ipad_retina","device_ios_iphone","device_ios_iphone5","device_ios_iphone6","device_ios_iphone6plus","device_ios_iphone_retina","device_ios_unknown","device_tablet","display_landscape","display_landscape_flipped","display_portrait","display_portrait_flipped","dll_cdecl","dll_stdcall","ds_type_grid","ds_type_list","ds_type_map","ds_type_priority","ds_type_queue","ds_type_stack","ef_cloud","ef_ellipse","ef_explosion","ef_firework","ef_flare","ef_rain","ef_ring","ef_smoke","ef_smokeup","ef_snow","ef_spark","ef_star","ev_alarm","ev_animation_end","ev_boundary","ev_cleanup","ev_close_button","ev_collision","ev_create","ev_destroy","ev_draw","ev_draw_begin","ev_draw_end","ev_draw_post","ev_draw_pre","ev_end_of_path","ev_game_end","ev_game_start","ev_gesture","ev_gesture_double_tap","ev_gesture_drag_end","ev_gesture_drag_start","ev_gesture_dragging","ev_gesture_flick","ev_gesture_pinch_end","ev_gesture_pinch_in","ev_gesture_pinch_out","ev_gesture_pinch_start","ev_gesture_rotate_end","ev_gesture_rotate_start","ev_gesture_rotating","ev_gesture_tap","ev_global_gesture_double_tap","ev_global_gesture_drag_end","ev_global_gesture_drag_start","ev_global_gesture_dragging","ev_global_gesture_flick","ev_global_gesture_pinch_end","ev_global_gesture_pinch_in","ev_global_gesture_pinch_out","ev_global_gesture_pinch_start","ev_global_gesture_rotate_end","ev_global_gesture_rotate_start","ev_global_gesture_rotating","ev_global_gesture_tap","ev_global_left_button","ev_global_left_press","ev_global_left_release","ev_global_middle_button","ev_global_middle_press","ev_global_middle_release","ev_global_right_button","ev_global_right_press","ev_global_right_release","ev_gui","ev_gui_begin","ev_gui_end","ev_joystick1_button1","ev_joystick1_button2","ev_joystick1_button3","ev_joystick1_button4","ev_joystick1_button5","ev_joystick1_button6","ev_joystick1_button7","ev_joystick1_button8","ev_joystick1_down","ev_joystick1_left","ev_joystick1_right","ev_joystick1_up","ev_joystick2_button1","ev_joystick2_button2","ev_joystick2_button3","ev_joystick2_button4","ev_joystick2_button5","ev_joystick2_button6","ev_joystick2_button7","ev_joystick2_button8","ev_joystick2_down","ev_joystick2_left","ev_joystick2_right","ev_joystick2_up","ev_keyboard","ev_keypress","ev_keyrelease","ev_left_button","ev_left_press","ev_left_release","ev_middle_button","ev_middle_press","ev_middle_release","ev_mouse","ev_mouse_enter","ev_mouse_leave","ev_mouse_wheel_down","ev_mouse_wheel_up","ev_no_button","ev_no_more_health","ev_no_more_lives","ev_other","ev_outside","ev_right_button","ev_right_press","ev_right_release","ev_room_end","ev_room_start","ev_step","ev_step_begin","ev_step_end","ev_step_normal","ev_trigger","ev_user0","ev_user1","ev_user2","ev_user3","ev_user4","ev_user5","ev_user6","ev_user7","ev_user8","ev_user9","ev_user10","ev_user11","ev_user12","ev_user13","ev_user14","ev_user15","fa_archive","fa_bottom","fa_center","fa_directory","fa_hidden","fa_left","fa_middle","fa_readonly","fa_right","fa_sysfile","fa_top","fa_volumeid","fb_login_default","fb_login_fallback_to_webview","fb_login_forcing_safari","fb_login_forcing_webview","fb_login_no_fallback_to_webview","fb_login_use_system_account","gamespeed_fps","gamespeed_microseconds","ge_lose","global","gp_axislh","gp_axislv","gp_axisrh","gp_axisrv","gp_face1","gp_face2","gp_face3","gp_face4","gp_padd","gp_padl","gp_padr","gp_padu","gp_select","gp_shoulderl","gp_shoulderlb","gp_shoulderr","gp_shoulderrb","gp_start","gp_stickl","gp_stickr","iap_available","iap_canceled","iap_ev_consume","iap_ev_product","iap_ev_purchase","iap_ev_restore","iap_ev_storeload","iap_failed","iap_purchased","iap_refunded","iap_status_available","iap_status_loading","iap_status_processing","iap_status_restoring","iap_status_unavailable","iap_status_uninitialised","iap_storeload_failed","iap_storeload_ok","iap_unavailable","input_type","kbv_autocapitalize_characters","kbv_autocapitalize_none","kbv_autocapitalize_sentences","kbv_autocapitalize_words","kbv_returnkey_continue","kbv_returnkey_default","kbv_returnkey_done","kbv_returnkey_emergency","kbv_returnkey_go","kbv_returnkey_google","kbv_returnkey_join","kbv_returnkey_next","kbv_returnkey_route","kbv_returnkey_search","kbv_returnkey_send","kbv_returnkey_yahoo","kbv_type_ascii","kbv_type_default","kbv_type_email","kbv_type_numbers","kbv_type_phone","kbv_type_phone_name","kbv_type_url","layerelementtype_background","layerelementtype_instance","layerelementtype_oldtilemap","layerelementtype_particlesystem","layerelementtype_sprite","layerelementtype_tile","layerelementtype_tilemap","layerelementtype_undefined","lb_disp_none","lb_disp_numeric","lb_disp_time_ms","lb_disp_time_sec","lb_sort_ascending","lb_sort_descending","lb_sort_none","leaderboard_type_number","leaderboard_type_time_mins_secs","lighttype_dir","lighttype_point","local","matrix_projection","matrix_view","matrix_world","mb_any","mb_left","mb_middle","mb_none","mb_right","mip_markedonly","mip_off","mip_on","network_config_connect_timeout","network_config_disable_reliable_udp","network_config_enable_reliable_udp","network_config_use_non_blocking_socket","network_socket_bluetooth","network_socket_tcp","network_socket_udp","network_type_connect","network_type_data","network_type_disconnect","network_type_non_blocking_connect","of_challen","of_challenge_tie","of_challenge_win","os_3ds","os_android","os_bb10","os_ios","os_linux","os_macosx","os_ps3","os_ps4","os_psvita","os_switch","os_symbian","os_tizen","os_tvos","os_unknown","os_uwp","os_wiiu","os_win32","os_win8native","os_windows","os_winphone","os_xbox360","os_xboxone","other","ov_achievements","ov_community","ov_friends","ov_gamegroup","ov_players","ov_settings","path_action_continue","path_action_restart","path_action_reverse","path_action_stop","phy_debug_render_aabb","phy_debug_render_collision_pairs","phy_debug_render_coms","phy_debug_render_core_shapes","phy_debug_render_joints","phy_debug_render_obb","phy_debug_render_shapes","phy_joint_anchor_1_x","phy_joint_anchor_1_y","phy_joint_anchor_2_x","phy_joint_anchor_2_y","phy_joint_angle","phy_joint_angle_limits","phy_joint_damping_ratio","phy_joint_frequency","phy_joint_length_1","phy_joint_length_2","phy_joint_lower_angle_limit","phy_joint_max_force","phy_joint_max_length","phy_joint_max_motor_force","phy_joint_max_motor_torque","phy_joint_max_torque","phy_joint_motor_force","phy_joint_motor_speed","phy_joint_motor_torque","phy_joint_reaction_force_x","phy_joint_reaction_force_y","phy_joint_reaction_torque","phy_joint_speed","phy_joint_translation","phy_joint_upper_angle_limit","phy_particle_data_flag_category","phy_particle_data_flag_color","phy_particle_data_flag_colour","phy_particle_data_flag_position","phy_particle_data_flag_typeflags","phy_particle_data_flag_velocity","phy_particle_flag_colormixing","phy_particle_flag_colourmixing","phy_particle_flag_elastic","phy_particle_flag_powder","phy_particle_flag_spring","phy_particle_flag_tensile","phy_particle_flag_viscous","phy_particle_flag_wall","phy_particle_flag_water","phy_particle_flag_zombie","phy_particle_group_flag_rigid","phy_particle_group_flag_solid","pi","pr_linelist","pr_linestrip","pr_pointlist","pr_trianglefan","pr_trianglelist","pr_trianglestrip","ps_distr_gaussian","ps_distr_invgaussian","ps_distr_linear","ps_shape_diamond","ps_shape_ellipse","ps_shape_line","ps_shape_rectangle","pt_shape_circle","pt_shape_cloud","pt_shape_disk","pt_shape_explosion","pt_shape_flare","pt_shape_line","pt_shape_pixel","pt_shape_ring","pt_shape_smoke","pt_shape_snow","pt_shape_spark","pt_shape_sphere","pt_shape_square","pt_shape_star","spritespeed_framespergameframe","spritespeed_framespersecond","text_type","tf_anisotropic","tf_linear","tf_point","tile_flip","tile_index_mask","tile_mirror","tile_rotate","timezone_local","timezone_utc","tm_countvsyncs","tm_sleep","ty_real","ty_string","ugc_filetype_community","ugc_filetype_microtrans","ugc_list_Favorited","ugc_list_Followed","ugc_list_Published","ugc_list_Subscribed","ugc_list_UsedOrPlayed","ugc_list_VotedDown","ugc_list_VotedOn","ugc_list_VotedUp","ugc_list_WillVoteLater","ugc_match_AllGuides","ugc_match_Artwork","ugc_match_Collections","ugc_match_ControllerBindings","ugc_match_IntegratedGuides","ugc_match_Items","ugc_match_Items_Mtx","ugc_match_Items_ReadyToUse","ugc_match_Screenshots","ugc_match_UsableInGame","ugc_match_Videos","ugc_match_WebGuides","ugc_query_AcceptedForGameRankedByAcceptanceDate","ugc_query_CreatedByFollowedUsersRankedByPublicationDate","ugc_query_CreatedByFriendsRankedByPublicationDate","ugc_query_FavoritedByFriendsRankedByPublicationDate","ugc_query_NotYetRated","ugc_query_RankedByNumTimesReported","ugc_query_RankedByPublicationDate","ugc_query_RankedByTextSearch","ugc_query_RankedByTotalVotesAsc","ugc_query_RankedByTrend","ugc_query_RankedByVote","ugc_query_RankedByVotesUp","ugc_result_success","ugc_sortorder_CreationOrderAsc","ugc_sortorder_CreationOrderDesc","ugc_sortorder_ForModeration","ugc_sortorder_LastUpdatedDesc","ugc_sortorder_SubscriptionDateDesc","ugc_sortorder_TitleAsc","ugc_sortorder_VoteScoreDesc","ugc_visibility_friends_only","ugc_visibility_private","ugc_visibility_public","vertex_type_color","vertex_type_colour","vertex_type_float1","vertex_type_float2","vertex_type_float3","vertex_type_float4","vertex_type_ubyte4","vertex_usage_binormal","vertex_usage_blendindices","vertex_usage_blendweight","vertex_usage_color","vertex_usage_colour","vertex_usage_depth","vertex_usage_fog","vertex_usage_normal","vertex_usage_position","vertex_usage_psize","vertex_usage_sample","vertex_usage_tangent","vertex_usage_texcoord","vertex_usage_textcoord","vk_add","vk_alt","vk_anykey","vk_backspace","vk_control","vk_decimal","vk_delete","vk_divide","vk_down","vk_end","vk_enter","vk_escape","vk_f1","vk_f2","vk_f3","vk_f4","vk_f5","vk_f6","vk_f7","vk_f8","vk_f9","vk_f10","vk_f11","vk_f12","vk_home","vk_insert","vk_lalt","vk_lcontrol","vk_left","vk_lshift","vk_multiply","vk_nokey","vk_numpad0","vk_numpad1","vk_numpad2","vk_numpad3","vk_numpad4","vk_numpad5","vk_numpad6","vk_numpad7","vk_numpad8","vk_numpad9","vk_pagedown","vk_pageup","vk_pause","vk_printscreen","vk_ralt","vk_rcontrol","vk_return","vk_right","vk_rshift","vk_shift","vk_space","vk_subtract","vk_tab","vk_up"],"variable.language":["alarm","application_surface","argument","argument0","argument1","argument2","argument3","argument4","argument5","argument6","argument7","argument8","argument9","argument10","argument11","argument12","argument13","argument14","argument15","argument_count","argument_relative","async_load","background_color","background_colour","background_showcolor","background_showcolour","bbox_bottom","bbox_left","bbox_right","bbox_top","browser_height","browser_width","caption_health","caption_lives","caption_score","current_day","current_hour","current_minute","current_month","current_second","current_time","current_weekday","current_year","cursor_sprite","debug_mode","delta_time","depth","direction","display_aa","error_last","error_occurred","event_action","event_data","event_number","event_object","event_type","fps","fps_real","friction","game_display_name","game_id","game_project_name","game_save_id","gamemaker_pro","gamemaker_registered","gamemaker_version","gravity","gravity_direction","health","hspeed","iap_data","id|0","image_alpha","image_angle","image_blend","image_index","image_number","image_speed","image_xscale","image_yscale","instance_count","instance_id","keyboard_key","keyboard_lastchar","keyboard_lastkey","keyboard_string","layer","lives","mask_index","mouse_button","mouse_lastbutton","mouse_x","mouse_y","object_index","os_browser","os_device","os_type","os_version","path_endaction","path_index","path_orientation","path_position","path_positionprevious","path_scale","path_speed","persistent","phy_active","phy_angular_damping","phy_angular_velocity","phy_bullet","phy_col_normal_x","phy_col_normal_y","phy_collision_points","phy_collision_x","phy_collision_y","phy_com_x","phy_com_y","phy_dynamic","phy_fixed_rotation","phy_inertia","phy_kinematic","phy_linear_damping","phy_linear_velocity_x","phy_linear_velocity_y","phy_mass","phy_position_x","phy_position_xprevious","phy_position_y","phy_position_yprevious","phy_rotation","phy_sleeping","phy_speed","phy_speed_x","phy_speed_y","program_directory","room","room_caption","room_first","room_height","room_last","room_persistent","room_speed","room_width","score","self","show_health","show_lives","show_score","solid","speed","sprite_height","sprite_index","sprite_width","sprite_xoffset","sprite_yoffset","temp_directory","timeline_index","timeline_loop","timeline_position","timeline_running","timeline_speed","view_angle","view_camera","view_current","view_enabled","view_hborder","view_hport","view_hspeed","view_hview","view_object","view_surface_id","view_vborder","view_visible","view_vspeed","view_wport","view_wview","view_xport","view_xview","view_yport","view_yview","visible","vspeed","webgl_enabled","working_directory","xprevious","xstart","x|0","yprevious","ystart","y|0"]},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE]}}return w_=e,w_}var L_,xT;function HM(){if(xT)return L_;xT=1;function e(t){const l={keyword:["break","case","chan","const","continue","default","defer","else","fallthrough","for","func","go","goto","if","import","interface","map","package","range","return","select","struct","switch","type","var"],type:["bool","byte","complex64","complex128","error","float32","float64","int8","int16","int32","int64","string","uint8","uint16","uint32","uint64","int","uint","uintptr","rune"],literal:["true","false","iota","nil"],built_in:["append","cap","close","complex","copy","imag","len","make","new","panic","print","println","real","recover","delete"]};return{name:"Go",aliases:["golang"],keywords:l,illegal:"</",contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"string",variants:[t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,{begin:"`",end:"`"}]},{className:"number",variants:[{begin:t.C_NUMBER_RE+"[i]",relevance:1},t.C_NUMBER_MODE]},{begin:/:=/},{className:"function",beginKeywords:"func",end:"\\s*(\\{|$)",excludeEnd:!0,contains:[t.TITLE_MODE,{className:"params",begin:/\(/,end:/\)/,endsParent:!0,keywords:l,illegal:/["']/}]}]}}return L_=e,L_}var M_,wT;function qM(){if(wT)return M_;wT=1;function e(t){return{name:"Golo",keywords:{keyword:["println","readln","print","import","module","function","local","return","let","var","while","for","foreach","times","in","case","when","match","with","break","continue","augment","augmentation","each","find","filter","reduce","if","then","else","otherwise","try","catch","finally","raise","throw","orIfNull","DynamicObject|10","DynamicVariable","struct","Observable","map","set","vector","list","array"],literal:["true","false","null"]},contains:[t.HASH_COMMENT_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,{className:"meta",begin:"@[A-Za-z]+"}]}}return M_=e,M_}var k_,LT;function YM(){if(LT)return k_;LT=1;function e(t){return{name:"Gradle",case_insensitive:!0,keywords:["task","project","allprojects","subprojects","artifacts","buildscript","configurations","dependencies","repositories","sourceSets","description","delete","from","into","include","exclude","source","classpath","destinationDir","includes","options","sourceCompatibility","targetCompatibility","group","flatDir","doLast","doFirst","flatten","todir","fromdir","ant","def","abstract","break","case","catch","continue","default","do","else","extends","final","finally","for","if","implements","instanceof","native","new","private","protected","public","return","static","switch","synchronized","throw","throws","transient","try","volatile","while","strictfp","package","import","false","null","super","this","true","antlrtask","checkstyle","codenarc","copy","boolean","byte","char","class","double","float","int","interface","long","short","void","compile","runTime","file","fileTree","abs","any","append","asList","asWritable","call","collect","compareTo","count","div","dump","each","eachByte","eachFile","eachLine","every","find","findAll","flatten","getAt","getErr","getIn","getOut","getText","grep","immutable","inject","inspect","intersect","invokeMethods","isCase","join","leftShift","minus","multiply","newInputStream","newOutputStream","newPrintWriter","newReader","newWriter","next","plus","pop","power","previous","print","println","push","putAt","read","readBytes","readLines","reverse","reverseEach","round","size","sort","splitEachLine","step","subMap","times","toInteger","toList","tokenize","upto","waitForOrKill","withPrintWriter","withReader","withStream","withWriter","withWriterAppend","write","writeLine"],contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.NUMBER_MODE,t.REGEXP_MODE]}}return k_=e,k_}var P_,MT;function WM(){if(MT)return P_;MT=1;function e(t){const n=t.regex,r=/[_A-Za-z][_0-9A-Za-z]*/;return{name:"GraphQL",aliases:["gql"],case_insensitive:!0,disableAutodetect:!1,keywords:{keyword:["query","mutation","subscription","type","input","schema","directive","interface","union","scalar","fragment","enum","on"],literal:["true","false","null"]},contains:[t.HASH_COMMENT_MODE,t.QUOTE_STRING_MODE,t.NUMBER_MODE,{scope:"punctuation",match:/[.]{3}/,relevance:0},{scope:"punctuation",begin:/[\!\(\)\:\=\[\]\{\|\}]{1}/,relevance:0},{scope:"variable",begin:/\$/,end:/\W/,excludeEnd:!0,relevance:0},{scope:"meta",match:/@\w+/,excludeEnd:!0},{scope:"symbol",begin:n.concat(r,n.lookahead(/\s*:/)),relevance:0}],illegal:[/[;<']/,/BEGIN/]}}return P_=e,P_}var F_,kT;function VM(){if(kT)return F_;kT=1;function e(n,r={}){return r.variants=n,r}function t(n){const r=n.regex,a="[A-Za-z0-9_$]+",o=e([n.C_LINE_COMMENT_MODE,n.C_BLOCK_COMMENT_MODE,n.COMMENT("/\\*\\*","\\*/",{relevance:0,contains:[{begin:/\w+@/,relevance:0},{className:"doctag",begin:"@[A-Za-z]+"}]})]),l={className:"regexp",begin:/~?\/[^\/\n]+\//,contains:[n.BACKSLASH_ESCAPE]},u=e([n.BINARY_NUMBER_MODE,n.C_NUMBER_MODE]),c=e([{begin:/"""/,end:/"""/},{begin:/'''/,end:/'''/},{begin:"\\$/",end:"/\\$",relevance:10},n.APOS_STRING_MODE,n.QUOTE_STRING_MODE],{className:"string"}),d={match:[/(class|interface|trait|enum|record|extends|implements)/,/\s+/,n.UNDERSCORE_IDENT_RE],scope:{1:"keyword",3:"title.class"}};return{name:"Groovy",keywords:{"variable.language":"this super",literal:"true false null",type:["byte","short","char","int","long","boolean","float","double","void"],keyword:["def","as","in","assert","trait","abstract","static","volatile","transient","public","private","protected","synchronized","final","class","interface","enum","if","else","for","while","switch","case","break","default","continue","throw","throws","try","catch","finally","implements","extends","new","import","package","return","instanceof","var"]},contains:[n.SHEBANG({binary:"groovy",relevance:10}),o,c,l,u,d,{className:"meta",begin:"@[A-Za-z]+",relevance:0},{className:"attr",begin:a+"[ 	]*:",relevance:0},{begin:/\?/,end:/:/,relevance:0,contains:[o,c,l,u,"self"]},{className:"symbol",begin:"^[ 	]*"+r.lookahead(a+":"),excludeBegin:!0,end:a+":",relevance:0}],illegal:/#|<\//}}return F_=t,F_}var B_,PT;function zM(){if(PT)return B_;PT=1;function e(t){return{name:"HAML",case_insensitive:!0,contains:[{className:"meta",begin:"^!!!( (5|1\\.1|Strict|Frameset|Basic|Mobile|RDFa|XML\\b.*))?$",relevance:10},t.COMMENT("^\\s*(!=#|=#|-#|/).*$",null,{relevance:0}),{begin:"^\\s*(-|=|!=)(?!#)",end:/$/,subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0},{className:"tag",begin:"^\\s*%",contains:[{className:"selector-tag",begin:"\\w+"},{className:"selector-id",begin:"#[\\w-]+"},{className:"selector-class",begin:"\\.[\\w-]+"},{begin:/\{\s*/,end:/\s*\}/,contains:[{begin:":\\w+\\s*=>",end:",\\s+",returnBegin:!0,endsWithParent:!0,contains:[{className:"attr",begin:":\\w+"},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{begin:"\\w+",relevance:0}]}]},{begin:"\\(\\s*",end:"\\s*\\)",excludeEnd:!0,contains:[{begin:"\\w+\\s*=",end:"\\s+",returnBegin:!0,endsWithParent:!0,contains:[{className:"attr",begin:"\\w+",relevance:0},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{begin:"\\w+",relevance:0}]}]}]},{begin:"^\\s*[=~]\\s*"},{begin:/#\{/,end:/\}/,subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0}]}}return B_=e,B_}var U_,FT;function KM(){if(FT)return U_;FT=1;function e(t){const n=t.regex,r={$pattern:/[\w.\/]+/,built_in:["action","bindattr","collection","component","concat","debugger","each","each-in","get","hash","if","in","input","link-to","loc","log","lookup","mut","outlet","partial","query-params","render","template","textarea","unbound","unless","view","with","yield"]},a={$pattern:/[\w.\/]+/,literal:["true","false","undefined","null"]},o=/""|"[^"]+"/,l=/''|'[^']+'/,u=/\[\]|\[[^\]]+\]/,c=/[^\s!"#%&'()*+,.\/;<=>@\[\\\]^`{|}~]+/,d=/(\.|\/)/,S=n.either(o,l,u,c),_=n.concat(n.optional(/\.|\.\/|\//),S,n.anyNumberOfTimes(n.concat(d,S))),E=n.concat("(",u,"|",c,")(?==)"),T={begin:_},y=t.inherit(T,{keywords:a}),M={begin:/\(/,end:/\)/},v={className:"attr",begin:E,relevance:0,starts:{begin:/=/,end:/=/,starts:{contains:[t.NUMBER_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,y,M]}}},A={begin:/as\s+\|/,keywords:{keyword:"as"},end:/\|/,contains:[{begin:/\w+/}]},O={contains:[t.NUMBER_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,A,v,y,M],returnEnd:!0},N=t.inherit(T,{className:"name",keywords:r,starts:t.inherit(O,{end:/\)/})});M.contains=[N];const R=t.inherit(T,{keywords:r,className:"name",starts:t.inherit(O,{end:/\}\}/})}),L=t.inherit(T,{keywords:r,className:"name"}),I=t.inherit(T,{className:"name",keywords:r,starts:t.inherit(O,{end:/\}\}/})});return{name:"Handlebars",aliases:["hbs","html.hbs","html.handlebars","htmlbars"],case_insensitive:!0,subLanguage:"xml",contains:[{begin:/\\\{\{/,skip:!0},{begin:/\\\\(?=\{\{)/,skip:!0},t.COMMENT(/\{\{!--/,/--\}\}/),t.COMMENT(/\{\{!/,/\}\}/),{className:"template-tag",begin:/\{\{\{\{(?!\/)/,end:/\}\}\}\}/,contains:[R],starts:{end:/\{\{\{\{\//,returnEnd:!0,subLanguage:"xml"}},{className:"template-tag",begin:/\{\{\{\{\//,end:/\}\}\}\}/,contains:[L]},{className:"template-tag",begin:/\{\{#/,end:/\}\}/,contains:[R]},{className:"template-tag",begin:/\{\{(?=else\}\})/,end:/\}\}/,keywords:"else"},{className:"template-tag",begin:/\{\{(?=else if)/,end:/\}\}/,keywords:"else if"},{className:"template-tag",begin:/\{\{\//,end:/\}\}/,contains:[L]},{className:"template-variable",begin:/\{\{\{/,end:/\}\}\}/,contains:[I]},{className:"template-variable",begin:/\{\{/,end:/\}\}/,contains:[I]}]}}return U_=e,U_}var G_,BT;function $M(){if(BT)return G_;BT=1;function e(t){const n="([0-9]_*)+",r="([0-9a-fA-F]_*)+",a="([01]_*)+",o="([0-7]_*)+",d="([!#$%&*+.\\/<=>?@\\\\^~-]|(?!([(),;\\[\\]`|{}]|[_:\"']))(\\p{S}|\\p{P}))",S={variants:[t.COMMENT("--+","$"),t.COMMENT(/\{-/,/-\}/,{contains:["self"]})]},_={className:"meta",begin:/\{-#/,end:/#-\}/},E={className:"meta",begin:"^#",end:"$"},T={className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},y={begin:"\\(",end:"\\)",illegal:'"',contains:[_,E,{className:"type",begin:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},t.inherit(t.TITLE_MODE,{begin:"[_a-z][\\w']*"}),S]},M={begin:/\{/,end:/\}/,contains:y.contains},v={className:"number",relevance:0,variants:[{match:`\\b(${n})(\\.(${n}))?([eE][+-]?(${n}))?\\b`},{match:`\\b0[xX]_*(${r})(\\.(${r}))?([pP][+-]?(${n}))?\\b`},{match:`\\b0[oO](${o})\\b`},{match:`\\b0[bB](${a})\\b`}]};return{name:"Haskell",aliases:["hs"],keywords:"let in if then else case of where do module import hiding qualified type data newtype deriving class instance as default infix infixl infixr foreign export ccall stdcall cplusplus jvm dotnet safe unsafe family forall mdo proc rec",unicodeRegex:!0,contains:[{beginKeywords:"module",end:"where",keywords:"module where",contains:[y,S],illegal:"\\W\\.|;"},{begin:"\\bimport\\b",end:"$",keywords:"import qualified as hiding",contains:[y,S],illegal:"\\W\\.|;"},{className:"class",begin:"^(\\s*)?(class|instance)\\b",end:"where",keywords:"class family instance where",contains:[T,y,S]},{className:"class",begin:"\\b(data|(new)?type)\\b",end:"$",keywords:"data family type newtype deriving",contains:[_,T,y,M,S]},{beginKeywords:"default",end:"$",contains:[T,y,S]},{beginKeywords:"infix infixl infixr",end:"$",contains:[t.C_NUMBER_MODE,S]},{begin:"\\bforeign\\b",end:"$",keywords:"foreign import export ccall stdcall cplusplus jvm dotnet safe unsafe",contains:[T,t.QUOTE_STRING_MODE,S]},{className:"meta",begin:"#!\\/usr\\/bin\\/env runhaskell",end:"$"},_,E,{scope:"string",begin:/'(?=\\?.')/,end:/'/,contains:[{scope:"char.escape",match:/\\./}]},t.QUOTE_STRING_MODE,v,T,t.inherit(t.TITLE_MODE,{begin:"^[_a-z][\\w']*"}),{begin:`(?!-)${d}--+|--+(?!-)${d}`},S,{begin:"->|<-"}]}}return G_=e,G_}var H_,UT;function QM(){if(UT)return H_;UT=1;function e(t){const n="[a-zA-Z_$][a-zA-Z0-9_$]*",r=/(-?)(\b0[xX][a-fA-F0-9_]+|(\b\d+(\.[\d_]*)?|\.[\d_]+)(([eE][-+]?\d+)|i32|u32|i64|f64)?)/;return{name:"Haxe",aliases:["hx"],keywords:{keyword:"abstract break case cast catch continue default do dynamic else enum extern final for function here if import in inline is macro never new override package private get set public return static super switch this throw trace try typedef untyped using var while "+"Int Float String Bool Dynamic Void Array ",built_in:"trace this",literal:"true false null _"},contains:[{className:"string",begin:"'",end:"'",contains:[t.BACKSLASH_ESCAPE,{className:"subst",begin:/\$\{/,end:/\}/},{className:"subst",begin:/\$/,end:/\W\}/}]},t.QUOTE_STRING_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"number",begin:r,relevance:0},{className:"variable",begin:"\\$"+n},{className:"meta",begin:/@:?/,end:/\(|$/,excludeEnd:!0},{className:"meta",begin:"#",end:"$",keywords:{keyword:"if else elseif end error"}},{className:"type",begin:/:[ \t]*/,end:/[^A-Za-z0-9_ \t\->]/,excludeBegin:!0,excludeEnd:!0,relevance:0},{className:"type",begin:/:[ \t]*/,end:/\W/,excludeBegin:!0,excludeEnd:!0},{className:"type",begin:/new */,end:/\W/,excludeBegin:!0,excludeEnd:!0},{className:"title.class",beginKeywords:"enum",end:/\{/,contains:[t.TITLE_MODE]},{className:"title.class",begin:"\\babstract\\b(?=\\s*"+t.IDENT_RE+"\\s*\\()",end:/[\{$]/,contains:[{className:"type",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0},{className:"type",begin:/from +/,end:/\W/,excludeBegin:!0,excludeEnd:!0},{className:"type",begin:/to +/,end:/\W/,excludeBegin:!0,excludeEnd:!0},t.TITLE_MODE],keywords:{keyword:"abstract from to"}},{className:"title.class",begin:/\b(class|interface) +/,end:/[\{$]/,excludeEnd:!0,keywords:"class interface",contains:[{className:"keyword",begin:/\b(extends|implements) +/,keywords:"extends implements",contains:[{className:"type",begin:t.IDENT_RE,relevance:0}]},t.TITLE_MODE]},{className:"title.function",beginKeywords:"function",end:/\(/,excludeEnd:!0,illegal:/\S/,contains:[t.TITLE_MODE]}],illegal:/<\//}}return H_=e,H_}var q_,GT;function jM(){if(GT)return q_;GT=1;function e(t){return{name:"HSP",case_insensitive:!0,keywords:{$pattern:/[\w._]+/,keyword:"goto gosub return break repeat loop continue wait await dim sdim foreach dimtype dup dupptr end stop newmod delmod mref run exgoto on mcall assert logmes newlab resume yield onexit onerror onkey onclick oncmd exist delete mkdir chdir dirlist bload bsave bcopy memfile if else poke wpoke lpoke getstr chdpm memexpand memcpy memset notesel noteadd notedel noteload notesave randomize noteunsel noteget split strrep setease button chgdisp exec dialog mmload mmplay mmstop mci pset pget syscolor mes print title pos circle cls font sysfont objsize picload color palcolor palette redraw width gsel gcopy gzoom gmode bmpsave hsvcolor getkey listbox chkbox combox input mesbox buffer screen bgscr mouse objsel groll line clrobj boxf objprm objmode stick grect grotate gsquare gradf objimage objskip objenable celload celdiv celput newcom querycom delcom cnvstow comres axobj winobj sendmsg comevent comevarg sarrayconv callfunc cnvwtos comevdisp libptr system hspstat hspver stat cnt err strsize looplev sublev iparam wparam lparam refstr refdval int rnd strlen length length2 length3 length4 vartype gettime peek wpeek lpeek varptr varuse noteinfo instr abs limit getease str strmid strf getpath strtrim sin cos tan atan sqrt double absf expf logf limitf powf geteasef mousex mousey mousew hwnd hinstance hdc ginfo objinfo dirinfo sysinfo thismod __hspver__ __hsp30__ __date__ __time__ __line__ __file__ _debug __hspdef__ and or xor not screen_normal screen_palette screen_hide screen_fixedsize screen_tool screen_frame gmode_gdi gmode_mem gmode_rgb0 gmode_alpha gmode_rgb0alpha gmode_add gmode_sub gmode_pixela ginfo_mx ginfo_my ginfo_act ginfo_sel ginfo_wx1 ginfo_wy1 ginfo_wx2 ginfo_wy2 ginfo_vx ginfo_vy ginfo_sizex ginfo_sizey ginfo_winx ginfo_winy ginfo_mesx ginfo_mesy ginfo_r ginfo_g ginfo_b ginfo_paluse ginfo_dispx ginfo_dispy ginfo_cx ginfo_cy ginfo_intid ginfo_newid ginfo_sx ginfo_sy objinfo_mode objinfo_bmscr objinfo_hwnd notemax notesize dir_cur dir_exe dir_win dir_sys dir_cmdline dir_desktop dir_mydoc dir_tv font_normal font_bold font_italic font_underline font_strikeout font_antialias objmode_normal objmode_guifont objmode_usefont gsquare_grad msgothic msmincho do until while wend for next _break _continue switch case default swbreak swend ddim ldim alloc m_pi rad2deg deg2rad ease_linear ease_quad_in ease_quad_out ease_quad_inout ease_cubic_in ease_cubic_out ease_cubic_inout ease_quartic_in ease_quartic_out ease_quartic_inout ease_bounce_in ease_bounce_out ease_bounce_inout ease_shake_in ease_shake_out ease_shake_inout ease_loop"},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,{className:"string",begin:/\{"/,end:/"\}/,contains:[t.BACKSLASH_ESCAPE]},t.COMMENT(";","$",{relevance:0}),{className:"meta",begin:"#",end:"$",keywords:{keyword:"addion cfunc cmd cmpopt comfunc const defcfunc deffunc define else endif enum epack func global if ifdef ifndef include modcfunc modfunc modinit modterm module pack packopt regcmd runtime undef usecom uselib"},contains:[t.inherit(t.QUOTE_STRING_MODE,{className:"string"}),t.NUMBER_MODE,t.C_NUMBER_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{className:"symbol",begin:"^\\*(\\w+|@)"},t.NUMBER_MODE,t.C_NUMBER_MODE]}}return q_=e,q_}var Y_,HT;function XM(){if(HT)return Y_;HT=1;function e(t){const n=t.regex,r="HTTP/([32]|1\\.[01])",a=/[A-Za-z][A-Za-z0-9-]*/,o={className:"attribute",begin:n.concat("^",a,"(?=\\:\\s)"),starts:{contains:[{className:"punctuation",begin:/: /,relevance:0,starts:{end:"$",relevance:0}}]}},l=[o,{begin:"\\n\\n",starts:{subLanguage:[],endsWithParent:!0}}];return{name:"HTTP",aliases:["https"],illegal:/\S/,contains:[{begin:"^(?="+r+" \\d{3})",end:/$/,contains:[{className:"meta",begin:r},{className:"number",begin:"\\b\\d{3}\\b"}],starts:{end:/\b\B/,illegal:/\S/,contains:l}},{begin:"(?=^[A-Z]+ (.*?) "+r+"$)",end:/$/,contains:[{className:"string",begin:" ",end:" ",excludeBegin:!0,excludeEnd:!0},{className:"meta",begin:r},{className:"keyword",begin:"[A-Z]+"}],starts:{end:/\b\B/,illegal:/\S/,contains:l}},t.inherit(o,{relevance:0})]}}return Y_=e,Y_}var W_,qT;function ZM(){if(qT)return W_;qT=1;function e(t){const n="a-zA-Z_\\-!.?+*=<>&#'",r="["+n+"]["+n+"0-9/;:]*",a={$pattern:r,built_in:"!= % %= & &= * ** **= *= *map + += , --build-class-- --import-- -= . / // //= /= < << <<= <= = > >= >> >>= @ @= ^ ^= abs accumulate all and any ap-compose ap-dotimes ap-each ap-each-while ap-filter ap-first ap-if ap-last ap-map ap-map-when ap-pipe ap-reduce ap-reject apply as-> ascii assert assoc bin break butlast callable calling-module-name car case cdr chain chr coll? combinations compile compress cond cons cons? continue count curry cut cycle dec def default-method defclass defmacro defmacro-alias defmacro/g! defmain defmethod defmulti defn defn-alias defnc defnr defreader defseq del delattr delete-route dict-comp dir disassemble dispatch-reader-macro distinct divmod do doto drop drop-last drop-while empty? end-sequence eval eval-and-compile eval-when-compile even? every? except exec filter first flatten float? fn fnc fnr for for* format fraction genexpr gensym get getattr global globals group-by hasattr hash hex id identity if if* if-not if-python2 import in inc input instance? integer integer-char? integer? interleave interpose is is-coll is-cons is-empty is-even is-every is-float is-instance is-integer is-integer-char is-iterable is-iterator is-keyword is-neg is-none is-not is-numeric is-odd is-pos is-string is-symbol is-zero isinstance islice issubclass iter iterable? iterate iterator? keyword keyword? lambda last len let lif lif-not list* list-comp locals loop macro-error macroexpand macroexpand-1 macroexpand-all map max merge-with method-decorator min multi-decorator multicombinations name neg? next none? nonlocal not not-in not? nth numeric? oct odd? open or ord partition permutations pos? post-route postwalk pow prewalk print product profile/calls profile/cpu put-route quasiquote quote raise range read read-str recursive-replace reduce remove repeat repeatedly repr require rest round route route-with-methods rwm second seq set-comp setattr setv some sorted string string? sum switch symbol? take take-nth take-while tee try unless unquote unquote-splicing vars walk when while with with* with-decorator with-gensyms xi xor yield yield-from zero? zip zip-longest | |= ~"},o="[-+]?\\d+(\\.\\d+)?",l={begin:r,relevance:0},u={className:"number",begin:o,relevance:0},c=t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),d=t.COMMENT(";","$",{relevance:0}),S={className:"literal",begin:/\b([Tt]rue|[Ff]alse|nil|None)\b/},_={begin:"[\\[\\{]",end:"[\\]\\}]",relevance:0},E={className:"comment",begin:"\\^"+r},T=t.COMMENT("\\^\\{","\\}"),y={className:"symbol",begin:"[:]{1,2}"+r},M={begin:"\\(",end:"\\)"},v={endsWithParent:!0,relevance:0},A={className:"name",relevance:0,keywords:a,begin:r,starts:v},O=[M,c,E,T,d,y,_,u,S,l];return M.contains=[t.COMMENT("comment",""),A,v],v.contains=O,_.contains=O,{name:"Hy",aliases:["hylang"],illegal:/\S/,contains:[t.SHEBANG(),M,c,E,T,d,y,_,u,S]}}return W_=e,W_}var V_,YT;function JM(){if(YT)return V_;YT=1;function e(t){const n="\\[",r="\\]";return{name:"Inform 7",aliases:["i7"],case_insensitive:!0,keywords:{keyword:"thing room person man woman animal container supporter backdrop door scenery open closed locked inside gender is are say understand kind of rule"},contains:[{className:"string",begin:'"',end:'"',relevance:0,contains:[{className:"subst",begin:n,end:r}]},{className:"section",begin:/^(Volume|Book|Part|Chapter|Section|Table)\b/,end:"$"},{begin:/^(Check|Carry out|Report|Instead of|To|Rule|When|Before|After)\b/,end:":",contains:[{begin:"\\(This",end:"\\)"}]},{className:"comment",begin:n,end:r,contains:["self"]}]}}return V_=e,V_}var z_,WT;function ek(){if(WT)return z_;WT=1;function e(t){const n=t.regex,r={className:"number",relevance:0,variants:[{begin:/([+-]+)?[\d]+_[\d_]+/},{begin:t.NUMBER_RE}]},a=t.COMMENT();a.variants=[{begin:/;/,end:/$/},{begin:/#/,end:/$/}];const o={className:"variable",variants:[{begin:/\$[\w\d"][\w\d_]*/},{begin:/\$\{(.*?)\}/}]},l={className:"literal",begin:/\bon|off|true|false|yes|no\b/},u={className:"string",contains:[t.BACKSLASH_ESCAPE],variants:[{begin:"'''",end:"'''",relevance:10},{begin:'"""',end:'"""',relevance:10},{begin:'"',end:'"'},{begin:"'",end:"'"}]},c={begin:/\[/,end:/\]/,contains:[a,l,o,u,r,"self"],relevance:0},d=/[A-Za-z0-9_-]+/,S=/"(\\"|[^"])*"/,_=/'[^']*'/,E=n.either(d,S,_),T=n.concat(E,"(\\s*\\.\\s*",E,")*",n.lookahead(/\s*=\s*[^#\s]/));return{name:"TOML, also INI",aliases:["toml"],case_insensitive:!0,illegal:/\S/,contains:[a,{className:"section",begin:/\[+/,end:/\]+/},{begin:T,className:"attr",starts:{end:/$/,contains:[a,c,l,o,u,r]}}]}}return z_=e,z_}var K_,VT;function tk(){if(VT)return K_;VT=1;function e(t){const n=t.regex,r={className:"params",begin:"\\(",end:"\\)"},a=/(_[a-z_\d]+)?/,o=/([de][+-]?\d+)?/,l={className:"number",variants:[{begin:n.concat(/\b\d+/,/\.(\d*)/,o,a)},{begin:n.concat(/\b\d+/,o,a)},{begin:n.concat(/\.\d+/,o,a)}],relevance:0};return{name:"IRPF90",case_insensitive:!0,keywords:{literal:".False. .True.",keyword:"kind do while private call intrinsic where elsewhere type endtype endmodule endselect endinterface end enddo endif if forall endforall only contains default return stop then public subroutine|10 function program .and. .or. .not. .le. .eq. .ge. .gt. .lt. goto save else use module select case access blank direct exist file fmt form formatted iostat name named nextrec number opened rec recl sequential status unformatted unit continue format pause cycle exit c_null_char c_alert c_backspace c_form_feed flush wait decimal round iomsg synchronous nopass non_overridable pass protected volatile abstract extends import non_intrinsic value deferred generic final enumerator class associate bind enum c_int c_short c_long c_long_long c_signed_char c_size_t c_int8_t c_int16_t c_int32_t c_int64_t c_int_least8_t c_int_least16_t c_int_least32_t c_int_least64_t c_int_fast8_t c_int_fast16_t c_int_fast32_t c_int_fast64_t c_intmax_t C_intptr_t c_float c_double c_long_double c_float_complex c_double_complex c_long_double_complex c_bool c_char c_null_ptr c_null_funptr c_new_line c_carriage_return c_horizontal_tab c_vertical_tab iso_c_binding c_loc c_funloc c_associated  c_f_pointer c_ptr c_funptr iso_fortran_env character_storage_size error_unit file_storage_size input_unit iostat_end iostat_eor numeric_storage_size output_unit c_f_procpointer ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode newunit contiguous recursive pad position action delim readwrite eor advance nml interface procedure namelist include sequence elemental pure integer real character complex logical dimension allocatable|10 parameter external implicit|10 none double precision assign intent optional pointer target in out common equivalence data begin_provider &begin_provider end_provider begin_shell end_shell begin_template end_template subst assert touch soft_touch provide no_dep free irp_if irp_else irp_endif irp_write irp_read",built_in:"alog alog10 amax0 amax1 amin0 amin1 amod cabs ccos cexp clog csin csqrt dabs dacos dasin datan datan2 dcos dcosh ddim dexp dint dlog dlog10 dmax1 dmin1 dmod dnint dsign dsin dsinh dsqrt dtan dtanh float iabs idim idint idnint ifix isign max0 max1 min0 min1 sngl algama cdabs cdcos cdexp cdlog cdsin cdsqrt cqabs cqcos cqexp cqlog cqsin cqsqrt dcmplx dconjg derf derfc dfloat dgamma dimag dlgama iqint qabs qacos qasin qatan qatan2 qcmplx qconjg qcos qcosh qdim qerf qerfc qexp qgamma qimag qlgama qlog qlog10 qmax1 qmin1 qmod qnint qsign qsin qsinh qsqrt qtan qtanh abs acos aimag aint anint asin atan atan2 char cmplx conjg cos cosh exp ichar index int log log10 max min nint sign sin sinh sqrt tan tanh print write dim lge lgt lle llt mod nullify allocate deallocate adjustl adjustr all allocated any associated bit_size btest ceiling count cshift date_and_time digits dot_product eoshift epsilon exponent floor fraction huge iand ibclr ibits ibset ieor ior ishft ishftc lbound len_trim matmul maxexponent maxloc maxval merge minexponent minloc minval modulo mvbits nearest pack present product radix random_number random_seed range repeat reshape rrspacing scale scan selected_int_kind selected_real_kind set_exponent shape size spacing spread sum system_clock tiny transpose trim ubound unpack verify achar iachar transfer dble entry dprod cpu_time command_argument_count get_command get_command_argument get_environment_variable is_iostat_end ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode is_iostat_eor move_alloc new_line selected_char_kind same_type_as extends_type_of acosh asinh atanh bessel_j0 bessel_j1 bessel_jn bessel_y0 bessel_y1 bessel_yn erf erfc erfc_scaled gamma log_gamma hypot norm2 atomic_define atomic_ref execute_command_line leadz trailz storage_size merge_bits bge bgt ble blt dshiftl dshiftr findloc iall iany iparity image_index lcobound ucobound maskl maskr num_images parity popcnt poppar shifta shiftl shiftr this_image IRP_ALIGN irp_here"},illegal:/\/\*/,contains:[t.inherit(t.APOS_STRING_MODE,{className:"string",relevance:0}),t.inherit(t.QUOTE_STRING_MODE,{className:"string",relevance:0}),{className:"function",beginKeywords:"subroutine function program",illegal:"[${=\\n]",contains:[t.UNDERSCORE_TITLE_MODE,r]},t.COMMENT("!","$",{relevance:0}),t.COMMENT("begin_doc","end_doc",{relevance:10}),l]}}return K_=e,K_}var $_,zT;function nk(){if(zT)return $_;zT=1;function e(t){const n="[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_!][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]*",r="[A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_][A-Za-z\u0410-\u042F\u0430-\u044F\u0451\u0401_0-9]*",a="and \u0438 else \u0438\u043D\u0430\u0447\u0435 endexcept endfinally endforeach \u043A\u043E\u043D\u0435\u0446\u0432\u0441\u0435 endif \u043A\u043E\u043D\u0435\u0446\u0435\u0441\u043B\u0438 endwhile \u043A\u043E\u043D\u0435\u0446\u043F\u043E\u043A\u0430 except exitfor finally foreach \u0432\u0441\u0435 if \u0435\u0441\u043B\u0438 in \u0432 not \u043D\u0435 or \u0438\u043B\u0438 try while \u043F\u043E\u043A\u0430 ",o="SYSRES_CONST_ACCES_RIGHT_TYPE_EDIT SYSRES_CONST_ACCES_RIGHT_TYPE_FULL SYSRES_CONST_ACCES_RIGHT_TYPE_VIEW SYSRES_CONST_ACCESS_MODE_REQUISITE_CODE SYSRES_CONST_ACCESS_NO_ACCESS_VIEW SYSRES_CONST_ACCESS_NO_ACCESS_VIEW_CODE SYSRES_CONST_ACCESS_RIGHTS_ADD_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_ADD_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_CHANGE_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_CHANGE_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_DELETE_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_DELETE_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_EXECUTE_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_EXECUTE_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_NO_ACCESS_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_NO_ACCESS_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_RATIFY_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_RATIFY_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_RIGHTS_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_VIEW SYSRES_CONST_ACCESS_RIGHTS_VIEW_CODE SYSRES_CONST_ACCESS_RIGHTS_VIEW_REQUISITE_CODE SYSRES_CONST_ACCESS_RIGHTS_VIEW_REQUISITE_YES_CODE SYSRES_CONST_ACCESS_TYPE_CHANGE SYSRES_CONST_ACCESS_TYPE_CHANGE_CODE SYSRES_CONST_ACCESS_TYPE_EXISTS SYSRES_CONST_ACCESS_TYPE_EXISTS_CODE SYSRES_CONST_ACCESS_TYPE_FULL SYSRES_CONST_ACCESS_TYPE_FULL_CODE SYSRES_CONST_ACCESS_TYPE_VIEW SYSRES_CONST_ACCESS_TYPE_VIEW_CODE SYSRES_CONST_ACTION_TYPE_ABORT SYSRES_CONST_ACTION_TYPE_ACCEPT SYSRES_CONST_ACTION_TYPE_ACCESS_RIGHTS SYSRES_CONST_ACTION_TYPE_ADD_ATTACHMENT SYSRES_CONST_ACTION_TYPE_CHANGE_CARD SYSRES_CONST_ACTION_TYPE_CHANGE_KIND SYSRES_CONST_ACTION_TYPE_CHANGE_STORAGE SYSRES_CONST_ACTION_TYPE_CONTINUE SYSRES_CONST_ACTION_TYPE_COPY SYSRES_CONST_ACTION_TYPE_CREATE SYSRES_CONST_ACTION_TYPE_CREATE_VERSION SYSRES_CONST_ACTION_TYPE_DELETE SYSRES_CONST_ACTION_TYPE_DELETE_ATTACHMENT SYSRES_CONST_ACTION_TYPE_DELETE_VERSION SYSRES_CONST_ACTION_TYPE_DISABLE_DELEGATE_ACCESS_RIGHTS SYSRES_CONST_ACTION_TYPE_ENABLE_DELEGATE_ACCESS_RIGHTS SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_CERTIFICATE SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_CERTIFICATE_AND_PASSWORD SYSRES_CONST_ACTION_TYPE_ENCRYPTION_BY_PASSWORD SYSRES_CONST_ACTION_TYPE_EXPORT_WITH_LOCK SYSRES_CONST_ACTION_TYPE_EXPORT_WITHOUT_LOCK SYSRES_CONST_ACTION_TYPE_IMPORT_WITH_UNLOCK SYSRES_CONST_ACTION_TYPE_IMPORT_WITHOUT_UNLOCK SYSRES_CONST_ACTION_TYPE_LIFE_CYCLE_STAGE SYSRES_CONST_ACTION_TYPE_LOCK SYSRES_CONST_ACTION_TYPE_LOCK_FOR_SERVER SYSRES_CONST_ACTION_TYPE_LOCK_MODIFY SYSRES_CONST_ACTION_TYPE_MARK_AS_READED SYSRES_CONST_ACTION_TYPE_MARK_AS_UNREADED SYSRES_CONST_ACTION_TYPE_MODIFY SYSRES_CONST_ACTION_TYPE_MODIFY_CARD SYSRES_CONST_ACTION_TYPE_MOVE_TO_ARCHIVE SYSRES_CONST_ACTION_TYPE_OFF_ENCRYPTION SYSRES_CONST_ACTION_TYPE_PASSWORD_CHANGE SYSRES_CONST_ACTION_TYPE_PERFORM SYSRES_CONST_ACTION_TYPE_RECOVER_FROM_LOCAL_COPY SYSRES_CONST_ACTION_TYPE_RESTART SYSRES_CONST_ACTION_TYPE_RESTORE_FROM_ARCHIVE SYSRES_CONST_ACTION_TYPE_REVISION SYSRES_CONST_ACTION_TYPE_SEND_BY_MAIL SYSRES_CONST_ACTION_TYPE_SIGN SYSRES_CONST_ACTION_TYPE_START SYSRES_CONST_ACTION_TYPE_UNLOCK SYSRES_CONST_ACTION_TYPE_UNLOCK_FROM_SERVER SYSRES_CONST_ACTION_TYPE_VERSION_STATE SYSRES_CONST_ACTION_TYPE_VERSION_VISIBILITY SYSRES_CONST_ACTION_TYPE_VIEW SYSRES_CONST_ACTION_TYPE_VIEW_SHADOW_COPY SYSRES_CONST_ACTION_TYPE_WORKFLOW_DESCRIPTION_MODIFY SYSRES_CONST_ACTION_TYPE_WRITE_HISTORY SYSRES_CONST_ACTIVE_VERSION_STATE_PICK_VALUE SYSRES_CONST_ADD_REFERENCE_MODE_NAME SYSRES_CONST_ADDITION_REQUISITE_CODE SYSRES_CONST_ADDITIONAL_PARAMS_REQUISITE_CODE SYSRES_CONST_ADITIONAL_JOB_END_DATE_REQUISITE_NAME SYSRES_CONST_ADITIONAL_JOB_READ_REQUISITE_NAME SYSRES_CONST_ADITIONAL_JOB_START_DATE_REQUISITE_NAME SYSRES_CONST_ADITIONAL_JOB_STATE_REQUISITE_NAME SYSRES_CONST_ADMINISTRATION_HISTORY_ADDING_USER_TO_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_ADDING_USER_TO_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_COMP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_COMP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_USER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_CREATION_USER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_CREATION SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_CREATION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_DELETION SYSRES_CONST_ADMINISTRATION_HISTORY_DATABASE_USER_DELETION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_COMP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_COMP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_FROM_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_DELETION_USER_FROM_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_RESTRICTION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_FILTERER_RESTRICTION_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_PRIVILEGE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_PRIVILEGE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_RIGHTS_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_GRANTING_RIGHTS_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_IS_MAIN_SERVER_CHANGED_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_IS_MAIN_SERVER_CHANGED_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_IS_PUBLIC_CHANGED_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_IS_PUBLIC_CHANGED_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_RESTRICTION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_FILTERER_RESTRICTION_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_PRIVILEGE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_PRIVILEGE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_RIGHTS_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_REMOVING_RIGHTS_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_CREATION SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_CREATION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_DELETION SYSRES_CONST_ADMINISTRATION_HISTORY_SERVER_LOGIN_DELETION_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_CATEGORY_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_CATEGORY_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_COMP_TITLE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_COMP_TITLE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_FULL_NAME_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_FULL_NAME_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_PARENT_GROUP_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_PARENT_GROUP_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_AUTH_TYPE_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_AUTH_TYPE_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_LOGIN_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_LOGIN_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_STATUS_ACTION SYSRES_CONST_ADMINISTRATION_HISTORY_UPDATING_USER_STATUS_ACTION_CODE SYSRES_CONST_ADMINISTRATION_HISTORY_USER_PASSWORD_CHANGE SYSRES_CONST_ADMINISTRATION_HISTORY_USER_PASSWORD_CHANGE_ACTION SYSRES_CONST_ALL_ACCEPT_CONDITION_RUS SYSRES_CONST_ALL_USERS_GROUP SYSRES_CONST_ALL_USERS_GROUP_NAME SYSRES_CONST_ALL_USERS_SERVER_GROUP_NAME SYSRES_CONST_ALLOWED_ACCESS_TYPE_CODE SYSRES_CONST_ALLOWED_ACCESS_TYPE_NAME SYSRES_CONST_APP_VIEWER_TYPE_REQUISITE_CODE SYSRES_CONST_APPROVING_SIGNATURE_NAME SYSRES_CONST_APPROVING_SIGNATURE_REQUISITE_CODE SYSRES_CONST_ASSISTANT_SUBSTITUE_TYPE SYSRES_CONST_ASSISTANT_SUBSTITUE_TYPE_CODE SYSRES_CONST_ATTACH_TYPE_COMPONENT_TOKEN SYSRES_CONST_ATTACH_TYPE_DOC SYSRES_CONST_ATTACH_TYPE_EDOC SYSRES_CONST_ATTACH_TYPE_FOLDER SYSRES_CONST_ATTACH_TYPE_JOB SYSRES_CONST_ATTACH_TYPE_REFERENCE SYSRES_CONST_ATTACH_TYPE_TASK SYSRES_CONST_AUTH_ENCODED_PASSWORD SYSRES_CONST_AUTH_ENCODED_PASSWORD_CODE SYSRES_CONST_AUTH_NOVELL SYSRES_CONST_AUTH_PASSWORD SYSRES_CONST_AUTH_PASSWORD_CODE SYSRES_CONST_AUTH_WINDOWS SYSRES_CONST_AUTHENTICATING_SIGNATURE_NAME SYSRES_CONST_AUTHENTICATING_SIGNATURE_REQUISITE_CODE SYSRES_CONST_AUTO_ENUM_METHOD_FLAG SYSRES_CONST_AUTO_NUMERATION_CODE SYSRES_CONST_AUTO_STRONG_ENUM_METHOD_FLAG SYSRES_CONST_AUTOTEXT_NAME_REQUISITE_CODE SYSRES_CONST_AUTOTEXT_TEXT_REQUISITE_CODE SYSRES_CONST_AUTOTEXT_USAGE_ALL SYSRES_CONST_AUTOTEXT_USAGE_ALL_CODE SYSRES_CONST_AUTOTEXT_USAGE_SIGN SYSRES_CONST_AUTOTEXT_USAGE_SIGN_CODE SYSRES_CONST_AUTOTEXT_USAGE_WORK SYSRES_CONST_AUTOTEXT_USAGE_WORK_CODE SYSRES_CONST_AUTOTEXT_USE_ANYWHERE_CODE SYSRES_CONST_AUTOTEXT_USE_ON_SIGNING_CODE SYSRES_CONST_AUTOTEXT_USE_ON_WORK_CODE SYSRES_CONST_BEGIN_DATE_REQUISITE_CODE SYSRES_CONST_BLACK_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_BLUE_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_BTN_PART SYSRES_CONST_CALCULATED_ROLE_TYPE_CODE SYSRES_CONST_CALL_TYPE_VARIABLE_BUTTON_VALUE SYSRES_CONST_CALL_TYPE_VARIABLE_PROGRAM_VALUE SYSRES_CONST_CANCEL_MESSAGE_FUNCTION_RESULT SYSRES_CONST_CARD_PART SYSRES_CONST_CARD_REFERENCE_MODE_NAME SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_ENCRYPT_VALUE SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_SIGN_AND_ENCRYPT_VALUE SYSRES_CONST_CERTIFICATE_TYPE_REQUISITE_SIGN_VALUE SYSRES_CONST_CHECK_PARAM_VALUE_DATE_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_FLOAT_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_INTEGER_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_PICK_PARAM_TYPE SYSRES_CONST_CHECK_PARAM_VALUE_REEFRENCE_PARAM_TYPE SYSRES_CONST_CLOSED_RECORD_FLAG_VALUE_FEMININE SYSRES_CONST_CLOSED_RECORD_FLAG_VALUE_MASCULINE SYSRES_CONST_CODE_COMPONENT_TYPE_ADMIN SYSRES_CONST_CODE_COMPONENT_TYPE_DEVELOPER SYSRES_CONST_CODE_COMPONENT_TYPE_DOCS SYSRES_CONST_CODE_COMPONENT_TYPE_EDOC_CARDS SYSRES_CONST_CODE_COMPONENT_TYPE_EXTERNAL_EXECUTABLE SYSRES_CONST_CODE_COMPONENT_TYPE_OTHER SYSRES_CONST_CODE_COMPONENT_TYPE_REFERENCE SYSRES_CONST_CODE_COMPONENT_TYPE_REPORT SYSRES_CONST_CODE_COMPONENT_TYPE_SCRIPT SYSRES_CONST_CODE_COMPONENT_TYPE_URL SYSRES_CONST_CODE_REQUISITE_ACCESS SYSRES_CONST_CODE_REQUISITE_CODE SYSRES_CONST_CODE_REQUISITE_COMPONENT SYSRES_CONST_CODE_REQUISITE_DESCRIPTION SYSRES_CONST_CODE_REQUISITE_EXCLUDE_COMPONENT SYSRES_CONST_CODE_REQUISITE_RECORD SYSRES_CONST_COMMENT_REQ_CODE SYSRES_CONST_COMMON_SETTINGS_REQUISITE_CODE SYSRES_CONST_COMP_CODE_GRD SYSRES_CONST_COMPONENT_GROUP_TYPE_REQUISITE_CODE SYSRES_CONST_COMPONENT_TYPE_ADMIN_COMPONENTS SYSRES_CONST_COMPONENT_TYPE_DEVELOPER_COMPONENTS SYSRES_CONST_COMPONENT_TYPE_DOCS SYSRES_CONST_COMPONENT_TYPE_EDOC_CARDS SYSRES_CONST_COMPONENT_TYPE_EDOCS SYSRES_CONST_COMPONENT_TYPE_EXTERNAL_EXECUTABLE SYSRES_CONST_COMPONENT_TYPE_OTHER SYSRES_CONST_COMPONENT_TYPE_REFERENCE_TYPES SYSRES_CONST_COMPONENT_TYPE_REFERENCES SYSRES_CONST_COMPONENT_TYPE_REPORTS SYSRES_CONST_COMPONENT_TYPE_SCRIPTS SYSRES_CONST_COMPONENT_TYPE_URL SYSRES_CONST_COMPONENTS_REMOTE_SERVERS_VIEW_CODE SYSRES_CONST_CONDITION_BLOCK_DESCRIPTION SYSRES_CONST_CONST_FIRM_STATUS_COMMON SYSRES_CONST_CONST_FIRM_STATUS_INDIVIDUAL SYSRES_CONST_CONST_NEGATIVE_VALUE SYSRES_CONST_CONST_POSITIVE_VALUE SYSRES_CONST_CONST_SERVER_STATUS_DONT_REPLICATE SYSRES_CONST_CONST_SERVER_STATUS_REPLICATE SYSRES_CONST_CONTENTS_REQUISITE_CODE SYSRES_CONST_DATA_TYPE_BOOLEAN SYSRES_CONST_DATA_TYPE_DATE SYSRES_CONST_DATA_TYPE_FLOAT SYSRES_CONST_DATA_TYPE_INTEGER SYSRES_CONST_DATA_TYPE_PICK SYSRES_CONST_DATA_TYPE_REFERENCE SYSRES_CONST_DATA_TYPE_STRING SYSRES_CONST_DATA_TYPE_TEXT SYSRES_CONST_DATA_TYPE_VARIANT SYSRES_CONST_DATE_CLOSE_REQ_CODE SYSRES_CONST_DATE_FORMAT_DATE_ONLY_CHAR SYSRES_CONST_DATE_OPEN_REQ_CODE SYSRES_CONST_DATE_REQUISITE SYSRES_CONST_DATE_REQUISITE_CODE SYSRES_CONST_DATE_REQUISITE_NAME SYSRES_CONST_DATE_REQUISITE_TYPE SYSRES_CONST_DATE_TYPE_CHAR SYSRES_CONST_DATETIME_FORMAT_VALUE SYSRES_CONST_DEA_ACCESS_RIGHTS_ACTION_CODE SYSRES_CONST_DESCRIPTION_LOCALIZE_ID_REQUISITE_CODE SYSRES_CONST_DESCRIPTION_REQUISITE_CODE SYSRES_CONST_DET1_PART SYSRES_CONST_DET2_PART SYSRES_CONST_DET3_PART SYSRES_CONST_DET4_PART SYSRES_CONST_DET5_PART SYSRES_CONST_DET6_PART SYSRES_CONST_DETAIL_DATASET_KEY_REQUISITE_CODE SYSRES_CONST_DETAIL_PICK_REQUISITE_CODE SYSRES_CONST_DETAIL_REQ_CODE SYSRES_CONST_DO_NOT_USE_ACCESS_TYPE_CODE SYSRES_CONST_DO_NOT_USE_ACCESS_TYPE_NAME SYSRES_CONST_DO_NOT_USE_ON_VIEW_ACCESS_TYPE_CODE SYSRES_CONST_DO_NOT_USE_ON_VIEW_ACCESS_TYPE_NAME SYSRES_CONST_DOCUMENT_STORAGES_CODE SYSRES_CONST_DOCUMENT_TEMPLATES_TYPE_NAME SYSRES_CONST_DOUBLE_REQUISITE_CODE SYSRES_CONST_EDITOR_CLOSE_FILE_OBSERV_TYPE_CODE SYSRES_CONST_EDITOR_CLOSE_PROCESS_OBSERV_TYPE_CODE SYSRES_CONST_EDITOR_TYPE_REQUISITE_CODE SYSRES_CONST_EDITORS_APPLICATION_NAME_REQUISITE_CODE SYSRES_CONST_EDITORS_CREATE_SEVERAL_PROCESSES_REQUISITE_CODE SYSRES_CONST_EDITORS_EXTENSION_REQUISITE_CODE SYSRES_CONST_EDITORS_OBSERVER_BY_PROCESS_TYPE SYSRES_CONST_EDITORS_REFERENCE_CODE SYSRES_CONST_EDITORS_REPLACE_SPEC_CHARS_REQUISITE_CODE SYSRES_CONST_EDITORS_USE_PLUGINS_REQUISITE_CODE SYSRES_CONST_EDITORS_VIEW_DOCUMENT_OPENED_TO_EDIT_CODE SYSRES_CONST_EDOC_CARD_TYPE_REQUISITE_CODE SYSRES_CONST_EDOC_CARD_TYPES_LINK_REQUISITE_CODE SYSRES_CONST_EDOC_CERTIFICATE_AND_PASSWORD_ENCODE_CODE SYSRES_CONST_EDOC_CERTIFICATE_ENCODE_CODE SYSRES_CONST_EDOC_DATE_REQUISITE_CODE SYSRES_CONST_EDOC_KIND_REFERENCE_CODE SYSRES_CONST_EDOC_KINDS_BY_TEMPLATE_ACTION_CODE SYSRES_CONST_EDOC_MANAGE_ACCESS_CODE SYSRES_CONST_EDOC_NONE_ENCODE_CODE SYSRES_CONST_EDOC_NUMBER_REQUISITE_CODE SYSRES_CONST_EDOC_PASSWORD_ENCODE_CODE SYSRES_CONST_EDOC_READONLY_ACCESS_CODE SYSRES_CONST_EDOC_SHELL_LIFE_TYPE_VIEW_VALUE SYSRES_CONST_EDOC_SIZE_RESTRICTION_PRIORITY_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_CHECK_ACCESS_RIGHTS_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_COMPUTER_NAME_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_DATABASE_NAME_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_EDIT_IN_STORAGE_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_LOCAL_PATH_REQUISITE_CODE SYSRES_CONST_EDOC_STORAGE_SHARED_SOURCE_NAME_REQUISITE_CODE SYSRES_CONST_EDOC_TEMPLATE_REQUISITE_CODE SYSRES_CONST_EDOC_TYPES_REFERENCE_CODE SYSRES_CONST_EDOC_VERSION_ACTIVE_STAGE_CODE SYSRES_CONST_EDOC_VERSION_DESIGN_STAGE_CODE SYSRES_CONST_EDOC_VERSION_OBSOLETE_STAGE_CODE SYSRES_CONST_EDOC_WRITE_ACCES_CODE SYSRES_CONST_EDOCUMENT_CARD_REQUISITES_REFERENCE_CODE_SELECTED_REQUISITE SYSRES_CONST_ENCODE_CERTIFICATE_TYPE_CODE SYSRES_CONST_END_DATE_REQUISITE_CODE SYSRES_CONST_ENUMERATION_TYPE_REQUISITE_CODE SYSRES_CONST_EXECUTE_ACCESS_RIGHTS_TYPE_CODE SYSRES_CONST_EXECUTIVE_FILE_STORAGE_TYPE SYSRES_CONST_EXIST_CONST SYSRES_CONST_EXIST_VALUE SYSRES_CONST_EXPORT_LOCK_TYPE_ASK SYSRES_CONST_EXPORT_LOCK_TYPE_WITH_LOCK SYSRES_CONST_EXPORT_LOCK_TYPE_WITHOUT_LOCK SYSRES_CONST_EXPORT_VERSION_TYPE_ASK SYSRES_CONST_EXPORT_VERSION_TYPE_LAST SYSRES_CONST_EXPORT_VERSION_TYPE_LAST_ACTIVE SYSRES_CONST_EXTENSION_REQUISITE_CODE SYSRES_CONST_FILTER_NAME_REQUISITE_CODE SYSRES_CONST_FILTER_REQUISITE_CODE SYSRES_CONST_FILTER_TYPE_COMMON_CODE SYSRES_CONST_FILTER_TYPE_COMMON_NAME SYSRES_CONST_FILTER_TYPE_USER_CODE SYSRES_CONST_FILTER_TYPE_USER_NAME SYSRES_CONST_FILTER_VALUE_REQUISITE_NAME SYSRES_CONST_FLOAT_NUMBER_FORMAT_CHAR SYSRES_CONST_FLOAT_REQUISITE_TYPE SYSRES_CONST_FOLDER_AUTHOR_VALUE SYSRES_CONST_FOLDER_KIND_ANY_OBJECTS SYSRES_CONST_FOLDER_KIND_COMPONENTS SYSRES_CONST_FOLDER_KIND_EDOCS SYSRES_CONST_FOLDER_KIND_JOBS SYSRES_CONST_FOLDER_KIND_TASKS SYSRES_CONST_FOLDER_TYPE_COMMON SYSRES_CONST_FOLDER_TYPE_COMPONENT SYSRES_CONST_FOLDER_TYPE_FAVORITES SYSRES_CONST_FOLDER_TYPE_INBOX SYSRES_CONST_FOLDER_TYPE_OUTBOX SYSRES_CONST_FOLDER_TYPE_QUICK_LAUNCH SYSRES_CONST_FOLDER_TYPE_SEARCH SYSRES_CONST_FOLDER_TYPE_SHORTCUTS SYSRES_CONST_FOLDER_TYPE_USER SYSRES_CONST_FROM_DICTIONARY_ENUM_METHOD_FLAG SYSRES_CONST_FULL_SUBSTITUTE_TYPE SYSRES_CONST_FULL_SUBSTITUTE_TYPE_CODE SYSRES_CONST_FUNCTION_CANCEL_RESULT SYSRES_CONST_FUNCTION_CATEGORY_SYSTEM SYSRES_CONST_FUNCTION_CATEGORY_USER SYSRES_CONST_FUNCTION_FAILURE_RESULT SYSRES_CONST_FUNCTION_SAVE_RESULT SYSRES_CONST_GENERATED_REQUISITE SYSRES_CONST_GREEN_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_GROUP_ACCOUNT_TYPE_VALUE_CODE SYSRES_CONST_GROUP_CATEGORY_NORMAL_CODE SYSRES_CONST_GROUP_CATEGORY_NORMAL_NAME SYSRES_CONST_GROUP_CATEGORY_SERVICE_CODE SYSRES_CONST_GROUP_CATEGORY_SERVICE_NAME SYSRES_CONST_GROUP_COMMON_CATEGORY_FIELD_VALUE SYSRES_CONST_GROUP_FULL_NAME_REQUISITE_CODE SYSRES_CONST_GROUP_NAME_REQUISITE_CODE SYSRES_CONST_GROUP_RIGHTS_T_REQUISITE_CODE SYSRES_CONST_GROUP_SERVER_CODES_REQUISITE_CODE SYSRES_CONST_GROUP_SERVER_NAME_REQUISITE_CODE SYSRES_CONST_GROUP_SERVICE_CATEGORY_FIELD_VALUE SYSRES_CONST_GROUP_USER_REQUISITE_CODE SYSRES_CONST_GROUPS_REFERENCE_CODE SYSRES_CONST_GROUPS_REQUISITE_CODE SYSRES_CONST_HIDDEN_MODE_NAME SYSRES_CONST_HIGH_LVL_REQUISITE_CODE SYSRES_CONST_HISTORY_ACTION_CREATE_CODE SYSRES_CONST_HISTORY_ACTION_DELETE_CODE SYSRES_CONST_HISTORY_ACTION_EDIT_CODE SYSRES_CONST_HOUR_CHAR SYSRES_CONST_ID_REQUISITE_CODE SYSRES_CONST_IDSPS_REQUISITE_CODE SYSRES_CONST_IMAGE_MODE_COLOR SYSRES_CONST_IMAGE_MODE_GREYSCALE SYSRES_CONST_IMAGE_MODE_MONOCHROME SYSRES_CONST_IMPORTANCE_HIGH SYSRES_CONST_IMPORTANCE_LOW SYSRES_CONST_IMPORTANCE_NORMAL SYSRES_CONST_IN_DESIGN_VERSION_STATE_PICK_VALUE SYSRES_CONST_INCOMING_WORK_RULE_TYPE_CODE SYSRES_CONST_INT_REQUISITE SYSRES_CONST_INT_REQUISITE_TYPE SYSRES_CONST_INTEGER_NUMBER_FORMAT_CHAR SYSRES_CONST_INTEGER_TYPE_CHAR SYSRES_CONST_IS_GENERATED_REQUISITE_NEGATIVE_VALUE SYSRES_CONST_IS_PUBLIC_ROLE_REQUISITE_CODE SYSRES_CONST_IS_REMOTE_USER_NEGATIVE_VALUE SYSRES_CONST_IS_REMOTE_USER_POSITIVE_VALUE SYSRES_CONST_IS_STORED_REQUISITE_NEGATIVE_VALUE SYSRES_CONST_IS_STORED_REQUISITE_STORED_VALUE SYSRES_CONST_ITALIC_LIFE_CYCLE_STAGE_DRAW_STYLE SYSRES_CONST_JOB_BLOCK_DESCRIPTION SYSRES_CONST_JOB_KIND_CONTROL_JOB SYSRES_CONST_JOB_KIND_JOB SYSRES_CONST_JOB_KIND_NOTICE SYSRES_CONST_JOB_STATE_ABORTED SYSRES_CONST_JOB_STATE_COMPLETE SYSRES_CONST_JOB_STATE_WORKING SYSRES_CONST_KIND_REQUISITE_CODE SYSRES_CONST_KIND_REQUISITE_NAME SYSRES_CONST_KINDS_CREATE_SHADOW_COPIES_REQUISITE_CODE SYSRES_CONST_KINDS_DEFAULT_EDOC_LIFE_STAGE_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_ALL_TEPLATES_ALLOWED_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_ALLOW_LIFE_CYCLE_STAGE_CHANGING_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_ALLOW_MULTIPLE_ACTIVE_VERSIONS_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_SHARE_ACCES_RIGHTS_BY_DEFAULT_CODE SYSRES_CONST_KINDS_EDOC_TEMPLATE_REQUISITE_CODE SYSRES_CONST_KINDS_EDOC_TYPE_REQUISITE_CODE SYSRES_CONST_KINDS_SIGNERS_REQUISITES_CODE SYSRES_CONST_KOD_INPUT_TYPE SYSRES_CONST_LAST_UPDATE_DATE_REQUISITE_CODE SYSRES_CONST_LIFE_CYCLE_START_STAGE_REQUISITE_CODE SYSRES_CONST_LILAC_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_LINK_OBJECT_KIND_COMPONENT SYSRES_CONST_LINK_OBJECT_KIND_DOCUMENT SYSRES_CONST_LINK_OBJECT_KIND_EDOC SYSRES_CONST_LINK_OBJECT_KIND_FOLDER SYSRES_CONST_LINK_OBJECT_KIND_JOB SYSRES_CONST_LINK_OBJECT_KIND_REFERENCE SYSRES_CONST_LINK_OBJECT_KIND_TASK SYSRES_CONST_LINK_REF_TYPE_REQUISITE_CODE SYSRES_CONST_LIST_REFERENCE_MODE_NAME SYSRES_CONST_LOCALIZATION_DICTIONARY_MAIN_VIEW_CODE SYSRES_CONST_MAIN_VIEW_CODE SYSRES_CONST_MANUAL_ENUM_METHOD_FLAG SYSRES_CONST_MASTER_COMP_TYPE_REQUISITE_CODE SYSRES_CONST_MASTER_TABLE_REC_ID_REQUISITE_CODE SYSRES_CONST_MAXIMIZED_MODE_NAME SYSRES_CONST_ME_VALUE SYSRES_CONST_MESSAGE_ATTENTION_CAPTION SYSRES_CONST_MESSAGE_CONFIRMATION_CAPTION SYSRES_CONST_MESSAGE_ERROR_CAPTION SYSRES_CONST_MESSAGE_INFORMATION_CAPTION SYSRES_CONST_MINIMIZED_MODE_NAME SYSRES_CONST_MINUTE_CHAR SYSRES_CONST_MODULE_REQUISITE_CODE SYSRES_CONST_MONITORING_BLOCK_DESCRIPTION SYSRES_CONST_MONTH_FORMAT_VALUE SYSRES_CONST_NAME_LOCALIZE_ID_REQUISITE_CODE SYSRES_CONST_NAME_REQUISITE_CODE SYSRES_CONST_NAME_SINGULAR_REQUISITE_CODE SYSRES_CONST_NAMEAN_INPUT_TYPE SYSRES_CONST_NEGATIVE_PICK_VALUE SYSRES_CONST_NEGATIVE_VALUE SYSRES_CONST_NO SYSRES_CONST_NO_PICK_VALUE SYSRES_CONST_NO_SIGNATURE_REQUISITE_CODE SYSRES_CONST_NO_VALUE SYSRES_CONST_NONE_ACCESS_RIGHTS_TYPE_CODE SYSRES_CONST_NONOPERATING_RECORD_FLAG_VALUE SYSRES_CONST_NONOPERATING_RECORD_FLAG_VALUE_MASCULINE SYSRES_CONST_NORMAL_ACCESS_RIGHTS_TYPE_CODE SYSRES_CONST_NORMAL_LIFE_CYCLE_STAGE_DRAW_STYLE SYSRES_CONST_NORMAL_MODE_NAME SYSRES_CONST_NOT_ALLOWED_ACCESS_TYPE_CODE SYSRES_CONST_NOT_ALLOWED_ACCESS_TYPE_NAME SYSRES_CONST_NOTE_REQUISITE_CODE SYSRES_CONST_NOTICE_BLOCK_DESCRIPTION SYSRES_CONST_NUM_REQUISITE SYSRES_CONST_NUM_STR_REQUISITE_CODE SYSRES_CONST_NUMERATION_AUTO_NOT_STRONG SYSRES_CONST_NUMERATION_AUTO_STRONG SYSRES_CONST_NUMERATION_FROM_DICTONARY SYSRES_CONST_NUMERATION_MANUAL SYSRES_CONST_NUMERIC_TYPE_CHAR SYSRES_CONST_NUMREQ_REQUISITE_CODE SYSRES_CONST_OBSOLETE_VERSION_STATE_PICK_VALUE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_CODE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_FEMININE SYSRES_CONST_OPERATING_RECORD_FLAG_VALUE_MASCULINE SYSRES_CONST_OPTIONAL_FORM_COMP_REQCODE_PREFIX SYSRES_CONST_ORANGE_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_ORIGINALREF_REQUISITE_CODE SYSRES_CONST_OURFIRM_REF_CODE SYSRES_CONST_OURFIRM_REQUISITE_CODE SYSRES_CONST_OURFIRM_VAR SYSRES_CONST_OUTGOING_WORK_RULE_TYPE_CODE SYSRES_CONST_PICK_NEGATIVE_RESULT SYSRES_CONST_PICK_POSITIVE_RESULT SYSRES_CONST_PICK_REQUISITE SYSRES_CONST_PICK_REQUISITE_TYPE SYSRES_CONST_PICK_TYPE_CHAR SYSRES_CONST_PLAN_STATUS_REQUISITE_CODE SYSRES_CONST_PLATFORM_VERSION_COMMENT SYSRES_CONST_PLUGINS_SETTINGS_DESCRIPTION_REQUISITE_CODE SYSRES_CONST_POSITIVE_PICK_VALUE SYSRES_CONST_POWER_TO_CREATE_ACTION_CODE SYSRES_CONST_POWER_TO_SIGN_ACTION_CODE SYSRES_CONST_PRIORITY_REQUISITE_CODE SYSRES_CONST_QUALIFIED_TASK_TYPE SYSRES_CONST_QUALIFIED_TASK_TYPE_CODE SYSRES_CONST_RECSTAT_REQUISITE_CODE SYSRES_CONST_RED_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_REF_ID_T_REF_TYPE_REQUISITE_CODE SYSRES_CONST_REF_REQUISITE SYSRES_CONST_REF_REQUISITE_TYPE SYSRES_CONST_REF_REQUISITES_REFERENCE_CODE_SELECTED_REQUISITE SYSRES_CONST_REFERENCE_RECORD_HISTORY_CREATE_ACTION_CODE SYSRES_CONST_REFERENCE_RECORD_HISTORY_DELETE_ACTION_CODE SYSRES_CONST_REFERENCE_RECORD_HISTORY_MODIFY_ACTION_CODE SYSRES_CONST_REFERENCE_TYPE_CHAR SYSRES_CONST_REFERENCE_TYPE_REQUISITE_NAME SYSRES_CONST_REFERENCES_ADD_PARAMS_REQUISITE_CODE SYSRES_CONST_REFERENCES_DISPLAY_REQUISITE_REQUISITE_CODE SYSRES_CONST_REMOTE_SERVER_STATUS_WORKING SYSRES_CONST_REMOTE_SERVER_TYPE_MAIN SYSRES_CONST_REMOTE_SERVER_TYPE_SECONDARY SYSRES_CONST_REMOTE_USER_FLAG_VALUE_CODE SYSRES_CONST_REPORT_APP_EDITOR_INTERNAL SYSRES_CONST_REPORT_BASE_REPORT_ID_REQUISITE_CODE SYSRES_CONST_REPORT_BASE_REPORT_REQUISITE_CODE SYSRES_CONST_REPORT_SCRIPT_REQUISITE_CODE SYSRES_CONST_REPORT_TEMPLATE_REQUISITE_CODE SYSRES_CONST_REPORT_VIEWER_CODE_REQUISITE_CODE SYSRES_CONST_REQ_ALLOW_COMPONENT_DEFAULT_VALUE SYSRES_CONST_REQ_ALLOW_RECORD_DEFAULT_VALUE SYSRES_CONST_REQ_ALLOW_SERVER_COMPONENT_DEFAULT_VALUE SYSRES_CONST_REQ_MODE_AVAILABLE_CODE SYSRES_CONST_REQ_MODE_EDIT_CODE SYSRES_CONST_REQ_MODE_HIDDEN_CODE SYSRES_CONST_REQ_MODE_NOT_AVAILABLE_CODE SYSRES_CONST_REQ_MODE_VIEW_CODE SYSRES_CONST_REQ_NUMBER_REQUISITE_CODE SYSRES_CONST_REQ_SECTION_VALUE SYSRES_CONST_REQ_TYPE_VALUE SYSRES_CONST_REQUISITE_FORMAT_BY_UNIT SYSRES_CONST_REQUISITE_FORMAT_DATE_FULL SYSRES_CONST_REQUISITE_FORMAT_DATE_TIME SYSRES_CONST_REQUISITE_FORMAT_LEFT SYSRES_CONST_REQUISITE_FORMAT_RIGHT SYSRES_CONST_REQUISITE_FORMAT_WITHOUT_UNIT SYSRES_CONST_REQUISITE_NUMBER_REQUISITE_CODE SYSRES_CONST_REQUISITE_SECTION_ACTIONS SYSRES_CONST_REQUISITE_SECTION_BUTTON SYSRES_CONST_REQUISITE_SECTION_BUTTONS SYSRES_CONST_REQUISITE_SECTION_CARD SYSRES_CONST_REQUISITE_SECTION_TABLE SYSRES_CONST_REQUISITE_SECTION_TABLE10 SYSRES_CONST_REQUISITE_SECTION_TABLE11 SYSRES_CONST_REQUISITE_SECTION_TABLE12 SYSRES_CONST_REQUISITE_SECTION_TABLE13 SYSRES_CONST_REQUISITE_SECTION_TABLE14 SYSRES_CONST_REQUISITE_SECTION_TABLE15 SYSRES_CONST_REQUISITE_SECTION_TABLE16 SYSRES_CONST_REQUISITE_SECTION_TABLE17 SYSRES_CONST_REQUISITE_SECTION_TABLE18 SYSRES_CONST_REQUISITE_SECTION_TABLE19 SYSRES_CONST_REQUISITE_SECTION_TABLE2 SYSRES_CONST_REQUISITE_SECTION_TABLE20 SYSRES_CONST_REQUISITE_SECTION_TABLE21 SYSRES_CONST_REQUISITE_SECTION_TABLE22 SYSRES_CONST_REQUISITE_SECTION_TABLE23 SYSRES_CONST_REQUISITE_SECTION_TABLE24 SYSRES_CONST_REQUISITE_SECTION_TABLE3 SYSRES_CONST_REQUISITE_SECTION_TABLE4 SYSRES_CONST_REQUISITE_SECTION_TABLE5 SYSRES_CONST_REQUISITE_SECTION_TABLE6 SYSRES_CONST_REQUISITE_SECTION_TABLE7 SYSRES_CONST_REQUISITE_SECTION_TABLE8 SYSRES_CONST_REQUISITE_SECTION_TABLE9 SYSRES_CONST_REQUISITES_PSEUDOREFERENCE_REQUISITE_NUMBER_REQUISITE_CODE SYSRES_CONST_RIGHT_ALIGNMENT_CODE SYSRES_CONST_ROLES_REFERENCE_CODE SYSRES_CONST_ROUTE_STEP_AFTER_RUS SYSRES_CONST_ROUTE_STEP_AND_CONDITION_RUS SYSRES_CONST_ROUTE_STEP_OR_CONDITION_RUS SYSRES_CONST_ROUTE_TYPE_COMPLEX SYSRES_CONST_ROUTE_TYPE_PARALLEL SYSRES_CONST_ROUTE_TYPE_SERIAL SYSRES_CONST_SBDATASETDESC_NEGATIVE_VALUE SYSRES_CONST_SBDATASETDESC_POSITIVE_VALUE SYSRES_CONST_SBVIEWSDESC_POSITIVE_VALUE SYSRES_CONST_SCRIPT_BLOCK_DESCRIPTION SYSRES_CONST_SEARCH_BY_TEXT_REQUISITE_CODE SYSRES_CONST_SEARCHES_COMPONENT_CONTENT SYSRES_CONST_SEARCHES_CRITERIA_ACTION_NAME SYSRES_CONST_SEARCHES_EDOC_CONTENT SYSRES_CONST_SEARCHES_FOLDER_CONTENT SYSRES_CONST_SEARCHES_JOB_CONTENT SYSRES_CONST_SEARCHES_REFERENCE_CODE SYSRES_CONST_SEARCHES_TASK_CONTENT SYSRES_CONST_SECOND_CHAR SYSRES_CONST_SECTION_REQUISITE_ACTIONS_VALUE SYSRES_CONST_SECTION_REQUISITE_CARD_VALUE SYSRES_CONST_SECTION_REQUISITE_CODE SYSRES_CONST_SECTION_REQUISITE_DETAIL_1_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_2_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_3_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_4_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_5_VALUE SYSRES_CONST_SECTION_REQUISITE_DETAIL_6_VALUE SYSRES_CONST_SELECT_REFERENCE_MODE_NAME SYSRES_CONST_SELECT_TYPE_SELECTABLE SYSRES_CONST_SELECT_TYPE_SELECTABLE_ONLY_CHILD SYSRES_CONST_SELECT_TYPE_SELECTABLE_WITH_CHILD SYSRES_CONST_SELECT_TYPE_UNSLECTABLE SYSRES_CONST_SERVER_TYPE_MAIN SYSRES_CONST_SERVICE_USER_CATEGORY_FIELD_VALUE SYSRES_CONST_SETTINGS_USER_REQUISITE_CODE SYSRES_CONST_SIGNATURE_AND_ENCODE_CERTIFICATE_TYPE_CODE SYSRES_CONST_SIGNATURE_CERTIFICATE_TYPE_CODE SYSRES_CONST_SINGULAR_TITLE_REQUISITE_CODE SYSRES_CONST_SQL_SERVER_AUTHENTIFICATION_FLAG_VALUE_CODE SYSRES_CONST_SQL_SERVER_ENCODE_AUTHENTIFICATION_FLAG_VALUE_CODE SYSRES_CONST_STANDART_ROUTE_REFERENCE_CODE SYSRES_CONST_STANDART_ROUTE_REFERENCE_COMMENT_REQUISITE_CODE SYSRES_CONST_STANDART_ROUTES_GROUPS_REFERENCE_CODE SYSRES_CONST_STATE_REQ_NAME SYSRES_CONST_STATE_REQUISITE_ACTIVE_VALUE SYSRES_CONST_STATE_REQUISITE_CLOSED_VALUE SYSRES_CONST_STATE_REQUISITE_CODE SYSRES_CONST_STATIC_ROLE_TYPE_CODE SYSRES_CONST_STATUS_PLAN_DEFAULT_VALUE SYSRES_CONST_STATUS_VALUE_AUTOCLEANING SYSRES_CONST_STATUS_VALUE_BLUE_SQUARE SYSRES_CONST_STATUS_VALUE_COMPLETE SYSRES_CONST_STATUS_VALUE_GREEN_SQUARE SYSRES_CONST_STATUS_VALUE_ORANGE_SQUARE SYSRES_CONST_STATUS_VALUE_PURPLE_SQUARE SYSRES_CONST_STATUS_VALUE_RED_SQUARE SYSRES_CONST_STATUS_VALUE_SUSPEND SYSRES_CONST_STATUS_VALUE_YELLOW_SQUARE SYSRES_CONST_STDROUTE_SHOW_TO_USERS_REQUISITE_CODE SYSRES_CONST_STORAGE_TYPE_FILE SYSRES_CONST_STORAGE_TYPE_SQL_SERVER SYSRES_CONST_STR_REQUISITE SYSRES_CONST_STRIKEOUT_LIFE_CYCLE_STAGE_DRAW_STYLE SYSRES_CONST_STRING_FORMAT_LEFT_ALIGN_CHAR SYSRES_CONST_STRING_FORMAT_RIGHT_ALIGN_CHAR SYSRES_CONST_STRING_REQUISITE_CODE SYSRES_CONST_STRING_REQUISITE_TYPE SYSRES_CONST_STRING_TYPE_CHAR SYSRES_CONST_SUBSTITUTES_PSEUDOREFERENCE_CODE SYSRES_CONST_SUBTASK_BLOCK_DESCRIPTION SYSRES_CONST_SYSTEM_SETTING_CURRENT_USER_PARAM_VALUE SYSRES_CONST_SYSTEM_SETTING_EMPTY_VALUE_PARAM_VALUE SYSRES_CONST_SYSTEM_VERSION_COMMENT SYSRES_CONST_TASK_ACCESS_TYPE_ALL SYSRES_CONST_TASK_ACCESS_TYPE_ALL_MEMBERS SYSRES_CONST_TASK_ACCESS_TYPE_MANUAL SYSRES_CONST_TASK_ENCODE_TYPE_CERTIFICATION SYSRES_CONST_TASK_ENCODE_TYPE_CERTIFICATION_AND_PASSWORD SYSRES_CONST_TASK_ENCODE_TYPE_NONE SYSRES_CONST_TASK_ENCODE_TYPE_PASSWORD SYSRES_CONST_TASK_ROUTE_ALL_CONDITION SYSRES_CONST_TASK_ROUTE_AND_CONDITION SYSRES_CONST_TASK_ROUTE_OR_CONDITION SYSRES_CONST_TASK_STATE_ABORTED SYSRES_CONST_TASK_STATE_COMPLETE SYSRES_CONST_TASK_STATE_CONTINUED SYSRES_CONST_TASK_STATE_CONTROL SYSRES_CONST_TASK_STATE_INIT SYSRES_CONST_TASK_STATE_WORKING SYSRES_CONST_TASK_TITLE SYSRES_CONST_TASK_TYPES_GROUPS_REFERENCE_CODE SYSRES_CONST_TASK_TYPES_REFERENCE_CODE SYSRES_CONST_TEMPLATES_REFERENCE_CODE SYSRES_CONST_TEST_DATE_REQUISITE_NAME SYSRES_CONST_TEST_DEV_DATABASE_NAME SYSRES_CONST_TEST_DEV_SYSTEM_CODE SYSRES_CONST_TEST_EDMS_DATABASE_NAME SYSRES_CONST_TEST_EDMS_MAIN_CODE SYSRES_CONST_TEST_EDMS_MAIN_DB_NAME SYSRES_CONST_TEST_EDMS_SECOND_CODE SYSRES_CONST_TEST_EDMS_SECOND_DB_NAME SYSRES_CONST_TEST_EDMS_SYSTEM_CODE SYSRES_CONST_TEST_NUMERIC_REQUISITE_NAME SYSRES_CONST_TEXT_REQUISITE SYSRES_CONST_TEXT_REQUISITE_CODE SYSRES_CONST_TEXT_REQUISITE_TYPE SYSRES_CONST_TEXT_TYPE_CHAR SYSRES_CONST_TYPE_CODE_REQUISITE_CODE SYSRES_CONST_TYPE_REQUISITE_CODE SYSRES_CONST_UNDEFINED_LIFE_CYCLE_STAGE_FONT_COLOR SYSRES_CONST_UNITS_SECTION_ID_REQUISITE_CODE SYSRES_CONST_UNITS_SECTION_REQUISITE_CODE SYSRES_CONST_UNOPERATING_RECORD_FLAG_VALUE_CODE SYSRES_CONST_UNSTORED_DATA_REQUISITE_CODE SYSRES_CONST_UNSTORED_DATA_REQUISITE_NAME SYSRES_CONST_USE_ACCESS_TYPE_CODE SYSRES_CONST_USE_ACCESS_TYPE_NAME SYSRES_CONST_USER_ACCOUNT_TYPE_VALUE_CODE SYSRES_CONST_USER_ADDITIONAL_INFORMATION_REQUISITE_CODE SYSRES_CONST_USER_AND_GROUP_ID_FROM_PSEUDOREFERENCE_REQUISITE_CODE SYSRES_CONST_USER_CATEGORY_NORMAL SYSRES_CONST_USER_CERTIFICATE_REQUISITE_CODE SYSRES_CONST_USER_CERTIFICATE_STATE_REQUISITE_CODE SYSRES_CONST_USER_CERTIFICATE_SUBJECT_NAME_REQUISITE_CODE SYSRES_CONST_USER_CERTIFICATE_THUMBPRINT_REQUISITE_CODE SYSRES_CONST_USER_COMMON_CATEGORY SYSRES_CONST_USER_COMMON_CATEGORY_CODE SYSRES_CONST_USER_FULL_NAME_REQUISITE_CODE SYSRES_CONST_USER_GROUP_TYPE_REQUISITE_CODE SYSRES_CONST_USER_LOGIN_REQUISITE_CODE SYSRES_CONST_USER_REMOTE_CONTROLLER_REQUISITE_CODE SYSRES_CONST_USER_REMOTE_SYSTEM_REQUISITE_CODE SYSRES_CONST_USER_RIGHTS_T_REQUISITE_CODE SYSRES_CONST_USER_SERVER_NAME_REQUISITE_CODE SYSRES_CONST_USER_SERVICE_CATEGORY SYSRES_CONST_USER_SERVICE_CATEGORY_CODE SYSRES_CONST_USER_STATUS_ADMINISTRATOR_CODE SYSRES_CONST_USER_STATUS_ADMINISTRATOR_NAME SYSRES_CONST_USER_STATUS_DEVELOPER_CODE SYSRES_CONST_USER_STATUS_DEVELOPER_NAME SYSRES_CONST_USER_STATUS_DISABLED_CODE SYSRES_CONST_USER_STATUS_DISABLED_NAME SYSRES_CONST_USER_STATUS_SYSTEM_DEVELOPER_CODE SYSRES_CONST_USER_STATUS_USER_CODE SYSRES_CONST_USER_STATUS_USER_NAME SYSRES_CONST_USER_STATUS_USER_NAME_DEPRECATED SYSRES_CONST_USER_TYPE_FIELD_VALUE_USER SYSRES_CONST_USER_TYPE_REQUISITE_CODE SYSRES_CONST_USERS_CONTROLLER_REQUISITE_CODE SYSRES_CONST_USERS_IS_MAIN_SERVER_REQUISITE_CODE SYSRES_CONST_USERS_REFERENCE_CODE SYSRES_CONST_USERS_REGISTRATION_CERTIFICATES_ACTION_NAME SYSRES_CONST_USERS_REQUISITE_CODE SYSRES_CONST_USERS_SYSTEM_REQUISITE_CODE SYSRES_CONST_USERS_USER_ACCESS_RIGHTS_TYPR_REQUISITE_CODE SYSRES_CONST_USERS_USER_AUTHENTICATION_REQUISITE_CODE SYSRES_CONST_USERS_USER_COMPONENT_REQUISITE_CODE SYSRES_CONST_USERS_USER_GROUP_REQUISITE_CODE SYSRES_CONST_USERS_VIEW_CERTIFICATES_ACTION_NAME SYSRES_CONST_VIEW_DEFAULT_CODE SYSRES_CONST_VIEW_DEFAULT_NAME SYSRES_CONST_VIEWER_REQUISITE_CODE SYSRES_CONST_WAITING_BLOCK_DESCRIPTION SYSRES_CONST_WIZARD_FORM_LABEL_TEST_STRING  SYSRES_CONST_WIZARD_QUERY_PARAM_HEIGHT_ETALON_STRING SYSRES_CONST_WIZARD_REFERENCE_COMMENT_REQUISITE_CODE SYSRES_CONST_WORK_RULES_DESCRIPTION_REQUISITE_CODE SYSRES_CONST_WORK_TIME_CALENDAR_REFERENCE_CODE SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE_CODE SYSRES_CONST_WORK_WORKFLOW_HARD_ROUTE_TYPE_VALUE_CODE_RUS SYSRES_CONST_WORK_WORKFLOW_SOFT_ROUTE_TYPE_VALUE_CODE_RUS SYSRES_CONST_WORKFLOW_ROUTE_TYPR_HARD SYSRES_CONST_WORKFLOW_ROUTE_TYPR_SOFT SYSRES_CONST_XML_ENCODING SYSRES_CONST_XREC_STAT_REQUISITE_CODE SYSRES_CONST_XRECID_FIELD_NAME SYSRES_CONST_YES SYSRES_CONST_YES_NO_2_REQUISITE_CODE SYSRES_CONST_YES_NO_REQUISITE_CODE SYSRES_CONST_YES_NO_T_REF_TYPE_REQUISITE_CODE SYSRES_CONST_YES_PICK_VALUE SYSRES_CONST_YES_VALUE ",l="CR FALSE nil NO_VALUE NULL TAB TRUE YES_VALUE ",u="ADMINISTRATORS_GROUP_NAME CUSTOMIZERS_GROUP_NAME DEVELOPERS_GROUP_NAME SERVICE_USERS_GROUP_NAME ",c="DECISION_BLOCK_FIRST_OPERAND_PROPERTY DECISION_BLOCK_NAME_PROPERTY DECISION_BLOCK_OPERATION_PROPERTY DECISION_BLOCK_RESULT_TYPE_PROPERTY DECISION_BLOCK_SECOND_OPERAND_PROPERTY ",d="ANY_FILE_EXTENTION COMPRESSED_DOCUMENT_EXTENSION EXTENDED_DOCUMENT_EXTENSION SHORT_COMPRESSED_DOCUMENT_EXTENSION SHORT_EXTENDED_DOCUMENT_EXTENSION ",S="JOB_BLOCK_ABORT_DEADLINE_PROPERTY JOB_BLOCK_AFTER_FINISH_EVENT JOB_BLOCK_AFTER_QUERY_PARAMETERS_EVENT JOB_BLOCK_ATTACHMENT_PROPERTY JOB_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY JOB_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY JOB_BLOCK_BEFORE_QUERY_PARAMETERS_EVENT JOB_BLOCK_BEFORE_START_EVENT JOB_BLOCK_CREATED_JOBS_PROPERTY JOB_BLOCK_DEADLINE_PROPERTY JOB_BLOCK_EXECUTION_RESULTS_PROPERTY JOB_BLOCK_IS_PARALLEL_PROPERTY JOB_BLOCK_IS_RELATIVE_ABORT_DEADLINE_PROPERTY JOB_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY JOB_BLOCK_JOB_TEXT_PROPERTY JOB_BLOCK_NAME_PROPERTY JOB_BLOCK_NEED_SIGN_ON_PERFORM_PROPERTY JOB_BLOCK_PERFORMER_PROPERTY JOB_BLOCK_RELATIVE_ABORT_DEADLINE_TYPE_PROPERTY JOB_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY JOB_BLOCK_SUBJECT_PROPERTY ",_="ENGLISH_LANGUAGE_CODE RUSSIAN_LANGUAGE_CODE ",E="smHidden smMaximized smMinimized smNormal wmNo wmYes ",T="COMPONENT_TOKEN_LINK_KIND DOCUMENT_LINK_KIND EDOCUMENT_LINK_KIND FOLDER_LINK_KIND JOB_LINK_KIND REFERENCE_LINK_KIND TASK_LINK_KIND ",y="COMPONENT_TOKEN_LOCK_TYPE EDOCUMENT_VERSION_LOCK_TYPE ",M="MONITOR_BLOCK_AFTER_FINISH_EVENT MONITOR_BLOCK_BEFORE_START_EVENT MONITOR_BLOCK_DEADLINE_PROPERTY MONITOR_BLOCK_INTERVAL_PROPERTY MONITOR_BLOCK_INTERVAL_TYPE_PROPERTY MONITOR_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY MONITOR_BLOCK_NAME_PROPERTY MONITOR_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY MONITOR_BLOCK_SEARCH_SCRIPT_PROPERTY ",v="NOTICE_BLOCK_AFTER_FINISH_EVENT NOTICE_BLOCK_ATTACHMENT_PROPERTY NOTICE_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY NOTICE_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY NOTICE_BLOCK_BEFORE_START_EVENT NOTICE_BLOCK_CREATED_NOTICES_PROPERTY NOTICE_BLOCK_DEADLINE_PROPERTY NOTICE_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY NOTICE_BLOCK_NAME_PROPERTY NOTICE_BLOCK_NOTICE_TEXT_PROPERTY NOTICE_BLOCK_PERFORMER_PROPERTY NOTICE_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY NOTICE_BLOCK_SUBJECT_PROPERTY ",A="dseAfterCancel dseAfterClose dseAfterDelete dseAfterDeleteOutOfTransaction dseAfterInsert dseAfterOpen dseAfterScroll dseAfterUpdate dseAfterUpdateOutOfTransaction dseBeforeCancel dseBeforeClose dseBeforeDelete dseBeforeDetailUpdate dseBeforeInsert dseBeforeOpen dseBeforeUpdate dseOnAnyRequisiteChange dseOnCloseRecord dseOnDeleteError dseOnOpenRecord dseOnPrepareUpdate dseOnUpdateError dseOnUpdateRatifiedRecord dseOnValidDelete dseOnValidUpdate reOnChange reOnChangeValues SELECTION_BEGIN_ROUTE_EVENT SELECTION_END_ROUTE_EVENT ",O="CURRENT_PERIOD_IS_REQUIRED PREVIOUS_CARD_TYPE_NAME SHOW_RECORD_PROPERTIES_FORM ",N="ACCESS_RIGHTS_SETTING_DIALOG_CODE ADMINISTRATOR_USER_CODE ANALYTIC_REPORT_TYPE asrtHideLocal asrtHideRemote CALCULATED_ROLE_TYPE_CODE COMPONENTS_REFERENCE_DEVELOPER_VIEW_CODE DCTS_TEST_PROTOCOLS_FOLDER_PATH E_EDOC_VERSION_ALREADY_APPROVINGLY_SIGNED E_EDOC_VERSION_ALREADY_APPROVINGLY_SIGNED_BY_USER E_EDOC_VERSION_ALREDY_SIGNED E_EDOC_VERSION_ALREDY_SIGNED_BY_USER EDOC_TYPES_CODE_REQUISITE_FIELD_NAME EDOCUMENTS_ALIAS_NAME FILES_FOLDER_PATH FILTER_OPERANDS_DELIMITER FILTER_OPERATIONS_DELIMITER FORMCARD_NAME FORMLIST_NAME GET_EXTENDED_DOCUMENT_EXTENSION_CREATION_MODE GET_EXTENDED_DOCUMENT_EXTENSION_IMPORT_MODE INTEGRATED_REPORT_TYPE IS_BUILDER_APPLICATION_ROLE IS_BUILDER_APPLICATION_ROLE2 IS_BUILDER_USERS ISBSYSDEV LOG_FOLDER_PATH mbCancel mbNo mbNoToAll mbOK mbYes mbYesToAll MEMORY_DATASET_DESRIPTIONS_FILENAME mrNo mrNoToAll mrYes mrYesToAll MULTIPLE_SELECT_DIALOG_CODE NONOPERATING_RECORD_FLAG_FEMININE NONOPERATING_RECORD_FLAG_MASCULINE OPERATING_RECORD_FLAG_FEMININE OPERATING_RECORD_FLAG_MASCULINE PROFILING_SETTINGS_COMMON_SETTINGS_CODE_VALUE PROGRAM_INITIATED_LOOKUP_ACTION ratDelete ratEdit ratInsert REPORT_TYPE REQUIRED_PICK_VALUES_VARIABLE rmCard rmList SBRTE_PROGID_DEV SBRTE_PROGID_RELEASE STATIC_ROLE_TYPE_CODE SUPPRESS_EMPTY_TEMPLATE_CREATION SYSTEM_USER_CODE UPDATE_DIALOG_DATASET USED_IN_OBJECT_HINT_PARAM USER_INITIATED_LOOKUP_ACTION USER_NAME_FORMAT USER_SELECTION_RESTRICTIONS WORKFLOW_TEST_PROTOCOLS_FOLDER_PATH ELS_SUBTYPE_CONTROL_NAME ELS_FOLDER_KIND_CONTROL_NAME REPEAT_PROCESS_CURRENT_OBJECT_EXCEPTION_NAME ",R="PRIVILEGE_COMPONENT_FULL_ACCESS PRIVILEGE_DEVELOPMENT_EXPORT PRIVILEGE_DEVELOPMENT_IMPORT PRIVILEGE_DOCUMENT_DELETE PRIVILEGE_ESD PRIVILEGE_FOLDER_DELETE PRIVILEGE_MANAGE_ACCESS_RIGHTS PRIVILEGE_MANAGE_REPLICATION PRIVILEGE_MANAGE_SESSION_SERVER PRIVILEGE_OBJECT_FULL_ACCESS PRIVILEGE_OBJECT_VIEW PRIVILEGE_RESERVE_LICENSE PRIVILEGE_SYSTEM_CUSTOMIZE PRIVILEGE_SYSTEM_DEVELOP PRIVILEGE_SYSTEM_INSTALL PRIVILEGE_TASK_DELETE PRIVILEGE_USER_PLUGIN_SETTINGS_CUSTOMIZE PRIVILEGES_PSEUDOREFERENCE_CODE ",L="ACCESS_TYPES_PSEUDOREFERENCE_CODE ALL_AVAILABLE_COMPONENTS_PSEUDOREFERENCE_CODE ALL_AVAILABLE_PRIVILEGES_PSEUDOREFERENCE_CODE ALL_REPLICATE_COMPONENTS_PSEUDOREFERENCE_CODE AVAILABLE_DEVELOPERS_COMPONENTS_PSEUDOREFERENCE_CODE COMPONENTS_PSEUDOREFERENCE_CODE FILTRATER_SETTINGS_CONFLICTS_PSEUDOREFERENCE_CODE GROUPS_PSEUDOREFERENCE_CODE RECEIVE_PROTOCOL_PSEUDOREFERENCE_CODE REFERENCE_REQUISITE_PSEUDOREFERENCE_CODE REFERENCE_REQUISITES_PSEUDOREFERENCE_CODE REFTYPES_PSEUDOREFERENCE_CODE REPLICATION_SEANCES_DIARY_PSEUDOREFERENCE_CODE SEND_PROTOCOL_PSEUDOREFERENCE_CODE SUBSTITUTES_PSEUDOREFERENCE_CODE SYSTEM_SETTINGS_PSEUDOREFERENCE_CODE UNITS_PSEUDOREFERENCE_CODE USERS_PSEUDOREFERENCE_CODE VIEWERS_PSEUDOREFERENCE_CODE ",I="CERTIFICATE_TYPE_ENCRYPT CERTIFICATE_TYPE_SIGN CERTIFICATE_TYPE_SIGN_AND_ENCRYPT ",h="STORAGE_TYPE_FILE STORAGE_TYPE_NAS_CIFS STORAGE_TYPE_SAPERION STORAGE_TYPE_SQL_SERVER ",k="COMPTYPE2_REQUISITE_DOCUMENTS_VALUE COMPTYPE2_REQUISITE_TASKS_VALUE COMPTYPE2_REQUISITE_FOLDERS_VALUE COMPTYPE2_REQUISITE_REFERENCES_VALUE ",F="SYSREQ_CODE SYSREQ_COMPTYPE2 SYSREQ_CONST_AVAILABLE_FOR_WEB SYSREQ_CONST_COMMON_CODE SYSREQ_CONST_COMMON_VALUE SYSREQ_CONST_FIRM_CODE SYSREQ_CONST_FIRM_STATUS SYSREQ_CONST_FIRM_VALUE SYSREQ_CONST_SERVER_STATUS SYSREQ_CONTENTS SYSREQ_DATE_OPEN SYSREQ_DATE_CLOSE SYSREQ_DESCRIPTION SYSREQ_DESCRIPTION_LOCALIZE_ID SYSREQ_DOUBLE SYSREQ_EDOC_ACCESS_TYPE SYSREQ_EDOC_AUTHOR SYSREQ_EDOC_CREATED SYSREQ_EDOC_DELEGATE_RIGHTS_REQUISITE_CODE SYSREQ_EDOC_EDITOR SYSREQ_EDOC_ENCODE_TYPE SYSREQ_EDOC_ENCRYPTION_PLUGIN_NAME SYSREQ_EDOC_ENCRYPTION_PLUGIN_VERSION SYSREQ_EDOC_EXPORT_DATE SYSREQ_EDOC_EXPORTER SYSREQ_EDOC_KIND SYSREQ_EDOC_LIFE_STAGE_NAME SYSREQ_EDOC_LOCKED_FOR_SERVER_CODE SYSREQ_EDOC_MODIFIED SYSREQ_EDOC_NAME SYSREQ_EDOC_NOTE SYSREQ_EDOC_QUALIFIED_ID SYSREQ_EDOC_SESSION_KEY SYSREQ_EDOC_SESSION_KEY_ENCRYPTION_PLUGIN_NAME SYSREQ_EDOC_SESSION_KEY_ENCRYPTION_PLUGIN_VERSION SYSREQ_EDOC_SIGNATURE_TYPE SYSREQ_EDOC_SIGNED SYSREQ_EDOC_STORAGE SYSREQ_EDOC_STORAGES_ARCHIVE_STORAGE SYSREQ_EDOC_STORAGES_CHECK_RIGHTS SYSREQ_EDOC_STORAGES_COMPUTER_NAME SYSREQ_EDOC_STORAGES_EDIT_IN_STORAGE SYSREQ_EDOC_STORAGES_EXECUTIVE_STORAGE SYSREQ_EDOC_STORAGES_FUNCTION SYSREQ_EDOC_STORAGES_INITIALIZED SYSREQ_EDOC_STORAGES_LOCAL_PATH SYSREQ_EDOC_STORAGES_SAPERION_DATABASE_NAME SYSREQ_EDOC_STORAGES_SEARCH_BY_TEXT SYSREQ_EDOC_STORAGES_SERVER_NAME SYSREQ_EDOC_STORAGES_SHARED_SOURCE_NAME SYSREQ_EDOC_STORAGES_TYPE SYSREQ_EDOC_TEXT_MODIFIED SYSREQ_EDOC_TYPE_ACT_CODE SYSREQ_EDOC_TYPE_ACT_DESCRIPTION SYSREQ_EDOC_TYPE_ACT_DESCRIPTION_LOCALIZE_ID SYSREQ_EDOC_TYPE_ACT_ON_EXECUTE SYSREQ_EDOC_TYPE_ACT_ON_EXECUTE_EXISTS SYSREQ_EDOC_TYPE_ACT_SECTION SYSREQ_EDOC_TYPE_ADD_PARAMS SYSREQ_EDOC_TYPE_COMMENT SYSREQ_EDOC_TYPE_EVENT_TEXT SYSREQ_EDOC_TYPE_NAME_IN_SINGULAR SYSREQ_EDOC_TYPE_NAME_IN_SINGULAR_LOCALIZE_ID SYSREQ_EDOC_TYPE_NAME_LOCALIZE_ID SYSREQ_EDOC_TYPE_NUMERATION_METHOD SYSREQ_EDOC_TYPE_PSEUDO_REQUISITE_CODE SYSREQ_EDOC_TYPE_REQ_CODE SYSREQ_EDOC_TYPE_REQ_DESCRIPTION SYSREQ_EDOC_TYPE_REQ_DESCRIPTION_LOCALIZE_ID SYSREQ_EDOC_TYPE_REQ_IS_LEADING SYSREQ_EDOC_TYPE_REQ_IS_REQUIRED SYSREQ_EDOC_TYPE_REQ_NUMBER SYSREQ_EDOC_TYPE_REQ_ON_CHANGE SYSREQ_EDOC_TYPE_REQ_ON_CHANGE_EXISTS SYSREQ_EDOC_TYPE_REQ_ON_SELECT SYSREQ_EDOC_TYPE_REQ_ON_SELECT_KIND SYSREQ_EDOC_TYPE_REQ_SECTION SYSREQ_EDOC_TYPE_VIEW_CARD SYSREQ_EDOC_TYPE_VIEW_CODE SYSREQ_EDOC_TYPE_VIEW_COMMENT SYSREQ_EDOC_TYPE_VIEW_IS_MAIN SYSREQ_EDOC_TYPE_VIEW_NAME SYSREQ_EDOC_TYPE_VIEW_NAME_LOCALIZE_ID SYSREQ_EDOC_VERSION_AUTHOR SYSREQ_EDOC_VERSION_CRC SYSREQ_EDOC_VERSION_DATA SYSREQ_EDOC_VERSION_EDITOR SYSREQ_EDOC_VERSION_EXPORT_DATE SYSREQ_EDOC_VERSION_EXPORTER SYSREQ_EDOC_VERSION_HIDDEN SYSREQ_EDOC_VERSION_LIFE_STAGE SYSREQ_EDOC_VERSION_MODIFIED SYSREQ_EDOC_VERSION_NOTE SYSREQ_EDOC_VERSION_SIGNATURE_TYPE SYSREQ_EDOC_VERSION_SIGNED SYSREQ_EDOC_VERSION_SIZE SYSREQ_EDOC_VERSION_SOURCE SYSREQ_EDOC_VERSION_TEXT_MODIFIED SYSREQ_EDOCKIND_DEFAULT_VERSION_STATE_CODE SYSREQ_FOLDER_KIND SYSREQ_FUNC_CATEGORY SYSREQ_FUNC_COMMENT SYSREQ_FUNC_GROUP SYSREQ_FUNC_GROUP_COMMENT SYSREQ_FUNC_GROUP_NUMBER SYSREQ_FUNC_HELP SYSREQ_FUNC_PARAM_DEF_VALUE SYSREQ_FUNC_PARAM_IDENT SYSREQ_FUNC_PARAM_NUMBER SYSREQ_FUNC_PARAM_TYPE SYSREQ_FUNC_TEXT SYSREQ_GROUP_CATEGORY SYSREQ_ID SYSREQ_LAST_UPDATE SYSREQ_LEADER_REFERENCE SYSREQ_LINE_NUMBER SYSREQ_MAIN_RECORD_ID SYSREQ_NAME SYSREQ_NAME_LOCALIZE_ID SYSREQ_NOTE SYSREQ_ORIGINAL_RECORD SYSREQ_OUR_FIRM SYSREQ_PROFILING_SETTINGS_BATCH_LOGING SYSREQ_PROFILING_SETTINGS_BATCH_SIZE SYSREQ_PROFILING_SETTINGS_PROFILING_ENABLED SYSREQ_PROFILING_SETTINGS_SQL_PROFILING_ENABLED SYSREQ_PROFILING_SETTINGS_START_LOGGED SYSREQ_RECORD_STATUS SYSREQ_REF_REQ_FIELD_NAME SYSREQ_REF_REQ_FORMAT SYSREQ_REF_REQ_GENERATED SYSREQ_REF_REQ_LENGTH SYSREQ_REF_REQ_PRECISION SYSREQ_REF_REQ_REFERENCE SYSREQ_REF_REQ_SECTION SYSREQ_REF_REQ_STORED SYSREQ_REF_REQ_TOKENS SYSREQ_REF_REQ_TYPE SYSREQ_REF_REQ_VIEW SYSREQ_REF_TYPE_ACT_CODE SYSREQ_REF_TYPE_ACT_DESCRIPTION SYSREQ_REF_TYPE_ACT_DESCRIPTION_LOCALIZE_ID SYSREQ_REF_TYPE_ACT_ON_EXECUTE SYSREQ_REF_TYPE_ACT_ON_EXECUTE_EXISTS SYSREQ_REF_TYPE_ACT_SECTION SYSREQ_REF_TYPE_ADD_PARAMS SYSREQ_REF_TYPE_COMMENT SYSREQ_REF_TYPE_COMMON_SETTINGS SYSREQ_REF_TYPE_DISPLAY_REQUISITE_NAME SYSREQ_REF_TYPE_EVENT_TEXT SYSREQ_REF_TYPE_MAIN_LEADING_REF SYSREQ_REF_TYPE_NAME_IN_SINGULAR SYSREQ_REF_TYPE_NAME_IN_SINGULAR_LOCALIZE_ID SYSREQ_REF_TYPE_NAME_LOCALIZE_ID SYSREQ_REF_TYPE_NUMERATION_METHOD SYSREQ_REF_TYPE_REQ_CODE SYSREQ_REF_TYPE_REQ_DESCRIPTION SYSREQ_REF_TYPE_REQ_DESCRIPTION_LOCALIZE_ID SYSREQ_REF_TYPE_REQ_IS_CONTROL SYSREQ_REF_TYPE_REQ_IS_FILTER SYSREQ_REF_TYPE_REQ_IS_LEADING SYSREQ_REF_TYPE_REQ_IS_REQUIRED SYSREQ_REF_TYPE_REQ_NUMBER SYSREQ_REF_TYPE_REQ_ON_CHANGE SYSREQ_REF_TYPE_REQ_ON_CHANGE_EXISTS SYSREQ_REF_TYPE_REQ_ON_SELECT SYSREQ_REF_TYPE_REQ_ON_SELECT_KIND SYSREQ_REF_TYPE_REQ_SECTION SYSREQ_REF_TYPE_VIEW_CARD SYSREQ_REF_TYPE_VIEW_CODE SYSREQ_REF_TYPE_VIEW_COMMENT SYSREQ_REF_TYPE_VIEW_IS_MAIN SYSREQ_REF_TYPE_VIEW_NAME SYSREQ_REF_TYPE_VIEW_NAME_LOCALIZE_ID SYSREQ_REFERENCE_TYPE_ID SYSREQ_STATE SYSREQ_STAT\u0415 SYSREQ_SYSTEM_SETTINGS_VALUE SYSREQ_TYPE SYSREQ_UNIT SYSREQ_UNIT_ID SYSREQ_USER_GROUPS_GROUP_FULL_NAME SYSREQ_USER_GROUPS_GROUP_NAME SYSREQ_USER_GROUPS_GROUP_SERVER_NAME SYSREQ_USERS_ACCESS_RIGHTS SYSREQ_USERS_AUTHENTICATION SYSREQ_USERS_CATEGORY SYSREQ_USERS_COMPONENT SYSREQ_USERS_COMPONENT_USER_IS_PUBLIC SYSREQ_USERS_DOMAIN SYSREQ_USERS_FULL_USER_NAME SYSREQ_USERS_GROUP SYSREQ_USERS_IS_MAIN_SERVER SYSREQ_USERS_LOGIN SYSREQ_USERS_REFERENCE_USER_IS_PUBLIC SYSREQ_USERS_STATUS SYSREQ_USERS_USER_CERTIFICATE SYSREQ_USERS_USER_CERTIFICATE_INFO SYSREQ_USERS_USER_CERTIFICATE_PLUGIN_NAME SYSREQ_USERS_USER_CERTIFICATE_PLUGIN_VERSION SYSREQ_USERS_USER_CERTIFICATE_STATE SYSREQ_USERS_USER_CERTIFICATE_SUBJECT_NAME SYSREQ_USERS_USER_CERTIFICATE_THUMBPRINT SYSREQ_USERS_USER_DEFAULT_CERTIFICATE SYSREQ_USERS_USER_DESCRIPTION SYSREQ_USERS_USER_GLOBAL_NAME SYSREQ_USERS_USER_LOGIN SYSREQ_USERS_USER_MAIN_SERVER SYSREQ_USERS_USER_TYPE SYSREQ_WORK_RULES_FOLDER_ID ",z="RESULT_VAR_NAME RESULT_VAR_NAME_ENG ",K="AUTO_NUMERATION_RULE_ID CANT_CHANGE_ID_REQUISITE_RULE_ID CANT_CHANGE_OURFIRM_REQUISITE_RULE_ID CHECK_CHANGING_REFERENCE_RECORD_USE_RULE_ID CHECK_CODE_REQUISITE_RULE_ID CHECK_DELETING_REFERENCE_RECORD_USE_RULE_ID CHECK_FILTRATER_CHANGES_RULE_ID CHECK_RECORD_INTERVAL_RULE_ID CHECK_REFERENCE_INTERVAL_RULE_ID CHECK_REQUIRED_DATA_FULLNESS_RULE_ID CHECK_REQUIRED_REQUISITES_FULLNESS_RULE_ID MAKE_RECORD_UNRATIFIED_RULE_ID RESTORE_AUTO_NUMERATION_RULE_ID SET_FIRM_CONTEXT_FROM_RECORD_RULE_ID SET_FIRST_RECORD_IN_LIST_FORM_RULE_ID SET_IDSPS_VALUE_RULE_ID SET_NEXT_CODE_VALUE_RULE_ID SET_OURFIRM_BOUNDS_RULE_ID SET_OURFIRM_REQUISITE_RULE_ID ",ue="SCRIPT_BLOCK_AFTER_FINISH_EVENT SCRIPT_BLOCK_BEFORE_START_EVENT SCRIPT_BLOCK_EXECUTION_RESULTS_PROPERTY SCRIPT_BLOCK_NAME_PROPERTY SCRIPT_BLOCK_SCRIPT_PROPERTY ",Z="SUBTASK_BLOCK_ABORT_DEADLINE_PROPERTY SUBTASK_BLOCK_AFTER_FINISH_EVENT SUBTASK_BLOCK_ASSIGN_PARAMS_EVENT SUBTASK_BLOCK_ATTACHMENTS_PROPERTY SUBTASK_BLOCK_ATTACHMENTS_RIGHTS_GROUP_PROPERTY SUBTASK_BLOCK_ATTACHMENTS_RIGHTS_TYPE_PROPERTY SUBTASK_BLOCK_BEFORE_START_EVENT SUBTASK_BLOCK_CREATED_TASK_PROPERTY SUBTASK_BLOCK_CREATION_EVENT SUBTASK_BLOCK_DEADLINE_PROPERTY SUBTASK_BLOCK_IMPORTANCE_PROPERTY SUBTASK_BLOCK_INITIATOR_PROPERTY SUBTASK_BLOCK_IS_RELATIVE_ABORT_DEADLINE_PROPERTY SUBTASK_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY SUBTASK_BLOCK_JOBS_TYPE_PROPERTY SUBTASK_BLOCK_NAME_PROPERTY SUBTASK_BLOCK_PARALLEL_ROUTE_PROPERTY SUBTASK_BLOCK_PERFORMERS_PROPERTY SUBTASK_BLOCK_RELATIVE_ABORT_DEADLINE_TYPE_PROPERTY SUBTASK_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY SUBTASK_BLOCK_REQUIRE_SIGN_PROPERTY SUBTASK_BLOCK_STANDARD_ROUTE_PROPERTY SUBTASK_BLOCK_START_EVENT SUBTASK_BLOCK_STEP_CONTROL_PROPERTY SUBTASK_BLOCK_SUBJECT_PROPERTY SUBTASK_BLOCK_TASK_CONTROL_PROPERTY SUBTASK_BLOCK_TEXT_PROPERTY SUBTASK_BLOCK_UNLOCK_ATTACHMENTS_ON_STOP_PROPERTY SUBTASK_BLOCK_USE_STANDARD_ROUTE_PROPERTY SUBTASK_BLOCK_WAIT_FOR_TASK_COMPLETE_PROPERTY ",fe="SYSCOMP_CONTROL_JOBS SYSCOMP_FOLDERS SYSCOMP_JOBS SYSCOMP_NOTICES SYSCOMP_TASKS ",V="SYSDLG_CREATE_EDOCUMENT SYSDLG_CREATE_EDOCUMENT_VERSION SYSDLG_CURRENT_PERIOD SYSDLG_EDIT_FUNCTION_HELP SYSDLG_EDOCUMENT_KINDS_FOR_TEMPLATE SYSDLG_EXPORT_MULTIPLE_EDOCUMENTS SYSDLG_EXPORT_SINGLE_EDOCUMENT SYSDLG_IMPORT_EDOCUMENT SYSDLG_MULTIPLE_SELECT SYSDLG_SETUP_ACCESS_RIGHTS SYSDLG_SETUP_DEFAULT_RIGHTS SYSDLG_SETUP_FILTER_CONDITION SYSDLG_SETUP_SIGN_RIGHTS SYSDLG_SETUP_TASK_OBSERVERS SYSDLG_SETUP_TASK_ROUTE SYSDLG_SETUP_USERS_LIST SYSDLG_SIGN_EDOCUMENT SYSDLG_SIGN_MULTIPLE_EDOCUMENTS ",ne="SYSREF_ACCESS_RIGHTS_TYPES SYSREF_ADMINISTRATION_HISTORY SYSREF_ALL_AVAILABLE_COMPONENTS SYSREF_ALL_AVAILABLE_PRIVILEGES SYSREF_ALL_REPLICATING_COMPONENTS SYSREF_AVAILABLE_DEVELOPERS_COMPONENTS SYSREF_CALENDAR_EVENTS SYSREF_COMPONENT_TOKEN_HISTORY SYSREF_COMPONENT_TOKENS SYSREF_COMPONENTS SYSREF_CONSTANTS SYSREF_DATA_RECEIVE_PROTOCOL SYSREF_DATA_SEND_PROTOCOL SYSREF_DIALOGS SYSREF_DIALOGS_REQUISITES SYSREF_EDITORS SYSREF_EDOC_CARDS SYSREF_EDOC_TYPES SYSREF_EDOCUMENT_CARD_REQUISITES SYSREF_EDOCUMENT_CARD_TYPES SYSREF_EDOCUMENT_CARD_TYPES_REFERENCE SYSREF_EDOCUMENT_CARDS SYSREF_EDOCUMENT_HISTORY SYSREF_EDOCUMENT_KINDS SYSREF_EDOCUMENT_REQUISITES SYSREF_EDOCUMENT_SIGNATURES SYSREF_EDOCUMENT_TEMPLATES SYSREF_EDOCUMENT_TEXT_STORAGES SYSREF_EDOCUMENT_VIEWS SYSREF_FILTERER_SETUP_CONFLICTS SYSREF_FILTRATER_SETTING_CONFLICTS SYSREF_FOLDER_HISTORY SYSREF_FOLDERS SYSREF_FUNCTION_GROUPS SYSREF_FUNCTION_PARAMS SYSREF_FUNCTIONS SYSREF_JOB_HISTORY SYSREF_LINKS SYSREF_LOCALIZATION_DICTIONARY SYSREF_LOCALIZATION_LANGUAGES SYSREF_MODULES SYSREF_PRIVILEGES SYSREF_RECORD_HISTORY SYSREF_REFERENCE_REQUISITES SYSREF_REFERENCE_TYPE_VIEWS SYSREF_REFERENCE_TYPES SYSREF_REFERENCES SYSREF_REFERENCES_REQUISITES SYSREF_REMOTE_SERVERS SYSREF_REPLICATION_SESSIONS_LOG SYSREF_REPLICATION_SESSIONS_PROTOCOL SYSREF_REPORTS SYSREF_ROLES SYSREF_ROUTE_BLOCK_GROUPS SYSREF_ROUTE_BLOCKS SYSREF_SCRIPTS SYSREF_SEARCHES SYSREF_SERVER_EVENTS SYSREF_SERVER_EVENTS_HISTORY SYSREF_STANDARD_ROUTE_GROUPS SYSREF_STANDARD_ROUTES SYSREF_STATUSES SYSREF_SYSTEM_SETTINGS SYSREF_TASK_HISTORY SYSREF_TASK_KIND_GROUPS SYSREF_TASK_KINDS SYSREF_TASK_RIGHTS SYSREF_TASK_SIGNATURES SYSREF_TASKS SYSREF_UNITS SYSREF_USER_GROUPS SYSREF_USER_GROUPS_REFERENCE SYSREF_USER_SUBSTITUTION SYSREF_USERS SYSREF_USERS_REFERENCE SYSREF_VIEWERS SYSREF_WORKING_TIME_CALENDARS ",te="ACCESS_RIGHTS_TABLE_NAME EDMS_ACCESS_TABLE_NAME EDOC_TYPES_TABLE_NAME ",G="TEST_DEV_DB_NAME TEST_DEV_SYSTEM_CODE TEST_EDMS_DB_NAME TEST_EDMS_MAIN_CODE TEST_EDMS_MAIN_DB_NAME TEST_EDMS_SECOND_CODE TEST_EDMS_SECOND_DB_NAME TEST_EDMS_SYSTEM_CODE TEST_ISB5_MAIN_CODE TEST_ISB5_SECOND_CODE TEST_SQL_SERVER_2005_NAME TEST_SQL_SERVER_NAME ",se="ATTENTION_CAPTION cbsCommandLinks cbsDefault CONFIRMATION_CAPTION ERROR_CAPTION INFORMATION_CAPTION mrCancel mrOk ",ve="EDOC_VERSION_ACTIVE_STAGE_CODE EDOC_VERSION_DESIGN_STAGE_CODE EDOC_VERSION_OBSOLETE_STAGE_CODE ",Ge="cpDataEnciphermentEnabled cpDigitalSignatureEnabled cpID cpIssuer cpPluginVersion cpSerial cpSubjectName cpSubjSimpleName cpValidFromDate cpValidToDate ",oe="ISBL_SYNTAX NO_SYNTAX XML_SYNTAX ",W="WAIT_BLOCK_AFTER_FINISH_EVENT WAIT_BLOCK_BEFORE_START_EVENT WAIT_BLOCK_DEADLINE_PROPERTY WAIT_BLOCK_IS_RELATIVE_DEADLINE_PROPERTY WAIT_BLOCK_NAME_PROPERTY WAIT_BLOCK_RELATIVE_DEADLINE_TYPE_PROPERTY ",Oe="SYSRES_COMMON SYSRES_CONST SYSRES_MBFUNC SYSRES_SBDATA SYSRES_SBGUI SYSRES_SBINTF SYSRES_SBREFDSC SYSRES_SQLERRORS SYSRES_SYSCOMP ",tt=o+l+u+c+d+S+_+E+T+y+M+v+A+O+N+R+L+I+h+k+F+z+K+ue+Z+fe+V+ne+te+G+se+ve+Ge+oe+W+Oe,rt="atUser atGroup atRole ",bt="aemEnabledAlways aemDisabledAlways aemEnabledOnBrowse aemEnabledOnEdit aemDisabledOnBrowseEmpty ",dt="apBegin apEnd ",ct="alLeft alRight ",Ze="asmNever asmNoButCustomize asmAsLastTime asmYesButCustomize asmAlways ",nt="cirCommon cirRevoked ",ce="ctSignature ctEncode ctSignatureEncode ",Ee="clbUnchecked clbChecked clbGrayed ",He="ceISB ceAlways ceNever ",we="ctDocument ctReference ctScript ctUnknown ctReport ctDialog ctFunction ctFolder ctEDocument ctTask ctJob ctNotice ctControlJob ",ze="cfInternal cfDisplay ",pe="ciUnspecified ciWrite ciRead ",Re="ckFolder ckEDocument ckTask ckJob ckComponentToken ckAny ckReference ckScript ckReport ckDialog ",Ne="ctISBLEditor ctBevel ctButton ctCheckListBox ctComboBox ctComboEdit ctGrid ctDBCheckBox ctDBComboBox ctDBEdit ctDBEllipsis ctDBMemo ctDBNavigator ctDBRadioGroup ctDBStatusLabel ctEdit ctGroupBox ctInplaceHint ctMemo ctPanel ctListBox ctRadioButton ctRichEdit ctTabSheet ctWebBrowser ctImage ctHyperLink ctLabel ctDBMultiEllipsis ctRibbon ctRichView ctInnerPanel ctPanelGroup ctBitButton ",Ie="cctDate cctInteger cctNumeric cctPick cctReference cctString cctText ",Ue="cltInternal cltPrimary cltGUI ",Ve="dseBeforeOpen dseAfterOpen dseBeforeClose dseAfterClose dseOnValidDelete dseBeforeDelete dseAfterDelete dseAfterDeleteOutOfTransaction dseOnDeleteError dseBeforeInsert dseAfterInsert dseOnValidUpdate dseBeforeUpdate dseOnUpdateRatifiedRecord dseAfterUpdate dseAfterUpdateOutOfTransaction dseOnUpdateError dseAfterScroll dseOnOpenRecord dseOnCloseRecord dseBeforeCancel dseAfterCancel dseOnUpdateDeadlockError dseBeforeDetailUpdate dseOnPrepareUpdate dseOnAnyRequisiteChange ",lt="dssEdit dssInsert dssBrowse dssInActive ",ge="dftDate dftShortDate dftDateTime dftTimeStamp ",de="dotDays dotHours dotMinutes dotSeconds ",be="dtkndLocal dtkndUTC ",H="arNone arView arEdit arFull ",ee="ddaView ddaEdit ",_e="emLock emEdit emSign emExportWithLock emImportWithUnlock emChangeVersionNote emOpenForModify emChangeLifeStage emDelete emCreateVersion emImport emUnlockExportedWithLock emStart emAbort emReInit emMarkAsReaded emMarkAsUnreaded emPerform emAccept emResume emChangeRights emEditRoute emEditObserver emRecoveryFromLocalCopy emChangeWorkAccessType emChangeEncodeTypeToCertificate emChangeEncodeTypeToPassword emChangeEncodeTypeToNone emChangeEncodeTypeToCertificatePassword emChangeStandardRoute emGetText emOpenForView emMoveToStorage emCreateObject emChangeVersionHidden emDeleteVersion emChangeLifeCycleStage emApprovingSign emExport emContinue emLockFromEdit emUnLockForEdit emLockForServer emUnlockFromServer emDelegateAccessRights emReEncode ",U="ecotFile ecotProcess ",Q="eaGet eaCopy eaCreate eaCreateStandardRoute ",he="edltAll edltNothing edltQuery ",Le="essmText essmCard ",Xe="esvtLast esvtLastActive esvtSpecified ",je="edsfExecutive edsfArchive ",at="edstSQLServer edstFile ",ke="edvstNone edvstEDocumentVersionCopy edvstFile edvstTemplate edvstScannedFile ",$e="vsDefault vsDesign vsActive vsObsolete ",De="etNone etCertificate etPassword etCertificatePassword ",pt="ecException ecWarning ecInformation ",_t="estAll estApprovingOnly ",wt="evtLast evtLastActive evtQuery ",Lt="fdtString fdtNumeric fdtInteger fdtDate fdtText fdtUnknown fdtWideString fdtLargeInteger ",cn="ftInbox ftOutbox ftFavorites ftCommonFolder ftUserFolder ftComponents ftQuickLaunch ftShortcuts ftSearch ",Xt="grhAuto grhX1 grhX2 grhX3 ",an="hltText hltRTF hltHTML ",Zt="iffBMP iffJPEG iffMultiPageTIFF iffSinglePageTIFF iffTIFF iffPNG ",Sr="im8bGrayscale im24bRGB im1bMonochrome ",Qn="itBMP itJPEG itWMF itPNG ",wn="ikhInformation ikhWarning ikhError ikhNoIcon ",Wn="icUnknown icScript icFunction icIntegratedReport icAnalyticReport icDataSetEventHandler icActionHandler icFormEventHandler icLookUpEventHandler icRequisiteChangeEventHandler icBeforeSearchEventHandler icRoleCalculation icSelectRouteEventHandler icBlockPropertyCalculation icBlockQueryParamsEventHandler icChangeSearchResultEventHandler icBlockEventHandler icSubTaskInitEventHandler icEDocDataSetEventHandler icEDocLookUpEventHandler icEDocActionHandler icEDocFormEventHandler icEDocRequisiteChangeEventHandler icStructuredConversionRule icStructuredConversionEventBefore icStructuredConversionEventAfter icWizardEventHandler icWizardFinishEventHandler icWizardStepEventHandler icWizardStepFinishEventHandler icWizardActionEnableEventHandler icWizardActionExecuteEventHandler icCreateJobsHandler icCreateNoticesHandler icBeforeLookUpEventHandler icAfterLookUpEventHandler icTaskAbortEventHandler icWorkflowBlockActionHandler icDialogDataSetEventHandler icDialogActionHandler icDialogLookUpEventHandler icDialogRequisiteChangeEventHandler icDialogFormEventHandler icDialogValidCloseEventHandler icBlockFormEventHandler icTaskFormEventHandler icReferenceMethod icEDocMethod icDialogMethod icProcessMessageHandler ",Jn="isShow isHide isByUserSettings ",Oa="jkJob jkNotice jkControlJob ",Ai="jtInner jtLeft jtRight jtFull jtCross ",Oo="lbpAbove lbpBelow lbpLeft lbpRight ",ja="eltPerConnection eltPerUser ",ps="sfcUndefined sfcBlack sfcGreen sfcRed sfcBlue sfcOrange sfcLilac ",Pr="sfsItalic sfsStrikeout sfsNormal ",ur="ldctStandardRoute ldctWizard ldctScript ldctFunction ldctRouteBlock ldctIntegratedReport ldctAnalyticReport ldctReferenceType ldctEDocumentType ldctDialog ldctServerEvents ",ii="mrcrtNone mrcrtUser mrcrtMaximal mrcrtCustom ",Gi="vtEqual vtGreaterOrEqual vtLessOrEqual vtRange ",Xa="rdYesterday rdToday rdTomorrow rdThisWeek rdThisMonth rdThisYear rdNextMonth rdNextWeek rdLastWeek rdLastMonth ",ai="rdWindow rdFile rdPrinter ",oi="rdtString rdtNumeric rdtInteger rdtDate rdtReference rdtAccount rdtText rdtPick rdtUnknown rdtLargeInteger rdtDocument ",Ra="reOnChange reOnChangeValues ",aa="ttGlobal ttLocal ttUser ttSystem ",Oi="ssmBrowse ssmSelect ssmMultiSelect ssmBrowseModal ",oa="smSelect smLike smCard ",Ri="stNone stAuthenticating stApproving ",Hi="sctString sctStream ",br="sstAnsiSort sstNaturalSort ",sa="svtEqual svtContain ",Ni="soatString soatNumeric soatInteger soatDatetime soatReferenceRecord soatText soatPick soatBoolean soatEDocument soatAccount soatIntegerCollection soatNumericCollection soatStringCollection soatPickCollection soatDatetimeCollection soatBooleanCollection soatReferenceRecordCollection soatEDocumentCollection soatAccountCollection soatContents soatUnknown ",bn="tarAbortByUser tarAbortByWorkflowException ",Mt="tvtAllWords tvtExactPhrase tvtAnyWord ",Fr="usNone usCompleted usRedSquare usBlueSquare usYellowSquare usGreenSquare usOrangeSquare usPurpleSquare usFollowUp ",Na="utUnknown utUser utDeveloper utAdministrator utSystemDeveloper utDisconnected ",cr="btAnd btDetailAnd btOr btNotOr btOnly ",un="vmView vmSelect vmNavigation ",Br="vsmSingle vsmMultiple vsmMultipleCheck vsmNoSelection ",si="wfatPrevious wfatNext wfatCancel wfatFinish ",Ia="wfepUndefined wfepText3 wfepText6 wfepText9 wfepSpinEdit wfepDropDown wfepRadioGroup wfepFlag wfepText12 wfepText15 wfepText18 wfepText21 wfepText24 wfepText27 wfepText30 wfepRadioGroupColumn1 wfepRadioGroupColumn2 wfepRadioGroupColumn3 ",st="wfetQueryParameter wfetText wfetDelimiter wfetLabel ",Bt="wptString wptInteger wptNumeric wptBoolean wptDateTime wptPick wptText wptUser wptUserList wptEDocumentInfo wptEDocumentInfoList wptReferenceRecordInfo wptReferenceRecordInfoList wptFolderInfo wptTaskInfo wptContents wptFileName wptDate ",qi="wsrComplete wsrGoNext wsrGoPrevious wsrCustom wsrCancel wsrGoFinal ",la="wstForm wstEDocument wstTaskCard wstReferenceRecordCard wstFinal ",Yi="waAll waPerformers waManual ",Wi="wsbStart wsbFinish wsbNotice wsbStep wsbDecision wsbWait wsbMonitor wsbScript wsbConnector wsbSubTask wsbLifeCycleStage wsbPause ",Za="wdtInteger wdtFloat wdtString wdtPick wdtDateTime wdtBoolean wdtTask wdtJob wdtFolder wdtEDocument wdtReferenceRecord wdtUser wdtGroup wdtRole wdtIntegerCollection wdtFloatCollection wdtStringCollection wdtPickCollection wdtDateTimeCollection wdtBooleanCollection wdtTaskCollection wdtJobCollection wdtFolderCollection wdtEDocumentCollection wdtReferenceRecordCollection wdtUserCollection wdtGroupCollection wdtRoleCollection wdtContents wdtUserList wdtSearchDescription wdtDeadLine wdtPickSet wdtAccountCollection ",Ht="wiLow wiNormal wiHigh ",Ro="wrtSoft wrtHard ",No="wsInit wsRunning wsDone wsControlled wsAborted wsContinued ",Da="wtmFull wtmFromCurrent wtmOnlyCurrent ",Cn=rt+bt+dt+ct+Ze+nt+ce+Ee+He+we+ze+pe+Re+Ne+Ie+Ue+Ve+lt+ge+de+be+H+ee+_e+U+Q+he+Le+Xe+je+at+ke+$e+De+pt+_t+wt+Lt+cn+Xt+an+Zt+Sr+Qn+wn+Wn+Jn+Oa+Ai+Oo+ja+ps+Pr+ur+ii+Gi+Xa+ai+oi+Ra+aa+Oi+oa+Ri+Hi+br+sa+Ni+bn+Mt+Fr+Na+cr+un+Br+si+Ia+st+Bt+qi+la+Yi+Wi+Za+Ht+Ro+No+Da,Ja="AddSubString AdjustLineBreaks AmountInWords Analysis ArrayDimCount ArrayHighBound ArrayLowBound ArrayOf ArrayReDim Assert Assigned BeginOfMonth BeginOfPeriod BuildProfilingOperationAnalysis CallProcedure CanReadFile CArrayElement CDataSetRequisite ChangeDate ChangeReferenceDataset Char CharPos CheckParam CheckParamValue CompareStrings ConstantExists ControlState ConvertDateStr Copy CopyFile CreateArray CreateCachedReference CreateConnection CreateDialog CreateDualListDialog CreateEditor CreateException CreateFile CreateFolderDialog CreateInputDialog CreateLinkFile CreateList CreateLock CreateMemoryDataSet CreateObject CreateOpenDialog CreateProgress CreateQuery CreateReference CreateReport CreateSaveDialog CreateScript CreateSQLPivotFunction CreateStringList CreateTreeListSelectDialog CSelectSQL CSQL CSubString CurrentUserID CurrentUserName CurrentVersion DataSetLocateEx DateDiff DateTimeDiff DateToStr DayOfWeek DeleteFile DirectoryExists DisableCheckAccessRights DisableCheckFullShowingRestriction DisableMassTaskSendingRestrictions DropTable DupeString EditText EnableCheckAccessRights EnableCheckFullShowingRestriction EnableMassTaskSendingRestrictions EndOfMonth EndOfPeriod ExceptionExists ExceptionsOff ExceptionsOn Execute ExecuteProcess Exit ExpandEnvironmentVariables ExtractFileDrive ExtractFileExt ExtractFileName ExtractFilePath ExtractParams FileExists FileSize FindFile FindSubString FirmContext ForceDirectories Format FormatDate FormatNumeric FormatSQLDate FormatString FreeException GetComponent GetComponentLaunchParam GetConstant GetLastException GetReferenceRecord GetRefTypeByRefID GetTableID GetTempFolder IfThen In IndexOf InputDialog InputDialogEx InteractiveMode IsFileLocked IsGraphicFile IsNumeric Length LoadString LoadStringFmt LocalTimeToUTC LowerCase Max MessageBox MessageBoxEx MimeDecodeBinary MimeDecodeString MimeEncodeBinary MimeEncodeString Min MoneyInWords MoveFile NewID Now OpenFile Ord Precision Raise ReadCertificateFromFile ReadFile ReferenceCodeByID ReferenceNumber ReferenceRequisiteMode ReferenceRequisiteValue RegionDateSettings RegionNumberSettings RegionTimeSettings RegRead RegWrite RenameFile Replace Round SelectServerCode SelectSQL ServerDateTime SetConstant SetManagedFolderFieldsState ShowConstantsInputDialog ShowMessage Sleep Split SQL SQL2XLSTAB SQLProfilingSendReport StrToDate SubString SubStringCount SystemSetting Time TimeDiff Today Transliterate Trim UpperCase UserStatus UTCToLocalTime ValidateXML VarIsClear VarIsEmpty VarIsNull WorkTimeDiff WriteFile WriteFileEx WriteObjectHistory \u0410\u043D\u0430\u043B\u0438\u0437 \u0411\u0430\u0437\u0430\u0414\u0430\u043D\u043D\u044B\u0445 \u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C \u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C\u0420\u0430\u0441\u0448 \u0411\u043B\u043E\u043A\u0418\u043D\u0444\u043E \u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C \u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C\u0420\u0430\u0441\u0448 \u0411\u043B\u043E\u043A\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0412\u0432\u043E\u0434 \u0412\u0432\u043E\u0434\u041C\u0435\u043D\u044E \u0412\u0435\u0434\u0421 \u0412\u0435\u0434\u0421\u043F\u0440 \u0412\u0435\u0440\u0445\u043D\u044F\u044F\u0413\u0440\u0430\u043D\u0438\u0446\u0430\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u0412\u043D\u0435\u0448\u041F\u0440\u043E\u0433\u0440 \u0412\u043E\u0441\u0441\u0442 \u0412\u0440\u0435\u043C\u0435\u043D\u043D\u0430\u044F\u041F\u0430\u043F\u043A\u0430 \u0412\u0440\u0435\u043C\u044F \u0412\u044B\u0431\u043E\u0440SQL \u0412\u044B\u0431\u0440\u0430\u0442\u044C\u0417\u0430\u043F\u0438\u0441\u044C \u0412\u044B\u0434\u0435\u043B\u0438\u0442\u044C\u0421\u0442\u0440 \u0412\u044B\u0437\u0432\u0430\u0442\u044C \u0412\u044B\u043F\u043E\u043B\u043D\u0438\u0442\u044C \u0412\u044B\u043F\u041F\u0440\u043E\u0433\u0440 \u0413\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043A\u0438\u0439\u0424\u0430\u0439\u043B \u0413\u0440\u0443\u043F\u043F\u0430\u0414\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E \u0414\u0430\u0442\u0430\u0412\u0440\u0435\u043C\u044F\u0421\u0435\u0440\u0432 \u0414\u0435\u043D\u044C\u041D\u0435\u0434\u0435\u043B\u0438 \u0414\u0438\u0430\u043B\u043E\u0433\u0414\u0430\u041D\u0435\u0442 \u0414\u043B\u0438\u043D\u0430\u0421\u0442\u0440 \u0414\u043E\u0431\u041F\u043E\u0434\u0441\u0442\u0440 \u0415\u041F\u0443\u0441\u0442\u043E \u0415\u0441\u043B\u0438\u0422\u043E \u0415\u0427\u0438\u0441\u043B\u043E \u0417\u0430\u043C\u041F\u043E\u0434\u0441\u0442\u0440 \u0417\u0430\u043F\u0438\u0441\u044C\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A\u0430 \u0417\u043D\u0430\u0447\u041F\u043E\u043B\u044F\u0421\u043F\u0440 \u0418\u0414\u0422\u0438\u043F\u0421\u043F\u0440 \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0414\u0438\u0441\u043A \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0418\u043C\u044F\u0424\u0430\u0439\u043B\u0430 \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u041F\u0443\u0442\u044C \u0418\u0437\u0432\u043B\u0435\u0447\u044C\u0420\u0430\u0441\u0448\u0438\u0440\u0435\u043D\u0438\u0435 \u0418\u0437\u043C\u0414\u0430\u0442 \u0418\u0437\u043C\u0435\u043D\u0438\u0442\u044C\u0420\u0430\u0437\u043C\u0435\u0440\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u0418\u0437\u043C\u0435\u0440\u0435\u043D\u0438\u0439\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u0418\u043C\u044F\u041E\u0440\u0433 \u0418\u043C\u044F\u041F\u043E\u043B\u044F\u0421\u043F\u0440 \u0418\u043D\u0434\u0435\u043A\u0441 \u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0417\u0430\u043A\u0440\u044B\u0442\u044C \u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440\u0428\u0430\u0433 \u0418\u043D\u0442\u0435\u0440\u0430\u043A\u0442\u0438\u0432\u043D\u044B\u0439\u0420\u0435\u0436\u0438\u043C \u0418\u0442\u043E\u0433\u0422\u0431\u043B\u0421\u043F\u0440 \u041A\u043E\u0434\u0412\u0438\u0434\u0412\u0435\u0434\u0421\u043F\u0440 \u041A\u043E\u0434\u0412\u0438\u0434\u0421\u043F\u0440\u041F\u043E\u0418\u0414 \u041A\u043E\u0434\u041F\u043EAnalit \u041A\u043E\u0434\u0421\u0438\u043C\u0432\u043E\u043B\u0430 \u041A\u043E\u0434\u0421\u043F\u0440 \u041A\u043E\u043B\u041F\u043E\u0434\u0441\u0442\u0440 \u041A\u043E\u043B\u041F\u0440\u043E\u043F \u041A\u043E\u043D\u041C\u0435\u0441 \u041A\u043E\u043D\u0441\u0442 \u041A\u043E\u043D\u0441\u0442\u0415\u0441\u0442\u044C \u041A\u043E\u043D\u0441\u0442\u0417\u043D\u0430\u0447 \u041A\u043E\u043D\u0422\u0440\u0430\u043D \u041A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C\u0424\u0430\u0439\u043B \u041A\u043E\u043F\u0438\u044F\u0421\u0442\u0440 \u041A\u041F\u0435\u0440\u0438\u043E\u0434 \u041A\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u041C\u0430\u043A\u0441 \u041C\u0430\u043A\u0441\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u041C\u0430\u0441\u0441\u0438\u0432 \u041C\u0435\u043D\u044E \u041C\u0435\u043D\u044E\u0420\u0430\u0441\u0448 \u041C\u0438\u043D \u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445\u041D\u0430\u0439\u0442\u0438\u0420\u0430\u0441\u0448 \u041D\u0430\u0438\u043C\u0412\u0438\u0434\u0421\u043F\u0440 \u041D\u0430\u0438\u043C\u041F\u043EAnalit \u041D\u0430\u0438\u043C\u0421\u043F\u0440 \u041D\u0430\u0441\u0442\u0440\u043E\u0438\u0442\u044C\u041F\u0435\u0440\u0435\u0432\u043E\u0434\u044B\u0421\u0442\u0440\u043E\u043A \u041D\u0430\u0447\u041C\u0435\u0441 \u041D\u0430\u0447\u0422\u0440\u0430\u043D \u041D\u0438\u0436\u043D\u044F\u044F\u0413\u0440\u0430\u043D\u0438\u0446\u0430\u041C\u0430\u0441\u0441\u0438\u0432\u0430 \u041D\u043E\u043C\u0435\u0440\u0421\u043F\u0440 \u041D\u041F\u0435\u0440\u0438\u043E\u0434 \u041E\u043A\u043D\u043E \u041E\u043A\u0440 \u041E\u043A\u0440\u0443\u0436\u0435\u043D\u0438\u0435 \u041E\u0442\u043B\u0418\u043D\u0444\u0414\u043E\u0431\u0430\u0432\u0438\u0442\u044C \u041E\u0442\u043B\u0418\u043D\u0444\u0423\u0434\u0430\u043B\u0438\u0442\u044C \u041E\u0442\u0447\u0435\u0442 \u041E\u0442\u0447\u0435\u0442\u0410\u043D\u0430\u043B \u041E\u0442\u0447\u0435\u0442\u0418\u043D\u0442 \u041F\u0430\u043F\u043A\u0430\u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u0435\u0442 \u041F\u0430\u0443\u0437\u0430 \u041F\u0412\u044B\u0431\u043E\u0440SQL \u041F\u0435\u0440\u0435\u0438\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u044C\u0424\u0430\u0439\u043B \u041F\u0435\u0440\u0435\u043C\u0435\u043D\u043D\u044B\u0435 \u041F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C\u0424\u0430\u0439\u043B \u041F\u043E\u0434\u0441\u0442\u0440 \u041F\u043E\u0438\u0441\u043A\u041F\u043E\u0434\u0441\u0442\u0440 \u041F\u043E\u0438\u0441\u043A\u0421\u0442\u0440 \u041F\u043E\u043B\u0443\u0447\u0438\u0442\u044C\u0418\u0414\u0422\u0430\u0431\u043B\u0438\u0446\u044B \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0414\u043E\u043F\u043E\u043B\u043D\u0438\u0442\u0435\u043B\u044C\u043D\u043E \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0418\u0414 \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0418\u043C\u044F \u041F\u043E\u043B\u044C\u0437\u043E\u0432\u0430\u0442\u0435\u043B\u044C\u0421\u0442\u0430\u0442\u0443\u0441 \u041F\u0440\u0435\u0440\u0432\u0430\u0442\u044C \u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u041F\u0430\u0440\u0430\u043C\u0435\u0442\u0440 \u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u041F\u0430\u0440\u0430\u043C\u0435\u0442\u0440\u0417\u043D\u0430\u0447 \u041F\u0440\u043E\u0432\u0435\u0440\u0438\u0442\u044C\u0423\u0441\u043B\u043E\u0432\u0438\u0435 \u0420\u0430\u0437\u0431\u0421\u0442\u0440 \u0420\u0430\u0437\u043D\u0412\u0440\u0435\u043C\u044F \u0420\u0430\u0437\u043D\u0414\u0430\u0442 \u0420\u0430\u0437\u043D\u0414\u0430\u0442\u0430\u0412\u0440\u0435\u043C\u044F \u0420\u0430\u0437\u043D\u0420\u0430\u0431\u0412\u0440\u0435\u043C\u044F \u0420\u0435\u0433\u0423\u0441\u0442\u0412\u0440\u0435\u043C \u0420\u0435\u0433\u0423\u0441\u0442\u0414\u0430\u0442 \u0420\u0435\u0433\u0423\u0441\u0442\u0427\u0441\u043B \u0420\u0435\u0434\u0422\u0435\u043A\u0441\u0442 \u0420\u0435\u0435\u0441\u0442\u0440\u0417\u0430\u043F\u0438\u0441\u044C \u0420\u0435\u0435\u0441\u0442\u0440\u0421\u043F\u0438\u0441\u043E\u043A\u0418\u043C\u0435\u043D\u041F\u0430\u0440\u0430\u043C \u0420\u0435\u0435\u0441\u0442\u0440\u0427\u0442\u0435\u043D\u0438\u0435 \u0420\u0435\u043A\u0432\u0421\u043F\u0440 \u0420\u0435\u043A\u0432\u0421\u043F\u0440\u041F\u0440 \u0421\u0435\u0433\u043E\u0434\u043D\u044F \u0421\u0435\u0439\u0447\u0430\u0441 \u0421\u0435\u0440\u0432\u0435\u0440 \u0421\u0435\u0440\u0432\u0435\u0440\u041F\u0440\u043E\u0446\u0435\u0441\u0441\u0418\u0414 \u0421\u0435\u0440\u0442\u0438\u0444\u0438\u043A\u0430\u0442\u0424\u0430\u0439\u043B\u0421\u0447\u0438\u0442\u0430\u0442\u044C \u0421\u0436\u041F\u0440\u043E\u0431 \u0421\u0438\u043C\u0432\u043E\u043B \u0421\u0438\u0441\u0442\u0435\u043C\u0430\u0414\u0438\u0440\u0435\u043A\u0442\u0443\u043C\u041A\u043E\u0434 \u0421\u0438\u0441\u0442\u0435\u043C\u0430\u0418\u043D\u0444\u043E\u0440\u043C\u0430\u0446\u0438\u044F \u0421\u0438\u0441\u0442\u0435\u043C\u0430\u041A\u043E\u0434 \u0421\u043E\u0434\u0435\u0440\u0436\u0438\u0442 \u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u0417\u0430\u043A\u0440\u044B\u0442\u044C \u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0412\u044B\u0431\u043E\u0440\u0430\u0418\u0437\u0414\u0432\u0443\u0445\u0421\u043F\u0438\u0441\u043A\u043E\u0432 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0412\u044B\u0431\u043E\u0440\u0430\u041F\u0430\u043F\u043A\u0438 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u041E\u0442\u043A\u0440\u044B\u0442\u0438\u044F\u0424\u0430\u0439\u043B\u0430 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0414\u0438\u0430\u043B\u043E\u0433\u0421\u043E\u0445\u0440\u0430\u043D\u0435\u043D\u0438\u044F\u0424\u0430\u0439\u043B\u0430 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0417\u0430\u043F\u0440\u043E\u0441 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0418\u043D\u0434\u0438\u043A\u0430\u0442\u043E\u0440 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0418\u0441\u043A\u043B\u044E\u0447\u0435\u043D\u0438\u0435 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041A\u044D\u0448\u0438\u0440\u043E\u0432\u0430\u043D\u043D\u044B\u0439\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041C\u0430\u0441\u0441\u0438\u0432 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041E\u0431\u044A\u0435\u043A\u0442 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041E\u0442\u0447\u0435\u0442 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u041F\u0430\u043F\u043A\u0443 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0420\u0435\u0434\u0430\u043A\u0442\u043E\u0440 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043E\u0435\u0434\u0438\u043D\u0435\u043D\u0438\u0435 \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0438\u0441\u043E\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0438\u0441\u043E\u043A\u0421\u0442\u0440\u043E\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \u0421\u043E\u0437\u0434\u0430\u0442\u044C\u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439 \u0421\u043E\u0437\u0434\u0421\u043F\u0440 \u0421\u043E\u0441\u0442\u0421\u043F\u0440 \u0421\u043E\u0445\u0440 \u0421\u043E\u0445\u0440\u0421\u043F\u0440 \u0421\u043F\u0438\u0441\u043E\u043A\u0421\u0438\u0441\u0442\u0435\u043C \u0421\u043F\u0440 \u0421\u043F\u0440\u0430\u0432\u043E\u0447\u043D\u0438\u043A \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0415\u0441\u0442\u044C \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0421\u043D\u044F\u0442\u044C\u0420\u0430\u0441\u0448 \u0421\u043F\u0440\u0411\u043B\u043E\u043A\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0421\u043F\u0440\u0418\u0437\u043C\u041D\u0430\u0431\u0414\u0430\u043D \u0421\u043F\u0440\u041A\u043E\u0434 \u0421\u043F\u0440\u041D\u043E\u043C\u0435\u0440 \u0421\u043F\u0440\u041E\u0431\u043D\u043E\u0432\u0438\u0442\u044C \u0421\u043F\u0440\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0421\u043F\u0440\u041E\u0442\u043C\u0435\u043D\u0438\u0442\u044C \u0421\u043F\u0440\u041F\u0430\u0440\u0430\u043C \u0421\u043F\u0440\u041F\u043E\u043B\u0435\u0417\u043D\u0430\u0447 \u0421\u043F\u0440\u041F\u043E\u043B\u0435\u0418\u043C\u044F \u0421\u043F\u0440\u0420\u0435\u043A\u0432 \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0412\u0432\u0435\u0434\u0417\u043D \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041D\u043E\u0432\u044B\u0435 \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041F\u0440 \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u041F\u0440\u0435\u0434\u0417\u043D \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0420\u0435\u0436\u0438\u043C \u0421\u043F\u0440\u0420\u0435\u043A\u0432\u0422\u0438\u043F\u0422\u0435\u043A\u0441\u0442 \u0421\u043F\u0440\u0421\u043E\u0437\u0434\u0430\u0442\u044C \u0421\u043F\u0440\u0421\u043E\u0441\u0442 \u0421\u043F\u0440\u0421\u043E\u0445\u0440\u0430\u043D\u0438\u0442\u044C \u0421\u043F\u0440\u0422\u0431\u043B\u0418\u0442\u043E\u0433 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041A\u043E\u043B \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041C\u0430\u043A\u0441 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041C\u0438\u043D \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u041F\u0440\u0435\u0434 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0421\u043B\u0435\u0434 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0421\u043E\u0437\u0434 \u0421\u043F\u0440\u0422\u0431\u043B\u0421\u0442\u0440\u0423\u0434 \u0421\u043F\u0440\u0422\u0435\u043A\u041F\u0440\u0435\u0434\u0441\u0442 \u0421\u043F\u0440\u0423\u0434\u0430\u043B\u0438\u0442\u044C \u0421\u0440\u0430\u0432\u043D\u0438\u0442\u044C\u0421\u0442\u0440 \u0421\u0442\u0440\u0412\u0435\u0440\u0445\u0420\u0435\u0433\u0438\u0441\u0442\u0440 \u0421\u0442\u0440\u041D\u0438\u0436\u043D\u0420\u0435\u0433\u0438\u0441\u0442\u0440 \u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u0421\u0443\u043C\u041F\u0440\u043E\u043F \u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439 \u0421\u0446\u0435\u043D\u0430\u0440\u0438\u0439\u041F\u0430\u0440\u0430\u043C \u0422\u0435\u043A\u0412\u0435\u0440\u0441\u0438\u044F \u0422\u0435\u043A\u041E\u0440\u0433 \u0422\u043E\u0447\u043D \u0422\u0440\u0430\u043D \u0422\u0440\u0430\u043D\u0441\u043B\u0438\u0442\u0435\u0440\u0430\u0446\u0438\u044F \u0423\u0434\u0430\u043B\u0438\u0442\u044C\u0422\u0430\u0431\u043B\u0438\u0446\u0443 \u0423\u0434\u0430\u043B\u0438\u0442\u044C\u0424\u0430\u0439\u043B \u0423\u0434\u0421\u043F\u0440 \u0423\u0434\u0421\u0442\u0440\u0422\u0431\u043B\u0421\u043F\u0440 \u0423\u0441\u0442 \u0423\u0441\u0442\u0430\u043D\u043E\u0432\u043A\u0438\u041A\u043E\u043D\u0441\u0442\u0430\u043D\u0442 \u0424\u0430\u0439\u043B\u0410\u0442\u0440\u0438\u0431\u0443\u0442\u0421\u0447\u0438\u0442\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0410\u0442\u0440\u0438\u0431\u0443\u0442\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0424\u0430\u0439\u043B\u0412\u0440\u0435\u043C\u044F \u0424\u0430\u0439\u043B\u0412\u0440\u0435\u043C\u044F\u0423\u0441\u0442\u0430\u043D\u043E\u0432\u0438\u0442\u044C \u0424\u0430\u0439\u043B\u0412\u044B\u0431\u0440\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0417\u0430\u043D\u044F\u0442 \u0424\u0430\u0439\u043B\u0417\u0430\u043F\u0438\u0441\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0418\u0441\u043A\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041A\u043E\u043F\u0438\u0440\u043E\u0432\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041C\u043E\u0436\u043D\u043E\u0427\u0438\u0442\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041E\u0442\u043A\u0440\u044B\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u0438\u043C\u0435\u043D\u043E\u0432\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u043A\u043E\u0434\u0438\u0440\u043E\u0432\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0435\u0440\u0435\u043C\u0435\u0441\u0442\u0438\u0442\u044C \u0424\u0430\u0439\u043B\u041F\u0440\u043E\u0441\u043C\u043E\u0442\u0440\u0435\u0442\u044C \u0424\u0430\u0439\u043B\u0420\u0430\u0437\u043C\u0435\u0440 \u0424\u0430\u0439\u043B\u0421\u043E\u0437\u0434\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0421\u0441\u044B\u043B\u043A\u0430\u0421\u043E\u0437\u0434\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0421\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u0435\u0442 \u0424\u0430\u0439\u043B\u0421\u0447\u0438\u0442\u0430\u0442\u044C \u0424\u0430\u0439\u043B\u0423\u0434\u0430\u043B\u0438\u0442\u044C \u0424\u043C\u0442SQL\u0414\u0430\u0442 \u0424\u043C\u0442\u0414\u0430\u0442 \u0424\u043C\u0442\u0421\u0442\u0440 \u0424\u043C\u0442\u0427\u0441\u043B \u0424\u043E\u0440\u043C\u0430\u0442 \u0426\u041C\u0430\u0441\u0441\u0438\u0432\u042D\u043B\u0435\u043C\u0435\u043D\u0442 \u0426\u041D\u0430\u0431\u043E\u0440\u0414\u0430\u043D\u043D\u044B\u0445\u0420\u0435\u043A\u0432\u0438\u0437\u0438\u0442 \u0426\u041F\u043E\u0434\u0441\u0442\u0440 ",Vi="AltState Application CallType ComponentTokens CreatedJobs CreatedNotices ControlState DialogResult Dialogs EDocuments EDocumentVersionSource Folders GlobalIDs Job Jobs InputValue LookUpReference LookUpRequisiteNames LookUpSearch Object ParentComponent Processes References Requisite ReportName Reports Result Scripts Searches SelectedAttachments SelectedItems SelectMode Sender ServerEvents ServiceFactory ShiftState SubTask SystemDialogs Tasks Wizard Wizards Work \u0412\u044B\u0437\u043E\u0432\u0421\u043F\u043E\u0441\u043E\u0431 \u0418\u043C\u044F\u041E\u0442\u0447\u0435\u0442\u0430 \u0420\u0435\u043A\u0432\u0417\u043D\u0430\u0447 ",zi="IApplication IAccessRights IAccountRepository IAccountSelectionRestrictions IAction IActionList IAdministrationHistoryDescription IAnchors IApplication IArchiveInfo IAttachment IAttachmentList ICheckListBox ICheckPointedList IColumn IComponent IComponentDescription IComponentToken IComponentTokenFactory IComponentTokenInfo ICompRecordInfo IConnection IContents IControl IControlJob IControlJobInfo IControlList ICrypto ICrypto2 ICustomJob ICustomJobInfo ICustomListBox ICustomObjectWizardStep ICustomWork ICustomWorkInfo IDataSet IDataSetAccessInfo IDataSigner IDateCriterion IDateRequisite IDateRequisiteDescription IDateValue IDeaAccessRights IDeaObjectInfo IDevelopmentComponentLock IDialog IDialogFactory IDialogPickRequisiteItems IDialogsFactory IDICSFactory IDocRequisite IDocumentInfo IDualListDialog IECertificate IECertificateInfo IECertificates IEditControl IEditorForm IEdmsExplorer IEdmsObject IEdmsObjectDescription IEdmsObjectFactory IEdmsObjectInfo IEDocument IEDocumentAccessRights IEDocumentDescription IEDocumentEditor IEDocumentFactory IEDocumentInfo IEDocumentStorage IEDocumentVersion IEDocumentVersionListDialog IEDocumentVersionSource IEDocumentWizardStep IEDocVerSignature IEDocVersionState IEnabledMode IEncodeProvider IEncrypter IEvent IEventList IException IExternalEvents IExternalHandler IFactory IField IFileDialog IFolder IFolderDescription IFolderDialog IFolderFactory IFolderInfo IForEach IForm IFormTitle IFormWizardStep IGlobalIDFactory IGlobalIDInfo IGrid IHasher IHistoryDescription IHyperLinkControl IImageButton IImageControl IInnerPanel IInplaceHint IIntegerCriterion IIntegerList IIntegerRequisite IIntegerValue IISBLEditorForm IJob IJobDescription IJobFactory IJobForm IJobInfo ILabelControl ILargeIntegerCriterion ILargeIntegerRequisite ILargeIntegerValue ILicenseInfo ILifeCycleStage IList IListBox ILocalIDInfo ILocalization ILock IMemoryDataSet IMessagingFactory IMetadataRepository INotice INoticeInfo INumericCriterion INumericRequisite INumericValue IObject IObjectDescription IObjectImporter IObjectInfo IObserver IPanelGroup IPickCriterion IPickProperty IPickRequisite IPickRequisiteDescription IPickRequisiteItem IPickRequisiteItems IPickValue IPrivilege IPrivilegeList IProcess IProcessFactory IProcessMessage IProgress IProperty IPropertyChangeEvent IQuery IReference IReferenceCriterion IReferenceEnabledMode IReferenceFactory IReferenceHistoryDescription IReferenceInfo IReferenceRecordCardWizardStep IReferenceRequisiteDescription IReferencesFactory IReferenceValue IRefRequisite IReport IReportFactory IRequisite IRequisiteDescription IRequisiteDescriptionList IRequisiteFactory IRichEdit IRouteStep IRule IRuleList ISchemeBlock IScript IScriptFactory ISearchCriteria ISearchCriterion ISearchDescription ISearchFactory ISearchFolderInfo ISearchForObjectDescription ISearchResultRestrictions ISecuredContext ISelectDialog IServerEvent IServerEventFactory IServiceDialog IServiceFactory ISignature ISignProvider ISignProvider2 ISignProvider3 ISimpleCriterion IStringCriterion IStringList IStringRequisite IStringRequisiteDescription IStringValue ISystemDialogsFactory ISystemInfo ITabSheet ITask ITaskAbortReasonInfo ITaskCardWizardStep ITaskDescription ITaskFactory ITaskInfo ITaskRoute ITextCriterion ITextRequisite ITextValue ITreeListSelectDialog IUser IUserList IValue IView IWebBrowserControl IWizard IWizardAction IWizardFactory IWizardFormElement IWizardParam IWizardPickParam IWizardReferenceParam IWizardStep IWorkAccessRights IWorkDescription IWorkflowAskableParam IWorkflowAskableParams IWorkflowBlock IWorkflowBlockResult IWorkflowEnabledMode IWorkflowParam IWorkflowPickParam IWorkflowReferenceParam IWorkState IWorkTreeCustomNode IWorkTreeJobNode IWorkTreeTaskNode IXMLEditorForm SBCrypto ",ua=tt+Cn,Ur=Vi,vr="null true false nil ",ca={className:"number",begin:t.NUMBER_RE,relevance:0},eo={className:"string",variants:[{begin:'"',end:'"'},{begin:"'",end:"'"}]},Ii={className:"doctag",begin:"\\b(?:TODO|DONE|BEGIN|END|STUB|CHG|FIXME|NOTE|BUG|XXX)\\b",relevance:0},to={className:"comment",begin:"//",end:"$",relevance:0,contains:[t.PHRASAL_WORDS_MODE,Ii]},no={className:"comment",begin:"/\\*",end:"\\*/",relevance:0,contains:[t.PHRASAL_WORDS_MODE,Ii]},ro={variants:[to,no]},Ki={$pattern:n,keyword:a,built_in:ua,class:Ur,literal:vr},Tr={begin:"\\.\\s*"+t.UNDERSCORE_IDENT_RE,keywords:Ki,relevance:0},io={className:"type",begin:":[ \\t]*("+zi.trim().replace(/\s/g,"|")+")",end:"[ \\t]*=",excludeEnd:!0},Io={className:"variable",keywords:Ki,begin:n,relevance:0,contains:[io,Tr]},da=r+"\\(";return{name:"ISBL",case_insensitive:!0,keywords:Ki,illegal:"\\$|\\?|%|,|;$|~|#|@|</",contains:[{className:"function",begin:da,end:"\\)$",returnBegin:!0,keywords:Ki,illegal:"[\\[\\]\\|\\$\\?%,~#@]",contains:[{className:"title",keywords:{$pattern:n,built_in:Ja},begin:da,end:"\\(",returnBegin:!0,excludeEnd:!0},Tr,Io,eo,ca,ro]},io,Tr,Io,eo,ca,ro]}}return $_=e,$_}var Q_,KT;function rk(){if(KT)return Q_;KT=1;var e="[0-9](_*[0-9])*",t=`\\.(${e})`,n="[0-9a-fA-F](_*[0-9a-fA-F])*",r={className:"number",variants:[{begin:`(\\b(${e})((${t})|\\.)?|(${t}))[eE][+-]?(${e})[fFdD]?\\b`},{begin:`\\b(${e})((${t})[fFdD]?\\b|\\.([fFdD]\\b)?)`},{begin:`(${t})[fFdD]?\\b`},{begin:`\\b(${e})[fFdD]\\b`},{begin:`\\b0[xX]((${n})\\.?|(${n})?\\.(${n}))[pP][+-]?(${e})[fFdD]?\\b`},{begin:"\\b(0|[1-9](_*[0-9])*)[lL]?\\b"},{begin:`\\b0[xX](${n})[lL]?\\b`},{begin:"\\b0(_*[0-7])*[lL]?\\b"},{begin:"\\b0[bB][01](_*[01])*[lL]?\\b"}],relevance:0};function a(l,u,c){return c===-1?"":l.replace(u,d=>a(l,u,c-1))}function o(l){const u=l.regex,c="[\xC0-\u02B8a-zA-Z_$][\xC0-\u02B8a-zA-Z_$0-9]*",d=c+a("(?:<"+c+"~~~(?:\\s*,\\s*"+c+"~~~)*>)?",/~~~/g,2),y={keyword:["synchronized","abstract","private","var","static","if","const ","for","while","strictfp","finally","protected","import","native","final","void","enum","else","break","transient","catch","instanceof","volatile","case","assert","package","default","public","try","switch","continue","throws","protected","public","private","module","requires","exports","do","sealed","yield","permits"],literal:["false","true","null"],type:["char","boolean","long","float","int","byte","short","double"],built_in:["super","this"]},M={className:"meta",begin:"@"+c,contains:[{begin:/\(/,end:/\)/,contains:["self"]}]},v={className:"params",begin:/\(/,end:/\)/,keywords:y,relevance:0,contains:[l.C_BLOCK_COMMENT_MODE],endsParent:!0};return{name:"Java",aliases:["jsp"],keywords:y,illegal:/<\/|#/,contains:[l.COMMENT("/\\*\\*","\\*/",{relevance:0,contains:[{begin:/\w+@/,relevance:0},{className:"doctag",begin:"@[A-Za-z]+"}]}),{begin:/import java\.[a-z]+\./,keywords:"import",relevance:2},l.C_LINE_COMMENT_MODE,l.C_BLOCK_COMMENT_MODE,{begin:/"""/,end:/"""/,className:"string",contains:[l.BACKSLASH_ESCAPE]},l.APOS_STRING_MODE,l.QUOTE_STRING_MODE,{match:[/\b(?:class|interface|enum|extends|implements|new)/,/\s+/,c],className:{1:"keyword",3:"title.class"}},{match:/non-sealed/,scope:"keyword"},{begin:[u.concat(/(?!else)/,c),/\s+/,c,/\s+/,/=(?!=)/],className:{1:"type",3:"variable",5:"operator"}},{begin:[/record/,/\s+/,c],className:{1:"keyword",3:"title.class"},contains:[v,l.C_LINE_COMMENT_MODE,l.C_BLOCK_COMMENT_MODE]},{beginKeywords:"new throw return else",relevance:0},{begin:["(?:"+d+"\\s+)",l.UNDERSCORE_IDENT_RE,/\s*(?=\()/],className:{2:"title.function"},keywords:y,contains:[{className:"params",begin:/\(/,end:/\)/,keywords:y,relevance:0,contains:[M,l.APOS_STRING_MODE,l.QUOTE_STRING_MODE,r,l.C_BLOCK_COMMENT_MODE]},l.C_LINE_COMMENT_MODE,l.C_BLOCK_COMMENT_MODE]},r,M]}}return Q_=o,Q_}var j_,$T;function ik(){if($T)return j_;$T=1;const e="[A-Za-z$_][0-9A-Za-z$_]*",t=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],n=["true","false","null","undefined","NaN","Infinity"],r=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],a=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],o=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],l=["arguments","this","super","console","window","document","localStorage","sessionStorage","module","global"],u=[].concat(o,r,a);function c(d){const S=d.regex,_=(bt,{after:dt})=>{const ct="</"+bt[0].slice(1);return bt.input.indexOf(ct,dt)!==-1},E=e,T={begin:"<>",end:"</>"},y=/<[A-Za-z0-9\\._:-]+\s*\/>/,M={begin:/<[A-Za-z0-9\\._:-]+/,end:/\/[A-Za-z0-9\\._:-]+>|\/>/,isTrulyOpeningTag:(bt,dt)=>{const ct=bt[0].length+bt.index,Ze=bt.input[ct];if(Ze==="<"||Ze===","){dt.ignoreMatch();return}Ze===">"&&(_(bt,{after:ct})||dt.ignoreMatch());let nt;const ce=bt.input.substring(ct);if(nt=ce.match(/^\s*=/)){dt.ignoreMatch();return}if((nt=ce.match(/^\s+extends\s+/))&&nt.index===0){dt.ignoreMatch();return}}},v={$pattern:e,keyword:t,literal:n,built_in:u,"variable.language":l},A="[0-9](_?[0-9])*",O=`\\.(${A})`,N="0|[1-9](_?[0-9])*|0[0-7]*[89][0-9]*",R={className:"number",variants:[{begin:`(\\b(${N})((${O})|\\.)?|(${O}))[eE][+-]?(${A})\\b`},{begin:`\\b(${N})\\b((${O})\\b|\\.)?|(${O})\\b`},{begin:"\\b(0|[1-9](_?[0-9])*)n\\b"},{begin:"\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*n?\\b"},{begin:"\\b0[bB][0-1](_?[0-1])*n?\\b"},{begin:"\\b0[oO][0-7](_?[0-7])*n?\\b"},{begin:"\\b0[0-7]+n?\\b"}],relevance:0},L={className:"subst",begin:"\\$\\{",end:"\\}",keywords:v,contains:[]},I={begin:"html`",end:"",starts:{end:"`",returnEnd:!1,contains:[d.BACKSLASH_ESCAPE,L],subLanguage:"xml"}},h={begin:"css`",end:"",starts:{end:"`",returnEnd:!1,contains:[d.BACKSLASH_ESCAPE,L],subLanguage:"css"}},k={begin:"gql`",end:"",starts:{end:"`",returnEnd:!1,contains:[d.BACKSLASH_ESCAPE,L],subLanguage:"graphql"}},F={className:"string",begin:"`",end:"`",contains:[d.BACKSLASH_ESCAPE,L]},K={className:"comment",variants:[d.COMMENT(/\/\*\*(?!\/)/,"\\*/",{relevance:0,contains:[{begin:"(?=@[A-Za-z]+)",relevance:0,contains:[{className:"doctag",begin:"@[A-Za-z]+"},{className:"type",begin:"\\{",end:"\\}",excludeEnd:!0,excludeBegin:!0,relevance:0},{className:"variable",begin:E+"(?=\\s*(-)|$)",endsParent:!0,relevance:0},{begin:/(?=[^\n])\s/,relevance:0}]}]}),d.C_BLOCK_COMMENT_MODE,d.C_LINE_COMMENT_MODE]},ue=[d.APOS_STRING_MODE,d.QUOTE_STRING_MODE,I,h,k,F,{match:/\$\d+/},R];L.contains=ue.concat({begin:/\{/,end:/\}/,keywords:v,contains:["self"].concat(ue)});const Z=[].concat(K,L.contains),fe=Z.concat([{begin:/\(/,end:/\)/,keywords:v,contains:["self"].concat(Z)}]),V={className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:v,contains:fe},ne={variants:[{match:[/class/,/\s+/,E,/\s+/,/extends/,/\s+/,S.concat(E,"(",S.concat(/\./,E),")*")],scope:{1:"keyword",3:"title.class",5:"keyword",7:"title.class.inherited"}},{match:[/class/,/\s+/,E],scope:{1:"keyword",3:"title.class"}}]},te={relevance:0,match:S.either(/\bJSON/,/\b[A-Z][a-z]+([A-Z][a-z]*|\d)*/,/\b[A-Z]{2,}([A-Z][a-z]+|\d)+([A-Z][a-z]*)*/,/\b[A-Z]{2,}[a-z]+([A-Z][a-z]+|\d)*([A-Z][a-z]*)*/),className:"title.class",keywords:{_:[...r,...a]}},G={label:"use_strict",className:"meta",relevance:10,begin:/^\s*['"]use (strict|asm)['"]/},se={variants:[{match:[/function/,/\s+/,E,/(?=\s*\()/]},{match:[/function/,/\s*(?=\()/]}],className:{1:"keyword",3:"title.function"},label:"func.def",contains:[V],illegal:/%/},ve={relevance:0,match:/\b[A-Z][A-Z_0-9]+\b/,className:"variable.constant"};function Ge(bt){return S.concat("(?!",bt.join("|"),")")}const oe={match:S.concat(/\b/,Ge([...o,"super","import"]),E,S.lookahead(/\(/)),className:"title.function",relevance:0},W={begin:S.concat(/\./,S.lookahead(S.concat(E,/(?![0-9A-Za-z$_(])/))),end:E,excludeBegin:!0,keywords:"prototype",className:"property",relevance:0},Oe={match:[/get|set/,/\s+/,E,/(?=\()/],className:{1:"keyword",3:"title.function"},contains:[{begin:/\(\)/},V]},tt="(\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)|"+d.UNDERSCORE_IDENT_RE+")\\s*=>",rt={match:[/const|var|let/,/\s+/,E,/\s*/,/=\s*/,/(async\s*)?/,S.lookahead(tt)],keywords:"async",className:{1:"keyword",3:"title.function"},contains:[V]};return{name:"JavaScript",aliases:["js","jsx","mjs","cjs"],keywords:v,exports:{PARAMS_CONTAINS:fe,CLASS_REFERENCE:te},illegal:/#(?![$_A-z])/,contains:[d.SHEBANG({label:"shebang",binary:"node",relevance:5}),G,d.APOS_STRING_MODE,d.QUOTE_STRING_MODE,I,h,k,F,K,{match:/\$\d+/},R,te,{className:"attr",begin:E+S.lookahead(":"),relevance:0},rt,{begin:"("+d.RE_STARTERS_RE+"|\\b(case|return|throw)\\b)\\s*",keywords:"return throw case",relevance:0,contains:[K,d.REGEXP_MODE,{className:"function",begin:tt,returnBegin:!0,end:"\\s*=>",contains:[{className:"params",variants:[{begin:d.UNDERSCORE_IDENT_RE,relevance:0},{className:null,begin:/\(\s*\)/,skip:!0},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:v,contains:fe}]}]},{begin:/,/,relevance:0},{match:/\s+/,relevance:0},{variants:[{begin:T.begin,end:T.end},{match:y},{begin:M.begin,"on:begin":M.isTrulyOpeningTag,end:M.end}],subLanguage:"xml",contains:[{begin:M.begin,end:M.end,skip:!0,contains:["self"]}]}]},se,{beginKeywords:"while if switch catch for"},{begin:"\\b(?!function)"+d.UNDERSCORE_IDENT_RE+"\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)\\s*\\{",returnBegin:!0,label:"func.def",contains:[V,d.inherit(d.TITLE_MODE,{begin:E,className:"title.function"})]},{match:/\.\.\./,relevance:0},W,{match:"\\$"+E,relevance:0},{match:[/\bconstructor(?=\s*\()/],className:{1:"title.function"},contains:[V]},oe,ve,ne,Oe,{match:/\$[(.]/}]}}return j_=c,j_}var X_,QT;function ak(){if(QT)return X_;QT=1;function e(t){const r={className:"params",begin:/\(/,end:/\)/,contains:[{begin:/[\w-]+ *=/,returnBegin:!0,relevance:0,contains:[{className:"attr",begin:/[\w-]+/}]}],relevance:0},a={className:"function",begin:/:[\w\-.]+/,relevance:0},o={className:"string",begin:/\B([\/.])[\w\-.\/=]+/},l={className:"params",begin:/--[\w\-=\/]+/};return{name:"JBoss CLI",aliases:["wildfly-cli"],keywords:{$pattern:"[a-z-]+",keyword:"alias batch cd clear command connect connection-factory connection-info data-source deploy deployment-info deployment-overlay echo echo-dmr help history if jdbc-driver-info jms-queue|20 jms-topic|20 ls patch pwd quit read-attribute read-operation reload rollout-plan run-batch set shutdown try unalias undeploy unset version xa-data-source",literal:"true false"},contains:[t.HASH_COMMENT_MODE,t.QUOTE_STRING_MODE,l,a,o,r]}}return X_=e,X_}var Z_,jT;function ok(){if(jT)return Z_;jT=1;function e(t){const n={className:"attr",begin:/"(\\.|[^\\"\r\n])*"(?=\s*:)/,relevance:1.01},r={match:/[{}[\],:]/,className:"punctuation",relevance:0},a=["true","false","null"],o={scope:"literal",beginKeywords:a.join(" ")};return{name:"JSON",keywords:{literal:a},contains:[n,r,t.QUOTE_STRING_MODE,o,t.C_NUMBER_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE],illegal:"\\S"}}return Z_=e,Z_}var J_,XT;function sk(){if(XT)return J_;XT=1;function e(t){const n="[A-Za-z_\\u00A1-\\uFFFF][A-Za-z_0-9\\u00A1-\\uFFFF]*",l={$pattern:n,keyword:["baremodule","begin","break","catch","ccall","const","continue","do","else","elseif","end","export","false","finally","for","function","global","if","import","in","isa","let","local","macro","module","quote","return","true","try","using","where","while"],literal:["ARGS","C_NULL","DEPOT_PATH","ENDIAN_BOM","ENV","Inf","Inf16","Inf32","Inf64","InsertionSort","LOAD_PATH","MergeSort","NaN","NaN16","NaN32","NaN64","PROGRAM_FILE","QuickSort","RoundDown","RoundFromZero","RoundNearest","RoundNearestTiesAway","RoundNearestTiesUp","RoundToZero","RoundUp","VERSION|0","devnull","false","im","missing","nothing","pi","stderr","stdin","stdout","true","undef","\u03C0","\u212F"],built_in:["AbstractArray","AbstractChannel","AbstractChar","AbstractDict","AbstractDisplay","AbstractFloat","AbstractIrrational","AbstractMatrix","AbstractRange","AbstractSet","AbstractString","AbstractUnitRange","AbstractVecOrMat","AbstractVector","Any","ArgumentError","Array","AssertionError","BigFloat","BigInt","BitArray","BitMatrix","BitSet","BitVector","Bool","BoundsError","CapturedException","CartesianIndex","CartesianIndices","Cchar","Cdouble","Cfloat","Channel","Char","Cint","Cintmax_t","Clong","Clonglong","Cmd","Colon","Complex","ComplexF16","ComplexF32","ComplexF64","CompositeException","Condition","Cptrdiff_t","Cshort","Csize_t","Cssize_t","Cstring","Cuchar","Cuint","Cuintmax_t","Culong","Culonglong","Cushort","Cvoid","Cwchar_t","Cwstring","DataType","DenseArray","DenseMatrix","DenseVecOrMat","DenseVector","Dict","DimensionMismatch","Dims","DivideError","DomainError","EOFError","Enum","ErrorException","Exception","ExponentialBackOff","Expr","Float16","Float32","Float64","Function","GlobalRef","HTML","IO","IOBuffer","IOContext","IOStream","IdDict","IndexCartesian","IndexLinear","IndexStyle","InexactError","InitError","Int","Int128","Int16","Int32","Int64","Int8","Integer","InterruptException","InvalidStateException","Irrational","KeyError","LinRange","LineNumberNode","LinearIndices","LoadError","MIME","Matrix","Method","MethodError","Missing","MissingException","Module","NTuple","NamedTuple","Nothing","Number","OrdinalRange","OutOfMemoryError","OverflowError","Pair","PartialQuickSort","PermutedDimsArray","Pipe","ProcessFailedException","Ptr","QuoteNode","Rational","RawFD","ReadOnlyMemoryError","Real","ReentrantLock","Ref","Regex","RegexMatch","RoundingMode","SegmentationFault","Set","Signed","Some","StackOverflowError","StepRange","StepRangeLen","StridedArray","StridedMatrix","StridedVecOrMat","StridedVector","String","StringIndexError","SubArray","SubString","SubstitutionString","Symbol","SystemError","Task","TaskFailedException","Text","TextDisplay","Timer","Tuple","Type","TypeError","TypeVar","UInt","UInt128","UInt16","UInt32","UInt64","UInt8","UndefInitializer","UndefKeywordError","UndefRefError","UndefVarError","Union","UnionAll","UnitRange","Unsigned","Val","Vararg","VecElement","VecOrMat","Vector","VersionNumber","WeakKeyDict","WeakRef"]},u={keywords:l,illegal:/<\//},c={className:"number",begin:/(\b0x[\d_]*(\.[\d_]*)?|0x\.\d[\d_]*)p[-+]?\d+|\b0[box][a-fA-F0-9][a-fA-F0-9_]*|(\b\d[\d_]*(\.[\d_]*)?|\.\d[\d_]*)([eEfF][-+]?\d+)?/,relevance:0},d={className:"string",begin:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},S={className:"subst",begin:/\$\(/,end:/\)/,keywords:l},_={className:"variable",begin:"\\$"+n},E={className:"string",contains:[t.BACKSLASH_ESCAPE,S,_],variants:[{begin:/\w*"""/,end:/"""\w*/,relevance:10},{begin:/\w*"/,end:/"\w*/}]},T={className:"string",contains:[t.BACKSLASH_ESCAPE,S,_],begin:"`",end:"`"},y={className:"meta",begin:"@"+n},M={className:"comment",variants:[{begin:"#=",end:"=#",relevance:10},{begin:"#",end:"$"}]};return u.name="Julia",u.contains=[c,d,E,T,y,M,t.HASH_COMMENT_MODE,{className:"keyword",begin:"\\b(((abstract|primitive)\\s+)type|(mutable\\s+)?struct)\\b"},{begin:/<:/}],S.contains=u.contains,u}return J_=e,J_}var em,ZT;function lk(){if(ZT)return em;ZT=1;function e(t){return{name:"Julia REPL",contains:[{className:"meta.prompt",begin:/^julia>/,relevance:10,starts:{end:/^(?![ ]{6})/,subLanguage:"julia"}}],aliases:["jldoctest"]}}return em=e,em}var tm,JT;function uk(){if(JT)return tm;JT=1;var e="[0-9](_*[0-9])*",t=`\\.(${e})`,n="[0-9a-fA-F](_*[0-9a-fA-F])*",r={className:"number",variants:[{begin:`(\\b(${e})((${t})|\\.)?|(${t}))[eE][+-]?(${e})[fFdD]?\\b`},{begin:`\\b(${e})((${t})[fFdD]?\\b|\\.([fFdD]\\b)?)`},{begin:`(${t})[fFdD]?\\b`},{begin:`\\b(${e})[fFdD]\\b`},{begin:`\\b0[xX]((${n})\\.?|(${n})?\\.(${n}))[pP][+-]?(${e})[fFdD]?\\b`},{begin:"\\b(0|[1-9](_*[0-9])*)[lL]?\\b"},{begin:`\\b0[xX](${n})[lL]?\\b`},{begin:"\\b0(_*[0-7])*[lL]?\\b"},{begin:"\\b0[bB][01](_*[01])*[lL]?\\b"}],relevance:0};function a(o){const l={keyword:"abstract as val var vararg get set class object open private protected public noinline crossinline dynamic final enum if else do while for when throw try catch finally import package is in fun override companion reified inline lateinit init interface annotation data sealed internal infix operator out by constructor super tailrec where const inner suspend typealias external expect actual",built_in:"Byte Short Char Int Long Boolean Float Double Void Unit Nothing",literal:"true false null"},u={className:"keyword",begin:/\b(break|continue|return|this)\b/,starts:{contains:[{className:"symbol",begin:/@\w+/}]}},c={className:"symbol",begin:o.UNDERSCORE_IDENT_RE+"@"},d={className:"subst",begin:/\$\{/,end:/\}/,contains:[o.C_NUMBER_MODE]},S={className:"variable",begin:"\\$"+o.UNDERSCORE_IDENT_RE},_={className:"string",variants:[{begin:'"""',end:'"""(?=[^"])',contains:[S,d]},{begin:"'",end:"'",illegal:/\n/,contains:[o.BACKSLASH_ESCAPE]},{begin:'"',end:'"',illegal:/\n/,contains:[o.BACKSLASH_ESCAPE,S,d]}]};d.contains.push(_);const E={className:"meta",begin:"@(?:file|property|field|get|set|receiver|param|setparam|delegate)\\s*:(?:\\s*"+o.UNDERSCORE_IDENT_RE+")?"},T={className:"meta",begin:"@"+o.UNDERSCORE_IDENT_RE,contains:[{begin:/\(/,end:/\)/,contains:[o.inherit(_,{className:"string"}),"self"]}]},y=r,M=o.COMMENT("/\\*","\\*/",{contains:[o.C_BLOCK_COMMENT_MODE]}),v={variants:[{className:"type",begin:o.UNDERSCORE_IDENT_RE},{begin:/\(/,end:/\)/,contains:[]}]},A=v;return A.variants[1].contains=[v],v.variants[1].contains=[A],{name:"Kotlin",aliases:["kt","kts"],keywords:l,contains:[o.COMMENT("/\\*\\*","\\*/",{relevance:0,contains:[{className:"doctag",begin:"@[A-Za-z]+"}]}),o.C_LINE_COMMENT_MODE,M,u,c,E,T,{className:"function",beginKeywords:"fun",end:"[(]|$",returnBegin:!0,excludeEnd:!0,keywords:l,relevance:5,contains:[{begin:o.UNDERSCORE_IDENT_RE+"\\s*\\(",returnBegin:!0,relevance:0,contains:[o.UNDERSCORE_TITLE_MODE]},{className:"type",begin:/</,end:/>/,keywords:"reified",relevance:0},{className:"params",begin:/\(/,end:/\)/,endsParent:!0,keywords:l,relevance:0,contains:[{begin:/:/,end:/[=,\/]/,endsWithParent:!0,contains:[v,o.C_LINE_COMMENT_MODE,M],relevance:0},o.C_LINE_COMMENT_MODE,M,E,T,_,o.C_NUMBER_MODE]},M]},{begin:[/class|interface|trait/,/\s+/,o.UNDERSCORE_IDENT_RE],beginScope:{3:"title.class"},keywords:"class interface trait",end:/[:\{(]|$/,excludeEnd:!0,illegal:"extends implements",contains:[{beginKeywords:"public protected internal private constructor"},o.UNDERSCORE_TITLE_MODE,{className:"type",begin:/</,end:/>/,excludeBegin:!0,excludeEnd:!0,relevance:0},{className:"type",begin:/[,:]\s*/,end:/[<\(,){\s]|$/,excludeBegin:!0,returnEnd:!0},E,T]},_,{className:"meta",begin:"^#!/usr/bin/env",end:"$",illegal:`
+`},y]}}return tm=a,tm}var nm,ey;function ck(){if(ey)return nm;ey=1;function e(t){const n="[a-zA-Z_][\\w.]*",r="<\\?(lasso(script)?|=)",a="\\]|\\?>",o={$pattern:n+"|&[lg]t;",literal:"true false none minimal full all void and or not bw nbw ew new cn ncn lt lte gt gte eq neq rx nrx ft",built_in:"array date decimal duration integer map pair string tag xml null boolean bytes keyword list locale queue set stack staticarray local var variable global data self inherited currentcapture givenblock",keyword:"cache database_names database_schemanames database_tablenames define_tag define_type email_batch encode_set html_comment handle handle_error header if inline iterate ljax_target link link_currentaction link_currentgroup link_currentrecord link_detail link_firstgroup link_firstrecord link_lastgroup link_lastrecord link_nextgroup link_nextrecord link_prevgroup link_prevrecord log loop namespace_using output_none portal private protect records referer referrer repeating resultset rows search_args search_arguments select sort_args sort_arguments thread_atomic value_list while abort case else fail_if fail_ifnot fail if_empty if_false if_null if_true loop_abort loop_continue loop_count params params_up return return_value run_children soap_definetag soap_lastrequest soap_lastresponse tag_name ascending average by define descending do equals frozen group handle_failure import in into join let match max min on order parent protected provide public require returnhome skip split_thread sum take thread to trait type where with yield yieldhome"},l=t.COMMENT("<!--","-->",{relevance:0}),u={className:"meta",begin:"\\[noprocess\\]",starts:{end:"\\[/noprocess\\]",returnEnd:!0,contains:[l]}},c={className:"meta",begin:"\\[/noprocess|"+r},d={className:"symbol",begin:"'"+n+"'"},S=[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.inherit(t.C_NUMBER_MODE,{begin:t.C_NUMBER_RE+"|(-?infinity|NaN)\\b"}),t.inherit(t.APOS_STRING_MODE,{illegal:null}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{className:"string",begin:"`",end:"`"},{variants:[{begin:"[#$]"+n},{begin:"#",end:"\\d+",illegal:"\\W"}]},{className:"type",begin:"::\\s*",end:n,illegal:"\\W"},{className:"params",variants:[{begin:"-(?!infinity)"+n,relevance:0},{begin:"(\\.\\.\\.)"}]},{begin:/(->|\.)\s*/,relevance:0,contains:[d]},{className:"class",beginKeywords:"define",returnEnd:!0,end:"\\(|=>",contains:[t.inherit(t.TITLE_MODE,{begin:n+"(=(?!>))?|[-+*/%](?!>)"})]}];return{name:"Lasso",aliases:["ls","lassoscript"],case_insensitive:!0,keywords:o,contains:[{className:"meta",begin:a,relevance:0,starts:{end:"\\[|"+r,returnEnd:!0,relevance:0,contains:[l]}},u,c,{className:"meta",begin:"\\[no_square_brackets",starts:{end:"\\[/no_square_brackets\\]",keywords:o,contains:[{className:"meta",begin:a,relevance:0,starts:{end:"\\[noprocess\\]|"+r,returnEnd:!0,contains:[l]}},u,c].concat(S)}},{className:"meta",begin:"\\[",relevance:0},{className:"meta",begin:"^#!",end:"lasso9$",relevance:10}].concat(S)}}return nm=e,nm}var rm,ty;function dk(){if(ty)return rm;ty=1;function e(t){const r=t.regex.either(...["(?:NeedsTeXFormat|RequirePackage|GetIdInfo)","Provides(?:Expl)?(?:Package|Class|File)","(?:DeclareOption|ProcessOptions)","(?:documentclass|usepackage|input|include)","makeat(?:letter|other)","ExplSyntax(?:On|Off)","(?:new|renew|provide)?command","(?:re)newenvironment","(?:New|Renew|Provide|Declare)(?:Expandable)?DocumentCommand","(?:New|Renew|Provide|Declare)DocumentEnvironment","(?:(?:e|g|x)?def|let)","(?:begin|end)","(?:part|chapter|(?:sub){0,2}section|(?:sub)?paragraph)","caption","(?:label|(?:eq|page|name)?ref|(?:paren|foot|super)?cite)","(?:alpha|beta|[Gg]amma|[Dd]elta|(?:var)?epsilon|zeta|eta|[Tt]heta|vartheta)","(?:iota|(?:var)?kappa|[Ll]ambda|mu|nu|[Xx]i|[Pp]i|varpi|(?:var)rho)","(?:[Ss]igma|varsigma|tau|[Uu]psilon|[Pp]hi|varphi|chi|[Pp]si|[Oo]mega)","(?:frac|sum|prod|lim|infty|times|sqrt|leq|geq|left|right|middle|[bB]igg?)","(?:[lr]angle|q?quad|[lcvdi]?dots|d?dot|hat|tilde|bar)"].map(K=>K+"(?![a-zA-Z@:_])")),a=new RegExp(["(?:__)?[a-zA-Z]{2,}_[a-zA-Z](?:_?[a-zA-Z])+:[a-zA-Z]*","[lgc]__?[a-zA-Z](?:_?[a-zA-Z])*_[a-zA-Z]{2,}","[qs]__?[a-zA-Z](?:_?[a-zA-Z])+","use(?:_i)?:[a-zA-Z]*","(?:else|fi|or):","(?:if|cs|exp):w","(?:hbox|vbox):n","::[a-zA-Z]_unbraced","::[a-zA-Z:]"].map(K=>K+"(?![a-zA-Z:_])").join("|")),o=[{begin:/[a-zA-Z@]+/},{begin:/[^a-zA-Z@]?/}],l=[{begin:/\^{6}[0-9a-f]{6}/},{begin:/\^{5}[0-9a-f]{5}/},{begin:/\^{4}[0-9a-f]{4}/},{begin:/\^{3}[0-9a-f]{3}/},{begin:/\^{2}[0-9a-f]{2}/},{begin:/\^{2}[\u0000-\u007f]/}],u={className:"keyword",begin:/\\/,relevance:0,contains:[{endsParent:!0,begin:r},{endsParent:!0,begin:a},{endsParent:!0,variants:l},{endsParent:!0,relevance:0,variants:o}]},c={className:"params",relevance:0,begin:/#+\d?/},d={variants:l},S={className:"built_in",relevance:0,begin:/[$&^_]/},_={className:"meta",begin:/% ?!(T[eE]X|tex|BIB|bib)/,end:"$",relevance:10},E=t.COMMENT("%","$",{relevance:0}),T=[u,c,d,S,_,E],y={begin:/\{/,end:/\}/,relevance:0,contains:["self",...T]},M=t.inherit(y,{relevance:0,endsParent:!0,contains:[y,...T]}),v={begin:/\[/,end:/\]/,endsParent:!0,relevance:0,contains:[y,...T]},A={begin:/\s+/,relevance:0},O=[M],N=[v],R=function(K,ue){return{contains:[A],starts:{relevance:0,contains:K,starts:ue}}},L=function(K,ue){return{begin:"\\\\"+K+"(?![a-zA-Z@:_])",keywords:{$pattern:/\\[a-zA-Z]+/,keyword:"\\"+K},relevance:0,contains:[A],starts:ue}},I=function(K,ue){return t.inherit({begin:"\\\\begin(?=[ 	]*(\\r?\\n[ 	]*)?\\{"+K+"\\})",keywords:{$pattern:/\\[a-zA-Z]+/,keyword:"\\begin"},relevance:0},R(O,ue))},h=(K="string")=>t.END_SAME_AS_BEGIN({className:K,begin:/(.|\r?\n)/,end:/(.|\r?\n)/,excludeBegin:!0,excludeEnd:!0,endsParent:!0}),k=function(K){return{className:"string",end:"(?=\\\\end\\{"+K+"\\})"}},F=(K="string")=>({relevance:0,begin:/\{/,starts:{endsParent:!0,contains:[{className:K,end:/(?=\})/,endsParent:!0,contains:[{begin:/\{/,end:/\}/,relevance:0,contains:["self"]}]}]}}),z=[...["verb","lstinline"].map(K=>L(K,{contains:[h()]})),L("mint",R(O,{contains:[h()]})),L("mintinline",R(O,{contains:[F(),h()]})),L("url",{contains:[F("link"),F("link")]}),L("hyperref",{contains:[F("link")]}),L("href",R(N,{contains:[F("link")]})),...[].concat(...["","\\*"].map(K=>[I("verbatim"+K,k("verbatim"+K)),I("filecontents"+K,R(O,k("filecontents"+K))),...["","B","L"].map(ue=>I(ue+"Verbatim"+K,R(N,k(ue+"Verbatim"+K))))])),I("minted",R(N,R(O,k("minted"))))];return{name:"LaTeX",aliases:["tex"],contains:[...z,...T]}}return rm=e,rm}var im,ny;function fk(){if(ny)return im;ny=1;function e(t){return{name:"LDIF",contains:[{className:"attribute",match:"^dn(?=:)",relevance:10},{className:"attribute",match:"^\\w+(?=:)"},{className:"literal",match:"^-"},t.HASH_COMMENT_MODE]}}return im=e,im}var am,ry;function pk(){if(ry)return am;ry=1;function e(t){const n=/([A-Za-z_][A-Za-z_0-9]*)?/,a={scope:"params",begin:/\(/,end:/\)(?=\:?)/,endsParent:!0,relevance:7,contains:[{scope:"string",begin:'"',end:'"'},{scope:"keyword",match:["true","false","in"].join("|")},{scope:"variable",match:/[A-Za-z_][A-Za-z_0-9]*/},{scope:"operator",match:/\+|\-|\*|\/|\%|\=\=|\=|\!|\>|\<|\&\&|\|\|/}]},o={match:[n,/(?=\()/],scope:{1:"keyword"},contains:[a]};return a.contains.unshift(o),{name:"Leaf",contains:[{match:[/#+/,n,/(?=\()/],scope:{1:"punctuation",2:"keyword"},starts:{contains:[{match:/\:/,scope:"punctuation"}]},contains:[a]},{match:[/#+/,n,/:?/],scope:{1:"punctuation",2:"keyword",3:"punctuation"}}]}}return am=e,am}var om,iy;function _k(){if(iy)return om;iy=1;const e=c=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:c.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[c.APOS_STRING_MODE,c.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:c.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z_][A-Za-z0-9_-]*/}}),t=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],n=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],r=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],a=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],o=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","caret-color","clear","clip","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","grid-row-start","grid-template","grid-template-areas","grid-template-columns","grid-template-rows","hanging-punctuation","height","hyphens","icon","image-orientation","image-rendering","image-resolution","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse(),l=r.concat(a);function u(c){const d=e(c),S=l,_="and or not only",E="[\\w-]+",T="("+E+"|@\\{"+E+"\\})",y=[],M=[],v=function(K){return{className:"string",begin:"~?"+K+".*?"+K}},A=function(K,ue,Z){return{className:K,begin:ue,relevance:Z}},O={$pattern:/[a-z-]+/,keyword:_,attribute:n.join(" ")},N={begin:"\\(",end:"\\)",contains:M,keywords:O,relevance:0};M.push(c.C_LINE_COMMENT_MODE,c.C_BLOCK_COMMENT_MODE,v("'"),v('"'),d.CSS_NUMBER_MODE,{begin:"(url|data-uri)\\(",starts:{className:"string",end:"[\\)\\n]",excludeEnd:!0}},d.HEXCOLOR,N,A("variable","@@?"+E,10),A("variable","@\\{"+E+"\\}"),A("built_in","~?`[^`]*?`"),{className:"attribute",begin:E+"\\s*:",end:":",returnBegin:!0,excludeEnd:!0},d.IMPORTANT,{beginKeywords:"and not"},d.FUNCTION_DISPATCH);const R=M.concat({begin:/\{/,end:/\}/,contains:y}),L={beginKeywords:"when",endsWithParent:!0,contains:[{beginKeywords:"and not"}].concat(M)},I={begin:T+"\\s*:",returnBegin:!0,end:/[;}]/,relevance:0,contains:[{begin:/-(webkit|moz|ms|o)-/},d.CSS_VARIABLE,{className:"attribute",begin:"\\b("+o.join("|")+")\\b",end:/(?=:)/,starts:{endsWithParent:!0,illegal:"[<=$]",relevance:0,contains:M}}]},h={className:"keyword",begin:"@(import|media|charset|font-face|(-[a-z]+-)?keyframes|supports|document|namespace|page|viewport|host)\\b",starts:{end:"[;{}]",keywords:O,returnEnd:!0,contains:M,relevance:0}},k={className:"variable",variants:[{begin:"@"+E+"\\s*:",relevance:15},{begin:"@"+E}],starts:{end:"[;}]",returnEnd:!0,contains:R}},F={variants:[{begin:"[\\.#:&\\[>]",end:"[;{}]"},{begin:T,end:/\{/}],returnBegin:!0,returnEnd:!0,illegal:`[<='$"]`,relevance:0,contains:[c.C_LINE_COMMENT_MODE,c.C_BLOCK_COMMENT_MODE,L,A("keyword","all\\b"),A("variable","@\\{"+E+"\\}"),{begin:"\\b("+t.join("|")+")\\b",className:"selector-tag"},d.CSS_NUMBER_MODE,A("selector-tag",T,0),A("selector-id","#"+T),A("selector-class","\\."+T,0),A("selector-tag","&",0),d.ATTRIBUTE_SELECTOR_MODE,{className:"selector-pseudo",begin:":("+r.join("|")+")"},{className:"selector-pseudo",begin:":(:)?("+a.join("|")+")"},{begin:/\(/,end:/\)/,relevance:0,contains:R},{begin:"!important"},d.FUNCTION_DISPATCH]},z={begin:E+`:(:)?(${S.join("|")})`,returnBegin:!0,contains:[F]};return y.push(c.C_LINE_COMMENT_MODE,c.C_BLOCK_COMMENT_MODE,h,k,z,I,F,L,d.FUNCTION_DISPATCH),{name:"Less",case_insensitive:!0,illegal:`[=>'/<($"]`,contains:y}}return om=u,om}var sm,ay;function mk(){if(ay)return sm;ay=1;function e(t){const n="[a-zA-Z_\\-+\\*\\/<=>&#][a-zA-Z0-9_\\-+*\\/<=>&#!]*",r="\\|[^]*?\\|",a="(-|\\+)?\\d+(\\.\\d+|\\/\\d+)?((d|e|f|l|s|D|E|F|L|S)(\\+|-)?\\d+)?",o={className:"literal",begin:"\\b(t{1}|nil)\\b"},l={className:"number",variants:[{begin:a,relevance:0},{begin:"#(b|B)[0-1]+(/[0-1]+)?"},{begin:"#(o|O)[0-7]+(/[0-7]+)?"},{begin:"#(x|X)[0-9a-fA-F]+(/[0-9a-fA-F]+)?"},{begin:"#(c|C)\\("+a+" +"+a,end:"\\)"}]},u=t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),c=t.COMMENT(";","$",{relevance:0}),d={begin:"\\*",end:"\\*"},S={className:"symbol",begin:"[:&]"+n},_={begin:n,relevance:0},E={begin:r},y={contains:[l,u,d,S,{begin:"\\(",end:"\\)",contains:["self",o,u,l,_]},_],variants:[{begin:"['`]\\(",end:"\\)"},{begin:"\\(quote ",end:"\\)",keywords:{name:"quote"}},{begin:"'"+r}]},M={variants:[{begin:"'"+n},{begin:"#'"+n+"(::"+n+")*"}]},v={begin:"\\(\\s*",end:"\\)"},A={endsWithParent:!0,relevance:0};return v.contains=[{className:"name",variants:[{begin:n,relevance:0},{begin:r}]},A],A.contains=[y,M,v,o,l,u,c,d,S,E,_],{name:"Lisp",illegal:/\S/,contains:[l,t.SHEBANG(),o,u,c,y,M,v,_]}}return sm=e,sm}var lm,oy;function gk(){if(oy)return lm;oy=1;function e(t){const n={className:"variable",variants:[{begin:"\\b([gtps][A-Z]{1}[a-zA-Z0-9]*)(\\[.+\\])?(?:\\s*?)"},{begin:"\\$_[A-Z]+"}],relevance:0},r=[t.C_BLOCK_COMMENT_MODE,t.HASH_COMMENT_MODE,t.COMMENT("--","$"),t.COMMENT("[^:]//","$")],a=t.inherit(t.TITLE_MODE,{variants:[{begin:"\\b_*rig[A-Z][A-Za-z0-9_\\-]*"},{begin:"\\b_[a-z0-9\\-]+"}]}),o=t.inherit(t.TITLE_MODE,{begin:"\\b([A-Za-z0-9_\\-]+)\\b"});return{name:"LiveCode",case_insensitive:!1,keywords:{keyword:"$_COOKIE $_FILES $_GET $_GET_BINARY $_GET_RAW $_POST $_POST_BINARY $_POST_RAW $_SESSION $_SERVER codepoint codepoints segment segments codeunit codeunits sentence sentences trueWord trueWords paragraph after byte bytes english the until http forever descending using line real8 with seventh for stdout finally element word words fourth before black ninth sixth characters chars stderr uInt1 uInt1s uInt2 uInt2s stdin string lines relative rel any fifth items from middle mid at else of catch then third it file milliseconds seconds second secs sec int1 int1s int4 int4s internet int2 int2s normal text item last long detailed effective uInt4 uInt4s repeat end repeat URL in try into switch to words https token binfile each tenth as ticks tick system real4 by dateItems without char character ascending eighth whole dateTime numeric short first ftp integer abbreviated abbr abbrev private case while if div mod wrap and or bitAnd bitNot bitOr bitXor among not in a an within contains ends with begins the keys of keys",literal:"SIX TEN FORMFEED NINE ZERO NONE SPACE FOUR FALSE COLON CRLF PI COMMA ENDOFFILE EOF EIGHT FIVE QUOTE EMPTY ONE TRUE RETURN CR LINEFEED RIGHT BACKSLASH NULL SEVEN TAB THREE TWO six ten formfeed nine zero none space four false colon crlf pi comma endoffile eof eight five quote empty one true return cr linefeed right backslash null seven tab three two RIVERSION RISTATE FILE_READ_MODE FILE_WRITE_MODE FILE_WRITE_MODE DIR_WRITE_MODE FILE_READ_UMASK FILE_WRITE_UMASK DIR_READ_UMASK DIR_WRITE_UMASK",built_in:"put abs acos aliasReference annuity arrayDecode arrayEncode asin atan atan2 average avg avgDev base64Decode base64Encode baseConvert binaryDecode binaryEncode byteOffset byteToNum cachedURL cachedURLs charToNum cipherNames codepointOffset codepointProperty codepointToNum codeunitOffset commandNames compound compress constantNames cos date dateFormat decompress difference directories diskSpace DNSServers exp exp1 exp2 exp10 extents files flushEvents folders format functionNames geometricMean global globals hasMemory harmonicMean hostAddress hostAddressToName hostName hostNameToAddress isNumber ISOToMac itemOffset keys len length libURLErrorData libUrlFormData libURLftpCommand libURLLastHTTPHeaders libURLLastRHHeaders libUrlMultipartFormAddPart libUrlMultipartFormData libURLVersion lineOffset ln ln1 localNames log log2 log10 longFilePath lower macToISO matchChunk matchText matrixMultiply max md5Digest median merge messageAuthenticationCode messageDigest millisec millisecs millisecond milliseconds min monthNames nativeCharToNum normalizeText num number numToByte numToChar numToCodepoint numToNativeChar offset open openfiles openProcesses openProcessIDs openSockets paragraphOffset paramCount param params peerAddress pendingMessages platform popStdDev populationStandardDeviation populationVariance popVariance processID random randomBytes replaceText result revCreateXMLTree revCreateXMLTreeFromFile revCurrentRecord revCurrentRecordIsFirst revCurrentRecordIsLast revDatabaseColumnCount revDatabaseColumnIsNull revDatabaseColumnLengths revDatabaseColumnNames revDatabaseColumnNamed revDatabaseColumnNumbered revDatabaseColumnTypes revDatabaseConnectResult revDatabaseCursors revDatabaseID revDatabaseTableNames revDatabaseType revDataFromQuery revdb_closeCursor revdb_columnbynumber revdb_columncount revdb_columnisnull revdb_columnlengths revdb_columnnames revdb_columntypes revdb_commit revdb_connect revdb_connections revdb_connectionerr revdb_currentrecord revdb_cursorconnection revdb_cursorerr revdb_cursors revdb_dbtype revdb_disconnect revdb_execute revdb_iseof revdb_isbof revdb_movefirst revdb_movelast revdb_movenext revdb_moveprev revdb_query revdb_querylist revdb_recordcount revdb_rollback revdb_tablenames revGetDatabaseDriverPath revNumberOfRecords revOpenDatabase revOpenDatabases revQueryDatabase revQueryDatabaseBlob revQueryResult revQueryIsAtStart revQueryIsAtEnd revUnixFromMacPath revXMLAttribute revXMLAttributes revXMLAttributeValues revXMLChildContents revXMLChildNames revXMLCreateTreeFromFileWithNamespaces revXMLCreateTreeWithNamespaces revXMLDataFromXPathQuery revXMLEvaluateXPath revXMLFirstChild revXMLMatchingNode revXMLNextSibling revXMLNodeContents revXMLNumberOfChildren revXMLParent revXMLPreviousSibling revXMLRootNode revXMLRPC_CreateRequest revXMLRPC_Documents revXMLRPC_Error revXMLRPC_GetHost revXMLRPC_GetMethod revXMLRPC_GetParam revXMLText revXMLRPC_Execute revXMLRPC_GetParamCount revXMLRPC_GetParamNode revXMLRPC_GetParamType revXMLRPC_GetPath revXMLRPC_GetPort revXMLRPC_GetProtocol revXMLRPC_GetRequest revXMLRPC_GetResponse revXMLRPC_GetSocket revXMLTree revXMLTrees revXMLValidateDTD revZipDescribeItem revZipEnumerateItems revZipOpenArchives round sampVariance sec secs seconds sentenceOffset sha1Digest shell shortFilePath sin specialFolderPath sqrt standardDeviation statRound stdDev sum sysError systemVersion tan tempName textDecode textEncode tick ticks time to tokenOffset toLower toUpper transpose truewordOffset trunc uniDecode uniEncode upper URLDecode URLEncode URLStatus uuid value variableNames variance version waitDepth weekdayNames wordOffset xsltApplyStylesheet xsltApplyStylesheetFromFile xsltLoadStylesheet xsltLoadStylesheetFromFile add breakpoint cancel clear local variable file word line folder directory URL close socket process combine constant convert create new alias folder directory decrypt delete variable word line folder directory URL dispatch divide do encrypt filter get include intersect kill libURLDownloadToFile libURLFollowHttpRedirects libURLftpUpload libURLftpUploadFile libURLresetAll libUrlSetAuthCallback libURLSetDriver libURLSetCustomHTTPHeaders libUrlSetExpect100 libURLSetFTPListCommand libURLSetFTPMode libURLSetFTPStopTime libURLSetStatusCallback load extension loadedExtensions multiply socket prepare process post seek rel relative read from process rename replace require resetAll resolve revAddXMLNode revAppendXML revCloseCursor revCloseDatabase revCommitDatabase revCopyFile revCopyFolder revCopyXMLNode revDeleteFolder revDeleteXMLNode revDeleteAllXMLTrees revDeleteXMLTree revExecuteSQL revGoURL revInsertXMLNode revMoveFolder revMoveToFirstRecord revMoveToLastRecord revMoveToNextRecord revMoveToPreviousRecord revMoveToRecord revMoveXMLNode revPutIntoXMLNode revRollBackDatabase revSetDatabaseDriverPath revSetXMLAttribute revXMLRPC_AddParam revXMLRPC_DeleteAllDocuments revXMLAddDTD revXMLRPC_Free revXMLRPC_FreeAll revXMLRPC_DeleteDocument revXMLRPC_DeleteParam revXMLRPC_SetHost revXMLRPC_SetMethod revXMLRPC_SetPort revXMLRPC_SetProtocol revXMLRPC_SetSocket revZipAddItemWithData revZipAddItemWithFile revZipAddUncompressedItemWithData revZipAddUncompressedItemWithFile revZipCancel revZipCloseArchive revZipDeleteItem revZipExtractItemToFile revZipExtractItemToVariable revZipSetProgressCallback revZipRenameItem revZipReplaceItemWithData revZipReplaceItemWithFile revZipOpenArchive send set sort split start stop subtract symmetric union unload vectorDotProduct wait write"},contains:[n,{className:"keyword",begin:"\\bend\\sif\\b"},{className:"function",beginKeywords:"function",end:"$",contains:[n,o,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE,a]},{className:"function",begin:"\\bend\\s+",end:"$",keywords:"end",contains:[o,a],relevance:0},{beginKeywords:"command on",end:"$",contains:[n,o,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE,a]},{className:"meta",variants:[{begin:"<\\?(rev|lc|livecode)",relevance:10},{begin:"<\\?"},{begin:"\\?>"}]},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE,a].concat(r),illegal:";$|^\\[|^=|&|\\{"}}return lm=e,lm}var um,sy;function hk(){if(sy)return um;sy=1;const e=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],t=["true","false","null","undefined","NaN","Infinity"],n=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],r=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],a=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],o=[].concat(a,n,r);function l(u){const c=["npm","print"],d=["yes","no","on","off","it","that","void"],S=["then","unless","until","loop","of","by","when","and","or","is","isnt","not","it","that","otherwise","from","to","til","fallthrough","case","enum","native","list","map","__hasProp","__extends","__slice","__bind","__indexOf"],_={keyword:e.concat(S),literal:t.concat(d),built_in:o.concat(c)},E="[A-Za-z$_](?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*",T=u.inherit(u.TITLE_MODE,{begin:E}),y={className:"subst",begin:/#\{/,end:/\}/,keywords:_},M={className:"subst",begin:/#[A-Za-z$_]/,end:/(?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*/,keywords:_},v=[u.BINARY_NUMBER_MODE,{className:"number",begin:"(\\b0[xX][a-fA-F0-9_]+)|(\\b\\d(\\d|_\\d)*(\\.(\\d(\\d|_\\d)*)?)?(_*[eE]([-+]\\d(_\\d|\\d)*)?)?[_a-z]*)",relevance:0,starts:{end:"(\\s*/)?",relevance:0}},{className:"string",variants:[{begin:/'''/,end:/'''/,contains:[u.BACKSLASH_ESCAPE]},{begin:/'/,end:/'/,contains:[u.BACKSLASH_ESCAPE]},{begin:/"""/,end:/"""/,contains:[u.BACKSLASH_ESCAPE,y,M]},{begin:/"/,end:/"/,contains:[u.BACKSLASH_ESCAPE,y,M]},{begin:/\\/,end:/(\s|$)/,excludeEnd:!0}]},{className:"regexp",variants:[{begin:"//",end:"//[gim]*",contains:[y,u.HASH_COMMENT_MODE]},{begin:/\/(?![ *])(\\.|[^\\\n])*?\/[gim]*(?=\W)/}]},{begin:"@"+E},{begin:"``",end:"``",excludeBegin:!0,excludeEnd:!0,subLanguage:"javascript"}];y.contains=v;const A={className:"params",begin:"\\(",returnBegin:!0,contains:[{begin:/\(/,end:/\)/,keywords:_,contains:["self"].concat(v)}]},O={begin:"(#=>|=>|\\|>>|-?->|!->)"},N={variants:[{match:[/class\s+/,E,/\s+extends\s+/,E]},{match:[/class\s+/,E]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:_};return{name:"LiveScript",aliases:["ls"],keywords:_,illegal:/\/\*/,contains:v.concat([u.COMMENT("\\/\\*","\\*\\/"),u.HASH_COMMENT_MODE,O,{className:"function",contains:[T,A],returnBegin:!0,variants:[{begin:"("+E+"\\s*(?:=|:=)\\s*)?(\\(.*\\)\\s*)?\\B->\\*?",end:"->\\*?"},{begin:"("+E+"\\s*(?:=|:=)\\s*)?!?(\\(.*\\)\\s*)?\\B[-~]{1,2}>\\*?",end:"[-~]{1,2}>\\*?"},{begin:"("+E+"\\s*(?:=|:=)\\s*)?(\\(.*\\)\\s*)?\\B!?[-~]{1,2}>\\*?",end:"!?[-~]{1,2}>\\*?"}]},N,{begin:E+":",end:":",returnBegin:!0,returnEnd:!0,relevance:0}])}}return um=l,um}var cm,ly;function Ek(){if(ly)return cm;ly=1;function e(t){const n=t.regex,r=/([-a-zA-Z$._][\w$.-]*)/,a={className:"type",begin:/\bi\d+(?=\s|\b)/},o={className:"operator",relevance:0,begin:/=/},l={className:"punctuation",relevance:0,begin:/,/},u={className:"number",variants:[{begin:/[su]?0[xX][KMLHR]?[a-fA-F0-9]+/},{begin:/[-+]?\d+(?:[.]\d+)?(?:[eE][-+]?\d+(?:[.]\d+)?)?/}],relevance:0},c={className:"symbol",variants:[{begin:/^\s*[a-z]+:/}],relevance:0},d={className:"variable",variants:[{begin:n.concat(/%/,r)},{begin:/%\d+/},{begin:/#\d+/}]},S={className:"title",variants:[{begin:n.concat(/@/,r)},{begin:/@\d+/},{begin:n.concat(/!/,r)},{begin:n.concat(/!\d+/,r)},{begin:/!\d+/}]};return{name:"LLVM IR",keywords:"begin end true false declare define global constant private linker_private internal available_externally linkonce linkonce_odr weak weak_odr appending dllimport dllexport common default hidden protected extern_weak external thread_local zeroinitializer undef null to tail target triple datalayout volatile nuw nsw nnan ninf nsz arcp fast exact inbounds align addrspace section alias module asm sideeffect gc dbg linker_private_weak attributes blockaddress initialexec localdynamic localexec prefix unnamed_addr ccc fastcc coldcc x86_stdcallcc x86_fastcallcc arm_apcscc arm_aapcscc arm_aapcs_vfpcc ptx_device ptx_kernel intel_ocl_bicc msp430_intrcc spir_func spir_kernel x86_64_sysvcc x86_64_win64cc x86_thiscallcc cc c signext zeroext inreg sret nounwind noreturn noalias nocapture byval nest readnone readonly inlinehint noinline alwaysinline optsize ssp sspreq noredzone noimplicitfloat naked builtin cold nobuiltin noduplicate nonlazybind optnone returns_twice sanitize_address sanitize_memory sanitize_thread sspstrong uwtable returned type opaque eq ne slt sgt sle sge ult ugt ule uge oeq one olt ogt ole oge ord uno ueq une x acq_rel acquire alignstack atomic catch cleanup filter inteldialect max min monotonic nand personality release seq_cst singlethread umax umin unordered xchg add fadd sub fsub mul fmul udiv sdiv fdiv urem srem frem shl lshr ashr and or xor icmp fcmp phi call trunc zext sext fptrunc fpext uitofp sitofp fptoui fptosi inttoptr ptrtoint bitcast addrspacecast select va_arg ret br switch invoke unwind unreachable indirectbr landingpad resume malloc alloca free load store getelementptr extractelement insertelement shufflevector getresult extractvalue insertvalue atomicrmw cmpxchg fence argmemonly double",contains:[a,t.COMMENT(/;\s*$/,null,{relevance:0}),t.COMMENT(/;/,/$/),{className:"string",begin:/"/,end:/"/,contains:[{className:"char.escape",match:/\\\d\d/}]},S,l,o,d,c,u]}}return cm=e,cm}var dm,uy;function Sk(){if(uy)return dm;uy=1;function e(t){const r={className:"string",begin:'"',end:'"',contains:[{className:"subst",begin:/\\[tn"\\]/}]},a={className:"number",relevance:0,begin:t.C_NUMBER_RE},o={className:"literal",variants:[{begin:"\\b(PI|TWO_PI|PI_BY_TWO|DEG_TO_RAD|RAD_TO_DEG|SQRT2)\\b"},{begin:"\\b(XP_ERROR_(EXPERIENCES_DISABLED|EXPERIENCE_(DISABLED|SUSPENDED)|INVALID_(EXPERIENCE|PARAMETERS)|KEY_NOT_FOUND|MATURITY_EXCEEDED|NONE|NOT_(FOUND|PERMITTED(_LAND)?)|NO_EXPERIENCE|QUOTA_EXCEEDED|RETRY_UPDATE|STORAGE_EXCEPTION|STORE_DISABLED|THROTTLED|UNKNOWN_ERROR)|JSON_APPEND|STATUS_(PHYSICS|ROTATE_[XYZ]|PHANTOM|SANDBOX|BLOCK_GRAB(_OBJECT)?|(DIE|RETURN)_AT_EDGE|CAST_SHADOWS|OK|MALFORMED_PARAMS|TYPE_MISMATCH|BOUNDS_ERROR|NOT_(FOUND|SUPPORTED)|INTERNAL_ERROR|WHITELIST_FAILED)|AGENT(_(BY_(LEGACY_|USER)NAME|FLYING|ATTACHMENTS|SCRIPTED|MOUSELOOK|SITTING|ON_OBJECT|AWAY|WALKING|IN_AIR|TYPING|CROUCHING|BUSY|ALWAYS_RUN|AUTOPILOT|LIST_(PARCEL(_OWNER)?|REGION)))?|CAMERA_(PITCH|DISTANCE|BEHINDNESS_(ANGLE|LAG)|(FOCUS|POSITION)(_(THRESHOLD|LOCKED|LAG))?|FOCUS_OFFSET|ACTIVE)|ANIM_ON|LOOP|REVERSE|PING_PONG|SMOOTH|ROTATE|SCALE|ALL_SIDES|LINK_(ROOT|SET|ALL_(OTHERS|CHILDREN)|THIS)|ACTIVE|PASS(IVE|_(ALWAYS|IF_NOT_HANDLED|NEVER))|SCRIPTED|CONTROL_(FWD|BACK|(ROT_)?(LEFT|RIGHT)|UP|DOWN|(ML_)?LBUTTON)|PERMISSION_(RETURN_OBJECTS|DEBIT|OVERRIDE_ANIMATIONS|SILENT_ESTATE_MANAGEMENT|TAKE_CONTROLS|TRIGGER_ANIMATION|ATTACH|CHANGE_LINKS|(CONTROL|TRACK)_CAMERA|TELEPORT)|INVENTORY_(TEXTURE|SOUND|OBJECT|SCRIPT|LANDMARK|CLOTHING|NOTECARD|BODYPART|ANIMATION|GESTURE|ALL|NONE)|CHANGED_(INVENTORY|COLOR|SHAPE|SCALE|TEXTURE|LINK|ALLOWED_DROP|OWNER|REGION(_START)?|TELEPORT|MEDIA)|OBJECT_(CLICK_ACTION|HOVER_HEIGHT|LAST_OWNER_ID|(PHYSICS|SERVER|STREAMING)_COST|UNKNOWN_DETAIL|CHARACTER_TIME|PHANTOM|PHYSICS|TEMP_(ATTACHED|ON_REZ)|NAME|DESC|POS|PRIM_(COUNT|EQUIVALENCE)|RETURN_(PARCEL(_OWNER)?|REGION)|REZZER_KEY|ROO?T|VELOCITY|OMEGA|OWNER|GROUP(_TAG)?|CREATOR|ATTACHED_(POINT|SLOTS_AVAILABLE)|RENDER_WEIGHT|(BODY_SHAPE|PATHFINDING)_TYPE|(RUNNING|TOTAL)_SCRIPT_COUNT|TOTAL_INVENTORY_COUNT|SCRIPT_(MEMORY|TIME))|TYPE_(INTEGER|FLOAT|STRING|KEY|VECTOR|ROTATION|INVALID)|(DEBUG|PUBLIC)_CHANNEL|ATTACH_(AVATAR_CENTER|CHEST|HEAD|BACK|PELVIS|MOUTH|CHIN|NECK|NOSE|BELLY|[LR](SHOULDER|HAND|FOOT|EAR|EYE|[UL](ARM|LEG)|HIP)|(LEFT|RIGHT)_PEC|HUD_(CENTER_[12]|TOP_(RIGHT|CENTER|LEFT)|BOTTOM(_(RIGHT|LEFT))?)|[LR]HAND_RING1|TAIL_(BASE|TIP)|[LR]WING|FACE_(JAW|[LR]EAR|[LR]EYE|TOUNGE)|GROIN|HIND_[LR]FOOT)|LAND_(LEVEL|RAISE|LOWER|SMOOTH|NOISE|REVERT)|DATA_(ONLINE|NAME|BORN|SIM_(POS|STATUS|RATING)|PAYINFO)|PAYMENT_INFO_(ON_FILE|USED)|REMOTE_DATA_(CHANNEL|REQUEST|REPLY)|PSYS_(PART_(BF_(ZERO|ONE(_MINUS_(DEST_COLOR|SOURCE_(ALPHA|COLOR)))?|DEST_COLOR|SOURCE_(ALPHA|COLOR))|BLEND_FUNC_(DEST|SOURCE)|FLAGS|(START|END)_(COLOR|ALPHA|SCALE|GLOW)|MAX_AGE|(RIBBON|WIND|INTERP_(COLOR|SCALE)|BOUNCE|FOLLOW_(SRC|VELOCITY)|TARGET_(POS|LINEAR)|EMISSIVE)_MASK)|SRC_(MAX_AGE|PATTERN|ANGLE_(BEGIN|END)|BURST_(RATE|PART_COUNT|RADIUS|SPEED_(MIN|MAX))|ACCEL|TEXTURE|TARGET_KEY|OMEGA|PATTERN_(DROP|EXPLODE|ANGLE(_CONE(_EMPTY)?)?)))|VEHICLE_(REFERENCE_FRAME|TYPE_(NONE|SLED|CAR|BOAT|AIRPLANE|BALLOON)|(LINEAR|ANGULAR)_(FRICTION_TIMESCALE|MOTOR_DIRECTION)|LINEAR_MOTOR_OFFSET|HOVER_(HEIGHT|EFFICIENCY|TIMESCALE)|BUOYANCY|(LINEAR|ANGULAR)_(DEFLECTION_(EFFICIENCY|TIMESCALE)|MOTOR_(DECAY_)?TIMESCALE)|VERTICAL_ATTRACTION_(EFFICIENCY|TIMESCALE)|BANKING_(EFFICIENCY|MIX|TIMESCALE)|FLAG_(NO_DEFLECTION_UP|LIMIT_(ROLL_ONLY|MOTOR_UP)|HOVER_((WATER|TERRAIN|UP)_ONLY|GLOBAL_HEIGHT)|MOUSELOOK_(STEER|BANK)|CAMERA_DECOUPLED))|PRIM_(ALLOW_UNSIT|ALPHA_MODE(_(BLEND|EMISSIVE|MASK|NONE))?|NORMAL|SPECULAR|TYPE(_(BOX|CYLINDER|PRISM|SPHERE|TORUS|TUBE|RING|SCULPT))?|HOLE_(DEFAULT|CIRCLE|SQUARE|TRIANGLE)|MATERIAL(_(STONE|METAL|GLASS|WOOD|FLESH|PLASTIC|RUBBER))?|SHINY_(NONE|LOW|MEDIUM|HIGH)|BUMP_(NONE|BRIGHT|DARK|WOOD|BARK|BRICKS|CHECKER|CONCRETE|TILE|STONE|DISKS|GRAVEL|BLOBS|SIDING|LARGETILE|STUCCO|SUCTION|WEAVE)|TEXGEN_(DEFAULT|PLANAR)|SCRIPTED_SIT_ONLY|SCULPT_(TYPE_(SPHERE|TORUS|PLANE|CYLINDER|MASK)|FLAG_(MIRROR|INVERT))|PHYSICS(_(SHAPE_(CONVEX|NONE|PRIM|TYPE)))?|(POS|ROT)_LOCAL|SLICE|TEXT|FLEXIBLE|POINT_LIGHT|TEMP_ON_REZ|PHANTOM|POSITION|SIT_TARGET|SIZE|ROTATION|TEXTURE|NAME|OMEGA|DESC|LINK_TARGET|COLOR|BUMP_SHINY|FULLBRIGHT|TEXGEN|GLOW|MEDIA_(ALT_IMAGE_ENABLE|CONTROLS|(CURRENT|HOME)_URL|AUTO_(LOOP|PLAY|SCALE|ZOOM)|FIRST_CLICK_INTERACT|(WIDTH|HEIGHT)_PIXELS|WHITELIST(_ENABLE)?|PERMS_(INTERACT|CONTROL)|PARAM_MAX|CONTROLS_(STANDARD|MINI)|PERM_(NONE|OWNER|GROUP|ANYONE)|MAX_(URL_LENGTH|WHITELIST_(SIZE|COUNT)|(WIDTH|HEIGHT)_PIXELS)))|MASK_(BASE|OWNER|GROUP|EVERYONE|NEXT)|PERM_(TRANSFER|MODIFY|COPY|MOVE|ALL)|PARCEL_(MEDIA_COMMAND_(STOP|PAUSE|PLAY|LOOP|TEXTURE|URL|TIME|AGENT|UNLOAD|AUTO_ALIGN|TYPE|SIZE|DESC|LOOP_SET)|FLAG_(ALLOW_(FLY|(GROUP_)?SCRIPTS|LANDMARK|TERRAFORM|DAMAGE|CREATE_(GROUP_)?OBJECTS)|USE_(ACCESS_(GROUP|LIST)|BAN_LIST|LAND_PASS_LIST)|LOCAL_SOUND_ONLY|RESTRICT_PUSHOBJECT|ALLOW_(GROUP|ALL)_OBJECT_ENTRY)|COUNT_(TOTAL|OWNER|GROUP|OTHER|SELECTED|TEMP)|DETAILS_(NAME|DESC|OWNER|GROUP|AREA|ID|SEE_AVATARS))|LIST_STAT_(MAX|MIN|MEAN|MEDIAN|STD_DEV|SUM(_SQUARES)?|NUM_COUNT|GEOMETRIC_MEAN|RANGE)|PAY_(HIDE|DEFAULT)|REGION_FLAG_(ALLOW_DAMAGE|FIXED_SUN|BLOCK_TERRAFORM|SANDBOX|DISABLE_(COLLISIONS|PHYSICS)|BLOCK_FLY|ALLOW_DIRECT_TELEPORT|RESTRICT_PUSHOBJECT)|HTTP_(METHOD|MIMETYPE|BODY_(MAXLENGTH|TRUNCATED)|CUSTOM_HEADER|PRAGMA_NO_CACHE|VERBOSE_THROTTLE|VERIFY_CERT)|SIT_(INVALID_(AGENT|LINK_OBJECT)|NO(T_EXPERIENCE|_(ACCESS|EXPERIENCE_PERMISSION|SIT_TARGET)))|STRING_(TRIM(_(HEAD|TAIL))?)|CLICK_ACTION_(NONE|TOUCH|SIT|BUY|PAY|OPEN(_MEDIA)?|PLAY|ZOOM)|TOUCH_INVALID_FACE|PROFILE_(NONE|SCRIPT_MEMORY)|RC_(DATA_FLAGS|DETECT_PHANTOM|GET_(LINK_NUM|NORMAL|ROOT_KEY)|MAX_HITS|REJECT_(TYPES|AGENTS|(NON)?PHYSICAL|LAND))|RCERR_(CAST_TIME_EXCEEDED|SIM_PERF_LOW|UNKNOWN)|ESTATE_ACCESS_(ALLOWED_(AGENT|GROUP)_(ADD|REMOVE)|BANNED_AGENT_(ADD|REMOVE))|DENSITY|FRICTION|RESTITUTION|GRAVITY_MULTIPLIER|KFM_(COMMAND|CMD_(PLAY|STOP|PAUSE)|MODE|FORWARD|LOOP|PING_PONG|REVERSE|DATA|ROTATION|TRANSLATION)|ERR_(GENERIC|PARCEL_PERMISSIONS|MALFORMED_PARAMS|RUNTIME_PERMISSIONS|THROTTLED)|CHARACTER_(CMD_((SMOOTH_)?STOP|JUMP)|DESIRED_(TURN_)?SPEED|RADIUS|STAY_WITHIN_PARCEL|LENGTH|ORIENTATION|ACCOUNT_FOR_SKIPPED_FRAMES|AVOIDANCE_MODE|TYPE(_([ABCD]|NONE))?|MAX_(DECEL|TURN_RADIUS|(ACCEL|SPEED)))|PURSUIT_(OFFSET|FUZZ_FACTOR|GOAL_TOLERANCE|INTERCEPT)|REQUIRE_LINE_OF_SIGHT|FORCE_DIRECT_PATH|VERTICAL|HORIZONTAL|AVOID_(CHARACTERS|DYNAMIC_OBSTACLES|NONE)|PU_(EVADE_(HIDDEN|SPOTTED)|FAILURE_(DYNAMIC_PATHFINDING_DISABLED|INVALID_(GOAL|START)|NO_(NAVMESH|VALID_DESTINATION)|OTHER|TARGET_GONE|(PARCEL_)?UNREACHABLE)|(GOAL|SLOWDOWN_DISTANCE)_REACHED)|TRAVERSAL_TYPE(_(FAST|NONE|SLOW))?|CONTENT_TYPE_(ATOM|FORM|HTML|JSON|LLSD|RSS|TEXT|XHTML|XML)|GCNP_(RADIUS|STATIC)|(PATROL|WANDER)_PAUSE_AT_WAYPOINTS|OPT_(AVATAR|CHARACTER|EXCLUSION_VOLUME|LEGACY_LINKSET|MATERIAL_VOLUME|OTHER|STATIC_OBSTACLE|WALKABLE)|SIM_STAT_PCT_CHARS_STEPPED)\\b"},{begin:"\\b(FALSE|TRUE)\\b"},{begin:"\\b(ZERO_ROTATION)\\b"},{begin:"\\b(EOF|JSON_(ARRAY|DELETE|FALSE|INVALID|NULL|NUMBER|OBJECT|STRING|TRUE)|NULL_KEY|TEXTURE_(BLANK|DEFAULT|MEDIA|PLYWOOD|TRANSPARENT)|URL_REQUEST_(GRANTED|DENIED))\\b"},{begin:"\\b(ZERO_VECTOR|TOUCH_INVALID_(TEXCOORD|VECTOR))\\b"}]},l={className:"built_in",begin:"\\b(ll(AgentInExperience|(Create|DataSize|Delete|KeyCount|Keys|Read|Update)KeyValue|GetExperience(Details|ErrorMessage)|ReturnObjectsBy(ID|Owner)|Json(2List|[GS]etValue|ValueType)|Sin|Cos|Tan|Atan2|Sqrt|Pow|Abs|Fabs|Frand|Floor|Ceil|Round|Vec(Mag|Norm|Dist)|Rot(Between|2(Euler|Fwd|Left|Up))|(Euler|Axes)2Rot|Whisper|(Region|Owner)?Say|Shout|Listen(Control|Remove)?|Sensor(Repeat|Remove)?|Detected(Name|Key|Owner|Type|Pos|Vel|Grab|Rot|Group|LinkNumber)|Die|Ground|Wind|([GS]et)(AnimationOverride|MemoryLimit|PrimMediaParams|ParcelMusicURL|Object(Desc|Name)|PhysicsMaterial|Status|Scale|Color|Alpha|Texture|Pos|Rot|Force|Torque)|ResetAnimationOverride|(Scale|Offset|Rotate)Texture|(Rot)?Target(Remove)?|(Stop)?MoveToTarget|Apply(Rotational)?Impulse|Set(KeyframedMotion|ContentType|RegionPos|(Angular)?Velocity|Buoyancy|HoverHeight|ForceAndTorque|TimerEvent|ScriptState|Damage|TextureAnim|Sound(Queueing|Radius)|Vehicle(Type|(Float|Vector|Rotation)Param)|(Touch|Sit)?Text|Camera(Eye|At)Offset|PrimitiveParams|ClickAction|Link(Alpha|Color|PrimitiveParams(Fast)?|Texture(Anim)?|Camera|Media)|RemoteScriptAccessPin|PayPrice|LocalRot)|ScaleByFactor|Get((Max|Min)ScaleFactor|ClosestNavPoint|StaticPath|SimStats|Env|PrimitiveParams|Link(PrimitiveParams|Number(OfSides)?|Key|Name|Media)|HTTPHeader|FreeURLs|Object(Details|PermMask|PrimCount)|Parcel(MaxPrims|Details|Prim(Count|Owners))|Attached(List)?|(SPMax|Free|Used)Memory|Region(Name|TimeDilation|FPS|Corner|AgentCount)|Root(Position|Rotation)|UnixTime|(Parcel|Region)Flags|(Wall|GMT)clock|SimulatorHostname|BoundingBox|GeometricCenter|Creator|NumberOf(Prims|NotecardLines|Sides)|Animation(List)?|(Camera|Local)(Pos|Rot)|Vel|Accel|Omega|Time(stamp|OfDay)|(Object|CenterOf)?Mass|MassMKS|Energy|Owner|(Owner)?Key|SunDirection|Texture(Offset|Scale|Rot)|Inventory(Number|Name|Key|Type|Creator|PermMask)|Permissions(Key)?|StartParameter|List(Length|EntryType)|Date|Agent(Size|Info|Language|List)|LandOwnerAt|NotecardLine|Script(Name|State))|(Get|Reset|GetAndReset)Time|PlaySound(Slave)?|LoopSound(Master|Slave)?|(Trigger|Stop|Preload)Sound|((Get|Delete)Sub|Insert)String|To(Upper|Lower)|Give(InventoryList|Money)|RezObject|(Stop)?LookAt|Sleep|CollisionFilter|(Take|Release)Controls|DetachFromAvatar|AttachToAvatar(Temp)?|InstantMessage|(GetNext)?Email|StopHover|MinEventDelay|RotLookAt|String(Length|Trim)|(Start|Stop)Animation|TargetOmega|Request(Experience)?Permissions|(Create|Break)Link|BreakAllLinks|(Give|Remove)Inventory|Water|PassTouches|Request(Agent|Inventory)Data|TeleportAgent(Home|GlobalCoords)?|ModifyLand|CollisionSound|ResetScript|MessageLinked|PushObject|PassCollisions|AxisAngle2Rot|Rot2(Axis|Angle)|A(cos|sin)|AngleBetween|AllowInventoryDrop|SubStringIndex|List2(CSV|Integer|Json|Float|String|Key|Vector|Rot|List(Strided)?)|DeleteSubList|List(Statistics|Sort|Randomize|(Insert|Find|Replace)List)|EdgeOfWorld|AdjustSoundVolume|Key2Name|TriggerSoundLimited|EjectFromLand|(CSV|ParseString)2List|OverMyLand|SameGroup|UnSit|Ground(Slope|Normal|Contour)|GroundRepel|(Set|Remove)VehicleFlags|SitOnLink|(AvatarOn)?(Link)?SitTarget|Script(Danger|Profiler)|Dialog|VolumeDetect|ResetOtherScript|RemoteLoadScriptPin|(Open|Close)RemoteDataChannel|SendRemoteData|RemoteDataReply|(Integer|String)ToBase64|XorBase64|Log(10)?|Base64To(String|Integer)|ParseStringKeepNulls|RezAtRoot|RequestSimulatorData|ForceMouselook|(Load|Release|(E|Une)scape)URL|ParcelMedia(CommandList|Query)|ModPow|MapDestination|(RemoveFrom|AddTo|Reset)Land(Pass|Ban)List|(Set|Clear)CameraParams|HTTP(Request|Response)|TextBox|DetectedTouch(UV|Face|Pos|(N|Bin)ormal|ST)|(MD5|SHA1|DumpList2)String|Request(Secure)?URL|Clear(Prim|Link)Media|(Link)?ParticleSystem|(Get|Request)(Username|DisplayName)|RegionSayTo|CastRay|GenerateKey|TransferLindenDollars|ManageEstateAccess|(Create|Delete)Character|ExecCharacterCmd|Evade|FleeFrom|NavigateTo|PatrolPoints|Pursue|UpdateCharacter|WanderWithin))\\b"};return{name:"LSL (Linden Scripting Language)",illegal:":",contains:[r,{className:"comment",variants:[t.COMMENT("//","$"),t.COMMENT("/\\*","\\*/")],relevance:0},a,{className:"section",variants:[{begin:"\\b(state|default)\\b"},{begin:"\\b(state_(entry|exit)|touch(_(start|end))?|(land_)?collision(_(start|end))?|timer|listen|(no_)?sensor|control|(not_)?at_(rot_)?target|money|email|experience_permissions(_denied)?|run_time_permissions|changed|attach|dataserver|moving_(start|end)|link_message|(on|object)_rez|remote_data|http_re(sponse|quest)|path_update|transaction_result)\\b"}]},l,o,{className:"type",begin:"\\b(integer|float|string|key|vector|quaternion|rotation|list)\\b"}]}}return dm=e,dm}var fm,cy;function bk(){if(cy)return fm;cy=1;function e(t){const n="\\[=*\\[",r="\\]=*\\]",a={begin:n,end:r,contains:["self"]},o=[t.COMMENT("--(?!"+n+")","$"),t.COMMENT("--"+n,r,{contains:[a],relevance:10})];return{name:"Lua",keywords:{$pattern:t.UNDERSCORE_IDENT_RE,literal:"true false nil",keyword:"and break do else elseif end for goto if in local not or repeat return then until while",built_in:"_G _ENV _VERSION __index __newindex __mode __call __metatable __tostring __len __gc __add __sub __mul __div __mod __pow __concat __unm __eq __lt __le assert collectgarbage dofile error getfenv getmetatable ipairs load loadfile loadstring module next pairs pcall print rawequal rawget rawset require select setfenv setmetatable tonumber tostring type unpack xpcall arg self coroutine resume yield status wrap create running debug getupvalue debug sethook getmetatable gethook setmetatable setlocal traceback setfenv getinfo setupvalue getlocal getregistry getfenv io lines write close flush open output type read stderr stdin input stdout popen tmpfile math log max acos huge ldexp pi cos tanh pow deg tan cosh sinh random randomseed frexp ceil floor rad abs sqrt modf asin min mod fmod log10 atan2 exp sin atan os exit setlocale date getenv difftime remove time clock tmpname rename execute package preload loadlib loaded loaders cpath config path seeall string sub upper len gfind rep find match char dump gmatch reverse byte format gsub lower table setn insert getn foreachi maxn foreach concat sort remove"},contains:o.concat([{className:"function",beginKeywords:"function",end:"\\)",contains:[t.inherit(t.TITLE_MODE,{begin:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),{className:"params",begin:"\\(",endsWithParent:!0,contains:o}].concat(o)},t.C_NUMBER_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{className:"string",begin:n,end:r,contains:[a],relevance:5}])}}return fm=e,fm}var pm,dy;function vk(){if(dy)return pm;dy=1;function e(t){const n={className:"variable",variants:[{begin:"\\$\\("+t.UNDERSCORE_IDENT_RE+"\\)",contains:[t.BACKSLASH_ESCAPE]},{begin:/\$[@%<?\^\+\*]/}]},r={className:"string",begin:/"/,end:/"/,contains:[t.BACKSLASH_ESCAPE,n]},a={className:"variable",begin:/\$\([\w-]+\s/,end:/\)/,keywords:{built_in:"subst patsubst strip findstring filter filter-out sort word wordlist firstword lastword dir notdir suffix basename addsuffix addprefix join wildcard realpath abspath error warning shell origin flavor foreach if or and call eval file value"},contains:[n]},o={begin:"^"+t.UNDERSCORE_IDENT_RE+"\\s*(?=[:+?]?=)"},l={className:"meta",begin:/^\.PHONY:/,end:/$/,keywords:{$pattern:/[\.\w]+/,keyword:".PHONY"}},u={className:"section",begin:/^[^\s]+:/,end:/$/,contains:[n]};return{name:"Makefile",aliases:["mk","mak","make"],keywords:{$pattern:/[\w-]+/,keyword:"define endef undefine ifdef ifndef ifeq ifneq else endif include -include sinclude override export unexport private vpath"},contains:[t.HASH_COMMENT_MODE,n,r,a,o,l,u]}}return pm=e,pm}var _m,fy;function Tk(){if(fy)return _m;fy=1;const e=["AASTriangle","AbelianGroup","Abort","AbortKernels","AbortProtect","AbortScheduledTask","Above","Abs","AbsArg","AbsArgPlot","Absolute","AbsoluteCorrelation","AbsoluteCorrelationFunction","AbsoluteCurrentValue","AbsoluteDashing","AbsoluteFileName","AbsoluteOptions","AbsolutePointSize","AbsoluteThickness","AbsoluteTime","AbsoluteTiming","AcceptanceThreshold","AccountingForm","Accumulate","Accuracy","AccuracyGoal","AcousticAbsorbingValue","AcousticImpedanceValue","AcousticNormalVelocityValue","AcousticPDEComponent","AcousticPressureCondition","AcousticRadiationValue","AcousticSoundHardValue","AcousticSoundSoftCondition","ActionDelay","ActionMenu","ActionMenuBox","ActionMenuBoxOptions","Activate","Active","ActiveClassification","ActiveClassificationObject","ActiveItem","ActivePrediction","ActivePredictionObject","ActiveStyle","AcyclicGraphQ","AddOnHelpPath","AddSides","AddTo","AddToSearchIndex","AddUsers","AdjacencyGraph","AdjacencyList","AdjacencyMatrix","AdjacentMeshCells","Adjugate","AdjustmentBox","AdjustmentBoxOptions","AdjustTimeSeriesForecast","AdministrativeDivisionData","AffineHalfSpace","AffineSpace","AffineStateSpaceModel","AffineTransform","After","AggregatedEntityClass","AggregationLayer","AircraftData","AirportData","AirPressureData","AirSoundAttenuation","AirTemperatureData","AiryAi","AiryAiPrime","AiryAiZero","AiryBi","AiryBiPrime","AiryBiZero","AlgebraicIntegerQ","AlgebraicNumber","AlgebraicNumberDenominator","AlgebraicNumberNorm","AlgebraicNumberPolynomial","AlgebraicNumberTrace","AlgebraicRules","AlgebraicRulesData","Algebraics","AlgebraicUnitQ","Alignment","AlignmentMarker","AlignmentPoint","All","AllowAdultContent","AllowChatServices","AllowedCloudExtraParameters","AllowedCloudParameterExtensions","AllowedDimensions","AllowedFrequencyRange","AllowedHeads","AllowGroupClose","AllowIncomplete","AllowInlineCells","AllowKernelInitialization","AllowLooseGrammar","AllowReverseGroupClose","AllowScriptLevelChange","AllowVersionUpdate","AllTrue","Alphabet","AlphabeticOrder","AlphabeticSort","AlphaChannel","AlternateImage","AlternatingFactorial","AlternatingGroup","AlternativeHypothesis","Alternatives","AltitudeMethod","AmbientLight","AmbiguityFunction","AmbiguityList","Analytic","AnatomyData","AnatomyForm","AnatomyPlot3D","AnatomySkinStyle","AnatomyStyling","AnchoredSearch","And","AndersonDarlingTest","AngerJ","AngleBisector","AngleBracket","AnglePath","AnglePath3D","AngleVector","AngularGauge","Animate","AnimatedImage","AnimationCycleOffset","AnimationCycleRepetitions","AnimationDirection","AnimationDisplayTime","AnimationRate","AnimationRepetitions","AnimationRunning","AnimationRunTime","AnimationTimeIndex","AnimationVideo","Animator","AnimatorBox","AnimatorBoxOptions","AnimatorElements","Annotate","Annotation","AnnotationDelete","AnnotationKeys","AnnotationRules","AnnotationValue","Annuity","AnnuityDue","Annulus","AnomalyDetection","AnomalyDetector","AnomalyDetectorFunction","Anonymous","Antialiasing","Antihermitian","AntihermitianMatrixQ","Antisymmetric","AntisymmetricMatrixQ","Antonyms","AnyOrder","AnySubset","AnyTrue","Apart","ApartSquareFree","APIFunction","Appearance","AppearanceElements","AppearanceRules","AppellF1","Append","AppendCheck","AppendLayer","AppendTo","Application","Apply","ApplyReaction","ApplySides","ApplyTo","ArcCos","ArcCosh","ArcCot","ArcCoth","ArcCsc","ArcCsch","ArcCurvature","ARCHProcess","ArcLength","ArcSec","ArcSech","ArcSin","ArcSinDistribution","ArcSinh","ArcTan","ArcTanh","Area","Arg","ArgMax","ArgMin","ArgumentCountQ","ArgumentsOptions","ARIMAProcess","ArithmeticGeometricMean","ARMAProcess","Around","AroundReplace","ARProcess","Array","ArrayComponents","ArrayDepth","ArrayFilter","ArrayFlatten","ArrayMesh","ArrayPad","ArrayPlot","ArrayPlot3D","ArrayQ","ArrayReduce","ArrayResample","ArrayReshape","ArrayRules","Arrays","Arrow","Arrow3DBox","ArrowBox","Arrowheads","ASATriangle","Ask","AskAppend","AskConfirm","AskDisplay","AskedQ","AskedValue","AskFunction","AskState","AskTemplateDisplay","AspectRatio","AspectRatioFixed","Assert","AssessmentFunction","AssessmentResultObject","AssociateTo","Association","AssociationFormat","AssociationMap","AssociationQ","AssociationThread","AssumeDeterministic","Assuming","Assumptions","AstroAngularSeparation","AstroBackground","AstroCenter","AstroDistance","AstroGraphics","AstroGridLines","AstroGridLinesStyle","AstronomicalData","AstroPosition","AstroProjection","AstroRange","AstroRangePadding","AstroReferenceFrame","AstroStyling","AstroZoomLevel","Asymptotic","AsymptoticDSolveValue","AsymptoticEqual","AsymptoticEquivalent","AsymptoticExpectation","AsymptoticGreater","AsymptoticGreaterEqual","AsymptoticIntegrate","AsymptoticLess","AsymptoticLessEqual","AsymptoticOutputTracker","AsymptoticProbability","AsymptoticProduct","AsymptoticRSolveValue","AsymptoticSolve","AsymptoticSum","Asynchronous","AsynchronousTaskObject","AsynchronousTasks","Atom","AtomCoordinates","AtomCount","AtomDiagramCoordinates","AtomLabels","AtomLabelStyle","AtomList","AtomQ","AttachCell","AttachedCell","AttentionLayer","Attributes","Audio","AudioAmplify","AudioAnnotate","AudioAnnotationLookup","AudioBlockMap","AudioCapture","AudioChannelAssignment","AudioChannelCombine","AudioChannelMix","AudioChannels","AudioChannelSeparate","AudioData","AudioDelay","AudioDelete","AudioDevice","AudioDistance","AudioEncoding","AudioFade","AudioFrequencyShift","AudioGenerator","AudioIdentify","AudioInputDevice","AudioInsert","AudioInstanceQ","AudioIntervals","AudioJoin","AudioLabel","AudioLength","AudioLocalMeasurements","AudioLooping","AudioLoudness","AudioMeasurements","AudioNormalize","AudioOutputDevice","AudioOverlay","AudioPad","AudioPan","AudioPartition","AudioPause","AudioPitchShift","AudioPlay","AudioPlot","AudioQ","AudioRecord","AudioReplace","AudioResample","AudioReverb","AudioReverse","AudioSampleRate","AudioSpectralMap","AudioSpectralTransformation","AudioSplit","AudioStop","AudioStream","AudioStreams","AudioTimeStretch","AudioTrackApply","AudioTrackSelection","AudioTrim","AudioType","AugmentedPolyhedron","AugmentedSymmetricPolynomial","Authenticate","Authentication","AuthenticationDialog","AutoAction","Autocomplete","AutocompletionFunction","AutoCopy","AutocorrelationTest","AutoDelete","AutoEvaluateEvents","AutoGeneratedPackage","AutoIndent","AutoIndentSpacings","AutoItalicWords","AutoloadPath","AutoMatch","Automatic","AutomaticImageSize","AutoMultiplicationSymbol","AutoNumberFormatting","AutoOpenNotebooks","AutoOpenPalettes","AutoOperatorRenderings","AutoQuoteCharacters","AutoRefreshed","AutoRemove","AutorunSequencing","AutoScaling","AutoScroll","AutoSpacing","AutoStyleOptions","AutoStyleWords","AutoSubmitting","Axes","AxesEdge","AxesLabel","AxesOrigin","AxesStyle","AxiomaticTheory","Axis","Axis3DBox","Axis3DBoxOptions","AxisBox","AxisBoxOptions","AxisLabel","AxisObject","AxisStyle","BabyMonsterGroupB","Back","BackFaceColor","BackFaceGlowColor","BackFaceOpacity","BackFaceSpecularColor","BackFaceSpecularExponent","BackFaceSurfaceAppearance","BackFaceTexture","Background","BackgroundAppearance","BackgroundTasksSettings","Backslash","Backsubstitution","Backward","Ball","Band","BandpassFilter","BandstopFilter","BarabasiAlbertGraphDistribution","BarChart","BarChart3D","BarcodeImage","BarcodeRecognize","BaringhausHenzeTest","BarLegend","BarlowProschanImportance","BarnesG","BarOrigin","BarSpacing","BartlettHannWindow","BartlettWindow","BaseDecode","BaseEncode","BaseForm","Baseline","BaselinePosition","BaseStyle","BasicRecurrentLayer","BatchNormalizationLayer","BatchSize","BatesDistribution","BattleLemarieWavelet","BayesianMaximization","BayesianMaximizationObject","BayesianMinimization","BayesianMinimizationObject","Because","BeckmannDistribution","Beep","Before","Begin","BeginDialogPacket","BeginPackage","BellB","BellY","Below","BenfordDistribution","BeniniDistribution","BenktanderGibratDistribution","BenktanderWeibullDistribution","BernoulliB","BernoulliDistribution","BernoulliGraphDistribution","BernoulliProcess","BernsteinBasis","BesagL","BesselFilterModel","BesselI","BesselJ","BesselJZero","BesselK","BesselY","BesselYZero","Beta","BetaBinomialDistribution","BetaDistribution","BetaNegativeBinomialDistribution","BetaPrimeDistribution","BetaRegularized","Between","BetweennessCentrality","Beveled","BeveledPolyhedron","BezierCurve","BezierCurve3DBox","BezierCurve3DBoxOptions","BezierCurveBox","BezierCurveBoxOptions","BezierFunction","BilateralFilter","BilateralLaplaceTransform","BilateralZTransform","Binarize","BinaryDeserialize","BinaryDistance","BinaryFormat","BinaryImageQ","BinaryRead","BinaryReadList","BinarySerialize","BinaryWrite","BinCounts","BinLists","BinnedVariogramList","Binomial","BinomialDistribution","BinomialPointProcess","BinomialProcess","BinormalDistribution","BiorthogonalSplineWavelet","BioSequence","BioSequenceBackTranslateList","BioSequenceComplement","BioSequenceInstances","BioSequenceModify","BioSequencePlot","BioSequenceQ","BioSequenceReverseComplement","BioSequenceTranscribe","BioSequenceTranslate","BipartiteGraphQ","BiquadraticFilterModel","BirnbaumImportance","BirnbaumSaundersDistribution","BitAnd","BitClear","BitGet","BitLength","BitNot","BitOr","BitRate","BitSet","BitShiftLeft","BitShiftRight","BitXor","BiweightLocation","BiweightMidvariance","Black","BlackmanHarrisWindow","BlackmanNuttallWindow","BlackmanWindow","Blank","BlankForm","BlankNullSequence","BlankSequence","Blend","Block","BlockchainAddressData","BlockchainBase","BlockchainBlockData","BlockchainContractValue","BlockchainData","BlockchainGet","BlockchainKeyEncode","BlockchainPut","BlockchainTokenData","BlockchainTransaction","BlockchainTransactionData","BlockchainTransactionSign","BlockchainTransactionSubmit","BlockDiagonalMatrix","BlockLowerTriangularMatrix","BlockMap","BlockRandom","BlockUpperTriangularMatrix","BlomqvistBeta","BlomqvistBetaTest","Blue","Blur","Blurring","BodePlot","BohmanWindow","Bold","Bond","BondCount","BondLabels","BondLabelStyle","BondList","BondQ","Bookmarks","Boole","BooleanConsecutiveFunction","BooleanConvert","BooleanCountingFunction","BooleanFunction","BooleanGraph","BooleanMaxterms","BooleanMinimize","BooleanMinterms","BooleanQ","BooleanRegion","Booleans","BooleanStrings","BooleanTable","BooleanVariables","BorderDimensions","BorelTannerDistribution","Bottom","BottomHatTransform","BoundaryDiscretizeGraphics","BoundaryDiscretizeRegion","BoundaryMesh","BoundaryMeshRegion","BoundaryMeshRegionQ","BoundaryStyle","BoundedRegionQ","BoundingRegion","Bounds","Box","BoxBaselineShift","BoxData","BoxDimensions","Boxed","Boxes","BoxForm","BoxFormFormatTypes","BoxFrame","BoxID","BoxMargins","BoxMatrix","BoxObject","BoxRatios","BoxRotation","BoxRotationPoint","BoxStyle","BoxWhiskerChart","Bra","BracketingBar","BraKet","BrayCurtisDistance","BreadthFirstScan","Break","BridgeData","BrightnessEqualize","BroadcastStationData","Brown","BrownForsytheTest","BrownianBridgeProcess","BrowserCategory","BSplineBasis","BSplineCurve","BSplineCurve3DBox","BSplineCurve3DBoxOptions","BSplineCurveBox","BSplineCurveBoxOptions","BSplineFunction","BSplineSurface","BSplineSurface3DBox","BSplineSurface3DBoxOptions","BubbleChart","BubbleChart3D","BubbleScale","BubbleSizes","BuckyballGraph","BuildCompiledComponent","BuildingData","BulletGauge","BusinessDayQ","ButterflyGraph","ButterworthFilterModel","Button","ButtonBar","ButtonBox","ButtonBoxOptions","ButtonCell","ButtonContents","ButtonData","ButtonEvaluator","ButtonExpandable","ButtonFrame","ButtonFunction","ButtonMargins","ButtonMinHeight","ButtonNote","ButtonNotebook","ButtonSource","ButtonStyle","ButtonStyleMenuListing","Byte","ByteArray","ByteArrayFormat","ByteArrayFormatQ","ByteArrayQ","ByteArrayToString","ByteCount","ByteOrdering","C","CachedValue","CacheGraphics","CachePersistence","CalendarConvert","CalendarData","CalendarType","Callout","CalloutMarker","CalloutStyle","CallPacket","CanberraDistance","Cancel","CancelButton","CandlestickChart","CanonicalGraph","CanonicalizePolygon","CanonicalizePolyhedron","CanonicalizeRegion","CanonicalName","CanonicalWarpingCorrespondence","CanonicalWarpingDistance","CantorMesh","CantorStaircase","Canvas","Cap","CapForm","CapitalDifferentialD","Capitalize","CapsuleShape","CaptureRunning","CaputoD","CardinalBSplineBasis","CarlemanLinearize","CarlsonRC","CarlsonRD","CarlsonRE","CarlsonRF","CarlsonRG","CarlsonRJ","CarlsonRK","CarlsonRM","CarmichaelLambda","CaseOrdering","Cases","CaseSensitive","Cashflow","Casoratian","Cast","Catalan","CatalanNumber","Catch","CategoricalDistribution","Catenate","CatenateLayer","CauchyDistribution","CauchyMatrix","CauchyPointProcess","CauchyWindow","CayleyGraph","CDF","CDFDeploy","CDFInformation","CDFWavelet","Ceiling","CelestialSystem","Cell","CellAutoOverwrite","CellBaseline","CellBoundingBox","CellBracketOptions","CellChangeTimes","CellContents","CellContext","CellDingbat","CellDingbatMargin","CellDynamicExpression","CellEditDuplicate","CellElementsBoundingBox","CellElementSpacings","CellEpilog","CellEvaluationDuplicate","CellEvaluationFunction","CellEvaluationLanguage","CellEventActions","CellFrame","CellFrameColor","CellFrameLabelMargins","CellFrameLabels","CellFrameMargins","CellFrameStyle","CellGroup","CellGroupData","CellGrouping","CellGroupingRules","CellHorizontalScrolling","CellID","CellInsertionPointCell","CellLabel","CellLabelAutoDelete","CellLabelMargins","CellLabelPositioning","CellLabelStyle","CellLabelTemplate","CellMargins","CellObject","CellOpen","CellPrint","CellProlog","Cells","CellSize","CellStyle","CellTags","CellTrayPosition","CellTrayWidgets","CellularAutomaton","CensoredDistribution","Censoring","Center","CenterArray","CenterDot","CenteredInterval","CentralFeature","CentralMoment","CentralMomentGeneratingFunction","Cepstrogram","CepstrogramArray","CepstrumArray","CForm","ChampernowneNumber","ChangeOptions","ChannelBase","ChannelBrokerAction","ChannelDatabin","ChannelHistoryLength","ChannelListen","ChannelListener","ChannelListeners","ChannelListenerWait","ChannelObject","ChannelPreSendFunction","ChannelReceiverFunction","ChannelSend","ChannelSubscribers","ChanVeseBinarize","Character","CharacterCounts","CharacterEncoding","CharacterEncodingsPath","CharacteristicFunction","CharacteristicPolynomial","CharacterName","CharacterNormalize","CharacterRange","Characters","ChartBaseStyle","ChartElementData","ChartElementDataFunction","ChartElementFunction","ChartElements","ChartLabels","ChartLayout","ChartLegends","ChartStyle","Chebyshev1FilterModel","Chebyshev2FilterModel","ChebyshevDistance","ChebyshevT","ChebyshevU","Check","CheckAbort","CheckAll","CheckArguments","Checkbox","CheckboxBar","CheckboxBox","CheckboxBoxOptions","ChemicalConvert","ChemicalData","ChemicalFormula","ChemicalInstance","ChemicalReaction","ChessboardDistance","ChiDistribution","ChineseRemainder","ChiSquareDistribution","ChoiceButtons","ChoiceDialog","CholeskyDecomposition","Chop","ChromaticityPlot","ChromaticityPlot3D","ChromaticPolynomial","Circle","CircleBox","CircleDot","CircleMinus","CirclePlus","CirclePoints","CircleThrough","CircleTimes","CirculantGraph","CircularArcThrough","CircularOrthogonalMatrixDistribution","CircularQuaternionMatrixDistribution","CircularRealMatrixDistribution","CircularSymplecticMatrixDistribution","CircularUnitaryMatrixDistribution","Circumsphere","CityData","ClassifierFunction","ClassifierInformation","ClassifierMeasurements","ClassifierMeasurementsObject","Classify","ClassPriors","Clear","ClearAll","ClearAttributes","ClearCookies","ClearPermissions","ClearSystemCache","ClebschGordan","ClickPane","ClickToCopy","ClickToCopyEnabled","Clip","ClipboardNotebook","ClipFill","ClippingStyle","ClipPlanes","ClipPlanesStyle","ClipRange","Clock","ClockGauge","ClockwiseContourIntegral","Close","Closed","CloseKernels","ClosenessCentrality","Closing","ClosingAutoSave","ClosingEvent","CloudAccountData","CloudBase","CloudConnect","CloudConnections","CloudDeploy","CloudDirectory","CloudDisconnect","CloudEvaluate","CloudExport","CloudExpression","CloudExpressions","CloudFunction","CloudGet","CloudImport","CloudLoggingData","CloudObject","CloudObjectInformation","CloudObjectInformationData","CloudObjectNameFormat","CloudObjects","CloudObjectURLType","CloudPublish","CloudPut","CloudRenderingMethod","CloudSave","CloudShare","CloudSubmit","CloudSymbol","CloudUnshare","CloudUserID","ClusterClassify","ClusterDissimilarityFunction","ClusteringComponents","ClusteringMeasurements","ClusteringTree","CMYKColor","Coarse","CodeAssistOptions","Coefficient","CoefficientArrays","CoefficientDomain","CoefficientList","CoefficientRules","CoifletWavelet","Collect","CollinearPoints","Colon","ColonForm","ColorBalance","ColorCombine","ColorConvert","ColorCoverage","ColorData","ColorDataFunction","ColorDetect","ColorDistance","ColorFunction","ColorFunctionBinning","ColorFunctionScaling","Colorize","ColorNegate","ColorOutput","ColorProfileData","ColorQ","ColorQuantize","ColorReplace","ColorRules","ColorSelectorSettings","ColorSeparate","ColorSetter","ColorSetterBox","ColorSetterBoxOptions","ColorSlider","ColorsNear","ColorSpace","ColorToneMapping","Column","ColumnAlignments","ColumnBackgrounds","ColumnForm","ColumnLines","ColumnsEqual","ColumnSpacings","ColumnWidths","CombinatorB","CombinatorC","CombinatorI","CombinatorK","CombinatorS","CombinatorW","CombinatorY","CombinedEntityClass","CombinerFunction","CometData","CommonDefaultFormatTypes","Commonest","CommonestFilter","CommonName","CommonUnits","CommunityBoundaryStyle","CommunityGraphPlot","CommunityLabels","CommunityRegionStyle","CompanyData","CompatibleUnitQ","CompilationOptions","CompilationTarget","Compile","Compiled","CompiledCodeFunction","CompiledComponent","CompiledExpressionDeclaration","CompiledFunction","CompiledLayer","CompilerCallback","CompilerEnvironment","CompilerEnvironmentAppend","CompilerEnvironmentAppendTo","CompilerEnvironmentObject","CompilerOptions","Complement","ComplementedEntityClass","CompleteGraph","CompleteGraphQ","CompleteIntegral","CompleteKaryTree","CompletionsListPacket","Complex","ComplexArrayPlot","ComplexContourPlot","Complexes","ComplexExpand","ComplexInfinity","ComplexityFunction","ComplexListPlot","ComplexPlot","ComplexPlot3D","ComplexRegionPlot","ComplexStreamPlot","ComplexVectorPlot","ComponentMeasurements","ComponentwiseContextMenu","Compose","ComposeList","ComposeSeries","CompositeQ","Composition","CompoundElement","CompoundExpression","CompoundPoissonDistribution","CompoundPoissonProcess","CompoundRenewalProcess","Compress","CompressedData","CompressionLevel","ComputeUncertainty","ConcaveHullMesh","Condition","ConditionalExpression","Conditioned","Cone","ConeBox","ConfidenceLevel","ConfidenceRange","ConfidenceTransform","ConfigurationPath","Confirm","ConfirmAssert","ConfirmBy","ConfirmMatch","ConfirmQuiet","ConformationMethod","ConformAudio","ConformImages","Congruent","ConicGradientFilling","ConicHullRegion","ConicHullRegion3DBox","ConicHullRegion3DBoxOptions","ConicHullRegionBox","ConicHullRegionBoxOptions","ConicOptimization","Conjugate","ConjugateTranspose","Conjunction","Connect","ConnectedComponents","ConnectedGraphComponents","ConnectedGraphQ","ConnectedMeshComponents","ConnectedMoleculeComponents","ConnectedMoleculeQ","ConnectionSettings","ConnectLibraryCallbackFunction","ConnectSystemModelComponents","ConnectSystemModelController","ConnesWindow","ConoverTest","ConservativeConvectionPDETerm","ConsoleMessage","Constant","ConstantArray","ConstantArrayLayer","ConstantImage","ConstantPlusLayer","ConstantRegionQ","Constants","ConstantTimesLayer","ConstellationData","ConstrainedMax","ConstrainedMin","Construct","Containing","ContainsAll","ContainsAny","ContainsExactly","ContainsNone","ContainsOnly","ContentDetectorFunction","ContentFieldOptions","ContentLocationFunction","ContentObject","ContentPadding","ContentsBoundingBox","ContentSelectable","ContentSize","Context","ContextMenu","Contexts","ContextToFileName","Continuation","Continue","ContinuedFraction","ContinuedFractionK","ContinuousAction","ContinuousMarkovProcess","ContinuousTask","ContinuousTimeModelQ","ContinuousWaveletData","ContinuousWaveletTransform","ContourDetect","ContourGraphics","ContourIntegral","ContourLabels","ContourLines","ContourPlot","ContourPlot3D","Contours","ContourShading","ContourSmoothing","ContourStyle","ContraharmonicMean","ContrastiveLossLayer","Control","ControlActive","ControlAlignment","ControlGroupContentsBox","ControllabilityGramian","ControllabilityMatrix","ControllableDecomposition","ControllableModelQ","ControllerDuration","ControllerInformation","ControllerInformationData","ControllerLinking","ControllerManipulate","ControllerMethod","ControllerPath","ControllerState","ControlPlacement","ControlsRendering","ControlType","ConvectionPDETerm","Convergents","ConversionOptions","ConversionRules","ConvertToPostScript","ConvertToPostScriptPacket","ConvexHullMesh","ConvexHullRegion","ConvexOptimization","ConvexPolygonQ","ConvexPolyhedronQ","ConvexRegionQ","ConvolutionLayer","Convolve","ConwayGroupCo1","ConwayGroupCo2","ConwayGroupCo3","CookieFunction","Cookies","CoordinateBoundingBox","CoordinateBoundingBoxArray","CoordinateBounds","CoordinateBoundsArray","CoordinateChartData","CoordinatesToolOptions","CoordinateTransform","CoordinateTransformData","CoplanarPoints","CoprimeQ","Coproduct","CopulaDistribution","Copyable","CopyDatabin","CopyDirectory","CopyFile","CopyFunction","CopyTag","CopyToClipboard","CoreNilpotentDecomposition","CornerFilter","CornerNeighbors","Correlation","CorrelationDistance","CorrelationFunction","CorrelationTest","Cos","Cosh","CoshIntegral","CosineDistance","CosineWindow","CosIntegral","Cot","Coth","CoulombF","CoulombG","CoulombH1","CoulombH2","Count","CountDistinct","CountDistinctBy","CounterAssignments","CounterBox","CounterBoxOptions","CounterClockwiseContourIntegral","CounterEvaluator","CounterFunction","CounterIncrements","CounterStyle","CounterStyleMenuListing","CountRoots","CountryData","Counts","CountsBy","Covariance","CovarianceEstimatorFunction","CovarianceFunction","CoxianDistribution","CoxIngersollRossProcess","CoxModel","CoxModelFit","CramerVonMisesTest","CreateArchive","CreateCellID","CreateChannel","CreateCloudExpression","CreateCompilerEnvironment","CreateDatabin","CreateDataStructure","CreateDataSystemModel","CreateDialog","CreateDirectory","CreateDocument","CreateFile","CreateIntermediateDirectories","CreateLicenseEntitlement","CreateManagedLibraryExpression","CreateNotebook","CreatePacletArchive","CreatePalette","CreatePermissionsGroup","CreateScheduledTask","CreateSearchIndex","CreateSystemModel","CreateTemporary","CreateTypeInstance","CreateUUID","CreateWindow","CriterionFunction","CriticalityFailureImportance","CriticalitySuccessImportance","CriticalSection","Cross","CrossEntropyLossLayer","CrossingCount","CrossingDetect","CrossingPolygon","CrossMatrix","Csc","Csch","CSGRegion","CSGRegionQ","CSGRegionTree","CTCLossLayer","Cube","CubeRoot","Cubics","Cuboid","CuboidBox","CuboidBoxOptions","Cumulant","CumulantGeneratingFunction","CumulativeFeatureImpactPlot","Cup","CupCap","Curl","CurlyDoubleQuote","CurlyQuote","CurrencyConvert","CurrentDate","CurrentImage","CurrentNotebookImage","CurrentScreenImage","CurrentValue","Curry","CurryApplied","CurvatureFlowFilter","CurveClosed","Cyan","CycleGraph","CycleIndexPolynomial","Cycles","CyclicGroup","Cyclotomic","Cylinder","CylinderBox","CylinderBoxOptions","CylindricalDecomposition","CylindricalDecompositionFunction","D","DagumDistribution","DamData","DamerauLevenshteinDistance","DampingFactor","Darker","Dashed","Dashing","DatabaseConnect","DatabaseDisconnect","DatabaseReference","Databin","DatabinAdd","DatabinRemove","Databins","DatabinSubmit","DatabinUpload","DataCompression","DataDistribution","DataRange","DataReversed","Dataset","DatasetDisplayPanel","DatasetTheme","DataStructure","DataStructureQ","Date","DateBounds","Dated","DateDelimiters","DateDifference","DatedUnit","DateFormat","DateFunction","DateGranularity","DateHistogram","DateInterval","DateList","DateListLogPlot","DateListPlot","DateListStepPlot","DateObject","DateObjectQ","DateOverlapsQ","DatePattern","DatePlus","DateRange","DateReduction","DateScale","DateSelect","DateString","DateTicksFormat","DateValue","DateWithinQ","DaubechiesWavelet","DavisDistribution","DawsonF","DayCount","DayCountConvention","DayHemisphere","DaylightQ","DayMatchQ","DayName","DayNightTerminator","DayPlus","DayRange","DayRound","DeBruijnGraph","DeBruijnSequence","Debug","DebugTag","Decapitalize","Decimal","DecimalForm","DeclareCompiledComponent","DeclareKnownSymbols","DeclarePackage","Decompose","DeconvolutionLayer","Decrement","Decrypt","DecryptFile","DedekindEta","DeepSpaceProbeData","Default","Default2DTool","Default3DTool","DefaultAttachedCellStyle","DefaultAxesStyle","DefaultBaseStyle","DefaultBoxStyle","DefaultButton","DefaultColor","DefaultControlPlacement","DefaultDockedCellStyle","DefaultDuplicateCellStyle","DefaultDuration","DefaultElement","DefaultFaceGridsStyle","DefaultFieldHintStyle","DefaultFont","DefaultFontProperties","DefaultFormatType","DefaultFrameStyle","DefaultFrameTicksStyle","DefaultGridLinesStyle","DefaultInlineFormatType","DefaultInputFormatType","DefaultLabelStyle","DefaultMenuStyle","DefaultNaturalLanguage","DefaultNewCellStyle","DefaultNewInlineCellStyle","DefaultNotebook","DefaultOptions","DefaultOutputFormatType","DefaultPrintPrecision","DefaultStyle","DefaultStyleDefinitions","DefaultTextFormatType","DefaultTextInlineFormatType","DefaultTicksStyle","DefaultTooltipStyle","DefaultValue","DefaultValues","Defer","DefineExternal","DefineInputStreamMethod","DefineOutputStreamMethod","DefineResourceFunction","Definition","Degree","DegreeCentrality","DegreeGraphDistribution","DegreeLexicographic","DegreeReverseLexicographic","DEigensystem","DEigenvalues","Deinitialization","Del","DelaunayMesh","Delayed","Deletable","Delete","DeleteAdjacentDuplicates","DeleteAnomalies","DeleteBorderComponents","DeleteCases","DeleteChannel","DeleteCloudExpression","DeleteContents","DeleteDirectory","DeleteDuplicates","DeleteDuplicatesBy","DeleteElements","DeleteFile","DeleteMissing","DeleteObject","DeletePermissionsKey","DeleteSearchIndex","DeleteSmallComponents","DeleteStopwords","DeleteWithContents","DeletionWarning","DelimitedArray","DelimitedSequence","Delimiter","DelimiterAutoMatching","DelimiterFlashTime","DelimiterMatching","Delimiters","DeliveryFunction","Dendrogram","Denominator","DensityGraphics","DensityHistogram","DensityPlot","DensityPlot3D","DependentVariables","Deploy","Deployed","Depth","DepthFirstScan","Derivative","DerivativeFilter","DerivativePDETerm","DerivedKey","DescriptorStateSpace","DesignMatrix","DestroyAfterEvaluation","Det","DeviceClose","DeviceConfigure","DeviceExecute","DeviceExecuteAsynchronous","DeviceObject","DeviceOpen","DeviceOpenQ","DeviceRead","DeviceReadBuffer","DeviceReadLatest","DeviceReadList","DeviceReadTimeSeries","Devices","DeviceStreams","DeviceWrite","DeviceWriteBuffer","DGaussianWavelet","DiacriticalPositioning","Diagonal","DiagonalizableMatrixQ","DiagonalMatrix","DiagonalMatrixQ","Dialog","DialogIndent","DialogInput","DialogLevel","DialogNotebook","DialogProlog","DialogReturn","DialogSymbols","Diamond","DiamondMatrix","DiceDissimilarity","DictionaryLookup","DictionaryWordQ","DifferenceDelta","DifferenceOrder","DifferenceQuotient","DifferenceRoot","DifferenceRootReduce","Differences","DifferentialD","DifferentialRoot","DifferentialRootReduce","DifferentiatorFilter","DiffusionPDETerm","DiggleGatesPointProcess","DiggleGrattonPointProcess","DigitalSignature","DigitBlock","DigitBlockMinimum","DigitCharacter","DigitCount","DigitQ","DihedralAngle","DihedralGroup","Dilation","DimensionalCombinations","DimensionalMeshComponents","DimensionReduce","DimensionReducerFunction","DimensionReduction","Dimensions","DiracComb","DiracDelta","DirectedEdge","DirectedEdges","DirectedGraph","DirectedGraphQ","DirectedInfinity","Direction","DirectionalLight","Directive","Directory","DirectoryName","DirectoryQ","DirectoryStack","DirichletBeta","DirichletCharacter","DirichletCondition","DirichletConvolve","DirichletDistribution","DirichletEta","DirichletL","DirichletLambda","DirichletTransform","DirichletWindow","DisableConsolePrintPacket","DisableFormatting","DiscreteAsymptotic","DiscreteChirpZTransform","DiscreteConvolve","DiscreteDelta","DiscreteHadamardTransform","DiscreteIndicator","DiscreteInputOutputModel","DiscreteLimit","DiscreteLQEstimatorGains","DiscreteLQRegulatorGains","DiscreteLyapunovSolve","DiscreteMarkovProcess","DiscreteMaxLimit","DiscreteMinLimit","DiscretePlot","DiscretePlot3D","DiscreteRatio","DiscreteRiccatiSolve","DiscreteShift","DiscreteTimeModelQ","DiscreteUniformDistribution","DiscreteVariables","DiscreteWaveletData","DiscreteWaveletPacketTransform","DiscreteWaveletTransform","DiscretizeGraphics","DiscretizeRegion","Discriminant","DisjointQ","Disjunction","Disk","DiskBox","DiskBoxOptions","DiskMatrix","DiskSegment","Dispatch","DispatchQ","DispersionEstimatorFunction","Display","DisplayAllSteps","DisplayEndPacket","DisplayForm","DisplayFunction","DisplayPacket","DisplayRules","DisplayString","DisplayTemporary","DisplayWith","DisplayWithRef","DisplayWithVariable","DistanceFunction","DistanceMatrix","DistanceTransform","Distribute","Distributed","DistributedContexts","DistributeDefinitions","DistributionChart","DistributionDomain","DistributionFitTest","DistributionParameterAssumptions","DistributionParameterQ","Dithering","Div","Divergence","Divide","DivideBy","Dividers","DivideSides","Divisible","Divisors","DivisorSigma","DivisorSum","DMSList","DMSString","Do","DockedCell","DockedCells","DocumentGenerator","DocumentGeneratorInformation","DocumentGeneratorInformationData","DocumentGenerators","DocumentNotebook","DocumentWeightingRules","Dodecahedron","DomainRegistrationInformation","DominantColors","DominatorTreeGraph","DominatorVertexList","DOSTextFormat","Dot","DotDashed","DotEqual","DotLayer","DotPlusLayer","Dotted","DoubleBracketingBar","DoubleContourIntegral","DoubleDownArrow","DoubleLeftArrow","DoubleLeftRightArrow","DoubleLeftTee","DoubleLongLeftArrow","DoubleLongLeftRightArrow","DoubleLongRightArrow","DoubleRightArrow","DoubleRightTee","DoubleUpArrow","DoubleUpDownArrow","DoubleVerticalBar","DoublyInfinite","Down","DownArrow","DownArrowBar","DownArrowUpArrow","DownLeftRightVector","DownLeftTeeVector","DownLeftVector","DownLeftVectorBar","DownRightTeeVector","DownRightVector","DownRightVectorBar","Downsample","DownTee","DownTeeArrow","DownValues","DownValuesFunction","DragAndDrop","DrawBackFaces","DrawEdges","DrawFrontFaces","DrawHighlighted","DrazinInverse","Drop","DropoutLayer","DropShadowing","DSolve","DSolveChangeVariables","DSolveValue","Dt","DualLinearProgramming","DualPlanarGraph","DualPolyhedron","DualSystemsModel","DumpGet","DumpSave","DuplicateFreeQ","Duration","Dynamic","DynamicBox","DynamicBoxOptions","DynamicEvaluationTimeout","DynamicGeoGraphics","DynamicImage","DynamicLocation","DynamicModule","DynamicModuleBox","DynamicModuleBoxOptions","DynamicModuleParent","DynamicModuleValues","DynamicName","DynamicNamespace","DynamicReference","DynamicSetting","DynamicUpdating","DynamicWrapper","DynamicWrapperBox","DynamicWrapperBoxOptions","E","EarthImpactData","EarthquakeData","EccentricityCentrality","Echo","EchoEvaluation","EchoFunction","EchoLabel","EchoTiming","EclipseType","EdgeAdd","EdgeBetweennessCentrality","EdgeCapacity","EdgeCapForm","EdgeChromaticNumber","EdgeColor","EdgeConnectivity","EdgeContract","EdgeCost","EdgeCount","EdgeCoverQ","EdgeCycleMatrix","EdgeDashing","EdgeDelete","EdgeDetect","EdgeForm","EdgeIndex","EdgeJoinForm","EdgeLabeling","EdgeLabels","EdgeLabelStyle","EdgeList","EdgeOpacity","EdgeQ","EdgeRenderingFunction","EdgeRules","EdgeShapeFunction","EdgeStyle","EdgeTaggedGraph","EdgeTaggedGraphQ","EdgeTags","EdgeThickness","EdgeTransitiveGraphQ","EdgeValueRange","EdgeValueSizes","EdgeWeight","EdgeWeightedGraphQ","Editable","EditButtonSettings","EditCellTagsSettings","EditDistance","EffectiveInterest","Eigensystem","Eigenvalues","EigenvectorCentrality","Eigenvectors","Element","ElementData","ElementwiseLayer","ElidedForms","Eliminate","EliminationOrder","Ellipsoid","EllipticE","EllipticExp","EllipticExpPrime","EllipticF","EllipticFilterModel","EllipticK","EllipticLog","EllipticNomeQ","EllipticPi","EllipticReducedHalfPeriods","EllipticTheta","EllipticThetaPrime","EmbedCode","EmbeddedHTML","EmbeddedService","EmbeddedSQLEntityClass","EmbeddedSQLExpression","EmbeddingLayer","EmbeddingObject","EmitSound","EmphasizeSyntaxErrors","EmpiricalDistribution","Empty","EmptyGraphQ","EmptyRegion","EmptySpaceF","EnableConsolePrintPacket","Enabled","Enclose","Encode","Encrypt","EncryptedObject","EncryptFile","End","EndAdd","EndDialogPacket","EndOfBuffer","EndOfFile","EndOfLine","EndOfString","EndPackage","EngineEnvironment","EngineeringForm","Enter","EnterExpressionPacket","EnterTextPacket","Entity","EntityClass","EntityClassList","EntityCopies","EntityFunction","EntityGroup","EntityInstance","EntityList","EntityPrefetch","EntityProperties","EntityProperty","EntityPropertyClass","EntityRegister","EntityStore","EntityStores","EntityTypeName","EntityUnregister","EntityValue","Entropy","EntropyFilter","Environment","Epilog","EpilogFunction","Equal","EqualColumns","EqualRows","EqualTilde","EqualTo","EquatedTo","Equilibrium","EquirippleFilterKernel","Equivalent","Erf","Erfc","Erfi","ErlangB","ErlangC","ErlangDistribution","Erosion","ErrorBox","ErrorBoxOptions","ErrorNorm","ErrorPacket","ErrorsDialogSettings","EscapeRadius","EstimatedBackground","EstimatedDistribution","EstimatedPointNormals","EstimatedPointProcess","EstimatedProcess","EstimatedVariogramModel","EstimatorGains","EstimatorRegulator","EuclideanDistance","EulerAngles","EulerCharacteristic","EulerE","EulerGamma","EulerianGraphQ","EulerMatrix","EulerPhi","Evaluatable","Evaluate","Evaluated","EvaluatePacket","EvaluateScheduledTask","EvaluationBox","EvaluationCell","EvaluationCompletionAction","EvaluationData","EvaluationElements","EvaluationEnvironment","EvaluationMode","EvaluationMonitor","EvaluationNotebook","EvaluationObject","EvaluationOrder","EvaluationPrivileges","EvaluationRateLimit","Evaluator","EvaluatorNames","EvenQ","EventData","EventEvaluator","EventHandler","EventHandlerTag","EventLabels","EventSeries","ExactBlackmanWindow","ExactNumberQ","ExactRootIsolation","ExampleData","Except","ExcludedContexts","ExcludedForms","ExcludedLines","ExcludedPhysicalQuantities","ExcludePods","Exclusions","ExclusionsStyle","Exists","Exit","ExitDialog","ExoplanetData","Exp","Expand","ExpandAll","ExpandDenominator","ExpandFileName","ExpandNumerator","Expectation","ExpectationE","ExpectedValue","ExpGammaDistribution","ExpIntegralE","ExpIntegralEi","ExpirationDate","Exponent","ExponentFunction","ExponentialDistribution","ExponentialFamily","ExponentialGeneratingFunction","ExponentialMovingAverage","ExponentialPowerDistribution","ExponentPosition","ExponentStep","Export","ExportAutoReplacements","ExportByteArray","ExportForm","ExportPacket","ExportString","Expression","ExpressionCell","ExpressionGraph","ExpressionPacket","ExpressionTree","ExpressionUUID","ExpToTrig","ExtendedEntityClass","ExtendedGCD","Extension","ExtentElementFunction","ExtentMarkers","ExtentSize","ExternalBundle","ExternalCall","ExternalDataCharacterEncoding","ExternalEvaluate","ExternalFunction","ExternalFunctionName","ExternalIdentifier","ExternalObject","ExternalOptions","ExternalSessionObject","ExternalSessions","ExternalStorageBase","ExternalStorageDownload","ExternalStorageGet","ExternalStorageObject","ExternalStoragePut","ExternalStorageUpload","ExternalTypeSignature","ExternalValue","Extract","ExtractArchive","ExtractLayer","ExtractPacletArchive","ExtremeValueDistribution","FaceAlign","FaceForm","FaceGrids","FaceGridsStyle","FaceRecognize","FacialFeatures","Factor","FactorComplete","Factorial","Factorial2","FactorialMoment","FactorialMomentGeneratingFunction","FactorialPower","FactorInteger","FactorList","FactorSquareFree","FactorSquareFreeList","FactorTerms","FactorTermsList","Fail","Failure","FailureAction","FailureDistribution","FailureQ","False","FareySequence","FARIMAProcess","FeatureDistance","FeatureExtract","FeatureExtraction","FeatureExtractor","FeatureExtractorFunction","FeatureImpactPlot","FeatureNames","FeatureNearest","FeatureSpacePlot","FeatureSpacePlot3D","FeatureTypes","FeatureValueDependencyPlot","FeatureValueImpactPlot","FEDisableConsolePrintPacket","FeedbackLinearize","FeedbackSector","FeedbackSectorStyle","FeedbackType","FEEnableConsolePrintPacket","FetalGrowthData","Fibonacci","Fibonorial","FieldCompletionFunction","FieldHint","FieldHintStyle","FieldMasked","FieldSize","File","FileBaseName","FileByteCount","FileConvert","FileDate","FileExistsQ","FileExtension","FileFormat","FileFormatProperties","FileFormatQ","FileHandler","FileHash","FileInformation","FileName","FileNameDepth","FileNameDialogSettings","FileNameDrop","FileNameForms","FileNameJoin","FileNames","FileNameSetter","FileNameSplit","FileNameTake","FileNameToFormatList","FilePrint","FileSize","FileSystemMap","FileSystemScan","FileSystemTree","FileTemplate","FileTemplateApply","FileType","FilledCurve","FilledCurveBox","FilledCurveBoxOptions","FilledTorus","FillForm","Filling","FillingStyle","FillingTransform","FilteredEntityClass","FilterRules","FinancialBond","FinancialData","FinancialDerivative","FinancialIndicator","Find","FindAnomalies","FindArgMax","FindArgMin","FindChannels","FindClique","FindClusters","FindCookies","FindCurvePath","FindCycle","FindDevices","FindDistribution","FindDistributionParameters","FindDivisions","FindEdgeColoring","FindEdgeCover","FindEdgeCut","FindEdgeIndependentPaths","FindEquationalProof","FindEulerianCycle","FindExternalEvaluators","FindFaces","FindFile","FindFit","FindFormula","FindFundamentalCycles","FindGeneratingFunction","FindGeoLocation","FindGeometricConjectures","FindGeometricTransform","FindGraphCommunities","FindGraphIsomorphism","FindGraphPartition","FindHamiltonianCycle","FindHamiltonianPath","FindHiddenMarkovStates","FindImageText","FindIndependentEdgeSet","FindIndependentVertexSet","FindInstance","FindIntegerNullVector","FindIsomers","FindIsomorphicSubgraph","FindKClan","FindKClique","FindKClub","FindKPlex","FindLibrary","FindLinearRecurrence","FindList","FindMatchingColor","FindMaximum","FindMaximumCut","FindMaximumFlow","FindMaxValue","FindMeshDefects","FindMinimum","FindMinimumCostFlow","FindMinimumCut","FindMinValue","FindMoleculeSubstructure","FindPath","FindPeaks","FindPermutation","FindPlanarColoring","FindPointProcessParameters","FindPostmanTour","FindProcessParameters","FindRegionTransform","FindRepeat","FindRoot","FindSequenceFunction","FindSettings","FindShortestPath","FindShortestTour","FindSpanningTree","FindSubgraphIsomorphism","FindSystemModelEquilibrium","FindTextualAnswer","FindThreshold","FindTransientRepeat","FindVertexColoring","FindVertexCover","FindVertexCut","FindVertexIndependentPaths","Fine","FinishDynamic","FiniteAbelianGroupCount","FiniteGroupCount","FiniteGroupData","First","FirstCase","FirstPassageTimeDistribution","FirstPosition","FischerGroupFi22","FischerGroupFi23","FischerGroupFi24Prime","FisherHypergeometricDistribution","FisherRatioTest","FisherZDistribution","Fit","FitAll","FitRegularization","FittedModel","FixedOrder","FixedPoint","FixedPointList","FlashSelection","Flat","FlatShading","Flatten","FlattenAt","FlattenLayer","FlatTopWindow","FlightData","FlipView","Floor","FlowPolynomial","Fold","FoldList","FoldPair","FoldPairList","FoldWhile","FoldWhileList","FollowRedirects","Font","FontColor","FontFamily","FontForm","FontName","FontOpacity","FontPostScriptName","FontProperties","FontReencoding","FontSize","FontSlant","FontSubstitutions","FontTracking","FontVariations","FontWeight","For","ForAll","ForAllType","ForceVersionInstall","Format","FormatRules","FormatType","FormatTypeAutoConvert","FormatValues","FormBox","FormBoxOptions","FormControl","FormFunction","FormLayoutFunction","FormObject","FormPage","FormProtectionMethod","FormTheme","FormulaData","FormulaLookup","FortranForm","Forward","ForwardBackward","ForwardCloudCredentials","Fourier","FourierCoefficient","FourierCosCoefficient","FourierCosSeries","FourierCosTransform","FourierDCT","FourierDCTFilter","FourierDCTMatrix","FourierDST","FourierDSTMatrix","FourierMatrix","FourierParameters","FourierSequenceTransform","FourierSeries","FourierSinCoefficient","FourierSinSeries","FourierSinTransform","FourierTransform","FourierTrigSeries","FoxH","FoxHReduce","FractionalBrownianMotionProcess","FractionalD","FractionalGaussianNoiseProcess","FractionalPart","FractionBox","FractionBoxOptions","FractionLine","Frame","FrameBox","FrameBoxOptions","Framed","FrameInset","FrameLabel","Frameless","FrameListVideo","FrameMargins","FrameRate","FrameStyle","FrameTicks","FrameTicksStyle","FRatioDistribution","FrechetDistribution","FreeQ","FrenetSerretSystem","FrequencySamplingFilterKernel","FresnelC","FresnelF","FresnelG","FresnelS","Friday","FrobeniusNumber","FrobeniusSolve","FromAbsoluteTime","FromCharacterCode","FromCoefficientRules","FromContinuedFraction","FromDate","FromDateString","FromDigits","FromDMS","FromEntity","FromJulianDate","FromLetterNumber","FromPolarCoordinates","FromRawPointer","FromRomanNumeral","FromSphericalCoordinates","FromUnixTime","Front","FrontEndDynamicExpression","FrontEndEventActions","FrontEndExecute","FrontEndObject","FrontEndResource","FrontEndResourceString","FrontEndStackSize","FrontEndToken","FrontEndTokenExecute","FrontEndValueCache","FrontEndVersion","FrontFaceColor","FrontFaceGlowColor","FrontFaceOpacity","FrontFaceSpecularColor","FrontFaceSpecularExponent","FrontFaceSurfaceAppearance","FrontFaceTexture","Full","FullAxes","FullDefinition","FullForm","FullGraphics","FullInformationOutputRegulator","FullOptions","FullRegion","FullSimplify","Function","FunctionAnalytic","FunctionBijective","FunctionCompile","FunctionCompileExport","FunctionCompileExportByteArray","FunctionCompileExportLibrary","FunctionCompileExportString","FunctionContinuous","FunctionConvexity","FunctionDeclaration","FunctionDiscontinuities","FunctionDomain","FunctionExpand","FunctionInjective","FunctionInterpolation","FunctionLayer","FunctionMeromorphic","FunctionMonotonicity","FunctionPeriod","FunctionPoles","FunctionRange","FunctionSign","FunctionSingularities","FunctionSpace","FunctionSurjective","FussellVeselyImportance","GaborFilter","GaborMatrix","GaborWavelet","GainMargins","GainPhaseMargins","GalaxyData","GalleryView","Gamma","GammaDistribution","GammaRegularized","GapPenalty","GARCHProcess","GatedRecurrentLayer","Gather","GatherBy","GaugeFaceElementFunction","GaugeFaceStyle","GaugeFrameElementFunction","GaugeFrameSize","GaugeFrameStyle","GaugeLabels","GaugeMarkers","GaugeStyle","GaussianFilter","GaussianIntegers","GaussianMatrix","GaussianOrthogonalMatrixDistribution","GaussianSymplecticMatrixDistribution","GaussianUnitaryMatrixDistribution","GaussianWindow","GCD","GegenbauerC","General","GeneralizedLinearModelFit","GenerateAsymmetricKeyPair","GenerateConditions","GeneratedAssetFormat","GeneratedAssetLocation","GeneratedCell","GeneratedCellStyles","GeneratedDocumentBinding","GenerateDerivedKey","GenerateDigitalSignature","GenerateDocument","GeneratedParameters","GeneratedQuantityMagnitudes","GenerateFileSignature","GenerateHTTPResponse","GenerateSecuredAuthenticationKey","GenerateSymmetricKey","GeneratingFunction","GeneratorDescription","GeneratorHistoryLength","GeneratorOutputType","Generic","GenericCylindricalDecomposition","GenomeData","GenomeLookup","GeoAntipode","GeoArea","GeoArraySize","GeoBackground","GeoBoundary","GeoBoundingBox","GeoBounds","GeoBoundsRegion","GeoBoundsRegionBoundary","GeoBubbleChart","GeoCenter","GeoCircle","GeoContourPlot","GeoDensityPlot","GeodesicClosing","GeodesicDilation","GeodesicErosion","GeodesicOpening","GeodesicPolyhedron","GeoDestination","GeodesyData","GeoDirection","GeoDisk","GeoDisplacement","GeoDistance","GeoDistanceList","GeoElevationData","GeoEntities","GeoGraphics","GeoGraphPlot","GeoGraphValuePlot","GeogravityModelData","GeoGridDirectionDifference","GeoGridLines","GeoGridLinesStyle","GeoGridPosition","GeoGridRange","GeoGridRangePadding","GeoGridUnitArea","GeoGridUnitDistance","GeoGridVector","GeoGroup","GeoHemisphere","GeoHemisphereBoundary","GeoHistogram","GeoIdentify","GeoImage","GeoLabels","GeoLength","GeoListPlot","GeoLocation","GeologicalPeriodData","GeomagneticModelData","GeoMarker","GeometricAssertion","GeometricBrownianMotionProcess","GeometricDistribution","GeometricMean","GeometricMeanFilter","GeometricOptimization","GeometricScene","GeometricStep","GeometricStylingRules","GeometricTest","GeometricTransformation","GeometricTransformation3DBox","GeometricTransformation3DBoxOptions","GeometricTransformationBox","GeometricTransformationBoxOptions","GeoModel","GeoNearest","GeoOrientationData","GeoPath","GeoPolygon","GeoPosition","GeoPositionENU","GeoPositionXYZ","GeoProjection","GeoProjectionData","GeoRange","GeoRangePadding","GeoRegionValuePlot","GeoResolution","GeoScaleBar","GeoServer","GeoSmoothHistogram","GeoStreamPlot","GeoStyling","GeoStylingImageFunction","GeoVariant","GeoVector","GeoVectorENU","GeoVectorPlot","GeoVectorXYZ","GeoVisibleRegion","GeoVisibleRegionBoundary","GeoWithinQ","GeoZoomLevel","GestureHandler","GestureHandlerTag","Get","GetContext","GetEnvironment","GetFileName","GetLinebreakInformationPacket","GibbsPointProcess","Glaisher","GlobalClusteringCoefficient","GlobalPreferences","GlobalSession","Glow","GoldenAngle","GoldenRatio","GompertzMakehamDistribution","GoochShading","GoodmanKruskalGamma","GoodmanKruskalGammaTest","Goto","GouraudShading","Grad","Gradient","GradientFilter","GradientFittedMesh","GradientOrientationFilter","GrammarApply","GrammarRules","GrammarToken","Graph","Graph3D","GraphAssortativity","GraphAutomorphismGroup","GraphCenter","GraphComplement","GraphData","GraphDensity","GraphDiameter","GraphDifference","GraphDisjointUnion","GraphDistance","GraphDistanceMatrix","GraphEmbedding","GraphHighlight","GraphHighlightStyle","GraphHub","Graphics","Graphics3D","Graphics3DBox","Graphics3DBoxOptions","GraphicsArray","GraphicsBaseline","GraphicsBox","GraphicsBoxOptions","GraphicsColor","GraphicsColumn","GraphicsComplex","GraphicsComplex3DBox","GraphicsComplex3DBoxOptions","GraphicsComplexBox","GraphicsComplexBoxOptions","GraphicsContents","GraphicsData","GraphicsGrid","GraphicsGridBox","GraphicsGroup","GraphicsGroup3DBox","GraphicsGroup3DBoxOptions","GraphicsGroupBox","GraphicsGroupBoxOptions","GraphicsGrouping","GraphicsHighlightColor","GraphicsRow","GraphicsSpacing","GraphicsStyle","GraphIntersection","GraphJoin","GraphLayerLabels","GraphLayers","GraphLayerStyle","GraphLayout","GraphLinkEfficiency","GraphPeriphery","GraphPlot","GraphPlot3D","GraphPower","GraphProduct","GraphPropertyDistribution","GraphQ","GraphRadius","GraphReciprocity","GraphRoot","GraphStyle","GraphSum","GraphTree","GraphUnion","Gray","GrayLevel","Greater","GreaterEqual","GreaterEqualLess","GreaterEqualThan","GreaterFullEqual","GreaterGreater","GreaterLess","GreaterSlantEqual","GreaterThan","GreaterTilde","GreekStyle","Green","GreenFunction","Grid","GridBaseline","GridBox","GridBoxAlignment","GridBoxBackground","GridBoxDividers","GridBoxFrame","GridBoxItemSize","GridBoxItemStyle","GridBoxOptions","GridBoxSpacings","GridCreationSettings","GridDefaultElement","GridElementStyleOptions","GridFrame","GridFrameMargins","GridGraph","GridLines","GridLinesStyle","GridVideo","GroebnerBasis","GroupActionBase","GroupBy","GroupCentralizer","GroupElementFromWord","GroupElementPosition","GroupElementQ","GroupElements","GroupElementToWord","GroupGenerators","Groupings","GroupMultiplicationTable","GroupOpenerColor","GroupOpenerInsideFrame","GroupOrbits","GroupOrder","GroupPageBreakWithin","GroupSetwiseStabilizer","GroupStabilizer","GroupStabilizerChain","GroupTogetherGrouping","GroupTogetherNestedGrouping","GrowCutComponents","Gudermannian","GuidedFilter","GumbelDistribution","HaarWavelet","HadamardMatrix","HalfLine","HalfNormalDistribution","HalfPlane","HalfSpace","HalftoneShading","HamiltonianGraphQ","HammingDistance","HammingWindow","HandlerFunctions","HandlerFunctionsKeys","HankelH1","HankelH2","HankelMatrix","HankelTransform","HannPoissonWindow","HannWindow","HaradaNortonGroupHN","HararyGraph","HardcorePointProcess","HarmonicMean","HarmonicMeanFilter","HarmonicNumber","Hash","HatchFilling","HatchShading","Haversine","HazardFunction","Head","HeadCompose","HeaderAlignment","HeaderBackground","HeaderDisplayFunction","HeaderLines","Headers","HeaderSize","HeaderStyle","Heads","HeatFluxValue","HeatInsulationValue","HeatOutflowValue","HeatRadiationValue","HeatSymmetryValue","HeatTemperatureCondition","HeatTransferPDEComponent","HeatTransferValue","HeavisideLambda","HeavisidePi","HeavisideTheta","HeldGroupHe","HeldPart","HelmholtzPDEComponent","HelpBrowserLookup","HelpBrowserNotebook","HelpBrowserSettings","HelpViewerSettings","Here","HermiteDecomposition","HermiteH","Hermitian","HermitianMatrixQ","HessenbergDecomposition","Hessian","HeunB","HeunBPrime","HeunC","HeunCPrime","HeunD","HeunDPrime","HeunG","HeunGPrime","HeunT","HeunTPrime","HexadecimalCharacter","Hexahedron","HexahedronBox","HexahedronBoxOptions","HiddenItems","HiddenMarkovProcess","HiddenSurface","Highlighted","HighlightGraph","HighlightImage","HighlightMesh","HighlightString","HighpassFilter","HigmanSimsGroupHS","HilbertCurve","HilbertFilter","HilbertMatrix","Histogram","Histogram3D","HistogramDistribution","HistogramList","HistogramPointDensity","HistogramTransform","HistogramTransformInterpolation","HistoricalPeriodData","HitMissTransform","HITSCentrality","HjorthDistribution","HodgeDual","HoeffdingD","HoeffdingDTest","Hold","HoldAll","HoldAllComplete","HoldComplete","HoldFirst","HoldForm","HoldPattern","HoldRest","HolidayCalendar","HomeDirectory","HomePage","Horizontal","HorizontalForm","HorizontalGauge","HorizontalScrollPosition","HornerForm","HostLookup","HotellingTSquareDistribution","HoytDistribution","HTMLSave","HTTPErrorResponse","HTTPRedirect","HTTPRequest","HTTPRequestData","HTTPResponse","Hue","HumanGrowthData","HumpDownHump","HumpEqual","HurwitzLerchPhi","HurwitzZeta","HyperbolicDistribution","HypercubeGraph","HyperexponentialDistribution","Hyperfactorial","Hypergeometric0F1","Hypergeometric0F1Regularized","Hypergeometric1F1","Hypergeometric1F1Regularized","Hypergeometric2F1","Hypergeometric2F1Regularized","HypergeometricDistribution","HypergeometricPFQ","HypergeometricPFQRegularized","HypergeometricU","Hyperlink","HyperlinkAction","HyperlinkCreationSettings","Hyperplane","Hyphenation","HyphenationOptions","HypoexponentialDistribution","HypothesisTestData","I","IconData","Iconize","IconizedObject","IconRules","Icosahedron","Identity","IdentityMatrix","If","IfCompiled","IgnoreCase","IgnoreDiacritics","IgnoreIsotopes","IgnorePunctuation","IgnoreSpellCheck","IgnoreStereochemistry","IgnoringInactive","Im","Image","Image3D","Image3DProjection","Image3DSlices","ImageAccumulate","ImageAdd","ImageAdjust","ImageAlign","ImageApply","ImageApplyIndexed","ImageAspectRatio","ImageAssemble","ImageAugmentationLayer","ImageBoundingBoxes","ImageCache","ImageCacheValid","ImageCapture","ImageCaptureFunction","ImageCases","ImageChannels","ImageClip","ImageCollage","ImageColorSpace","ImageCompose","ImageContainsQ","ImageContents","ImageConvolve","ImageCooccurrence","ImageCorners","ImageCorrelate","ImageCorrespondingPoints","ImageCrop","ImageData","ImageDeconvolve","ImageDemosaic","ImageDifference","ImageDimensions","ImageDisplacements","ImageDistance","ImageEditMode","ImageEffect","ImageExposureCombine","ImageFeatureTrack","ImageFileApply","ImageFileFilter","ImageFileScan","ImageFilter","ImageFocusCombine","ImageForestingComponents","ImageFormattingWidth","ImageForwardTransformation","ImageGraphics","ImageHistogram","ImageIdentify","ImageInstanceQ","ImageKeypoints","ImageLabels","ImageLegends","ImageLevels","ImageLines","ImageMargins","ImageMarker","ImageMarkers","ImageMeasurements","ImageMesh","ImageMultiply","ImageOffset","ImagePad","ImagePadding","ImagePartition","ImagePeriodogram","ImagePerspectiveTransformation","ImagePosition","ImagePreviewFunction","ImagePyramid","ImagePyramidApply","ImageQ","ImageRangeCache","ImageRecolor","ImageReflect","ImageRegion","ImageResize","ImageResolution","ImageRestyle","ImageRotate","ImageRotated","ImageSaliencyFilter","ImageScaled","ImageScan","ImageSize","ImageSizeAction","ImageSizeCache","ImageSizeMultipliers","ImageSizeRaw","ImageStitch","ImageSubtract","ImageTake","ImageTransformation","ImageTrim","ImageType","ImageValue","ImageValuePositions","ImageVectorscopePlot","ImageWaveformPlot","ImagingDevice","ImplicitD","ImplicitRegion","Implies","Import","ImportAutoReplacements","ImportByteArray","ImportedObject","ImportOptions","ImportString","ImprovementImportance","In","Inactivate","Inactive","InactiveStyle","IncidenceGraph","IncidenceList","IncidenceMatrix","IncludeAromaticBonds","IncludeConstantBasis","IncludedContexts","IncludeDefinitions","IncludeDirectories","IncludeFileExtension","IncludeGeneratorTasks","IncludeHydrogens","IncludeInflections","IncludeMetaInformation","IncludePods","IncludeQuantities","IncludeRelatedTables","IncludeSingularSolutions","IncludeSingularTerm","IncludeWindowTimes","Increment","IndefiniteMatrixQ","Indent","IndentingNewlineSpacings","IndentMaxFraction","IndependenceTest","IndependentEdgeSetQ","IndependentPhysicalQuantity","IndependentUnit","IndependentUnitDimension","IndependentVertexSetQ","Indeterminate","IndeterminateThreshold","IndexCreationOptions","Indexed","IndexEdgeTaggedGraph","IndexGraph","IndexTag","Inequality","InertEvaluate","InertExpression","InexactNumberQ","InexactNumbers","InfiniteFuture","InfiniteLine","InfiniteLineThrough","InfinitePast","InfinitePlane","Infinity","Infix","InflationAdjust","InflationMethod","Information","InformationData","InformationDataGrid","Inherited","InheritScope","InhomogeneousPoissonPointProcess","InhomogeneousPoissonProcess","InitialEvaluationHistory","Initialization","InitializationCell","InitializationCellEvaluation","InitializationCellWarning","InitializationObject","InitializationObjects","InitializationValue","Initialize","InitialSeeding","InlineCounterAssignments","InlineCounterIncrements","InlineRules","Inner","InnerPolygon","InnerPolyhedron","Inpaint","Input","InputAliases","InputAssumptions","InputAutoReplacements","InputField","InputFieldBox","InputFieldBoxOptions","InputForm","InputGrouping","InputNamePacket","InputNotebook","InputPacket","InputPorts","InputSettings","InputStream","InputString","InputStringPacket","InputToBoxFormPacket","Insert","InsertionFunction","InsertionPointObject","InsertLinebreaks","InsertResults","Inset","Inset3DBox","Inset3DBoxOptions","InsetBox","InsetBoxOptions","Insphere","Install","InstallService","InstanceNormalizationLayer","InString","Integer","IntegerDigits","IntegerExponent","IntegerLength","IntegerName","IntegerPart","IntegerPartitions","IntegerQ","IntegerReverse","Integers","IntegerString","Integral","Integrate","IntegrateChangeVariables","Interactive","InteractiveTradingChart","InterfaceSwitched","Interlaced","Interleaving","InternallyBalancedDecomposition","InterpolatingFunction","InterpolatingPolynomial","Interpolation","InterpolationOrder","InterpolationPoints","InterpolationPrecision","Interpretation","InterpretationBox","InterpretationBoxOptions","InterpretationFunction","Interpreter","InterpretTemplate","InterquartileRange","Interrupt","InterruptSettings","IntersectedEntityClass","IntersectingQ","Intersection","Interval","IntervalIntersection","IntervalMarkers","IntervalMarkersStyle","IntervalMemberQ","IntervalSlider","IntervalUnion","Into","Inverse","InverseBetaRegularized","InverseBilateralLaplaceTransform","InverseBilateralZTransform","InverseCDF","InverseChiSquareDistribution","InverseContinuousWaveletTransform","InverseDistanceTransform","InverseEllipticNomeQ","InverseErf","InverseErfc","InverseFourier","InverseFourierCosTransform","InverseFourierSequenceTransform","InverseFourierSinTransform","InverseFourierTransform","InverseFunction","InverseFunctions","InverseGammaDistribution","InverseGammaRegularized","InverseGaussianDistribution","InverseGudermannian","InverseHankelTransform","InverseHaversine","InverseImagePyramid","InverseJacobiCD","InverseJacobiCN","InverseJacobiCS","InverseJacobiDC","InverseJacobiDN","InverseJacobiDS","InverseJacobiNC","InverseJacobiND","InverseJacobiNS","InverseJacobiSC","InverseJacobiSD","InverseJacobiSN","InverseLaplaceTransform","InverseMellinTransform","InversePermutation","InverseRadon","InverseRadonTransform","InverseSeries","InverseShortTimeFourier","InverseSpectrogram","InverseSurvivalFunction","InverseTransformedRegion","InverseWaveletTransform","InverseWeierstrassP","InverseWishartMatrixDistribution","InverseZTransform","Invisible","InvisibleApplication","InvisibleTimes","IPAddress","IrreduciblePolynomialQ","IslandData","IsolatingInterval","IsomorphicGraphQ","IsomorphicSubgraphQ","IsotopeData","Italic","Item","ItemAspectRatio","ItemBox","ItemBoxOptions","ItemDisplayFunction","ItemSize","ItemStyle","ItoProcess","JaccardDissimilarity","JacobiAmplitude","Jacobian","JacobiCD","JacobiCN","JacobiCS","JacobiDC","JacobiDN","JacobiDS","JacobiEpsilon","JacobiNC","JacobiND","JacobiNS","JacobiP","JacobiSC","JacobiSD","JacobiSN","JacobiSymbol","JacobiZeta","JacobiZN","JankoGroupJ1","JankoGroupJ2","JankoGroupJ3","JankoGroupJ4","JarqueBeraALMTest","JohnsonDistribution","Join","JoinAcross","Joined","JoinedCurve","JoinedCurveBox","JoinedCurveBoxOptions","JoinForm","JordanDecomposition","JordanModelDecomposition","JulianDate","JuliaSetBoettcher","JuliaSetIterationCount","JuliaSetPlot","JuliaSetPoints","K","KagiChart","KaiserBesselWindow","KaiserWindow","KalmanEstimator","KalmanFilter","KarhunenLoeveDecomposition","KaryTree","KatzCentrality","KCoreComponents","KDistribution","KEdgeConnectedComponents","KEdgeConnectedGraphQ","KeepExistingVersion","KelvinBei","KelvinBer","KelvinKei","KelvinKer","KendallTau","KendallTauTest","KernelConfiguration","KernelExecute","KernelFunction","KernelMixtureDistribution","KernelObject","Kernels","Ket","Key","KeyCollisionFunction","KeyComplement","KeyDrop","KeyDropFrom","KeyExistsQ","KeyFreeQ","KeyIntersection","KeyMap","KeyMemberQ","KeypointStrength","Keys","KeySelect","KeySort","KeySortBy","KeyTake","KeyUnion","KeyValueMap","KeyValuePattern","Khinchin","KillProcess","KirchhoffGraph","KirchhoffMatrix","KleinInvariantJ","KnapsackSolve","KnightTourGraph","KnotData","KnownUnitQ","KochCurve","KolmogorovSmirnovTest","KroneckerDelta","KroneckerModelDecomposition","KroneckerProduct","KroneckerSymbol","KuiperTest","KumaraswamyDistribution","Kurtosis","KuwaharaFilter","KVertexConnectedComponents","KVertexConnectedGraphQ","LABColor","Label","Labeled","LabeledSlider","LabelingFunction","LabelingSize","LabelStyle","LabelVisibility","LaguerreL","LakeData","LambdaComponents","LambertW","LameC","LameCPrime","LameEigenvalueA","LameEigenvalueB","LameS","LameSPrime","LaminaData","LanczosWindow","LandauDistribution","Language","LanguageCategory","LanguageData","LanguageIdentify","LanguageOptions","LaplaceDistribution","LaplaceTransform","Laplacian","LaplacianFilter","LaplacianGaussianFilter","LaplacianPDETerm","Large","Larger","Last","Latitude","LatitudeLongitude","LatticeData","LatticeReduce","Launch","LaunchKernels","LayeredGraphPlot","LayeredGraphPlot3D","LayerSizeFunction","LayoutInformation","LCHColor","LCM","LeaderSize","LeafCount","LeapVariant","LeapYearQ","LearnDistribution","LearnedDistribution","LearningRate","LearningRateMultipliers","LeastSquares","LeastSquaresFilterKernel","Left","LeftArrow","LeftArrowBar","LeftArrowRightArrow","LeftDownTeeVector","LeftDownVector","LeftDownVectorBar","LeftRightArrow","LeftRightVector","LeftTee","LeftTeeArrow","LeftTeeVector","LeftTriangle","LeftTriangleBar","LeftTriangleEqual","LeftUpDownVector","LeftUpTeeVector","LeftUpVector","LeftUpVectorBar","LeftVector","LeftVectorBar","LegendAppearance","Legended","LegendFunction","LegendLabel","LegendLayout","LegendMargins","LegendMarkers","LegendMarkerSize","LegendreP","LegendreQ","LegendreType","Length","LengthWhile","LerchPhi","Less","LessEqual","LessEqualGreater","LessEqualThan","LessFullEqual","LessGreater","LessLess","LessSlantEqual","LessThan","LessTilde","LetterCharacter","LetterCounts","LetterNumber","LetterQ","Level","LeveneTest","LeviCivitaTensor","LevyDistribution","Lexicographic","LexicographicOrder","LexicographicSort","LibraryDataType","LibraryFunction","LibraryFunctionDeclaration","LibraryFunctionError","LibraryFunctionInformation","LibraryFunctionLoad","LibraryFunctionUnload","LibraryLoad","LibraryUnload","LicenseEntitlementObject","LicenseEntitlements","LicenseID","LicensingSettings","LiftingFilterData","LiftingWaveletTransform","LightBlue","LightBrown","LightCyan","Lighter","LightGray","LightGreen","Lighting","LightingAngle","LightMagenta","LightOrange","LightPink","LightPurple","LightRed","LightSources","LightYellow","Likelihood","Limit","LimitsPositioning","LimitsPositioningTokens","LindleyDistribution","Line","Line3DBox","Line3DBoxOptions","LinearFilter","LinearFractionalOptimization","LinearFractionalTransform","LinearGradientFilling","LinearGradientImage","LinearizingTransformationData","LinearLayer","LinearModelFit","LinearOffsetFunction","LinearOptimization","LinearProgramming","LinearRecurrence","LinearSolve","LinearSolveFunction","LineBox","LineBoxOptions","LineBreak","LinebreakAdjustments","LineBreakChart","LinebreakSemicolonWeighting","LineBreakWithin","LineColor","LineGraph","LineIndent","LineIndentMaxFraction","LineIntegralConvolutionPlot","LineIntegralConvolutionScale","LineLegend","LineOpacity","LineSpacing","LineWrapParts","LinkActivate","LinkClose","LinkConnect","LinkConnectedQ","LinkCreate","LinkError","LinkFlush","LinkFunction","LinkHost","LinkInterrupt","LinkLaunch","LinkMode","LinkObject","LinkOpen","LinkOptions","LinkPatterns","LinkProtocol","LinkRankCentrality","LinkRead","LinkReadHeld","LinkReadyQ","Links","LinkService","LinkWrite","LinkWriteHeld","LiouvilleLambda","List","Listable","ListAnimate","ListContourPlot","ListContourPlot3D","ListConvolve","ListCorrelate","ListCurvePathPlot","ListDeconvolve","ListDensityPlot","ListDensityPlot3D","Listen","ListFormat","ListFourierSequenceTransform","ListInterpolation","ListLineIntegralConvolutionPlot","ListLinePlot","ListLinePlot3D","ListLogLinearPlot","ListLogLogPlot","ListLogPlot","ListPicker","ListPickerBox","ListPickerBoxBackground","ListPickerBoxOptions","ListPlay","ListPlot","ListPlot3D","ListPointPlot3D","ListPolarPlot","ListQ","ListSliceContourPlot3D","ListSliceDensityPlot3D","ListSliceVectorPlot3D","ListStepPlot","ListStreamDensityPlot","ListStreamPlot","ListStreamPlot3D","ListSurfacePlot3D","ListVectorDensityPlot","ListVectorDisplacementPlot","ListVectorDisplacementPlot3D","ListVectorPlot","ListVectorPlot3D","ListZTransform","Literal","LiteralSearch","LiteralType","LoadCompiledComponent","LocalAdaptiveBinarize","LocalCache","LocalClusteringCoefficient","LocalEvaluate","LocalizeDefinitions","LocalizeVariables","LocalObject","LocalObjects","LocalResponseNormalizationLayer","LocalSubmit","LocalSymbol","LocalTime","LocalTimeZone","LocationEquivalenceTest","LocationTest","Locator","LocatorAutoCreate","LocatorBox","LocatorBoxOptions","LocatorCentering","LocatorPane","LocatorPaneBox","LocatorPaneBoxOptions","LocatorRegion","Locked","Log","Log10","Log2","LogBarnesG","LogGamma","LogGammaDistribution","LogicalExpand","LogIntegral","LogisticDistribution","LogisticSigmoid","LogitModelFit","LogLikelihood","LogLinearPlot","LogLogisticDistribution","LogLogPlot","LogMultinormalDistribution","LogNormalDistribution","LogPlot","LogRankTest","LogSeriesDistribution","LongEqual","Longest","LongestCommonSequence","LongestCommonSequencePositions","LongestCommonSubsequence","LongestCommonSubsequencePositions","LongestMatch","LongestOrderedSequence","LongForm","Longitude","LongLeftArrow","LongLeftRightArrow","LongRightArrow","LongShortTermMemoryLayer","Lookup","Loopback","LoopFreeGraphQ","Looping","LossFunction","LowerCaseQ","LowerLeftArrow","LowerRightArrow","LowerTriangularize","LowerTriangularMatrix","LowerTriangularMatrixQ","LowpassFilter","LQEstimatorGains","LQGRegulator","LQOutputRegulatorGains","LQRegulatorGains","LUBackSubstitution","LucasL","LuccioSamiComponents","LUDecomposition","LunarEclipse","LUVColor","LyapunovSolve","LyonsGroupLy","MachineID","MachineName","MachineNumberQ","MachinePrecision","MacintoshSystemPageSetup","Magenta","Magnification","Magnify","MailAddressValidation","MailExecute","MailFolder","MailItem","MailReceiverFunction","MailResponseFunction","MailSearch","MailServerConnect","MailServerConnection","MailSettings","MainSolve","MaintainDynamicCaches","Majority","MakeBoxes","MakeExpression","MakeRules","ManagedLibraryExpressionID","ManagedLibraryExpressionQ","MandelbrotSetBoettcher","MandelbrotSetDistance","MandelbrotSetIterationCount","MandelbrotSetMemberQ","MandelbrotSetPlot","MangoldtLambda","ManhattanDistance","Manipulate","Manipulator","MannedSpaceMissionData","MannWhitneyTest","MantissaExponent","Manual","Map","MapAll","MapApply","MapAt","MapIndexed","MAProcess","MapThread","MarchenkoPasturDistribution","MarcumQ","MardiaCombinedTest","MardiaKurtosisTest","MardiaSkewnessTest","MarginalDistribution","MarkovProcessProperties","Masking","MassConcentrationCondition","MassFluxValue","MassImpermeableBoundaryValue","MassOutflowValue","MassSymmetryValue","MassTransferValue","MassTransportPDEComponent","MatchingDissimilarity","MatchLocalNameQ","MatchLocalNames","MatchQ","Material","MaterialShading","MaternPointProcess","MathematicalFunctionData","MathematicaNotation","MathieuC","MathieuCharacteristicA","MathieuCharacteristicB","MathieuCharacteristicExponent","MathieuCPrime","MathieuGroupM11","MathieuGroupM12","MathieuGroupM22","MathieuGroupM23","MathieuGroupM24","MathieuS","MathieuSPrime","MathMLForm","MathMLText","Matrices","MatrixExp","MatrixForm","MatrixFunction","MatrixLog","MatrixNormalDistribution","MatrixPlot","MatrixPower","MatrixPropertyDistribution","MatrixQ","MatrixRank","MatrixTDistribution","Max","MaxBend","MaxCellMeasure","MaxColorDistance","MaxDate","MaxDetect","MaxDisplayedChildren","MaxDuration","MaxExtraBandwidths","MaxExtraConditions","MaxFeatureDisplacement","MaxFeatures","MaxFilter","MaximalBy","Maximize","MaxItems","MaxIterations","MaxLimit","MaxMemoryUsed","MaxMixtureKernels","MaxOverlapFraction","MaxPlotPoints","MaxPoints","MaxRecursion","MaxStableDistribution","MaxStepFraction","MaxSteps","MaxStepSize","MaxTrainingRounds","MaxValue","MaxwellDistribution","MaxWordGap","McLaughlinGroupMcL","Mean","MeanAbsoluteLossLayer","MeanAround","MeanClusteringCoefficient","MeanDegreeConnectivity","MeanDeviation","MeanFilter","MeanGraphDistance","MeanNeighborDegree","MeanPointDensity","MeanShift","MeanShiftFilter","MeanSquaredLossLayer","Median","MedianDeviation","MedianFilter","MedicalTestData","Medium","MeijerG","MeijerGReduce","MeixnerDistribution","MellinConvolve","MellinTransform","MemberQ","MemoryAvailable","MemoryConstrained","MemoryConstraint","MemoryInUse","MengerMesh","Menu","MenuAppearance","MenuCommandKey","MenuEvaluator","MenuItem","MenuList","MenuPacket","MenuSortingValue","MenuStyle","MenuView","Merge","MergeDifferences","MergingFunction","MersennePrimeExponent","MersennePrimeExponentQ","Mesh","MeshCellCentroid","MeshCellCount","MeshCellHighlight","MeshCellIndex","MeshCellLabel","MeshCellMarker","MeshCellMeasure","MeshCellQuality","MeshCells","MeshCellShapeFunction","MeshCellStyle","MeshConnectivityGraph","MeshCoordinates","MeshFunctions","MeshPrimitives","MeshQualityGoal","MeshRange","MeshRefinementFunction","MeshRegion","MeshRegionQ","MeshShading","MeshStyle","Message","MessageDialog","MessageList","MessageName","MessageObject","MessageOptions","MessagePacket","Messages","MessagesNotebook","MetaCharacters","MetaInformation","MeteorShowerData","Method","MethodOptions","MexicanHatWavelet","MeyerWavelet","Midpoint","MIMETypeToFormatList","Min","MinColorDistance","MinDate","MinDetect","MineralData","MinFilter","MinimalBy","MinimalPolynomial","MinimalStateSpaceModel","Minimize","MinimumTimeIncrement","MinIntervalSize","MinkowskiQuestionMark","MinLimit","MinMax","MinorPlanetData","Minors","MinPointSeparation","MinRecursion","MinSize","MinStableDistribution","Minus","MinusPlus","MinValue","Missing","MissingBehavior","MissingDataMethod","MissingDataRules","MissingQ","MissingString","MissingStyle","MissingValuePattern","MissingValueSynthesis","MittagLefflerE","MixedFractionParts","MixedGraphQ","MixedMagnitude","MixedRadix","MixedRadixQuantity","MixedUnit","MixtureDistribution","Mod","Modal","Mode","ModelPredictiveController","Modular","ModularInverse","ModularLambda","Module","Modulus","MoebiusMu","Molecule","MoleculeAlign","MoleculeContainsQ","MoleculeDraw","MoleculeEquivalentQ","MoleculeFreeQ","MoleculeGraph","MoleculeMatchQ","MoleculeMaximumCommonSubstructure","MoleculeModify","MoleculeName","MoleculePattern","MoleculePlot","MoleculePlot3D","MoleculeProperty","MoleculeQ","MoleculeRecognize","MoleculeSubstructureCount","MoleculeValue","Moment","MomentConvert","MomentEvaluate","MomentGeneratingFunction","MomentOfInertia","Monday","Monitor","MonomialList","MonomialOrder","MonsterGroupM","MoonPhase","MoonPosition","MorletWavelet","MorphologicalBinarize","MorphologicalBranchPoints","MorphologicalComponents","MorphologicalEulerNumber","MorphologicalGraph","MorphologicalPerimeter","MorphologicalTransform","MortalityData","Most","MountainData","MouseAnnotation","MouseAppearance","MouseAppearanceTag","MouseButtons","Mouseover","MousePointerNote","MousePosition","MovieData","MovingAverage","MovingMap","MovingMedian","MoyalDistribution","MultiaxisArrangement","Multicolumn","MultiedgeStyle","MultigraphQ","MultilaunchWarning","MultiLetterItalics","MultiLetterStyle","MultilineFunction","Multinomial","MultinomialDistribution","MultinormalDistribution","MultiplicativeOrder","Multiplicity","MultiplySides","MultiscriptBoxOptions","Multiselection","MultivariateHypergeometricDistribution","MultivariatePoissonDistribution","MultivariateTDistribution","N","NakagamiDistribution","NameQ","Names","NamespaceBox","NamespaceBoxOptions","Nand","NArgMax","NArgMin","NBernoulliB","NBodySimulation","NBodySimulationData","NCache","NCaputoD","NDEigensystem","NDEigenvalues","NDSolve","NDSolveValue","Nearest","NearestFunction","NearestMeshCells","NearestNeighborG","NearestNeighborGraph","NearestTo","NebulaData","NeedlemanWunschSimilarity","Needs","Negative","NegativeBinomialDistribution","NegativeDefiniteMatrixQ","NegativeIntegers","NegativelyOrientedPoints","NegativeMultinomialDistribution","NegativeRationals","NegativeReals","NegativeSemidefiniteMatrixQ","NeighborhoodData","NeighborhoodGraph","Nest","NestedGreaterGreater","NestedLessLess","NestedScriptRules","NestGraph","NestList","NestTree","NestWhile","NestWhileList","NetAppend","NetArray","NetArrayLayer","NetBidirectionalOperator","NetChain","NetDecoder","NetDelete","NetDrop","NetEncoder","NetEvaluationMode","NetExternalObject","NetExtract","NetFlatten","NetFoldOperator","NetGANOperator","NetGraph","NetInformation","NetInitialize","NetInsert","NetInsertSharedArrays","NetJoin","NetMapOperator","NetMapThreadOperator","NetMeasurements","NetModel","NetNestOperator","NetPairEmbeddingOperator","NetPort","NetPortGradient","NetPrepend","NetRename","NetReplace","NetReplacePart","NetSharedArray","NetStateObject","NetTake","NetTrain","NetTrainResultsObject","NetUnfold","NetworkPacketCapture","NetworkPacketRecording","NetworkPacketRecordingDuring","NetworkPacketTrace","NeumannValue","NevilleThetaC","NevilleThetaD","NevilleThetaN","NevilleThetaS","NewPrimitiveStyle","NExpectation","Next","NextCell","NextDate","NextPrime","NextScheduledTaskTime","NeymanScottPointProcess","NFractionalD","NHoldAll","NHoldFirst","NHoldRest","NicholsGridLines","NicholsPlot","NightHemisphere","NIntegrate","NMaximize","NMaxValue","NMinimize","NMinValue","NominalScale","NominalVariables","NonAssociative","NoncentralBetaDistribution","NoncentralChiSquareDistribution","NoncentralFRatioDistribution","NoncentralStudentTDistribution","NonCommutativeMultiply","NonConstants","NondimensionalizationTransform","None","NoneTrue","NonlinearModelFit","NonlinearStateSpaceModel","NonlocalMeansFilter","NonNegative","NonNegativeIntegers","NonNegativeRationals","NonNegativeReals","NonPositive","NonPositiveIntegers","NonPositiveRationals","NonPositiveReals","Nor","NorlundB","Norm","Normal","NormalDistribution","NormalGrouping","NormalizationLayer","Normalize","Normalized","NormalizedSquaredEuclideanDistance","NormalMatrixQ","NormalsFunction","NormFunction","Not","NotCongruent","NotCupCap","NotDoubleVerticalBar","Notebook","NotebookApply","NotebookAutoSave","NotebookBrowseDirectory","NotebookClose","NotebookConvertSettings","NotebookCreate","NotebookDefault","NotebookDelete","NotebookDirectory","NotebookDynamicExpression","NotebookEvaluate","NotebookEventActions","NotebookFileName","NotebookFind","NotebookGet","NotebookImport","NotebookInformation","NotebookInterfaceObject","NotebookLocate","NotebookObject","NotebookOpen","NotebookPath","NotebookPrint","NotebookPut","NotebookRead","Notebooks","NotebookSave","NotebookSelection","NotebooksMenu","NotebookTemplate","NotebookWrite","NotElement","NotEqualTilde","NotExists","NotGreater","NotGreaterEqual","NotGreaterFullEqual","NotGreaterGreater","NotGreaterLess","NotGreaterSlantEqual","NotGreaterTilde","Nothing","NotHumpDownHump","NotHumpEqual","NotificationFunction","NotLeftTriangle","NotLeftTriangleBar","NotLeftTriangleEqual","NotLess","NotLessEqual","NotLessFullEqual","NotLessGreater","NotLessLess","NotLessSlantEqual","NotLessTilde","NotNestedGreaterGreater","NotNestedLessLess","NotPrecedes","NotPrecedesEqual","NotPrecedesSlantEqual","NotPrecedesTilde","NotReverseElement","NotRightTriangle","NotRightTriangleBar","NotRightTriangleEqual","NotSquareSubset","NotSquareSubsetEqual","NotSquareSuperset","NotSquareSupersetEqual","NotSubset","NotSubsetEqual","NotSucceeds","NotSucceedsEqual","NotSucceedsSlantEqual","NotSucceedsTilde","NotSuperset","NotSupersetEqual","NotTilde","NotTildeEqual","NotTildeFullEqual","NotTildeTilde","NotVerticalBar","Now","NoWhitespace","NProbability","NProduct","NProductFactors","NRoots","NSolve","NSolveValues","NSum","NSumTerms","NuclearExplosionData","NuclearReactorData","Null","NullRecords","NullSpace","NullWords","Number","NumberCompose","NumberDecompose","NumberDigit","NumberExpand","NumberFieldClassNumber","NumberFieldDiscriminant","NumberFieldFundamentalUnits","NumberFieldIntegralBasis","NumberFieldNormRepresentatives","NumberFieldRegulator","NumberFieldRootsOfUnity","NumberFieldSignature","NumberForm","NumberFormat","NumberLinePlot","NumberMarks","NumberMultiplier","NumberPadding","NumberPoint","NumberQ","NumberSeparator","NumberSigns","NumberString","Numerator","NumeratorDenominator","NumericalOrder","NumericalSort","NumericArray","NumericArrayQ","NumericArrayType","NumericFunction","NumericQ","NuttallWindow","NValues","NyquistGridLines","NyquistPlot","O","ObjectExistsQ","ObservabilityGramian","ObservabilityMatrix","ObservableDecomposition","ObservableModelQ","OceanData","Octahedron","OddQ","Off","Offset","OLEData","On","ONanGroupON","Once","OneIdentity","Opacity","OpacityFunction","OpacityFunctionScaling","Open","OpenAppend","Opener","OpenerBox","OpenerBoxOptions","OpenerView","OpenFunctionInspectorPacket","Opening","OpenRead","OpenSpecialOptions","OpenTemporary","OpenWrite","Operate","OperatingSystem","OperatorApplied","OptimumFlowData","Optional","OptionalElement","OptionInspectorSettings","OptionQ","Options","OptionsPacket","OptionsPattern","OptionValue","OptionValueBox","OptionValueBoxOptions","Or","Orange","Order","OrderDistribution","OrderedQ","Ordering","OrderingBy","OrderingLayer","Orderless","OrderlessPatternSequence","OrdinalScale","OrnsteinUhlenbeckProcess","Orthogonalize","OrthogonalMatrixQ","Out","Outer","OuterPolygon","OuterPolyhedron","OutputAutoOverwrite","OutputControllabilityMatrix","OutputControllableModelQ","OutputForm","OutputFormData","OutputGrouping","OutputMathEditExpression","OutputNamePacket","OutputPorts","OutputResponse","OutputSizeLimit","OutputStream","Over","OverBar","OverDot","Overflow","OverHat","Overlaps","Overlay","OverlayBox","OverlayBoxOptions","OverlayVideo","Overscript","OverscriptBox","OverscriptBoxOptions","OverTilde","OverVector","OverwriteTarget","OwenT","OwnValues","Package","PackingMethod","PackPaclet","PacletDataRebuild","PacletDirectoryAdd","PacletDirectoryLoad","PacletDirectoryRemove","PacletDirectoryUnload","PacletDisable","PacletEnable","PacletFind","PacletFindRemote","PacletInformation","PacletInstall","PacletInstallSubmit","PacletNewerQ","PacletObject","PacletObjectQ","PacletSite","PacletSiteObject","PacletSiteRegister","PacletSites","PacletSiteUnregister","PacletSiteUpdate","PacletSymbol","PacletUninstall","PacletUpdate","PaddedForm","Padding","PaddingLayer","PaddingSize","PadeApproximant","PadLeft","PadRight","PageBreakAbove","PageBreakBelow","PageBreakWithin","PageFooterLines","PageFooters","PageHeaderLines","PageHeaders","PageHeight","PageRankCentrality","PageTheme","PageWidth","Pagination","PairCorrelationG","PairedBarChart","PairedHistogram","PairedSmoothHistogram","PairedTTest","PairedZTest","PaletteNotebook","PalettePath","PalettesMenuSettings","PalindromeQ","Pane","PaneBox","PaneBoxOptions","Panel","PanelBox","PanelBoxOptions","Paneled","PaneSelector","PaneSelectorBox","PaneSelectorBoxOptions","PaperWidth","ParabolicCylinderD","ParagraphIndent","ParagraphSpacing","ParallelArray","ParallelAxisPlot","ParallelCombine","ParallelDo","Parallelepiped","ParallelEvaluate","Parallelization","Parallelize","ParallelKernels","ParallelMap","ParallelNeeds","Parallelogram","ParallelProduct","ParallelSubmit","ParallelSum","ParallelTable","ParallelTry","Parameter","ParameterEstimator","ParameterMixtureDistribution","ParameterVariables","ParametricConvexOptimization","ParametricFunction","ParametricNDSolve","ParametricNDSolveValue","ParametricPlot","ParametricPlot3D","ParametricRampLayer","ParametricRegion","ParentBox","ParentCell","ParentConnect","ParentDirectory","ParentEdgeLabel","ParentEdgeLabelFunction","ParentEdgeLabelStyle","ParentEdgeShapeFunction","ParentEdgeStyle","ParentEdgeStyleFunction","ParentForm","Parenthesize","ParentList","ParentNotebook","ParetoDistribution","ParetoPickandsDistribution","ParkData","Part","PartBehavior","PartialCorrelationFunction","PartialD","ParticleAcceleratorData","ParticleData","Partition","PartitionGranularity","PartitionsP","PartitionsQ","PartLayer","PartOfSpeech","PartProtection","ParzenWindow","PascalDistribution","PassEventsDown","PassEventsUp","Paste","PasteAutoQuoteCharacters","PasteBoxFormInlineCells","PasteButton","Path","PathGraph","PathGraphQ","Pattern","PatternFilling","PatternReaction","PatternSequence","PatternTest","PauliMatrix","PaulWavelet","Pause","PausedTime","PDF","PeakDetect","PeanoCurve","PearsonChiSquareTest","PearsonCorrelationTest","PearsonDistribution","PenttinenPointProcess","PercentForm","PerfectNumber","PerfectNumberQ","PerformanceGoal","Perimeter","PeriodicBoundaryCondition","PeriodicInterpolation","Periodogram","PeriodogramArray","Permanent","Permissions","PermissionsGroup","PermissionsGroupMemberQ","PermissionsGroups","PermissionsKey","PermissionsKeys","PermutationCycles","PermutationCyclesQ","PermutationGroup","PermutationLength","PermutationList","PermutationListQ","PermutationMatrix","PermutationMax","PermutationMin","PermutationOrder","PermutationPower","PermutationProduct","PermutationReplace","Permutations","PermutationSupport","Permute","PeronaMalikFilter","Perpendicular","PerpendicularBisector","PersistenceLocation","PersistenceTime","PersistentObject","PersistentObjects","PersistentSymbol","PersistentValue","PersonData","PERTDistribution","PetersenGraph","PhaseMargins","PhaseRange","PhongShading","PhysicalSystemData","Pi","Pick","PickedElements","PickMode","PIDData","PIDDerivativeFilter","PIDFeedforward","PIDTune","Piecewise","PiecewiseExpand","PieChart","PieChart3D","PillaiTrace","PillaiTraceTest","PingTime","Pink","PitchRecognize","Pivoting","PixelConstrained","PixelValue","PixelValuePositions","Placed","Placeholder","PlaceholderLayer","PlaceholderReplace","Plain","PlanarAngle","PlanarFaceList","PlanarGraph","PlanarGraphQ","PlanckRadiationLaw","PlaneCurveData","PlanetaryMoonData","PlanetData","PlantData","Play","PlaybackSettings","PlayRange","Plot","Plot3D","Plot3Matrix","PlotDivision","PlotJoined","PlotLabel","PlotLabels","PlotLayout","PlotLegends","PlotMarkers","PlotPoints","PlotRange","PlotRangeClipping","PlotRangeClipPlanesStyle","PlotRangePadding","PlotRegion","PlotStyle","PlotTheme","Pluralize","Plus","PlusMinus","Pochhammer","PodStates","PodWidth","Point","Point3DBox","Point3DBoxOptions","PointBox","PointBoxOptions","PointCountDistribution","PointDensity","PointDensityFunction","PointFigureChart","PointLegend","PointLight","PointProcessEstimator","PointProcessFitTest","PointProcessParameterAssumptions","PointProcessParameterQ","PointSize","PointStatisticFunction","PointValuePlot","PoissonConsulDistribution","PoissonDistribution","PoissonPDEComponent","PoissonPointProcess","PoissonProcess","PoissonWindow","PolarAxes","PolarAxesOrigin","PolarGridLines","PolarPlot","PolarTicks","PoleZeroMarkers","PolyaAeppliDistribution","PolyGamma","Polygon","Polygon3DBox","Polygon3DBoxOptions","PolygonalNumber","PolygonAngle","PolygonBox","PolygonBoxOptions","PolygonCoordinates","PolygonDecomposition","PolygonHoleScale","PolygonIntersections","PolygonScale","Polyhedron","PolyhedronAngle","PolyhedronBox","PolyhedronBoxOptions","PolyhedronCoordinates","PolyhedronData","PolyhedronDecomposition","PolyhedronGenus","PolyLog","PolynomialExpressionQ","PolynomialExtendedGCD","PolynomialForm","PolynomialGCD","PolynomialLCM","PolynomialMod","PolynomialQ","PolynomialQuotient","PolynomialQuotientRemainder","PolynomialReduce","PolynomialRemainder","Polynomials","PolynomialSumOfSquaresList","PoolingLayer","PopupMenu","PopupMenuBox","PopupMenuBoxOptions","PopupView","PopupWindow","Position","PositionIndex","PositionLargest","PositionSmallest","Positive","PositiveDefiniteMatrixQ","PositiveIntegers","PositivelyOrientedPoints","PositiveRationals","PositiveReals","PositiveSemidefiniteMatrixQ","PossibleZeroQ","Postfix","PostScript","Power","PowerDistribution","PowerExpand","PowerMod","PowerModList","PowerRange","PowerSpectralDensity","PowersRepresentations","PowerSymmetricPolynomial","Precedence","PrecedenceForm","Precedes","PrecedesEqual","PrecedesSlantEqual","PrecedesTilde","Precision","PrecisionGoal","PreDecrement","Predict","PredictionRoot","PredictorFunction","PredictorInformation","PredictorMeasurements","PredictorMeasurementsObject","PreemptProtect","PreferencesPath","PreferencesSettings","Prefix","PreIncrement","Prepend","PrependLayer","PrependTo","PreprocessingRules","PreserveColor","PreserveImageOptions","Previous","PreviousCell","PreviousDate","PriceGraphDistribution","PrimaryPlaceholder","Prime","PrimeNu","PrimeOmega","PrimePi","PrimePowerQ","PrimeQ","Primes","PrimeZetaP","PrimitivePolynomialQ","PrimitiveRoot","PrimitiveRootList","PrincipalComponents","PrincipalValue","Print","PrintableASCIIQ","PrintAction","PrintForm","PrintingCopies","PrintingOptions","PrintingPageRange","PrintingStartingPageNumber","PrintingStyleEnvironment","Printout3D","Printout3DPreviewer","PrintPrecision","PrintTemporary","Prism","PrismBox","PrismBoxOptions","PrivateCellOptions","PrivateEvaluationOptions","PrivateFontOptions","PrivateFrontEndOptions","PrivateKey","PrivateNotebookOptions","PrivatePaths","Probability","ProbabilityDistribution","ProbabilityPlot","ProbabilityPr","ProbabilityScalePlot","ProbitModelFit","ProcessConnection","ProcessDirectory","ProcessEnvironment","Processes","ProcessEstimator","ProcessInformation","ProcessObject","ProcessParameterAssumptions","ProcessParameterQ","ProcessStateDomain","ProcessStatus","ProcessTimeDomain","Product","ProductDistribution","ProductLog","ProgressIndicator","ProgressIndicatorBox","ProgressIndicatorBoxOptions","ProgressReporting","Projection","Prolog","PromptForm","ProofObject","PropagateAborts","Properties","Property","PropertyList","PropertyValue","Proportion","Proportional","Protect","Protected","ProteinData","Pruning","PseudoInverse","PsychrometricPropertyData","PublicKey","PublisherID","PulsarData","PunctuationCharacter","Purple","Put","PutAppend","Pyramid","PyramidBox","PyramidBoxOptions","QBinomial","QFactorial","QGamma","QHypergeometricPFQ","QnDispersion","QPochhammer","QPolyGamma","QRDecomposition","QuadraticIrrationalQ","QuadraticOptimization","Quantile","QuantilePlot","Quantity","QuantityArray","QuantityDistribution","QuantityForm","QuantityMagnitude","QuantityQ","QuantityUnit","QuantityVariable","QuantityVariableCanonicalUnit","QuantityVariableDimensions","QuantityVariableIdentifier","QuantityVariablePhysicalQuantity","Quartics","QuartileDeviation","Quartiles","QuartileSkewness","Query","QuestionGenerator","QuestionInterface","QuestionObject","QuestionSelector","QueueingNetworkProcess","QueueingProcess","QueueProperties","Quiet","QuietEcho","Quit","Quotient","QuotientRemainder","RadialAxisPlot","RadialGradientFilling","RadialGradientImage","RadialityCentrality","RadicalBox","RadicalBoxOptions","RadioButton","RadioButtonBar","RadioButtonBox","RadioButtonBoxOptions","Radon","RadonTransform","RamanujanTau","RamanujanTauL","RamanujanTauTheta","RamanujanTauZ","Ramp","Random","RandomArrayLayer","RandomChoice","RandomColor","RandomComplex","RandomDate","RandomEntity","RandomFunction","RandomGeneratorState","RandomGeoPosition","RandomGraph","RandomImage","RandomInstance","RandomInteger","RandomPermutation","RandomPoint","RandomPointConfiguration","RandomPolygon","RandomPolyhedron","RandomPrime","RandomReal","RandomSample","RandomSeed","RandomSeeding","RandomTime","RandomTree","RandomVariate","RandomWalkProcess","RandomWord","Range","RangeFilter","RangeSpecification","RankedMax","RankedMin","RarerProbability","Raster","Raster3D","Raster3DBox","Raster3DBoxOptions","RasterArray","RasterBox","RasterBoxOptions","Rasterize","RasterSize","Rational","RationalExpressionQ","RationalFunctions","Rationalize","Rationals","Ratios","RawArray","RawBoxes","RawData","RawMedium","RayleighDistribution","Re","ReactionBalance","ReactionBalancedQ","ReactionPDETerm","Read","ReadByteArray","ReadLine","ReadList","ReadProtected","ReadString","Real","RealAbs","RealBlockDiagonalForm","RealDigits","RealExponent","Reals","RealSign","Reap","RebuildPacletData","RecalibrationFunction","RecognitionPrior","RecognitionThreshold","ReconstructionMesh","Record","RecordLists","RecordSeparators","Rectangle","RectangleBox","RectangleBoxOptions","RectangleChart","RectangleChart3D","RectangularRepeatingElement","RecurrenceFilter","RecurrenceTable","RecurringDigitsForm","Red","Reduce","RefBox","ReferenceLineStyle","ReferenceMarkers","ReferenceMarkerStyle","Refine","ReflectionMatrix","ReflectionTransform","Refresh","RefreshRate","Region","RegionBinarize","RegionBoundary","RegionBoundaryStyle","RegionBounds","RegionCentroid","RegionCongruent","RegionConvert","RegionDifference","RegionDilation","RegionDimension","RegionDisjoint","RegionDistance","RegionDistanceFunction","RegionEmbeddingDimension","RegionEqual","RegionErosion","RegionFillingStyle","RegionFit","RegionFunction","RegionImage","RegionIntersection","RegionMeasure","RegionMember","RegionMemberFunction","RegionMoment","RegionNearest","RegionNearestFunction","RegionPlot","RegionPlot3D","RegionProduct","RegionQ","RegionResize","RegionSimilar","RegionSize","RegionSymmetricDifference","RegionUnion","RegionWithin","RegisterExternalEvaluator","RegularExpression","Regularization","RegularlySampledQ","RegularPolygon","ReIm","ReImLabels","ReImPlot","ReImStyle","Reinstall","RelationalDatabase","RelationGraph","Release","ReleaseHold","ReliabilityDistribution","ReliefImage","ReliefPlot","RemoteAuthorizationCaching","RemoteBatchJobAbort","RemoteBatchJobObject","RemoteBatchJobs","RemoteBatchMapSubmit","RemoteBatchSubmissionEnvironment","RemoteBatchSubmit","RemoteConnect","RemoteConnectionObject","RemoteEvaluate","RemoteFile","RemoteInputFiles","RemoteKernelObject","RemoteProviderSettings","RemoteRun","RemoteRunProcess","RemovalConditions","Remove","RemoveAlphaChannel","RemoveAsynchronousTask","RemoveAudioStream","RemoveBackground","RemoveChannelListener","RemoveChannelSubscribers","Removed","RemoveDiacritics","RemoveInputStreamMethod","RemoveOutputStreamMethod","RemoveProperty","RemoveScheduledTask","RemoveUsers","RemoveVideoStream","RenameDirectory","RenameFile","RenderAll","RenderingOptions","RenewalProcess","RenkoChart","RepairMesh","Repeated","RepeatedNull","RepeatedString","RepeatedTiming","RepeatingElement","Replace","ReplaceAll","ReplaceAt","ReplaceHeldPart","ReplaceImageValue","ReplaceList","ReplacePart","ReplacePixelValue","ReplaceRepeated","ReplicateLayer","RequiredPhysicalQuantities","Resampling","ResamplingAlgorithmData","ResamplingMethod","Rescale","RescalingTransform","ResetDirectory","ResetScheduledTask","ReshapeLayer","Residue","ResidueSum","ResizeLayer","Resolve","ResolveContextAliases","ResourceAcquire","ResourceData","ResourceFunction","ResourceObject","ResourceRegister","ResourceRemove","ResourceSearch","ResourceSubmissionObject","ResourceSubmit","ResourceSystemBase","ResourceSystemPath","ResourceUpdate","ResourceVersion","ResponseForm","Rest","RestartInterval","Restricted","Resultant","ResumePacket","Return","ReturnCreatesNewCell","ReturnEntersInput","ReturnExpressionPacket","ReturnInputFormPacket","ReturnPacket","ReturnReceiptFunction","ReturnTextPacket","Reverse","ReverseApplied","ReverseBiorthogonalSplineWavelet","ReverseElement","ReverseEquilibrium","ReverseGraph","ReverseSort","ReverseSortBy","ReverseUpEquilibrium","RevolutionAxis","RevolutionPlot3D","RGBColor","RiccatiSolve","RiceDistribution","RidgeFilter","RiemannR","RiemannSiegelTheta","RiemannSiegelZ","RiemannXi","Riffle","Right","RightArrow","RightArrowBar","RightArrowLeftArrow","RightComposition","RightCosetRepresentative","RightDownTeeVector","RightDownVector","RightDownVectorBar","RightTee","RightTeeArrow","RightTeeVector","RightTriangle","RightTriangleBar","RightTriangleEqual","RightUpDownVector","RightUpTeeVector","RightUpVector","RightUpVectorBar","RightVector","RightVectorBar","RipleyK","RipleyRassonRegion","RiskAchievementImportance","RiskReductionImportance","RobustConvexOptimization","RogersTanimotoDissimilarity","RollPitchYawAngles","RollPitchYawMatrix","RomanNumeral","Root","RootApproximant","RootIntervals","RootLocusPlot","RootMeanSquare","RootOfUnityQ","RootReduce","Roots","RootSum","RootTree","Rotate","RotateLabel","RotateLeft","RotateRight","RotationAction","RotationBox","RotationBoxOptions","RotationMatrix","RotationTransform","Round","RoundImplies","RoundingRadius","Row","RowAlignments","RowBackgrounds","RowBox","RowHeights","RowLines","RowMinHeight","RowReduce","RowsEqual","RowSpacings","RSolve","RSolveValue","RudinShapiro","RudvalisGroupRu","Rule","RuleCondition","RuleDelayed","RuleForm","RulePlot","RulerUnits","RulesTree","Run","RunProcess","RunScheduledTask","RunThrough","RuntimeAttributes","RuntimeOptions","RussellRaoDissimilarity","SameAs","SameQ","SameTest","SameTestProperties","SampledEntityClass","SampleDepth","SampledSoundFunction","SampledSoundList","SampleRate","SamplingPeriod","SARIMAProcess","SARMAProcess","SASTriangle","SatelliteData","SatisfiabilityCount","SatisfiabilityInstances","SatisfiableQ","Saturday","Save","Saveable","SaveAutoDelete","SaveConnection","SaveDefinitions","SavitzkyGolayMatrix","SawtoothWave","Scale","Scaled","ScaleDivisions","ScaledMousePosition","ScaleOrigin","ScalePadding","ScaleRanges","ScaleRangeStyle","ScalingFunctions","ScalingMatrix","ScalingTransform","Scan","ScheduledTask","ScheduledTaskActiveQ","ScheduledTaskInformation","ScheduledTaskInformationData","ScheduledTaskObject","ScheduledTasks","SchurDecomposition","ScientificForm","ScientificNotationThreshold","ScorerGi","ScorerGiPrime","ScorerHi","ScorerHiPrime","ScreenRectangle","ScreenStyleEnvironment","ScriptBaselineShifts","ScriptForm","ScriptLevel","ScriptMinSize","ScriptRules","ScriptSizeMultipliers","Scrollbars","ScrollingOptions","ScrollPosition","SearchAdjustment","SearchIndexObject","SearchIndices","SearchQueryString","SearchResultObject","Sec","Sech","SechDistribution","SecondOrderConeOptimization","SectionGrouping","SectorChart","SectorChart3D","SectorOrigin","SectorSpacing","SecuredAuthenticationKey","SecuredAuthenticationKeys","SecurityCertificate","SeedRandom","Select","Selectable","SelectComponents","SelectedCells","SelectedNotebook","SelectFirst","Selection","SelectionAnimate","SelectionCell","SelectionCellCreateCell","SelectionCellDefaultStyle","SelectionCellParentStyle","SelectionCreateCell","SelectionDebuggerTag","SelectionEvaluate","SelectionEvaluateCreateCell","SelectionMove","SelectionPlaceholder","SelectWithContents","SelfLoops","SelfLoopStyle","SemanticImport","SemanticImportString","SemanticInterpretation","SemialgebraicComponentInstances","SemidefiniteOptimization","SendMail","SendMessage","Sequence","SequenceAlignment","SequenceAttentionLayer","SequenceCases","SequenceCount","SequenceFold","SequenceFoldList","SequenceForm","SequenceHold","SequenceIndicesLayer","SequenceLastLayer","SequenceMostLayer","SequencePosition","SequencePredict","SequencePredictorFunction","SequenceReplace","SequenceRestLayer","SequenceReverseLayer","SequenceSplit","Series","SeriesCoefficient","SeriesData","SeriesTermGoal","ServiceConnect","ServiceDisconnect","ServiceExecute","ServiceObject","ServiceRequest","ServiceResponse","ServiceSubmit","SessionSubmit","SessionTime","Set","SetAccuracy","SetAlphaChannel","SetAttributes","Setbacks","SetCloudDirectory","SetCookies","SetDelayed","SetDirectory","SetEnvironment","SetFileDate","SetFileFormatProperties","SetOptions","SetOptionsPacket","SetPermissions","SetPrecision","SetProperty","SetSecuredAuthenticationKey","SetSelectedNotebook","SetSharedFunction","SetSharedVariable","SetStreamPosition","SetSystemModel","SetSystemOptions","Setter","SetterBar","SetterBox","SetterBoxOptions","Setting","SetUsers","Shading","Shallow","ShannonWavelet","ShapiroWilkTest","Share","SharingList","Sharpen","ShearingMatrix","ShearingTransform","ShellRegion","ShenCastanMatrix","ShiftedGompertzDistribution","ShiftRegisterSequence","Short","ShortDownArrow","Shortest","ShortestMatch","ShortestPathFunction","ShortLeftArrow","ShortRightArrow","ShortTimeFourier","ShortTimeFourierData","ShortUpArrow","Show","ShowAutoConvert","ShowAutoSpellCheck","ShowAutoStyles","ShowCellBracket","ShowCellLabel","ShowCellTags","ShowClosedCellArea","ShowCodeAssist","ShowContents","ShowControls","ShowCursorTracker","ShowGroupOpenCloseIcon","ShowGroupOpener","ShowInvisibleCharacters","ShowPageBreaks","ShowPredictiveInterface","ShowSelection","ShowShortBoxForm","ShowSpecialCharacters","ShowStringCharacters","ShowSyntaxStyles","ShrinkingDelay","ShrinkWrapBoundingBox","SiderealTime","SiegelTheta","SiegelTukeyTest","SierpinskiCurve","SierpinskiMesh","Sign","Signature","SignedRankTest","SignedRegionDistance","SignificanceLevel","SignPadding","SignTest","SimilarityRules","SimpleGraph","SimpleGraphQ","SimplePolygonQ","SimplePolyhedronQ","Simplex","Simplify","Sin","Sinc","SinghMaddalaDistribution","SingleEvaluation","SingleLetterItalics","SingleLetterStyle","SingularValueDecomposition","SingularValueList","SingularValuePlot","SingularValues","Sinh","SinhIntegral","SinIntegral","SixJSymbol","Skeleton","SkeletonTransform","SkellamDistribution","Skewness","SkewNormalDistribution","SkinStyle","Skip","SliceContourPlot3D","SliceDensityPlot3D","SliceDistribution","SliceVectorPlot3D","Slider","Slider2D","Slider2DBox","Slider2DBoxOptions","SliderBox","SliderBoxOptions","SlideShowVideo","SlideView","Slot","SlotSequence","Small","SmallCircle","Smaller","SmithDecomposition","SmithDelayCompensator","SmithWatermanSimilarity","SmoothDensityHistogram","SmoothHistogram","SmoothHistogram3D","SmoothKernelDistribution","SmoothPointDensity","SnDispersion","Snippet","SnippetsVideo","SnubPolyhedron","SocialMediaData","Socket","SocketConnect","SocketListen","SocketListener","SocketObject","SocketOpen","SocketReadMessage","SocketReadyQ","Sockets","SocketWaitAll","SocketWaitNext","SoftmaxLayer","SokalSneathDissimilarity","SolarEclipse","SolarSystemFeatureData","SolarTime","SolidAngle","SolidBoundaryLoadValue","SolidData","SolidDisplacementCondition","SolidFixedCondition","SolidMechanicsPDEComponent","SolidMechanicsStrain","SolidMechanicsStress","SolidRegionQ","Solve","SolveAlways","SolveDelayed","SolveValues","Sort","SortBy","SortedBy","SortedEntityClass","Sound","SoundAndGraphics","SoundNote","SoundVolume","SourceLink","SourcePDETerm","Sow","Space","SpaceCurveData","SpaceForm","Spacer","Spacings","Span","SpanAdjustments","SpanCharacterRounding","SpanFromAbove","SpanFromBoth","SpanFromLeft","SpanLineThickness","SpanMaxSize","SpanMinSize","SpanningCharacters","SpanSymmetric","SparseArray","SparseArrayQ","SpatialBinnedPointData","SpatialBoundaryCorrection","SpatialEstimate","SpatialEstimatorFunction","SpatialGraphDistribution","SpatialJ","SpatialMedian","SpatialNoiseLevel","SpatialObservationRegionQ","SpatialPointData","SpatialPointSelect","SpatialRandomnessTest","SpatialTransformationLayer","SpatialTrendFunction","Speak","SpeakerMatchQ","SpearmanRankTest","SpearmanRho","SpeciesData","SpecificityGoal","SpectralLineData","Spectrogram","SpectrogramArray","Specularity","SpeechCases","SpeechInterpreter","SpeechRecognize","SpeechSynthesize","SpellingCorrection","SpellingCorrectionList","SpellingDictionaries","SpellingDictionariesPath","SpellingOptions","Sphere","SphereBox","SphereBoxOptions","SpherePoints","SphericalBesselJ","SphericalBesselY","SphericalHankelH1","SphericalHankelH2","SphericalHarmonicY","SphericalPlot3D","SphericalRegion","SphericalShell","SpheroidalEigenvalue","SpheroidalJoiningFactor","SpheroidalPS","SpheroidalPSPrime","SpheroidalQS","SpheroidalQSPrime","SpheroidalRadialFactor","SpheroidalS1","SpheroidalS1Prime","SpheroidalS2","SpheroidalS2Prime","Splice","SplicedDistribution","SplineClosed","SplineDegree","SplineKnots","SplineWeights","Split","SplitBy","SpokenString","SpotLight","Sqrt","SqrtBox","SqrtBoxOptions","Square","SquaredEuclideanDistance","SquareFreeQ","SquareIntersection","SquareMatrixQ","SquareRepeatingElement","SquaresR","SquareSubset","SquareSubsetEqual","SquareSuperset","SquareSupersetEqual","SquareUnion","SquareWave","SSSTriangle","StabilityMargins","StabilityMarginsStyle","StableDistribution","Stack","StackBegin","StackComplete","StackedDateListPlot","StackedListPlot","StackInhibit","StadiumShape","StandardAtmosphereData","StandardDeviation","StandardDeviationFilter","StandardForm","Standardize","Standardized","StandardOceanData","StandbyDistribution","Star","StarClusterData","StarData","StarGraph","StartAsynchronousTask","StartExternalSession","StartingStepSize","StartOfLine","StartOfString","StartProcess","StartScheduledTask","StartupSound","StartWebSession","StateDimensions","StateFeedbackGains","StateOutputEstimator","StateResponse","StateSpaceModel","StateSpaceRealization","StateSpaceTransform","StateTransformationLinearize","StationaryDistribution","StationaryWaveletPacketTransform","StationaryWaveletTransform","StatusArea","StatusCentrality","StepMonitor","StereochemistryElements","StieltjesGamma","StippleShading","StirlingS1","StirlingS2","StopAsynchronousTask","StoppingPowerData","StopScheduledTask","StrataVariables","StratonovichProcess","StraussHardcorePointProcess","StraussPointProcess","StreamColorFunction","StreamColorFunctionScaling","StreamDensityPlot","StreamMarkers","StreamPlot","StreamPlot3D","StreamPoints","StreamPosition","Streams","StreamScale","StreamStyle","StrictInequalities","String","StringBreak","StringByteCount","StringCases","StringContainsQ","StringCount","StringDelete","StringDrop","StringEndsQ","StringExpression","StringExtract","StringForm","StringFormat","StringFormatQ","StringFreeQ","StringInsert","StringJoin","StringLength","StringMatchQ","StringPadLeft","StringPadRight","StringPart","StringPartition","StringPosition","StringQ","StringRepeat","StringReplace","StringReplaceList","StringReplacePart","StringReverse","StringRiffle","StringRotateLeft","StringRotateRight","StringSkeleton","StringSplit","StringStartsQ","StringTake","StringTakeDrop","StringTemplate","StringToByteArray","StringToStream","StringTrim","StripBoxes","StripOnInput","StripStyleOnPaste","StripWrapperBoxes","StrokeForm","Struckthrough","StructuralImportance","StructuredArray","StructuredArrayHeadQ","StructuredSelection","StruveH","StruveL","Stub","StudentTDistribution","Style","StyleBox","StyleBoxAutoDelete","StyleData","StyleDefinitions","StyleForm","StyleHints","StyleKeyMapping","StyleMenuListing","StyleNameDialogSettings","StyleNames","StylePrint","StyleSheetPath","Subdivide","Subfactorial","Subgraph","SubMinus","SubPlus","SubresultantPolynomialRemainders","SubresultantPolynomials","Subresultants","Subscript","SubscriptBox","SubscriptBoxOptions","Subscripted","Subsequences","Subset","SubsetCases","SubsetCount","SubsetEqual","SubsetMap","SubsetPosition","SubsetQ","SubsetReplace","Subsets","SubStar","SubstitutionSystem","Subsuperscript","SubsuperscriptBox","SubsuperscriptBoxOptions","SubtitleEncoding","SubtitleTrackSelection","Subtract","SubtractFrom","SubtractSides","SubValues","Succeeds","SucceedsEqual","SucceedsSlantEqual","SucceedsTilde","Success","SuchThat","Sum","SumConvergence","SummationLayer","Sunday","SunPosition","Sunrise","Sunset","SuperDagger","SuperMinus","SupernovaData","SuperPlus","Superscript","SuperscriptBox","SuperscriptBoxOptions","Superset","SupersetEqual","SuperStar","Surd","SurdForm","SurfaceAppearance","SurfaceArea","SurfaceColor","SurfaceData","SurfaceGraphics","SurvivalDistribution","SurvivalFunction","SurvivalModel","SurvivalModelFit","SuspendPacket","SuzukiDistribution","SuzukiGroupSuz","SwatchLegend","Switch","Symbol","SymbolName","SymletWavelet","Symmetric","SymmetricDifference","SymmetricGroup","SymmetricKey","SymmetricMatrixQ","SymmetricPolynomial","SymmetricReduction","Symmetrize","SymmetrizedArray","SymmetrizedArrayRules","SymmetrizedDependentComponents","SymmetrizedIndependentComponents","SymmetrizedReplacePart","SynchronousInitialization","SynchronousUpdating","Synonyms","Syntax","SyntaxForm","SyntaxInformation","SyntaxLength","SyntaxPacket","SyntaxQ","SynthesizeMissingValues","SystemCredential","SystemCredentialData","SystemCredentialKey","SystemCredentialKeys","SystemCredentialStoreObject","SystemDialogInput","SystemException","SystemGet","SystemHelpPath","SystemInformation","SystemInformationData","SystemInstall","SystemModel","SystemModeler","SystemModelExamples","SystemModelLinearize","SystemModelMeasurements","SystemModelParametricSimulate","SystemModelPlot","SystemModelProgressReporting","SystemModelReliability","SystemModels","SystemModelSimulate","SystemModelSimulateSensitivity","SystemModelSimulationData","SystemOpen","SystemOptions","SystemProcessData","SystemProcesses","SystemsConnectionsModel","SystemsModelControllerData","SystemsModelDelay","SystemsModelDelayApproximate","SystemsModelDelete","SystemsModelDimensions","SystemsModelExtract","SystemsModelFeedbackConnect","SystemsModelLabels","SystemsModelLinearity","SystemsModelMerge","SystemsModelOrder","SystemsModelParallelConnect","SystemsModelSeriesConnect","SystemsModelStateFeedbackConnect","SystemsModelVectorRelativeOrders","SystemStub","SystemTest","Tab","TabFilling","Table","TableAlignments","TableDepth","TableDirections","TableForm","TableHeadings","TableSpacing","TableView","TableViewBox","TableViewBoxAlignment","TableViewBoxBackground","TableViewBoxHeaders","TableViewBoxItemSize","TableViewBoxItemStyle","TableViewBoxOptions","TabSpacings","TabView","TabViewBox","TabViewBoxOptions","TagBox","TagBoxNote","TagBoxOptions","TaggingRules","TagSet","TagSetDelayed","TagStyle","TagUnset","Take","TakeDrop","TakeLargest","TakeLargestBy","TakeList","TakeSmallest","TakeSmallestBy","TakeWhile","Tally","Tan","Tanh","TargetDevice","TargetFunctions","TargetSystem","TargetUnits","TaskAbort","TaskExecute","TaskObject","TaskRemove","TaskResume","Tasks","TaskSuspend","TaskWait","TautologyQ","TelegraphProcess","TemplateApply","TemplateArgBox","TemplateBox","TemplateBoxOptions","TemplateEvaluate","TemplateExpression","TemplateIf","TemplateObject","TemplateSequence","TemplateSlot","TemplateSlotSequence","TemplateUnevaluated","TemplateVerbatim","TemplateWith","TemporalData","TemporalRegularity","Temporary","TemporaryVariable","TensorContract","TensorDimensions","TensorExpand","TensorProduct","TensorQ","TensorRank","TensorReduce","TensorSymmetry","TensorTranspose","TensorWedge","TerminatedEvaluation","TernaryListPlot","TernaryPlotCorners","TestID","TestReport","TestReportObject","TestResultObject","Tetrahedron","TetrahedronBox","TetrahedronBoxOptions","TeXForm","TeXSave","Text","Text3DBox","Text3DBoxOptions","TextAlignment","TextBand","TextBoundingBox","TextBox","TextCases","TextCell","TextClipboardType","TextContents","TextData","TextElement","TextForm","TextGrid","TextJustification","TextLine","TextPacket","TextParagraph","TextPosition","TextRecognize","TextSearch","TextSearchReport","TextSentences","TextString","TextStructure","TextStyle","TextTranslation","Texture","TextureCoordinateFunction","TextureCoordinateScaling","TextWords","Therefore","ThermodynamicData","ThermometerGauge","Thick","Thickness","Thin","Thinning","ThisLink","ThomasPointProcess","ThompsonGroupTh","Thread","Threaded","ThreadingLayer","ThreeJSymbol","Threshold","Through","Throw","ThueMorse","Thumbnail","Thursday","TickDirection","TickLabelOrientation","TickLabelPositioning","TickLabels","TickLengths","TickPositions","Ticks","TicksStyle","TideData","Tilde","TildeEqual","TildeFullEqual","TildeTilde","TimeConstrained","TimeConstraint","TimeDirection","TimeFormat","TimeGoal","TimelinePlot","TimeObject","TimeObjectQ","TimeRemaining","Times","TimesBy","TimeSeries","TimeSeriesAggregate","TimeSeriesForecast","TimeSeriesInsert","TimeSeriesInvertibility","TimeSeriesMap","TimeSeriesMapThread","TimeSeriesModel","TimeSeriesModelFit","TimeSeriesResample","TimeSeriesRescale","TimeSeriesShift","TimeSeriesThread","TimeSeriesWindow","TimeSystem","TimeSystemConvert","TimeUsed","TimeValue","TimeWarpingCorrespondence","TimeWarpingDistance","TimeZone","TimeZoneConvert","TimeZoneOffset","Timing","Tiny","TitleGrouping","TitsGroupT","ToBoxes","ToCharacterCode","ToColor","ToContinuousTimeModel","ToDate","Today","ToDiscreteTimeModel","ToEntity","ToeplitzMatrix","ToExpression","ToFileName","Together","Toggle","ToggleFalse","Toggler","TogglerBar","TogglerBox","TogglerBoxOptions","ToHeldExpression","ToInvertibleTimeSeries","TokenWords","Tolerance","ToLowerCase","Tomorrow","ToNumberField","TooBig","Tooltip","TooltipBox","TooltipBoxOptions","TooltipDelay","TooltipStyle","ToonShading","Top","TopHatTransform","ToPolarCoordinates","TopologicalSort","ToRadicals","ToRawPointer","ToRules","Torus","TorusGraph","ToSphericalCoordinates","ToString","Total","TotalHeight","TotalLayer","TotalVariationFilter","TotalWidth","TouchPosition","TouchscreenAutoZoom","TouchscreenControlPlacement","ToUpperCase","TourVideo","Tr","Trace","TraceAbove","TraceAction","TraceBackward","TraceDepth","TraceDialog","TraceForward","TraceInternal","TraceLevel","TraceOff","TraceOn","TraceOriginal","TracePrint","TraceScan","TrackCellChangeTimes","TrackedSymbols","TrackingFunction","TracyWidomDistribution","TradingChart","TraditionalForm","TraditionalFunctionNotation","TraditionalNotation","TraditionalOrder","TrainImageContentDetector","TrainingProgressCheckpointing","TrainingProgressFunction","TrainingProgressMeasurements","TrainingProgressReporting","TrainingStoppingCriterion","TrainingUpdateSchedule","TrainTextContentDetector","TransferFunctionCancel","TransferFunctionExpand","TransferFunctionFactor","TransferFunctionModel","TransferFunctionPoles","TransferFunctionTransform","TransferFunctionZeros","TransformationClass","TransformationFunction","TransformationFunctions","TransformationMatrix","TransformedDistribution","TransformedField","TransformedProcess","TransformedRegion","TransitionDirection","TransitionDuration","TransitionEffect","TransitiveClosureGraph","TransitiveReductionGraph","Translate","TranslationOptions","TranslationTransform","Transliterate","Transparent","TransparentColor","Transpose","TransposeLayer","TrapEnterKey","TrapSelection","TravelDirections","TravelDirectionsData","TravelDistance","TravelDistanceList","TravelMethod","TravelTime","Tree","TreeCases","TreeChildren","TreeCount","TreeData","TreeDelete","TreeDepth","TreeElementCoordinates","TreeElementLabel","TreeElementLabelFunction","TreeElementLabelStyle","TreeElementShape","TreeElementShapeFunction","TreeElementSize","TreeElementSizeFunction","TreeElementStyle","TreeElementStyleFunction","TreeExpression","TreeExtract","TreeFold","TreeForm","TreeGraph","TreeGraphQ","TreeInsert","TreeLayout","TreeLeafCount","TreeLeafQ","TreeLeaves","TreeLevel","TreeMap","TreeMapAt","TreeOutline","TreePlot","TreePosition","TreeQ","TreeReplacePart","TreeRules","TreeScan","TreeSelect","TreeSize","TreeTraversalOrder","TrendStyle","Triangle","TriangleCenter","TriangleConstruct","TriangleMeasurement","TriangleWave","TriangularDistribution","TriangulateMesh","Trig","TrigExpand","TrigFactor","TrigFactorList","Trigger","TrigReduce","TrigToExp","TrimmedMean","TrimmedVariance","TropicalStormData","True","TrueQ","TruncatedDistribution","TruncatedPolyhedron","TsallisQExponentialDistribution","TsallisQGaussianDistribution","TTest","Tube","TubeBezierCurveBox","TubeBezierCurveBoxOptions","TubeBox","TubeBoxOptions","TubeBSplineCurveBox","TubeBSplineCurveBoxOptions","Tuesday","TukeyLambdaDistribution","TukeyWindow","TunnelData","Tuples","TuranGraph","TuringMachine","TuttePolynomial","TwoWayRule","Typed","TypeDeclaration","TypeEvaluate","TypeHint","TypeOf","TypeSpecifier","UnateQ","Uncompress","UnconstrainedParameters","Undefined","UnderBar","Underflow","Underlined","Underoverscript","UnderoverscriptBox","UnderoverscriptBoxOptions","Underscript","UnderscriptBox","UnderscriptBoxOptions","UnderseaFeatureData","UndirectedEdge","UndirectedGraph","UndirectedGraphQ","UndoOptions","UndoTrackedVariables","Unequal","UnequalTo","Unevaluated","UniformDistribution","UniformGraphDistribution","UniformPolyhedron","UniformSumDistribution","Uninstall","Union","UnionedEntityClass","UnionPlus","Unique","UniqueElements","UnitaryMatrixQ","UnitBox","UnitConvert","UnitDimensions","Unitize","UnitRootTest","UnitSimplify","UnitStep","UnitSystem","UnitTriangle","UnitVector","UnitVectorLayer","UnityDimensions","UniverseModelData","UniversityData","UnixTime","UnlabeledTree","UnmanageObject","Unprotect","UnregisterExternalEvaluator","UnsameQ","UnsavedVariables","Unset","UnsetShared","Until","UntrackedVariables","Up","UpArrow","UpArrowBar","UpArrowDownArrow","Update","UpdateDynamicObjects","UpdateDynamicObjectsSynchronous","UpdateInterval","UpdatePacletSites","UpdateSearchIndex","UpDownArrow","UpEquilibrium","UpperCaseQ","UpperLeftArrow","UpperRightArrow","UpperTriangularize","UpperTriangularMatrix","UpperTriangularMatrixQ","Upsample","UpSet","UpSetDelayed","UpTee","UpTeeArrow","UpTo","UpValues","URL","URLBuild","URLDecode","URLDispatcher","URLDownload","URLDownloadSubmit","URLEncode","URLExecute","URLExpand","URLFetch","URLFetchAsynchronous","URLParse","URLQueryDecode","URLQueryEncode","URLRead","URLResponseTime","URLSave","URLSaveAsynchronous","URLShorten","URLSubmit","UseEmbeddedLibrary","UseGraphicsRange","UserDefinedWavelet","Using","UsingFrontEnd","UtilityFunction","V2Get","ValenceErrorHandling","ValenceFilling","ValidationLength","ValidationSet","ValueBox","ValueBoxOptions","ValueDimensions","ValueForm","ValuePreprocessingFunction","ValueQ","Values","ValuesData","VandermondeMatrix","Variables","Variance","VarianceEquivalenceTest","VarianceEstimatorFunction","VarianceGammaDistribution","VarianceGammaPointProcess","VarianceTest","VariogramFunction","VariogramModel","VectorAngle","VectorAround","VectorAspectRatio","VectorColorFunction","VectorColorFunctionScaling","VectorDensityPlot","VectorDisplacementPlot","VectorDisplacementPlot3D","VectorGlyphData","VectorGreater","VectorGreaterEqual","VectorLess","VectorLessEqual","VectorMarkers","VectorPlot","VectorPlot3D","VectorPoints","VectorQ","VectorRange","Vectors","VectorScale","VectorScaling","VectorSizes","VectorStyle","Vee","Verbatim","Verbose","VerificationTest","VerifyConvergence","VerifyDerivedKey","VerifyDigitalSignature","VerifyFileSignature","VerifyInterpretation","VerifySecurityCertificates","VerifySolutions","VerifyTestAssumptions","VersionedPreferences","VertexAdd","VertexCapacity","VertexChromaticNumber","VertexColors","VertexComponent","VertexConnectivity","VertexContract","VertexCoordinateRules","VertexCoordinates","VertexCorrelationSimilarity","VertexCosineSimilarity","VertexCount","VertexCoverQ","VertexDataCoordinates","VertexDegree","VertexDelete","VertexDiceSimilarity","VertexEccentricity","VertexInComponent","VertexInComponentGraph","VertexInDegree","VertexIndex","VertexJaccardSimilarity","VertexLabeling","VertexLabels","VertexLabelStyle","VertexList","VertexNormals","VertexOutComponent","VertexOutComponentGraph","VertexOutDegree","VertexQ","VertexRenderingFunction","VertexReplace","VertexShape","VertexShapeFunction","VertexSize","VertexStyle","VertexTextureCoordinates","VertexTransitiveGraphQ","VertexWeight","VertexWeightedGraphQ","Vertical","VerticalBar","VerticalForm","VerticalGauge","VerticalSeparator","VerticalSlider","VerticalTilde","Video","VideoCapture","VideoCombine","VideoDelete","VideoEncoding","VideoExtractFrames","VideoFrameList","VideoFrameMap","VideoGenerator","VideoInsert","VideoIntervals","VideoJoin","VideoMap","VideoMapList","VideoMapTimeSeries","VideoPadding","VideoPause","VideoPlay","VideoQ","VideoRecord","VideoReplace","VideoScreenCapture","VideoSplit","VideoStop","VideoStream","VideoStreams","VideoTimeStretch","VideoTrackSelection","VideoTranscode","VideoTransparency","VideoTrim","ViewAngle","ViewCenter","ViewMatrix","ViewPoint","ViewPointSelectorSettings","ViewPort","ViewProjection","ViewRange","ViewVector","ViewVertical","VirtualGroupData","Visible","VisibleCell","VoiceStyleData","VoigtDistribution","VolcanoData","Volume","VonMisesDistribution","VoronoiMesh","WaitAll","WaitAsynchronousTask","WaitNext","WaitUntil","WakebyDistribution","WalleniusHypergeometricDistribution","WaringYuleDistribution","WarpingCorrespondence","WarpingDistance","WatershedComponents","WatsonUSquareTest","WattsStrogatzGraphDistribution","WaveletBestBasis","WaveletFilterCoefficients","WaveletImagePlot","WaveletListPlot","WaveletMapIndexed","WaveletMatrixPlot","WaveletPhi","WaveletPsi","WaveletScale","WaveletScalogram","WaveletThreshold","WavePDEComponent","WeaklyConnectedComponents","WeaklyConnectedGraphComponents","WeaklyConnectedGraphQ","WeakStationarity","WeatherData","WeatherForecastData","WebAudioSearch","WebColumn","WebElementObject","WeberE","WebExecute","WebImage","WebImageSearch","WebItem","WebPageMetaInformation","WebRow","WebSearch","WebSessionObject","WebSessions","WebWindowObject","Wedge","Wednesday","WeibullDistribution","WeierstrassE1","WeierstrassE2","WeierstrassE3","WeierstrassEta1","WeierstrassEta2","WeierstrassEta3","WeierstrassHalfPeriods","WeierstrassHalfPeriodW1","WeierstrassHalfPeriodW2","WeierstrassHalfPeriodW3","WeierstrassInvariantG2","WeierstrassInvariantG3","WeierstrassInvariants","WeierstrassP","WeierstrassPPrime","WeierstrassSigma","WeierstrassZeta","WeightedAdjacencyGraph","WeightedAdjacencyMatrix","WeightedData","WeightedGraphQ","Weights","WelchWindow","WheelGraph","WhenEvent","Which","While","White","WhiteNoiseProcess","WhitePoint","Whitespace","WhitespaceCharacter","WhittakerM","WhittakerW","WholeCellGroupOpener","WienerFilter","WienerProcess","WignerD","WignerSemicircleDistribution","WikidataData","WikidataSearch","WikipediaData","WikipediaSearch","WilksW","WilksWTest","WindDirectionData","WindingCount","WindingPolygon","WindowClickSelect","WindowElements","WindowFloating","WindowFrame","WindowFrameElements","WindowMargins","WindowMovable","WindowOpacity","WindowPersistentStyles","WindowSelected","WindowSize","WindowStatusArea","WindowTitle","WindowToolbars","WindowWidth","WindSpeedData","WindVectorData","WinsorizedMean","WinsorizedVariance","WishartMatrixDistribution","With","WithCleanup","WithLock","WolframAlpha","WolframAlphaDate","WolframAlphaQuantity","WolframAlphaResult","WolframCloudSettings","WolframLanguageData","Word","WordBoundary","WordCharacter","WordCloud","WordCount","WordCounts","WordData","WordDefinition","WordFrequency","WordFrequencyData","WordList","WordOrientation","WordSearch","WordSelectionFunction","WordSeparators","WordSpacings","WordStem","WordTranslation","WorkingPrecision","WrapAround","Write","WriteLine","WriteString","Wronskian","XMLElement","XMLObject","XMLTemplate","Xnor","Xor","XYZColor","Yellow","Yesterday","YuleDissimilarity","ZernikeR","ZeroSymmetric","ZeroTest","ZeroWidthTimes","Zeta","ZetaZero","ZIPCodeData","ZipfDistribution","ZoomCenter","ZoomFactor","ZTest","ZTransform","$Aborted","$ActivationGroupID","$ActivationKey","$ActivationUserRegistered","$AddOnsDirectory","$AllowDataUpdates","$AllowExternalChannelFunctions","$AllowInternet","$AssertFunction","$Assumptions","$AsynchronousTask","$AudioDecoders","$AudioEncoders","$AudioInputDevices","$AudioOutputDevices","$BaseDirectory","$BasePacletsDirectory","$BatchInput","$BatchOutput","$BlockchainBase","$BoxForms","$ByteOrdering","$CacheBaseDirectory","$Canceled","$ChannelBase","$CharacterEncoding","$CharacterEncodings","$CloudAccountName","$CloudBase","$CloudConnected","$CloudConnection","$CloudCreditsAvailable","$CloudEvaluation","$CloudExpressionBase","$CloudObjectNameFormat","$CloudObjectURLType","$CloudRootDirectory","$CloudSymbolBase","$CloudUserID","$CloudUserUUID","$CloudVersion","$CloudVersionNumber","$CloudWolframEngineVersionNumber","$CommandLine","$CompilationTarget","$CompilerEnvironment","$ConditionHold","$ConfiguredKernels","$Context","$ContextAliases","$ContextPath","$ControlActiveSetting","$Cookies","$CookieStore","$CreationDate","$CryptographicEllipticCurveNames","$CurrentLink","$CurrentTask","$CurrentWebSession","$DataStructures","$DateStringFormat","$DefaultAudioInputDevice","$DefaultAudioOutputDevice","$DefaultFont","$DefaultFrontEnd","$DefaultImagingDevice","$DefaultKernels","$DefaultLocalBase","$DefaultLocalKernel","$DefaultMailbox","$DefaultNetworkInterface","$DefaultPath","$DefaultProxyRules","$DefaultRemoteBatchSubmissionEnvironment","$DefaultRemoteKernel","$DefaultSystemCredentialStore","$Display","$DisplayFunction","$DistributedContexts","$DynamicEvaluation","$Echo","$EmbedCodeEnvironments","$EmbeddableServices","$EntityStores","$Epilog","$EvaluationCloudBase","$EvaluationCloudObject","$EvaluationEnvironment","$ExportFormats","$ExternalIdentifierTypes","$ExternalStorageBase","$Failed","$FinancialDataSource","$FontFamilies","$FormatType","$FrontEnd","$FrontEndSession","$GeneratedAssetLocation","$GeoEntityTypes","$GeoLocation","$GeoLocationCity","$GeoLocationCountry","$GeoLocationPrecision","$GeoLocationSource","$HistoryLength","$HomeDirectory","$HTMLExportRules","$HTTPCookies","$HTTPRequest","$IgnoreEOF","$ImageFormattingWidth","$ImageResolution","$ImagingDevice","$ImagingDevices","$ImportFormats","$IncomingMailSettings","$InitialDirectory","$Initialization","$InitializationContexts","$Input","$InputFileName","$InputStreamMethods","$Inspector","$InstallationDate","$InstallationDirectory","$InterfaceEnvironment","$InterpreterTypes","$IterationLimit","$KernelCount","$KernelID","$Language","$LaunchDirectory","$LibraryPath","$LicenseExpirationDate","$LicenseID","$LicenseProcesses","$LicenseServer","$LicenseSubprocesses","$LicenseType","$Line","$Linked","$LinkSupported","$LoadedFiles","$LocalBase","$LocalSymbolBase","$MachineAddresses","$MachineDomain","$MachineDomains","$MachineEpsilon","$MachineID","$MachineName","$MachinePrecision","$MachineType","$MaxDisplayedChildren","$MaxExtraPrecision","$MaxLicenseProcesses","$MaxLicenseSubprocesses","$MaxMachineNumber","$MaxNumber","$MaxPiecewiseCases","$MaxPrecision","$MaxRootDegree","$MessageGroups","$MessageList","$MessagePrePrint","$Messages","$MinMachineNumber","$MinNumber","$MinorReleaseNumber","$MinPrecision","$MobilePhone","$ModuleNumber","$NetworkConnected","$NetworkInterfaces","$NetworkLicense","$NewMessage","$NewSymbol","$NotebookInlineStorageLimit","$Notebooks","$NoValue","$NumberMarks","$Off","$OperatingSystem","$Output","$OutputForms","$OutputSizeLimit","$OutputStreamMethods","$Packages","$ParentLink","$ParentProcessID","$PasswordFile","$PatchLevelID","$Path","$PathnameSeparator","$PerformanceGoal","$Permissions","$PermissionsGroupBase","$PersistenceBase","$PersistencePath","$PipeSupported","$PlotTheme","$Post","$Pre","$PreferencesDirectory","$PreInitialization","$PrePrint","$PreRead","$PrintForms","$PrintLiteral","$Printout3DPreviewer","$ProcessID","$ProcessorCount","$ProcessorType","$ProductInformation","$ProgramName","$ProgressReporting","$PublisherID","$RandomGeneratorState","$RandomState","$RecursionLimit","$RegisteredDeviceClasses","$RegisteredUserName","$ReleaseNumber","$RequesterAddress","$RequesterCloudUserID","$RequesterCloudUserUUID","$RequesterWolframID","$RequesterWolframUUID","$ResourceSystemBase","$ResourceSystemPath","$RootDirectory","$ScheduledTask","$ScriptCommandLine","$ScriptInputString","$SecuredAuthenticationKeyTokens","$ServiceCreditsAvailable","$Services","$SessionID","$SetParentLink","$SharedFunctions","$SharedVariables","$SoundDisplay","$SoundDisplayFunction","$SourceLink","$SSHAuthentication","$SubtitleDecoders","$SubtitleEncoders","$SummaryBoxDataSizeLimit","$SuppressInputFormHeads","$SynchronousEvaluation","$SyntaxHandler","$System","$SystemCharacterEncoding","$SystemCredentialStore","$SystemID","$SystemMemory","$SystemShell","$SystemTimeZone","$SystemWordLength","$TargetSystems","$TemplatePath","$TemporaryDirectory","$TemporaryPrefix","$TestFileName","$TextStyle","$TimedOut","$TimeUnit","$TimeZone","$TimeZoneEntity","$TopDirectory","$TraceOff","$TraceOn","$TracePattern","$TracePostAction","$TracePreAction","$UnitSystem","$Urgent","$UserAddOnsDirectory","$UserAgentLanguages","$UserAgentMachine","$UserAgentName","$UserAgentOperatingSystem","$UserAgentString","$UserAgentVersion","$UserBaseDirectory","$UserBasePacletsDirectory","$UserDocumentsDirectory","$Username","$UserName","$UserURLBase","$Version","$VersionNumber","$VideoDecoders","$VideoEncoders","$VoiceStyles","$WolframDocumentsDirectory","$WolframID","$WolframUUID"];function t(n){const r=n.regex,a=/([2-9]|[1-2]\d|[3][0-5])\^\^/,o=/(\w*\.\w+|\w+\.\w*|\w+)/,l=/(\d*\.\d+|\d+\.\d*|\d+)/,u=r.either(r.concat(a,o),l),c=/``[+-]?(\d*\.\d+|\d+\.\d*|\d+)/,d=/`([+-]?(\d*\.\d+|\d+\.\d*|\d+))?/,S=r.either(c,d),_=/\*\^[+-]?\d+/,T={className:"number",relevance:0,begin:r.concat(u,r.optional(S),r.optional(_))},y=/[a-zA-Z$][a-zA-Z0-9$]*/,M=new Set(e),v={variants:[{className:"builtin-symbol",begin:y,"on:begin":(h,k)=>{M.has(h[0])||k.ignoreMatch()}},{className:"symbol",relevance:0,begin:y}]},A={className:"named-character",begin:/\\\[[$a-zA-Z][$a-zA-Z0-9]+\]/},O={className:"operator",relevance:0,begin:/[+\-*/,;.:@~=><&|_`'^?!%]+/},N={className:"pattern",relevance:0,begin:/([a-zA-Z$][a-zA-Z0-9$]*)?_+([a-zA-Z$][a-zA-Z0-9$]*)?/},R={className:"slot",relevance:0,begin:/#[a-zA-Z$][a-zA-Z0-9$]*|#+[0-9]?/},L={className:"brace",relevance:0,begin:/[[\](){}]/},I={className:"message-name",relevance:0,begin:r.concat("::",y)};return{name:"Mathematica",aliases:["mma","wl"],classNameAliases:{brace:"punctuation",pattern:"type",slot:"type",symbol:"variable","named-character":"variable","builtin-symbol":"built_in","message-name":"string"},contains:[n.COMMENT(/\(\*/,/\*\)/,{contains:["self"]}),N,R,I,v,A,n.QUOTE_STRING_MODE,T,O,L]}}return _m=t,_m}var mm,py;function yk(){if(py)return mm;py=1;function e(t){const n="('|\\.')+",r={relevance:0,contains:[{begin:n}]};return{name:"Matlab",keywords:{keyword:"arguments break case catch classdef continue else elseif end enumeration events for function global if methods otherwise parfor persistent properties return spmd switch try while",built_in:"sin sind sinh asin asind asinh cos cosd cosh acos acosd acosh tan tand tanh atan atand atan2 atanh sec secd sech asec asecd asech csc cscd csch acsc acscd acsch cot cotd coth acot acotd acoth hypot exp expm1 log log1p log10 log2 pow2 realpow reallog realsqrt sqrt nthroot nextpow2 abs angle complex conj imag real unwrap isreal cplxpair fix floor ceil round mod rem sign airy besselj bessely besselh besseli besselk beta betainc betaln ellipj ellipke erf erfc erfcx erfinv expint gamma gammainc gammaln psi legendre cross dot factor isprime primes gcd lcm rat rats perms nchoosek factorial cart2sph cart2pol pol2cart sph2cart hsv2rgb rgb2hsv zeros ones eye repmat rand randn linspace logspace freqspace meshgrid accumarray size length ndims numel disp isempty isequal isequalwithequalnans cat reshape diag blkdiag tril triu fliplr flipud flipdim rot90 find sub2ind ind2sub bsxfun ndgrid permute ipermute shiftdim circshift squeeze isscalar isvector ans eps realmax realmin pi i|0 inf nan isnan isinf isfinite j|0 why compan gallery hadamard hankel hilb invhilb magic pascal rosser toeplitz vander wilkinson max min nanmax nanmin mean nanmean type table readtable writetable sortrows sort figure plot plot3 scatter scatter3 cellfun legend intersect ismember procrustes hold num2cell "},illegal:'(//|"|#|/\\*|\\s+/\\w+)',contains:[{className:"function",beginKeywords:"function",end:"$",contains:[t.UNDERSCORE_TITLE_MODE,{className:"params",variants:[{begin:"\\(",end:"\\)"},{begin:"\\[",end:"\\]"}]}]},{className:"built_in",begin:/true|false/,relevance:0,starts:r},{begin:"[a-zA-Z][a-zA-Z_0-9]*"+n,relevance:0},{className:"number",begin:t.C_NUMBER_RE,relevance:0,starts:r},{className:"string",begin:"'",end:"'",contains:[{begin:"''"}]},{begin:/\]|\}|\)/,relevance:0,starts:r},{className:"string",begin:'"',end:'"',contains:[{begin:'""'}],starts:r},t.COMMENT("^\\s*%\\{\\s*$","^\\s*%\\}\\s*$"),t.COMMENT("%","$")]}}return mm=e,mm}var gm,_y;function Ck(){if(_y)return gm;_y=1;function e(t){return{name:"Maxima",keywords:{$pattern:"[A-Za-z_%][0-9A-Za-z_%]*",keyword:"if then else elseif for thru do while unless step in and or not",literal:"true false unknown inf minf ind und %e %i %pi %phi %gamma",built_in:" abasep abs absint absolute_real_time acos acosh acot acoth acsc acsch activate addcol add_edge add_edges addmatrices addrow add_vertex add_vertices adjacency_matrix adjoin adjoint af agd airy airy_ai airy_bi airy_dai airy_dbi algsys alg_type alias allroots alphacharp alphanumericp amortization %and annuity_fv annuity_pv antid antidiff AntiDifference append appendfile apply apply1 apply2 applyb1 apropos args arit_amortization arithmetic arithsum array arrayapply arrayinfo arraymake arraysetapply ascii asec asech asin asinh askinteger asksign assoc assoc_legendre_p assoc_legendre_q assume assume_external_byte_order asympa at atan atan2 atanh atensimp atom atvalue augcoefmatrix augmented_lagrangian_method av average_degree backtrace bars barsplot barsplot_description base64 base64_decode bashindices batch batchload bc2 bdvac belln benefit_cost bern bernpoly bernstein_approx bernstein_expand bernstein_poly bessel bessel_i bessel_j bessel_k bessel_simplify bessel_y beta beta_incomplete beta_incomplete_generalized beta_incomplete_regularized bezout bfallroots bffac bf_find_root bf_fmin_cobyla bfhzeta bfloat bfloatp bfpsi bfpsi0 bfzeta biconnected_components bimetric binomial bipartition block blockmatrixp bode_gain bode_phase bothcoef box boxplot boxplot_description break bug_report build_info|10 buildq build_sample burn cabs canform canten cardinality carg cartan cartesian_product catch cauchy_matrix cbffac cdf_bernoulli cdf_beta cdf_binomial cdf_cauchy cdf_chi2 cdf_continuous_uniform cdf_discrete_uniform cdf_exp cdf_f cdf_gamma cdf_general_finite_discrete cdf_geometric cdf_gumbel cdf_hypergeometric cdf_laplace cdf_logistic cdf_lognormal cdf_negative_binomial cdf_noncentral_chi2 cdf_noncentral_student_t cdf_normal cdf_pareto cdf_poisson cdf_rank_sum cdf_rayleigh cdf_signed_rank cdf_student_t cdf_weibull cdisplay ceiling central_moment cequal cequalignore cf cfdisrep cfexpand cgeodesic cgreaterp cgreaterpignore changename changevar chaosgame charat charfun charfun2 charlist charp charpoly chdir chebyshev_t chebyshev_u checkdiv check_overlaps chinese cholesky christof chromatic_index chromatic_number cint circulant_graph clear_edge_weight clear_rules clear_vertex_label clebsch_gordan clebsch_graph clessp clesspignore close closefile cmetric coeff coefmatrix cograd col collapse collectterms columnop columnspace columnswap columnvector combination combine comp2pui compare compfile compile compile_file complement_graph complete_bipartite_graph complete_graph complex_number_p components compose_functions concan concat conjugate conmetderiv connected_components connect_vertices cons constant constantp constituent constvalue cont2part content continuous_freq contortion contour_plot contract contract_edge contragrad contrib_ode convert coord copy copy_file copy_graph copylist copymatrix cor cos cosh cot coth cov cov1 covdiff covect covers crc24sum create_graph create_list csc csch csetup cspline ctaylor ct_coordsys ctransform ctranspose cube_graph cuboctahedron_graph cunlisp cv cycle_digraph cycle_graph cylindrical days360 dblint deactivate declare declare_constvalue declare_dimensions declare_fundamental_dimensions declare_fundamental_units declare_qty declare_translated declare_unit_conversion declare_units declare_weights decsym defcon define define_alt_display define_variable defint defmatch defrule defstruct deftaylor degree_sequence del delete deleten delta demo demoivre denom depends derivdegree derivlist describe desolve determinant dfloat dgauss_a dgauss_b dgeev dgemm dgeqrf dgesv dgesvd diag diagmatrix diag_matrix diagmatrixp diameter diff digitcharp dimacs_export dimacs_import dimension dimensionless dimensions dimensions_as_list direct directory discrete_freq disjoin disjointp disolate disp dispcon dispform dispfun dispJordan display disprule dispterms distrib divide divisors divsum dkummer_m dkummer_u dlange dodecahedron_graph dotproduct dotsimp dpart draw draw2d draw3d drawdf draw_file draw_graph dscalar echelon edge_coloring edge_connectivity edges eigens_by_jacobi eigenvalues eigenvectors eighth einstein eivals eivects elapsed_real_time elapsed_run_time ele2comp ele2polynome ele2pui elem elementp elevation_grid elim elim_allbut eliminate eliminate_using ellipse elliptic_e elliptic_ec elliptic_eu elliptic_f elliptic_kc elliptic_pi ematrix empty_graph emptyp endcons entermatrix entertensor entier equal equalp equiv_classes erf erfc erf_generalized erfi errcatch error errormsg errors euler ev eval_string evenp every evolution evolution2d evundiff example exp expand expandwrt expandwrt_factored expint expintegral_chi expintegral_ci expintegral_e expintegral_e1 expintegral_ei expintegral_e_simplify expintegral_li expintegral_shi expintegral_si explicit explose exponentialize express expt exsec extdiff extract_linear_equations extremal_subset ezgcd %f f90 facsum factcomb factor factorfacsum factorial factorout factorsum facts fast_central_elements fast_linsolve fasttimes featurep fernfale fft fib fibtophi fifth filename_merge file_search file_type fillarray findde find_root find_root_abs find_root_error find_root_rel first fix flatten flength float floatnump floor flower_snark flush flush1deriv flushd flushnd flush_output fmin_cobyla forget fortran fourcos fourexpand fourier fourier_elim fourint fourintcos fourintsin foursimp foursin fourth fposition frame_bracket freeof freshline fresnel_c fresnel_s from_adjacency_matrix frucht_graph full_listify fullmap fullmapl fullratsimp fullratsubst fullsetify funcsolve fundamental_dimensions fundamental_units fundef funmake funp fv g0 g1 gamma gamma_greek gamma_incomplete gamma_incomplete_generalized gamma_incomplete_regularized gauss gauss_a gauss_b gaussprob gcd gcdex gcdivide gcfac gcfactor gd generalized_lambert_w genfact gen_laguerre genmatrix gensym geo_amortization geo_annuity_fv geo_annuity_pv geomap geometric geometric_mean geosum get getcurrentdirectory get_edge_weight getenv get_lu_factors get_output_stream_string get_pixel get_plot_option get_tex_environment get_tex_environment_default get_vertex_label gfactor gfactorsum ggf girth global_variances gn gnuplot_close gnuplot_replot gnuplot_reset gnuplot_restart gnuplot_start go Gosper GosperSum gr2d gr3d gradef gramschmidt graph6_decode graph6_encode graph6_export graph6_import graph_center graph_charpoly graph_eigenvalues graph_flow graph_order graph_periphery graph_product graph_size graph_union great_rhombicosidodecahedron_graph great_rhombicuboctahedron_graph grid_graph grind grobner_basis grotzch_graph hamilton_cycle hamilton_path hankel hankel_1 hankel_2 harmonic harmonic_mean hav heawood_graph hermite hessian hgfred hilbertmap hilbert_matrix hipow histogram histogram_description hodge horner hypergeometric i0 i1 %ibes ic1 ic2 ic_convert ichr1 ichr2 icosahedron_graph icosidodecahedron_graph icurvature ident identfor identity idiff idim idummy ieqn %if ifactors iframes ifs igcdex igeodesic_coords ilt image imagpart imetric implicit implicit_derivative implicit_plot indexed_tensor indices induced_subgraph inferencep inference_result infix info_display init_atensor init_ctensor in_neighbors innerproduct inpart inprod inrt integerp integer_partitions integrate intersect intersection intervalp intopois intosum invariant1 invariant2 inverse_fft inverse_jacobi_cd inverse_jacobi_cn inverse_jacobi_cs inverse_jacobi_dc inverse_jacobi_dn inverse_jacobi_ds inverse_jacobi_nc inverse_jacobi_nd inverse_jacobi_ns inverse_jacobi_sc inverse_jacobi_sd inverse_jacobi_sn invert invert_by_adjoint invert_by_lu inv_mod irr is is_biconnected is_bipartite is_connected is_digraph is_edge_in_graph is_graph is_graph_or_digraph ishow is_isomorphic isolate isomorphism is_planar isqrt isreal_p is_sconnected is_tree is_vertex_in_graph items_inference %j j0 j1 jacobi jacobian jacobi_cd jacobi_cn jacobi_cs jacobi_dc jacobi_dn jacobi_ds jacobi_nc jacobi_nd jacobi_ns jacobi_p jacobi_sc jacobi_sd jacobi_sn JF jn join jordan julia julia_set julia_sin %k kdels kdelta kill killcontext kostka kron_delta kronecker_product kummer_m kummer_u kurtosis kurtosis_bernoulli kurtosis_beta kurtosis_binomial kurtosis_chi2 kurtosis_continuous_uniform kurtosis_discrete_uniform kurtosis_exp kurtosis_f kurtosis_gamma kurtosis_general_finite_discrete kurtosis_geometric kurtosis_gumbel kurtosis_hypergeometric kurtosis_laplace kurtosis_logistic kurtosis_lognormal kurtosis_negative_binomial kurtosis_noncentral_chi2 kurtosis_noncentral_student_t kurtosis_normal kurtosis_pareto kurtosis_poisson kurtosis_rayleigh kurtosis_student_t kurtosis_weibull label labels lagrange laguerre lambda lambert_w laplace laplacian_matrix last lbfgs lc2kdt lcharp lc_l lcm lc_u ldefint ldisp ldisplay legendre_p legendre_q leinstein length let letrules letsimp levi_civita lfreeof lgtreillis lhs li liediff limit Lindstedt linear linearinterpol linear_program linear_regression line_graph linsolve listarray list_correlations listify list_matrix_entries list_nc_monomials listoftens listofvars listp lmax lmin load loadfile local locate_matrix_entry log logcontract log_gamma lopow lorentz_gauge lowercasep lpart lratsubst lreduce lriemann lsquares_estimates lsquares_estimates_approximate lsquares_estimates_exact lsquares_mse lsquares_residual_mse lsquares_residuals lsum ltreillis lu_backsub lucas lu_factor %m macroexpand macroexpand1 make_array makebox makefact makegamma make_graph make_level_picture makelist makeOrders make_poly_continent make_poly_country make_polygon make_random_state make_rgb_picture makeset make_string_input_stream make_string_output_stream make_transform mandelbrot mandelbrot_set map mapatom maplist matchdeclare matchfix mat_cond mat_fullunblocker mat_function mathml_display mat_norm matrix matrixmap matrixp matrix_size mattrace mat_trace mat_unblocker max max_clique max_degree max_flow maximize_lp max_independent_set max_matching maybe md5sum mean mean_bernoulli mean_beta mean_binomial mean_chi2 mean_continuous_uniform mean_deviation mean_discrete_uniform mean_exp mean_f mean_gamma mean_general_finite_discrete mean_geometric mean_gumbel mean_hypergeometric mean_laplace mean_logistic mean_lognormal mean_negative_binomial mean_noncentral_chi2 mean_noncentral_student_t mean_normal mean_pareto mean_poisson mean_rayleigh mean_student_t mean_weibull median median_deviation member mesh metricexpandall mgf1_sha1 min min_degree min_edge_cut minfactorial minimalPoly minimize_lp minimum_spanning_tree minor minpack_lsquares minpack_solve min_vertex_cover min_vertex_cut mkdir mnewton mod mode_declare mode_identity ModeMatrix moebius mon2schur mono monomial_dimensions multibernstein_poly multi_display_for_texinfo multi_elem multinomial multinomial_coeff multi_orbit multiplot_mode multi_pui multsym multthru mycielski_graph nary natural_unit nc_degree ncexpt ncharpoly negative_picture neighbors new newcontext newdet new_graph newline newton new_variable next_prime nicedummies niceindices ninth nofix nonarray noncentral_moment nonmetricity nonnegintegerp nonscalarp nonzeroandfreeof notequal nounify nptetrad npv nroots nterms ntermst nthroot nullity nullspace num numbered_boundaries numberp number_to_octets num_distinct_partitions numerval numfactor num_partitions nusum nzeta nzetai nzetar octets_to_number octets_to_oid odd_girth oddp ode2 ode_check odelin oid_to_octets op opena opena_binary openr openr_binary openw openw_binary operatorp opsubst optimize %or orbit orbits ordergreat ordergreatp orderless orderlessp orthogonal_complement orthopoly_recur orthopoly_weight outermap out_neighbors outofpois pade parabolic_cylinder_d parametric parametric_surface parg parGosper parse_string parse_timedate part part2cont partfrac partition partition_set partpol path_digraph path_graph pathname_directory pathname_name pathname_type pdf_bernoulli pdf_beta pdf_binomial pdf_cauchy pdf_chi2 pdf_continuous_uniform pdf_discrete_uniform pdf_exp pdf_f pdf_gamma pdf_general_finite_discrete pdf_geometric pdf_gumbel pdf_hypergeometric pdf_laplace pdf_logistic pdf_lognormal pdf_negative_binomial pdf_noncentral_chi2 pdf_noncentral_student_t pdf_normal pdf_pareto pdf_poisson pdf_rank_sum pdf_rayleigh pdf_signed_rank pdf_student_t pdf_weibull pearson_skewness permanent permut permutation permutations petersen_graph petrov pickapart picture_equalp picturep piechart piechart_description planar_embedding playback plog plot2d plot3d plotdf ploteq plsquares pochhammer points poisdiff poisexpt poisint poismap poisplus poissimp poissubst poistimes poistrim polar polarform polartorect polar_to_xy poly_add poly_buchberger poly_buchberger_criterion poly_colon_ideal poly_content polydecomp poly_depends_p poly_elimination_ideal poly_exact_divide poly_expand poly_expt poly_gcd polygon poly_grobner poly_grobner_equal poly_grobner_member poly_grobner_subsetp poly_ideal_intersection poly_ideal_polysaturation poly_ideal_polysaturation1 poly_ideal_saturation poly_ideal_saturation1 poly_lcm poly_minimization polymod poly_multiply polynome2ele polynomialp poly_normal_form poly_normalize poly_normalize_list poly_polysaturation_extension poly_primitive_part poly_pseudo_divide poly_reduced_grobner poly_reduction poly_saturation_extension poly_s_polynomial poly_subtract polytocompanion pop postfix potential power_mod powerseries powerset prefix prev_prime primep primes principal_components print printf printfile print_graph printpois printprops prodrac product properties propvars psi psubst ptriangularize pui pui2comp pui2ele pui2polynome pui_direct puireduc push put pv qput qrange qty quad_control quad_qag quad_qagi quad_qagp quad_qags quad_qawc quad_qawf quad_qawo quad_qaws quadrilateral quantile quantile_bernoulli quantile_beta quantile_binomial quantile_cauchy quantile_chi2 quantile_continuous_uniform quantile_discrete_uniform quantile_exp quantile_f quantile_gamma quantile_general_finite_discrete quantile_geometric quantile_gumbel quantile_hypergeometric quantile_laplace quantile_logistic quantile_lognormal quantile_negative_binomial quantile_noncentral_chi2 quantile_noncentral_student_t quantile_normal quantile_pareto quantile_poisson quantile_rayleigh quantile_student_t quantile_weibull quartile_skewness quit qunit quotient racah_v racah_w radcan radius random random_bernoulli random_beta random_binomial random_bipartite_graph random_cauchy random_chi2 random_continuous_uniform random_digraph random_discrete_uniform random_exp random_f random_gamma random_general_finite_discrete random_geometric random_graph random_graph1 random_gumbel random_hypergeometric random_laplace random_logistic random_lognormal random_negative_binomial random_network random_noncentral_chi2 random_noncentral_student_t random_normal random_pareto random_permutation random_poisson random_rayleigh random_regular_graph random_student_t random_tournament random_tree random_weibull range rank rat ratcoef ratdenom ratdiff ratdisrep ratexpand ratinterpol rational rationalize ratnumer ratnump ratp ratsimp ratsubst ratvars ratweight read read_array read_binary_array read_binary_list read_binary_matrix readbyte readchar read_hashed_array readline read_list read_matrix read_nested_list readonly read_xpm real_imagpart_to_conjugate realpart realroots rearray rectangle rectform rectform_log_if_constant recttopolar rediff reduce_consts reduce_order region region_boundaries region_boundaries_plus rem remainder remarray rembox remcomps remcon remcoord remfun remfunction remlet remove remove_constvalue remove_dimensions remove_edge remove_fundamental_dimensions remove_fundamental_units remove_plot_option remove_vertex rempart remrule remsym remvalue rename rename_file reset reset_displays residue resolvante resolvante_alternee1 resolvante_bipartite resolvante_diedrale resolvante_klein resolvante_klein3 resolvante_produit_sym resolvante_unitaire resolvante_vierer rest resultant return reveal reverse revert revert2 rgb2level rhs ricci riemann rinvariant risch rk rmdir rncombine romberg room rootscontract round row rowop rowswap rreduce run_testsuite %s save saving scalarp scaled_bessel_i scaled_bessel_i0 scaled_bessel_i1 scalefactors scanmap scatterplot scatterplot_description scene schur2comp sconcat scopy scsimp scurvature sdowncase sec sech second sequal sequalignore set_alt_display setdifference set_draw_defaults set_edge_weight setelmx setequalp setify setp set_partitions set_plot_option set_prompt set_random_state set_tex_environment set_tex_environment_default setunits setup_autoload set_up_dot_simplifications set_vertex_label seventh sexplode sf sha1sum sha256sum shortest_path shortest_weighted_path show showcomps showratvars sierpinskiale sierpinskimap sign signum similaritytransform simp_inequality simplify_sum simplode simpmetderiv simtran sin sinh sinsert sinvertcase sixth skewness skewness_bernoulli skewness_beta skewness_binomial skewness_chi2 skewness_continuous_uniform skewness_discrete_uniform skewness_exp skewness_f skewness_gamma skewness_general_finite_discrete skewness_geometric skewness_gumbel skewness_hypergeometric skewness_laplace skewness_logistic skewness_lognormal skewness_negative_binomial skewness_noncentral_chi2 skewness_noncentral_student_t skewness_normal skewness_pareto skewness_poisson skewness_rayleigh skewness_student_t skewness_weibull slength smake small_rhombicosidodecahedron_graph small_rhombicuboctahedron_graph smax smin smismatch snowmap snub_cube_graph snub_dodecahedron_graph solve solve_rec solve_rec_rat some somrac sort sparse6_decode sparse6_encode sparse6_export sparse6_import specint spherical spherical_bessel_j spherical_bessel_y spherical_hankel1 spherical_hankel2 spherical_harmonic spherical_to_xyz splice split sposition sprint sqfr sqrt sqrtdenest sremove sremovefirst sreverse ssearch ssort sstatus ssubst ssubstfirst staircase standardize standardize_inverse_trig starplot starplot_description status std std1 std_bernoulli std_beta std_binomial std_chi2 std_continuous_uniform std_discrete_uniform std_exp std_f std_gamma std_general_finite_discrete std_geometric std_gumbel std_hypergeometric std_laplace std_logistic std_lognormal std_negative_binomial std_noncentral_chi2 std_noncentral_student_t std_normal std_pareto std_poisson std_rayleigh std_student_t std_weibull stemplot stirling stirling1 stirling2 strim striml strimr string stringout stringp strong_components struve_h struve_l sublis sublist sublist_indices submatrix subsample subset subsetp subst substinpart subst_parallel substpart substring subvar subvarp sum sumcontract summand_to_rec supcase supcontext symbolp symmdifference symmetricp system take_channel take_inference tan tanh taylor taylorinfo taylorp taylor_simplifier taytorat tcl_output tcontract tellrat tellsimp tellsimpafter tentex tenth test_mean test_means_difference test_normality test_proportion test_proportions_difference test_rank_sum test_sign test_signed_rank test_variance test_variance_ratio tex tex1 tex_display texput %th third throw time timedate timer timer_info tldefint tlimit todd_coxeter toeplitz tokens to_lisp topological_sort to_poly to_poly_solve totaldisrep totalfourier totient tpartpol trace tracematrix trace_options transform_sample translate translate_file transpose treefale tree_reduce treillis treinat triangle triangularize trigexpand trigrat trigreduce trigsimp trunc truncate truncated_cube_graph truncated_dodecahedron_graph truncated_icosahedron_graph truncated_tetrahedron_graph tr_warnings_get tube tutte_graph ueivects uforget ultraspherical underlying_graph undiff union unique uniteigenvectors unitp units unit_step unitvector unorder unsum untellrat untimer untrace uppercasep uricci uriemann uvect vandermonde_matrix var var1 var_bernoulli var_beta var_binomial var_chi2 var_continuous_uniform var_discrete_uniform var_exp var_f var_gamma var_general_finite_discrete var_geometric var_gumbel var_hypergeometric var_laplace var_logistic var_lognormal var_negative_binomial var_noncentral_chi2 var_noncentral_student_t var_normal var_pareto var_poisson var_rayleigh var_student_t var_weibull vector vectorpotential vectorsimp verbify vers vertex_coloring vertex_connectivity vertex_degree vertex_distance vertex_eccentricity vertex_in_degree vertex_out_degree vertices vertices_to_cycle vertices_to_path %w weyl wheel_graph wiener_index wigner_3j wigner_6j wigner_9j with_stdout write_binary_data writebyte write_data writefile wronskian xreduce xthru %y Zeilberger zeroequiv zerofor zeromatrix zeromatrixp zeta zgeev zheev zlange zn_add_table zn_carmichael_lambda zn_characteristic_factors zn_determinant zn_factor_generators zn_invert_by_lu zn_log zn_mult_table absboxchar activecontexts adapt_depth additive adim aform algebraic algepsilon algexact aliases allbut all_dotsimp_denoms allocation allsym alphabetic animation antisymmetric arrays askexp assume_pos assume_pos_pred assumescalar asymbol atomgrad atrig1 axes axis_3d axis_bottom axis_left axis_right axis_top azimuth background background_color backsubst berlefact bernstein_explicit besselexpand beta_args_sum_to_integer beta_expand bftorat bftrunc bindtest border boundaries_array box boxchar breakup %c capping cauchysum cbrange cbtics center cflength cframe_flag cnonmet_flag color color_bar color_bar_tics colorbox columns commutative complex cone context contexts contour contour_levels cosnpiflag ctaypov ctaypt ctayswitch ctayvar ct_coords ctorsion_flag ctrgsimp cube current_let_rule_package cylinder data_file_name debugmode decreasing default_let_rule_package delay dependencies derivabbrev derivsubst detout diagmetric diff dim dimensions dispflag display2d|10 display_format_internal distribute_over doallmxops domain domxexpt domxmxops domxnctimes dontfactor doscmxops doscmxplus dot0nscsimp dot0simp dot1simp dotassoc dotconstrules dotdistrib dotexptsimp dotident dotscrules draw_graph_program draw_realpart edge_color edge_coloring edge_partition edge_type edge_width %edispflag elevation %emode endphi endtheta engineering_format_floats enhanced3d %enumer epsilon_lp erfflag erf_representation errormsg error_size error_syms error_type %e_to_numlog eval even evenfun evflag evfun ev_point expandwrt_denom expintexpand expintrep expon expop exptdispflag exptisolate exptsubst facexpand facsum_combine factlim factorflag factorial_expand factors_only fb feature features file_name file_output_append file_search_demo file_search_lisp file_search_maxima|10 file_search_tests file_search_usage file_type_lisp file_type_maxima|10 fill_color fill_density filled_func fixed_vertices flipflag float2bf font font_size fortindent fortspaces fpprec fpprintprec functions gamma_expand gammalim gdet genindex gensumnum GGFCFMAX GGFINFINITY globalsolve gnuplot_command gnuplot_curve_styles gnuplot_curve_titles gnuplot_default_term_command gnuplot_dumb_term_command gnuplot_file_args gnuplot_file_name gnuplot_out_file gnuplot_pdf_term_command gnuplot_pm3d gnuplot_png_term_command gnuplot_postamble gnuplot_preamble gnuplot_ps_term_command gnuplot_svg_term_command gnuplot_term gnuplot_view_args Gosper_in_Zeilberger gradefs grid grid2d grind halfangles head_angle head_both head_length head_type height hypergeometric_representation %iargs ibase icc1 icc2 icounter idummyx ieqnprint ifb ifc1 ifc2 ifg ifgi ifr iframe_bracket_form ifri igeowedge_flag ikt1 ikt2 imaginary inchar increasing infeval infinity inflag infolists inm inmc1 inmc2 intanalysis integer integervalued integrate_use_rootsof integration_constant integration_constant_counter interpolate_color intfaclim ip_grid ip_grid_in irrational isolate_wrt_times iterations itr julia_parameter %k1 %k2 keepfloat key key_pos kinvariant kt label label_alignment label_orientation labels lassociative lbfgs_ncorrections lbfgs_nfeval_max leftjust legend letrat let_rule_packages lfg lg lhospitallim limsubst linear linear_solver linechar linel|10 linenum line_type linewidth line_width linsolve_params linsolvewarn lispdisp listarith listconstvars listdummyvars lmxchar load_pathname loadprint logabs logarc logcb logconcoeffp logexpand lognegint logsimp logx logx_secondary logy logy_secondary logz lriem m1pbranch macroexpansion macros mainvar manual_demo maperror mapprint matrix_element_add matrix_element_mult matrix_element_transpose maxapplydepth maxapplyheight maxima_tempdir|10 maxima_userdir|10 maxnegex MAX_ORD maxposex maxpsifracdenom maxpsifracnum maxpsinegint maxpsiposint maxtayorder mesh_lines_color method mod_big_prime mode_check_errorp mode_checkp mode_check_warnp mod_test mod_threshold modular_linear_solver modulus multiplicative multiplicities myoptions nary negdistrib negsumdispflag newline newtonepsilon newtonmaxiter nextlayerfactor niceindicespref nm nmc noeval nolabels nonegative_lp noninteger nonscalar noun noundisp nouns np npi nticks ntrig numer numer_pbranch obase odd oddfun opacity opproperties opsubst optimprefix optionset orientation origin orthopoly_returns_intervals outative outchar packagefile palette partswitch pdf_file pfeformat phiresolution %piargs piece pivot_count_sx pivot_max_sx plot_format plot_options plot_realpart png_file pochhammer_max_index points pointsize point_size points_joined point_type poislim poisson poly_coefficient_ring poly_elimination_order polyfactor poly_grobner_algorithm poly_grobner_debug poly_monomial_order poly_primary_elimination_order poly_return_term_list poly_secondary_elimination_order poly_top_reduction_only posfun position powerdisp pred prederror primep_number_of_tests product_use_gamma program programmode promote_float_to_bigfloat prompt proportional_axes props psexpand ps_file radexpand radius radsubstflag rassociative ratalgdenom ratchristof ratdenomdivide rateinstein ratepsilon ratfac rational ratmx ratprint ratriemann ratsimpexpons ratvarswitch ratweights ratweyl ratwtlvl real realonly redraw refcheck resolution restart resultant ric riem rmxchar %rnum_list rombergabs rombergit rombergmin rombergtol rootsconmode rootsepsilon run_viewer same_xy same_xyz savedef savefactors scalar scalarmatrixp scale scale_lp setcheck setcheckbreak setval show_edge_color show_edges show_edge_type show_edge_width show_id show_label showtime show_vertex_color show_vertex_size show_vertex_type show_vertices show_weight simp simplified_output simplify_products simpproduct simpsum sinnpiflag solvedecomposes solveexplicit solvefactors solvenullwarn solveradcan solvetrigwarn space sparse sphere spring_embedding_depth sqrtdispflag stardisp startphi starttheta stats_numer stringdisp structures style sublis_apply_lambda subnumsimp sumexpand sumsplitfact surface surface_hide svg_file symmetric tab taylordepth taylor_logexpand taylor_order_coefficients taylor_truncate_polynomials tensorkill terminal testsuite_files thetaresolution timer_devalue title tlimswitch tr track transcompile transform transform_xy translate_fast_arrays transparent transrun tr_array_as_ref tr_bound_function_applyp tr_file_tty_messagesp tr_float_can_branch_complex tr_function_call_default trigexpandplus trigexpandtimes triginverses trigsign trivial_solutions tr_numer tr_optimize_max_loop tr_semicompile tr_state_vars tr_warn_bad_function_calls tr_warn_fexpr tr_warn_meval tr_warn_mode tr_warn_undeclared tr_warn_undefined_variable tstep ttyoff tube_extremes ufg ug %unitexpand unit_vectors uric uriem use_fast_arrays user_preamble usersetunits values vect_cross verbose vertex_color vertex_coloring vertex_partition vertex_size vertex_type view warnings weyl width windowname windowtitle wired_surface wireframe xaxis xaxis_color xaxis_secondary xaxis_type xaxis_width xlabel xlabel_secondary xlength xrange xrange_secondary xtics xtics_axis xtics_rotate xtics_rotate_secondary xtics_secondary xtics_secondary_axis xu_grid x_voxel xy_file xyplane xy_scale yaxis yaxis_color yaxis_secondary yaxis_type yaxis_width ylabel ylabel_secondary ylength yrange yrange_secondary ytics ytics_axis ytics_rotate ytics_rotate_secondary ytics_secondary ytics_secondary_axis yv_grid y_voxel yx_ratio zaxis zaxis_color zaxis_type zaxis_width zeroa zerob zerobern zeta%pi zlabel zlabel_rotate zlength zmin zn_primroot_limit zn_primroot_pretest",symbol:"_ __ %|0 %%|0"},contains:[{className:"comment",begin:"/\\*",end:"\\*/",contains:["self"]},t.QUOTE_STRING_MODE,{className:"number",relevance:0,variants:[{begin:"\\b(\\d+|\\d+\\.|\\.\\d+|\\d+\\.\\d+)[Ee][-+]?\\d+\\b"},{begin:"\\b(\\d+|\\d+\\.|\\.\\d+|\\d+\\.\\d+)[Bb][-+]?\\d+\\b",relevance:10},{begin:"\\b(\\.\\d+|\\d+\\.\\d+)\\b"},{begin:"\\b(\\d+|0[0-9A-Za-z]+)\\.?\\b"}]}],illegal:/@/}}return gm=e,gm}var hm,my;function Ak(){if(my)return hm;my=1;function e(t){return{name:"MEL",keywords:"int float string vector matrix if else switch case default while do for in break continue global proc return about abs addAttr addAttributeEditorNodeHelp addDynamic addNewShelfTab addPP addPanelCategory addPrefixToName advanceToNextDrivenKey affectedNet affects aimConstraint air alias aliasAttr align alignCtx alignCurve alignSurface allViewFit ambientLight angle angleBetween animCone animCurveEditor animDisplay animView annotate appendStringArray applicationName applyAttrPreset applyTake arcLenDimContext arcLengthDimension arclen arrayMapper art3dPaintCtx artAttrCtx artAttrPaintVertexCtx artAttrSkinPaintCtx artAttrTool artBuildPaintMenu artFluidAttrCtx artPuttyCtx artSelectCtx artSetPaintCtx artUserPaintCtx assignCommand assignInputDevice assignViewportFactories attachCurve attachDeviceAttr attachSurface attrColorSliderGrp attrCompatibility attrControlGrp attrEnumOptionMenu attrEnumOptionMenuGrp attrFieldGrp attrFieldSliderGrp attrNavigationControlGrp attrPresetEditWin attributeExists attributeInfo attributeMenu attributeQuery autoKeyframe autoPlace bakeClip bakeFluidShading bakePartialHistory bakeResults bakeSimulation basename basenameEx batchRender bessel bevel bevelPlus binMembership bindSkin blend2 blendShape blendShapeEditor blendShapePanel blendTwoAttr blindDataType boneLattice boundary boxDollyCtx boxZoomCtx bufferCurve buildBookmarkMenu buildKeyframeMenu button buttonManip CBG cacheFile cacheFileCombine cacheFileMerge cacheFileTrack camera cameraView canCreateManip canvas capitalizeString catch catchQuiet ceil changeSubdivComponentDisplayLevel changeSubdivRegion channelBox character characterMap characterOutlineEditor characterize chdir checkBox checkBoxGrp checkDefaultRenderGlobals choice circle circularFillet clamp clear clearCache clip clipEditor clipEditorCurrentTimeCtx clipSchedule clipSchedulerOutliner clipTrimBefore closeCurve closeSurface cluster cmdFileOutput cmdScrollFieldExecuter cmdScrollFieldReporter cmdShell coarsenSubdivSelectionList collision color colorAtPoint colorEditor colorIndex colorIndexSliderGrp colorSliderButtonGrp colorSliderGrp columnLayout commandEcho commandLine commandPort compactHairSystem componentEditor compositingInterop computePolysetVolume condition cone confirmDialog connectAttr connectControl connectDynamic connectJoint connectionInfo constrain constrainValue constructionHistory container containsMultibyte contextInfo control convertFromOldLayers convertIffToPsd convertLightmap convertSolidTx convertTessellation convertUnit copyArray copyFlexor copyKey copySkinWeights cos cpButton cpCache cpClothSet cpCollision cpConstraint cpConvClothToMesh cpForces cpGetSolverAttr cpPanel cpProperty cpRigidCollisionFilter cpSeam cpSetEdit cpSetSolverAttr cpSolver cpSolverTypes cpTool cpUpdateClothUVs createDisplayLayer createDrawCtx createEditor createLayeredPsdFile createMotionField createNewShelf createNode createRenderLayer createSubdivRegion cross crossProduct ctxAbort ctxCompletion ctxEditMode ctxTraverse currentCtx currentTime currentTimeCtx currentUnit curve curveAddPtCtx curveCVCtx curveEPCtx curveEditorCtx curveIntersect curveMoveEPCtx curveOnSurface curveSketchCtx cutKey cycleCheck cylinder dagPose date defaultLightListCheckBox defaultNavigation defineDataServer defineVirtualDevice deformer deg_to_rad delete deleteAttr deleteShadingGroupsAndMaterials deleteShelfTab deleteUI deleteUnusedBrushes delrandstr detachCurve detachDeviceAttr detachSurface deviceEditor devicePanel dgInfo dgdirty dgeval dgtimer dimWhen directKeyCtx directionalLight dirmap dirname disable disconnectAttr disconnectJoint diskCache displacementToPoly displayAffected displayColor displayCull displayLevelOfDetail displayPref displayRGBColor displaySmoothness displayStats displayString displaySurface distanceDimContext distanceDimension doBlur dolly dollyCtx dopeSheetEditor dot dotProduct doubleProfileBirailSurface drag dragAttrContext draggerContext dropoffLocator duplicate duplicateCurve duplicateSurface dynCache dynControl dynExport dynExpression dynGlobals dynPaintEditor dynParticleCtx dynPref dynRelEdPanel dynRelEditor dynamicLoad editAttrLimits editDisplayLayerGlobals editDisplayLayerMembers editRenderLayerAdjustment editRenderLayerGlobals editRenderLayerMembers editor editorTemplate effector emit emitter enableDevice encodeString endString endsWith env equivalent equivalentTol erf error eval evalDeferred evalEcho event exactWorldBoundingBox exclusiveLightCheckBox exec executeForEachObject exists exp expression expressionEditorListen extendCurve extendSurface extrude fcheck fclose feof fflush fgetline fgetword file fileBrowserDialog fileDialog fileExtension fileInfo filetest filletCurve filter filterCurve filterExpand filterStudioImport findAllIntersections findAnimCurves findKeyframe findMenuItem findRelatedSkinCluster finder firstParentOf fitBspline flexor floatEq floatField floatFieldGrp floatScrollBar floatSlider floatSlider2 floatSliderButtonGrp floatSliderGrp floor flow fluidCacheInfo fluidEmitter fluidVoxelInfo flushUndo fmod fontDialog fopen formLayout format fprint frameLayout fread freeFormFillet frewind fromNativePath fwrite gamma gauss geometryConstraint getApplicationVersionAsFloat getAttr getClassification getDefaultBrush getFileList getFluidAttr getInputDeviceRange getMayaPanelTypes getModifiers getPanel getParticleAttr getPluginResource getenv getpid glRender glRenderEditor globalStitch gmatch goal gotoBindPose grabColor gradientControl gradientControlNoAttr graphDollyCtx graphSelectContext graphTrackCtx gravity grid gridLayout group groupObjectsByName HfAddAttractorToAS HfAssignAS HfBuildEqualMap HfBuildFurFiles HfBuildFurImages HfCancelAFR HfConnectASToHF HfCreateAttractor HfDeleteAS HfEditAS HfPerformCreateAS HfRemoveAttractorFromAS HfSelectAttached HfSelectAttractors HfUnAssignAS hardenPointCurve hardware hardwareRenderPanel headsUpDisplay headsUpMessage help helpLine hermite hide hilite hitTest hotBox hotkey hotkeyCheck hsv_to_rgb hudButton hudSlider hudSliderButton hwReflectionMap hwRender hwRenderLoad hyperGraph hyperPanel hyperShade hypot iconTextButton iconTextCheckBox iconTextRadioButton iconTextRadioCollection iconTextScrollList iconTextStaticLabel ikHandle ikHandleCtx ikHandleDisplayScale ikSolver ikSplineHandleCtx ikSystem ikSystemInfo ikfkDisplayMethod illustratorCurves image imfPlugins inheritTransform insertJoint insertJointCtx insertKeyCtx insertKnotCurve insertKnotSurface instance instanceable instancer intField intFieldGrp intScrollBar intSlider intSliderGrp interToUI internalVar intersect iprEngine isAnimCurve isConnected isDirty isParentOf isSameObject isTrue isValidObjectName isValidString isValidUiName isolateSelect itemFilter itemFilterAttr itemFilterRender itemFilterType joint jointCluster jointCtx jointDisplayScale jointLattice keyTangent keyframe keyframeOutliner keyframeRegionCurrentTimeCtx keyframeRegionDirectKeyCtx keyframeRegionDollyCtx keyframeRegionInsertKeyCtx keyframeRegionMoveKeyCtx keyframeRegionScaleKeyCtx keyframeRegionSelectKeyCtx keyframeRegionSetKeyCtx keyframeRegionTrackCtx keyframeStats lassoContext lattice latticeDeformKeyCtx launch launchImageEditor layerButton layeredShaderPort layeredTexturePort layout layoutDialog lightList lightListEditor lightListPanel lightlink lineIntersection linearPrecision linstep listAnimatable listAttr listCameras listConnections listDeviceAttachments listHistory listInputDeviceAxes listInputDeviceButtons listInputDevices listMenuAnnotation listNodeTypes listPanelCategories listRelatives listSets listTransforms listUnselected listerEditor loadFluid loadNewShelf loadPlugin loadPluginLanguageResources loadPrefObjects localizedPanelLabel lockNode loft log longNameOf lookThru ls lsThroughFilter lsType lsUI Mayatomr mag makeIdentity makeLive makePaintable makeRoll makeSingleSurface makeTubeOn makebot manipMoveContext manipMoveLimitsCtx manipOptions manipRotateContext manipRotateLimitsCtx manipScaleContext manipScaleLimitsCtx marker match max memory menu menuBarLayout menuEditor menuItem menuItemToShelf menuSet menuSetPref messageLine min minimizeApp mirrorJoint modelCurrentTimeCtx modelEditor modelPanel mouse movIn movOut move moveIKtoFK moveKeyCtx moveVertexAlongDirection multiProfileBirailSurface mute nParticle nameCommand nameField namespace namespaceInfo newPanelItems newton nodeCast nodeIconButton nodeOutliner nodePreset nodeType noise nonLinear normalConstraint normalize nurbsBoolean nurbsCopyUVSet nurbsCube nurbsEditUV nurbsPlane nurbsSelect nurbsSquare nurbsToPoly nurbsToPolygonsPref nurbsToSubdiv nurbsToSubdivPref nurbsUVSet nurbsViewDirectionVector objExists objectCenter objectLayer objectType objectTypeUI obsoleteProc oceanNurbsPreviewPlane offsetCurve offsetCurveOnSurface offsetSurface openGLExtension openMayaPref optionMenu optionMenuGrp optionVar orbit orbitCtx orientConstraint outlinerEditor outlinerPanel overrideModifier paintEffectsDisplay pairBlend palettePort paneLayout panel panelConfiguration panelHistory paramDimContext paramDimension paramLocator parent parentConstraint particle particleExists particleInstancer particleRenderInfo partition pasteKey pathAnimation pause pclose percent performanceOptions pfxstrokes pickWalk picture pixelMove planarSrf plane play playbackOptions playblast plugAttr plugNode pluginInfo pluginResourceUtil pointConstraint pointCurveConstraint pointLight pointMatrixMult pointOnCurve pointOnSurface pointPosition poleVectorConstraint polyAppend polyAppendFacetCtx polyAppendVertex polyAutoProjection polyAverageNormal polyAverageVertex polyBevel polyBlendColor polyBlindData polyBoolOp polyBridgeEdge polyCacheMonitor polyCheck polyChipOff polyClipboard polyCloseBorder polyCollapseEdge polyCollapseFacet polyColorBlindData polyColorDel polyColorPerVertex polyColorSet polyCompare polyCone polyCopyUV polyCrease polyCreaseCtx polyCreateFacet polyCreateFacetCtx polyCube polyCut polyCutCtx polyCylinder polyCylindricalProjection polyDelEdge polyDelFacet polyDelVertex polyDuplicateAndConnect polyDuplicateEdge polyEditUV polyEditUVShell polyEvaluate polyExtrudeEdge polyExtrudeFacet polyExtrudeVertex polyFlipEdge polyFlipUV polyForceUV polyGeoSampler polyHelix polyInfo polyInstallAction polyLayoutUV polyListComponentConversion polyMapCut polyMapDel polyMapSew polyMapSewMove polyMergeEdge polyMergeEdgeCtx polyMergeFacet polyMergeFacetCtx polyMergeUV polyMergeVertex polyMirrorFace polyMoveEdge polyMoveFacet polyMoveFacetUV polyMoveUV polyMoveVertex polyNormal polyNormalPerVertex polyNormalizeUV polyOptUvs polyOptions polyOutput polyPipe polyPlanarProjection polyPlane polyPlatonicSolid polyPoke polyPrimitive polyPrism polyProjection polyPyramid polyQuad polyQueryBlindData polyReduce polySelect polySelectConstraint polySelectConstraintMonitor polySelectCtx polySelectEditCtx polySeparate polySetToFaceNormal polySewEdge polyShortestPathCtx polySmooth polySoftEdge polySphere polySphericalProjection polySplit polySplitCtx polySplitEdge polySplitRing polySplitVertex polyStraightenUVBorder polySubdivideEdge polySubdivideFacet polyToSubdiv polyTorus polyTransfer polyTriangulate polyUVSet polyUnite polyWedgeFace popen popupMenu pose pow preloadRefEd print progressBar progressWindow projFileViewer projectCurve projectTangent projectionContext projectionManip promptDialog propModCtx propMove psdChannelOutliner psdEditTextureFile psdExport psdTextureFile putenv pwd python querySubdiv quit rad_to_deg radial radioButton radioButtonGrp radioCollection radioMenuItemCollection rampColorPort rand randomizeFollicles randstate rangeControl readTake rebuildCurve rebuildSurface recordAttr recordDevice redo reference referenceEdit referenceQuery refineSubdivSelectionList refresh refreshAE registerPluginResource rehash reloadImage removeJoint removeMultiInstance removePanelCategory rename renameAttr renameSelectionList renameUI render renderGlobalsNode renderInfo renderLayerButton renderLayerParent renderLayerPostProcess renderLayerUnparent renderManip renderPartition renderQualityNode renderSettings renderThumbnailUpdate renderWindowEditor renderWindowSelectContext renderer reorder reorderDeformers requires reroot resampleFluid resetAE resetPfxToPolyCamera resetTool resolutionNode retarget reverseCurve reverseSurface revolve rgb_to_hsv rigidBody rigidSolver roll rollCtx rootOf rot rotate rotationInterpolation roundConstantRadius rowColumnLayout rowLayout runTimeCommand runup sampleImage saveAllShelves saveAttrPreset saveFluid saveImage saveInitialState saveMenu savePrefObjects savePrefs saveShelf saveToolSettings scale scaleBrushBrightness scaleComponents scaleConstraint scaleKey scaleKeyCtx sceneEditor sceneUIReplacement scmh scriptCtx scriptEditorInfo scriptJob scriptNode scriptTable scriptToShelf scriptedPanel scriptedPanelType scrollField scrollLayout sculpt searchPathArray seed selLoadSettings select selectContext selectCurveCV selectKey selectKeyCtx selectKeyframeRegionCtx selectMode selectPref selectPriority selectType selectedNodes selectionConnection separator setAttr setAttrEnumResource setAttrMapping setAttrNiceNameResource setConstraintRestPosition setDefaultShadingGroup setDrivenKeyframe setDynamic setEditCtx setEditor setFluidAttr setFocus setInfinity setInputDeviceMapping setKeyCtx setKeyPath setKeyframe setKeyframeBlendshapeTargetWts setMenuMode setNodeNiceNameResource setNodeTypeFlag setParent setParticleAttr setPfxToPolyCamera setPluginResource setProject setStampDensity setStartupMessage setState setToolTo setUITemplate setXformManip sets shadingConnection shadingGeometryRelCtx shadingLightRelCtx shadingNetworkCompare shadingNode shapeCompare shelfButton shelfLayout shelfTabLayout shellField shortNameOf showHelp showHidden showManipCtx showSelectionInTitle showShadingGroupAttrEditor showWindow sign simplify sin singleProfileBirailSurface size sizeBytes skinCluster skinPercent smoothCurve smoothTangentSurface smoothstep snap2to2 snapKey snapMode snapTogetherCtx snapshot soft softMod softModCtx sort sound soundControl source spaceLocator sphere sphrand spotLight spotLightPreviewPort spreadSheetEditor spring sqrt squareSurface srtContext stackTrace startString startsWith stitchAndExplodeShell stitchSurface stitchSurfacePoints strcmp stringArrayCatenate stringArrayContains stringArrayCount stringArrayInsertAtIndex stringArrayIntersector stringArrayRemove stringArrayRemoveAtIndex stringArrayRemoveDuplicates stringArrayRemoveExact stringArrayToString stringToStringArray strip stripPrefixFromName stroke subdAutoProjection subdCleanTopology subdCollapse subdDuplicateAndConnect subdEditUV subdListComponentConversion subdMapCut subdMapSewMove subdMatchTopology subdMirror subdToBlind subdToPoly subdTransferUVsToCache subdiv subdivCrease subdivDisplaySmoothness substitute substituteAllString substituteGeometry substring surface surfaceSampler surfaceShaderList swatchDisplayPort switchTable symbolButton symbolCheckBox sysFile system tabLayout tan tangentConstraint texLatticeDeformContext texManipContext texMoveContext texMoveUVShellContext texRotateContext texScaleContext texSelectContext texSelectShortestPathCtx texSmudgeUVContext texWinToolCtx text textCurves textField textFieldButtonGrp textFieldGrp textManip textScrollList textToShelf textureDisplacePlane textureHairColor texturePlacementContext textureWindow threadCount threePointArcCtx timeControl timePort timerX toNativePath toggle toggleAxis toggleWindowVisibility tokenize tokenizeList tolerance tolower toolButton toolCollection toolDropped toolHasOptions toolPropertyWindow torus toupper trace track trackCtx transferAttributes transformCompare transformLimits translator trim trunc truncateFluidCache truncateHairCache tumble tumbleCtx turbulence twoPointArcCtx uiRes uiTemplate unassignInputDevice undo undoInfo ungroup uniform unit unloadPlugin untangleUV untitledFileName untrim upAxis updateAE userCtx uvLink uvSnapshot validateShelfName vectorize view2dToolCtx viewCamera viewClipPlane viewFit viewHeadOn viewLookAt viewManip viewPlace viewSet visor volumeAxis vortex waitCursor warning webBrowser webBrowserPrefs whatIs window windowPref wire wireContext workspace wrinkle wrinkleContext writeTake xbmLangPathList xform",illegal:"</",contains:[t.C_NUMBER_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{className:"string",begin:"`",end:"`",contains:[t.BACKSLASH_ESCAPE]},{begin:/[$%@](\^\w\b|#\w+|[^\s\w{]|\{\w+\}|\w+)/},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]}}return hm=e,hm}var Em,gy;function Ok(){if(gy)return Em;gy=1;function e(t){const n={keyword:"module use_module import_module include_module end_module initialise mutable initialize finalize finalise interface implementation pred mode func type inst solver any_pred any_func is semidet det nondet multi erroneous failure cc_nondet cc_multi typeclass instance where pragma promise external trace atomic or_else require_complete_switch require_det require_semidet require_multi require_nondet require_cc_multi require_cc_nondet require_erroneous require_failure",meta:"inline no_inline type_spec source_file fact_table obsolete memo loop_check minimal_model terminates does_not_terminate check_termination promise_equivalent_clauses foreign_proc foreign_decl foreign_code foreign_type foreign_import_module foreign_export_enum foreign_export foreign_enum may_call_mercury will_not_call_mercury thread_safe not_thread_safe maybe_thread_safe promise_pure promise_semipure tabled_for_io local untrailed trailed attach_to_io_state can_pass_as_mercury_type stable will_not_throw_exception may_modify_trail will_not_modify_trail may_duplicate may_not_duplicate affects_liveness does_not_affect_liveness doesnt_affect_liveness no_sharing unknown_sharing sharing",built_in:"some all not if then else true fail false try catch catch_any semidet_true semidet_false semidet_fail impure_true impure semipure"},r=t.COMMENT("%","$"),a={className:"number",begin:"0'.\\|0[box][0-9a-fA-F]*"},o=t.inherit(t.APOS_STRING_MODE,{relevance:0}),l=t.inherit(t.QUOTE_STRING_MODE,{relevance:0}),u={className:"subst",begin:"\\\\[abfnrtv]\\|\\\\x[0-9a-fA-F]*\\\\\\|%[-+# *.0-9]*[dioxXucsfeEgGp]",relevance:0};return l.contains=l.contains.slice(),l.contains.push(u),{name:"Mercury",aliases:["m","moo"],keywords:n,contains:[{className:"built_in",variants:[{begin:"<=>"},{begin:"<=",relevance:0},{begin:"=>",relevance:0},{begin:"/\\\\"},{begin:"\\\\/"}]},{className:"built_in",variants:[{begin:":-\\|-->"},{begin:"=",relevance:0}]},r,t.C_BLOCK_COMMENT_MODE,a,t.NUMBER_MODE,o,l,{begin:/:-/},{begin:/\.$/}]}}return Em=e,Em}var Sm,hy;function Rk(){if(hy)return Sm;hy=1;function e(t){return{name:"MIPS Assembly",case_insensitive:!0,aliases:["mips"],keywords:{$pattern:"\\.?"+t.IDENT_RE,meta:".2byte .4byte .align .ascii .asciz .balign .byte .code .data .else .end .endif .endm .endr .equ .err .exitm .extern .global .hword .if .ifdef .ifndef .include .irp .long .macro .rept .req .section .set .skip .space .text .word .ltorg ",built_in:"$0 $1 $2 $3 $4 $5 $6 $7 $8 $9 $10 $11 $12 $13 $14 $15 $16 $17 $18 $19 $20 $21 $22 $23 $24 $25 $26 $27 $28 $29 $30 $31 zero at v0 v1 a0 a1 a2 a3 a4 a5 a6 a7 t0 t1 t2 t3 t4 t5 t6 t7 t8 t9 s0 s1 s2 s3 s4 s5 s6 s7 s8 k0 k1 gp sp fp ra $f0 $f1 $f2 $f2 $f4 $f5 $f6 $f7 $f8 $f9 $f10 $f11 $f12 $f13 $f14 $f15 $f16 $f17 $f18 $f19 $f20 $f21 $f22 $f23 $f24 $f25 $f26 $f27 $f28 $f29 $f30 $f31 Context Random EntryLo0 EntryLo1 Context PageMask Wired EntryHi HWREna BadVAddr Count Compare SR IntCtl SRSCtl SRSMap Cause EPC PRId EBase Config Config1 Config2 Config3 LLAddr Debug DEPC DESAVE CacheErr ECC ErrorEPC TagLo DataLo TagHi DataHi WatchLo WatchHi PerfCtl PerfCnt "},contains:[{className:"keyword",begin:"\\b(addi?u?|andi?|b(al)?|beql?|bgez(al)?l?|bgtzl?|blezl?|bltz(al)?l?|bnel?|cl[oz]|divu?|ext|ins|j(al)?|jalr(\\.hb)?|jr(\\.hb)?|lbu?|lhu?|ll|lui|lw[lr]?|maddu?|mfhi|mflo|movn|movz|move|msubu?|mthi|mtlo|mul|multu?|nop|nor|ori?|rotrv?|sb|sc|se[bh]|sh|sllv?|slti?u?|srav?|srlv?|subu?|sw[lr]?|xori?|wsbh|abs\\.[sd]|add\\.[sd]|alnv.ps|bc1[ft]l?|c\\.(s?f|un|u?eq|[ou]lt|[ou]le|ngle?|seq|l[et]|ng[et])\\.[sd]|(ceil|floor|round|trunc)\\.[lw]\\.[sd]|cfc1|cvt\\.d\\.[lsw]|cvt\\.l\\.[dsw]|cvt\\.ps\\.s|cvt\\.s\\.[dlw]|cvt\\.s\\.p[lu]|cvt\\.w\\.[dls]|div\\.[ds]|ldx?c1|luxc1|lwx?c1|madd\\.[sd]|mfc1|mov[fntz]?\\.[ds]|msub\\.[sd]|mth?c1|mul\\.[ds]|neg\\.[ds]|nmadd\\.[ds]|nmsub\\.[ds]|p[lu][lu]\\.ps|recip\\.fmt|r?sqrt\\.[ds]|sdx?c1|sub\\.[ds]|suxc1|swx?c1|break|cache|d?eret|[de]i|ehb|mfc0|mtc0|pause|prefx?|rdhwr|rdpgpr|sdbbp|ssnop|synci?|syscall|teqi?|tgei?u?|tlb(p|r|w[ir])|tlti?u?|tnei?|wait|wrpgpr)",end:"\\s"},t.COMMENT("[;#](?!\\s*$)","$"),t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"[^\\\\]'",relevance:0},{className:"title",begin:"\\|",end:"\\|",illegal:"\\n",relevance:0},{className:"number",variants:[{begin:"0x[0-9a-f]+"},{begin:"\\b-?\\d+"}],relevance:0},{className:"symbol",variants:[{begin:"^\\s*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{begin:"^\\s*[0-9]+:"},{begin:"[0-9]+[bf]"}],relevance:0}],illegal:/\//}}return Sm=e,Sm}var bm,Ey;function Nk(){if(Ey)return bm;Ey=1;function e(t){return{name:"Mizar",keywords:"environ vocabularies notations constructors definitions registrations theorems schemes requirements begin end definition registration cluster existence pred func defpred deffunc theorem proof let take assume then thus hence ex for st holds consider reconsider such that and in provided of as from be being by means equals implies iff redefine define now not or attr is mode suppose per cases set thesis contradiction scheme reserve struct correctness compatibility coherence symmetry assymetry reflexivity irreflexivity connectedness uniqueness commutativity idempotence involutiveness projectivity",contains:[t.COMMENT("::","$")]}}return bm=e,bm}var vm,Sy;function Ik(){if(Sy)return vm;Sy=1;function e(t){const n=t.regex,r=["abs","accept","alarm","and","atan2","bind","binmode","bless","break","caller","chdir","chmod","chomp","chop","chown","chr","chroot","close","closedir","connect","continue","cos","crypt","dbmclose","dbmopen","defined","delete","die","do","dump","each","else","elsif","endgrent","endhostent","endnetent","endprotoent","endpwent","endservent","eof","eval","exec","exists","exit","exp","fcntl","fileno","flock","for","foreach","fork","format","formline","getc","getgrent","getgrgid","getgrnam","gethostbyaddr","gethostbyname","gethostent","getlogin","getnetbyaddr","getnetbyname","getnetent","getpeername","getpgrp","getpriority","getprotobyname","getprotobynumber","getprotoent","getpwent","getpwnam","getpwuid","getservbyname","getservbyport","getservent","getsockname","getsockopt","given","glob","gmtime","goto","grep","gt","hex","if","index","int","ioctl","join","keys","kill","last","lc","lcfirst","length","link","listen","local","localtime","log","lstat","lt","ma","map","mkdir","msgctl","msgget","msgrcv","msgsnd","my","ne","next","no","not","oct","open","opendir","or","ord","our","pack","package","pipe","pop","pos","print","printf","prototype","push","q|0","qq","quotemeta","qw","qx","rand","read","readdir","readline","readlink","readpipe","recv","redo","ref","rename","require","reset","return","reverse","rewinddir","rindex","rmdir","say","scalar","seek","seekdir","select","semctl","semget","semop","send","setgrent","sethostent","setnetent","setpgrp","setpriority","setprotoent","setpwent","setservent","setsockopt","shift","shmctl","shmget","shmread","shmwrite","shutdown","sin","sleep","socket","socketpair","sort","splice","split","sprintf","sqrt","srand","stat","state","study","sub","substr","symlink","syscall","sysopen","sysread","sysseek","system","syswrite","tell","telldir","tie","tied","time","times","tr","truncate","uc","ucfirst","umask","undef","unless","unlink","unpack","unshift","untie","until","use","utime","values","vec","wait","waitpid","wantarray","warn","when","while","write","x|0","xor","y|0"],a=/[dualxmsipngr]{0,12}/,o={$pattern:/[\w.]+/,keyword:r.join(" ")},l={className:"subst",begin:"[$@]\\{",end:"\\}",keywords:o},u={begin:/->\{/,end:/\}/},c={variants:[{begin:/\$\d/},{begin:n.concat(/[$%@](\^\w\b|#\w+(::\w+)*|\{\w+\}|\w+(::\w*)*)/,"(?![A-Za-z])(?![@$%])")},{begin:/[$%@][^\s\w{]/,relevance:0}]},d=[t.BACKSLASH_ESCAPE,l,c],S=[/!/,/\//,/\|/,/\?/,/'/,/"/,/#/],_=(y,M,v="\\1")=>{const A=v==="\\1"?v:n.concat(v,M);return n.concat(n.concat("(?:",y,")"),M,/(?:\\.|[^\\\/])*?/,A,/(?:\\.|[^\\\/])*?/,v,a)},E=(y,M,v)=>n.concat(n.concat("(?:",y,")"),M,/(?:\\.|[^\\\/])*?/,v,a),T=[c,t.HASH_COMMENT_MODE,t.COMMENT(/^=\w/,/=cut/,{endsWithParent:!0}),u,{className:"string",contains:d,variants:[{begin:"q[qwxr]?\\s*\\(",end:"\\)",relevance:5},{begin:"q[qwxr]?\\s*\\[",end:"\\]",relevance:5},{begin:"q[qwxr]?\\s*\\{",end:"\\}",relevance:5},{begin:"q[qwxr]?\\s*\\|",end:"\\|",relevance:5},{begin:"q[qwxr]?\\s*<",end:">",relevance:5},{begin:"qw\\s+q",end:"q",relevance:5},{begin:"'",end:"'",contains:[t.BACKSLASH_ESCAPE]},{begin:'"',end:'"'},{begin:"`",end:"`",contains:[t.BACKSLASH_ESCAPE]},{begin:/\{\w+\}/,relevance:0},{begin:"-?\\w+\\s*=>",relevance:0}]},{className:"number",begin:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",relevance:0},{begin:"(\\/\\/|"+t.RE_STARTERS_RE+"|\\b(split|return|print|reverse|grep)\\b)\\s*",keywords:"split return print reverse grep",relevance:0,contains:[t.HASH_COMMENT_MODE,{className:"regexp",variants:[{begin:_("s|tr|y",n.either(...S,{capture:!0}))},{begin:_("s|tr|y","\\(","\\)")},{begin:_("s|tr|y","\\[","\\]")},{begin:_("s|tr|y","\\{","\\}")}],relevance:2},{className:"regexp",variants:[{begin:/(m|qr)\/\//,relevance:0},{begin:E("(?:m|qr)?",/\//,/\//)},{begin:E("m|qr",n.either(...S,{capture:!0}),/\1/)},{begin:E("m|qr",/\(/,/\)/)},{begin:E("m|qr",/\[/,/\]/)},{begin:E("m|qr",/\{/,/\}/)}]}]},{className:"function",beginKeywords:"sub",end:"(\\s*\\(.*?\\))?[;{]",excludeEnd:!0,relevance:5,contains:[t.TITLE_MODE]},{begin:"-\\w\\b",relevance:0},{begin:"^__DATA__$",end:"^__END__$",subLanguage:"mojolicious",contains:[{begin:"^@@.*",end:"$",className:"comment"}]}];return l.contains=T,u.contains=T,{name:"Perl",aliases:["pl","pm"],keywords:o,contains:T}}return vm=e,vm}var Tm,by;function Dk(){if(by)return Tm;by=1;function e(t){return{name:"Mojolicious",subLanguage:"xml",contains:[{className:"meta",begin:"^__(END|DATA)__$"},{begin:"^\\s*%{1,2}={0,2}",end:"$",subLanguage:"perl"},{begin:"<%{1,2}={0,2}",end:"={0,1}%>",subLanguage:"perl",excludeBegin:!0,excludeEnd:!0}]}}return Tm=e,Tm}var ym,vy;function xk(){if(vy)return ym;vy=1;function e(t){const n={className:"number",relevance:0,variants:[{begin:"[$][a-fA-F0-9]+"},t.NUMBER_MODE]},r={variants:[{match:[/(function|method)/,/\s+/,t.UNDERSCORE_IDENT_RE]}],scope:{1:"keyword",3:"title.function"}},a={variants:[{match:[/(class|interface|extends|implements)/,/\s+/,t.UNDERSCORE_IDENT_RE]}],scope:{1:"keyword",3:"title.class"}};return{name:"Monkey",case_insensitive:!0,keywords:{keyword:["public","private","property","continue","exit","extern","new","try","catch","eachin","not","abstract","final","select","case","default","const","local","global","field","end","if","then","else","elseif","endif","while","wend","repeat","until","forever","for","to","step","next","return","module","inline","throw","import","and","or","shl","shr","mod"],built_in:["DebugLog","DebugStop","Error","Print","ACos","ACosr","ASin","ASinr","ATan","ATan2","ATan2r","ATanr","Abs","Abs","Ceil","Clamp","Clamp","Cos","Cosr","Exp","Floor","Log","Max","Max","Min","Min","Pow","Sgn","Sgn","Sin","Sinr","Sqrt","Tan","Tanr","Seed","PI","HALFPI","TWOPI"],literal:["true","false","null"]},illegal:/\/\*/,contains:[t.COMMENT("#rem","#end"),t.COMMENT("'","$",{relevance:0}),r,a,{className:"variable.language",begin:/\b(self|super)\b/},{className:"meta",begin:/\s*#/,end:"$",keywords:{keyword:"if else elseif endif end then"}},{match:[/^\s*/,/strict\b/],scope:{2:"meta"}},{beginKeywords:"alias",end:"=",contains:[t.UNDERSCORE_TITLE_MODE]},t.QUOTE_STRING_MODE,n]}}return ym=e,ym}var Cm,Ty;function wk(){if(Ty)return Cm;Ty=1;function e(t){const n={keyword:"if then not for in while do return else elseif break continue switch and or unless when class extends super local import export from using",literal:"true false nil",built_in:"_G _VERSION assert collectgarbage dofile error getfenv getmetatable ipairs load loadfile loadstring module next pairs pcall print rawequal rawget rawset require select setfenv setmetatable tonumber tostring type unpack xpcall coroutine debug io math os package string table"},r="[A-Za-z$_][0-9A-Za-z$_]*",a={className:"subst",begin:/#\{/,end:/\}/,keywords:n},o=[t.inherit(t.C_NUMBER_MODE,{starts:{end:"(\\s*/)?",relevance:0}}),{className:"string",variants:[{begin:/'/,end:/'/,contains:[t.BACKSLASH_ESCAPE]},{begin:/"/,end:/"/,contains:[t.BACKSLASH_ESCAPE,a]}]},{className:"built_in",begin:"@__"+t.IDENT_RE},{begin:"@"+t.IDENT_RE},{begin:t.IDENT_RE+"\\\\"+t.IDENT_RE}];a.contains=o;const l=t.inherit(t.TITLE_MODE,{begin:r}),u="(\\(.*\\)\\s*)?\\B[-=]>",c={className:"params",begin:"\\([^\\(]",returnBegin:!0,contains:[{begin:/\(/,end:/\)/,keywords:n,contains:["self"].concat(o)}]};return{name:"MoonScript",aliases:["moon"],keywords:n,illegal:/\/\*/,contains:o.concat([t.COMMENT("--","$"),{className:"function",begin:"^\\s*"+r+"\\s*=\\s*"+u,end:"[-=]>",returnBegin:!0,contains:[l,c]},{begin:/[\(,:=]\s*/,relevance:0,contains:[{className:"function",begin:u,end:"[-=]>",returnBegin:!0,contains:[c]}]},{className:"class",beginKeywords:"class",end:"$",illegal:/[:="\[\]]/,contains:[{beginKeywords:"extends",endsWithParent:!0,illegal:/[:="\[\]]/,contains:[l]},l]},{className:"name",begin:r+":",end:":",returnBegin:!0,returnEnd:!0,relevance:0}])}}return Cm=e,Cm}var Am,yy;function Lk(){if(yy)return Am;yy=1;function e(t){return{name:"N1QL",case_insensitive:!0,contains:[{beginKeywords:"build create index delete drop explain infer|10 insert merge prepare select update upsert|10",end:/;/,keywords:{keyword:["all","alter","analyze","and","any","array","as","asc","begin","between","binary","boolean","break","bucket","build","by","call","case","cast","cluster","collate","collection","commit","connect","continue","correlate","cover","create","database","dataset","datastore","declare","decrement","delete","derived","desc","describe","distinct","do","drop","each","element","else","end","every","except","exclude","execute","exists","explain","fetch","first","flatten","for","force","from","function","grant","group","gsi","having","if","ignore","ilike","in","include","increment","index","infer","inline","inner","insert","intersect","into","is","join","key","keys","keyspace","known","last","left","let","letting","like","limit","lsm","map","mapping","matched","materialized","merge","minus","namespace","nest","not","number","object","offset","on","option","or","order","outer","over","parse","partition","password","path","pool","prepare","primary","private","privilege","procedure","public","raw","realm","reduce","rename","return","returning","revoke","right","role","rollback","satisfies","schema","select","self","semi","set","show","some","start","statistics","string","system","then","to","transaction","trigger","truncate","under","union","unique","unknown","unnest","unset","update","upsert","use","user","using","validate","value","valued","values","via","view","when","where","while","with","within","work","xor"],literal:["true","false","null","missing|5"],built_in:["array_agg","array_append","array_concat","array_contains","array_count","array_distinct","array_ifnull","array_length","array_max","array_min","array_position","array_prepend","array_put","array_range","array_remove","array_repeat","array_replace","array_reverse","array_sort","array_sum","avg","count","max","min","sum","greatest","least","ifmissing","ifmissingornull","ifnull","missingif","nullif","ifinf","ifnan","ifnanorinf","naninf","neginfif","posinfif","clock_millis","clock_str","date_add_millis","date_add_str","date_diff_millis","date_diff_str","date_part_millis","date_part_str","date_trunc_millis","date_trunc_str","duration_to_str","millis","str_to_millis","millis_to_str","millis_to_utc","millis_to_zone_name","now_millis","now_str","str_to_duration","str_to_utc","str_to_zone_name","decode_json","encode_json","encoded_size","poly_length","base64","base64_encode","base64_decode","meta","uuid","abs","acos","asin","atan","atan2","ceil","cos","degrees","e","exp","ln","log","floor","pi","power","radians","random","round","sign","sin","sqrt","tan","trunc","object_length","object_names","object_pairs","object_inner_pairs","object_values","object_inner_values","object_add","object_put","object_remove","object_unwrap","regexp_contains","regexp_like","regexp_position","regexp_replace","contains","initcap","length","lower","ltrim","position","repeat","replace","rtrim","split","substr","title","trim","upper","isarray","isatom","isboolean","isnumber","isobject","isstring","type","toarray","toatom","toboolean","tonumber","toobject","tostring"]},contains:[{className:"string",begin:"'",end:"'",contains:[t.BACKSLASH_ESCAPE]},{className:"string",begin:'"',end:'"',contains:[t.BACKSLASH_ESCAPE]},{className:"symbol",begin:"`",end:"`",contains:[t.BACKSLASH_ESCAPE]},t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE]},t.C_BLOCK_COMMENT_MODE]}}return Am=e,Am}var Om,Cy;function Mk(){if(Cy)return Om;Cy=1;function e(t){const n={match:[/^\s*(?=\S)/,/[^:]+/,/:\s*/,/$/],className:{2:"attribute",3:"punctuation"}},r={match:[/^\s*(?=\S)/,/[^:]*[^: ]/,/[ ]*:/,/[ ]/,/.*$/],className:{2:"attribute",3:"punctuation",5:"string"}},a={match:[/^\s*/,/>/,/[ ]/,/.*$/],className:{2:"punctuation",4:"string"}},o={variants:[{match:[/^\s*/,/-/,/[ ]/,/.*$/]},{match:[/^\s*/,/-$/]}],className:{2:"bullet",4:"string"}};return{name:"Nested Text",aliases:["nt"],contains:[t.inherit(t.HASH_COMMENT_MODE,{begin:/^\s*(?=#)/,excludeBegin:!0}),o,a,n,r]}}return Om=e,Om}var Rm,Ay;function kk(){if(Ay)return Rm;Ay=1;function e(t){const n=t.regex,r={className:"variable",variants:[{begin:/\$\d+/},{begin:/\$\{\w+\}/},{begin:n.concat(/[$@]/,t.UNDERSCORE_IDENT_RE)}]},o={endsWithParent:!0,keywords:{$pattern:/[a-z_]{2,}|\/dev\/poll/,literal:["on","off","yes","no","true","false","none","blocked","debug","info","notice","warn","error","crit","select","break","last","permanent","redirect","kqueue","rtsig","epoll","poll","/dev/poll"]},relevance:0,illegal:"=>",contains:[t.HASH_COMMENT_MODE,{className:"string",contains:[t.BACKSLASH_ESCAPE,r],variants:[{begin:/"/,end:/"/},{begin:/'/,end:/'/}]},{begin:"([a-z]+):/",end:"\\s",endsWithParent:!0,excludeEnd:!0,contains:[r]},{className:"regexp",contains:[t.BACKSLASH_ESCAPE,r],variants:[{begin:"\\s\\^",end:"\\s|\\{|;",returnEnd:!0},{begin:"~\\*?\\s+",end:"\\s|\\{|;",returnEnd:!0},{begin:"\\*(\\.[a-z\\-]+)+"},{begin:"([a-z\\-]+\\.)+\\*"}]},{className:"number",begin:"\\b\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}(:\\d{1,5})?\\b"},{className:"number",begin:"\\b\\d+[kKmMgGdshdwy]?\\b",relevance:0},r]};return{name:"Nginx config",aliases:["nginxconf"],contains:[t.HASH_COMMENT_MODE,{beginKeywords:"upstream location",end:/;|\{/,contains:o.contains,keywords:{section:"upstream location"}},{className:"section",begin:n.concat(t.UNDERSCORE_IDENT_RE+n.lookahead(/\s+\{/)),relevance:0},{begin:n.lookahead(t.UNDERSCORE_IDENT_RE+"\\s"),end:";|\\{",contains:[{className:"attribute",begin:t.UNDERSCORE_IDENT_RE,starts:o}],relevance:0}],illegal:"[^\\s\\}\\{]"}}return Rm=e,Rm}var Nm,Oy;function Pk(){if(Oy)return Nm;Oy=1;function e(t){return{name:"Nim",keywords:{keyword:["addr","and","as","asm","bind","block","break","case","cast","const","continue","converter","discard","distinct","div","do","elif","else","end","enum","except","export","finally","for","from","func","generic","guarded","if","import","in","include","interface","is","isnot","iterator","let","macro","method","mixin","mod","nil","not","notin","object","of","or","out","proc","ptr","raise","ref","return","shared","shl","shr","static","template","try","tuple","type","using","var","when","while","with","without","xor","yield"],literal:["true","false"],type:["int","int8","int16","int32","int64","uint","uint8","uint16","uint32","uint64","float","float32","float64","bool","char","string","cstring","pointer","expr","stmt","void","auto","any","range","array","openarray","varargs","seq","set","clong","culong","cchar","cschar","cshort","cint","csize","clonglong","cfloat","cdouble","clongdouble","cuchar","cushort","cuint","culonglong","cstringarray","semistatic"],built_in:["stdin","stdout","stderr","result"]},contains:[{className:"meta",begin:/\{\./,end:/\.\}/,relevance:10},{className:"string",begin:/[a-zA-Z]\w*"/,end:/"/,contains:[{begin:/""/}]},{className:"string",begin:/([a-zA-Z]\w*)?"""/,end:/"""/},t.QUOTE_STRING_MODE,{className:"type",begin:/\b[A-Z]\w+\b/,relevance:0},{className:"number",relevance:0,variants:[{begin:/\b(0[xX][0-9a-fA-F][_0-9a-fA-F]*)('?[iIuU](8|16|32|64))?/},{begin:/\b(0o[0-7][_0-7]*)('?[iIuUfF](8|16|32|64))?/},{begin:/\b(0(b|B)[01][_01]*)('?[iIuUfF](8|16|32|64))?/},{begin:/\b(\d[_\d]*)('?[iIuUfF](8|16|32|64))?/}]},t.HASH_COMMENT_MODE]}}return Nm=e,Nm}var Im,Ry;function Fk(){if(Ry)return Im;Ry=1;function e(t){const n={keyword:["rec","with","let","in","inherit","assert","if","else","then"],literal:["true","false","or","and","null"],built_in:["import","abort","baseNameOf","dirOf","isNull","builtins","map","removeAttrs","throw","toString","derivation"]},r={className:"subst",begin:/\$\{/,end:/\}/,keywords:n},a={className:"char.escape",begin:/''\$/},o={begin:/[a-zA-Z0-9-_]+(\s*=)/,returnBegin:!0,relevance:0,contains:[{className:"attr",begin:/\S+/,relevance:.2}]},l={className:"string",contains:[a,r],variants:[{begin:"''",end:"''"},{begin:'"',end:'"'}]},u=[t.NUMBER_MODE,t.HASH_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,l,o];return r.contains=u,{name:"Nix",aliases:["nixos"],keywords:n,contains:u}}return Im=e,Im}var Dm,Ny;function Bk(){if(Ny)return Dm;Ny=1;function e(t){return{name:"Node REPL",contains:[{className:"meta.prompt",starts:{end:/ |$/,starts:{end:"$",subLanguage:"javascript"}},variants:[{begin:/^>(?=[ ]|$)/},{begin:/^\.\.\.(?=[ ]|$)/}]}]}}return Dm=e,Dm}var xm,Iy;function Uk(){if(Iy)return xm;Iy=1;function e(t){const n=t.regex,r=["ADMINTOOLS","APPDATA","CDBURN_AREA","CMDLINE","COMMONFILES32","COMMONFILES64","COMMONFILES","COOKIES","DESKTOP","DOCUMENTS","EXEDIR","EXEFILE","EXEPATH","FAVORITES","FONTS","HISTORY","HWNDPARENT","INSTDIR","INTERNET_CACHE","LANGUAGE","LOCALAPPDATA","MUSIC","NETHOOD","OUTDIR","PICTURES","PLUGINSDIR","PRINTHOOD","PROFILE","PROGRAMFILES32","PROGRAMFILES64","PROGRAMFILES","QUICKLAUNCH","RECENT","RESOURCES_LOCALIZED","RESOURCES","SENDTO","SMPROGRAMS","SMSTARTUP","STARTMENU","SYSDIR","TEMP","TEMPLATES","VIDEOS","WINDIR"],a=["ARCHIVE","FILE_ATTRIBUTE_ARCHIVE","FILE_ATTRIBUTE_NORMAL","FILE_ATTRIBUTE_OFFLINE","FILE_ATTRIBUTE_READONLY","FILE_ATTRIBUTE_SYSTEM","FILE_ATTRIBUTE_TEMPORARY","HKCR","HKCU","HKDD","HKEY_CLASSES_ROOT","HKEY_CURRENT_CONFIG","HKEY_CURRENT_USER","HKEY_DYN_DATA","HKEY_LOCAL_MACHINE","HKEY_PERFORMANCE_DATA","HKEY_USERS","HKLM","HKPD","HKU","IDABORT","IDCANCEL","IDIGNORE","IDNO","IDOK","IDRETRY","IDYES","MB_ABORTRETRYIGNORE","MB_DEFBUTTON1","MB_DEFBUTTON2","MB_DEFBUTTON3","MB_DEFBUTTON4","MB_ICONEXCLAMATION","MB_ICONINFORMATION","MB_ICONQUESTION","MB_ICONSTOP","MB_OK","MB_OKCANCEL","MB_RETRYCANCEL","MB_RIGHT","MB_RTLREADING","MB_SETFOREGROUND","MB_TOPMOST","MB_USERICON","MB_YESNO","NORMAL","OFFLINE","READONLY","SHCTX","SHELL_CONTEXT","SYSTEM|TEMPORARY"],o=["addincludedir","addplugindir","appendfile","assert","cd","define","delfile","echo","else","endif","error","execute","finalize","getdllversion","gettlbversion","if","ifdef","ifmacrodef","ifmacrondef","ifndef","include","insertmacro","macro","macroend","makensis","packhdr","searchparse","searchreplace","system","tempfile","undef","uninstfinalize","verbose","warning"],l={className:"variable.constant",begin:n.concat(/\$/,n.either(...r))},u={className:"variable",begin:/\$+\{[\!\w.:-]+\}/},c={className:"variable",begin:/\$+\w[\w\.]*/,illegal:/\(\)\{\}/},d={className:"variable",begin:/\$+\([\w^.:!-]+\)/},S={className:"params",begin:n.either(...a)},_={className:"keyword",begin:n.concat(/!/,n.either(...o))},E={className:"char.escape",begin:/\$(\\[nrt]|\$)/},T={className:"title.function",begin:/\w+::\w+/},y={className:"string",variants:[{begin:'"',end:'"'},{begin:"'",end:"'"},{begin:"`",end:"`"}],illegal:/\n/,contains:[E,l,u,c,d]},M=["Abort","AddBrandingImage","AddSize","AllowRootDirInstall","AllowSkipFiles","AutoCloseWindow","BGFont","BGGradient","BrandingText","BringToFront","Call","CallInstDLL","Caption","ChangeUI","CheckBitmap","ClearErrors","CompletedText","ComponentText","CopyFiles","CRCCheck","CreateDirectory","CreateFont","CreateShortCut","Delete","DeleteINISec","DeleteINIStr","DeleteRegKey","DeleteRegValue","DetailPrint","DetailsButtonText","DirText","DirVar","DirVerify","EnableWindow","EnumRegKey","EnumRegValue","Exch","Exec","ExecShell","ExecShellWait","ExecWait","ExpandEnvStrings","File","FileBufSize","FileClose","FileErrorText","FileOpen","FileRead","FileReadByte","FileReadUTF16LE","FileReadWord","FileWriteUTF16LE","FileSeek","FileWrite","FileWriteByte","FileWriteWord","FindClose","FindFirst","FindNext","FindWindow","FlushINI","GetCurInstType","GetCurrentAddress","GetDlgItem","GetDLLVersion","GetDLLVersionLocal","GetErrorLevel","GetFileTime","GetFileTimeLocal","GetFullPathName","GetFunctionAddress","GetInstDirError","GetKnownFolderPath","GetLabelAddress","GetTempFileName","GetWinVer","Goto","HideWindow","Icon","IfAbort","IfErrors","IfFileExists","IfRebootFlag","IfRtlLanguage","IfShellVarContextAll","IfSilent","InitPluginsDir","InstallButtonText","InstallColors","InstallDir","InstallDirRegKey","InstProgressFlags","InstType","InstTypeGetText","InstTypeSetText","Int64Cmp","Int64CmpU","Int64Fmt","IntCmp","IntCmpU","IntFmt","IntOp","IntPtrCmp","IntPtrCmpU","IntPtrOp","IsWindow","LangString","LicenseBkColor","LicenseData","LicenseForceSelection","LicenseLangString","LicenseText","LoadAndSetImage","LoadLanguageFile","LockWindow","LogSet","LogText","ManifestDPIAware","ManifestLongPathAware","ManifestMaxVersionTested","ManifestSupportedOS","MessageBox","MiscButtonText","Name|0","Nop","OutFile","Page","PageCallbacks","PEAddResource","PEDllCharacteristics","PERemoveResource","PESubsysVer","Pop","Push","Quit","ReadEnvStr","ReadINIStr","ReadRegDWORD","ReadRegStr","Reboot","RegDLL","Rename","RequestExecutionLevel","ReserveFile","Return","RMDir","SearchPath","SectionGetFlags","SectionGetInstTypes","SectionGetSize","SectionGetText","SectionIn","SectionSetFlags","SectionSetInstTypes","SectionSetSize","SectionSetText","SendMessage","SetAutoClose","SetBrandingImage","SetCompress","SetCompressor","SetCompressorDictSize","SetCtlColors","SetCurInstType","SetDatablockOptimize","SetDateSave","SetDetailsPrint","SetDetailsView","SetErrorLevel","SetErrors","SetFileAttributes","SetFont","SetOutPath","SetOverwrite","SetRebootFlag","SetRegView","SetShellVarContext","SetSilent","ShowInstDetails","ShowUninstDetails","ShowWindow","SilentInstall","SilentUnInstall","Sleep","SpaceTexts","StrCmp","StrCmpS","StrCpy","StrLen","SubCaption","Unicode","UninstallButtonText","UninstallCaption","UninstallIcon","UninstallSubCaption","UninstallText","UninstPage","UnRegDLL","Var","VIAddVersionKey","VIFileVersion","VIProductVersion","WindowIcon","WriteINIStr","WriteRegBin","WriteRegDWORD","WriteRegExpandStr","WriteRegMultiStr","WriteRegNone","WriteRegStr","WriteUninstaller","XPStyle"],v=["admin","all","auto","both","bottom","bzip2","colored","components","current","custom","directory","false","force","hide","highest","ifdiff","ifnewer","instfiles","lastused","leave","left","license","listonly","lzma","nevershow","none","normal","notset","off","on","open","print","right","show","silent","silentlog","smooth","textonly","top","true","try","un.components","un.custom","un.directory","un.instfiles","un.license","uninstConfirm","user","Win10","Win7","Win8","WinVista","zlib"],A={match:[/Function/,/\s+/,n.concat(/(\.)?/,t.IDENT_RE)],scope:{1:"keyword",3:"title.function"}},N={match:[/Var/,/\s+/,/(?:\/GLOBAL\s+)?/,/[A-Za-z][\w.]*/],scope:{1:"keyword",3:"params",4:"variable"}};return{name:"NSIS",case_insensitive:!0,keywords:{keyword:M,literal:v},contains:[t.HASH_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.COMMENT(";","$",{relevance:0}),N,A,{beginKeywords:"Function PageEx Section SectionGroup FunctionEnd SectionEnd"},y,_,u,c,d,S,T,t.NUMBER_MODE]}}return xm=e,xm}var wm,Dy;function Gk(){if(Dy)return wm;Dy=1;function e(t){const n={className:"built_in",begin:"\\b(AV|CA|CF|CG|CI|CL|CM|CN|CT|MK|MP|MTK|MTL|NS|SCN|SK|UI|WK|XC)\\w+"},r=/[a-zA-Z@][a-zA-Z0-9_]*/,c={"variable.language":["this","super"],$pattern:r,keyword:["while","export","sizeof","typedef","const","struct","for","union","volatile","static","mutable","if","do","return","goto","enum","else","break","extern","asm","case","default","register","explicit","typename","switch","continue","inline","readonly","assign","readwrite","self","@synchronized","id","typeof","nonatomic","IBOutlet","IBAction","strong","weak","copy","in","out","inout","bycopy","byref","oneway","__strong","__weak","__block","__autoreleasing","@private","@protected","@public","@try","@property","@end","@throw","@catch","@finally","@autoreleasepool","@synthesize","@dynamic","@selector","@optional","@required","@encode","@package","@import","@defs","@compatibility_alias","__bridge","__bridge_transfer","__bridge_retained","__bridge_retain","__covariant","__contravariant","__kindof","_Nonnull","_Nullable","_Null_unspecified","__FUNCTION__","__PRETTY_FUNCTION__","__attribute__","getter","setter","retain","unsafe_unretained","nonnull","nullable","null_unspecified","null_resettable","class","instancetype","NS_DESIGNATED_INITIALIZER","NS_UNAVAILABLE","NS_REQUIRES_SUPER","NS_RETURNS_INNER_POINTER","NS_INLINE","NS_AVAILABLE","NS_DEPRECATED","NS_ENUM","NS_OPTIONS","NS_SWIFT_UNAVAILABLE","NS_ASSUME_NONNULL_BEGIN","NS_ASSUME_NONNULL_END","NS_REFINED_FOR_SWIFT","NS_SWIFT_NAME","NS_SWIFT_NOTHROW","NS_DURING","NS_HANDLER","NS_ENDHANDLER","NS_VALUERETURN","NS_VOIDRETURN"],literal:["false","true","FALSE","TRUE","nil","YES","NO","NULL"],built_in:["dispatch_once_t","dispatch_queue_t","dispatch_sync","dispatch_async","dispatch_once"],type:["int","float","char","unsigned","signed","short","long","double","wchar_t","unichar","void","bool","BOOL","id|0","_Bool"]},d={$pattern:r,keyword:["@interface","@class","@protocol","@implementation"]};return{name:"Objective-C",aliases:["mm","objc","obj-c","obj-c++","objective-c++"],keywords:c,illegal:"</",contains:[n,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.C_NUMBER_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,{className:"string",variants:[{begin:'@"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE]}]},{className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:{keyword:"if else elif endif define undef warning error line pragma ifdef ifndef include"},contains:[{begin:/\\\n/,relevance:0},t.inherit(t.QUOTE_STRING_MODE,{className:"string"}),{className:"string",begin:/<.*?>/,end:/$/,illegal:"\\n"},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{className:"class",begin:"("+d.keyword.join("|")+")\\b",end:/(\{|$)/,excludeEnd:!0,keywords:d,contains:[t.UNDERSCORE_TITLE_MODE]},{begin:"\\."+t.UNDERSCORE_IDENT_RE,relevance:0}]}}return wm=e,wm}var Lm,xy;function Hk(){if(xy)return Lm;xy=1;function e(t){return{name:"OCaml",aliases:["ml"],keywords:{$pattern:"[a-z_]\\w*!?",keyword:"and as assert asr begin class constraint do done downto else end exception external for fun function functor if in include inherit! inherit initializer land lazy let lor lsl lsr lxor match method!|10 method mod module mutable new object of open! open or private rec sig struct then to try type val! val virtual when while with parser value",built_in:"array bool bytes char exn|5 float int int32 int64 list lazy_t|5 nativeint|5 string unit in_channel out_channel ref",literal:"true false"},illegal:/\/\/|>>/,contains:[{className:"literal",begin:"\\[(\\|\\|)?\\]|\\(\\)",relevance:0},t.COMMENT("\\(\\*","\\*\\)",{contains:["self"]}),{className:"symbol",begin:"'[A-Za-z_](?!')[\\w']*"},{className:"type",begin:"`[A-Z][\\w']*"},{className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},{begin:"[a-z_]\\w*'[\\w']*",relevance:0},t.inherit(t.APOS_STRING_MODE,{className:"string",relevance:0}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{className:"number",begin:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",relevance:0},{begin:/->/}]}}return Lm=e,Lm}var Mm,wy;function qk(){if(wy)return Mm;wy=1;function e(t){const n={className:"keyword",begin:"\\$(f[asn]|t|vp[rtd]|children)"},r={className:"literal",begin:"false|true|PI|undef"},a={className:"number",begin:"\\b\\d+(\\.\\d+)?(e-?\\d+)?",relevance:0},o=t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),l={className:"meta",keywords:{keyword:"include use"},begin:"include|use <",end:">"},u={className:"params",begin:"\\(",end:"\\)",contains:["self",a,o,n,r]},c={begin:"[*!#%]",relevance:0},d={className:"function",beginKeywords:"module function",end:/=|\{/,contains:[u,t.UNDERSCORE_TITLE_MODE]};return{name:"OpenSCAD",aliases:["scad"],keywords:{keyword:"function module include use for intersection_for if else \\%",literal:"false true PI undef",built_in:"circle square polygon text sphere cube cylinder polyhedron translate rotate scale resize mirror multmatrix color offset hull minkowski union difference intersection abs sign sin cos tan acos asin atan atan2 floor round ceil ln log pow sqrt exp rands min max concat lookup str chr search version version_num norm cross parent_module echo import import_dxf dxf_linear_extrude linear_extrude rotate_extrude surface projection render children dxf_cross dxf_dim let assign"},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,a,l,o,n,c,d]}}return Mm=e,Mm}var km,Ly;function Yk(){if(Ly)return km;Ly=1;function e(t){const n={$pattern:/\.?\w+/,keyword:"abstract add and array as asc aspect assembly async begin break block by case class concat const copy constructor continue create default delegate desc distinct div do downto dynamic each else empty end ensure enum equals event except exit extension external false final finalize finalizer finally flags for forward from function future global group has if implementation implements implies in index inherited inline interface into invariants is iterator join locked locking loop matching method mod module namespace nested new nil not notify nullable of old on operator or order out override parallel params partial pinned private procedure property protected public queryable raise read readonly record reintroduce remove repeat require result reverse sealed select self sequence set shl shr skip static step soft take then to true try tuple type union unit unsafe until uses using var virtual raises volatile where while with write xor yield await mapped deprecated stdcall cdecl pascal register safecall overload library platform reference packed strict published autoreleasepool selector strong weak unretained"},r=t.COMMENT(/\{/,/\}/,{relevance:0}),a=t.COMMENT("\\(\\*","\\*\\)",{relevance:10}),o={className:"string",begin:"'",end:"'",contains:[{begin:"''"}]},l={className:"string",begin:"(#\\d+)+"},u={beginKeywords:"function constructor destructor procedure method",end:"[:;]",keywords:"function constructor|10 destructor|10 procedure|10 method|10",contains:[t.inherit(t.TITLE_MODE,{scope:"title.function"}),{className:"params",begin:"\\(",end:"\\)",keywords:n,contains:[o,l]},r,a]},c={scope:"punctuation",match:/;/,relevance:0};return{name:"Oxygene",case_insensitive:!0,keywords:n,illegal:'("|\\$[G-Zg-z]|\\/\\*|</|=>|->)',contains:[r,a,t.C_LINE_COMMENT_MODE,o,l,t.NUMBER_MODE,u,c]}}return km=e,km}var Pm,My;function Wk(){if(My)return Pm;My=1;function e(t){const n=t.COMMENT(/\{/,/\}/,{contains:["self"]});return{name:"Parser3",subLanguage:"xml",relevance:0,contains:[t.COMMENT("^#","$"),t.COMMENT(/\^rem\{/,/\}/,{relevance:10,contains:[n]}),{className:"meta",begin:"^@(?:BASE|USE|CLASS|OPTIONS)$",relevance:10},{className:"title",begin:"@[\\w\\-]+\\[[\\w^;\\-]*\\](?:\\[[\\w^;\\-]*\\])?(?:.*)$"},{className:"variable",begin:/\$\{?[\w\-.:]+\}?/},{className:"keyword",begin:/\^[\w\-.:]+/},{className:"number",begin:"\\^#[0-9a-fA-F]+"},t.C_NUMBER_MODE]}}return Pm=e,Pm}var Fm,ky;function Vk(){if(ky)return Fm;ky=1;function e(t){const n={className:"variable",begin:/\$[\w\d#@][\w\d_]*/,relevance:0},r={className:"variable",begin:/<(?!\/)/,end:/>/};return{name:"Packet Filter config",aliases:["pf.conf"],keywords:{$pattern:/[a-z0-9_<>-]+/,built_in:"block match pass load anchor|5 antispoof|10 set table",keyword:"in out log quick on rdomain inet inet6 proto from port os to route allow-opts divert-packet divert-reply divert-to flags group icmp-type icmp6-type label once probability recieved-on rtable prio queue tos tag tagged user keep fragment for os drop af-to|10 binat-to|10 nat-to|10 rdr-to|10 bitmask least-stats random round-robin source-hash static-port dup-to reply-to route-to parent bandwidth default min max qlimit block-policy debug fingerprints hostid limit loginterface optimization reassemble ruleset-optimization basic none profile skip state-defaults state-policy timeout const counters persist no modulate synproxy state|5 floating if-bound no-sync pflow|10 sloppy source-track global rule max-src-nodes max-src-states max-src-conn max-src-conn-rate overload flush scrub|5 max-mss min-ttl no-df|10 random-id",literal:"all any no-route self urpf-failed egress|5 unknown"},contains:[t.HASH_COMMENT_MODE,t.NUMBER_MODE,t.QUOTE_STRING_MODE,n,r]}}return Fm=e,Fm}var Bm,Py;function zk(){if(Py)return Bm;Py=1;function e(t){const n=t.COMMENT("--","$"),r="[a-zA-Z_][a-zA-Z_0-9$]*",a="\\$([a-zA-Z_]?|[a-zA-Z_][a-zA-Z_0-9]*)\\$",o="<<\\s*"+r+"\\s*>>",l="ABORT ALTER ANALYZE BEGIN CALL CHECKPOINT|10 CLOSE CLUSTER COMMENT COMMIT COPY CREATE DEALLOCATE DECLARE DELETE DISCARD DO DROP END EXECUTE EXPLAIN FETCH GRANT IMPORT INSERT LISTEN LOAD LOCK MOVE NOTIFY PREPARE REASSIGN|10 REFRESH REINDEX RELEASE RESET REVOKE ROLLBACK SAVEPOINT SECURITY SELECT SET SHOW START TRUNCATE UNLISTEN|10 UPDATE VACUUM|10 VALUES AGGREGATE COLLATION CONVERSION|10 DATABASE DEFAULT PRIVILEGES DOMAIN TRIGGER EXTENSION FOREIGN WRAPPER|10 TABLE FUNCTION GROUP LANGUAGE LARGE OBJECT MATERIALIZED VIEW OPERATOR CLASS FAMILY POLICY PUBLICATION|10 ROLE RULE SCHEMA SEQUENCE SERVER STATISTICS SUBSCRIPTION SYSTEM TABLESPACE CONFIGURATION DICTIONARY PARSER TEMPLATE TYPE USER MAPPING PREPARED ACCESS METHOD CAST AS TRANSFORM TRANSACTION OWNED TO INTO SESSION AUTHORIZATION INDEX PROCEDURE ASSERTION ALL ANALYSE AND ANY ARRAY ASC ASYMMETRIC|10 BOTH CASE CHECK COLLATE COLUMN CONCURRENTLY|10 CONSTRAINT CROSS DEFERRABLE RANGE DESC DISTINCT ELSE EXCEPT FOR FREEZE|10 FROM FULL HAVING ILIKE IN INITIALLY INNER INTERSECT IS ISNULL JOIN LATERAL LEADING LIKE LIMIT NATURAL NOT NOTNULL NULL OFFSET ON ONLY OR ORDER OUTER OVERLAPS PLACING PRIMARY REFERENCES RETURNING SIMILAR SOME SYMMETRIC TABLESAMPLE THEN TRAILING UNION UNIQUE USING VARIADIC|10 VERBOSE WHEN WHERE WINDOW WITH BY RETURNS INOUT OUT SETOF|10 IF STRICT CURRENT CONTINUE OWNER LOCATION OVER PARTITION WITHIN BETWEEN ESCAPE EXTERNAL INVOKER DEFINER WORK RENAME VERSION CONNECTION CONNECT TABLES TEMP TEMPORARY FUNCTIONS SEQUENCES TYPES SCHEMAS OPTION CASCADE RESTRICT ADD ADMIN EXISTS VALID VALIDATE ENABLE DISABLE REPLICA|10 ALWAYS PASSING COLUMNS PATH REF VALUE OVERRIDING IMMUTABLE STABLE VOLATILE BEFORE AFTER EACH ROW PROCEDURAL ROUTINE NO HANDLER VALIDATOR OPTIONS STORAGE OIDS|10 WITHOUT INHERIT DEPENDS CALLED INPUT LEAKPROOF|10 COST ROWS NOWAIT SEARCH UNTIL ENCRYPTED|10 PASSWORD CONFLICT|10 INSTEAD INHERITS CHARACTERISTICS WRITE CURSOR ALSO STATEMENT SHARE EXCLUSIVE INLINE ISOLATION REPEATABLE READ COMMITTED SERIALIZABLE UNCOMMITTED LOCAL GLOBAL SQL PROCEDURES RECURSIVE SNAPSHOT ROLLUP CUBE TRUSTED|10 INCLUDE FOLLOWING PRECEDING UNBOUNDED RANGE GROUPS UNENCRYPTED|10 SYSID FORMAT DELIMITER HEADER QUOTE ENCODING FILTER OFF FORCE_QUOTE FORCE_NOT_NULL FORCE_NULL COSTS BUFFERS TIMING SUMMARY DISABLE_PAGE_SKIPPING RESTART CYCLE GENERATED IDENTITY DEFERRED IMMEDIATE LEVEL LOGGED UNLOGGED OF NOTHING NONE EXCLUDE ATTRIBUTE USAGE ROUTINES TRUE FALSE NAN INFINITY ",u="SUPERUSER NOSUPERUSER CREATEDB NOCREATEDB CREATEROLE NOCREATEROLE INHERIT NOINHERIT LOGIN NOLOGIN REPLICATION NOREPLICATION BYPASSRLS NOBYPASSRLS ",c="ALIAS BEGIN CONSTANT DECLARE END EXCEPTION RETURN PERFORM|10 RAISE GET DIAGNOSTICS STACKED|10 FOREACH LOOP ELSIF EXIT WHILE REVERSE SLICE DEBUG LOG INFO NOTICE WARNING ASSERT OPEN ",d="BIGINT INT8 BIGSERIAL SERIAL8 BIT VARYING VARBIT BOOLEAN BOOL BOX BYTEA CHARACTER CHAR VARCHAR CIDR CIRCLE DATE DOUBLE PRECISION FLOAT8 FLOAT INET INTEGER INT INT4 INTERVAL JSON JSONB LINE LSEG|10 MACADDR MACADDR8 MONEY NUMERIC DEC DECIMAL PATH POINT POLYGON REAL FLOAT4 SMALLINT INT2 SMALLSERIAL|10 SERIAL2|10 SERIAL|10 SERIAL4|10 TEXT TIME ZONE TIMETZ|10 TIMESTAMP TIMESTAMPTZ|10 TSQUERY|10 TSVECTOR|10 TXID_SNAPSHOT|10 UUID XML NATIONAL NCHAR INT4RANGE|10 INT8RANGE|10 NUMRANGE|10 TSRANGE|10 TSTZRANGE|10 DATERANGE|10 ANYELEMENT ANYARRAY ANYNONARRAY ANYENUM ANYRANGE CSTRING INTERNAL RECORD PG_DDL_COMMAND VOID UNKNOWN OPAQUE REFCURSOR NAME OID REGPROC|10 REGPROCEDURE|10 REGOPER|10 REGOPERATOR|10 REGCLASS|10 REGTYPE|10 REGROLE|10 REGNAMESPACE|10 REGCONFIG|10 REGDICTIONARY|10 ",S=d.trim().split(" ").map(function(v){return v.split("|")[0]}).join("|"),_="CURRENT_TIME CURRENT_TIMESTAMP CURRENT_USER CURRENT_CATALOG|10 CURRENT_DATE LOCALTIME LOCALTIMESTAMP CURRENT_ROLE|10 CURRENT_SCHEMA|10 SESSION_USER PUBLIC ",E="FOUND NEW OLD TG_NAME|10 TG_WHEN|10 TG_LEVEL|10 TG_OP|10 TG_RELID|10 TG_RELNAME|10 TG_TABLE_NAME|10 TG_TABLE_SCHEMA|10 TG_NARGS|10 TG_ARGV|10 TG_EVENT|10 TG_TAG|10 ROW_COUNT RESULT_OID|10 PG_CONTEXT|10 RETURNED_SQLSTATE COLUMN_NAME CONSTRAINT_NAME PG_DATATYPE_NAME|10 MESSAGE_TEXT TABLE_NAME SCHEMA_NAME PG_EXCEPTION_DETAIL|10 PG_EXCEPTION_HINT|10 PG_EXCEPTION_CONTEXT|10 ",T="SQLSTATE SQLERRM|10 SUCCESSFUL_COMPLETION WARNING DYNAMIC_RESULT_SETS_RETURNED IMPLICIT_ZERO_BIT_PADDING NULL_VALUE_ELIMINATED_IN_SET_FUNCTION PRIVILEGE_NOT_GRANTED PRIVILEGE_NOT_REVOKED STRING_DATA_RIGHT_TRUNCATION DEPRECATED_FEATURE NO_DATA NO_ADDITIONAL_DYNAMIC_RESULT_SETS_RETURNED SQL_STATEMENT_NOT_YET_COMPLETE CONNECTION_EXCEPTION CONNECTION_DOES_NOT_EXIST CONNECTION_FAILURE SQLCLIENT_UNABLE_TO_ESTABLISH_SQLCONNECTION SQLSERVER_REJECTED_ESTABLISHMENT_OF_SQLCONNECTION TRANSACTION_RESOLUTION_UNKNOWN PROTOCOL_VIOLATION TRIGGERED_ACTION_EXCEPTION FEATURE_NOT_SUPPORTED INVALID_TRANSACTION_INITIATION LOCATOR_EXCEPTION INVALID_LOCATOR_SPECIFICATION INVALID_GRANTOR INVALID_GRANT_OPERATION INVALID_ROLE_SPECIFICATION DIAGNOSTICS_EXCEPTION STACKED_DIAGNOSTICS_ACCESSED_WITHOUT_ACTIVE_HANDLER CASE_NOT_FOUND CARDINALITY_VIOLATION DATA_EXCEPTION ARRAY_SUBSCRIPT_ERROR CHARACTER_NOT_IN_REPERTOIRE DATETIME_FIELD_OVERFLOW DIVISION_BY_ZERO ERROR_IN_ASSIGNMENT ESCAPE_CHARACTER_CONFLICT INDICATOR_OVERFLOW INTERVAL_FIELD_OVERFLOW INVALID_ARGUMENT_FOR_LOGARITHM INVALID_ARGUMENT_FOR_NTILE_FUNCTION INVALID_ARGUMENT_FOR_NTH_VALUE_FUNCTION INVALID_ARGUMENT_FOR_POWER_FUNCTION INVALID_ARGUMENT_FOR_WIDTH_BUCKET_FUNCTION INVALID_CHARACTER_VALUE_FOR_CAST INVALID_DATETIME_FORMAT INVALID_ESCAPE_CHARACTER INVALID_ESCAPE_OCTET INVALID_ESCAPE_SEQUENCE NONSTANDARD_USE_OF_ESCAPE_CHARACTER INVALID_INDICATOR_PARAMETER_VALUE INVALID_PARAMETER_VALUE INVALID_REGULAR_EXPRESSION INVALID_ROW_COUNT_IN_LIMIT_CLAUSE INVALID_ROW_COUNT_IN_RESULT_OFFSET_CLAUSE INVALID_TABLESAMPLE_ARGUMENT INVALID_TABLESAMPLE_REPEAT INVALID_TIME_ZONE_DISPLACEMENT_VALUE INVALID_USE_OF_ESCAPE_CHARACTER MOST_SPECIFIC_TYPE_MISMATCH NULL_VALUE_NOT_ALLOWED NULL_VALUE_NO_INDICATOR_PARAMETER NUMERIC_VALUE_OUT_OF_RANGE SEQUENCE_GENERATOR_LIMIT_EXCEEDED STRING_DATA_LENGTH_MISMATCH STRING_DATA_RIGHT_TRUNCATION SUBSTRING_ERROR TRIM_ERROR UNTERMINATED_C_STRING ZERO_LENGTH_CHARACTER_STRING FLOATING_POINT_EXCEPTION INVALID_TEXT_REPRESENTATION INVALID_BINARY_REPRESENTATION BAD_COPY_FILE_FORMAT UNTRANSLATABLE_CHARACTER NOT_AN_XML_DOCUMENT INVALID_XML_DOCUMENT INVALID_XML_CONTENT INVALID_XML_COMMENT INVALID_XML_PROCESSING_INSTRUCTION INTEGRITY_CONSTRAINT_VIOLATION RESTRICT_VIOLATION NOT_NULL_VIOLATION FOREIGN_KEY_VIOLATION UNIQUE_VIOLATION CHECK_VIOLATION EXCLUSION_VIOLATION INVALID_CURSOR_STATE INVALID_TRANSACTION_STATE ACTIVE_SQL_TRANSACTION BRANCH_TRANSACTION_ALREADY_ACTIVE HELD_CURSOR_REQUIRES_SAME_ISOLATION_LEVEL INAPPROPRIATE_ACCESS_MODE_FOR_BRANCH_TRANSACTION INAPPROPRIATE_ISOLATION_LEVEL_FOR_BRANCH_TRANSACTION NO_ACTIVE_SQL_TRANSACTION_FOR_BRANCH_TRANSACTION READ_ONLY_SQL_TRANSACTION SCHEMA_AND_DATA_STATEMENT_MIXING_NOT_SUPPORTED NO_ACTIVE_SQL_TRANSACTION IN_FAILED_SQL_TRANSACTION IDLE_IN_TRANSACTION_SESSION_TIMEOUT INVALID_SQL_STATEMENT_NAME TRIGGERED_DATA_CHANGE_VIOLATION INVALID_AUTHORIZATION_SPECIFICATION INVALID_PASSWORD DEPENDENT_PRIVILEGE_DESCRIPTORS_STILL_EXIST DEPENDENT_OBJECTS_STILL_EXIST INVALID_TRANSACTION_TERMINATION SQL_ROUTINE_EXCEPTION FUNCTION_EXECUTED_NO_RETURN_STATEMENT MODIFYING_SQL_DATA_NOT_PERMITTED PROHIBITED_SQL_STATEMENT_ATTEMPTED READING_SQL_DATA_NOT_PERMITTED INVALID_CURSOR_NAME EXTERNAL_ROUTINE_EXCEPTION CONTAINING_SQL_NOT_PERMITTED MODIFYING_SQL_DATA_NOT_PERMITTED PROHIBITED_SQL_STATEMENT_ATTEMPTED READING_SQL_DATA_NOT_PERMITTED EXTERNAL_ROUTINE_INVOCATION_EXCEPTION INVALID_SQLSTATE_RETURNED NULL_VALUE_NOT_ALLOWED TRIGGER_PROTOCOL_VIOLATED SRF_PROTOCOL_VIOLATED EVENT_TRIGGER_PROTOCOL_VIOLATED SAVEPOINT_EXCEPTION INVALID_SAVEPOINT_SPECIFICATION INVALID_CATALOG_NAME INVALID_SCHEMA_NAME TRANSACTION_ROLLBACK TRANSACTION_INTEGRITY_CONSTRAINT_VIOLATION SERIALIZATION_FAILURE STATEMENT_COMPLETION_UNKNOWN DEADLOCK_DETECTED SYNTAX_ERROR_OR_ACCESS_RULE_VIOLATION SYNTAX_ERROR INSUFFICIENT_PRIVILEGE CANNOT_COERCE GROUPING_ERROR WINDOWING_ERROR INVALID_RECURSION INVALID_FOREIGN_KEY INVALID_NAME NAME_TOO_LONG RESERVED_NAME DATATYPE_MISMATCH INDETERMINATE_DATATYPE COLLATION_MISMATCH INDETERMINATE_COLLATION WRONG_OBJECT_TYPE GENERATED_ALWAYS UNDEFINED_COLUMN UNDEFINED_FUNCTION UNDEFINED_TABLE UNDEFINED_PARAMETER UNDEFINED_OBJECT DUPLICATE_COLUMN DUPLICATE_CURSOR DUPLICATE_DATABASE DUPLICATE_FUNCTION DUPLICATE_PREPARED_STATEMENT DUPLICATE_SCHEMA DUPLICATE_TABLE DUPLICATE_ALIAS DUPLICATE_OBJECT AMBIGUOUS_COLUMN AMBIGUOUS_FUNCTION AMBIGUOUS_PARAMETER AMBIGUOUS_ALIAS INVALID_COLUMN_REFERENCE INVALID_COLUMN_DEFINITION INVALID_CURSOR_DEFINITION INVALID_DATABASE_DEFINITION INVALID_FUNCTION_DEFINITION INVALID_PREPARED_STATEMENT_DEFINITION INVALID_SCHEMA_DEFINITION INVALID_TABLE_DEFINITION INVALID_OBJECT_DEFINITION WITH_CHECK_OPTION_VIOLATION INSUFFICIENT_RESOURCES DISK_FULL OUT_OF_MEMORY TOO_MANY_CONNECTIONS CONFIGURATION_LIMIT_EXCEEDED PROGRAM_LIMIT_EXCEEDED STATEMENT_TOO_COMPLEX TOO_MANY_COLUMNS TOO_MANY_ARGUMENTS OBJECT_NOT_IN_PREREQUISITE_STATE OBJECT_IN_USE CANT_CHANGE_RUNTIME_PARAM LOCK_NOT_AVAILABLE OPERATOR_INTERVENTION QUERY_CANCELED ADMIN_SHUTDOWN CRASH_SHUTDOWN CANNOT_CONNECT_NOW DATABASE_DROPPED SYSTEM_ERROR IO_ERROR UNDEFINED_FILE DUPLICATE_FILE SNAPSHOT_TOO_OLD CONFIG_FILE_ERROR LOCK_FILE_EXISTS FDW_ERROR FDW_COLUMN_NAME_NOT_FOUND FDW_DYNAMIC_PARAMETER_VALUE_NEEDED FDW_FUNCTION_SEQUENCE_ERROR FDW_INCONSISTENT_DESCRIPTOR_INFORMATION FDW_INVALID_ATTRIBUTE_VALUE FDW_INVALID_COLUMN_NAME FDW_INVALID_COLUMN_NUMBER FDW_INVALID_DATA_TYPE FDW_INVALID_DATA_TYPE_DESCRIPTORS FDW_INVALID_DESCRIPTOR_FIELD_IDENTIFIER FDW_INVALID_HANDLE FDW_INVALID_OPTION_INDEX FDW_INVALID_OPTION_NAME FDW_INVALID_STRING_LENGTH_OR_BUFFER_LENGTH FDW_INVALID_STRING_FORMAT FDW_INVALID_USE_OF_NULL_POINTER FDW_TOO_MANY_HANDLES FDW_OUT_OF_MEMORY FDW_NO_SCHEMAS FDW_OPTION_NAME_NOT_FOUND FDW_REPLY_HANDLE FDW_SCHEMA_NOT_FOUND FDW_TABLE_NOT_FOUND FDW_UNABLE_TO_CREATE_EXECUTION FDW_UNABLE_TO_CREATE_REPLY FDW_UNABLE_TO_ESTABLISH_CONNECTION PLPGSQL_ERROR RAISE_EXCEPTION NO_DATA_FOUND TOO_MANY_ROWS ASSERT_FAILURE INTERNAL_ERROR DATA_CORRUPTED INDEX_CORRUPTED ",M="ARRAY_AGG AVG BIT_AND BIT_OR BOOL_AND BOOL_OR COUNT EVERY JSON_AGG JSONB_AGG JSON_OBJECT_AGG JSONB_OBJECT_AGG MAX MIN MODE STRING_AGG SUM XMLAGG CORR COVAR_POP COVAR_SAMP REGR_AVGX REGR_AVGY REGR_COUNT REGR_INTERCEPT REGR_R2 REGR_SLOPE REGR_SXX REGR_SXY REGR_SYY STDDEV STDDEV_POP STDDEV_SAMP VARIANCE VAR_POP VAR_SAMP PERCENTILE_CONT PERCENTILE_DISC ROW_NUMBER RANK DENSE_RANK PERCENT_RANK CUME_DIST NTILE LAG LEAD FIRST_VALUE LAST_VALUE NTH_VALUE NUM_NONNULLS NUM_NULLS ABS CBRT CEIL CEILING DEGREES DIV EXP FLOOR LN LOG MOD PI POWER RADIANS ROUND SCALE SIGN SQRT TRUNC WIDTH_BUCKET RANDOM SETSEED ACOS ACOSD ASIN ASIND ATAN ATAND ATAN2 ATAN2D COS COSD COT COTD SIN SIND TAN TAND BIT_LENGTH CHAR_LENGTH CHARACTER_LENGTH LOWER OCTET_LENGTH OVERLAY POSITION SUBSTRING TREAT TRIM UPPER ASCII BTRIM CHR CONCAT CONCAT_WS CONVERT CONVERT_FROM CONVERT_TO DECODE ENCODE INITCAP LEFT LENGTH LPAD LTRIM MD5 PARSE_IDENT PG_CLIENT_ENCODING QUOTE_IDENT|10 QUOTE_LITERAL|10 QUOTE_NULLABLE|10 REGEXP_MATCH REGEXP_MATCHES REGEXP_REPLACE REGEXP_SPLIT_TO_ARRAY REGEXP_SPLIT_TO_TABLE REPEAT REPLACE REVERSE RIGHT RPAD RTRIM SPLIT_PART STRPOS SUBSTR TO_ASCII TO_HEX TRANSLATE OCTET_LENGTH GET_BIT GET_BYTE SET_BIT SET_BYTE TO_CHAR TO_DATE TO_NUMBER TO_TIMESTAMP AGE CLOCK_TIMESTAMP|10 DATE_PART DATE_TRUNC ISFINITE JUSTIFY_DAYS JUSTIFY_HOURS JUSTIFY_INTERVAL MAKE_DATE MAKE_INTERVAL|10 MAKE_TIME MAKE_TIMESTAMP|10 MAKE_TIMESTAMPTZ|10 NOW STATEMENT_TIMESTAMP|10 TIMEOFDAY TRANSACTION_TIMESTAMP|10 ENUM_FIRST ENUM_LAST ENUM_RANGE AREA CENTER DIAMETER HEIGHT ISCLOSED ISOPEN NPOINTS PCLOSE POPEN RADIUS WIDTH BOX BOUND_BOX CIRCLE LINE LSEG PATH POLYGON ABBREV BROADCAST HOST HOSTMASK MASKLEN NETMASK NETWORK SET_MASKLEN TEXT INET_SAME_FAMILY INET_MERGE MACADDR8_SET7BIT ARRAY_TO_TSVECTOR GET_CURRENT_TS_CONFIG NUMNODE PLAINTO_TSQUERY PHRASETO_TSQUERY WEBSEARCH_TO_TSQUERY QUERYTREE SETWEIGHT STRIP TO_TSQUERY TO_TSVECTOR JSON_TO_TSVECTOR JSONB_TO_TSVECTOR TS_DELETE TS_FILTER TS_HEADLINE TS_RANK TS_RANK_CD TS_REWRITE TSQUERY_PHRASE TSVECTOR_TO_ARRAY TSVECTOR_UPDATE_TRIGGER TSVECTOR_UPDATE_TRIGGER_COLUMN XMLCOMMENT XMLCONCAT XMLELEMENT XMLFOREST XMLPI XMLROOT XMLEXISTS XML_IS_WELL_FORMED XML_IS_WELL_FORMED_DOCUMENT XML_IS_WELL_FORMED_CONTENT XPATH XPATH_EXISTS XMLTABLE XMLNAMESPACES TABLE_TO_XML TABLE_TO_XMLSCHEMA TABLE_TO_XML_AND_XMLSCHEMA QUERY_TO_XML QUERY_TO_XMLSCHEMA QUERY_TO_XML_AND_XMLSCHEMA CURSOR_TO_XML CURSOR_TO_XMLSCHEMA SCHEMA_TO_XML SCHEMA_TO_XMLSCHEMA SCHEMA_TO_XML_AND_XMLSCHEMA DATABASE_TO_XML DATABASE_TO_XMLSCHEMA DATABASE_TO_XML_AND_XMLSCHEMA XMLATTRIBUTES TO_JSON TO_JSONB ARRAY_TO_JSON ROW_TO_JSON JSON_BUILD_ARRAY JSONB_BUILD_ARRAY JSON_BUILD_OBJECT JSONB_BUILD_OBJECT JSON_OBJECT JSONB_OBJECT JSON_ARRAY_LENGTH JSONB_ARRAY_LENGTH JSON_EACH JSONB_EACH JSON_EACH_TEXT JSONB_EACH_TEXT JSON_EXTRACT_PATH JSONB_EXTRACT_PATH JSON_OBJECT_KEYS JSONB_OBJECT_KEYS JSON_POPULATE_RECORD JSONB_POPULATE_RECORD JSON_POPULATE_RECORDSET JSONB_POPULATE_RECORDSET JSON_ARRAY_ELEMENTS JSONB_ARRAY_ELEMENTS JSON_ARRAY_ELEMENTS_TEXT JSONB_ARRAY_ELEMENTS_TEXT JSON_TYPEOF JSONB_TYPEOF JSON_TO_RECORD JSONB_TO_RECORD JSON_TO_RECORDSET JSONB_TO_RECORDSET JSON_STRIP_NULLS JSONB_STRIP_NULLS JSONB_SET JSONB_INSERT JSONB_PRETTY CURRVAL LASTVAL NEXTVAL SETVAL COALESCE NULLIF GREATEST LEAST ARRAY_APPEND ARRAY_CAT ARRAY_NDIMS ARRAY_DIMS ARRAY_FILL ARRAY_LENGTH ARRAY_LOWER ARRAY_POSITION ARRAY_POSITIONS ARRAY_PREPEND ARRAY_REMOVE ARRAY_REPLACE ARRAY_TO_STRING ARRAY_UPPER CARDINALITY STRING_TO_ARRAY UNNEST ISEMPTY LOWER_INC UPPER_INC LOWER_INF UPPER_INF RANGE_MERGE GENERATE_SERIES GENERATE_SUBSCRIPTS CURRENT_DATABASE CURRENT_QUERY CURRENT_SCHEMA|10 CURRENT_SCHEMAS|10 INET_CLIENT_ADDR INET_CLIENT_PORT INET_SERVER_ADDR INET_SERVER_PORT ROW_SECURITY_ACTIVE FORMAT_TYPE TO_REGCLASS TO_REGPROC TO_REGPROCEDURE TO_REGOPER TO_REGOPERATOR TO_REGTYPE TO_REGNAMESPACE TO_REGROLE COL_DESCRIPTION OBJ_DESCRIPTION SHOBJ_DESCRIPTION TXID_CURRENT TXID_CURRENT_IF_ASSIGNED TXID_CURRENT_SNAPSHOT TXID_SNAPSHOT_XIP TXID_SNAPSHOT_XMAX TXID_SNAPSHOT_XMIN TXID_VISIBLE_IN_SNAPSHOT TXID_STATUS CURRENT_SETTING SET_CONFIG BRIN_SUMMARIZE_NEW_VALUES BRIN_SUMMARIZE_RANGE BRIN_DESUMMARIZE_RANGE GIN_CLEAN_PENDING_LIST SUPPRESS_REDUNDANT_UPDATES_TRIGGER LO_FROM_BYTEA LO_PUT LO_GET LO_CREAT LO_CREATE LO_UNLINK LO_IMPORT LO_EXPORT LOREAD LOWRITE GROUPING CAST ".trim().split(" ").map(function(v){return v.split("|")[0]}).join("|");return{name:"PostgreSQL",aliases:["postgres","postgresql"],supersetOf:"sql",case_insensitive:!0,keywords:{keyword:l+c+u,built_in:_+E+T},illegal:/:==|\W\s*\(\*|(^|\s)\$[a-z]|\{\{|[a-z]:\s*$|\.\.\.|TO:|DO:/,contains:[{className:"keyword",variants:[{begin:/\bTEXT\s*SEARCH\b/},{begin:/\b(PRIMARY|FOREIGN|FOR(\s+NO)?)\s+KEY\b/},{begin:/\bPARALLEL\s+(UNSAFE|RESTRICTED|SAFE)\b/},{begin:/\bSTORAGE\s+(PLAIN|EXTERNAL|EXTENDED|MAIN)\b/},{begin:/\bMATCH\s+(FULL|PARTIAL|SIMPLE)\b/},{begin:/\bNULLS\s+(FIRST|LAST)\b/},{begin:/\bEVENT\s+TRIGGER\b/},{begin:/\b(MAPPING|OR)\s+REPLACE\b/},{begin:/\b(FROM|TO)\s+(PROGRAM|STDIN|STDOUT)\b/},{begin:/\b(SHARE|EXCLUSIVE)\s+MODE\b/},{begin:/\b(LEFT|RIGHT)\s+(OUTER\s+)?JOIN\b/},{begin:/\b(FETCH|MOVE)\s+(NEXT|PRIOR|FIRST|LAST|ABSOLUTE|RELATIVE|FORWARD|BACKWARD)\b/},{begin:/\bPRESERVE\s+ROWS\b/},{begin:/\bDISCARD\s+PLANS\b/},{begin:/\bREFERENCING\s+(OLD|NEW)\b/},{begin:/\bSKIP\s+LOCKED\b/},{begin:/\bGROUPING\s+SETS\b/},{begin:/\b(BINARY|INSENSITIVE|SCROLL|NO\s+SCROLL)\s+(CURSOR|FOR)\b/},{begin:/\b(WITH|WITHOUT)\s+HOLD\b/},{begin:/\bWITH\s+(CASCADED|LOCAL)\s+CHECK\s+OPTION\b/},{begin:/\bEXCLUDE\s+(TIES|NO\s+OTHERS)\b/},{begin:/\bFORMAT\s+(TEXT|XML|JSON|YAML)\b/},{begin:/\bSET\s+((SESSION|LOCAL)\s+)?NAMES\b/},{begin:/\bIS\s+(NOT\s+)?UNKNOWN\b/},{begin:/\bSECURITY\s+LABEL\b/},{begin:/\bSTANDALONE\s+(YES|NO|NO\s+VALUE)\b/},{begin:/\bWITH\s+(NO\s+)?DATA\b/},{begin:/\b(FOREIGN|SET)\s+DATA\b/},{begin:/\bSET\s+(CATALOG|CONSTRAINTS)\b/},{begin:/\b(WITH|FOR)\s+ORDINALITY\b/},{begin:/\bIS\s+(NOT\s+)?DOCUMENT\b/},{begin:/\bXML\s+OPTION\s+(DOCUMENT|CONTENT)\b/},{begin:/\b(STRIP|PRESERVE)\s+WHITESPACE\b/},{begin:/\bNO\s+(ACTION|MAXVALUE|MINVALUE)\b/},{begin:/\bPARTITION\s+BY\s+(RANGE|LIST|HASH)\b/},{begin:/\bAT\s+TIME\s+ZONE\b/},{begin:/\bGRANTED\s+BY\b/},{begin:/\bRETURN\s+(QUERY|NEXT)\b/},{begin:/\b(ATTACH|DETACH)\s+PARTITION\b/},{begin:/\bFORCE\s+ROW\s+LEVEL\s+SECURITY\b/},{begin:/\b(INCLUDING|EXCLUDING)\s+(COMMENTS|CONSTRAINTS|DEFAULTS|IDENTITY|INDEXES|STATISTICS|STORAGE|ALL)\b/},{begin:/\bAS\s+(ASSIGNMENT|IMPLICIT|PERMISSIVE|RESTRICTIVE|ENUM|RANGE)\b/}]},{begin:/\b(FORMAT|FAMILY|VERSION)\s*\(/},{begin:/\bINCLUDE\s*\(/,keywords:"INCLUDE"},{begin:/\bRANGE(?!\s*(BETWEEN|UNBOUNDED|CURRENT|[-0-9]+))/},{begin:/\b(VERSION|OWNER|TEMPLATE|TABLESPACE|CONNECTION\s+LIMIT|PROCEDURE|RESTRICT|JOIN|PARSER|COPY|START|END|COLLATION|INPUT|ANALYZE|STORAGE|LIKE|DEFAULT|DELIMITER|ENCODING|COLUMN|CONSTRAINT|TABLE|SCHEMA)\s*=/},{begin:/\b(PG_\w+?|HAS_[A-Z_]+_PRIVILEGE)\b/,relevance:10},{begin:/\bEXTRACT\s*\(/,end:/\bFROM\b/,returnEnd:!0,keywords:{type:"CENTURY DAY DECADE DOW DOY EPOCH HOUR ISODOW ISOYEAR MICROSECONDS MILLENNIUM MILLISECONDS MINUTE MONTH QUARTER SECOND TIMEZONE TIMEZONE_HOUR TIMEZONE_MINUTE WEEK YEAR"}},{begin:/\b(XMLELEMENT|XMLPI)\s*\(\s*NAME/,keywords:{keyword:"NAME"}},{begin:/\b(XMLPARSE|XMLSERIALIZE)\s*\(\s*(DOCUMENT|CONTENT)/,keywords:{keyword:"DOCUMENT CONTENT"}},{beginKeywords:"CACHE INCREMENT MAXVALUE MINVALUE",end:t.C_NUMBER_RE,returnEnd:!0,keywords:"BY CACHE INCREMENT MAXVALUE MINVALUE"},{className:"type",begin:/\b(WITH|WITHOUT)\s+TIME\s+ZONE\b/},{className:"type",begin:/\bINTERVAL\s+(YEAR|MONTH|DAY|HOUR|MINUTE|SECOND)(\s+TO\s+(MONTH|HOUR|MINUTE|SECOND))?\b/},{begin:/\bRETURNS\s+(LANGUAGE_HANDLER|TRIGGER|EVENT_TRIGGER|FDW_HANDLER|INDEX_AM_HANDLER|TSM_HANDLER)\b/,keywords:{keyword:"RETURNS",type:"LANGUAGE_HANDLER TRIGGER EVENT_TRIGGER FDW_HANDLER INDEX_AM_HANDLER TSM_HANDLER"}},{begin:"\\b("+M+")\\s*\\("},{begin:"\\.("+S+")\\b"},{begin:"\\b("+S+")\\s+PATH\\b",keywords:{keyword:"PATH",type:d.replace("PATH ","")}},{className:"type",begin:"\\b("+S+")\\b"},{className:"string",begin:"'",end:"'",contains:[{begin:"''"}]},{className:"string",begin:"(e|E|u&|U&)'",end:"'",contains:[{begin:"\\\\."}],relevance:10},t.END_SAME_AS_BEGIN({begin:a,end:a,contains:[{subLanguage:["pgsql","perl","python","tcl","r","lua","java","php","ruby","bash","scheme","xml","json"],endsWithParent:!0}]}),{begin:'"',end:'"',contains:[{begin:'""'}]},t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE,n,{className:"meta",variants:[{begin:"%(ROW)?TYPE",relevance:10},{begin:"\\$\\d+"},{begin:"^#\\w",end:"$"}]},{className:"symbol",begin:o,relevance:10}]}}return Bm=e,Bm}var Um,Fy;function Kk(){if(Fy)return Um;Fy=1;function e(t){const n=t.regex,r=/(?![A-Za-z0-9])(?![$])/,a=n.concat(/[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*/,r),o=n.concat(/(\\?[A-Z][a-z0-9_\x7f-\xff]+|\\?[A-Z]+(?=[A-Z][a-z0-9_\x7f-\xff])){1,}/,r),l={scope:"variable",match:"\\$+"+a},u={scope:"meta",variants:[{begin:/<\?php/,relevance:10},{begin:/<\?=/},{begin:/<\?/,relevance:.1},{begin:/\?>/}]},c={scope:"subst",variants:[{begin:/\$\w+/},{begin:/\{\$/,end:/\}/}]},d=t.inherit(t.APOS_STRING_MODE,{illegal:null}),S=t.inherit(t.QUOTE_STRING_MODE,{illegal:null,contains:t.QUOTE_STRING_MODE.contains.concat(c)}),_={begin:/<<<[ \t]*(?:(\w+)|"(\w+)")\n/,end:/[ \t]*(\w+)\b/,contains:t.QUOTE_STRING_MODE.contains.concat(c),"on:begin":(fe,V)=>{V.data._beginMatch=fe[1]||fe[2]},"on:end":(fe,V)=>{V.data._beginMatch!==fe[1]&&V.ignoreMatch()}},E=t.END_SAME_AS_BEGIN({begin:/<<<[ \t]*'(\w+)'\n/,end:/[ \t]*(\w+)\b/}),T=`[ 	
+]`,y={scope:"string",variants:[S,d,_,E]},M={scope:"number",variants:[{begin:"\\b0[bB][01]+(?:_[01]+)*\\b"},{begin:"\\b0[oO][0-7]+(?:_[0-7]+)*\\b"},{begin:"\\b0[xX][\\da-fA-F]+(?:_[\\da-fA-F]+)*\\b"},{begin:"(?:\\b\\d+(?:_\\d+)*(\\.(?:\\d+(?:_\\d+)*))?|\\B\\.\\d+)(?:[eE][+-]?\\d+)?"}],relevance:0},v=["false","null","true"],A=["__CLASS__","__DIR__","__FILE__","__FUNCTION__","__COMPILER_HALT_OFFSET__","__LINE__","__METHOD__","__NAMESPACE__","__TRAIT__","die","echo","exit","include","include_once","print","require","require_once","array","abstract","and","as","binary","bool","boolean","break","callable","case","catch","class","clone","const","continue","declare","default","do","double","else","elseif","empty","enddeclare","endfor","endforeach","endif","endswitch","endwhile","enum","eval","extends","final","finally","float","for","foreach","from","global","goto","if","implements","instanceof","insteadof","int","integer","interface","isset","iterable","list","match|0","mixed","new","never","object","or","private","protected","public","readonly","real","return","string","switch","throw","trait","try","unset","use","var","void","while","xor","yield"],O=["Error|0","AppendIterator","ArgumentCountError","ArithmeticError","ArrayIterator","ArrayObject","AssertionError","BadFunctionCallException","BadMethodCallException","CachingIterator","CallbackFilterIterator","CompileError","Countable","DirectoryIterator","DivisionByZeroError","DomainException","EmptyIterator","ErrorException","Exception","FilesystemIterator","FilterIterator","GlobIterator","InfiniteIterator","InvalidArgumentException","IteratorIterator","LengthException","LimitIterator","LogicException","MultipleIterator","NoRewindIterator","OutOfBoundsException","OutOfRangeException","OuterIterator","OverflowException","ParentIterator","ParseError","RangeException","RecursiveArrayIterator","RecursiveCachingIterator","RecursiveCallbackFilterIterator","RecursiveDirectoryIterator","RecursiveFilterIterator","RecursiveIterator","RecursiveIteratorIterator","RecursiveRegexIterator","RecursiveTreeIterator","RegexIterator","RuntimeException","SeekableIterator","SplDoublyLinkedList","SplFileInfo","SplFileObject","SplFixedArray","SplHeap","SplMaxHeap","SplMinHeap","SplObjectStorage","SplObserver","SplPriorityQueue","SplQueue","SplStack","SplSubject","SplTempFileObject","TypeError","UnderflowException","UnexpectedValueException","UnhandledMatchError","ArrayAccess","BackedEnum","Closure","Fiber","Generator","Iterator","IteratorAggregate","Serializable","Stringable","Throwable","Traversable","UnitEnum","WeakReference","WeakMap","Directory","__PHP_Incomplete_Class","parent","php_user_filter","self","static","stdClass"],R={keyword:A,literal:(fe=>{const V=[];return fe.forEach(ne=>{V.push(ne),ne.toLowerCase()===ne?V.push(ne.toUpperCase()):V.push(ne.toLowerCase())}),V})(v),built_in:O},L=fe=>fe.map(V=>V.replace(/\|\d+$/,"")),I={variants:[{match:[/new/,n.concat(T,"+"),n.concat("(?!",L(O).join("\\b|"),"\\b)"),o],scope:{1:"keyword",4:"title.class"}}]},h=n.concat(a,"\\b(?!\\()"),k={variants:[{match:[n.concat(/::/,n.lookahead(/(?!class\b)/)),h],scope:{2:"variable.constant"}},{match:[/::/,/class/],scope:{2:"variable.language"}},{match:[o,n.concat(/::/,n.lookahead(/(?!class\b)/)),h],scope:{1:"title.class",3:"variable.constant"}},{match:[o,n.concat("::",n.lookahead(/(?!class\b)/))],scope:{1:"title.class"}},{match:[o,/::/,/class/],scope:{1:"title.class",3:"variable.language"}}]},F={scope:"attr",match:n.concat(a,n.lookahead(":"),n.lookahead(/(?!::)/))},z={relevance:0,begin:/\(/,end:/\)/,keywords:R,contains:[F,l,k,t.C_BLOCK_COMMENT_MODE,y,M,I]},K={relevance:0,match:[/\b/,n.concat("(?!fn\\b|function\\b|",L(A).join("\\b|"),"|",L(O).join("\\b|"),"\\b)"),a,n.concat(T,"*"),n.lookahead(/(?=\()/)],scope:{3:"title.function.invoke"},contains:[z]};z.contains.push(K);const ue=[F,k,t.C_BLOCK_COMMENT_MODE,y,M,I],Z={begin:n.concat(/#\[\s*/,o),beginScope:"meta",end:/]/,endScope:"meta",keywords:{literal:v,keyword:["new","array"]},contains:[{begin:/\[/,end:/]/,keywords:{literal:v,keyword:["new","array"]},contains:["self",...ue]},...ue,{scope:"meta",match:o}]};return{case_insensitive:!1,keywords:R,contains:[Z,t.HASH_COMMENT_MODE,t.COMMENT("//","$"),t.COMMENT("/\\*","\\*/",{contains:[{scope:"doctag",match:"@[A-Za-z]+"}]}),{match:/__halt_compiler\(\);/,keywords:"__halt_compiler",starts:{scope:"comment",end:t.MATCH_NOTHING_RE,contains:[{match:/\?>/,scope:"meta",endsParent:!0}]}},u,{scope:"variable.language",match:/\$this\b/},l,K,k,{match:[/const/,/\s/,a],scope:{1:"keyword",3:"variable.constant"}},I,{scope:"function",relevance:0,beginKeywords:"fn function",end:/[;{]/,excludeEnd:!0,illegal:"[$%\\[]",contains:[{beginKeywords:"use"},t.UNDERSCORE_TITLE_MODE,{begin:"=>",endsParent:!0},{scope:"params",begin:"\\(",end:"\\)",excludeBegin:!0,excludeEnd:!0,keywords:R,contains:["self",l,k,t.C_BLOCK_COMMENT_MODE,y,M]}]},{scope:"class",variants:[{beginKeywords:"enum",illegal:/[($"]/},{beginKeywords:"class interface trait",illegal:/[:($"]/}],relevance:0,end:/\{/,excludeEnd:!0,contains:[{beginKeywords:"extends implements"},t.UNDERSCORE_TITLE_MODE]},{beginKeywords:"namespace",relevance:0,end:";",illegal:/[.']/,contains:[t.inherit(t.UNDERSCORE_TITLE_MODE,{scope:"title.class"})]},{beginKeywords:"use",relevance:0,end:";",contains:[{match:/\b(as|const|function)\b/,scope:"keyword"},t.UNDERSCORE_TITLE_MODE]},y,M]}}return Um=e,Um}var Gm,By;function $k(){if(By)return Gm;By=1;function e(t){return{name:"PHP template",subLanguage:"xml",contains:[{begin:/<\?(php|=)?/,end:/\?>/,subLanguage:"php",contains:[{begin:"/\\*",end:"\\*/",skip:!0},{begin:'b"',end:'"',skip:!0},{begin:"b'",end:"'",skip:!0},t.inherit(t.APOS_STRING_MODE,{illegal:null,className:null,contains:null,skip:!0}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null,className:null,contains:null,skip:!0})]}]}}return Gm=e,Gm}var Hm,Uy;function Qk(){if(Uy)return Hm;Uy=1;function e(t){return{name:"Plain text",aliases:["text","txt"],disableAutodetect:!0}}return Hm=e,Hm}var qm,Gy;function jk(){if(Gy)return qm;Gy=1;function e(t){const n={keyword:"actor addressof and as be break class compile_error compile_intrinsic consume continue delegate digestof do else elseif embed end error for fun if ifdef in interface is isnt lambda let match new not object or primitive recover repeat return struct then trait try type until use var where while with xor",meta:"iso val tag trn box ref",literal:"this false true"},r={className:"string",begin:'"""',end:'"""',relevance:10},a={className:"string",begin:'"',end:'"',contains:[t.BACKSLASH_ESCAPE]},o={className:"string",begin:"'",end:"'",contains:[t.BACKSLASH_ESCAPE],relevance:0},l={className:"type",begin:"\\b_?[A-Z][\\w]*",relevance:0},u={begin:t.IDENT_RE+"'",relevance:0};return{name:"Pony",keywords:n,contains:[l,r,a,o,u,{className:"number",begin:"(-?)(\\b0[xX][a-fA-F0-9]+|\\b0[bB][01]+|(\\b\\d+(_\\d+)?(\\.\\d*)?|\\.\\d+)([eE][-+]?\\d+)?)",relevance:0},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]}}return qm=e,qm}var Ym,Hy;function Xk(){if(Hy)return Ym;Hy=1;function e(t){const n=["string","char","byte","int","long","bool","decimal","single","double","DateTime","xml","array","hashtable","void"],r="Add|Clear|Close|Copy|Enter|Exit|Find|Format|Get|Hide|Join|Lock|Move|New|Open|Optimize|Pop|Push|Redo|Remove|Rename|Reset|Resize|Search|Select|Set|Show|Skip|Split|Step|Switch|Undo|Unlock|Watch|Backup|Checkpoint|Compare|Compress|Convert|ConvertFrom|ConvertTo|Dismount|Edit|Expand|Export|Group|Import|Initialize|Limit|Merge|Mount|Out|Publish|Restore|Save|Sync|Unpublish|Update|Approve|Assert|Build|Complete|Confirm|Deny|Deploy|Disable|Enable|Install|Invoke|Register|Request|Restart|Resume|Start|Stop|Submit|Suspend|Uninstall|Unregister|Wait|Debug|Measure|Ping|Repair|Resolve|Test|Trace|Connect|Disconnect|Read|Receive|Send|Write|Block|Grant|Protect|Revoke|Unblock|Unprotect|Use|ForEach|Sort|Tee|Where",a="-and|-as|-band|-bnot|-bor|-bxor|-casesensitive|-ccontains|-ceq|-cge|-cgt|-cle|-clike|-clt|-cmatch|-cne|-cnotcontains|-cnotlike|-cnotmatch|-contains|-creplace|-csplit|-eq|-exact|-f|-file|-ge|-gt|-icontains|-ieq|-ige|-igt|-ile|-ilike|-ilt|-imatch|-in|-ine|-inotcontains|-inotlike|-inotmatch|-ireplace|-is|-isnot|-isplit|-join|-le|-like|-lt|-match|-ne|-not|-notcontains|-notin|-notlike|-notmatch|-or|-regex|-replace|-shl|-shr|-split|-wildcard|-xor",o={$pattern:/-?[A-z\.\-]+\b/,keyword:"if else foreach return do while until elseif begin for trap data dynamicparam end break throw param continue finally in switch exit filter try process catch hidden static parameter",built_in:"ac asnp cat cd CFS chdir clc clear clhy cli clp cls clv cnsn compare copy cp cpi cpp curl cvpa dbp del diff dir dnsn ebp echo|0 epal epcsv epsn erase etsn exsn fc fhx fl ft fw gal gbp gc gcb gci gcm gcs gdr gerr ghy gi gin gjb gl gm gmo gp gps gpv group gsn gsnp gsv gtz gu gv gwmi h history icm iex ihy ii ipal ipcsv ipmo ipsn irm ise iwmi iwr kill lp ls man md measure mi mount move mp mv nal ndr ni nmo npssc nsn nv ogv oh popd ps pushd pwd r rbp rcjb rcsn rd rdr ren ri rjb rm rmdir rmo rni rnp rp rsn rsnp rujb rv rvpa rwmi sajb sal saps sasv sbp sc scb select set shcm si sl sleep sls sort sp spjb spps spsv start stz sujb sv swmi tee trcm type wget where wjb write"},l=/\w[\w\d]*((-)[\w\d]+)*/,u={begin:"`[\\s\\S]",relevance:0},c={className:"variable",variants:[{begin:/\$\B/},{className:"keyword",begin:/\$this/},{begin:/\$[\w\d][\w\d_:]*/}]},d={className:"literal",begin:/\$(null|true|false)\b/},S={className:"string",variants:[{begin:/"/,end:/"/},{begin:/@"/,end:/^"@/}],contains:[u,c,{className:"variable",begin:/\$[A-z]/,end:/[^A-z]/}]},_={className:"string",variants:[{begin:/'/,end:/'/},{begin:/@'/,end:/^'@/}]},E={className:"doctag",variants:[{begin:/\.(synopsis|description|example|inputs|outputs|notes|link|component|role|functionality)/},{begin:/\.(parameter|forwardhelptargetname|forwardhelpcategory|remotehelprunspace|externalhelp)\s+\S+/}]},T=t.inherit(t.COMMENT(null,null),{variants:[{begin:/#/,end:/$/},{begin:/<#/,end:/#>/}],contains:[E]}),y={className:"built_in",variants:[{begin:"(".concat(r,")+(-)[\\w\\d]+")}]},M={className:"class",beginKeywords:"class enum",end:/\s*[{]/,excludeEnd:!0,relevance:0,contains:[t.TITLE_MODE]},v={className:"function",begin:/function\s+/,end:/\s*\{|$/,excludeEnd:!0,returnBegin:!0,relevance:0,contains:[{begin:"function",relevance:0,className:"keyword"},{className:"title",begin:l,relevance:0},{begin:/\(/,end:/\)/,className:"params",relevance:0,contains:[c]}]},A={begin:/using\s/,end:/$/,returnBegin:!0,contains:[S,_,{className:"keyword",begin:/(using|assembly|command|module|namespace|type)/}]},O={variants:[{className:"operator",begin:"(".concat(a,")\\b")},{className:"literal",begin:/(-){1,2}[\w\d-]+/,relevance:0}]},N={className:"selector-tag",begin:/@\B/,relevance:0},R={className:"function",begin:/\[.*\]\s*[\w]+[ ]??\(/,end:/$/,returnBegin:!0,relevance:0,contains:[{className:"keyword",begin:"(".concat(o.keyword.toString().replace(/\s/g,"|"),")\\b"),endsParent:!0,relevance:0},t.inherit(t.TITLE_MODE,{endsParent:!0})]},L=[R,T,u,t.NUMBER_MODE,S,_,y,c,d,N],I={begin:/\[/,end:/\]/,excludeBegin:!0,excludeEnd:!0,relevance:0,contains:[].concat("self",L,{begin:"("+n.join("|")+")",className:"built_in",relevance:0},{className:"type",begin:/[\.\w\d]+/,relevance:0})};return R.contains.unshift(I),{name:"PowerShell",aliases:["pwsh","ps","ps1"],case_insensitive:!0,keywords:o,contains:L.concat(M,v,A,O,I)}}return Ym=e,Ym}var Wm,qy;function Zk(){if(qy)return Wm;qy=1;function e(t){const n=t.regex,r=["displayHeight","displayWidth","mouseY","mouseX","mousePressed","pmouseX","pmouseY","key","keyCode","pixels","focused","frameCount","frameRate","height","width","size","createGraphics","beginDraw","createShape","loadShape","PShape","arc","ellipse","line","point","quad","rect","triangle","bezier","bezierDetail","bezierPoint","bezierTangent","curve","curveDetail","curvePoint","curveTangent","curveTightness","shape","shapeMode","beginContour","beginShape","bezierVertex","curveVertex","endContour","endShape","quadraticVertex","vertex","ellipseMode","noSmooth","rectMode","smooth","strokeCap","strokeJoin","strokeWeight","mouseClicked","mouseDragged","mouseMoved","mousePressed","mouseReleased","mouseWheel","keyPressed","keyPressedkeyReleased","keyTyped","print","println","save","saveFrame","day","hour","millis","minute","month","second","year","background","clear","colorMode","fill","noFill","noStroke","stroke","alpha","blue","brightness","color","green","hue","lerpColor","red","saturation","modelX","modelY","modelZ","screenX","screenY","screenZ","ambient","emissive","shininess","specular","add","createImage","beginCamera","camera","endCamera","frustum","ortho","perspective","printCamera","printProjection","cursor","frameRate","noCursor","exit","loop","noLoop","popStyle","pushStyle","redraw","binary","boolean","byte","char","float","hex","int","str","unbinary","unhex","join","match","matchAll","nf","nfc","nfp","nfs","split","splitTokens","trim","append","arrayCopy","concat","expand","reverse","shorten","sort","splice","subset","box","sphere","sphereDetail","createInput","createReader","loadBytes","loadJSONArray","loadJSONObject","loadStrings","loadTable","loadXML","open","parseXML","saveTable","selectFolder","selectInput","beginRaw","beginRecord","createOutput","createWriter","endRaw","endRecord","PrintWritersaveBytes","saveJSONArray","saveJSONObject","saveStream","saveStrings","saveXML","selectOutput","popMatrix","printMatrix","pushMatrix","resetMatrix","rotate","rotateX","rotateY","rotateZ","scale","shearX","shearY","translate","ambientLight","directionalLight","lightFalloff","lights","lightSpecular","noLights","normal","pointLight","spotLight","image","imageMode","loadImage","noTint","requestImage","tint","texture","textureMode","textureWrap","blend","copy","filter","get","loadPixels","set","updatePixels","blendMode","loadShader","PShaderresetShader","shader","createFont","loadFont","text","textFont","textAlign","textLeading","textMode","textSize","textWidth","textAscent","textDescent","abs","ceil","constrain","dist","exp","floor","lerp","log","mag","map","max","min","norm","pow","round","sq","sqrt","acos","asin","atan","atan2","cos","degrees","radians","sin","tan","noise","noiseDetail","noiseSeed","random","randomGaussian","randomSeed"],a=t.IDENT_RE,o={variants:[{match:n.concat(n.either(...r),n.lookahead(/\s*\(/)),className:"built_in"},{relevance:0,match:n.concat(/\b(?!for|if|while)/,a,n.lookahead(/\s*\(/)),className:"title.function"}]},l={match:[/new\s+/,a],className:{1:"keyword",2:"class.title"}},u={relevance:0,match:[/\./,a],className:{2:"property"}},c={variants:[{match:[/class/,/\s+/,a,/\s+/,/extends/,/\s+/,a]},{match:[/class/,/\s+/,a]}],className:{1:"keyword",3:"title.class",5:"keyword",7:"title.class.inherited"}},d=["boolean","byte","char","color","double","float","int","long","short"],S=["BufferedReader","PVector","PFont","PImage","PGraphics","HashMap","String","Array","FloatDict","ArrayList","FloatList","IntDict","IntList","JSONArray","JSONObject","Object","StringDict","StringList","Table","TableRow","XML"];return{name:"Processing",aliases:["pde"],keywords:{keyword:[...["abstract","assert","break","case","catch","const","continue","default","else","enum","final","finally","for","if","import","instanceof","long","native","new","package","private","private","protected","protected","public","public","return","static","strictfp","switch","synchronized","throw","throws","transient","try","void","volatile","while"]],literal:"P2D P3D HALF_PI PI QUARTER_PI TAU TWO_PI null true false",title:"setup draw",variable:"super this",built_in:[...r,...S],type:d},contains:[c,l,o,u,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE]}}return Wm=e,Wm}var Vm,Yy;function Jk(){if(Yy)return Vm;Yy=1;function e(t){return{name:"Python profiler",contains:[t.C_NUMBER_MODE,{begin:"[a-zA-Z_][\\da-zA-Z_]+\\.[\\da-zA-Z_]{1,3}",end:":",excludeEnd:!0},{begin:"(ncalls|tottime|cumtime)",end:"$",keywords:"ncalls tottime|10 cumtime|10 filename",relevance:10},{begin:"function calls",end:"$",contains:[t.C_NUMBER_MODE],relevance:10},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{className:"string",begin:"\\(",end:"\\)$",excludeBegin:!0,excludeEnd:!0,relevance:0}]}}return Vm=e,Vm}var zm,Wy;function eP(){if(Wy)return zm;Wy=1;function e(t){const n={begin:/[a-z][A-Za-z0-9_]*/,relevance:0},r={className:"symbol",variants:[{begin:/[A-Z][a-zA-Z0-9_]*/},{begin:/_[A-Za-z0-9_]*/}],relevance:0},a={begin:/\(/,end:/\)/,relevance:0},o={begin:/\[/,end:/\]/},l={className:"comment",begin:/%/,end:/$/,contains:[t.PHRASAL_WORDS_MODE]},u={className:"string",begin:/`/,end:/`/,contains:[t.BACKSLASH_ESCAPE]},c={className:"string",begin:/0'(\\'|.)/},d={className:"string",begin:/0'\\s/},_=[n,r,a,{begin:/:-/},o,l,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,u,c,d,t.C_NUMBER_MODE];return a.contains=_,o.contains=_,{name:"Prolog",contains:_.concat([{begin:/\.$/}])}}return zm=e,zm}var Km,Vy;function tP(){if(Vy)return Km;Vy=1;function e(t){const n="[ \\t\\f]*",r="[ \\t\\f]+",a=n+"[:=]"+n,o=r,l="("+a+"|"+o+")",u="([^\\\\:= \\t\\f\\n]|\\\\.)+",c={end:l,relevance:0,starts:{className:"string",end:/$/,relevance:0,contains:[{begin:"\\\\\\\\"},{begin:"\\\\\\n"}]}};return{name:".properties",disableAutodetect:!0,case_insensitive:!0,illegal:/\S/,contains:[t.COMMENT("^\\s*[!#]","$"),{returnBegin:!0,variants:[{begin:u+a},{begin:u+o}],contains:[{className:"attr",begin:u,endsParent:!0}],starts:c},{className:"attr",begin:u+n+"$"}]}}return Km=e,Km}var $m,zy;function nP(){if(zy)return $m;zy=1;function e(t){const n=["package","import","option","optional","required","repeated","group","oneof"],r=["double","float","int32","int64","uint32","uint64","sint32","sint64","fixed32","fixed64","sfixed32","sfixed64","bool","string","bytes"],a={match:[/(message|enum|service)\s+/,t.IDENT_RE],scope:{1:"keyword",2:"title.class"}};return{name:"Protocol Buffers",aliases:["proto"],keywords:{keyword:n,type:r,literal:["true","false"]},contains:[t.QUOTE_STRING_MODE,t.NUMBER_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,a,{className:"function",beginKeywords:"rpc",end:/[{;]/,excludeEnd:!0,keywords:"rpc returns"},{begin:/^\s*[A-Z_]+(?=\s*=[^\n]+;$)/}]}}return $m=e,$m}var Qm,Ky;function rP(){if(Ky)return Qm;Ky=1;function e(t){const n={keyword:"and case default else elsif false if in import enherits node or true undef unless main settings $string ",literal:"alias audit before loglevel noop require subscribe tag owner ensure group mode name|0 changes context force incl lens load_path onlyif provider returns root show_diff type_check en_address ip_address realname command environment hour monute month monthday special target weekday creates cwd ogoutput refresh refreshonly tries try_sleep umask backup checksum content ctime force ignore links mtime purge recurse recurselimit replace selinux_ignore_defaults selrange selrole seltype seluser source souirce_permissions sourceselect validate_cmd validate_replacement allowdupe attribute_membership auth_membership forcelocal gid ia_load_module members system host_aliases ip allowed_trunk_vlans description device_url duplex encapsulation etherchannel native_vlan speed principals allow_root auth_class auth_type authenticate_user k_of_n mechanisms rule session_owner shared options device fstype enable hasrestart directory present absent link atboot blockdevice device dump pass remounts poller_tag use message withpath adminfile allow_virtual allowcdrom category configfiles flavor install_options instance package_settings platform responsefile status uninstall_options vendor unless_system_user unless_uid binary control flags hasstatus manifest pattern restart running start stop allowdupe auths expiry gid groups home iterations key_membership keys managehome membership password password_max_age password_min_age profile_membership profiles project purge_ssh_keys role_membership roles salt shell uid baseurl cost descr enabled enablegroups exclude failovermethod gpgcheck gpgkey http_caching include includepkgs keepalive metadata_expire metalink mirrorlist priority protect proxy proxy_password proxy_username repo_gpgcheck s3_enabled skip_if_unavailable sslcacert sslclientcert sslclientkey sslverify mounted",built_in:"architecture augeasversion blockdevices boardmanufacturer boardproductname boardserialnumber cfkey dhcp_servers domain ec2_ ec2_userdata facterversion filesystems ldom fqdn gid hardwareisa hardwaremodel hostname id|0 interfaces ipaddress ipaddress_ ipaddress6 ipaddress6_ iphostnumber is_virtual kernel kernelmajversion kernelrelease kernelversion kernelrelease kernelversion lsbdistcodename lsbdistdescription lsbdistid lsbdistrelease lsbmajdistrelease lsbminordistrelease lsbrelease macaddress macaddress_ macosx_buildversion macosx_productname macosx_productversion macosx_productverson_major macosx_productversion_minor manufacturer memoryfree memorysize netmask metmask_ network_ operatingsystem operatingsystemmajrelease operatingsystemrelease osfamily partitions path physicalprocessorcount processor processorcount productname ps puppetversion rubysitedir rubyversion selinux selinux_config_mode selinux_config_policy selinux_current_mode selinux_current_mode selinux_enforced selinux_policyversion serialnumber sp_ sshdsakey sshecdsakey sshrsakey swapencrypted swapfree swapsize timezone type uniqueid uptime uptime_days uptime_hours uptime_seconds uuid virtual vlans xendomains zfs_version zonenae zones zpool_version"},r=t.COMMENT("#","$"),a="([A-Za-z_]|::)(\\w|::)*",o=t.inherit(t.TITLE_MODE,{begin:a}),l={className:"variable",begin:"\\$"+a},u={className:"string",contains:[t.BACKSLASH_ESCAPE,l],variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/}]};return{name:"Puppet",aliases:["pp"],contains:[r,l,u,{beginKeywords:"class",end:"\\{|;",illegal:/=/,contains:[o,r]},{beginKeywords:"define",end:/\{/,contains:[{className:"section",begin:t.IDENT_RE,endsParent:!0}]},{begin:t.IDENT_RE+"\\s+\\{",returnBegin:!0,end:/\S/,contains:[{className:"keyword",begin:t.IDENT_RE,relevance:.2},{begin:/\{/,end:/\}/,keywords:n,relevance:0,contains:[u,r,{begin:"[a-zA-Z_]+\\s*=>",returnBegin:!0,end:"=>",contains:[{className:"attr",begin:t.IDENT_RE}]},{className:"number",begin:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",relevance:0},l]}],relevance:0}]}}return Qm=e,Qm}var jm,$y;function iP(){if($y)return jm;$y=1;function e(t){const n={className:"string",begin:'(~)?"',end:'"',illegal:"\\n"},r={className:"symbol",begin:"#[a-zA-Z_]\\w*\\$?"};return{name:"PureBASIC",aliases:["pb","pbi"],keywords:"Align And Array As Break CallDebugger Case CompilerCase CompilerDefault CompilerElse CompilerElseIf CompilerEndIf CompilerEndSelect CompilerError CompilerIf CompilerSelect CompilerWarning Continue Data DataSection Debug DebugLevel Declare DeclareC DeclareCDLL DeclareDLL DeclareModule Default Define Dim DisableASM DisableDebugger DisableExplicit Else ElseIf EnableASM EnableDebugger EnableExplicit End EndDataSection EndDeclareModule EndEnumeration EndIf EndImport EndInterface EndMacro EndModule EndProcedure EndSelect EndStructure EndStructureUnion EndWith Enumeration EnumerationBinary Extends FakeReturn For ForEach ForEver Global Gosub Goto If Import ImportC IncludeBinary IncludeFile IncludePath Interface List Macro MacroExpandedCount Map Module NewList NewMap Next Not Or Procedure ProcedureC ProcedureCDLL ProcedureDLL ProcedureReturn Protected Prototype PrototypeC ReDim Read Repeat Restore Return Runtime Select Shared Static Step Structure StructureUnion Swap Threaded To UndefineMacro Until Until  UnuseModule UseModule Wend While With XIncludeFile XOr",contains:[t.COMMENT(";","$",{relevance:0}),{className:"function",begin:"\\b(Procedure|Declare)(C|CDLL|DLL)?\\b",end:"\\(",excludeEnd:!0,returnBegin:!0,contains:[{className:"keyword",begin:"(Procedure|Declare)(C|CDLL|DLL)?",excludeEnd:!0},{className:"type",begin:"\\.\\w*"},t.UNDERSCORE_TITLE_MODE]},n,r]}}return jm=e,jm}var Xm,Qy;function aP(){if(Qy)return Xm;Qy=1;function e(t){const n=t.regex,r=/[\p{XID_Start}_]\p{XID_Continue}*/u,a=["and","as","assert","async","await","break","case","class","continue","def","del","elif","else","except","finally","for","from","global","if","import","in","is","lambda","match","nonlocal|10","not","or","pass","raise","return","try","while","with","yield"],c={$pattern:/[A-Za-z]\w+|__\w+__/,keyword:a,built_in:["__import__","abs","all","any","ascii","bin","bool","breakpoint","bytearray","bytes","callable","chr","classmethod","compile","complex","delattr","dict","dir","divmod","enumerate","eval","exec","filter","float","format","frozenset","getattr","globals","hasattr","hash","help","hex","id","input","int","isinstance","issubclass","iter","len","list","locals","map","max","memoryview","min","next","object","oct","open","ord","pow","print","property","range","repr","reversed","round","set","setattr","slice","sorted","staticmethod","str","sum","super","tuple","type","vars","zip"],literal:["__debug__","Ellipsis","False","None","NotImplemented","True"],type:["Any","Callable","Coroutine","Dict","List","Literal","Generic","Optional","Sequence","Set","Tuple","Type","Union"]},d={className:"meta",begin:/^(>>>|\.\.\.) /},S={className:"subst",begin:/\{/,end:/\}/,keywords:c,illegal:/#/},_={begin:/\{\{/,relevance:0},E={className:"string",contains:[t.BACKSLASH_ESCAPE],variants:[{begin:/([uU]|[bB]|[rR]|[bB][rR]|[rR][bB])?'''/,end:/'''/,contains:[t.BACKSLASH_ESCAPE,d],relevance:10},{begin:/([uU]|[bB]|[rR]|[bB][rR]|[rR][bB])?"""/,end:/"""/,contains:[t.BACKSLASH_ESCAPE,d],relevance:10},{begin:/([fF][rR]|[rR][fF]|[fF])'''/,end:/'''/,contains:[t.BACKSLASH_ESCAPE,d,_,S]},{begin:/([fF][rR]|[rR][fF]|[fF])"""/,end:/"""/,contains:[t.BACKSLASH_ESCAPE,d,_,S]},{begin:/([uU]|[rR])'/,end:/'/,relevance:10},{begin:/([uU]|[rR])"/,end:/"/,relevance:10},{begin:/([bB]|[bB][rR]|[rR][bB])'/,end:/'/},{begin:/([bB]|[bB][rR]|[rR][bB])"/,end:/"/},{begin:/([fF][rR]|[rR][fF]|[fF])'/,end:/'/,contains:[t.BACKSLASH_ESCAPE,_,S]},{begin:/([fF][rR]|[rR][fF]|[fF])"/,end:/"/,contains:[t.BACKSLASH_ESCAPE,_,S]},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]},T="[0-9](_?[0-9])*",y=`(\\b(${T}))?\\.(${T})|\\b(${T})\\.`,M=`\\b|${a.join("|")}`,v={className:"number",relevance:0,variants:[{begin:`(\\b(${T})|(${y}))[eE][+-]?(${T})[jJ]?(?=${M})`},{begin:`(${y})[jJ]?`},{begin:`\\b([1-9](_?[0-9])*|0+(_?0)*)[lLjJ]?(?=${M})`},{begin:`\\b0[bB](_?[01])+[lL]?(?=${M})`},{begin:`\\b0[oO](_?[0-7])+[lL]?(?=${M})`},{begin:`\\b0[xX](_?[0-9a-fA-F])+[lL]?(?=${M})`},{begin:`\\b(${T})[jJ](?=${M})`}]},A={className:"comment",begin:n.lookahead(/# type:/),end:/$/,keywords:c,contains:[{begin:/# type:/},{begin:/#/,end:/\b\B/,endsWithParent:!0}]},O={className:"params",variants:[{className:"",begin:/\(\s*\)/,skip:!0},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:c,contains:["self",d,v,E,t.HASH_COMMENT_MODE]}]};return S.contains=[E,v,d],{name:"Python",aliases:["py","gyp","ipython"],unicodeRegex:!0,keywords:c,illegal:/(<\/|\?)|=>/,contains:[d,v,{begin:/\bself\b/},{beginKeywords:"if",relevance:0},E,A,t.HASH_COMMENT_MODE,{match:[/\bdef/,/\s+/,r],scope:{1:"keyword",3:"title.function"},contains:[O]},{variants:[{match:[/\bclass/,/\s+/,r,/\s*/,/\(\s*/,r,/\s*\)/]},{match:[/\bclass/,/\s+/,r]}],scope:{1:"keyword",3:"title.class",6:"title.class.inherited"}},{className:"meta",begin:/^[\t ]*@/,end:/(?=#)|$/,contains:[v,O,E]}]}}return Xm=e,Xm}var Zm,jy;function oP(){if(jy)return Zm;jy=1;function e(t){return{aliases:["pycon"],contains:[{className:"meta.prompt",starts:{end:/ |$/,starts:{end:"$",subLanguage:"python"}},variants:[{begin:/^>>>(?=[ ]|$)/},{begin:/^\.\.\.(?=[ ]|$)/}]}]}}return Zm=e,Zm}var Jm,Xy;function sP(){if(Xy)return Jm;Xy=1;function e(t){return{name:"Q",aliases:["k","kdb"],keywords:{$pattern:/(`?)[A-Za-z0-9_]+\b/,keyword:"do while select delete by update from",literal:"0b 1b",built_in:"neg not null string reciprocal floor ceiling signum mod xbar xlog and or each scan over prior mmu lsq inv md5 ltime gtime count first var dev med cov cor all any rand sums prds mins maxs fills deltas ratios avgs differ prev next rank reverse iasc idesc asc desc msum mcount mavg mdev xrank mmin mmax xprev rotate distinct group where flip type key til get value attr cut set upsert raze union inter except cross sv vs sublist enlist read0 read1 hopen hclose hdel hsym hcount peach system ltrim rtrim trim lower upper ssr view tables views cols xcols keys xkey xcol xasc xdesc fkeys meta lj aj aj0 ij pj asof uj ww wj wj1 fby xgroup ungroup ej save load rsave rload show csv parse eval min max avg wavg wsum sin cos tan sum",type:"`float `double int `timestamp `timespan `datetime `time `boolean `symbol `char `byte `short `long `real `month `date `minute `second `guid"},contains:[t.C_LINE_COMMENT_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE]}}return Jm=e,Jm}var eg,Zy;function lP(){if(Zy)return eg;Zy=1;function e(t){const n=t.regex,r={keyword:"in of on if for while finally var new function do return void else break catch instanceof with throw case default try this switch continue typeof delete let yield const export super debugger as async await import",literal:"true false null undefined NaN Infinity",built_in:"eval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent encodeURI encodeURIComponent escape unescape Object Function Boolean Error EvalError InternalError RangeError ReferenceError StopIteration SyntaxError TypeError URIError Number Math Date String RegExp Array Float32Array Float64Array Int16Array Int32Array Int8Array Uint16Array Uint32Array Uint8Array Uint8ClampedArray ArrayBuffer DataView JSON Intl arguments require module console window document Symbol Set Map WeakSet WeakMap Proxy Reflect Behavior bool color coordinate date double enumeration font geocircle georectangle geoshape int list matrix4x4 parent point quaternion real rect size string url variant vector2d vector3d vector4d Promise"},a="[a-zA-Z_][a-zA-Z0-9\\._]*",o={className:"keyword",begin:"\\bproperty\\b",starts:{className:"string",end:"(:|=|;|,|//|/\\*|$)",returnEnd:!0}},l={className:"keyword",begin:"\\bsignal\\b",starts:{className:"string",end:"(\\(|:|=|;|,|//|/\\*|$)",returnEnd:!0}},u={className:"attribute",begin:"\\bid\\s*:",starts:{className:"string",end:a,returnEnd:!1}},c={begin:a+"\\s*:",returnBegin:!0,contains:[{className:"attribute",begin:a,end:"\\s*:",excludeEnd:!0,relevance:0}],relevance:0},d={begin:n.concat(a,/\s*\{/),end:/\{/,returnBegin:!0,relevance:0,contains:[t.inherit(t.TITLE_MODE,{begin:a})]};return{name:"QML",aliases:["qt"],case_insensitive:!1,keywords:r,contains:[{className:"meta",begin:/^\s*['"]use (strict|asm)['"]/},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,{className:"string",begin:"`",end:"`",contains:[t.BACKSLASH_ESCAPE,{className:"subst",begin:"\\$\\{",end:"\\}"}]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"number",variants:[{begin:"\\b(0[bB][01]+)"},{begin:"\\b(0[oO][0-7]+)"},{begin:t.C_NUMBER_RE}],relevance:0},{begin:"("+t.RE_STARTERS_RE+"|\\b(case|return|throw)\\b)\\s*",keywords:"return throw case",contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.REGEXP_MODE,{begin:/</,end:/>\s*[);\]]/,relevance:0,subLanguage:"xml"}],relevance:0},l,o,{className:"function",beginKeywords:"function",end:/\{/,excludeEnd:!0,contains:[t.inherit(t.TITLE_MODE,{begin:/[A-Za-z$_][0-9A-Za-z$_]*/}),{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]}],illegal:/\[|%/},{begin:"\\."+t.IDENT_RE,relevance:0},u,c,d],illegal:/#/}}return eg=e,eg}var tg,Jy;function uP(){if(Jy)return tg;Jy=1;function e(t){const n=t.regex,r=/(?:(?:[a-zA-Z]|\.[._a-zA-Z])[._a-zA-Z0-9]*)|\.(?!\d)/,a=n.either(/0[xX][0-9a-fA-F]+\.[0-9a-fA-F]*[pP][+-]?\d+i?/,/0[xX][0-9a-fA-F]+(?:[pP][+-]?\d+)?[Li]?/,/(?:\d+(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+)?[Li]?/),o=/[=!<>:]=|\|\||&&|:::?|<-|<<-|->>|->|\|>|[-+*\/?!$&|:<=>@^~]|\*\*/,l=n.either(/[()]/,/[{}]/,/\[\[/,/[[\]]/,/\\/,/,/);return{name:"R",keywords:{$pattern:r,keyword:"function if in break next repeat else for while",literal:"NULL NA TRUE FALSE Inf NaN NA_integer_|10 NA_real_|10 NA_character_|10 NA_complex_|10",built_in:"LETTERS letters month.abb month.name pi T F abs acos acosh all any anyNA Arg as.call as.character as.complex as.double as.environment as.integer as.logical as.null.default as.numeric as.raw asin asinh atan atanh attr attributes baseenv browser c call ceiling class Conj cos cosh cospi cummax cummin cumprod cumsum digamma dim dimnames emptyenv exp expression floor forceAndCall gamma gc.time globalenv Im interactive invisible is.array is.atomic is.call is.character is.complex is.double is.environment is.expression is.finite is.function is.infinite is.integer is.language is.list is.logical is.matrix is.na is.name is.nan is.null is.numeric is.object is.pairlist is.raw is.recursive is.single is.symbol lazyLoadDBfetch length lgamma list log max min missing Mod names nargs nzchar oldClass on.exit pos.to.env proc.time prod quote range Re rep retracemem return round seq_along seq_len seq.int sign signif sin sinh sinpi sqrt standardGeneric substitute sum switch tan tanh tanpi tracemem trigamma trunc unclass untracemem UseMethod xtfrm"},contains:[t.COMMENT(/#'/,/$/,{contains:[{scope:"doctag",match:/@examples/,starts:{end:n.lookahead(n.either(/\n^#'\s*(?=@[a-zA-Z]+)/,/\n^(?!#')/)),endsParent:!0}},{scope:"doctag",begin:"@param",end:/$/,contains:[{scope:"variable",variants:[{match:r},{match:/`(?:\\.|[^`\\])+`/}],endsParent:!0}]},{scope:"doctag",match:/@[a-zA-Z]+/},{scope:"keyword",match:/\\[a-zA-Z]+/}]}),t.HASH_COMMENT_MODE,{scope:"string",contains:[t.BACKSLASH_ESCAPE],variants:[t.END_SAME_AS_BEGIN({begin:/[rR]"(-*)\(/,end:/\)(-*)"/}),t.END_SAME_AS_BEGIN({begin:/[rR]"(-*)\{/,end:/\}(-*)"/}),t.END_SAME_AS_BEGIN({begin:/[rR]"(-*)\[/,end:/\](-*)"/}),t.END_SAME_AS_BEGIN({begin:/[rR]'(-*)\(/,end:/\)(-*)'/}),t.END_SAME_AS_BEGIN({begin:/[rR]'(-*)\{/,end:/\}(-*)'/}),t.END_SAME_AS_BEGIN({begin:/[rR]'(-*)\[/,end:/\](-*)'/}),{begin:'"',end:'"',relevance:0},{begin:"'",end:"'",relevance:0}]},{relevance:0,variants:[{scope:{1:"operator",2:"number"},match:[o,a]},{scope:{1:"operator",2:"number"},match:[/%[^%]*%/,a]},{scope:{1:"punctuation",2:"number"},match:[l,a]},{scope:{2:"number"},match:[/[^a-zA-Z0-9._]|^/,a]}]},{scope:{3:"operator"},match:[r,/\s+/,/<-/,/\s+/]},{scope:"operator",relevance:0,variants:[{match:o},{match:/%[^%]*%/}]},{scope:"punctuation",relevance:0,match:l},{begin:"`",end:"`",contains:[{begin:/\\./}]}]}}return tg=e,tg}var ng,e0;function cP(){if(e0)return ng;e0=1;function e(t){return{name:"ReasonML",aliases:["re"],keywords:{$pattern:/[a-z_]\w*!?/,keyword:["and","as","asr","assert","begin","class","constraint","do","done","downto","else","end","esfun","exception","external","for","fun","function","functor","if","in","include","inherit","initializer","land","lazy","let","lor","lsl","lsr","lxor","mod","module","mutable","new","nonrec","object","of","open","or","pri","pub","rec","sig","struct","switch","then","to","try","type","val","virtual","when","while","with"],built_in:["array","bool","bytes","char","exn|5","float","int","int32","int64","list","lazy_t|5","nativeint|5","ref","string","unit"],literal:["true","false"]},illegal:/(:-|:=|\$\{|\+=)/,contains:[{scope:"literal",match:/\[(\|\|)?\]|\(\)/,relevance:0},t.C_LINE_COMMENT_MODE,t.COMMENT(/\/\*/,/\*\//,{illegal:/^(#,\/\/)/}),{scope:"symbol",match:/\'[A-Za-z_](?!\')[\w\']*/},{scope:"type",match:/`[A-Z][\w\']*/},{scope:"type",match:/\b[A-Z][\w\']*/,relevance:0},{match:/[a-z_]\w*\'[\w\']*/,relevance:0},{scope:"operator",match:/\s+(\|\||\+[\+\.]?|\*[\*\/\.]?|\/[\.]?|\.\.\.|\|>|&&|===?)\s+/,relevance:0},t.inherit(t.APOS_STRING_MODE,{scope:"string",relevance:0}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{scope:"number",variants:[{match:/\b0[xX][a-fA-F0-9_]+[Lln]?/},{match:/\b0[oO][0-7_]+[Lln]?/},{match:/\b0[bB][01_]+[Lln]?/},{match:/\b[0-9][0-9_]*([Lln]|(\.[0-9_]*)?([eE][-+]?[0-9_]+)?)/}],relevance:0}]}}return ng=e,ng}var rg,t0;function dP(){if(t0)return rg;t0=1;function e(t){return{name:"RenderMan RIB",keywords:"ArchiveRecord AreaLightSource Atmosphere Attribute AttributeBegin AttributeEnd Basis Begin Blobby Bound Clipping ClippingPlane Color ColorSamples ConcatTransform Cone CoordinateSystem CoordSysTransform CropWindow Curves Cylinder DepthOfField Detail DetailRange Disk Displacement Display End ErrorHandler Exposure Exterior Format FrameAspectRatio FrameBegin FrameEnd GeneralPolygon GeometricApproximation Geometry Hider Hyperboloid Identity Illuminate Imager Interior LightSource MakeCubeFaceEnvironment MakeLatLongEnvironment MakeShadow MakeTexture Matte MotionBegin MotionEnd NuPatch ObjectBegin ObjectEnd ObjectInstance Opacity Option Orientation Paraboloid Patch PatchMesh Perspective PixelFilter PixelSamples PixelVariance Points PointsGeneralPolygons PointsPolygons Polygon Procedural Projection Quantize ReadArchive RelativeDetail ReverseOrientation Rotate Scale ScreenWindow ShadingInterpolation ShadingRate Shutter Sides Skew SolidBegin SolidEnd Sphere SubdivisionMesh Surface TextureCoordinates Torus Transform TransformBegin TransformEnd TransformPoints Translate TrimCurve WorldBegin WorldEnd",illegal:"</",contains:[t.HASH_COMMENT_MODE,t.C_NUMBER_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]}}return rg=e,rg}var ig,n0;function fP(){if(n0)return ig;n0=1;function e(t){const n="[a-zA-Z-_][^\\n{]+\\{",r={className:"attribute",begin:/[a-zA-Z-_]+/,end:/\s*:/,excludeEnd:!0,starts:{end:";",relevance:0,contains:[{className:"variable",begin:/\.[a-zA-Z-_]+/},{className:"keyword",begin:/\(optional\)/}]}};return{name:"Roboconf",aliases:["graph","instances"],case_insensitive:!0,keywords:"import",contains:[{begin:"^facet "+n,end:/\}/,keywords:"facet",contains:[r,t.HASH_COMMENT_MODE]},{begin:"^\\s*instance of "+n,end:/\}/,keywords:"name count channels instance-data instance-state instance of",illegal:/\S/,contains:["self",r,t.HASH_COMMENT_MODE]},{begin:"^"+n,end:/\}/,contains:[r,t.HASH_COMMENT_MODE]},t.HASH_COMMENT_MODE]}}return ig=e,ig}var ag,r0;function pP(){if(r0)return ag;r0=1;function e(t){const n="foreach do while for if from to step else on-error and or not in",r="global local beep delay put len typeof pick log time set find environment terminal error execute parse resolve toarray tobool toid toip toip6 tonum tostr totime",a="add remove enable disable set get print export edit find run debug error info warning",o="true false yes no nothing nil null",l="traffic-flow traffic-generator firewall scheduler aaa accounting address-list address align area bandwidth-server bfd bgp bridge client clock community config connection console customer default dhcp-client dhcp-server discovery dns e-mail ethernet filter firmware gps graphing group hardware health hotspot identity igmp-proxy incoming instance interface ip ipsec ipv6 irq l2tp-server lcd ldp logging mac-server mac-winbox mangle manual mirror mme mpls nat nd neighbor network note ntp ospf ospf-v3 ovpn-server page peer pim ping policy pool port ppp pppoe-client pptp-server prefix profile proposal proxy queue radius resource rip ripng route routing screen script security-profiles server service service-port settings shares smb sms sniffer snmp snooper socks sstp-server system tool tracking type upgrade upnp user-manager users user vlan secret vrrp watchdog web-access wireless pptp pppoe lan wan layer7-protocol lease simple raw",u={className:"variable",variants:[{begin:/\$[\w\d#@][\w\d_]*/},{begin:/\$\{(.*?)\}/}]},c={className:"string",begin:/"/,end:/"/,contains:[t.BACKSLASH_ESCAPE,u,{className:"variable",begin:/\$\(/,end:/\)/,contains:[t.BACKSLASH_ESCAPE]}]},d={className:"string",begin:/'/,end:/'/};return{name:"MikroTik RouterOS script",aliases:["mikrotik"],case_insensitive:!0,keywords:{$pattern:/:?[\w-]+/,literal:o,keyword:n+" :"+n.split(" ").join(" :")+" :"+r.split(" ").join(" :")},contains:[{variants:[{begin:/\/\*/,end:/\*\//},{begin:/\/\//,end:/$/},{begin:/<\//,end:/>/}],illegal:/./},t.COMMENT("^#","$"),c,d,u,{begin:/[\w-]+=([^\s{}[\]()>]+)/,relevance:0,returnBegin:!0,contains:[{className:"attribute",begin:/[^=]+/},{begin:/=/,endsWithParent:!0,relevance:0,contains:[c,d,u,{className:"literal",begin:"\\b("+o.split(" ").join("|")+")\\b"},{begin:/("[^"]*"|[^\s{}[\]]+)/}]}]},{className:"number",begin:/\*[0-9a-fA-F]+/},{begin:"\\b("+a.split(" ").join("|")+")([\\s[(\\]|])",returnBegin:!0,contains:[{className:"built_in",begin:/\w+/}]},{className:"built_in",variants:[{begin:"(\\.\\./|/|\\s)(("+l.split(" ").join("|")+");?\\s)+"},{begin:/\.\./,relevance:0}]}]}}return ag=e,ag}var og,i0;function _P(){if(i0)return og;i0=1;function e(t){const n=["abs","acos","ambient","area","asin","atan","atmosphere","attribute","calculatenormal","ceil","cellnoise","clamp","comp","concat","cos","degrees","depth","Deriv","diffuse","distance","Du","Dv","environment","exp","faceforward","filterstep","floor","format","fresnel","incident","length","lightsource","log","match","max","min","mod","noise","normalize","ntransform","opposite","option","phong","pnoise","pow","printf","ptlined","radians","random","reflect","refract","renderinfo","round","setcomp","setxcomp","setycomp","setzcomp","shadow","sign","sin","smoothstep","specular","specularbrdf","spline","sqrt","step","tan","texture","textureinfo","trace","transform","vtransform","xcomp","ycomp","zcomp"],r=["matrix","float","color","point","normal","vector"],a=["while","for","if","do","return","else","break","extern","continue"],o={match:[/(surface|displacement|light|volume|imager)/,/\s+/,t.IDENT_RE],scope:{1:"keyword",3:"title.class"}};return{name:"RenderMan RSL",keywords:{keyword:a,built_in:n,type:r},illegal:"</",contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.QUOTE_STRING_MODE,t.APOS_STRING_MODE,t.C_NUMBER_MODE,{className:"meta",begin:"#",end:"$"},o,{beginKeywords:"illuminate illuminance gather",end:"\\("}]}}return og=e,og}var sg,a0;function mP(){if(a0)return sg;a0=1;function e(t){return{name:"Oracle Rules Language",keywords:{keyword:"BILL_PERIOD BILL_START BILL_STOP RS_EFFECTIVE_START RS_EFFECTIVE_STOP RS_JURIS_CODE RS_OPCO_CODE INTDADDATTRIBUTE|5 INTDADDVMSG|5 INTDBLOCKOP|5 INTDBLOCKOPNA|5 INTDCLOSE|5 INTDCOUNT|5 INTDCOUNTSTATUSCODE|5 INTDCREATEMASK|5 INTDCREATEDAYMASK|5 INTDCREATEFACTORMASK|5 INTDCREATEHANDLE|5 INTDCREATEOVERRIDEDAYMASK|5 INTDCREATEOVERRIDEMASK|5 INTDCREATESTATUSCODEMASK|5 INTDCREATETOUPERIOD|5 INTDDELETE|5 INTDDIPTEST|5 INTDEXPORT|5 INTDGETERRORCODE|5 INTDGETERRORMESSAGE|5 INTDISEQUAL|5 INTDJOIN|5 INTDLOAD|5 INTDLOADACTUALCUT|5 INTDLOADDATES|5 INTDLOADHIST|5 INTDLOADLIST|5 INTDLOADLISTDATES|5 INTDLOADLISTENERGY|5 INTDLOADLISTHIST|5 INTDLOADRELATEDCHANNEL|5 INTDLOADSP|5 INTDLOADSTAGING|5 INTDLOADUOM|5 INTDLOADUOMDATES|5 INTDLOADUOMHIST|5 INTDLOADVERSION|5 INTDOPEN|5 INTDREADFIRST|5 INTDREADNEXT|5 INTDRECCOUNT|5 INTDRELEASE|5 INTDREPLACE|5 INTDROLLAVG|5 INTDROLLPEAK|5 INTDSCALAROP|5 INTDSCALE|5 INTDSETATTRIBUTE|5 INTDSETDSTPARTICIPANT|5 INTDSETSTRING|5 INTDSETVALUE|5 INTDSETVALUESTATUS|5 INTDSHIFTSTARTTIME|5 INTDSMOOTH|5 INTDSORT|5 INTDSPIKETEST|5 INTDSUBSET|5 INTDTOU|5 INTDTOURELEASE|5 INTDTOUVALUE|5 INTDUPDATESTATS|5 INTDVALUE|5 STDEV INTDDELETEEX|5 INTDLOADEXACTUAL|5 INTDLOADEXCUT|5 INTDLOADEXDATES|5 INTDLOADEX|5 INTDLOADEXRELATEDCHANNEL|5 INTDSAVEEX|5 MVLOAD|5 MVLOADACCT|5 MVLOADACCTDATES|5 MVLOADACCTHIST|5 MVLOADDATES|5 MVLOADHIST|5 MVLOADLIST|5 MVLOADLISTDATES|5 MVLOADLISTHIST|5 IF FOR NEXT DONE SELECT END CALL ABORT CLEAR CHANNEL FACTOR LIST NUMBER OVERRIDE SET WEEK DISTRIBUTIONNODE ELSE WHEN THEN OTHERWISE IENUM CSV INCLUDE LEAVE RIDER SAVE DELETE NOVALUE SECTION WARN SAVE_UPDATE DETERMINANT LABEL REPORT REVENUE EACH IN FROM TOTAL CHARGE BLOCK AND OR CSV_FILE RATE_CODE AUXILIARY_DEMAND UIDACCOUNT RS BILL_PERIOD_SELECT HOURS_PER_MONTH INTD_ERROR_STOP SEASON_SCHEDULE_NAME ACCOUNTFACTOR ARRAYUPPERBOUND CALLSTOREDPROC GETADOCONNECTION GETCONNECT GETDATASOURCE GETQUALIFIER GETUSERID HASVALUE LISTCOUNT LISTOP LISTUPDATE LISTVALUE PRORATEFACTOR RSPRORATE SETBINPATH SETDBMONITOR WQ_OPEN BILLINGHOURS DATE DATEFROMFLOAT DATETIMEFROMSTRING DATETIMETOSTRING DATETOFLOAT DAY DAYDIFF DAYNAME DBDATETIME HOUR MINUTE MONTH MONTHDIFF MONTHHOURS MONTHNAME ROUNDDATE SAMEWEEKDAYLASTYEAR SECOND WEEKDAY WEEKDIFF YEAR YEARDAY YEARSTR COMPSUM HISTCOUNT HISTMAX HISTMIN HISTMINNZ HISTVALUE MAXNRANGE MAXRANGE MINRANGE COMPIKVA COMPKVA COMPKVARFROMKQKW COMPLF IDATTR FLAG LF2KW LF2KWH MAXKW POWERFACTOR READING2USAGE AVGSEASON MAXSEASON MONTHLYMERGE SEASONVALUE SUMSEASON ACCTREADDATES ACCTTABLELOAD CONFIGADD CONFIGGET CREATEOBJECT CREATEREPORT EMAILCLIENT EXPBLKMDMUSAGE EXPMDMUSAGE EXPORT_USAGE FACTORINEFFECT GETUSERSPECIFIEDSTOP INEFFECT ISHOLIDAY RUNRATE SAVE_PROFILE SETREPORTTITLE USEREXIT WATFORRUNRATE TO TABLE ACOS ASIN ATAN ATAN2 BITAND CEIL COS COSECANT COSH COTANGENT DIVQUOT DIVREM EXP FABS FLOOR FMOD FREPM FREXPN LOG LOG10 MAX MAXN MIN MINNZ MODF POW ROUND ROUND2VALUE ROUNDINT SECANT SIN SINH SQROOT TAN TANH FLOAT2STRING FLOAT2STRINGNC INSTR LEFT LEN LTRIM MID RIGHT RTRIM STRING STRINGNC TOLOWER TOUPPER TRIM NUMDAYS READ_DATE STAGING",built_in:"IDENTIFIER OPTIONS XML_ELEMENT XML_OP XML_ELEMENT_OF DOMDOCCREATE DOMDOCLOADFILE DOMDOCLOADXML DOMDOCSAVEFILE DOMDOCGETROOT DOMDOCADDPI DOMNODEGETNAME DOMNODEGETTYPE DOMNODEGETVALUE DOMNODEGETCHILDCT DOMNODEGETFIRSTCHILD DOMNODEGETSIBLING DOMNODECREATECHILDELEMENT DOMNODESETATTRIBUTE DOMNODEGETCHILDELEMENTCT DOMNODEGETFIRSTCHILDELEMENT DOMNODEGETSIBLINGELEMENT DOMNODEGETATTRIBUTECT DOMNODEGETATTRIBUTEI DOMNODEGETATTRIBUTEBYNAME DOMNODEGETBYNAME"},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,{className:"literal",variants:[{begin:"#\\s+",relevance:0},{begin:"#[a-zA-Z .]+"}]}]}}return sg=e,sg}var lg,o0;function gP(){if(o0)return lg;o0=1;function e(t){const n=t.regex,r={className:"title.function.invoke",relevance:0,begin:n.concat(/\b/,/(?!let|for|while|if|else|match\b)/,t.IDENT_RE,n.lookahead(/\s*\(/))},a="([ui](8|16|32|64|128|size)|f(32|64))?",o=["abstract","as","async","await","become","box","break","const","continue","crate","do","dyn","else","enum","extern","false","final","fn","for","if","impl","in","let","loop","macro","match","mod","move","mut","override","priv","pub","ref","return","self","Self","static","struct","super","trait","true","try","type","typeof","unsafe","unsized","use","virtual","where","while","yield"],l=["true","false","Some","None","Ok","Err"],u=["drop ","Copy","Send","Sized","Sync","Drop","Fn","FnMut","FnOnce","ToOwned","Clone","Debug","PartialEq","PartialOrd","Eq","Ord","AsRef","AsMut","Into","From","Default","Iterator","Extend","IntoIterator","DoubleEndedIterator","ExactSizeIterator","SliceConcatExt","ToString","assert!","assert_eq!","bitflags!","bytes!","cfg!","col!","concat!","concat_idents!","debug_assert!","debug_assert_eq!","env!","eprintln!","panic!","file!","format!","format_args!","include_bytes!","include_str!","line!","local_data_key!","module_path!","option_env!","print!","println!","select!","stringify!","try!","unimplemented!","unreachable!","vec!","write!","writeln!","macro_rules!","assert_ne!","debug_assert_ne!"],c=["i8","i16","i32","i64","i128","isize","u8","u16","u32","u64","u128","usize","f32","f64","str","char","bool","Box","Option","Result","String","Vec"];return{name:"Rust",aliases:["rs"],keywords:{$pattern:t.IDENT_RE+"!?",type:c,keyword:o,literal:l,built_in:u},illegal:"</",contains:[t.C_LINE_COMMENT_MODE,t.COMMENT("/\\*","\\*/",{contains:["self"]}),t.inherit(t.QUOTE_STRING_MODE,{begin:/b?"/,illegal:null}),{className:"string",variants:[{begin:/b?r(#*)"(.|\n)*?"\1(?!#)/},{begin:/b?'\\?(x\w{2}|u\w{4}|U\w{8}|.)'/}]},{className:"symbol",begin:/'[a-zA-Z_][a-zA-Z0-9_]*/},{className:"number",variants:[{begin:"\\b0b([01_]+)"+a},{begin:"\\b0o([0-7_]+)"+a},{begin:"\\b0x([A-Fa-f0-9_]+)"+a},{begin:"\\b(\\d[\\d_]*(\\.[0-9_]+)?([eE][+-]?[0-9_]+)?)"+a}],relevance:0},{begin:[/fn/,/\s+/,t.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"title.function"}},{className:"meta",begin:"#!?\\[",end:"\\]",contains:[{className:"string",begin:/"/,end:/"/}]},{begin:[/let/,/\s+/,/(?:mut\s+)?/,t.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"keyword",4:"variable"}},{begin:[/for/,/\s+/,t.UNDERSCORE_IDENT_RE,/\s+/,/in/],className:{1:"keyword",3:"variable",5:"keyword"}},{begin:[/type/,/\s+/,t.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"title.class"}},{begin:[/(?:trait|enum|struct|union|impl|for)/,/\s+/,t.UNDERSCORE_IDENT_RE],className:{1:"keyword",3:"title.class"}},{begin:t.IDENT_RE+"::",keywords:{keyword:"Self",built_in:u,type:c}},{className:"punctuation",begin:"->"},r]}}return lg=e,lg}var ug,s0;function hP(){if(s0)return ug;s0=1;function e(t){const n=t.regex,r=["do","if","then","else","end","until","while","abort","array","attrib","by","call","cards","cards4","catname","continue","datalines","datalines4","delete","delim","delimiter","display","dm","drop","endsas","error","file","filename","footnote","format","goto","in","infile","informat","input","keep","label","leave","length","libname","link","list","lostcard","merge","missing","modify","options","output","out","page","put","redirect","remove","rename","replace","retain","return","select","set","skip","startsas","stop","title","update","waitsas","where","window","x|0","systask","add","and","alter","as","cascade","check","create","delete","describe","distinct","drop","foreign","from","group","having","index","insert","into","in","key","like","message","modify","msgtype","not","null","on","or","order","primary","references","reset","restrict","select","set","table","unique","update","validate","view","where"],a=["abs","addr","airy","arcos","arsin","atan","attrc","attrn","band","betainv","blshift","bnot","bor","brshift","bxor","byte","cdf","ceil","cexist","cinv","close","cnonct","collate","compbl","compound","compress","cos","cosh","css","curobs","cv","daccdb","daccdbsl","daccsl","daccsyd","dacctab","dairy","date","datejul","datepart","datetime","day","dclose","depdb","depdbsl","depdbsl","depsl","depsl","depsyd","depsyd","deptab","deptab","dequote","dhms","dif","digamma","dim","dinfo","dnum","dopen","doptname","doptnum","dread","dropnote","dsname","erf","erfc","exist","exp","fappend","fclose","fcol","fdelete","fetch","fetchobs","fexist","fget","fileexist","filename","fileref","finfo","finv","fipname","fipnamel","fipstate","floor","fnonct","fnote","fopen","foptname","foptnum","fpoint","fpos","fput","fread","frewind","frlen","fsep","fuzz","fwrite","gaminv","gamma","getoption","getvarc","getvarn","hbound","hms","hosthelp","hour","ibessel","index","indexc","indexw","input","inputc","inputn","int","intck","intnx","intrr","irr","jbessel","juldate","kurtosis","lag","lbound","left","length","lgamma","libname","libref","log","log10","log2","logpdf","logpmf","logsdf","lowcase","max","mdy","mean","min","minute","mod","month","mopen","mort","n","netpv","nmiss","normal","note","npv","open","ordinal","pathname","pdf","peek","peekc","pmf","point","poisson","poke","probbeta","probbnml","probchi","probf","probgam","probhypr","probit","probnegb","probnorm","probt","put","putc","putn","qtr","quote","ranbin","rancau","ranexp","rangam","range","rank","rannor","ranpoi","rantbl","rantri","ranuni","repeat","resolve","reverse","rewind","right","round","saving","scan","sdf","second","sign","sin","sinh","skewness","soundex","spedis","sqrt","std","stderr","stfips","stname","stnamel","substr","sum","symget","sysget","sysmsg","sysprod","sysrc","system","tan","tanh","time","timepart","tinv","tnonct","today","translate","tranwrd","trigamma","trim","trimn","trunc","uniform","upcase","uss","var","varfmt","varinfmt","varlabel","varlen","varname","varnum","varray","varrayx","vartype","verify","vformat","vformatd","vformatdx","vformatn","vformatnx","vformatw","vformatwx","vformatx","vinarray","vinarrayx","vinformat","vinformatd","vinformatdx","vinformatn","vinformatnx","vinformatw","vinformatwx","vinformatx","vlabel","vlabelx","vlength","vlengthx","vname","vnamex","vtype","vtypex","weekday","year","yyq","zipfips","zipname","zipnamel","zipstate"],o=["bquote","nrbquote","cmpres","qcmpres","compstor","datatyp","display","do","else","end","eval","global","goto","if","index","input","keydef","label","left","length","let","local","lowcase","macro","mend","nrbquote","nrquote","nrstr","put","qcmpres","qleft","qlowcase","qscan","qsubstr","qsysfunc","qtrim","quote","qupcase","scan","str","substr","superq","syscall","sysevalf","sysexec","sysfunc","sysget","syslput","sysprod","sysrc","sysrput","then","to","trim","unquote","until","upcase","verify","while","window"];return{name:"SAS",case_insensitive:!0,keywords:{literal:["null","missing","_all_","_automatic_","_character_","_infile_","_n_","_name_","_null_","_numeric_","_user_","_webout_"],keyword:r},contains:[{className:"keyword",begin:/^\s*(proc [\w\d_]+|data|run|quit)[\s;]/},{className:"variable",begin:/&[a-zA-Z_&][a-zA-Z0-9_]*\.?/},{begin:[/^\s*/,/datalines;|cards;/,/(?:.*\n)+/,/^\s*;\s*$/],className:{2:"keyword",3:"string"}},{begin:[/%mend|%macro/,/\s+/,/[a-zA-Z_&][a-zA-Z0-9_]*/],className:{1:"built_in",3:"title.function"}},{className:"built_in",begin:"%"+n.either(...o)},{className:"title.function",begin:/%[a-zA-Z_][a-zA-Z_0-9]*/},{className:"meta",begin:n.either(...a)+"(?=\\()"},{className:"string",variants:[t.APOS_STRING_MODE,t.QUOTE_STRING_MODE]},t.COMMENT("\\*",";"),t.C_BLOCK_COMMENT_MODE]}}return ug=e,ug}var cg,l0;function EP(){if(l0)return cg;l0=1;function e(t){const n=t.regex,r={className:"meta",begin:"@[A-Za-z]+"},a={className:"subst",variants:[{begin:"\\$[A-Za-z0-9_]+"},{begin:/\$\{/,end:/\}/}]},o={className:"string",variants:[{begin:'"""',end:'"""'},{begin:'"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE]},{begin:'[a-z]+"',end:'"',illegal:"\\n",contains:[t.BACKSLASH_ESCAPE,a]},{className:"string",begin:'[a-z]+"""',end:'"""',contains:[a],relevance:10}]},l={className:"type",begin:"\\b[A-Z][A-Za-z0-9_]*",relevance:0},u={className:"title",begin:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/,relevance:0},c={className:"class",beginKeywords:"class object trait type",end:/[:={\[\n;]/,excludeEnd:!0,contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{beginKeywords:"extends with",relevance:10},{begin:/\[/,end:/\]/,excludeBegin:!0,excludeEnd:!0,relevance:0,contains:[l,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},{className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,relevance:0,contains:[l,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]},u]},d={className:"function",beginKeywords:"def",end:n.lookahead(/[:={\[(\n;]/),contains:[u]},S={begin:[/^\s*/,"extension",/\s+(?=[[(])/],beginScope:{2:"keyword"}},_={begin:[/^\s*/,/end/,/\s+/,/(extension\b)?/],beginScope:{2:"keyword",4:"keyword"}},E=[{match:/\.inline\b/},{begin:/\binline(?=\s)/,keywords:"inline"}],T={begin:[/\(\s*/,/using/,/\s+(?!\))/],beginScope:{2:"keyword"}};return{name:"Scala",keywords:{literal:"true false null",keyword:"type yield lazy override def with val var sealed abstract private trait object if then forSome for while do throw finally protected extends import final return else break new catch super class case package default try this match continue throws implicit export enum given transparent"},contains:[{begin:["//>",/\s+/,/using/,/\s+/,/\S+/],beginScope:{1:"comment",3:"keyword",5:"type"},end:/$/,contains:[{className:"string",begin:/\S+/}]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,o,l,d,c,t.C_NUMBER_MODE,S,_,...E,T,r]}}return cg=e,cg}var dg,u0;function SP(){if(u0)return dg;u0=1;function e(t){const n="[^\\(\\)\\[\\]\\{\\}\",'`;#|\\\\\\s]+",r="(-|\\+)?\\d+([./]\\d+)?",a=r+"[+\\-]"+r+"i",o={$pattern:n,built_in:"case-lambda call/cc class define-class exit-handler field import inherit init-field interface let*-values let-values let/ec mixin opt-lambda override protect provide public rename require require-for-syntax syntax syntax-case syntax-error unit/sig unless when with-syntax and begin call-with-current-continuation call-with-input-file call-with-output-file case cond define define-syntax delay do dynamic-wind else for-each if lambda let let* let-syntax letrec letrec-syntax map or syntax-rules ' * + , ,@ - ... / ; < <= = => > >= ` abs acos angle append apply asin assoc assq assv atan boolean? caar cadr call-with-input-file call-with-output-file call-with-values car cdddar cddddr cdr ceiling char->integer char-alphabetic? char-ci<=? char-ci<? char-ci=? char-ci>=? char-ci>? char-downcase char-lower-case? char-numeric? char-ready? char-upcase char-upper-case? char-whitespace? char<=? char<? char=? char>=? char>? char? close-input-port close-output-port complex? cons cos current-input-port current-output-port denominator display eof-object? eq? equal? eqv? eval even? exact->inexact exact? exp expt floor force gcd imag-part inexact->exact inexact? input-port? integer->char integer? interaction-environment lcm length list list->string list->vector list-ref list-tail list? load log magnitude make-polar make-rectangular make-string make-vector max member memq memv min modulo negative? newline not null-environment null? number->string number? numerator odd? open-input-file open-output-file output-port? pair? peek-char port? positive? procedure? quasiquote quote quotient rational? rationalize read read-char real-part real? remainder reverse round scheme-report-environment set! set-car! set-cdr! sin sqrt string string->list string->number string->symbol string-append string-ci<=? string-ci<? string-ci=? string-ci>=? string-ci>? string-copy string-fill! string-length string-ref string-set! string<=? string<? string=? string>=? string>? string? substring symbol->string symbol? tan transcript-off transcript-on truncate values vector vector->list vector-fill! vector-length vector-ref vector-set! with-input-from-file with-output-to-file write write-char zero?"},l={className:"literal",begin:"(#t|#f|#\\\\"+n+"|#\\\\.)"},u={className:"number",variants:[{begin:r,relevance:0},{begin:a,relevance:0},{begin:"#b[0-1]+(/[0-1]+)?"},{begin:"#o[0-7]+(/[0-7]+)?"},{begin:"#x[0-9a-f]+(/[0-9a-f]+)?"}]},c=t.QUOTE_STRING_MODE,d=[t.COMMENT(";","$",{relevance:0}),t.COMMENT("#\\|","\\|#")],S={begin:n,relevance:0},_={className:"symbol",begin:"'"+n},E={endsWithParent:!0,relevance:0},T={variants:[{begin:/'/},{begin:"`"}],contains:[{begin:"\\(",end:"\\)",contains:["self",l,c,u,S,_]}]},y={className:"name",relevance:0,begin:n,keywords:o},v={variants:[{begin:"\\(",end:"\\)"},{begin:"\\[",end:"\\]"}],contains:[{begin:/lambda/,endsWithParent:!0,returnBegin:!0,contains:[y,{endsParent:!0,variants:[{begin:/\(/,end:/\)/},{begin:/\[/,end:/\]/}],contains:[S]}]},y,E]};return E.contains=[l,u,c,S,_,T,v].concat(d),{name:"Scheme",aliases:["scm"],illegal:/\S/,contains:[t.SHEBANG(),u,c,_,T,v].concat(d)}}return dg=e,dg}var fg,c0;function bP(){if(c0)return fg;c0=1;function e(t){const n=[t.C_NUMBER_MODE,{className:"string",begin:`'|"`,end:`'|"`,contains:[t.BACKSLASH_ESCAPE,{begin:"''"}]}];return{name:"Scilab",aliases:["sci"],keywords:{$pattern:/%?\w+/,keyword:"abort break case clear catch continue do elseif else endfunction end for function global if pause return resume select try then while",literal:"%f %F %t %T %pi %eps %inf %nan %e %i %z %s",built_in:"abs and acos asin atan ceil cd chdir clearglobal cosh cos cumprod deff disp error exec execstr exists exp eye gettext floor fprintf fread fsolve imag isdef isempty isinfisnan isvector lasterror length load linspace list listfiles log10 log2 log max min msprintf mclose mopen ones or pathconvert poly printf prod pwd rand real round sinh sin size gsort sprintf sqrt strcat strcmps tring sum system tanh tan type typename warning zeros matrix"},illegal:'("|#|/\\*|\\s+/\\w+)',contains:[{className:"function",beginKeywords:"function",end:"$",contains:[t.UNDERSCORE_TITLE_MODE,{className:"params",begin:"\\(",end:"\\)"}]},{begin:"[a-zA-Z_][a-zA-Z_0-9]*[\\.']+",relevance:0},{begin:"\\[",end:"\\][\\.']*",relevance:0,contains:n},t.COMMENT("//","$")].concat(n)}}return fg=e,fg}var pg,d0;function vP(){if(d0)return pg;d0=1;const e=u=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:u.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[u.APOS_STRING_MODE,u.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:u.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z_][A-Za-z0-9_-]*/}}),t=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],n=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],r=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],a=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],o=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","caret-color","clear","clip","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","grid-row-start","grid-template","grid-template-areas","grid-template-columns","grid-template-rows","hanging-punctuation","height","hyphens","icon","image-orientation","image-rendering","image-resolution","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse();function l(u){const c=e(u),d=a,S=r,_="@[a-z-]+",E="and or not only",y={className:"variable",begin:"(\\$"+"[a-zA-Z-][a-zA-Z0-9_-]*"+")\\b",relevance:0};return{name:"SCSS",case_insensitive:!0,illegal:"[=/|']",contains:[u.C_LINE_COMMENT_MODE,u.C_BLOCK_COMMENT_MODE,c.CSS_NUMBER_MODE,{className:"selector-id",begin:"#[A-Za-z0-9_-]+",relevance:0},{className:"selector-class",begin:"\\.[A-Za-z0-9_-]+",relevance:0},c.ATTRIBUTE_SELECTOR_MODE,{className:"selector-tag",begin:"\\b("+t.join("|")+")\\b",relevance:0},{className:"selector-pseudo",begin:":("+S.join("|")+")"},{className:"selector-pseudo",begin:":(:)?("+d.join("|")+")"},y,{begin:/\(/,end:/\)/,contains:[c.CSS_NUMBER_MODE]},c.CSS_VARIABLE,{className:"attribute",begin:"\\b("+o.join("|")+")\\b"},{begin:"\\b(whitespace|wait|w-resize|visible|vertical-text|vertical-ideographic|uppercase|upper-roman|upper-alpha|underline|transparent|top|thin|thick|text|text-top|text-bottom|tb-rl|table-header-group|table-footer-group|sw-resize|super|strict|static|square|solid|small-caps|separate|se-resize|scroll|s-resize|rtl|row-resize|ridge|right|repeat|repeat-y|repeat-x|relative|progress|pointer|overline|outside|outset|oblique|nowrap|not-allowed|normal|none|nw-resize|no-repeat|no-drop|newspaper|ne-resize|n-resize|move|middle|medium|ltr|lr-tb|lowercase|lower-roman|lower-alpha|loose|list-item|line|line-through|line-edge|lighter|left|keep-all|justify|italic|inter-word|inter-ideograph|inside|inset|inline|inline-block|inherit|inactive|ideograph-space|ideograph-parenthesis|ideograph-numeric|ideograph-alpha|horizontal|hidden|help|hand|groove|fixed|ellipsis|e-resize|double|dotted|distribute|distribute-space|distribute-letter|distribute-all-lines|disc|disabled|default|decimal|dashed|crosshair|collapse|col-resize|circle|char|center|capitalize|break-word|break-all|bottom|both|bolder|bold|block|bidi-override|below|baseline|auto|always|all-scroll|absolute|table|table-cell)\\b"},{begin:/:/,end:/[;}{]/,relevance:0,contains:[c.BLOCK_COMMENT,y,c.HEXCOLOR,c.CSS_NUMBER_MODE,u.QUOTE_STRING_MODE,u.APOS_STRING_MODE,c.IMPORTANT,c.FUNCTION_DISPATCH]},{begin:"@(page|font-face)",keywords:{$pattern:_,keyword:"@page @font-face"}},{begin:"@",end:"[{;]",returnBegin:!0,keywords:{$pattern:/[a-z-]+/,keyword:E,attribute:n.join(" ")},contains:[{begin:_,className:"keyword"},{begin:/[a-z-]+(?=:)/,className:"attribute"},y,u.QUOTE_STRING_MODE,u.APOS_STRING_MODE,c.HEXCOLOR,c.CSS_NUMBER_MODE]},c.FUNCTION_DISPATCH]}}return pg=l,pg}var _g,f0;function TP(){if(f0)return _g;f0=1;function e(t){return{name:"Shell Session",aliases:["console","shellsession"],contains:[{className:"meta.prompt",begin:/^\s{0,3}[/~\w\d[\]()@-]*[>%$#][ ]?/,starts:{end:/[^\\](?=\s*$)/,subLanguage:"bash"}}]}}return _g=e,_g}var mg,p0;function yP(){if(p0)return mg;p0=1;function e(t){const n=["add","and","cmp","cmpg","cmpl","const","div","double","float","goto","if","int","long","move","mul","neg","new","nop","not","or","rem","return","shl","shr","sput","sub","throw","ushr","xor"],r=["aget","aput","array","check","execute","fill","filled","goto/16","goto/32","iget","instance","invoke","iput","monitor","packed","sget","sparse"],a=["transient","constructor","abstract","final","synthetic","public","private","protected","static","bridge","system"];return{name:"Smali",contains:[{className:"string",begin:'"',end:'"',relevance:0},t.COMMENT("#","$",{relevance:0}),{className:"keyword",variants:[{begin:"\\s*\\.end\\s[a-zA-Z0-9]*"},{begin:"^[ ]*\\.[a-zA-Z]*",relevance:0},{begin:"\\s:[a-zA-Z_0-9]*",relevance:0},{begin:"\\s("+a.join("|")+")"}]},{className:"built_in",variants:[{begin:"\\s("+n.join("|")+")\\s"},{begin:"\\s("+n.join("|")+")((-|/)[a-zA-Z0-9]+)+\\s",relevance:10},{begin:"\\s("+r.join("|")+")((-|/)[a-zA-Z0-9]+)*\\s",relevance:10}]},{className:"class",begin:`L[^(;:
+]*;`,relevance:0},{begin:"[vp][0-9]+"}]}}return mg=e,mg}var gg,_0;function CP(){if(_0)return gg;_0=1;function e(t){const n="[a-z][a-zA-Z0-9_]*",r={className:"string",begin:"\\$.{1}"},a={className:"symbol",begin:"#"+t.UNDERSCORE_IDENT_RE};return{name:"Smalltalk",aliases:["st"],keywords:["self","super","nil","true","false","thisContext"],contains:[t.COMMENT('"','"'),t.APOS_STRING_MODE,{className:"type",begin:"\\b[A-Z][A-Za-z0-9_]*",relevance:0},{begin:n+":",relevance:0},t.C_NUMBER_MODE,a,r,{begin:"\\|[ ]*"+n+"([ ]+"+n+")*[ ]*\\|",returnBegin:!0,end:/\|/,illegal:/\S/,contains:[{begin:"(\\|[ ]*)?"+n}]},{begin:"#\\(",end:"\\)",contains:[t.APOS_STRING_MODE,r,t.C_NUMBER_MODE,a]}]}}return gg=e,gg}var hg,m0;function AP(){if(m0)return hg;m0=1;function e(t){return{name:"SML (Standard ML)",aliases:["ml"],keywords:{$pattern:"[a-z_]\\w*!?",keyword:"abstype and andalso as case datatype do else end eqtype exception fn fun functor handle if in include infix infixr let local nonfix of op open orelse raise rec sharing sig signature struct structure then type val with withtype where while",built_in:"array bool char exn int list option order real ref string substring vector unit word",literal:"true false NONE SOME LESS EQUAL GREATER nil"},illegal:/\/\/|>>/,contains:[{className:"literal",begin:/\[(\|\|)?\]|\(\)/,relevance:0},t.COMMENT("\\(\\*","\\*\\)",{contains:["self"]}),{className:"symbol",begin:"'[A-Za-z_](?!')[\\w']*"},{className:"type",begin:"`[A-Z][\\w']*"},{className:"type",begin:"\\b[A-Z][\\w']*",relevance:0},{begin:"[a-z_]\\w*'[\\w']*"},t.inherit(t.APOS_STRING_MODE,{className:"string",relevance:0}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{className:"number",begin:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",relevance:0},{begin:/[-=]>/}]}}return hg=e,hg}var Eg,g0;function OP(){if(g0)return Eg;g0=1;function e(t){const n={className:"variable",begin:/\b_+[a-zA-Z]\w*/},r={className:"title",begin:/[a-zA-Z][a-zA-Z_0-9]*_fnc_[a-zA-Z_0-9]+/},a={className:"string",variants:[{begin:'"',end:'"',contains:[{begin:'""',relevance:0}]},{begin:"'",end:"'",contains:[{begin:"''",relevance:0}]}]},o=["break","breakWith","breakOut","breakTo","case","catch","continue","continueWith","default","do","else","exit","exitWith","for","forEach","from","if","local","private","switch","step","then","throw","to","try","waitUntil","while","with"],l=["blufor","civilian","configNull","controlNull","displayNull","diaryRecordNull","east","endl","false","grpNull","independent","lineBreak","locationNull","nil","objNull","opfor","pi","resistance","scriptNull","sideAmbientLife","sideEmpty","sideEnemy","sideFriendly","sideLogic","sideUnknown","taskNull","teamMemberNull","true","west"],u=["abs","accTime","acos","action","actionIDs","actionKeys","actionKeysEx","actionKeysImages","actionKeysNames","actionKeysNamesArray","actionName","actionParams","activateAddons","activatedAddons","activateKey","activeTitleEffectParams","add3DENConnection","add3DENEventHandler","add3DENLayer","addAction","addBackpack","addBackpackCargo","addBackpackCargoGlobal","addBackpackGlobal","addBinocularItem","addCamShake","addCuratorAddons","addCuratorCameraArea","addCuratorEditableObjects","addCuratorEditingArea","addCuratorPoints","addEditorObject","addEventHandler","addForce","addForceGeneratorRTD","addGoggles","addGroupIcon","addHandgunItem","addHeadgear","addItem","addItemCargo","addItemCargoGlobal","addItemPool","addItemToBackpack","addItemToUniform","addItemToVest","addLiveStats","addMagazine","addMagazineAmmoCargo","addMagazineCargo","addMagazineCargoGlobal","addMagazineGlobal","addMagazinePool","addMagazines","addMagazineTurret","addMenu","addMenuItem","addMissionEventHandler","addMPEventHandler","addMusicEventHandler","addonFiles","addOwnedMine","addPlayerScores","addPrimaryWeaponItem","addPublicVariableEventHandler","addRating","addResources","addScore","addScoreSide","addSecondaryWeaponItem","addSwitchableUnit","addTeamMember","addToRemainsCollector","addTorque","addUniform","addUserActionEventHandler","addVehicle","addVest","addWaypoint","addWeapon","addWeaponCargo","addWeaponCargoGlobal","addWeaponGlobal","addWeaponItem","addWeaponPool","addWeaponTurret","addWeaponWithAttachmentsCargo","addWeaponWithAttachmentsCargoGlobal","admin","agent","agents","AGLToASL","aimedAtTarget","aimPos","airDensityCurveRTD","airDensityRTD","airplaneThrottle","airportSide","AISFinishHeal","alive","all3DENEntities","allActiveTitleEffects","allAddonsInfo","allAirports","allControls","allCurators","allCutLayers","allDead","allDeadMen","allDiaryRecords","allDiarySubjects","allDisplays","allEnv3DSoundSources","allGroups","allLODs","allMapMarkers","allMines","allMissionObjects","allObjects","allow3DMode","allowCrewInImmobile","allowCuratorLogicIgnoreAreas","allowDamage","allowDammage","allowedService","allowFileOperations","allowFleeing","allowGetIn","allowService","allowSprint","allPlayers","allSimpleObjects","allSites","allTurrets","allUnits","allUnitsUAV","allUsers","allVariables","ambientTemperature","ammo","ammoOnPylon","and","animate","animateBay","animateDoor","animatePylon","animateSource","animationNames","animationPhase","animationSourcePhase","animationState","apertureParams","append","apply","armoryPoints","arrayIntersect","asin","ASLToAGL","ASLToATL","assert","assignAsCargo","assignAsCargoIndex","assignAsCommander","assignAsDriver","assignAsGunner","assignAsTurret","assignCurator","assignedCargo","assignedCommander","assignedDriver","assignedGroup","assignedGunner","assignedItems","assignedTarget","assignedTeam","assignedVehicle","assignedVehicleRole","assignedVehicles","assignItem","assignTeam","assignToAirport","atan","atan2","atg","ATLToASL","attachedObject","attachedObjects","attachedTo","attachObject","attachTo","attackEnabled","awake","backpack","backpackCargo","backpackContainer","backpackItems","backpackMagazines","backpackSpaceFor","behaviour","benchmark","bezierInterpolation","binocular","binocularItems","binocularMagazine","boundingBox","boundingBoxReal","boundingCenter","brakesDisabled","briefingName","buildingExit","buildingPos","buldozer_EnableRoadDiag","buldozer_IsEnabledRoadDiag","buldozer_LoadNewRoads","buldozer_reloadOperMap","buttonAction","buttonSetAction","cadetMode","calculatePath","calculatePlayerVisibilityByFriendly","call","callExtension","camCommand","camCommit","camCommitPrepared","camCommitted","camConstuctionSetParams","camCreate","camDestroy","cameraEffect","cameraEffectEnableHUD","cameraInterest","cameraOn","cameraView","campaignConfigFile","camPreload","camPreloaded","camPrepareBank","camPrepareDir","camPrepareDive","camPrepareFocus","camPrepareFov","camPrepareFovRange","camPreparePos","camPrepareRelPos","camPrepareTarget","camSetBank","camSetDir","camSetDive","camSetFocus","camSetFov","camSetFovRange","camSetPos","camSetRelPos","camSetTarget","camTarget","camUseNVG","canAdd","canAddItemToBackpack","canAddItemToUniform","canAddItemToVest","cancelSimpleTaskDestination","canDeployWeapon","canFire","canMove","canSlingLoad","canStand","canSuspend","canTriggerDynamicSimulation","canUnloadInCombat","canVehicleCargo","captive","captiveNum","cbChecked","cbSetChecked","ceil","channelEnabled","cheatsEnabled","checkAIFeature","checkVisibility","className","clear3DENAttribute","clear3DENInventory","clearAllItemsFromBackpack","clearBackpackCargo","clearBackpackCargoGlobal","clearForcesRTD","clearGroupIcons","clearItemCargo","clearItemCargoGlobal","clearItemPool","clearMagazineCargo","clearMagazineCargoGlobal","clearMagazinePool","clearOverlay","clearRadio","clearWeaponCargo","clearWeaponCargoGlobal","clearWeaponPool","clientOwner","closeDialog","closeDisplay","closeOverlay","collapseObjectTree","collect3DENHistory","collectiveRTD","collisionDisabledWith","combatBehaviour","combatMode","commandArtilleryFire","commandChat","commander","commandFire","commandFollow","commandFSM","commandGetOut","commandingMenu","commandMove","commandRadio","commandStop","commandSuppressiveFire","commandTarget","commandWatch","comment","commitOverlay","compatibleItems","compatibleMagazines","compile","compileFinal","compileScript","completedFSM","composeText","configClasses","configFile","configHierarchy","configName","configOf","configProperties","configSourceAddonList","configSourceMod","configSourceModList","confirmSensorTarget","connectTerminalToUAV","connectToServer","controlsGroupCtrl","conversationDisabled","copyFromClipboard","copyToClipboard","copyWaypoints","cos","count","countEnemy","countFriendly","countSide","countType","countUnknown","create3DENComposition","create3DENEntity","createAgent","createCenter","createDialog","createDiaryLink","createDiaryRecord","createDiarySubject","createDisplay","createGearDialog","createGroup","createGuardedPoint","createHashMap","createHashMapFromArray","createLocation","createMarker","createMarkerLocal","createMenu","createMine","createMissionDisplay","createMPCampaignDisplay","createSimpleObject","createSimpleTask","createSite","createSoundSource","createTask","createTeam","createTrigger","createUnit","createVehicle","createVehicleCrew","createVehicleLocal","crew","ctAddHeader","ctAddRow","ctClear","ctCurSel","ctData","ctFindHeaderRows","ctFindRowHeader","ctHeaderControls","ctHeaderCount","ctRemoveHeaders","ctRemoveRows","ctrlActivate","ctrlAddEventHandler","ctrlAngle","ctrlAnimateModel","ctrlAnimationPhaseModel","ctrlAt","ctrlAutoScrollDelay","ctrlAutoScrollRewind","ctrlAutoScrollSpeed","ctrlBackgroundColor","ctrlChecked","ctrlClassName","ctrlCommit","ctrlCommitted","ctrlCreate","ctrlDelete","ctrlEnable","ctrlEnabled","ctrlFade","ctrlFontHeight","ctrlForegroundColor","ctrlHTMLLoaded","ctrlIDC","ctrlIDD","ctrlMapAnimAdd","ctrlMapAnimClear","ctrlMapAnimCommit","ctrlMapAnimDone","ctrlMapCursor","ctrlMapMouseOver","ctrlMapPosition","ctrlMapScale","ctrlMapScreenToWorld","ctrlMapSetPosition","ctrlMapWorldToScreen","ctrlModel","ctrlModelDirAndUp","ctrlModelScale","ctrlMousePosition","ctrlParent","ctrlParentControlsGroup","ctrlPosition","ctrlRemoveAllEventHandlers","ctrlRemoveEventHandler","ctrlScale","ctrlScrollValues","ctrlSetActiveColor","ctrlSetAngle","ctrlSetAutoScrollDelay","ctrlSetAutoScrollRewind","ctrlSetAutoScrollSpeed","ctrlSetBackgroundColor","ctrlSetChecked","ctrlSetDisabledColor","ctrlSetEventHandler","ctrlSetFade","ctrlSetFocus","ctrlSetFont","ctrlSetFontH1","ctrlSetFontH1B","ctrlSetFontH2","ctrlSetFontH2B","ctrlSetFontH3","ctrlSetFontH3B","ctrlSetFontH4","ctrlSetFontH4B","ctrlSetFontH5","ctrlSetFontH5B","ctrlSetFontH6","ctrlSetFontH6B","ctrlSetFontHeight","ctrlSetFontHeightH1","ctrlSetFontHeightH2","ctrlSetFontHeightH3","ctrlSetFontHeightH4","ctrlSetFontHeightH5","ctrlSetFontHeightH6","ctrlSetFontHeightSecondary","ctrlSetFontP","ctrlSetFontPB","ctrlSetFontSecondary","ctrlSetForegroundColor","ctrlSetModel","ctrlSetModelDirAndUp","ctrlSetModelScale","ctrlSetMousePosition","ctrlSetPixelPrecision","ctrlSetPosition","ctrlSetPositionH","ctrlSetPositionW","ctrlSetPositionX","ctrlSetPositionY","ctrlSetScale","ctrlSetScrollValues","ctrlSetShadow","ctrlSetStructuredText","ctrlSetText","ctrlSetTextColor","ctrlSetTextColorSecondary","ctrlSetTextSecondary","ctrlSetTextSelection","ctrlSetTooltip","ctrlSetTooltipColorBox","ctrlSetTooltipColorShade","ctrlSetTooltipColorText","ctrlSetTooltipMaxWidth","ctrlSetURL","ctrlSetURLOverlayMode","ctrlShadow","ctrlShow","ctrlShown","ctrlStyle","ctrlText","ctrlTextColor","ctrlTextHeight","ctrlTextSecondary","ctrlTextSelection","ctrlTextWidth","ctrlTooltip","ctrlType","ctrlURL","ctrlURLOverlayMode","ctrlVisible","ctRowControls","ctRowCount","ctSetCurSel","ctSetData","ctSetHeaderTemplate","ctSetRowTemplate","ctSetValue","ctValue","curatorAddons","curatorCamera","curatorCameraArea","curatorCameraAreaCeiling","curatorCoef","curatorEditableObjects","curatorEditingArea","curatorEditingAreaType","curatorMouseOver","curatorPoints","curatorRegisteredObjects","curatorSelected","curatorWaypointCost","current3DENOperation","currentChannel","currentCommand","currentMagazine","currentMagazineDetail","currentMagazineDetailTurret","currentMagazineTurret","currentMuzzle","currentNamespace","currentPilot","currentTask","currentTasks","currentThrowable","currentVisionMode","currentWaypoint","currentWeapon","currentWeaponMode","currentWeaponTurret","currentZeroing","cursorObject","cursorTarget","customChat","customRadio","customWaypointPosition","cutFadeOut","cutObj","cutRsc","cutText","damage","date","dateToNumber","dayTime","deActivateKey","debriefingText","debugFSM","debugLog","decayGraphValues","deg","delete3DENEntities","deleteAt","deleteCenter","deleteCollection","deleteEditorObject","deleteGroup","deleteGroupWhenEmpty","deleteIdentity","deleteLocation","deleteMarker","deleteMarkerLocal","deleteRange","deleteResources","deleteSite","deleteStatus","deleteTeam","deleteVehicle","deleteVehicleCrew","deleteWaypoint","detach","detectedMines","diag_activeMissionFSMs","diag_activeScripts","diag_activeSQFScripts","diag_activeSQSScripts","diag_allMissionEventHandlers","diag_captureFrame","diag_captureFrameToFile","diag_captureSlowFrame","diag_codePerformance","diag_deltaTime","diag_drawmode","diag_dumpCalltraceToLog","diag_dumpScriptAssembly","diag_dumpTerrainSynth","diag_dynamicSimulationEnd","diag_enable","diag_enabled","diag_exportConfig","diag_exportTerrainSVG","diag_fps","diag_fpsmin","diag_frameno","diag_getTerrainSegmentOffset","diag_lightNewLoad","diag_list","diag_localized","diag_log","diag_logSlowFrame","diag_mergeConfigFile","diag_recordTurretLimits","diag_resetFSM","diag_resetshapes","diag_scope","diag_setLightNew","diag_stacktrace","diag_tickTime","diag_toggle","dialog","diarySubjectExists","didJIP","didJIPOwner","difficulty","difficultyEnabled","difficultyEnabledRTD","difficultyOption","direction","directionStabilizationEnabled","directSay","disableAI","disableBrakes","disableCollisionWith","disableConversation","disableDebriefingStats","disableMapIndicators","disableNVGEquipment","disableRemoteSensors","disableSerialization","disableTIEquipment","disableUAVConnectability","disableUserInput","displayAddEventHandler","displayChild","displayCtrl","displayParent","displayRemoveAllEventHandlers","displayRemoveEventHandler","displaySetEventHandler","displayUniqueName","displayUpdate","dissolveTeam","distance","distance2D","distanceSqr","distributionRegion","do3DENAction","doArtilleryFire","doFire","doFollow","doFSM","doGetOut","doMove","doorPhase","doStop","doSuppressiveFire","doTarget","doWatch","drawArrow","drawEllipse","drawIcon","drawIcon3D","drawLaser","drawLine","drawLine3D","drawLink","drawLocation","drawPolygon","drawRectangle","drawTriangle","driver","drop","dynamicSimulationDistance","dynamicSimulationDistanceCoef","dynamicSimulationEnabled","dynamicSimulationSystemEnabled","echo","edit3DENMissionAttributes","editObject","editorSetEventHandler","effectiveCommander","elevatePeriscope","emptyPositions","enableAI","enableAIFeature","enableAimPrecision","enableAttack","enableAudioFeature","enableAutoStartUpRTD","enableAutoTrimRTD","enableCamShake","enableCaustics","enableChannel","enableCollisionWith","enableCopilot","enableDebriefingStats","enableDiagLegend","enableDirectionStabilization","enableDynamicSimulation","enableDynamicSimulationSystem","enableEndDialog","enableEngineArtillery","enableEnvironment","enableFatigue","enableGunLights","enableInfoPanelComponent","enableIRLasers","enableMimics","enablePersonTurret","enableRadio","enableReload","enableRopeAttach","enableSatNormalOnDetail","enableSaving","enableSentences","enableSimulation","enableSimulationGlobal","enableStamina","enableStressDamage","enableTeamSwitch","enableTraffic","enableUAVConnectability","enableUAVWaypoints","enableVehicleCargo","enableVehicleSensor","enableWeaponDisassembly","endLoadingScreen","endMission","engineOn","enginesIsOnRTD","enginesPowerRTD","enginesRpmRTD","enginesTorqueRTD","entities","environmentEnabled","environmentVolume","equipmentDisabled","estimatedEndServerTime","estimatedTimeLeft","evalObjectArgument","everyBackpack","everyContainer","exec","execEditorScript","execFSM","execVM","exp","expectedDestination","exportJIPMessages","eyeDirection","eyePos","face","faction","fadeEnvironment","fadeMusic","fadeRadio","fadeSound","fadeSpeech","failMission","fileExists","fillWeaponsFromPool","find","findAny","findCover","findDisplay","findEditorObject","findEmptyPosition","findEmptyPositionReady","findIf","findNearestEnemy","finishMissionInit","finite","fire","fireAtTarget","firstBackpack","flag","flagAnimationPhase","flagOwner","flagSide","flagTexture","flatten","fleeing","floor","flyInHeight","flyInHeightASL","focusedCtrl","fog","fogForecast","fogParams","forceAddUniform","forceAtPositionRTD","forceCadetDifficulty","forcedMap","forceEnd","forceFlagTexture","forceFollowRoad","forceGeneratorRTD","forceMap","forceRespawn","forceSpeed","forceUnicode","forceWalk","forceWeaponFire","forceWeatherChange","forEachMember","forEachMemberAgent","forEachMemberTeam","forgetTarget","format","formation","formationDirection","formationLeader","formationMembers","formationPosition","formationTask","formatText","formLeader","freeExtension","freeLook","fromEditor","fuel","fullCrew","gearIDCAmmoCount","gearSlotAmmoCount","gearSlotData","gestureState","get","get3DENActionState","get3DENAttribute","get3DENCamera","get3DENConnections","get3DENEntity","get3DENEntityID","get3DENGrid","get3DENIconsVisible","get3DENLayerEntities","get3DENLinesVisible","get3DENMissionAttribute","get3DENMouseOver","get3DENSelected","getAimingCoef","getAllEnv3DSoundControllers","getAllEnvSoundControllers","getAllHitPointsDamage","getAllOwnedMines","getAllPylonsInfo","getAllSoundControllers","getAllUnitTraits","getAmmoCargo","getAnimAimPrecision","getAnimSpeedCoef","getArray","getArtilleryAmmo","getArtilleryComputerSettings","getArtilleryETA","getAssetDLCInfo","getAssignedCuratorLogic","getAssignedCuratorUnit","getAttackTarget","getAudioOptionVolumes","getBackpackCargo","getBleedingRemaining","getBurningValue","getCalculatePlayerVisibilityByFriendly","getCameraViewDirection","getCargoIndex","getCenterOfMass","getClientState","getClientStateNumber","getCompatiblePylonMagazines","getConnectedUAV","getConnectedUAVUnit","getContainerMaxLoad","getCorpse","getCruiseControl","getCursorObjectParams","getCustomAimCoef","getCustomSoundController","getCustomSoundControllerCount","getDammage","getDebriefingText","getDescription","getDir","getDirVisual","getDiverState","getDLCAssetsUsage","getDLCAssetsUsageByName","getDLCs","getDLCUsageTime","getEditorCamera","getEditorMode","getEditorObjectScope","getElevationOffset","getEngineTargetRPMRTD","getEnv3DSoundController","getEnvSoundController","getEventHandlerInfo","getFatigue","getFieldManualStartPage","getForcedFlagTexture","getForcedSpeed","getFriend","getFSMVariable","getFuelCargo","getGraphValues","getGroupIcon","getGroupIconParams","getGroupIcons","getHideFrom","getHit","getHitIndex","getHitPointDamage","getItemCargo","getLighting","getLightingAt","getLoadedModsInfo","getMagazineCargo","getMarkerColor","getMarkerPos","getMarkerSize","getMarkerType","getMass","getMissionConfig","getMissionConfigValue","getMissionDLCs","getMissionLayerEntities","getMissionLayers","getMissionPath","getModelInfo","getMousePosition","getMusicPlayedTime","getNumber","getObjectArgument","getObjectChildren","getObjectDLC","getObjectFOV","getObjectID","getObjectMaterials","getObjectProxy","getObjectScale","getObjectTextures","getObjectType","getObjectViewDistance","getOpticsMode","getOrDefault","getOrDefaultCall","getOxygenRemaining","getPersonUsedDLCs","getPilotCameraDirection","getPilotCameraPosition","getPilotCameraRotation","getPilotCameraTarget","getPiPViewDistance","getPlateNumber","getPlayerChannel","getPlayerID","getPlayerScores","getPlayerUID","getPlayerVoNVolume","getPos","getPosASL","getPosASLVisual","getPosASLW","getPosATL","getPosATLVisual","getPosVisual","getPosWorld","getPosWorldVisual","getPylonMagazines","getRelDir","getRelPos","getRemoteSensorsDisabled","getRepairCargo","getResolution","getRoadInfo","getRotorBrakeRTD","getSensorTargets","getSensorThreats","getShadowDistance","getShotParents","getSlingLoad","getSoundController","getSoundControllerResult","getSpeed","getStamina","getStatValue","getSteamFriendsServers","getSubtitleOptions","getSuppression","getTerrainGrid","getTerrainHeight","getTerrainHeightASL","getTerrainInfo","getText","getTextRaw","getTextureInfo","getTextWidth","getTiParameters","getTotalDLCUsageTime","getTrimOffsetRTD","getTurretLimits","getTurretOpticsMode","getUnitFreefallInfo","getUnitLoadout","getUnitTrait","getUnloadInCombat","getUserInfo","getUserMFDText","getUserMFDValue","getVariable","getVehicleCargo","getVehicleTiPars","getWeaponCargo","getWeaponSway","getWingsOrientationRTD","getWingsPositionRTD","getWPPos","glanceAt","globalChat","globalRadio","goggles","goto","group","groupChat","groupFromNetId","groupIconSelectable","groupIconsVisible","groupID","groupOwner","groupRadio","groups","groupSelectedUnits","groupSelectUnit","gunner","gusts","halt","handgunItems","handgunMagazine","handgunWeapon","handsHit","hashValue","hasInterface","hasPilotCamera","hasWeapon","hcAllGroups","hcGroupParams","hcLeader","hcRemoveAllGroups","hcRemoveGroup","hcSelected","hcSelectGroup","hcSetGroup","hcShowBar","hcShownBar","headgear","hideBody","hideObject","hideObjectGlobal","hideSelection","hint","hintC","hintCadet","hintSilent","hmd","hostMission","htmlLoad","HUDMovementLevels","humidity","image","importAllGroups","importance","in","inArea","inAreaArray","incapacitatedState","inflame","inflamed","infoPanel","infoPanelComponentEnabled","infoPanelComponents","infoPanels","inGameUISetEventHandler","inheritsFrom","initAmbientLife","inPolygon","inputAction","inputController","inputMouse","inRangeOfArtillery","insert","insertEditorObject","intersect","is3DEN","is3DENMultiplayer","is3DENPreview","isAbleToBreathe","isActionMenuVisible","isAgent","isAimPrecisionEnabled","isAllowedCrewInImmobile","isArray","isAutoHoverOn","isAutonomous","isAutoStartUpEnabledRTD","isAutotest","isAutoTrimOnRTD","isAwake","isBleeding","isBurning","isClass","isCollisionLightOn","isCopilotEnabled","isDamageAllowed","isDedicated","isDLCAvailable","isEngineOn","isEqualRef","isEqualTo","isEqualType","isEqualTypeAll","isEqualTypeAny","isEqualTypeArray","isEqualTypeParams","isFilePatchingEnabled","isFinal","isFlashlightOn","isFlatEmpty","isForcedWalk","isFormationLeader","isGameFocused","isGamePaused","isGroupDeletedWhenEmpty","isHidden","isInRemainsCollector","isInstructorFigureEnabled","isIRLaserOn","isKeyActive","isKindOf","isLaserOn","isLightOn","isLocalized","isManualFire","isMarkedForCollection","isMissionProfileNamespaceLoaded","isMultiplayer","isMultiplayerSolo","isNil","isNotEqualRef","isNotEqualTo","isNull","isNumber","isObjectHidden","isObjectRTD","isOnRoad","isPiPEnabled","isPlayer","isRealTime","isRemoteExecuted","isRemoteExecutedJIP","isSaving","isSensorTargetConfirmed","isServer","isShowing3DIcons","isSimpleObject","isSprintAllowed","isStaminaEnabled","isSteamMission","isSteamOverlayEnabled","isStreamFriendlyUIEnabled","isStressDamageEnabled","isText","isTouchingGround","isTurnedOut","isTutHintsEnabled","isUAVConnectable","isUAVConnected","isUIContext","isUniformAllowed","isVehicleCargo","isVehicleRadarOn","isVehicleSensorEnabled","isWalking","isWeaponDeployed","isWeaponRested","itemCargo","items","itemsWithMagazines","join","joinAs","joinAsSilent","joinSilent","joinString","kbAddDatabase","kbAddDatabaseTargets","kbAddTopic","kbHasTopic","kbReact","kbRemoveTopic","kbTell","kbWasSaid","keyImage","keyName","keys","knowsAbout","land","landAt","landResult","language","laserTarget","lbAdd","lbClear","lbColor","lbColorRight","lbCurSel","lbData","lbDelete","lbIsSelected","lbPicture","lbPictureRight","lbSelection","lbSetColor","lbSetColorRight","lbSetCurSel","lbSetData","lbSetPicture","lbSetPictureColor","lbSetPictureColorDisabled","lbSetPictureColorSelected","lbSetPictureRight","lbSetPictureRightColor","lbSetPictureRightColorDisabled","lbSetPictureRightColorSelected","lbSetSelectColor","lbSetSelectColorRight","lbSetSelected","lbSetText","lbSetTextRight","lbSetTooltip","lbSetValue","lbSize","lbSort","lbSortBy","lbSortByValue","lbText","lbTextRight","lbTooltip","lbValue","leader","leaderboardDeInit","leaderboardGetRows","leaderboardInit","leaderboardRequestRowsFriends","leaderboardRequestRowsGlobal","leaderboardRequestRowsGlobalAroundUser","leaderboardsRequestUploadScore","leaderboardsRequestUploadScoreKeepBest","leaderboardState","leaveVehicle","libraryCredits","libraryDisclaimers","lifeState","lightAttachObject","lightDetachObject","lightIsOn","lightnings","limitSpeed","linearConversion","lineIntersects","lineIntersectsObjs","lineIntersectsSurfaces","lineIntersectsWith","linkItem","list","listObjects","listRemoteTargets","listVehicleSensors","ln","lnbAddArray","lnbAddColumn","lnbAddRow","lnbClear","lnbColor","lnbColorRight","lnbCurSelRow","lnbData","lnbDeleteColumn","lnbDeleteRow","lnbGetColumnsPosition","lnbPicture","lnbPictureRight","lnbSetColor","lnbSetColorRight","lnbSetColumnsPos","lnbSetCurSelRow","lnbSetData","lnbSetPicture","lnbSetPictureColor","lnbSetPictureColorRight","lnbSetPictureColorSelected","lnbSetPictureColorSelectedRight","lnbSetPictureRight","lnbSetText","lnbSetTextRight","lnbSetTooltip","lnbSetValue","lnbSize","lnbSort","lnbSortBy","lnbSortByValue","lnbText","lnbTextRight","lnbValue","load","loadAbs","loadBackpack","loadConfig","loadFile","loadGame","loadIdentity","loadMagazine","loadOverlay","loadStatus","loadUniform","loadVest","localize","localNamespace","locationPosition","lock","lockCameraTo","lockCargo","lockDriver","locked","lockedCameraTo","lockedCargo","lockedDriver","lockedInventory","lockedTurret","lockIdentity","lockInventory","lockTurret","lockWp","log","logEntities","logNetwork","logNetworkTerminate","lookAt","lookAtPos","magazineCargo","magazines","magazinesAllTurrets","magazinesAmmo","magazinesAmmoCargo","magazinesAmmoFull","magazinesDetail","magazinesDetailBackpack","magazinesDetailUniform","magazinesDetailVest","magazinesTurret","magazineTurretAmmo","mapAnimAdd","mapAnimClear","mapAnimCommit","mapAnimDone","mapCenterOnCamera","mapGridPosition","markAsFinishedOnSteam","markerAlpha","markerBrush","markerChannel","markerColor","markerDir","markerPolyline","markerPos","markerShadow","markerShape","markerSize","markerText","markerType","matrixMultiply","matrixTranspose","max","maxLoad","members","menuAction","menuAdd","menuChecked","menuClear","menuCollapse","menuData","menuDelete","menuEnable","menuEnabled","menuExpand","menuHover","menuPicture","menuSetAction","menuSetCheck","menuSetData","menuSetPicture","menuSetShortcut","menuSetText","menuSetURL","menuSetValue","menuShortcut","menuShortcutText","menuSize","menuSort","menuText","menuURL","menuValue","merge","min","mineActive","mineDetectedBy","missileTarget","missileTargetPos","missionConfigFile","missionDifficulty","missionEnd","missionName","missionNameSource","missionNamespace","missionProfileNamespace","missionStart","missionVersion","mod","modelToWorld","modelToWorldVisual","modelToWorldVisualWorld","modelToWorldWorld","modParams","moonIntensity","moonPhase","morale","move","move3DENCamera","moveInAny","moveInCargo","moveInCommander","moveInDriver","moveInGunner","moveInTurret","moveObjectToEnd","moveOut","moveTime","moveTo","moveToCompleted","moveToFailed","musicVolume","name","namedProperties","nameSound","nearEntities","nearestBuilding","nearestLocation","nearestLocations","nearestLocationWithDubbing","nearestMines","nearestObject","nearestObjects","nearestTerrainObjects","nearObjects","nearObjectsReady","nearRoads","nearSupplies","nearTargets","needReload","needService","netId","netObjNull","newOverlay","nextMenuItemIndex","nextWeatherChange","nMenuItems","not","numberOfEnginesRTD","numberToDate","objectCurators","objectFromNetId","objectParent","objStatus","onBriefingGroup","onBriefingNotes","onBriefingPlan","onBriefingTeamSwitch","onCommandModeChanged","onDoubleClick","onEachFrame","onGroupIconClick","onGroupIconOverEnter","onGroupIconOverLeave","onHCGroupSelectionChanged","onMapSingleClick","onPlayerConnected","onPlayerDisconnected","onPreloadFinished","onPreloadStarted","onShowNewObject","onTeamSwitch","openCuratorInterface","openDLCPage","openGPS","openMap","openSteamApp","openYoutubeVideo","or","orderGetIn","overcast","overcastForecast","owner","param","params","parseNumber","parseSimpleArray","parseText","parsingNamespace","particlesQuality","periscopeElevation","pickWeaponPool","pitch","pixelGrid","pixelGridBase","pixelGridNoUIScale","pixelH","pixelW","playableSlotsNumber","playableUnits","playAction","playActionNow","player","playerRespawnTime","playerSide","playersNumber","playGesture","playMission","playMove","playMoveNow","playMusic","playScriptedMission","playSound","playSound3D","playSoundUI","pose","position","positionCameraToWorld","posScreenToWorld","posWorldToScreen","ppEffectAdjust","ppEffectCommit","ppEffectCommitted","ppEffectCreate","ppEffectDestroy","ppEffectEnable","ppEffectEnabled","ppEffectForceInNVG","precision","preloadCamera","preloadObject","preloadSound","preloadTitleObj","preloadTitleRsc","preprocessFile","preprocessFileLineNumbers","primaryWeapon","primaryWeaponItems","primaryWeaponMagazine","priority","processDiaryLink","productVersion","profileName","profileNamespace","profileNameSteam","progressLoadingScreen","progressPosition","progressSetPosition","publicVariable","publicVariableClient","publicVariableServer","pushBack","pushBackUnique","putWeaponPool","queryItemsPool","queryMagazinePool","queryWeaponPool","rad","radioChannelAdd","radioChannelCreate","radioChannelInfo","radioChannelRemove","radioChannelSetCallSign","radioChannelSetLabel","radioEnabled","radioVolume","rain","rainbow","rainParams","random","rank","rankId","rating","rectangular","regexFind","regexMatch","regexReplace","registeredTasks","registerTask","reload","reloadEnabled","remoteControl","remoteExec","remoteExecCall","remoteExecutedOwner","remove3DENConnection","remove3DENEventHandler","remove3DENLayer","removeAction","removeAll3DENEventHandlers","removeAllActions","removeAllAssignedItems","removeAllBinocularItems","removeAllContainers","removeAllCuratorAddons","removeAllCuratorCameraAreas","removeAllCuratorEditingAreas","removeAllEventHandlers","removeAllHandgunItems","removeAllItems","removeAllItemsWithMagazines","removeAllMissionEventHandlers","removeAllMPEventHandlers","removeAllMusicEventHandlers","removeAllOwnedMines","removeAllPrimaryWeaponItems","removeAllSecondaryWeaponItems","removeAllUserActionEventHandlers","removeAllWeapons","removeBackpack","removeBackpackGlobal","removeBinocularItem","removeCuratorAddons","removeCuratorCameraArea","removeCuratorEditableObjects","removeCuratorEditingArea","removeDiaryRecord","removeDiarySubject","removeDrawIcon","removeDrawLinks","removeEventHandler","removeFromRemainsCollector","removeGoggles","removeGroupIcon","removeHandgunItem","removeHeadgear","removeItem","removeItemFromBackpack","removeItemFromUniform","removeItemFromVest","removeItems","removeMagazine","removeMagazineGlobal","removeMagazines","removeMagazinesTurret","removeMagazineTurret","removeMenuItem","removeMissionEventHandler","removeMPEventHandler","removeMusicEventHandler","removeOwnedMine","removePrimaryWeaponItem","removeSecondaryWeaponItem","removeSimpleTask","removeSwitchableUnit","removeTeamMember","removeUniform","removeUserActionEventHandler","removeVest","removeWeapon","removeWeaponAttachmentCargo","removeWeaponCargo","removeWeaponGlobal","removeWeaponTurret","reportRemoteTarget","requiredVersion","resetCamShake","resetSubgroupDirection","resize","resources","respawnVehicle","restartEditorCamera","reveal","revealMine","reverse","reversedMouseY","roadAt","roadsConnectedTo","roleDescription","ropeAttachedObjects","ropeAttachedTo","ropeAttachEnabled","ropeAttachTo","ropeCreate","ropeCut","ropeDestroy","ropeDetach","ropeEndPosition","ropeLength","ropes","ropesAttachedTo","ropeSegments","ropeUnwind","ropeUnwound","rotorsForcesRTD","rotorsRpmRTD","round","runInitScript","safeZoneH","safeZoneW","safeZoneWAbs","safeZoneX","safeZoneXAbs","safeZoneY","save3DENInventory","saveGame","saveIdentity","saveJoysticks","saveMissionProfileNamespace","saveOverlay","saveProfileNamespace","saveStatus","saveVar","savingEnabled","say","say2D","say3D","scopeName","score","scoreSide","screenshot","screenToWorld","scriptDone","scriptName","scudState","secondaryWeapon","secondaryWeaponItems","secondaryWeaponMagazine","select","selectBestPlaces","selectDiarySubject","selectedEditorObjects","selectEditorObject","selectionNames","selectionPosition","selectionVectorDirAndUp","selectLeader","selectMax","selectMin","selectNoPlayer","selectPlayer","selectRandom","selectRandomWeighted","selectWeapon","selectWeaponTurret","sendAUMessage","sendSimpleCommand","sendTask","sendTaskResult","sendUDPMessage","sentencesEnabled","serverCommand","serverCommandAvailable","serverCommandExecutable","serverName","serverNamespace","serverTime","set","set3DENAttribute","set3DENAttributes","set3DENGrid","set3DENIconsVisible","set3DENLayer","set3DENLinesVisible","set3DENLogicType","set3DENMissionAttribute","set3DENMissionAttributes","set3DENModelsVisible","set3DENObjectType","set3DENSelected","setAccTime","setActualCollectiveRTD","setAirplaneThrottle","setAirportSide","setAmmo","setAmmoCargo","setAmmoOnPylon","setAnimSpeedCoef","setAperture","setApertureNew","setArmoryPoints","setAttributes","setAutonomous","setBehaviour","setBehaviourStrong","setBleedingRemaining","setBrakesRTD","setCameraInterest","setCamShakeDefParams","setCamShakeParams","setCamUseTi","setCaptive","setCenterOfMass","setCollisionLight","setCombatBehaviour","setCombatMode","setCompassOscillation","setConvoySeparation","setCruiseControl","setCuratorCameraAreaCeiling","setCuratorCoef","setCuratorEditingAreaType","setCuratorWaypointCost","setCurrentChannel","setCurrentTask","setCurrentWaypoint","setCustomAimCoef","SetCustomMissionData","setCustomSoundController","setCustomWeightRTD","setDamage","setDammage","setDate","setDebriefingText","setDefaultCamera","setDestination","setDetailMapBlendPars","setDiaryRecordText","setDiarySubjectPicture","setDir","setDirection","setDrawIcon","setDriveOnPath","setDropInterval","setDynamicSimulationDistance","setDynamicSimulationDistanceCoef","setEditorMode","setEditorObjectScope","setEffectCondition","setEffectiveCommander","setEngineRpmRTD","setFace","setFaceanimation","setFatigue","setFeatureType","setFlagAnimationPhase","setFlagOwner","setFlagSide","setFlagTexture","setFog","setForceGeneratorRTD","setFormation","setFormationTask","setFormDir","setFriend","setFromEditor","setFSMVariable","setFuel","setFuelCargo","setGroupIcon","setGroupIconParams","setGroupIconsSelectable","setGroupIconsVisible","setGroupid","setGroupIdGlobal","setGroupOwner","setGusts","setHideBehind","setHit","setHitIndex","setHitPointDamage","setHorizonParallaxCoef","setHUDMovementLevels","setHumidity","setIdentity","setImportance","setInfoPanel","setLeader","setLightAmbient","setLightAttenuation","setLightBrightness","setLightColor","setLightConePars","setLightDayLight","setLightFlareMaxDistance","setLightFlareSize","setLightIntensity","setLightIR","setLightnings","setLightUseFlare","setLightVolumeShape","setLocalWindParams","setMagazineTurretAmmo","setMarkerAlpha","setMarkerAlphaLocal","setMarkerBrush","setMarkerBrushLocal","setMarkerColor","setMarkerColorLocal","setMarkerDir","setMarkerDirLocal","setMarkerPolyline","setMarkerPolylineLocal","setMarkerPos","setMarkerPosLocal","setMarkerShadow","setMarkerShadowLocal","setMarkerShape","setMarkerShapeLocal","setMarkerSize","setMarkerSizeLocal","setMarkerText","setMarkerTextLocal","setMarkerType","setMarkerTypeLocal","setMass","setMaxLoad","setMimic","setMissileTarget","setMissileTargetPos","setMousePosition","setMusicEffect","setMusicEventHandler","setName","setNameSound","setObjectArguments","setObjectMaterial","setObjectMaterialGlobal","setObjectProxy","setObjectScale","setObjectTexture","setObjectTextureGlobal","setObjectViewDistance","setOpticsMode","setOvercast","setOwner","setOxygenRemaining","setParticleCircle","setParticleClass","setParticleFire","setParticleParams","setParticleRandom","setPilotCameraDirection","setPilotCameraRotation","setPilotCameraTarget","setPilotLight","setPiPEffect","setPiPViewDistance","setPitch","setPlateNumber","setPlayable","setPlayerRespawnTime","setPlayerVoNVolume","setPos","setPosASL","setPosASL2","setPosASLW","setPosATL","setPosition","setPosWorld","setPylonLoadout","setPylonsPriority","setRadioMsg","setRain","setRainbow","setRandomLip","setRank","setRectangular","setRepairCargo","setRotorBrakeRTD","setShadowDistance","setShotParents","setSide","setSimpleTaskAlwaysVisible","setSimpleTaskCustomData","setSimpleTaskDescription","setSimpleTaskDestination","setSimpleTaskTarget","setSimpleTaskType","setSimulWeatherLayers","setSize","setSkill","setSlingLoad","setSoundEffect","setSpeaker","setSpeech","setSpeedMode","setStamina","setStaminaScheme","setStatValue","setSuppression","setSystemOfUnits","setTargetAge","setTaskMarkerOffset","setTaskResult","setTaskState","setTerrainGrid","setTerrainHeight","setText","setTimeMultiplier","setTiParameter","setTitleEffect","setTowParent","setTrafficDensity","setTrafficDistance","setTrafficGap","setTrafficSpeed","setTriggerActivation","setTriggerArea","setTriggerInterval","setTriggerStatements","setTriggerText","setTriggerTimeout","setTriggerType","setTurretLimits","setTurretOpticsMode","setType","setUnconscious","setUnitAbility","setUnitCombatMode","setUnitFreefallHeight","setUnitLoadout","setUnitPos","setUnitPosWeak","setUnitRank","setUnitRecoilCoefficient","setUnitTrait","setUnloadInCombat","setUserActionText","setUserMFDText","setUserMFDValue","setVariable","setVectorDir","setVectorDirAndUp","setVectorUp","setVehicleAmmo","setVehicleAmmoDef","setVehicleArmor","setVehicleCargo","setVehicleId","setVehicleLock","setVehiclePosition","setVehicleRadar","setVehicleReceiveRemoteTargets","setVehicleReportOwnPosition","setVehicleReportRemoteTargets","setVehicleTiPars","setVehicleVarName","setVelocity","setVelocityModelSpace","setVelocityTransformation","setViewDistance","setVisibleIfTreeCollapsed","setWantedRPMRTD","setWaves","setWaypointBehaviour","setWaypointCombatMode","setWaypointCompletionRadius","setWaypointDescription","setWaypointForceBehaviour","setWaypointFormation","setWaypointHousePosition","setWaypointLoiterAltitude","setWaypointLoiterRadius","setWaypointLoiterType","setWaypointName","setWaypointPosition","setWaypointScript","setWaypointSpeed","setWaypointStatements","setWaypointTimeout","setWaypointType","setWaypointVisible","setWeaponReloadingTime","setWeaponZeroing","setWind","setWindDir","setWindForce","setWindStr","setWingForceScaleRTD","setWPPos","show3DIcons","showChat","showCinemaBorder","showCommandingMenu","showCompass","showCuratorCompass","showGps","showHUD","showLegend","showMap","shownArtilleryComputer","shownChat","shownCompass","shownCuratorCompass","showNewEditorObject","shownGps","shownHUD","shownMap","shownPad","shownRadio","shownScoretable","shownSubtitles","shownUAVFeed","shownWarrant","shownWatch","showPad","showRadio","showScoretable","showSubtitles","showUAVFeed","showWarrant","showWatch","showWaypoint","showWaypoints","side","sideChat","sideRadio","simpleTasks","simulationEnabled","simulCloudDensity","simulCloudOcclusion","simulInClouds","simulWeatherSync","sin","size","sizeOf","skill","skillFinal","skipTime","sleep","sliderPosition","sliderRange","sliderSetPosition","sliderSetRange","sliderSetSpeed","sliderSpeed","slingLoadAssistantShown","soldierMagazines","someAmmo","sort","soundVolume","spawn","speaker","speechVolume","speed","speedMode","splitString","sqrt","squadParams","stance","startLoadingScreen","stop","stopEngineRTD","stopped","str","sunOrMoon","supportInfo","suppressFor","surfaceIsWater","surfaceNormal","surfaceTexture","surfaceType","swimInDepth","switchableUnits","switchAction","switchCamera","switchGesture","switchLight","switchMove","synchronizedObjects","synchronizedTriggers","synchronizedWaypoints","synchronizeObjectsAdd","synchronizeObjectsRemove","synchronizeTrigger","synchronizeWaypoint","systemChat","systemOfUnits","systemTime","systemTimeUTC","tan","targetKnowledge","targets","targetsAggregate","targetsQuery","taskAlwaysVisible","taskChildren","taskCompleted","taskCustomData","taskDescription","taskDestination","taskHint","taskMarkerOffset","taskName","taskParent","taskResult","taskState","taskType","teamMember","teamName","teams","teamSwitch","teamSwitchEnabled","teamType","terminate","terrainIntersect","terrainIntersectASL","terrainIntersectAtASL","text","textLog","textLogFormat","tg","time","timeMultiplier","titleCut","titleFadeOut","titleObj","titleRsc","titleText","toArray","toFixed","toLower","toLowerANSI","toString","toUpper","toUpperANSI","triggerActivated","triggerActivation","triggerAmmo","triggerArea","triggerAttachedVehicle","triggerAttachObject","triggerAttachVehicle","triggerDynamicSimulation","triggerInterval","triggerStatements","triggerText","triggerTimeout","triggerTimeoutCurrent","triggerType","trim","turretLocal","turretOwner","turretUnit","tvAdd","tvClear","tvCollapse","tvCollapseAll","tvCount","tvCurSel","tvData","tvDelete","tvExpand","tvExpandAll","tvIsSelected","tvPicture","tvPictureRight","tvSelection","tvSetColor","tvSetCurSel","tvSetData","tvSetPicture","tvSetPictureColor","tvSetPictureColorDisabled","tvSetPictureColorSelected","tvSetPictureRight","tvSetPictureRightColor","tvSetPictureRightColorDisabled","tvSetPictureRightColorSelected","tvSetSelectColor","tvSetSelected","tvSetText","tvSetTooltip","tvSetValue","tvSort","tvSortAll","tvSortByValue","tvSortByValueAll","tvText","tvTooltip","tvValue","type","typeName","typeOf","UAVControl","uiNamespace","uiSleep","unassignCurator","unassignItem","unassignTeam","unassignVehicle","underwater","uniform","uniformContainer","uniformItems","uniformMagazines","uniqueUnitItems","unitAddons","unitAimPosition","unitAimPositionVisual","unitBackpack","unitCombatMode","unitIsUAV","unitPos","unitReady","unitRecoilCoefficient","units","unitsBelowHeight","unitTurret","unlinkItem","unlockAchievement","unregisterTask","updateDrawIcon","updateMenuItem","updateObjectTree","useAIOperMapObstructionTest","useAISteeringComponent","useAudioTimeForMoves","userInputDisabled","values","vectorAdd","vectorCos","vectorCrossProduct","vectorDiff","vectorDir","vectorDirVisual","vectorDistance","vectorDistanceSqr","vectorDotProduct","vectorFromTo","vectorLinearConversion","vectorMagnitude","vectorMagnitudeSqr","vectorModelToWorld","vectorModelToWorldVisual","vectorMultiply","vectorNormalized","vectorUp","vectorUpVisual","vectorWorldToModel","vectorWorldToModelVisual","vehicle","vehicleCargoEnabled","vehicleChat","vehicleMoveInfo","vehicleRadio","vehicleReceiveRemoteTargets","vehicleReportOwnPosition","vehicleReportRemoteTargets","vehicles","vehicleVarName","velocity","velocityModelSpace","verifySignature","vest","vestContainer","vestItems","vestMagazines","viewDistance","visibleCompass","visibleGps","visibleMap","visiblePosition","visiblePositionASL","visibleScoretable","visibleWatch","waves","waypointAttachedObject","waypointAttachedVehicle","waypointAttachObject","waypointAttachVehicle","waypointBehaviour","waypointCombatMode","waypointCompletionRadius","waypointDescription","waypointForceBehaviour","waypointFormation","waypointHousePosition","waypointLoiterAltitude","waypointLoiterRadius","waypointLoiterType","waypointName","waypointPosition","waypoints","waypointScript","waypointsEnabledUAV","waypointShow","waypointSpeed","waypointStatements","waypointTimeout","waypointTimeoutCurrent","waypointType","waypointVisible","weaponAccessories","weaponAccessoriesCargo","weaponCargo","weaponDirection","weaponInertia","weaponLowered","weaponReloadingTime","weapons","weaponsInfo","weaponsItems","weaponsItemsCargo","weaponState","weaponsTurret","weightRTD","WFSideText","wind","windDir","windRTD","windStr","wingsForcesRTD","worldName","worldSize","worldToModel","worldToModelVisual","worldToScreen"],c={className:"meta",begin:/#\s*[a-z]+\b/,end:/$/,keywords:"define undef ifdef ifndef else endif include if",contains:[{begin:/\\\n/,relevance:0},t.inherit(a,{className:"string"}),{begin:/<[^\n>]*>/,end:/$/,illegal:"\\n"},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]};return{name:"SQF",case_insensitive:!0,keywords:{keyword:o,built_in:u,literal:l},contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.NUMBER_MODE,n,r,a,c],illegal:[/\$[^a-fA-F0-9]/,/\w\$/,/\?/,/@/,/ \| /,/[a-zA-Z_]\./,/\:\=/,/\[\:/]}}return Eg=e,Eg}var Sg,h0;function RP(){if(h0)return Sg;h0=1;function e(t){const n=t.regex,r=t.COMMENT("--","$"),a={className:"string",variants:[{begin:/'/,end:/'/,contains:[{begin:/''/}]}]},o={begin:/"/,end:/"/,contains:[{begin:/""/}]},l=["true","false","unknown"],u=["double precision","large object","with timezone","without timezone"],c=["bigint","binary","blob","boolean","char","character","clob","date","dec","decfloat","decimal","float","int","integer","interval","nchar","nclob","national","numeric","real","row","smallint","time","timestamp","varchar","varying","varbinary"],d=["add","asc","collation","desc","final","first","last","view"],S=["abs","acos","all","allocate","alter","and","any","are","array","array_agg","array_max_cardinality","as","asensitive","asin","asymmetric","at","atan","atomic","authorization","avg","begin","begin_frame","begin_partition","between","bigint","binary","blob","boolean","both","by","call","called","cardinality","cascaded","case","cast","ceil","ceiling","char","char_length","character","character_length","check","classifier","clob","close","coalesce","collate","collect","column","commit","condition","connect","constraint","contains","convert","copy","corr","corresponding","cos","cosh","count","covar_pop","covar_samp","create","cross","cube","cume_dist","current","current_catalog","current_date","current_default_transform_group","current_path","current_role","current_row","current_schema","current_time","current_timestamp","current_path","current_role","current_transform_group_for_type","current_user","cursor","cycle","date","day","deallocate","dec","decimal","decfloat","declare","default","define","delete","dense_rank","deref","describe","deterministic","disconnect","distinct","double","drop","dynamic","each","element","else","empty","end","end_frame","end_partition","end-exec","equals","escape","every","except","exec","execute","exists","exp","external","extract","false","fetch","filter","first_value","float","floor","for","foreign","frame_row","free","from","full","function","fusion","get","global","grant","group","grouping","groups","having","hold","hour","identity","in","indicator","initial","inner","inout","insensitive","insert","int","integer","intersect","intersection","interval","into","is","join","json_array","json_arrayagg","json_exists","json_object","json_objectagg","json_query","json_table","json_table_primitive","json_value","lag","language","large","last_value","lateral","lead","leading","left","like","like_regex","listagg","ln","local","localtime","localtimestamp","log","log10","lower","match","match_number","match_recognize","matches","max","member","merge","method","min","minute","mod","modifies","module","month","multiset","national","natural","nchar","nclob","new","no","none","normalize","not","nth_value","ntile","null","nullif","numeric","octet_length","occurrences_regex","of","offset","old","omit","on","one","only","open","or","order","out","outer","over","overlaps","overlay","parameter","partition","pattern","per","percent","percent_rank","percentile_cont","percentile_disc","period","portion","position","position_regex","power","precedes","precision","prepare","primary","procedure","ptf","range","rank","reads","real","recursive","ref","references","referencing","regr_avgx","regr_avgy","regr_count","regr_intercept","regr_r2","regr_slope","regr_sxx","regr_sxy","regr_syy","release","result","return","returns","revoke","right","rollback","rollup","row","row_number","rows","running","savepoint","scope","scroll","search","second","seek","select","sensitive","session_user","set","show","similar","sin","sinh","skip","smallint","some","specific","specifictype","sql","sqlexception","sqlstate","sqlwarning","sqrt","start","static","stddev_pop","stddev_samp","submultiset","subset","substring","substring_regex","succeeds","sum","symmetric","system","system_time","system_user","table","tablesample","tan","tanh","then","time","timestamp","timezone_hour","timezone_minute","to","trailing","translate","translate_regex","translation","treat","trigger","trim","trim_array","true","truncate","uescape","union","unique","unknown","unnest","update","upper","user","using","value","values","value_of","var_pop","var_samp","varbinary","varchar","varying","versioning","when","whenever","where","width_bucket","window","with","within","without","year"],_=["abs","acos","array_agg","asin","atan","avg","cast","ceil","ceiling","coalesce","corr","cos","cosh","count","covar_pop","covar_samp","cume_dist","dense_rank","deref","element","exp","extract","first_value","floor","json_array","json_arrayagg","json_exists","json_object","json_objectagg","json_query","json_table","json_table_primitive","json_value","lag","last_value","lead","listagg","ln","log","log10","lower","max","min","mod","nth_value","ntile","nullif","percent_rank","percentile_cont","percentile_disc","position","position_regex","power","rank","regr_avgx","regr_avgy","regr_count","regr_intercept","regr_r2","regr_slope","regr_sxx","regr_sxy","regr_syy","row_number","sin","sinh","sqrt","stddev_pop","stddev_samp","substring","substring_regex","sum","tan","tanh","translate","translate_regex","treat","trim","trim_array","unnest","upper","value_of","var_pop","var_samp","width_bucket"],E=["current_catalog","current_date","current_default_transform_group","current_path","current_role","current_schema","current_transform_group_for_type","current_user","session_user","system_time","system_user","current_time","localtime","current_timestamp","localtimestamp"],T=["create table","insert into","primary key","foreign key","not null","alter table","add constraint","grouping sets","on overflow","character set","respect nulls","ignore nulls","nulls first","nulls last","depth first","breadth first"],y=_,M=[...S,...d].filter(R=>!_.includes(R)),v={className:"variable",begin:/@[a-z0-9][a-z0-9_]*/},A={className:"operator",begin:/[-+*/=%^~]|&&?|\|\|?|!=?|<(?:=>?|<|>)?|>[>=]?/,relevance:0},O={begin:n.concat(/\b/,n.either(...y),/\s*\(/),relevance:0,keywords:{built_in:y}};function N(R,{exceptions:L,when:I}={}){const h=I;return L=L||[],R.map(k=>k.match(/\|\d+$/)||L.includes(k)?k:h(k)?`${k}|0`:k)}return{name:"SQL",case_insensitive:!0,illegal:/[{}]|<\//,keywords:{$pattern:/\b[\w\.]+/,keyword:N(M,{when:R=>R.length<3}),literal:l,type:c,built_in:E},contains:[{begin:n.either(...T),relevance:0,keywords:{$pattern:/[\w\.]+/,keyword:M.concat(T),literal:l,type:c}},{className:"type",begin:n.either(...u)},O,v,a,o,t.C_NUMBER_MODE,t.C_BLOCK_COMMENT_MODE,r,A]}}return Sg=e,Sg}var bg,E0;function NP(){if(E0)return bg;E0=1;function e(t){const n=t.regex,r=["functions","model","data","parameters","quantities","transformed","generated"],a=["for","in","if","else","while","break","continue","return"],o=["array","tuple","complex","int","real","vector","complex_vector","ordered","positive_ordered","simplex","unit_vector","row_vector","complex_row_vector","matrix","complex_matrix","cholesky_factor_corr|10","cholesky_factor_cov|10","corr_matrix|10","cov_matrix|10","void"],l=["abs","acos","acosh","add_diag","algebra_solver","algebra_solver_newton","append_array","append_col","append_row","asin","asinh","atan","atan2","atanh","bessel_first_kind","bessel_second_kind","binary_log_loss","block","cbrt","ceil","chol2inv","cholesky_decompose","choose","col","cols","columns_dot_product","columns_dot_self","complex_schur_decompose","complex_schur_decompose_t","complex_schur_decompose_u","conj","cos","cosh","cov_exp_quad","crossprod","csr_extract","csr_extract_u","csr_extract_v","csr_extract_w","csr_matrix_times_vector","csr_to_dense_matrix","cumulative_sum","dae","dae_tol","determinant","diag_matrix","diagonal","diag_post_multiply","diag_pre_multiply","digamma","dims","distance","dot_product","dot_self","eigendecompose","eigendecompose_sym","eigenvalues","eigenvalues_sym","eigenvectors","eigenvectors_sym","erf","erfc","exp","exp2","expm1","falling_factorial","fdim","fft","fft2","floor","fma","fmax","fmin","fmod","gamma_p","gamma_q","generalized_inverse","get_imag","get_real","head","hmm_hidden_state_prob","hmm_marginal","hypot","identity_matrix","inc_beta","integrate_1d","integrate_ode","integrate_ode_adams","integrate_ode_bdf","integrate_ode_rk45","int_step","inv","inv_cloglog","inv_erfc","inverse","inverse_spd","inv_fft","inv_fft2","inv_inc_beta","inv_logit","inv_Phi","inv_sqrt","inv_square","is_inf","is_nan","lambert_w0","lambert_wm1","lbeta","lchoose","ldexp","lgamma","linspaced_array","linspaced_int_array","linspaced_row_vector","linspaced_vector","lmgamma","lmultiply","log","log1m","log1m_exp","log1m_inv_logit","log1p","log1p_exp","log_determinant","log_diff_exp","log_falling_factorial","log_inv_logit","log_inv_logit_diff","logit","log_mix","log_modified_bessel_first_kind","log_rising_factorial","log_softmax","log_sum_exp","machine_precision","map_rect","matrix_exp","matrix_exp_multiply","matrix_power","max","mdivide_left_spd","mdivide_left_tri_low","mdivide_right_spd","mdivide_right_tri_low","mean","min","modified_bessel_first_kind","modified_bessel_second_kind","multiply_lower_tri_self_transpose","negative_infinity","norm","norm1","norm2","not_a_number","num_elements","ode_adams","ode_adams_tol","ode_adjoint_tol_ctl","ode_bdf","ode_bdf_tol","ode_ckrk","ode_ckrk_tol","ode_rk45","ode_rk45_tol","one_hot_array","one_hot_int_array","one_hot_row_vector","one_hot_vector","ones_array","ones_int_array","ones_row_vector","ones_vector","owens_t","Phi","Phi_approx","polar","positive_infinity","pow","print","prod","proj","qr","qr_Q","qr_R","qr_thin","qr_thin_Q","qr_thin_R","quad_form","quad_form_diag","quad_form_sym","quantile","rank","reduce_sum","reject","rep_array","rep_matrix","rep_row_vector","rep_vector","reverse","rising_factorial","round","row","rows","rows_dot_product","rows_dot_self","scale_matrix_exp_multiply","sd","segment","sin","singular_values","sinh","size","softmax","sort_asc","sort_desc","sort_indices_asc","sort_indices_desc","sqrt","square","squared_distance","step","sub_col","sub_row","sum","svd","svd_U","svd_V","symmetrize_from_lower_tri","tail","tan","tanh","target","tcrossprod","tgamma","to_array_1d","to_array_2d","to_complex","to_int","to_matrix","to_row_vector","to_vector","trace","trace_gen_quad_form","trace_quad_form","trigamma","trunc","uniform_simplex","variance","zeros_array","zeros_int_array","zeros_row_vector"],u=["bernoulli","bernoulli_logit","bernoulli_logit_glm","beta","beta_binomial","beta_proportion","binomial","binomial_logit","categorical","categorical_logit","categorical_logit_glm","cauchy","chi_square","dirichlet","discrete_range","double_exponential","exp_mod_normal","exponential","frechet","gamma","gaussian_dlm_obs","gumbel","hmm_latent","hypergeometric","inv_chi_square","inv_gamma","inv_wishart","inv_wishart_cholesky","lkj_corr","lkj_corr_cholesky","logistic","loglogistic","lognormal","multi_gp","multi_gp_cholesky","multinomial","multinomial_logit","multi_normal","multi_normal_cholesky","multi_normal_prec","multi_student_cholesky_t","multi_student_t","multi_student_t_cholesky","neg_binomial","neg_binomial_2","neg_binomial_2_log","neg_binomial_2_log_glm","normal","normal_id_glm","ordered_logistic","ordered_logistic_glm","ordered_probit","pareto","pareto_type_2","poisson","poisson_log","poisson_log_glm","rayleigh","scaled_inv_chi_square","skew_double_exponential","skew_normal","std_normal","std_normal_log","student_t","uniform","von_mises","weibull","wiener","wishart","wishart_cholesky"],c=t.COMMENT(/\/\*/,/\*\//,{relevance:0,contains:[{scope:"doctag",match:/@(return|param)/}]}),d={scope:"meta",begin:/#include\b/,end:/$/,contains:[{match:/[a-z][a-z-._]+/,scope:"string"},t.C_LINE_COMMENT_MODE]},S=["lower","upper","offset","multiplier"];return{name:"Stan",aliases:["stanfuncs"],keywords:{$pattern:t.IDENT_RE,title:r,type:o,keyword:a,built_in:l},contains:[t.C_LINE_COMMENT_MODE,d,t.HASH_COMMENT_MODE,c,{scope:"built_in",match:/\s(pi|e|sqrt2|log2|log10)(?=\()/,relevance:0},{match:n.concat(/[<,]\s*/,n.either(...S),/\s*=/),keywords:S},{scope:"keyword",match:/\btarget(?=\s*\+=)/},{match:[/~\s*/,n.either(...u),/(?:\(\))/,/\s*T(?=\s*\[)/],scope:{2:"built_in",4:"keyword"}},{scope:"built_in",keywords:u,begin:n.concat(/\w*/,n.either(...u),/(_lpdf|_lupdf|_lpmf|_cdf|_lcdf|_lccdf|_qf)(?=\s*[\(.*\)])/)},{begin:[/~/,/\s*/,n.concat(n.either(...u),/(?=\s*[\(.*\)])/)],scope:{3:"built_in"}},{begin:[/~/,/\s*\w+(?=\s*[\(.*\)])/,"(?!.*/\b("+n.either(...u)+")\b)"],scope:{2:"title.function"}},{scope:"title.function",begin:/\w*(_lpdf|_lupdf|_lpmf|_cdf|_lcdf|_lccdf|_qf)(?=\s*[\(.*\)])/},{scope:"number",match:n.concat(/(?:\b\d+(?:_\d+)*(?:\.(?:\d+(?:_\d+)*)?)?|\B\.\d+(?:_\d+)*)/,/(?:[eE][+-]?\d+(?:_\d+)*)?i?(?!\w)/),relevance:0},{scope:"string",begin:/"/,end:/"/}]}}return bg=e,bg}var vg,S0;function IP(){if(S0)return vg;S0=1;function e(t){return{name:"Stata",aliases:["do","ado"],case_insensitive:!0,keywords:"if else in foreach for forv forva forval forvalu forvalue forvalues by bys bysort xi quietly qui capture about ac ac_7 acprplot acprplot_7 adjust ado adopath adoupdate alpha ameans an ano anov anova anova_estat anova_terms anovadef aorder ap app appe appen append arch arch_dr arch_estat arch_p archlm areg areg_p args arima arima_dr arima_estat arima_p as asmprobit asmprobit_estat asmprobit_lf asmprobit_mfx__dlg asmprobit_p ass asse asser assert avplot avplot_7 avplots avplots_7 bcskew0 bgodfrey bias binreg bip0_lf biplot bipp_lf bipr_lf bipr_p biprobit bitest bitesti bitowt blogit bmemsize boot bootsamp bootstrap bootstrap_8 boxco_l boxco_p boxcox boxcox_6 boxcox_p bprobit br break brier bro brow brows browse brr brrstat bs bs_7 bsampl_w bsample bsample_7 bsqreg bstat bstat_7 bstat_8 bstrap bstrap_7 bubble bubbleplot ca ca_estat ca_p cabiplot camat canon canon_8 canon_8_p canon_estat canon_p cap caprojection capt captu captur capture cat cc cchart cchart_7 cci cd censobs_table centile cf char chdir checkdlgfiles checkestimationsample checkhlpfiles checksum chelp ci cii cl class classutil clear cli clis clist clo clog clog_lf clog_p clogi clogi_sw clogit clogit_lf clogit_p clogitp clogl_sw cloglog clonevar clslistarray cluster cluster_measures cluster_stop cluster_tree cluster_tree_8 clustermat cmdlog cnr cnre cnreg cnreg_p cnreg_sw cnsreg codebook collaps4 collapse colormult_nb colormult_nw compare compress conf confi confir confirm conren cons const constr constra constrai constrain constraint continue contract copy copyright copysource cor corc corr corr2data corr_anti corr_kmo corr_smc corre correl correla correlat correlate corrgram cou coun count cox cox_p cox_sw coxbase coxhaz coxvar cprplot cprplot_7 crc cret cretu cretur creturn cross cs cscript cscript_log csi ct ct_is ctset ctst_5 ctst_st cttost cumsp cumsp_7 cumul cusum cusum_7 cutil d|0 datasig datasign datasigna datasignat datasignatu datasignatur datasignature datetof db dbeta de dec deco decod decode deff des desc descr descri describ describe destring dfbeta dfgls dfuller di di_g dir dirstats dis discard disp disp_res disp_s displ displa display distinct do doe doed doedi doedit dotplot dotplot_7 dprobit drawnorm drop ds ds_util dstdize duplicates durbina dwstat dydx e|0 ed edi edit egen eivreg emdef en enc enco encod encode eq erase ereg ereg_lf ereg_p ereg_sw ereghet ereghet_glf ereghet_glf_sh ereghet_gp ereghet_ilf ereghet_ilf_sh ereghet_ip eret eretu eretur ereturn err erro error esize est est_cfexist est_cfname est_clickable est_expand est_hold est_table est_unhold est_unholdok estat estat_default estat_summ estat_vce_only esti estimates etodow etof etomdy ex exi exit expand expandcl fac fact facto factor factor_estat factor_p factor_pca_rotated factor_rotate factormat fcast fcast_compute fcast_graph fdades fdadesc fdadescr fdadescri fdadescrib fdadescribe fdasav fdasave fdause fh_st file open file read file close file filefilter fillin find_hlp_file findfile findit findit_7 fit fl fli flis flist for5_0 forest forestplot form forma format fpredict frac_154 frac_adj frac_chk frac_cox frac_ddp frac_dis frac_dv frac_in frac_mun frac_pp frac_pq frac_pv frac_wgt frac_xo fracgen fracplot fracplot_7 fracpoly fracpred fron_ex fron_hn fron_p fron_tn fron_tn2 frontier ftodate ftoe ftomdy ftowdate funnel funnelplot g|0 gamhet_glf gamhet_gp gamhet_ilf gamhet_ip gamma gamma_d2 gamma_p gamma_sw gammahet gdi_hexagon gdi_spokes ge gen gene gener genera generat generate genrank genstd genvmean gettoken gl gladder gladder_7 glim_l01 glim_l02 glim_l03 glim_l04 glim_l05 glim_l06 glim_l07 glim_l08 glim_l09 glim_l10 glim_l11 glim_l12 glim_lf glim_mu glim_nw1 glim_nw2 glim_nw3 glim_p glim_v1 glim_v2 glim_v3 glim_v4 glim_v5 glim_v6 glim_v7 glm glm_6 glm_p glm_sw glmpred glo glob globa global glogit glogit_8 glogit_p gmeans gnbre_lf gnbreg gnbreg_5 gnbreg_p gomp_lf gompe_sw gomper_p gompertz gompertzhet gomphet_glf gomphet_glf_sh gomphet_gp gomphet_ilf gomphet_ilf_sh gomphet_ip gphdot gphpen gphprint gprefs gprobi_p gprobit gprobit_8 gr gr7 gr_copy gr_current gr_db gr_describe gr_dir gr_draw gr_draw_replay gr_drop gr_edit gr_editviewopts gr_example gr_example2 gr_export gr_print gr_qscheme gr_query gr_read gr_rename gr_replay gr_save gr_set gr_setscheme gr_table gr_undo gr_use graph graph7 grebar greigen greigen_7 greigen_8 grmeanby grmeanby_7 gs_fileinfo gs_filetype gs_graphinfo gs_stat gsort gwood h|0 hadimvo hareg hausman haver he heck_d2 heckma_p heckman heckp_lf heckpr_p heckprob hel help hereg hetpr_lf hetpr_p hetprob hettest hexdump hilite hist hist_7 histogram hlogit hlu hmeans hotel hotelling hprobit hreg hsearch icd9 icd9_ff icd9p iis impute imtest inbase include inf infi infil infile infix inp inpu input ins insheet insp inspe inspec inspect integ inten intreg intreg_7 intreg_p intrg2_ll intrg_ll intrg_ll2 ipolate iqreg ir irf irf_create irfm iri is_svy is_svysum isid istdize ivprob_1_lf ivprob_lf ivprobit ivprobit_p ivreg ivreg_footnote ivtob_1_lf ivtob_lf ivtobit ivtobit_p jackknife jacknife jknife jknife_6 jknife_8 jkstat joinby kalarma1 kap kap_3 kapmeier kappa kapwgt kdensity kdensity_7 keep ksm ksmirnov ktau kwallis l|0 la lab labbe labbeplot labe label labelbook ladder levels levelsof leverage lfit lfit_p li lincom line linktest lis list lloghet_glf lloghet_glf_sh lloghet_gp lloghet_ilf lloghet_ilf_sh lloghet_ip llogi_sw llogis_p llogist llogistic llogistichet lnorm_lf lnorm_sw lnorma_p lnormal lnormalhet lnormhet_glf lnormhet_glf_sh lnormhet_gp lnormhet_ilf lnormhet_ilf_sh lnormhet_ip lnskew0 loadingplot loc loca local log logi logis_lf logistic logistic_p logit logit_estat logit_p loglogs logrank loneway lookfor lookup lowess lowess_7 lpredict lrecomp lroc lroc_7 lrtest ls lsens lsens_7 lsens_x lstat ltable ltable_7 ltriang lv lvr2plot lvr2plot_7 m|0 ma mac macr macro makecns man manova manova_estat manova_p manovatest mantel mark markin markout marksample mat mat_capp mat_order mat_put_rr mat_rapp mata mata_clear mata_describe mata_drop mata_matdescribe mata_matsave mata_matuse mata_memory mata_mlib mata_mosave mata_rename mata_which matalabel matcproc matlist matname matr matri matrix matrix_input__dlg matstrik mcc mcci md0_ md1_ md1debug_ md2_ md2debug_ mds mds_estat mds_p mdsconfig mdslong mdsmat mdsshepard mdytoe mdytof me_derd mean means median memory memsize menl meqparse mer merg merge meta mfp mfx mhelp mhodds minbound mixed_ll mixed_ll_reparm mkassert mkdir mkmat mkspline ml ml_5 ml_adjs ml_bhhhs ml_c_d ml_check ml_clear ml_cnt ml_debug ml_defd ml_e0 ml_e0_bfgs ml_e0_cycle ml_e0_dfp ml_e0i ml_e1 ml_e1_bfgs ml_e1_bhhh ml_e1_cycle ml_e1_dfp ml_e2 ml_e2_cycle ml_ebfg0 ml_ebfr0 ml_ebfr1 ml_ebh0q ml_ebhh0 ml_ebhr0 ml_ebr0i ml_ecr0i ml_edfp0 ml_edfr0 ml_edfr1 ml_edr0i ml_eds ml_eer0i ml_egr0i ml_elf ml_elf_bfgs ml_elf_bhhh ml_elf_cycle ml_elf_dfp ml_elfi ml_elfs ml_enr0i ml_enrr0 ml_erdu0 ml_erdu0_bfgs ml_erdu0_bhhh ml_erdu0_bhhhq ml_erdu0_cycle ml_erdu0_dfp ml_erdu0_nrbfgs ml_exde ml_footnote ml_geqnr ml_grad0 ml_graph ml_hbhhh ml_hd0 ml_hold ml_init ml_inv ml_log ml_max ml_mlout ml_mlout_8 ml_model ml_nb0 ml_opt ml_p ml_plot ml_query ml_rdgrd ml_repor ml_s_e ml_score ml_searc ml_technique ml_unhold mleval mlf_ mlmatbysum mlmatsum mlog mlogi mlogit mlogit_footnote mlogit_p mlopts mlsum mlvecsum mnl0_ mor more mov move mprobit mprobit_lf mprobit_p mrdu0_ mrdu1_ mvdecode mvencode mvreg mvreg_estat n|0 nbreg nbreg_al nbreg_lf nbreg_p nbreg_sw nestreg net newey newey_7 newey_p news nl nl_7 nl_9 nl_9_p nl_p nl_p_7 nlcom nlcom_p nlexp2 nlexp2_7 nlexp2a nlexp2a_7 nlexp3 nlexp3_7 nlgom3 nlgom3_7 nlgom4 nlgom4_7 nlinit nllog3 nllog3_7 nllog4 nllog4_7 nlog_rd nlogit nlogit_p nlogitgen nlogittree nlpred no nobreak noi nois noisi noisil noisily note notes notes_dlg nptrend numlabel numlist odbc old_ver olo olog ologi ologi_sw ologit ologit_p ologitp on one onew onewa oneway op_colnm op_comp op_diff op_inv op_str opr opro oprob oprob_sw oprobi oprobi_p oprobit oprobitp opts_exclusive order orthog orthpoly ou out outf outfi outfil outfile outs outsh outshe outshee outsheet ovtest pac pac_7 palette parse parse_dissim pause pca pca_8 pca_display pca_estat pca_p pca_rotate pcamat pchart pchart_7 pchi pchi_7 pcorr pctile pentium pergram pergram_7 permute permute_8 personal peto_st pkcollapse pkcross pkequiv pkexamine pkexamine_7 pkshape pksumm pksumm_7 pl plo plot plugin pnorm pnorm_7 poisgof poiss_lf poiss_sw poisso_p poisson poisson_estat post postclose postfile postutil pperron pr prais prais_e prais_e2 prais_p predict predictnl preserve print pro prob probi probit probit_estat probit_p proc_time procoverlay procrustes procrustes_estat procrustes_p profiler prog progr progra program prop proportion prtest prtesti pwcorr pwd q\\s qby qbys qchi qchi_7 qladder qladder_7 qnorm qnorm_7 qqplot qqplot_7 qreg qreg_c qreg_p qreg_sw qu quadchk quantile quantile_7 que quer query range ranksum ratio rchart rchart_7 rcof recast reclink recode reg reg3 reg3_p regdw regr regre regre_p2 regres regres_p regress regress_estat regriv_p remap ren rena renam rename renpfix repeat replace report reshape restore ret retu retur return rm rmdir robvar roccomp roccomp_7 roccomp_8 rocf_lf rocfit rocfit_8 rocgold rocplot rocplot_7 roctab roctab_7 rolling rologit rologit_p rot rota rotat rotate rotatemat rreg rreg_p ru run runtest rvfplot rvfplot_7 rvpplot rvpplot_7 sa safesum sample sampsi sav save savedresults saveold sc sca scal scala scalar scatter scm_mine sco scob_lf scob_p scobi_sw scobit scor score scoreplot scoreplot_help scree screeplot screeplot_help sdtest sdtesti se search separate seperate serrbar serrbar_7 serset set set_defaults sfrancia sh she shel shell shewhart shewhart_7 signestimationsample signrank signtest simul simul_7 simulate simulate_8 sktest sleep slogit slogit_d2 slogit_p smooth snapspan so sor sort spearman spikeplot spikeplot_7 spikeplt spline_x split sqreg sqreg_p sret sretu sretur sreturn ssc st st_ct st_hc st_hcd st_hcd_sh st_is st_issys st_note st_promo st_set st_show st_smpl st_subid stack statsby statsby_8 stbase stci stci_7 stcox stcox_estat stcox_fr stcox_fr_ll stcox_p stcox_sw stcoxkm stcoxkm_7 stcstat stcurv stcurve stcurve_7 stdes stem stepwise stereg stfill stgen stir stjoin stmc stmh stphplot stphplot_7 stphtest stphtest_7 stptime strate strate_7 streg streg_sw streset sts sts_7 stset stsplit stsum sttocc sttoct stvary stweib su suest suest_8 sum summ summa summar summari summariz summarize sunflower sureg survcurv survsum svar svar_p svmat svy svy_disp svy_dreg svy_est svy_est_7 svy_estat svy_get svy_gnbreg_p svy_head svy_header svy_heckman_p svy_heckprob_p svy_intreg_p svy_ivreg_p svy_logistic_p svy_logit_p svy_mlogit_p svy_nbreg_p svy_ologit_p svy_oprobit_p svy_poisson_p svy_probit_p svy_regress_p svy_sub svy_sub_7 svy_x svy_x_7 svy_x_p svydes svydes_8 svygen svygnbreg svyheckman svyheckprob svyintreg svyintreg_7 svyintrg svyivreg svylc svylog_p svylogit svymarkout svymarkout_8 svymean svymlog svymlogit svynbreg svyolog svyologit svyoprob svyoprobit svyopts svypois svypois_7 svypoisson svyprobit svyprobt svyprop svyprop_7 svyratio svyreg svyreg_p svyregress svyset svyset_7 svyset_8 svytab svytab_7 svytest svytotal sw sw_8 swcnreg swcox swereg swilk swlogis swlogit swologit swoprbt swpois swprobit swqreg swtobit swweib symmetry symmi symplot symplot_7 syntax sysdescribe sysdir sysuse szroeter ta tab tab1 tab2 tab_or tabd tabdi tabdis tabdisp tabi table tabodds tabodds_7 tabstat tabu tabul tabula tabulat tabulate te tempfile tempname tempvar tes test testnl testparm teststd tetrachoric time_it timer tis tob tobi tobit tobit_p tobit_sw token tokeni tokeniz tokenize tostring total translate translator transmap treat_ll treatr_p treatreg trim trimfill trnb_cons trnb_mean trpoiss_d2 trunc_ll truncr_p truncreg tsappend tset tsfill tsline tsline_ex tsreport tsrevar tsrline tsset tssmooth tsunab ttest ttesti tut_chk tut_wait tutorial tw tware_st two twoway twoway__fpfit_serset twoway__function_gen twoway__histogram_gen twoway__ipoint_serset twoway__ipoints_serset twoway__kdensity_gen twoway__lfit_serset twoway__normgen_gen twoway__pci_serset twoway__qfit_serset twoway__scatteri_serset twoway__sunflower_gen twoway_ksm_serset ty typ type typeof u|0 unab unabbrev unabcmd update us use uselabel var var_mkcompanion var_p varbasic varfcast vargranger varirf varirf_add varirf_cgraph varirf_create varirf_ctable varirf_describe varirf_dir varirf_drop varirf_erase varirf_graph varirf_ograph varirf_rename varirf_set varirf_table varlist varlmar varnorm varsoc varstable varstable_w varstable_w2 varwle vce vec vec_fevd vec_mkphi vec_p vec_p_w vecirf_create veclmar veclmar_w vecnorm vecnorm_w vecrank vecstable verinst vers versi versio version view viewsource vif vwls wdatetof webdescribe webseek webuse weib1_lf weib2_lf weib_lf weib_lf0 weibhet_glf weibhet_glf_sh weibhet_glfa weibhet_glfa_sh weibhet_gp weibhet_ilf weibhet_ilf_sh weibhet_ilfa weibhet_ilfa_sh weibhet_ip weibu_sw weibul_p weibull weibull_c weibull_s weibullhet wh whelp whi which whil while wilc_st wilcoxon win wind windo window winexec wntestb wntestb_7 wntestq xchart xchart_7 xcorr xcorr_7 xi xi_6 xmlsav xmlsave xmluse xpose xsh xshe xshel xshell xt_iis xt_tis xtab_p xtabond xtbin_p xtclog xtcloglog xtcloglog_8 xtcloglog_d2 xtcloglog_pa_p xtcloglog_re_p xtcnt_p xtcorr xtdata xtdes xtfront_p xtfrontier xtgee xtgee_elink xtgee_estat xtgee_makeivar xtgee_p xtgee_plink xtgls xtgls_p xthaus xthausman xtht_p xthtaylor xtile xtint_p xtintreg xtintreg_8 xtintreg_d2 xtintreg_p xtivp_1 xtivp_2 xtivreg xtline xtline_ex xtlogit xtlogit_8 xtlogit_d2 xtlogit_fe_p xtlogit_pa_p xtlogit_re_p xtmixed xtmixed_estat xtmixed_p xtnb_fe xtnb_lf xtnbreg xtnbreg_pa_p xtnbreg_refe_p xtpcse xtpcse_p xtpois xtpoisson xtpoisson_d2 xtpoisson_pa_p xtpoisson_refe_p xtpred xtprobit xtprobit_8 xtprobit_d2 xtprobit_re_p xtps_fe xtps_lf xtps_ren xtps_ren_8 xtrar_p xtrc xtrc_p xtrchh xtrefe_p xtreg xtreg_be xtreg_fe xtreg_ml xtreg_pa_p xtreg_re xtregar xtrere_p xtset xtsf_ll xtsf_llti xtsum xttab xttest0 xttobit xttobit_8 xttobit_p xttrans yx yxview__barlike_draw yxview_area_draw yxview_bar_draw yxview_dot_draw yxview_dropline_draw yxview_function_draw yxview_iarrow_draw yxview_ilabels_draw yxview_normal_draw yxview_pcarrow_draw yxview_pcbarrow_draw yxview_pccapsym_draw yxview_pcscatter_draw yxview_pcspike_draw yxview_rarea_draw yxview_rbar_draw yxview_rbarm_draw yxview_rcap_draw yxview_rcapsym_draw yxview_rconnected_draw yxview_rline_draw yxview_rscatter_draw yxview_rspike_draw yxview_spike_draw yxview_sunflower_draw zap_s zinb zinb_llf zinb_plf zip zip_llf zip_p zip_plf zt_ct_5 zt_hc_5 zt_hcd_5 zt_is_5 zt_iss_5 zt_sho_5 zt_smp_5 ztbase_5 ztcox_5 ztdes_5 ztereg_5 ztfill_5 ztgen_5 ztir_5 ztjoin_5 ztnb ztnb_p ztp ztp_p zts_5 ztset_5 ztspli_5 ztsum_5 zttoct_5 ztvary_5 ztweib_5",contains:[{className:"symbol",begin:/`[a-zA-Z0-9_]+'/},{className:"variable",begin:/\$\{?[a-zA-Z0-9_]+\}?/,relevance:0},{className:"string",variants:[{begin:`\`"[^\r
 ]*?"'`},{begin:`"[^\r
-"]*"`}]},{className:"built_in",variants:[{begin:"\\b(abs|acos|asin|atan|atan2|atanh|ceil|cloglog|comb|cos|digamma|exp|floor|invcloglog|invlogit|ln|lnfact|lnfactorial|lngamma|log|log10|max|min|mod|reldif|round|sign|sin|sqrt|sum|tan|tanh|trigamma|trunc|betaden|Binomial|binorm|binormal|chi2|chi2tail|dgammapda|dgammapdada|dgammapdadx|dgammapdx|dgammapdxdx|F|Fden|Ftail|gammaden|gammap|ibeta|invbinomial|invchi2|invchi2tail|invF|invFtail|invgammap|invibeta|invnchi2|invnFtail|invnibeta|invnorm|invnormal|invttail|nbetaden|nchi2|nFden|nFtail|nibeta|norm|normal|normalden|normd|npnchi2|tden|ttail|uniform|abbrev|char|index|indexnot|length|lower|ltrim|match|plural|proper|real|regexm|regexr|regexs|reverse|rtrim|string|strlen|strlower|strltrim|strmatch|strofreal|strpos|strproper|strreverse|strrtrim|strtrim|strupper|subinstr|subinword|substr|trim|upper|word|wordcount|_caller|autocode|byteorder|chop|clip|cond|e|epsdouble|epsfloat|group|inlist|inrange|irecode|matrix|maxbyte|maxdouble|maxfloat|maxint|maxlong|mi|minbyte|mindouble|minfloat|minint|minlong|missing|r|recode|replay|return|s|scalar|d|date|day|dow|doy|halfyear|mdy|month|quarter|week|year|d|daily|dofd|dofh|dofm|dofq|dofw|dofy|h|halfyearly|hofd|m|mofd|monthly|q|qofd|quarterly|tin|twithin|w|weekly|wofd|y|yearly|yh|ym|yofd|yq|yw|cholesky|colnumb|colsof|corr|det|diag|diag0cnt|el|get|hadamard|I|inv|invsym|issym|issymmetric|J|matmissing|matuniform|mreldif|nullmat|rownumb|rowsof|sweep|syminv|trace|vec|vecdiag)(?=\\()"}]},t.COMMENT("^[ 	]*\\*.*$",!1),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]}}return bg=e,bg}var vg,E0;function NP(){if(E0)return vg;E0=1;function e(t){return{name:"STEP Part 21",aliases:["p21","step","stp"],case_insensitive:!0,keywords:{$pattern:"[A-Z_][A-Z0-9_.]*",keyword:["HEADER","ENDSEC","DATA"]},contains:[{className:"meta",begin:"ISO-10303-21;",relevance:10},{className:"meta",begin:"END-ISO-10303-21;",relevance:10},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.COMMENT("/\\*\\*!","\\*/"),t.C_NUMBER_MODE,t.inherit(t.APOS_STRING_MODE,{illegal:null}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{className:"string",begin:"'",end:"'"},{className:"symbol",variants:[{begin:"#",end:"\\d+",illegal:"\\W"}]}]}}return vg=e,vg}var Tg,S0;function IP(){if(S0)return Tg;S0=1;const e=u=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:u.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[u.APOS_STRING_MODE,u.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:u.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z_][A-Za-z0-9_-]*/}}),t=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],n=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],r=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],a=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],o=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","caret-color","clear","clip","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","grid-row-start","grid-template","grid-template-areas","grid-template-columns","grid-template-rows","hanging-punctuation","height","hyphens","icon","image-orientation","image-rendering","image-resolution","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse();function l(u){const c=e(u),d="and or not only",S={className:"variable",begin:"\\$"+u.IDENT_RE},_=["charset","css","debug","extend","font-face","for","import","include","keyframes","media","mixin","page","warn","while"],E="(?=[.\\s\\n[:,(])";return{name:"Stylus",aliases:["styl"],case_insensitive:!1,keywords:"if else for in",illegal:"("+["\\?","(\\bReturn\\b)","(\\bEnd\\b)","(\\bend\\b)","(\\bdef\\b)",";","#\\s","\\*\\s","===\\s","\\|","%"].join("|")+")",contains:[u.QUOTE_STRING_MODE,u.APOS_STRING_MODE,u.C_LINE_COMMENT_MODE,u.C_BLOCK_COMMENT_MODE,c.HEXCOLOR,{begin:"\\.[a-zA-Z][a-zA-Z0-9_-]*"+E,className:"selector-class"},{begin:"#[a-zA-Z][a-zA-Z0-9_-]*"+E,className:"selector-id"},{begin:"\\b("+t.join("|")+")"+E,className:"selector-tag"},{className:"selector-pseudo",begin:"&?:("+r.join("|")+")"+E},{className:"selector-pseudo",begin:"&?:(:)?("+a.join("|")+")"+E},c.ATTRIBUTE_SELECTOR_MODE,{className:"keyword",begin:/@media/,starts:{end:/[{;}]/,keywords:{$pattern:/[a-z-]+/,keyword:d,attribute:n.join(" ")},contains:[c.CSS_NUMBER_MODE]}},{className:"keyword",begin:"@((-(o|moz|ms|webkit)-)?("+_.join("|")+"))\\b"},S,c.CSS_NUMBER_MODE,{className:"function",begin:"^[a-zA-Z][a-zA-Z0-9_-]*\\(.*\\)",illegal:"[\\n]",returnBegin:!0,contains:[{className:"title",begin:"\\b[a-zA-Z][a-zA-Z0-9_-]*"},{className:"params",begin:/\(/,end:/\)/,contains:[c.HEXCOLOR,S,u.APOS_STRING_MODE,c.CSS_NUMBER_MODE,u.QUOTE_STRING_MODE]}]},c.CSS_VARIABLE,{className:"attribute",begin:"\\b("+o.join("|")+")\\b",starts:{end:/;|$/,contains:[c.HEXCOLOR,S,u.APOS_STRING_MODE,u.QUOTE_STRING_MODE,c.CSS_NUMBER_MODE,u.C_BLOCK_COMMENT_MODE,c.IMPORTANT,c.FUNCTION_DISPATCH],illegal:/\./,relevance:0}},c.FUNCTION_DISPATCH]}}return Tg=l,Tg}var yg,b0;function DP(){if(b0)return yg;b0=1;function e(t){return{name:"SubUnit",case_insensitive:!0,contains:[{className:"string",begin:`\\[
+"]*"`}]},{className:"built_in",variants:[{begin:"\\b(abs|acos|asin|atan|atan2|atanh|ceil|cloglog|comb|cos|digamma|exp|floor|invcloglog|invlogit|ln|lnfact|lnfactorial|lngamma|log|log10|max|min|mod|reldif|round|sign|sin|sqrt|sum|tan|tanh|trigamma|trunc|betaden|Binomial|binorm|binormal|chi2|chi2tail|dgammapda|dgammapdada|dgammapdadx|dgammapdx|dgammapdxdx|F|Fden|Ftail|gammaden|gammap|ibeta|invbinomial|invchi2|invchi2tail|invF|invFtail|invgammap|invibeta|invnchi2|invnFtail|invnibeta|invnorm|invnormal|invttail|nbetaden|nchi2|nFden|nFtail|nibeta|norm|normal|normalden|normd|npnchi2|tden|ttail|uniform|abbrev|char|index|indexnot|length|lower|ltrim|match|plural|proper|real|regexm|regexr|regexs|reverse|rtrim|string|strlen|strlower|strltrim|strmatch|strofreal|strpos|strproper|strreverse|strrtrim|strtrim|strupper|subinstr|subinword|substr|trim|upper|word|wordcount|_caller|autocode|byteorder|chop|clip|cond|e|epsdouble|epsfloat|group|inlist|inrange|irecode|matrix|maxbyte|maxdouble|maxfloat|maxint|maxlong|mi|minbyte|mindouble|minfloat|minint|minlong|missing|r|recode|replay|return|s|scalar|d|date|day|dow|doy|halfyear|mdy|month|quarter|week|year|d|daily|dofd|dofh|dofm|dofq|dofw|dofy|h|halfyearly|hofd|m|mofd|monthly|q|qofd|quarterly|tin|twithin|w|weekly|wofd|y|yearly|yh|ym|yofd|yq|yw|cholesky|colnumb|colsof|corr|det|diag|diag0cnt|el|get|hadamard|I|inv|invsym|issym|issymmetric|J|matmissing|matuniform|mreldif|nullmat|rownumb|rowsof|sweep|syminv|trace|vec|vecdiag)(?=\\()"}]},t.COMMENT("^[ 	]*\\*.*$",!1),t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE]}}return vg=e,vg}var Tg,b0;function DP(){if(b0)return Tg;b0=1;function e(t){return{name:"STEP Part 21",aliases:["p21","step","stp"],case_insensitive:!0,keywords:{$pattern:"[A-Z_][A-Z0-9_.]*",keyword:["HEADER","ENDSEC","DATA"]},contains:[{className:"meta",begin:"ISO-10303-21;",relevance:10},{className:"meta",begin:"END-ISO-10303-21;",relevance:10},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,t.COMMENT("/\\*\\*!","\\*/"),t.C_NUMBER_MODE,t.inherit(t.APOS_STRING_MODE,{illegal:null}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null}),{className:"string",begin:"'",end:"'"},{className:"symbol",variants:[{begin:"#",end:"\\d+",illegal:"\\W"}]}]}}return Tg=e,Tg}var yg,v0;function xP(){if(v0)return yg;v0=1;const e=u=>({IMPORTANT:{scope:"meta",begin:"!important"},BLOCK_COMMENT:u.C_BLOCK_COMMENT_MODE,HEXCOLOR:{scope:"number",begin:/#(([0-9a-fA-F]{3,4})|(([0-9a-fA-F]{2}){3,4}))\b/},FUNCTION_DISPATCH:{className:"built_in",begin:/[\w-]+(?=\()/},ATTRIBUTE_SELECTOR_MODE:{scope:"selector-attr",begin:/\[/,end:/\]/,illegal:"$",contains:[u.APOS_STRING_MODE,u.QUOTE_STRING_MODE]},CSS_NUMBER_MODE:{scope:"number",begin:u.NUMBER_RE+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",relevance:0},CSS_VARIABLE:{className:"attr",begin:/--[A-Za-z_][A-Za-z0-9_-]*/}}),t=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","main","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],n=["any-hover","any-pointer","aspect-ratio","color","color-gamut","color-index","device-aspect-ratio","device-height","device-width","display-mode","forced-colors","grid","height","hover","inverted-colors","monochrome","orientation","overflow-block","overflow-inline","pointer","prefers-color-scheme","prefers-contrast","prefers-reduced-motion","prefers-reduced-transparency","resolution","scan","scripting","update","width","min-width","max-width","min-height","max-height"],r=["active","any-link","blank","checked","current","default","defined","dir","disabled","drop","empty","enabled","first","first-child","first-of-type","fullscreen","future","focus","focus-visible","focus-within","has","host","host-context","hover","indeterminate","in-range","invalid","is","lang","last-child","last-of-type","left","link","local-link","not","nth-child","nth-col","nth-last-child","nth-last-col","nth-last-of-type","nth-of-type","only-child","only-of-type","optional","out-of-range","past","placeholder-shown","read-only","read-write","required","right","root","scope","target","target-within","user-invalid","valid","visited","where"],a=["after","backdrop","before","cue","cue-region","first-letter","first-line","grammar-error","marker","part","placeholder","selection","slotted","spelling-error"],o=["align-content","align-items","align-self","all","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","block-size","border","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","caret-color","clear","clip","clip-path","clip-rule","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","contain","content","content-visibility","counter-increment","counter-reset","cue","cue-after","cue-before","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","flow","font","font-display","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-smoothing","font-stretch","font-style","font-synthesis","font-variant","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-variation-settings","font-weight","gap","glyph-orientation-vertical","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-gap","grid-row","grid-row-end","grid-row-start","grid-template","grid-template-areas","grid-template-columns","grid-template-rows","hanging-punctuation","height","hyphens","icon","image-orientation","image-rendering","image-resolution","ime-mode","inline-size","isolation","justify-content","left","letter-spacing","line-break","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-block","margin-block-end","margin-block-start","margin-bottom","margin-inline","margin-inline-end","margin-inline-start","margin-left","margin-right","margin-top","marks","mask","mask-border","mask-border-mode","mask-border-outset","mask-border-repeat","mask-border-slice","mask-border-source","mask-border-width","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-block","padding-block-end","padding-block-start","padding-bottom","padding-inline","padding-inline-end","padding-inline-start","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","pause","pause-after","pause-before","perspective","perspective-origin","pointer-events","position","quotes","resize","rest","rest-after","rest-before","right","row-gap","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-stop","scroll-snap-type","scrollbar-color","scrollbar-gutter","scrollbar-width","shape-image-threshold","shape-margin","shape-outside","speak","speak-as","src","tab-size","table-layout","text-align","text-align-all","text-align-last","text-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-indent","text-justify","text-orientation","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-box","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","writing-mode","z-index"].reverse();function l(u){const c=e(u),d="and or not only",S={className:"variable",begin:"\\$"+u.IDENT_RE},_=["charset","css","debug","extend","font-face","for","import","include","keyframes","media","mixin","page","warn","while"],E="(?=[.\\s\\n[:,(])";return{name:"Stylus",aliases:["styl"],case_insensitive:!1,keywords:"if else for in",illegal:"("+["\\?","(\\bReturn\\b)","(\\bEnd\\b)","(\\bend\\b)","(\\bdef\\b)",";","#\\s","\\*\\s","===\\s","\\|","%"].join("|")+")",contains:[u.QUOTE_STRING_MODE,u.APOS_STRING_MODE,u.C_LINE_COMMENT_MODE,u.C_BLOCK_COMMENT_MODE,c.HEXCOLOR,{begin:"\\.[a-zA-Z][a-zA-Z0-9_-]*"+E,className:"selector-class"},{begin:"#[a-zA-Z][a-zA-Z0-9_-]*"+E,className:"selector-id"},{begin:"\\b("+t.join("|")+")"+E,className:"selector-tag"},{className:"selector-pseudo",begin:"&?:("+r.join("|")+")"+E},{className:"selector-pseudo",begin:"&?:(:)?("+a.join("|")+")"+E},c.ATTRIBUTE_SELECTOR_MODE,{className:"keyword",begin:/@media/,starts:{end:/[{;}]/,keywords:{$pattern:/[a-z-]+/,keyword:d,attribute:n.join(" ")},contains:[c.CSS_NUMBER_MODE]}},{className:"keyword",begin:"@((-(o|moz|ms|webkit)-)?("+_.join("|")+"))\\b"},S,c.CSS_NUMBER_MODE,{className:"function",begin:"^[a-zA-Z][a-zA-Z0-9_-]*\\(.*\\)",illegal:"[\\n]",returnBegin:!0,contains:[{className:"title",begin:"\\b[a-zA-Z][a-zA-Z0-9_-]*"},{className:"params",begin:/\(/,end:/\)/,contains:[c.HEXCOLOR,S,u.APOS_STRING_MODE,c.CSS_NUMBER_MODE,u.QUOTE_STRING_MODE]}]},c.CSS_VARIABLE,{className:"attribute",begin:"\\b("+o.join("|")+")\\b",starts:{end:/;|$/,contains:[c.HEXCOLOR,S,u.APOS_STRING_MODE,u.QUOTE_STRING_MODE,c.CSS_NUMBER_MODE,u.C_BLOCK_COMMENT_MODE,c.IMPORTANT,c.FUNCTION_DISPATCH],illegal:/\./,relevance:0}},c.FUNCTION_DISPATCH]}}return yg=l,yg}var Cg,T0;function wP(){if(T0)return Cg;T0=1;function e(t){return{name:"SubUnit",case_insensitive:!0,contains:[{className:"string",begin:`\\[
 (multipart)?`,end:`\\]
-`},{className:"string",begin:"\\d{4}-\\d{2}-\\d{2}(\\s+)\\d{2}:\\d{2}:\\d{2}.\\d+Z"},{className:"string",begin:"(\\+|-)\\d+"},{className:"keyword",relevance:10,variants:[{begin:"^(test|testing|success|successful|failure|error|skip|xfail|uxsuccess)(:?)\\s+(test)?"},{begin:"^progress(:?)(\\s+)?(pop|push)?"},{begin:"^tags:"},{begin:"^time:"}]}]}}return yg=e,yg}var Cg,v0;function xP(){if(v0)return Cg;v0=1;function e(k){return k?typeof k=="string"?k:k.source:null}function t(k){return n("(?=",k,")")}function n(...k){return k.map(z=>e(z)).join("")}function r(k){const F=k[k.length-1];return typeof F=="object"&&F.constructor===Object?(k.splice(k.length-1,1),F):{}}function a(...k){return"("+(r(k).capture?"":"?:")+k.map(K=>e(K)).join("|")+")"}const o=k=>n(/\b/,k,/\w$/.test(k)?/\b/:/\B/),l=["Protocol","Type"].map(o),u=["init","self"].map(o),c=["Any","Self"],d=["actor","any","associatedtype","async","await",/as\?/,/as!/,"as","borrowing","break","case","catch","class","consume","consuming","continue","convenience","copy","default","defer","deinit","didSet","distributed","do","dynamic","each","else","enum","extension","fallthrough",/fileprivate\(set\)/,"fileprivate","final","for","func","get","guard","if","import","indirect","infix",/init\?/,/init!/,"inout",/internal\(set\)/,"internal","in","is","isolated","nonisolated","lazy","let","macro","mutating","nonmutating",/open\(set\)/,"open","operator","optional","override","postfix","precedencegroup","prefix",/private\(set\)/,"private","protocol",/public\(set\)/,"public","repeat","required","rethrows","return","set","some","static","struct","subscript","super","switch","throws","throw",/try\?/,/try!/,"try","typealias",/unowned\(safe\)/,/unowned\(unsafe\)/,"unowned","var","weak","where","while","willSet"],S=["false","nil","true"],_=["assignment","associativity","higherThan","left","lowerThan","none","right"],E=["#colorLiteral","#column","#dsohandle","#else","#elseif","#endif","#error","#file","#fileID","#fileLiteral","#filePath","#function","#if","#imageLiteral","#keyPath","#line","#selector","#sourceLocation","#warning"],T=["abs","all","any","assert","assertionFailure","debugPrint","dump","fatalError","getVaList","isKnownUniquelyReferenced","max","min","numericCast","pointwiseMax","pointwiseMin","precondition","preconditionFailure","print","readLine","repeatElement","sequence","stride","swap","swift_unboxFromSwiftValueWithType","transcode","type","unsafeBitCast","unsafeDowncast","withExtendedLifetime","withUnsafeMutablePointer","withUnsafePointer","withVaList","withoutActuallyEscaping","zip"],y=a(/[/=\-+!*%<>&|^~?]/,/[\u00A1-\u00A7]/,/[\u00A9\u00AB]/,/[\u00AC\u00AE]/,/[\u00B0\u00B1]/,/[\u00B6\u00BB\u00BF\u00D7\u00F7]/,/[\u2016-\u2017]/,/[\u2020-\u2027]/,/[\u2030-\u203E]/,/[\u2041-\u2053]/,/[\u2055-\u205E]/,/[\u2190-\u23FF]/,/[\u2500-\u2775]/,/[\u2794-\u2BFF]/,/[\u2E00-\u2E7F]/,/[\u3001-\u3003]/,/[\u3008-\u3020]/,/[\u3030]/),M=a(y,/[\u0300-\u036F]/,/[\u1DC0-\u1DFF]/,/[\u20D0-\u20FF]/,/[\uFE00-\uFE0F]/,/[\uFE20-\uFE2F]/),v=n(y,M,"*"),A=a(/[a-zA-Z_]/,/[\u00A8\u00AA\u00AD\u00AF\u00B2-\u00B5\u00B7-\u00BA]/,/[\u00BC-\u00BE\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u00FF]/,/[\u0100-\u02FF\u0370-\u167F\u1681-\u180D\u180F-\u1DBF]/,/[\u1E00-\u1FFF]/,/[\u200B-\u200D\u202A-\u202E\u203F-\u2040\u2054\u2060-\u206F]/,/[\u2070-\u20CF\u2100-\u218F\u2460-\u24FF\u2776-\u2793]/,/[\u2C00-\u2DFF\u2E80-\u2FFF]/,/[\u3004-\u3007\u3021-\u302F\u3031-\u303F\u3040-\uD7FF]/,/[\uF900-\uFD3D\uFD40-\uFDCF\uFDF0-\uFE1F\uFE30-\uFE44]/,/[\uFE47-\uFEFE\uFF00-\uFFFD]/),O=a(A,/\d/,/[\u0300-\u036F\u1DC0-\u1DFF\u20D0-\u20FF\uFE20-\uFE2F]/),N=n(A,O,"*"),R=n(/[A-Z]/,O,"*"),L=["attached","autoclosure",n(/convention\(/,a("swift","block","c"),/\)/),"discardableResult","dynamicCallable","dynamicMemberLookup","escaping","freestanding","frozen","GKInspectable","IBAction","IBDesignable","IBInspectable","IBOutlet","IBSegueAction","inlinable","main","nonobjc","NSApplicationMain","NSCopying","NSManaged",n(/objc\(/,N,/\)/),"objc","objcMembers","propertyWrapper","requires_stored_property_inits","resultBuilder","Sendable","testable","UIApplicationMain","unchecked","unknown","usableFromInline","warn_unqualified_access"],I=["iOS","iOSApplicationExtension","macOS","macOSApplicationExtension","macCatalyst","macCatalystApplicationExtension","watchOS","watchOSApplicationExtension","tvOS","tvOSApplicationExtension","swift"];function h(k){const F={match:/\s+/,relevance:0},z=k.COMMENT("/\\*","\\*/",{contains:["self"]}),K=[k.C_LINE_COMMENT_MODE,z],ue={match:[/\./,a(...l,...u)],className:{2:"keyword"}},Z={match:n(/\./,a(...d)),relevance:0},fe=d.filter(ke=>typeof ke=="string").concat(["_|0"]),V=d.filter(ke=>typeof ke!="string").concat(c).map(o),ne={variants:[{className:"keyword",match:a(...V,...u)}]},te={$pattern:a(/\b\w+/,/#\w+/),keyword:fe.concat(E),literal:S},G=[ue,Z,ne],se={match:n(/\./,a(...T)),relevance:0},ve={className:"built_in",match:n(/\b/,a(...T),/(?=\()/)},Ge=[se,ve],oe={match:/->/,relevance:0},W={className:"operator",relevance:0,variants:[{match:v},{match:`\\.(\\.|${M})+`}]},Oe=[oe,W],tt="([0-9]_*)+",rt="([0-9a-fA-F]_*)+",bt={className:"number",relevance:0,variants:[{match:`\\b(${tt})(\\.(${tt}))?([eE][+-]?(${tt}))?\\b`},{match:`\\b0x(${rt})(\\.(${rt}))?([pP][+-]?(${tt}))?\\b`},{match:/\b0o([0-7]_*)+\b/},{match:/\b0b([01]_*)+\b/}]},dt=(ke="")=>({className:"subst",variants:[{match:n(/\\/,ke,/[0\\tnr"']/)},{match:n(/\\/,ke,/u\{[0-9a-fA-F]{1,8}\}/)}]}),ct=(ke="")=>({className:"subst",match:n(/\\/,ke,/[\t ]*(?:[\r\n]|\r\n)/)}),Ze=(ke="")=>({className:"subst",label:"interpol",begin:n(/\\/,ke,/\(/),end:/\)/}),nt=(ke="")=>({begin:n(ke,/"""/),end:n(/"""/,ke),contains:[dt(ke),ct(ke),Ze(ke)]}),ce=(ke="")=>({begin:n(ke,/"/),end:n(/"/,ke),contains:[dt(ke),Ze(ke)]}),Ee={className:"string",variants:[nt(),nt("#"),nt("##"),nt("###"),ce(),ce("#"),ce("##"),ce("###")]},He=[k.BACKSLASH_ESCAPE,{begin:/\[/,end:/\]/,relevance:0,contains:[k.BACKSLASH_ESCAPE]}],we={begin:/\/[^\s](?=[^/\n]*\/)/,end:/\//,contains:He},ze=ke=>{const $e=n(ke,/\//),De=n(/\//,ke);return{begin:$e,end:De,contains:[...He,{scope:"comment",begin:`#(?!.*${De})`,end:/$/}]}},pe={scope:"regexp",variants:[ze("###"),ze("##"),ze("#"),we]},Re={match:n(/`/,N,/`/)},Ne={className:"variable",match:/\$\d+/},Ie={className:"variable",match:`\\$${O}+`},Ue=[Re,Ne,Ie],Ve={match:/(@|#(un)?)available/,scope:"keyword",starts:{contains:[{begin:/\(/,end:/\)/,keywords:I,contains:[...Oe,bt,Ee]}]}},lt={scope:"keyword",match:n(/@/,a(...L))},ge={scope:"meta",match:n(/@/,N)},de=[Ve,lt,ge],be={match:t(/\b[A-Z]/),relevance:0,contains:[{className:"type",match:n(/(AV|CA|CF|CG|CI|CL|CM|CN|CT|MK|MP|MTK|MTL|NS|SCN|SK|UI|WK|XC)/,O,"+")},{className:"type",match:R,relevance:0},{match:/[?!]+/,relevance:0},{match:/\.\.\./,relevance:0},{match:n(/\s+&\s+/,t(R)),relevance:0}]},H={begin:/</,end:/>/,keywords:te,contains:[...K,...G,...de,oe,be]};be.contains.push(H);const ee={match:n(N,/\s*:/),keywords:"_|0",relevance:0},_e={begin:/\(/,end:/\)/,relevance:0,keywords:te,contains:["self",ee,...K,pe,...G,...Ge,...Oe,bt,Ee,...Ue,...de,be]},U={begin:/</,end:/>/,keywords:"repeat each",contains:[...K,be]},Q={begin:a(t(n(N,/\s*:/)),t(n(N,/\s+/,N,/\s*:/))),end:/:/,relevance:0,contains:[{className:"keyword",match:/\b_\b/},{className:"params",match:N}]},he={begin:/\(/,end:/\)/,keywords:te,contains:[Q,...K,...G,...Oe,bt,Ee,...de,be,_e],endsParent:!0,illegal:/["']/},Le={match:[/(func|macro)/,/\s+/,a(Re.match,N,v)],className:{1:"keyword",3:"title.function"},contains:[U,he,F],illegal:[/\[/,/%/]},Xe={match:[/\b(?:subscript|init[?!]?)/,/\s*(?=[<(])/],className:{1:"keyword"},contains:[U,he,F],illegal:/\[|%/},je={match:[/operator/,/\s+/,v],className:{1:"keyword",3:"title"}},at={begin:[/precedencegroup/,/\s+/,R],className:{1:"keyword",3:"title"},contains:[be],keywords:[..._,...S],end:/}/};for(const ke of Ee.variants){const $e=ke.contains.find(pt=>pt.label==="interpol");$e.keywords=te;const De=[...G,...Ge,...Oe,bt,Ee,...Ue];$e.contains=[...De,{begin:/\(/,end:/\)/,contains:["self",...De]}]}return{name:"Swift",keywords:te,contains:[...K,Le,Xe,{beginKeywords:"struct protocol class extension enum actor",end:"\\{",excludeEnd:!0,keywords:te,contains:[k.inherit(k.TITLE_MODE,{className:"title.class",begin:/[A-Za-z$_][\u00C0-\u02B80-9A-Za-z$_]*/}),...G]},je,at,{beginKeywords:"import",end:/$/,contains:[...K],relevance:0},pe,...G,...Ge,...Oe,bt,Ee,...Ue,...de,be,_e]}}return Cg=h,Cg}var Ag,T0;function wP(){if(T0)return Ag;T0=1;function e(t){return{name:"Tagger Script",contains:[{className:"comment",begin:/\$noop\(/,end:/\)/,contains:[{begin:/\\[()]/},{begin:/\(/,end:/\)/,contains:[{begin:/\\[()]/},"self"]}],relevance:10},{className:"keyword",begin:/\$[_a-zA-Z0-9]+(?=\()/},{className:"variable",begin:/%[_a-zA-Z0-9:]+%/},{className:"symbol",begin:/\\[\\nt$%,()]/},{className:"symbol",begin:/\\u[a-fA-F0-9]{4}/}]}}return Ag=e,Ag}var Og,y0;function LP(){if(y0)return Og;y0=1;function e(t){const n="true false yes no null",r="[\\w#;/?:@&=+$,.~*'()[\\]]+",a={className:"attr",variants:[{begin:"\\w[\\w :\\/.-]*:(?=[ 	]|$)"},{begin:'"\\w[\\w :\\/.-]*":(?=[ 	]|$)'},{begin:"'\\w[\\w :\\/.-]*':(?=[ 	]|$)"}]},o={className:"template-variable",variants:[{begin:/\{\{/,end:/\}\}/},{begin:/%\{/,end:/\}/}]},l={className:"string",relevance:0,variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/\S+/}],contains:[t.BACKSLASH_ESCAPE,o]},u=t.inherit(l,{variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/[^\s,{}[\]]+/}]}),c="[0-9]{4}(-[0-9][0-9]){0,2}",d="([Tt \\t][0-9][0-9]?(:[0-9][0-9]){2})?",S="(\\.[0-9]*)?",_="([ \\t])*(Z|[-+][0-9][0-9]?(:[0-9][0-9])?)?",E={className:"number",begin:"\\b"+c+d+S+_+"\\b"},T={end:",",endsWithParent:!0,excludeEnd:!0,keywords:n,relevance:0},y={begin:/\{/,end:/\}/,contains:[T],illegal:"\\n",relevance:0},M={begin:"\\[",end:"\\]",contains:[T],illegal:"\\n",relevance:0},v=[a,{className:"meta",begin:"^---\\s*$",relevance:10},{className:"string",begin:"[\\|>]([1-9]?[+-])?[ ]*\\n( +)[^ ][^\\n]*\\n(\\2[^\\n]+\\n?)*"},{begin:"<%[%=-]?",end:"[%-]?%>",subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0,relevance:0},{className:"type",begin:"!\\w+!"+r},{className:"type",begin:"!<"+r+">"},{className:"type",begin:"!"+r},{className:"type",begin:"!!"+r},{className:"meta",begin:"&"+t.UNDERSCORE_IDENT_RE+"$"},{className:"meta",begin:"\\*"+t.UNDERSCORE_IDENT_RE+"$"},{className:"bullet",begin:"-(?=[ ]|$)",relevance:0},t.HASH_COMMENT_MODE,{beginKeywords:n,keywords:{literal:n}},E,{className:"number",begin:t.C_NUMBER_RE+"\\b",relevance:0},y,M,l],A=[...v];return A.pop(),A.push(u),T.contains=A,{name:"YAML",case_insensitive:!0,aliases:["yml"],contains:v}}return Og=e,Og}var Rg,C0;function MP(){if(C0)return Rg;C0=1;function e(t){return{name:"Test Anything Protocol",case_insensitive:!0,contains:[t.HASH_COMMENT_MODE,{className:"meta",variants:[{begin:"^TAP version (\\d+)$"},{begin:"^1\\.\\.(\\d+)$"}]},{begin:/---$/,end:"\\.\\.\\.$",subLanguage:"yaml",relevance:0},{className:"number",begin:" (\\d+) "},{className:"symbol",variants:[{begin:"^ok"},{begin:"^not ok"}]}]}}return Rg=e,Rg}var Ng,A0;function kP(){if(A0)return Ng;A0=1;function e(t){const n=t.regex,r=/[a-zA-Z_][a-zA-Z0-9_]*/,a={className:"number",variants:[t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE]};return{name:"Tcl",aliases:["tk"],keywords:["after","append","apply","array","auto_execok","auto_import","auto_load","auto_mkindex","auto_mkindex_old","auto_qualify","auto_reset","bgerror","binary","break","catch","cd","chan","clock","close","concat","continue","dde","dict","encoding","eof","error","eval","exec","exit","expr","fblocked","fconfigure","fcopy","file","fileevent","filename","flush","for","foreach","format","gets","glob","global","history","http","if","incr","info","interp","join","lappend|10","lassign|10","lindex|10","linsert|10","list","llength|10","load","lrange|10","lrepeat|10","lreplace|10","lreverse|10","lsearch|10","lset|10","lsort|10","mathfunc","mathop","memory","msgcat","namespace","open","package","parray","pid","pkg::create","pkg_mkIndex","platform","platform::shell","proc","puts","pwd","read","refchan","regexp","registry","regsub|10","rename","return","safe","scan","seek","set","socket","source","split","string","subst","switch","tcl_endOfWord","tcl_findLibrary","tcl_startOfNextWord","tcl_startOfPreviousWord","tcl_wordBreakAfter","tcl_wordBreakBefore","tcltest","tclvars","tell","time","tm","trace","unknown","unload","unset","update","uplevel","upvar","variable","vwait","while"],contains:[t.COMMENT(";[ \\t]*#","$"),t.COMMENT("^[ \\t]*#","$"),{beginKeywords:"proc",end:"[\\{]",excludeEnd:!0,contains:[{className:"title",begin:"[ \\t\\n\\r]+(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",end:"[ \\t\\n\\r]",endsWithParent:!0,excludeEnd:!0}]},{className:"variable",variants:[{begin:n.concat(/\$/,n.optional(/::/),r,"(::",r,")*")},{begin:"\\$\\{(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",end:"\\}",contains:[a]}]},{className:"string",contains:[t.BACKSLASH_ESCAPE],variants:[t.inherit(t.QUOTE_STRING_MODE,{illegal:null})]},a]}}return Ng=e,Ng}var Ig,O0;function PP(){if(O0)return Ig;O0=1;function e(t){const n=["bool","byte","i16","i32","i64","double","string","binary"];return{name:"Thrift",keywords:{keyword:["namespace","const","typedef","struct","enum","service","exception","void","oneway","set","list","map","required","optional"],type:n,literal:"true false"},contains:[t.QUOTE_STRING_MODE,t.NUMBER_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"class",beginKeywords:"struct enum service exception",end:/\{/,illegal:/\n/,contains:[t.inherit(t.TITLE_MODE,{starts:{endsWithParent:!0,excludeEnd:!0}})]},{begin:"\\b(set|list|map)\\s*<",keywords:{type:[...n,"set","list","map"]},end:">",contains:["self"]}]}}return Ig=e,Ig}var Dg,R0;function FP(){if(R0)return Dg;R0=1;function e(t){const n={className:"number",begin:"[1-9][0-9]*",relevance:0},r={className:"symbol",begin:":[^\\]]+"},a={className:"built_in",begin:"(AR|P|PAYLOAD|PR|R|SR|RSR|LBL|VR|UALM|MESSAGE|UTOOL|UFRAME|TIMER|TIMER_OVERFLOW|JOINT_MAX_SPEED|RESUME_PROG|DIAG_REC)\\[",end:"\\]",contains:["self",n,r]},o={className:"built_in",begin:"(AI|AO|DI|DO|F|RI|RO|UI|UO|GI|GO|SI|SO)\\[",end:"\\]",contains:["self",n,t.QUOTE_STRING_MODE,r]};return{name:"TP",keywords:{keyword:["ABORT","ACC","ADJUST","AND","AP_LD","BREAK","CALL","CNT","COL","CONDITION","CONFIG","DA","DB","DIV","DETECT","ELSE","END","ENDFOR","ERR_NUM","ERROR_PROG","FINE","FOR","GP","GUARD","INC","IF","JMP","LINEAR_MAX_SPEED","LOCK","MOD","MONITOR","OFFSET","Offset","OR","OVERRIDE","PAUSE","PREG","PTH","RT_LD","RUN","SELECT","SKIP","Skip","TA","TB","TO","TOOL_OFFSET","Tool_Offset","UF","UT","UFRAME_NUM","UTOOL_NUM","UNLOCK","WAIT","X","Y","Z","W","P","R","STRLEN","SUBSTR","FINDSTR","VOFFSET","PROG","ATTR","MN","POS"],literal:["ON","OFF","max_speed","LPOS","JPOS","ENABLE","DISABLE","START","STOP","RESET"]},contains:[a,o,{className:"keyword",begin:"/(PROG|ATTR|MN|POS|END)\\b"},{className:"keyword",begin:"(CALL|RUN|POINT_LOGIC|LBL)\\b"},{className:"keyword",begin:"\\b(ACC|CNT|Skip|Offset|PSPD|RT_LD|AP_LD|Tool_Offset)"},{className:"number",begin:"\\d+(sec|msec|mm/sec|cm/min|inch/min|deg/sec|mm|in|cm)?\\b",relevance:0},t.COMMENT("//","[;$]"),t.COMMENT("!","[;$]"),t.COMMENT("--eg:","$"),t.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"'"},t.C_NUMBER_MODE,{className:"variable",begin:"\\$[A-Za-z0-9_]+"}]}}return Dg=e,Dg}var xg,N0;function BP(){if(N0)return xg;N0=1;function e(t){const n=t.regex,r=["absolute_url","asset|0","asset_version","attribute","block","constant","controller|0","country_timezones","csrf_token","cycle","date","dump","expression","form|0","form_end","form_errors","form_help","form_label","form_rest","form_row","form_start","form_widget","html_classes","include","is_granted","logout_path","logout_url","max","min","parent","path|0","random","range","relative_path","render","render_esi","source","template_from_string","url|0"],a=["abs","abbr_class","abbr_method","batch","capitalize","column","convert_encoding","country_name","currency_name","currency_symbol","data_uri","date","date_modify","default","escape","file_excerpt","file_link","file_relative","filter","first","format","format_args","format_args_as_text","format_currency","format_date","format_datetime","format_file","format_file_from_text","format_number","format_time","html_to_markdown","humanize","inky_to_html","inline_css","join","json_encode","keys","language_name","last","length","locale_name","lower","map","markdown","markdown_to_html","merge","nl2br","number_format","raw","reduce","replace","reverse","round","slice","slug","sort","spaceless","split","striptags","timezone_name","title","trans","transchoice","trim","u|0","upper","url_encode","yaml_dump","yaml_encode"];let o=["apply","autoescape","block","cache","deprecated","do","embed","extends","filter","flush","for","form_theme","from","if","import","include","macro","sandbox","set","stopwatch","trans","trans_default_domain","transchoice","use","verbatim","with"];o=o.concat(o.map(M=>`end${M}`));const l={scope:"string",variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/}]},u={scope:"number",match:/\d+/},c={begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,contains:[l,u]},d={beginKeywords:r.join(" "),keywords:{name:r},relevance:0,contains:[c]},S={match:/\|(?=[A-Za-z_]+:?)/,beginScope:"punctuation",relevance:0,contains:[{match:/[A-Za-z_]+:?/,keywords:a}]},_=(M,{relevance:v})=>({beginScope:{1:"template-tag",3:"name"},relevance:v||2,endScope:"template-tag",begin:[/\{%/,/\s*/,n.either(...M)],end:/%\}/,keywords:"in",contains:[S,d,l,u]}),E=/[a-z_]+/,T=_(o,{relevance:2}),y=_([E],{relevance:1});return{name:"Twig",aliases:["craftcms"],case_insensitive:!0,subLanguage:"xml",contains:[t.COMMENT(/\{#/,/#\}/),T,y,{className:"template-variable",begin:/\{\{/,end:/\}\}/,contains:["self",S,d,l,u]}]}}return xg=e,xg}var wg,I0;function UP(){if(I0)return wg;I0=1;const e="[A-Za-z$_][0-9A-Za-z$_]*",t=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],n=["true","false","null","undefined","NaN","Infinity"],r=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],a=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],o=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],l=["arguments","this","super","console","window","document","localStorage","sessionStorage","module","global"],u=[].concat(o,r,a);function c(S){const _=S.regex,E=(dt,{after:ct})=>{const Ze="</"+dt[0].slice(1);return dt.input.indexOf(Ze,ct)!==-1},T=e,y={begin:"<>",end:"</>"},M=/<[A-Za-z0-9\\._:-]+\s*\/>/,v={begin:/<[A-Za-z0-9\\._:-]+/,end:/\/[A-Za-z0-9\\._:-]+>|\/>/,isTrulyOpeningTag:(dt,ct)=>{const Ze=dt[0].length+dt.index,nt=dt.input[Ze];if(nt==="<"||nt===","){ct.ignoreMatch();return}nt===">"&&(E(dt,{after:Ze})||ct.ignoreMatch());let ce;const Ee=dt.input.substring(Ze);if(ce=Ee.match(/^\s*=/)){ct.ignoreMatch();return}if((ce=Ee.match(/^\s+extends\s+/))&&ce.index===0){ct.ignoreMatch();return}}},A={$pattern:e,keyword:t,literal:n,built_in:u,"variable.language":l},O="[0-9](_?[0-9])*",N=`\\.(${O})`,R="0|[1-9](_?[0-9])*|0[0-7]*[89][0-9]*",L={className:"number",variants:[{begin:`(\\b(${R})((${N})|\\.)?|(${N}))[eE][+-]?(${O})\\b`},{begin:`\\b(${R})\\b((${N})\\b|\\.)?|(${N})\\b`},{begin:"\\b(0|[1-9](_?[0-9])*)n\\b"},{begin:"\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*n?\\b"},{begin:"\\b0[bB][0-1](_?[0-1])*n?\\b"},{begin:"\\b0[oO][0-7](_?[0-7])*n?\\b"},{begin:"\\b0[0-7]+n?\\b"}],relevance:0},I={className:"subst",begin:"\\$\\{",end:"\\}",keywords:A,contains:[]},h={begin:"html`",end:"",starts:{end:"`",returnEnd:!1,contains:[S.BACKSLASH_ESCAPE,I],subLanguage:"xml"}},k={begin:"css`",end:"",starts:{end:"`",returnEnd:!1,contains:[S.BACKSLASH_ESCAPE,I],subLanguage:"css"}},F={begin:"gql`",end:"",starts:{end:"`",returnEnd:!1,contains:[S.BACKSLASH_ESCAPE,I],subLanguage:"graphql"}},z={className:"string",begin:"`",end:"`",contains:[S.BACKSLASH_ESCAPE,I]},ue={className:"comment",variants:[S.COMMENT(/\/\*\*(?!\/)/,"\\*/",{relevance:0,contains:[{begin:"(?=@[A-Za-z]+)",relevance:0,contains:[{className:"doctag",begin:"@[A-Za-z]+"},{className:"type",begin:"\\{",end:"\\}",excludeEnd:!0,excludeBegin:!0,relevance:0},{className:"variable",begin:T+"(?=\\s*(-)|$)",endsParent:!0,relevance:0},{begin:/(?=[^\n])\s/,relevance:0}]}]}),S.C_BLOCK_COMMENT_MODE,S.C_LINE_COMMENT_MODE]},Z=[S.APOS_STRING_MODE,S.QUOTE_STRING_MODE,h,k,F,z,{match:/\$\d+/},L];I.contains=Z.concat({begin:/\{/,end:/\}/,keywords:A,contains:["self"].concat(Z)});const fe=[].concat(ue,I.contains),V=fe.concat([{begin:/\(/,end:/\)/,keywords:A,contains:["self"].concat(fe)}]),ne={className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:A,contains:V},te={variants:[{match:[/class/,/\s+/,T,/\s+/,/extends/,/\s+/,_.concat(T,"(",_.concat(/\./,T),")*")],scope:{1:"keyword",3:"title.class",5:"keyword",7:"title.class.inherited"}},{match:[/class/,/\s+/,T],scope:{1:"keyword",3:"title.class"}}]},G={relevance:0,match:_.either(/\bJSON/,/\b[A-Z][a-z]+([A-Z][a-z]*|\d)*/,/\b[A-Z]{2,}([A-Z][a-z]+|\d)+([A-Z][a-z]*)*/,/\b[A-Z]{2,}[a-z]+([A-Z][a-z]+|\d)*([A-Z][a-z]*)*/),className:"title.class",keywords:{_:[...r,...a]}},se={label:"use_strict",className:"meta",relevance:10,begin:/^\s*['"]use (strict|asm)['"]/},ve={variants:[{match:[/function/,/\s+/,T,/(?=\s*\()/]},{match:[/function/,/\s*(?=\()/]}],className:{1:"keyword",3:"title.function"},label:"func.def",contains:[ne],illegal:/%/},Ge={relevance:0,match:/\b[A-Z][A-Z_0-9]+\b/,className:"variable.constant"};function oe(dt){return _.concat("(?!",dt.join("|"),")")}const W={match:_.concat(/\b/,oe([...o,"super","import"]),T,_.lookahead(/\(/)),className:"title.function",relevance:0},Oe={begin:_.concat(/\./,_.lookahead(_.concat(T,/(?![0-9A-Za-z$_(])/))),end:T,excludeBegin:!0,keywords:"prototype",className:"property",relevance:0},tt={match:[/get|set/,/\s+/,T,/(?=\()/],className:{1:"keyword",3:"title.function"},contains:[{begin:/\(\)/},ne]},rt="(\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)|"+S.UNDERSCORE_IDENT_RE+")\\s*=>",bt={match:[/const|var|let/,/\s+/,T,/\s*/,/=\s*/,/(async\s*)?/,_.lookahead(rt)],keywords:"async",className:{1:"keyword",3:"title.function"},contains:[ne]};return{name:"JavaScript",aliases:["js","jsx","mjs","cjs"],keywords:A,exports:{PARAMS_CONTAINS:V,CLASS_REFERENCE:G},illegal:/#(?![$_A-z])/,contains:[S.SHEBANG({label:"shebang",binary:"node",relevance:5}),se,S.APOS_STRING_MODE,S.QUOTE_STRING_MODE,h,k,F,z,ue,{match:/\$\d+/},L,G,{className:"attr",begin:T+_.lookahead(":"),relevance:0},bt,{begin:"("+S.RE_STARTERS_RE+"|\\b(case|return|throw)\\b)\\s*",keywords:"return throw case",relevance:0,contains:[ue,S.REGEXP_MODE,{className:"function",begin:rt,returnBegin:!0,end:"\\s*=>",contains:[{className:"params",variants:[{begin:S.UNDERSCORE_IDENT_RE,relevance:0},{className:null,begin:/\(\s*\)/,skip:!0},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:A,contains:V}]}]},{begin:/,/,relevance:0},{match:/\s+/,relevance:0},{variants:[{begin:y.begin,end:y.end},{match:M},{begin:v.begin,"on:begin":v.isTrulyOpeningTag,end:v.end}],subLanguage:"xml",contains:[{begin:v.begin,end:v.end,skip:!0,contains:["self"]}]}]},ve,{beginKeywords:"while if switch catch for"},{begin:"\\b(?!function)"+S.UNDERSCORE_IDENT_RE+"\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)\\s*\\{",returnBegin:!0,label:"func.def",contains:[ne,S.inherit(S.TITLE_MODE,{begin:T,className:"title.function"})]},{match:/\.\.\./,relevance:0},Oe,{match:"\\$"+T,relevance:0},{match:[/\bconstructor(?=\s*\()/],className:{1:"title.function"},contains:[ne]},W,Ge,te,tt,{match:/\$[(.]/}]}}function d(S){const _=c(S),E=e,T=["any","void","number","boolean","string","object","never","symbol","bigint","unknown"],y={beginKeywords:"namespace",end:/\{/,excludeEnd:!0,contains:[_.exports.CLASS_REFERENCE]},M={beginKeywords:"interface",end:/\{/,excludeEnd:!0,keywords:{keyword:"interface extends",built_in:T},contains:[_.exports.CLASS_REFERENCE]},v={className:"meta",relevance:10,begin:/^\s*['"]use strict['"]/},A=["type","namespace","interface","public","private","protected","implements","declare","abstract","readonly","enum","override"],O={$pattern:e,keyword:t.concat(A),literal:n,built_in:u.concat(T),"variable.language":l},N={className:"meta",begin:"@"+E},R=(I,h,k)=>{const F=I.contains.findIndex(z=>z.label===h);if(F===-1)throw new Error("can not find mode to replace");I.contains.splice(F,1,k)};Object.assign(_.keywords,O),_.exports.PARAMS_CONTAINS.push(N),_.contains=_.contains.concat([N,y,M]),R(_,"shebang",S.SHEBANG()),R(_,"use_strict",v);const L=_.contains.find(I=>I.label==="func.def");return L.relevance=0,Object.assign(_,{name:"TypeScript",aliases:["ts","tsx","mts","cts"]}),_}return wg=d,wg}var Lg,D0;function GP(){if(D0)return Lg;D0=1;function e(t){return{name:"Vala",keywords:{keyword:"char uchar unichar int uint long ulong short ushort int8 int16 int32 int64 uint8 uint16 uint32 uint64 float double bool struct enum string void weak unowned owned async signal static abstract interface override virtual delegate if while do for foreach else switch case break default return try catch public private protected internal using new this get set const stdout stdin stderr var",built_in:"DBus GLib CCode Gee Object Gtk Posix",literal:"false true null"},contains:[{className:"class",beginKeywords:"class interface namespace",end:/\{/,excludeEnd:!0,illegal:"[^,:\\n\\s\\.]",contains:[t.UNDERSCORE_TITLE_MODE]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"string",begin:'"""',end:'"""',relevance:5},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,{className:"meta",begin:"^#",end:"$"}]}}return Lg=e,Lg}var Mg,x0;function HP(){if(x0)return Mg;x0=1;function e(t){const n=t.regex,r={className:"string",begin:/"(""|[^/n])"C\b/},a={className:"string",begin:/"/,end:/"/,illegal:/\n/,contains:[{begin:/""/}]},o=/\d{1,2}\/\d{1,2}\/\d{4}/,l=/\d{4}-\d{1,2}-\d{1,2}/,u=/(\d|1[012])(:\d+){0,2} *(AM|PM)/,c=/\d{1,2}(:\d{1,2}){1,2}/,d={className:"literal",variants:[{begin:n.concat(/# */,n.either(l,o),/ *#/)},{begin:n.concat(/# */,c,/ *#/)},{begin:n.concat(/# */,u,/ *#/)},{begin:n.concat(/# */,n.either(l,o),/ +/,n.either(u,c),/ *#/)}]},S={className:"number",relevance:0,variants:[{begin:/\b\d[\d_]*((\.[\d_]+(E[+-]?[\d_]+)?)|(E[+-]?[\d_]+))[RFD@!#]?/},{begin:/\b\d[\d_]*((U?[SIL])|[%&])?/},{begin:/&H[\dA-F_]+((U?[SIL])|[%&])?/},{begin:/&O[0-7_]+((U?[SIL])|[%&])?/},{begin:/&B[01_]+((U?[SIL])|[%&])?/}]},_={className:"label",begin:/^\w+:/},E=t.COMMENT(/'''/,/$/,{contains:[{className:"doctag",begin:/<\/?/,end:/>/}]}),T=t.COMMENT(null,/$/,{variants:[{begin:/'/},{begin:/([\t ]|^)REM(?=\s)/}]});return{name:"Visual Basic .NET",aliases:["vb"],case_insensitive:!0,classNameAliases:{label:"symbol"},keywords:{keyword:"addhandler alias aggregate ansi as async assembly auto binary by byref byval call case catch class compare const continue custom declare default delegate dim distinct do each equals else elseif end enum erase error event exit explicit finally for friend from function get global goto group handles if implements imports in inherits interface into iterator join key let lib loop me mid module mustinherit mustoverride mybase myclass namespace narrowing new next notinheritable notoverridable of off on operator option optional order overloads overridable overrides paramarray partial preserve private property protected public raiseevent readonly redim removehandler resume return select set shadows shared skip static step stop structure strict sub synclock take text then throw to try unicode until using when where while widening with withevents writeonly yield",built_in:"addressof and andalso await directcast gettype getxmlnamespace is isfalse isnot istrue like mod nameof new not or orelse trycast typeof xor cbool cbyte cchar cdate cdbl cdec cint clng cobj csbyte cshort csng cstr cuint culng cushort",type:"boolean byte char date decimal double integer long object sbyte short single string uinteger ulong ushort",literal:"true false nothing"},illegal:"//|\\{|\\}|endif|gosub|variant|wend|^\\$ ",contains:[r,a,d,S,_,E,T,{className:"meta",begin:/[\t ]*#(const|disable|else|elseif|enable|end|externalsource|if|region)\b/,end:/$/,keywords:{keyword:"const disable else elseif enable end externalsource if region then"},contains:[T]}]}}return Mg=e,Mg}var kg,w0;function qP(){if(w0)return kg;w0=1;function e(t){const n=t.regex,r=["lcase","month","vartype","instrrev","ubound","setlocale","getobject","rgb","getref","string","weekdayname","rnd","dateadd","monthname","now","day","minute","isarray","cbool","round","formatcurrency","conversions","csng","timevalue","second","year","space","abs","clng","timeserial","fixs","len","asc","isempty","maths","dateserial","atn","timer","isobject","filter","weekday","datevalue","ccur","isdate","instr","datediff","formatdatetime","replace","isnull","right","sgn","array","snumeric","log","cdbl","hex","chr","lbound","msgbox","ucase","getlocale","cos","cdate","cbyte","rtrim","join","hour","oct","typename","trim","strcomp","int","createobject","loadpicture","tan","formatnumber","mid","split","cint","sin","datepart","ltrim","sqr","time","derived","eval","date","formatpercent","exp","inputbox","left","ascw","chrw","regexp","cstr","err"],a=["server","response","request","scriptengine","scriptenginebuildversion","scriptengineminorversion","scriptenginemajorversion"],o={begin:n.concat(n.either(...r),"\\s*\\("),relevance:0,keywords:{built_in:r}};return{name:"VBScript",aliases:["vbs"],case_insensitive:!0,keywords:{keyword:["call","class","const","dim","do","loop","erase","execute","executeglobal","exit","for","each","next","function","if","then","else","on","error","option","explicit","new","private","property","let","get","public","randomize","redim","rem","select","case","set","stop","sub","while","wend","with","end","to","elseif","is","or","xor","and","not","class_initialize","class_terminate","default","preserve","in","me","byval","byref","step","resume","goto"],built_in:a,literal:["true","false","null","nothing","empty"]},illegal:"//",contains:[o,t.inherit(t.QUOTE_STRING_MODE,{contains:[{begin:'""'}]}),t.COMMENT(/'/,/$/,{relevance:0}),t.C_NUMBER_MODE]}}return kg=e,kg}var Pg,L0;function YP(){if(L0)return Pg;L0=1;function e(t){return{name:"VBScript in HTML",subLanguage:"xml",contains:[{begin:"<%",end:"%>",subLanguage:"vbscript"}]}}return Pg=e,Pg}var Fg,M0;function WP(){if(M0)return Fg;M0=1;function e(t){const n=t.regex,r={$pattern:/\$?[\w]+(\$[\w]+)*/,keyword:["accept_on","alias","always","always_comb","always_ff","always_latch","and","assert","assign","assume","automatic","before","begin","bind","bins","binsof","bit","break","buf|0","bufif0","bufif1","byte","case","casex","casez","cell","chandle","checker","class","clocking","cmos","config","const","constraint","context","continue","cover","covergroup","coverpoint","cross","deassign","default","defparam","design","disable","dist","do","edge","else","end","endcase","endchecker","endclass","endclocking","endconfig","endfunction","endgenerate","endgroup","endinterface","endmodule","endpackage","endprimitive","endprogram","endproperty","endspecify","endsequence","endtable","endtask","enum","event","eventually","expect","export","extends","extern","final","first_match","for","force","foreach","forever","fork","forkjoin","function","generate|5","genvar","global","highz0","highz1","if","iff","ifnone","ignore_bins","illegal_bins","implements","implies","import","incdir","include","initial","inout","input","inside","instance","int","integer","interconnect","interface","intersect","join","join_any","join_none","large","let","liblist","library","local","localparam","logic","longint","macromodule","matches","medium","modport","module","nand","negedge","nettype","new","nexttime","nmos","nor","noshowcancelled","not","notif0","notif1","or","output","package","packed","parameter","pmos","posedge","primitive","priority","program","property","protected","pull0","pull1","pulldown","pullup","pulsestyle_ondetect","pulsestyle_onevent","pure","rand","randc","randcase","randsequence","rcmos","real","realtime","ref","reg","reject_on","release","repeat","restrict","return","rnmos","rpmos","rtran","rtranif0","rtranif1","s_always","s_eventually","s_nexttime","s_until","s_until_with","scalared","sequence","shortint","shortreal","showcancelled","signed","small","soft","solve","specify","specparam","static","string","strong","strong0","strong1","struct","super","supply0","supply1","sync_accept_on","sync_reject_on","table","tagged","task","this","throughout","time","timeprecision","timeunit","tran","tranif0","tranif1","tri","tri0","tri1","triand","trior","trireg","type","typedef","union","unique","unique0","unsigned","until","until_with","untyped","use","uwire","var","vectored","virtual","void","wait","wait_order","wand","weak","weak0","weak1","while","wildcard","wire","with","within","wor","xnor","xor"],literal:["null"],built_in:["$finish","$stop","$exit","$fatal","$error","$warning","$info","$realtime","$time","$printtimescale","$bitstoreal","$bitstoshortreal","$itor","$signed","$cast","$bits","$stime","$timeformat","$realtobits","$shortrealtobits","$rtoi","$unsigned","$asserton","$assertkill","$assertpasson","$assertfailon","$assertnonvacuouson","$assertoff","$assertcontrol","$assertpassoff","$assertfailoff","$assertvacuousoff","$isunbounded","$sampled","$fell","$changed","$past_gclk","$fell_gclk","$changed_gclk","$rising_gclk","$steady_gclk","$coverage_control","$coverage_get","$coverage_save","$set_coverage_db_name","$rose","$stable","$past","$rose_gclk","$stable_gclk","$future_gclk","$falling_gclk","$changing_gclk","$display","$coverage_get_max","$coverage_merge","$get_coverage","$load_coverage_db","$typename","$unpacked_dimensions","$left","$low","$increment","$clog2","$ln","$log10","$exp","$sqrt","$pow","$floor","$ceil","$sin","$cos","$tan","$countbits","$onehot","$isunknown","$fatal","$warning","$dimensions","$right","$high","$size","$asin","$acos","$atan","$atan2","$hypot","$sinh","$cosh","$tanh","$asinh","$acosh","$atanh","$countones","$onehot0","$error","$info","$random","$dist_chi_square","$dist_erlang","$dist_exponential","$dist_normal","$dist_poisson","$dist_t","$dist_uniform","$q_initialize","$q_remove","$q_exam","$async$and$array","$async$nand$array","$async$or$array","$async$nor$array","$sync$and$array","$sync$nand$array","$sync$or$array","$sync$nor$array","$q_add","$q_full","$psprintf","$async$and$plane","$async$nand$plane","$async$or$plane","$async$nor$plane","$sync$and$plane","$sync$nand$plane","$sync$or$plane","$sync$nor$plane","$system","$display","$displayb","$displayh","$displayo","$strobe","$strobeb","$strobeh","$strobeo","$write","$readmemb","$readmemh","$writememh","$value$plusargs","$dumpvars","$dumpon","$dumplimit","$dumpports","$dumpportson","$dumpportslimit","$writeb","$writeh","$writeo","$monitor","$monitorb","$monitorh","$monitoro","$writememb","$dumpfile","$dumpoff","$dumpall","$dumpflush","$dumpportsoff","$dumpportsall","$dumpportsflush","$fclose","$fdisplay","$fdisplayb","$fdisplayh","$fdisplayo","$fstrobe","$fstrobeb","$fstrobeh","$fstrobeo","$swrite","$swriteb","$swriteh","$swriteo","$fscanf","$fread","$fseek","$fflush","$feof","$fopen","$fwrite","$fwriteb","$fwriteh","$fwriteo","$fmonitor","$fmonitorb","$fmonitorh","$fmonitoro","$sformat","$sformatf","$fgetc","$ungetc","$fgets","$sscanf","$rewind","$ftell","$ferror"]},a=["__FILE__","__LINE__"],o=["begin_keywords","celldefine","default_nettype","default_decay_time","default_trireg_strength","define","delay_mode_distributed","delay_mode_path","delay_mode_unit","delay_mode_zero","else","elsif","end_keywords","endcelldefine","endif","ifdef","ifndef","include","line","nounconnected_drive","pragma","resetall","timescale","unconnected_drive","undef","undefineall"];return{name:"Verilog",aliases:["v","sv","svh"],case_insensitive:!1,keywords:r,contains:[t.C_BLOCK_COMMENT_MODE,t.C_LINE_COMMENT_MODE,t.QUOTE_STRING_MODE,{scope:"number",contains:[t.BACKSLASH_ESCAPE],variants:[{begin:/\b((\d+'([bhodBHOD]))[0-9xzXZa-fA-F_]+)/},{begin:/\B(('([bhodBHOD]))[0-9xzXZa-fA-F_]+)/},{begin:/\b[0-9][0-9_]*/,relevance:0}]},{scope:"variable",variants:[{begin:"#\\((?!parameter).+\\)"},{begin:"\\.\\w+",relevance:0}]},{scope:"variable.constant",match:n.concat(/`/,n.either(...a))},{scope:"meta",begin:n.concat(/`/,n.either(...o)),end:/$|\/\/|\/\*/,returnEnd:!0,keywords:o}]}}return Fg=e,Fg}var Bg,k0;function VP(){if(k0)return Bg;k0=1;function e(t){const n="\\d(_|\\d)*",r="[eE][-+]?"+n,a=n+"(\\."+n+")?("+r+")?",o="\\w+",u="\\b("+(n+"#"+o+"(\\."+o+")?#("+r+")?")+"|"+a+")";return{name:"VHDL",case_insensitive:!0,keywords:{keyword:["abs","access","after","alias","all","and","architecture","array","assert","assume","assume_guarantee","attribute","begin","block","body","buffer","bus","case","component","configuration","constant","context","cover","disconnect","downto","default","else","elsif","end","entity","exit","fairness","file","for","force","function","generate","generic","group","guarded","if","impure","in","inertial","inout","is","label","library","linkage","literal","loop","map","mod","nand","new","next","nor","not","null","of","on","open","or","others","out","package","parameter","port","postponed","procedure","process","property","protected","pure","range","record","register","reject","release","rem","report","restrict","restrict_guarantee","return","rol","ror","select","sequence","severity","shared","signal","sla","sll","sra","srl","strong","subtype","then","to","transport","type","unaffected","units","until","use","variable","view","vmode","vprop","vunit","wait","when","while","with","xnor","xor"],built_in:["boolean","bit","character","integer","time","delay_length","natural","positive","string","bit_vector","file_open_kind","file_open_status","std_logic","std_logic_vector","unsigned","signed","boolean_vector","integer_vector","std_ulogic","std_ulogic_vector","unresolved_unsigned","u_unsigned","unresolved_signed","u_signed","real_vector","time_vector"],literal:["false","true","note","warning","error","failure","line","text","side","width"]},illegal:/\{/,contains:[t.C_BLOCK_COMMENT_MODE,t.COMMENT("--","$"),t.QUOTE_STRING_MODE,{className:"number",begin:u,relevance:0},{className:"string",begin:"'(U|X|0|1|Z|W|L|H|-)'",contains:[t.BACKSLASH_ESCAPE]},{className:"symbol",begin:"'[A-Za-z](_?[A-Za-z0-9])*",contains:[t.BACKSLASH_ESCAPE]}]}}return Bg=e,Bg}var Ug,P0;function zP(){if(P0)return Ug;P0=1;function e(t){return{name:"Vim Script",keywords:{$pattern:/[!#@\w]+/,keyword:"N|0 P|0 X|0 a|0 ab abc abo al am an|0 ar arga argd arge argdo argg argl argu as au aug aun b|0 bN ba bad bd be bel bf bl bm bn bo bp br brea breaka breakd breakl bro bufdo buffers bun bw c|0 cN cNf ca cabc caddb cad caddf cal cat cb cc ccl cd ce cex cf cfir cgetb cgete cg changes chd che checkt cl cla clo cm cmapc cme cn cnew cnf cno cnorea cnoreme co col colo com comc comp con conf cope cp cpf cq cr cs cst cu cuna cunme cw delm deb debugg delc delf dif diffg diffo diffp diffpu diffs diffthis dig di dl dell dj dli do doautoa dp dr ds dsp e|0 ea ec echoe echoh echom echon el elsei em en endfo endf endt endw ene ex exe exi exu f|0 files filet fin fina fini fir fix fo foldc foldd folddoc foldo for fu go gr grepa gu gv ha helpf helpg helpt hi hid his ia iabc if ij il im imapc ime ino inorea inoreme int is isp iu iuna iunme j|0 ju k|0 keepa kee keepj lN lNf l|0 lad laddb laddf la lan lat lb lc lch lcl lcs le lefta let lex lf lfir lgetb lgete lg lgr lgrepa lh ll lla lli lmak lm lmapc lne lnew lnf ln loadk lo loc lockv lol lope lp lpf lr ls lt lu lua luad luaf lv lvimgrepa lw m|0 ma mak map mapc marks mat me menut mes mk mks mksp mkv mkvie mod mz mzf nbc nb nbs new nm nmapc nme nn nnoreme noa no noh norea noreme norm nu nun nunme ol o|0 om omapc ome on ono onoreme opt ou ounme ow p|0 profd prof pro promptr pc ped pe perld po popu pp pre prev ps pt ptN ptf ptj ptl ptn ptp ptr pts pu pw py3 python3 py3d py3f py pyd pyf quita qa rec red redi redr redraws reg res ret retu rew ri rightb rub rubyd rubyf rund ru rv sN san sa sal sav sb sbN sba sbf sbl sbm sbn sbp sbr scrip scripte scs se setf setg setl sf sfir sh sim sig sil sl sla sm smap smapc sme sn sni sno snor snoreme sor so spelld spe spelli spellr spellu spellw sp spr sre st sta startg startr star stopi stj sts sun sunm sunme sus sv sw sy synti sync tN tabN tabc tabdo tabe tabf tabfir tabl tabm tabnew tabn tabo tabp tabr tabs tab ta tags tc tcld tclf te tf th tj tl tm tn to tp tr try ts tu u|0 undoj undol una unh unl unlo unm unme uns up ve verb vert vim vimgrepa vi viu vie vm vmapc vme vne vn vnoreme vs vu vunme windo w|0 wN wa wh wi winc winp wn wp wq wqa ws wu wv x|0 xa xmapc xm xme xn xnoreme xu xunme y|0 z|0 ~ Next Print append abbreviate abclear aboveleft all amenu anoremenu args argadd argdelete argedit argglobal arglocal argument ascii autocmd augroup aunmenu buffer bNext ball badd bdelete behave belowright bfirst blast bmodified bnext botright bprevious brewind break breakadd breakdel breaklist browse bunload bwipeout change cNext cNfile cabbrev cabclear caddbuffer caddexpr caddfile call catch cbuffer cclose center cexpr cfile cfirst cgetbuffer cgetexpr cgetfile chdir checkpath checktime clist clast close cmap cmapclear cmenu cnext cnewer cnfile cnoremap cnoreabbrev cnoremenu copy colder colorscheme command comclear compiler continue confirm copen cprevious cpfile cquit crewind cscope cstag cunmap cunabbrev cunmenu cwindow delete delmarks debug debuggreedy delcommand delfunction diffupdate diffget diffoff diffpatch diffput diffsplit digraphs display deletel djump dlist doautocmd doautoall deletep drop dsearch dsplit edit earlier echo echoerr echohl echomsg else elseif emenu endif endfor endfunction endtry endwhile enew execute exit exusage file filetype find finally finish first fixdel fold foldclose folddoopen folddoclosed foldopen function global goto grep grepadd gui gvim hardcopy help helpfind helpgrep helptags highlight hide history insert iabbrev iabclear ijump ilist imap imapclear imenu inoremap inoreabbrev inoremenu intro isearch isplit iunmap iunabbrev iunmenu join jumps keepalt keepmarks keepjumps lNext lNfile list laddexpr laddbuffer laddfile last language later lbuffer lcd lchdir lclose lcscope left leftabove lexpr lfile lfirst lgetbuffer lgetexpr lgetfile lgrep lgrepadd lhelpgrep llast llist lmake lmap lmapclear lnext lnewer lnfile lnoremap loadkeymap loadview lockmarks lockvar lolder lopen lprevious lpfile lrewind ltag lunmap luado luafile lvimgrep lvimgrepadd lwindow move mark make mapclear match menu menutranslate messages mkexrc mksession mkspell mkvimrc mkview mode mzscheme mzfile nbclose nbkey nbsart next nmap nmapclear nmenu nnoremap nnoremenu noautocmd noremap nohlsearch noreabbrev noremenu normal number nunmap nunmenu oldfiles open omap omapclear omenu only onoremap onoremenu options ounmap ounmenu ownsyntax print profdel profile promptfind promptrepl pclose pedit perl perldo pop popup ppop preserve previous psearch ptag ptNext ptfirst ptjump ptlast ptnext ptprevious ptrewind ptselect put pwd py3do py3file python pydo pyfile quit quitall qall read recover redo redir redraw redrawstatus registers resize retab return rewind right rightbelow ruby rubydo rubyfile rundo runtime rviminfo substitute sNext sandbox sargument sall saveas sbuffer sbNext sball sbfirst sblast sbmodified sbnext sbprevious sbrewind scriptnames scriptencoding scscope set setfiletype setglobal setlocal sfind sfirst shell simalt sign silent sleep slast smagic smapclear smenu snext sniff snomagic snoremap snoremenu sort source spelldump spellgood spellinfo spellrepall spellundo spellwrong split sprevious srewind stop stag startgreplace startreplace startinsert stopinsert stjump stselect sunhide sunmap sunmenu suspend sview swapname syntax syntime syncbind tNext tabNext tabclose tabedit tabfind tabfirst tablast tabmove tabnext tabonly tabprevious tabrewind tag tcl tcldo tclfile tearoff tfirst throw tjump tlast tmenu tnext topleft tprevious trewind tselect tunmenu undo undojoin undolist unabbreviate unhide unlet unlockvar unmap unmenu unsilent update vglobal version verbose vertical vimgrep vimgrepadd visual viusage view vmap vmapclear vmenu vnew vnoremap vnoremenu vsplit vunmap vunmenu write wNext wall while winsize wincmd winpos wnext wprevious wqall wsverb wundo wviminfo xit xall xmapclear xmap xmenu xnoremap xnoremenu xunmap xunmenu yank",built_in:"synIDtrans atan2 range matcharg did_filetype asin feedkeys xor argv complete_check add getwinposx getqflist getwinposy screencol clearmatches empty extend getcmdpos mzeval garbagecollect setreg ceil sqrt diff_hlID inputsecret get getfperm getpid filewritable shiftwidth max sinh isdirectory synID system inputrestore winline atan visualmode inputlist tabpagewinnr round getregtype mapcheck hasmapto histdel argidx findfile sha256 exists toupper getcmdline taglist string getmatches bufnr strftime winwidth bufexists strtrans tabpagebuflist setcmdpos remote_read printf setloclist getpos getline bufwinnr float2nr len getcmdtype diff_filler luaeval resolve libcallnr foldclosedend reverse filter has_key bufname str2float strlen setline getcharmod setbufvar index searchpos shellescape undofile foldclosed setqflist buflisted strchars str2nr virtcol floor remove undotree remote_expr winheight gettabwinvar reltime cursor tabpagenr finddir localtime acos getloclist search tanh matchend rename gettabvar strdisplaywidth type abs py3eval setwinvar tolower wildmenumode log10 spellsuggest bufloaded synconcealed nextnonblank server2client complete settabwinvar executable input wincol setmatches getftype hlID inputsave searchpair or screenrow line settabvar histadd deepcopy strpart remote_peek and eval getftime submatch screenchar winsaveview matchadd mkdir screenattr getfontname libcall reltimestr getfsize winnr invert pow getbufline byte2line soundfold repeat fnameescape tagfiles sin strwidth spellbadword trunc maparg log lispindent hostname setpos globpath remote_foreground getchar synIDattr fnamemodify cscope_connection stridx winbufnr indent min complete_add nr2char searchpairpos inputdialog values matchlist items hlexists strridx browsedir expand fmod pathshorten line2byte argc count getwinvar glob foldtextresult getreg foreground cosh matchdelete has char2nr simplify histget searchdecl iconv winrestcmd pumvisible writefile foldlevel haslocaldir keys cos matchstr foldtext histnr tan tempname getcwd byteidx getbufvar islocked escape eventhandler remote_send serverlist winrestview synstack pyeval prevnonblank readfile cindent filereadable changenr exp"},illegal:/;/,contains:[t.NUMBER_MODE,{className:"string",begin:"'",end:"'",illegal:"\\n"},{className:"string",begin:/"(\\"|\n\\|[^"\n])*"/},t.COMMENT('"',"$"),{className:"variable",begin:/[bwtglsav]:[\w\d_]+/},{begin:[/\b(?:function|function!)/,/\s+/,t.IDENT_RE],className:{1:"keyword",3:"title"},end:"$",relevance:0,contains:[{className:"params",begin:"\\(",end:"\\)"}]},{className:"symbol",begin:/<[\w-]+>/}]}}return Ug=e,Ug}var Gg,F0;function KP(){if(F0)return Gg;F0=1;function e(t){t.regex;const n=t.COMMENT(/\(;/,/;\)/);n.contains.push("self");const r=t.COMMENT(/;;/,/$/),a=["anyfunc","block","br","br_if","br_table","call","call_indirect","data","drop","elem","else","end","export","func","global.get","global.set","local.get","local.set","local.tee","get_global","get_local","global","if","import","local","loop","memory","memory.grow","memory.size","module","mut","nop","offset","param","result","return","select","set_global","set_local","start","table","tee_local","then","type","unreachable"],o={begin:[/(?:func|call|call_indirect)/,/\s+/,/\$[^\s)]+/],className:{1:"keyword",3:"title.function"}},l={className:"variable",begin:/\$[\w_]+/},u={match:/(\((?!;)|\))+/,className:"punctuation",relevance:0},c={className:"number",relevance:0,match:/[+-]?\b(?:\d(?:_?\d)*(?:\.\d(?:_?\d)*)?(?:[eE][+-]?\d(?:_?\d)*)?|0x[\da-fA-F](?:_?[\da-fA-F])*(?:\.[\da-fA-F](?:_?[\da-fA-D])*)?(?:[pP][+-]?\d(?:_?\d)*)?)\b|\binf\b|\bnan(?::0x[\da-fA-F](?:_?[\da-fA-D])*)?\b/},d={match:/(i32|i64|f32|f64)(?!\.)/,className:"type"},S={className:"keyword",match:/\b(f32|f64|i32|i64)(?:\.(?:abs|add|and|ceil|clz|const|convert_[su]\/i(?:32|64)|copysign|ctz|demote\/f64|div(?:_[su])?|eqz?|extend_[su]\/i32|floor|ge(?:_[su])?|gt(?:_[su])?|le(?:_[su])?|load(?:(?:8|16|32)_[su])?|lt(?:_[su])?|max|min|mul|nearest|neg?|or|popcnt|promote\/f32|reinterpret\/[fi](?:32|64)|rem_[su]|rot[lr]|shl|shr_[su]|store(?:8|16|32)?|sqrt|sub|trunc(?:_[su]\/f(?:32|64))?|wrap\/i64|xor))\b/};return{name:"WebAssembly",keywords:{$pattern:/[\w.]+/,keyword:a},contains:[r,n,{match:[/(?:offset|align)/,/\s*/,/=/],className:{1:"keyword",3:"operator"}},l,u,o,t.QUOTE_STRING_MODE,d,S,c]}}return Gg=e,Gg}var Hg,B0;function $P(){if(B0)return Hg;B0=1;function e(t){const n=t.regex,r=/[a-zA-Z]\w*/,a=["as","break","class","construct","continue","else","for","foreign","if","import","in","is","return","static","var","while"],o=["true","false","null"],l=["this","super"],u=["Bool","Class","Fiber","Fn","List","Map","Null","Num","Object","Range","Sequence","String","System"],c=["-","~",/\*/,"%",/\.\.\./,/\.\./,/\+/,"<<",">>",">=","<=","<",">",/\^/,/!=/,/!/,/\bis\b/,"==","&&","&",/\|\|/,/\|/,/\?:/,"="],d={relevance:0,match:n.concat(/\b(?!(if|while|for|else|super)\b)/,r,/(?=\s*[({])/),className:"title.function"},S={match:n.concat(n.either(n.concat(/\b(?!(if|while|for|else|super)\b)/,r),n.either(...c)),/(?=\s*\([^)]+\)\s*\{)/),className:"title.function",starts:{contains:[{begin:/\(/,end:/\)/,contains:[{relevance:0,scope:"params",match:r}]}]}},_={variants:[{match:[/class\s+/,r,/\s+is\s+/,r]},{match:[/class\s+/,r]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:a},E={relevance:0,match:n.either(...c),className:"operator"},T={className:"string",begin:/"""/,end:/"""/},y={className:"property",begin:n.concat(/\./,n.lookahead(r)),end:r,excludeBegin:!0,relevance:0},M={relevance:0,match:n.concat(/\b_/,r),scope:"variable"},v={relevance:0,match:/\b[A-Z]+[a-z]+([A-Z]+[a-z]+)*/,scope:"title.class",keywords:{_:u}},A=t.C_NUMBER_MODE,O={match:[r,/\s*/,/=/,/\s*/,/\(/,r,/\)\s*\{/],scope:{1:"title.function",3:"operator",6:"params"}},N=t.COMMENT(/\/\*\*/,/\*\//,{contains:[{match:/@[a-z]+/,scope:"doctag"},"self"]}),R={scope:"subst",begin:/%\(/,end:/\)/,contains:[A,v,d,M,E]},L={scope:"string",begin:/"/,end:/"/,contains:[R,{scope:"char.escape",variants:[{match:/\\\\|\\["0%abefnrtv]/},{match:/\\x[0-9A-F]{2}/},{match:/\\u[0-9A-F]{4}/},{match:/\\U[0-9A-F]{8}/}]}]};R.contains.push(L);const I=[...a,...l,...o],h={relevance:0,match:n.concat("\\b(?!",I.join("|"),"\\b)",/[a-zA-Z_]\w*(?:[?!]|\b)/),className:"variable"};return{name:"Wren",keywords:{keyword:a,"variable.language":l,literal:o},contains:[{scope:"comment",variants:[{begin:[/#!?/,/[A-Za-z_]+(?=\()/],beginScope:{},keywords:{literal:o},contains:[],end:/\)/},{begin:[/#!?/,/[A-Za-z_]+/],beginScope:{},end:/$/}]},A,L,T,N,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,v,_,O,S,d,E,M,y,h]}}return Hg=e,Hg}var qg,U0;function QP(){if(U0)return qg;U0=1;function e(t){return{name:"Intel x86 Assembly",case_insensitive:!0,keywords:{$pattern:"[.%]?"+t.IDENT_RE,keyword:"lock rep repe repz repne repnz xaquire xrelease bnd nobnd aaa aad aam aas adc add and arpl bb0_reset bb1_reset bound bsf bsr bswap bt btc btr bts call cbw cdq cdqe clc cld cli clts cmc cmp cmpsb cmpsd cmpsq cmpsw cmpxchg cmpxchg486 cmpxchg8b cmpxchg16b cpuid cpu_read cpu_write cqo cwd cwde daa das dec div dmint emms enter equ f2xm1 fabs fadd faddp fbld fbstp fchs fclex fcmovb fcmovbe fcmove fcmovnb fcmovnbe fcmovne fcmovnu fcmovu fcom fcomi fcomip fcomp fcompp fcos fdecstp fdisi fdiv fdivp fdivr fdivrp femms feni ffree ffreep fiadd ficom ficomp fidiv fidivr fild fimul fincstp finit fist fistp fisttp fisub fisubr fld fld1 fldcw fldenv fldl2e fldl2t fldlg2 fldln2 fldpi fldz fmul fmulp fnclex fndisi fneni fninit fnop fnsave fnstcw fnstenv fnstsw fpatan fprem fprem1 fptan frndint frstor fsave fscale fsetpm fsin fsincos fsqrt fst fstcw fstenv fstp fstsw fsub fsubp fsubr fsubrp ftst fucom fucomi fucomip fucomp fucompp fxam fxch fxtract fyl2x fyl2xp1 hlt ibts icebp idiv imul in inc incbin insb insd insw int int01 int1 int03 int3 into invd invpcid invlpg invlpga iret iretd iretq iretw jcxz jecxz jrcxz jmp jmpe lahf lar lds lea leave les lfence lfs lgdt lgs lidt lldt lmsw loadall loadall286 lodsb lodsd lodsq lodsw loop loope loopne loopnz loopz lsl lss ltr mfence monitor mov movd movq movsb movsd movsq movsw movsx movsxd movzx mul mwait neg nop not or out outsb outsd outsw packssdw packsswb packuswb paddb paddd paddsb paddsiw paddsw paddusb paddusw paddw pand pandn pause paveb pavgusb pcmpeqb pcmpeqd pcmpeqw pcmpgtb pcmpgtd pcmpgtw pdistib pf2id pfacc pfadd pfcmpeq pfcmpge pfcmpgt pfmax pfmin pfmul pfrcp pfrcpit1 pfrcpit2 pfrsqit1 pfrsqrt pfsub pfsubr pi2fd pmachriw pmaddwd pmagw pmulhriw pmulhrwa pmulhrwc pmulhw pmullw pmvgezb pmvlzb pmvnzb pmvzb pop popa popad popaw popf popfd popfq popfw por prefetch prefetchw pslld psllq psllw psrad psraw psrld psrlq psrlw psubb psubd psubsb psubsiw psubsw psubusb psubusw psubw punpckhbw punpckhdq punpckhwd punpcklbw punpckldq punpcklwd push pusha pushad pushaw pushf pushfd pushfq pushfw pxor rcl rcr rdshr rdmsr rdpmc rdtsc rdtscp ret retf retn rol ror rdm rsdc rsldt rsm rsts sahf sal salc sar sbb scasb scasd scasq scasw sfence sgdt shl shld shr shrd sidt sldt skinit smi smint smintold smsw stc std sti stosb stosd stosq stosw str sub svdc svldt svts swapgs syscall sysenter sysexit sysret test ud0 ud1 ud2b ud2 ud2a umov verr verw fwait wbinvd wrshr wrmsr xadd xbts xchg xlatb xlat xor cmove cmovz cmovne cmovnz cmova cmovnbe cmovae cmovnb cmovb cmovnae cmovbe cmovna cmovg cmovnle cmovge cmovnl cmovl cmovnge cmovle cmovng cmovc cmovnc cmovo cmovno cmovs cmovns cmovp cmovpe cmovnp cmovpo je jz jne jnz ja jnbe jae jnb jb jnae jbe jna jg jnle jge jnl jl jnge jle jng jc jnc jo jno js jns jpo jnp jpe jp sete setz setne setnz seta setnbe setae setnb setnc setb setnae setcset setbe setna setg setnle setge setnl setl setnge setle setng sets setns seto setno setpe setp setpo setnp addps addss andnps andps cmpeqps cmpeqss cmpleps cmpless cmpltps cmpltss cmpneqps cmpneqss cmpnleps cmpnless cmpnltps cmpnltss cmpordps cmpordss cmpunordps cmpunordss cmpps cmpss comiss cvtpi2ps cvtps2pi cvtsi2ss cvtss2si cvttps2pi cvttss2si divps divss ldmxcsr maxps maxss minps minss movaps movhps movlhps movlps movhlps movmskps movntps movss movups mulps mulss orps rcpps rcpss rsqrtps rsqrtss shufps sqrtps sqrtss stmxcsr subps subss ucomiss unpckhps unpcklps xorps fxrstor fxrstor64 fxsave fxsave64 xgetbv xsetbv xsave xsave64 xsaveopt xsaveopt64 xrstor xrstor64 prefetchnta prefetcht0 prefetcht1 prefetcht2 maskmovq movntq pavgb pavgw pextrw pinsrw pmaxsw pmaxub pminsw pminub pmovmskb pmulhuw psadbw pshufw pf2iw pfnacc pfpnacc pi2fw pswapd maskmovdqu clflush movntdq movnti movntpd movdqa movdqu movdq2q movq2dq paddq pmuludq pshufd pshufhw pshuflw pslldq psrldq psubq punpckhqdq punpcklqdq addpd addsd andnpd andpd cmpeqpd cmpeqsd cmplepd cmplesd cmpltpd cmpltsd cmpneqpd cmpneqsd cmpnlepd cmpnlesd cmpnltpd cmpnltsd cmpordpd cmpordsd cmpunordpd cmpunordsd cmppd comisd cvtdq2pd cvtdq2ps cvtpd2dq cvtpd2pi cvtpd2ps cvtpi2pd cvtps2dq cvtps2pd cvtsd2si cvtsd2ss cvtsi2sd cvtss2sd cvttpd2pi cvttpd2dq cvttps2dq cvttsd2si divpd divsd maxpd maxsd minpd minsd movapd movhpd movlpd movmskpd movupd mulpd mulsd orpd shufpd sqrtpd sqrtsd subpd subsd ucomisd unpckhpd unpcklpd xorpd addsubpd addsubps haddpd haddps hsubpd hsubps lddqu movddup movshdup movsldup clgi stgi vmcall vmclear vmfunc vmlaunch vmload vmmcall vmptrld vmptrst vmread vmresume vmrun vmsave vmwrite vmxoff vmxon invept invvpid pabsb pabsw pabsd palignr phaddw phaddd phaddsw phsubw phsubd phsubsw pmaddubsw pmulhrsw pshufb psignb psignw psignd extrq insertq movntsd movntss lzcnt blendpd blendps blendvpd blendvps dppd dpps extractps insertps movntdqa mpsadbw packusdw pblendvb pblendw pcmpeqq pextrb pextrd pextrq phminposuw pinsrb pinsrd pinsrq pmaxsb pmaxsd pmaxud pmaxuw pminsb pminsd pminud pminuw pmovsxbw pmovsxbd pmovsxbq pmovsxwd pmovsxwq pmovsxdq pmovzxbw pmovzxbd pmovzxbq pmovzxwd pmovzxwq pmovzxdq pmuldq pmulld ptest roundpd roundps roundsd roundss crc32 pcmpestri pcmpestrm pcmpistri pcmpistrm pcmpgtq popcnt getsec pfrcpv pfrsqrtv movbe aesenc aesenclast aesdec aesdeclast aesimc aeskeygenassist vaesenc vaesenclast vaesdec vaesdeclast vaesimc vaeskeygenassist vaddpd vaddps vaddsd vaddss vaddsubpd vaddsubps vandpd vandps vandnpd vandnps vblendpd vblendps vblendvpd vblendvps vbroadcastss vbroadcastsd vbroadcastf128 vcmpeq_ospd vcmpeqpd vcmplt_ospd vcmpltpd vcmple_ospd vcmplepd vcmpunord_qpd vcmpunordpd vcmpneq_uqpd vcmpneqpd vcmpnlt_uspd vcmpnltpd vcmpnle_uspd vcmpnlepd vcmpord_qpd vcmpordpd vcmpeq_uqpd vcmpnge_uspd vcmpngepd vcmpngt_uspd vcmpngtpd vcmpfalse_oqpd vcmpfalsepd vcmpneq_oqpd vcmpge_ospd vcmpgepd vcmpgt_ospd vcmpgtpd vcmptrue_uqpd vcmptruepd vcmplt_oqpd vcmple_oqpd vcmpunord_spd vcmpneq_uspd vcmpnlt_uqpd vcmpnle_uqpd vcmpord_spd vcmpeq_uspd vcmpnge_uqpd vcmpngt_uqpd vcmpfalse_ospd vcmpneq_ospd vcmpge_oqpd vcmpgt_oqpd vcmptrue_uspd vcmppd vcmpeq_osps vcmpeqps vcmplt_osps vcmpltps vcmple_osps vcmpleps vcmpunord_qps vcmpunordps vcmpneq_uqps vcmpneqps vcmpnlt_usps vcmpnltps vcmpnle_usps vcmpnleps vcmpord_qps vcmpordps vcmpeq_uqps vcmpnge_usps vcmpngeps vcmpngt_usps vcmpngtps vcmpfalse_oqps vcmpfalseps vcmpneq_oqps vcmpge_osps vcmpgeps vcmpgt_osps vcmpgtps vcmptrue_uqps vcmptrueps vcmplt_oqps vcmple_oqps vcmpunord_sps vcmpneq_usps vcmpnlt_uqps vcmpnle_uqps vcmpord_sps vcmpeq_usps vcmpnge_uqps vcmpngt_uqps vcmpfalse_osps vcmpneq_osps vcmpge_oqps vcmpgt_oqps vcmptrue_usps vcmpps vcmpeq_ossd vcmpeqsd vcmplt_ossd vcmpltsd vcmple_ossd vcmplesd vcmpunord_qsd vcmpunordsd vcmpneq_uqsd vcmpneqsd vcmpnlt_ussd vcmpnltsd vcmpnle_ussd vcmpnlesd vcmpord_qsd vcmpordsd vcmpeq_uqsd vcmpnge_ussd vcmpngesd vcmpngt_ussd vcmpngtsd vcmpfalse_oqsd vcmpfalsesd vcmpneq_oqsd vcmpge_ossd vcmpgesd vcmpgt_ossd vcmpgtsd vcmptrue_uqsd vcmptruesd vcmplt_oqsd vcmple_oqsd vcmpunord_ssd vcmpneq_ussd vcmpnlt_uqsd vcmpnle_uqsd vcmpord_ssd vcmpeq_ussd vcmpnge_uqsd vcmpngt_uqsd vcmpfalse_ossd vcmpneq_ossd vcmpge_oqsd vcmpgt_oqsd vcmptrue_ussd vcmpsd vcmpeq_osss vcmpeqss vcmplt_osss vcmpltss vcmple_osss vcmpless vcmpunord_qss vcmpunordss vcmpneq_uqss vcmpneqss vcmpnlt_usss vcmpnltss vcmpnle_usss vcmpnless vcmpord_qss vcmpordss vcmpeq_uqss vcmpnge_usss vcmpngess vcmpngt_usss vcmpngtss vcmpfalse_oqss vcmpfalsess vcmpneq_oqss vcmpge_osss vcmpgess vcmpgt_osss vcmpgtss vcmptrue_uqss vcmptruess vcmplt_oqss vcmple_oqss vcmpunord_sss vcmpneq_usss vcmpnlt_uqss vcmpnle_uqss vcmpord_sss vcmpeq_usss vcmpnge_uqss vcmpngt_uqss vcmpfalse_osss vcmpneq_osss vcmpge_oqss vcmpgt_oqss vcmptrue_usss vcmpss vcomisd vcomiss vcvtdq2pd vcvtdq2ps vcvtpd2dq vcvtpd2ps vcvtps2dq vcvtps2pd vcvtsd2si vcvtsd2ss vcvtsi2sd vcvtsi2ss vcvtss2sd vcvtss2si vcvttpd2dq vcvttps2dq vcvttsd2si vcvttss2si vdivpd vdivps vdivsd vdivss vdppd vdpps vextractf128 vextractps vhaddpd vhaddps vhsubpd vhsubps vinsertf128 vinsertps vlddqu vldqqu vldmxcsr vmaskmovdqu vmaskmovps vmaskmovpd vmaxpd vmaxps vmaxsd vmaxss vminpd vminps vminsd vminss vmovapd vmovaps vmovd vmovq vmovddup vmovdqa vmovqqa vmovdqu vmovqqu vmovhlps vmovhpd vmovhps vmovlhps vmovlpd vmovlps vmovmskpd vmovmskps vmovntdq vmovntqq vmovntdqa vmovntpd vmovntps vmovsd vmovshdup vmovsldup vmovss vmovupd vmovups vmpsadbw vmulpd vmulps vmulsd vmulss vorpd vorps vpabsb vpabsw vpabsd vpacksswb vpackssdw vpackuswb vpackusdw vpaddb vpaddw vpaddd vpaddq vpaddsb vpaddsw vpaddusb vpaddusw vpalignr vpand vpandn vpavgb vpavgw vpblendvb vpblendw vpcmpestri vpcmpestrm vpcmpistri vpcmpistrm vpcmpeqb vpcmpeqw vpcmpeqd vpcmpeqq vpcmpgtb vpcmpgtw vpcmpgtd vpcmpgtq vpermilpd vpermilps vperm2f128 vpextrb vpextrw vpextrd vpextrq vphaddw vphaddd vphaddsw vphminposuw vphsubw vphsubd vphsubsw vpinsrb vpinsrw vpinsrd vpinsrq vpmaddwd vpmaddubsw vpmaxsb vpmaxsw vpmaxsd vpmaxub vpmaxuw vpmaxud vpminsb vpminsw vpminsd vpminub vpminuw vpminud vpmovmskb vpmovsxbw vpmovsxbd vpmovsxbq vpmovsxwd vpmovsxwq vpmovsxdq vpmovzxbw vpmovzxbd vpmovzxbq vpmovzxwd vpmovzxwq vpmovzxdq vpmulhuw vpmulhrsw vpmulhw vpmullw vpmulld vpmuludq vpmuldq vpor vpsadbw vpshufb vpshufd vpshufhw vpshuflw vpsignb vpsignw vpsignd vpslldq vpsrldq vpsllw vpslld vpsllq vpsraw vpsrad vpsrlw vpsrld vpsrlq vptest vpsubb vpsubw vpsubd vpsubq vpsubsb vpsubsw vpsubusb vpsubusw vpunpckhbw vpunpckhwd vpunpckhdq vpunpckhqdq vpunpcklbw vpunpcklwd vpunpckldq vpunpcklqdq vpxor vrcpps vrcpss vrsqrtps vrsqrtss vroundpd vroundps vroundsd vroundss vshufpd vshufps vsqrtpd vsqrtps vsqrtsd vsqrtss vstmxcsr vsubpd vsubps vsubsd vsubss vtestps vtestpd vucomisd vucomiss vunpckhpd vunpckhps vunpcklpd vunpcklps vxorpd vxorps vzeroall vzeroupper pclmullqlqdq pclmulhqlqdq pclmullqhqdq pclmulhqhqdq pclmulqdq vpclmullqlqdq vpclmulhqlqdq vpclmullqhqdq vpclmulhqhqdq vpclmulqdq vfmadd132ps vfmadd132pd vfmadd312ps vfmadd312pd vfmadd213ps vfmadd213pd vfmadd123ps vfmadd123pd vfmadd231ps vfmadd231pd vfmadd321ps vfmadd321pd vfmaddsub132ps vfmaddsub132pd vfmaddsub312ps vfmaddsub312pd vfmaddsub213ps vfmaddsub213pd vfmaddsub123ps vfmaddsub123pd vfmaddsub231ps vfmaddsub231pd vfmaddsub321ps vfmaddsub321pd vfmsub132ps vfmsub132pd vfmsub312ps vfmsub312pd vfmsub213ps vfmsub213pd vfmsub123ps vfmsub123pd vfmsub231ps vfmsub231pd vfmsub321ps vfmsub321pd vfmsubadd132ps vfmsubadd132pd vfmsubadd312ps vfmsubadd312pd vfmsubadd213ps vfmsubadd213pd vfmsubadd123ps vfmsubadd123pd vfmsubadd231ps vfmsubadd231pd vfmsubadd321ps vfmsubadd321pd vfnmadd132ps vfnmadd132pd vfnmadd312ps vfnmadd312pd vfnmadd213ps vfnmadd213pd vfnmadd123ps vfnmadd123pd vfnmadd231ps vfnmadd231pd vfnmadd321ps vfnmadd321pd vfnmsub132ps vfnmsub132pd vfnmsub312ps vfnmsub312pd vfnmsub213ps vfnmsub213pd vfnmsub123ps vfnmsub123pd vfnmsub231ps vfnmsub231pd vfnmsub321ps vfnmsub321pd vfmadd132ss vfmadd132sd vfmadd312ss vfmadd312sd vfmadd213ss vfmadd213sd vfmadd123ss vfmadd123sd vfmadd231ss vfmadd231sd vfmadd321ss vfmadd321sd vfmsub132ss vfmsub132sd vfmsub312ss vfmsub312sd vfmsub213ss vfmsub213sd vfmsub123ss vfmsub123sd vfmsub231ss vfmsub231sd vfmsub321ss vfmsub321sd vfnmadd132ss vfnmadd132sd vfnmadd312ss vfnmadd312sd vfnmadd213ss vfnmadd213sd vfnmadd123ss vfnmadd123sd vfnmadd231ss vfnmadd231sd vfnmadd321ss vfnmadd321sd vfnmsub132ss vfnmsub132sd vfnmsub312ss vfnmsub312sd vfnmsub213ss vfnmsub213sd vfnmsub123ss vfnmsub123sd vfnmsub231ss vfnmsub231sd vfnmsub321ss vfnmsub321sd rdfsbase rdgsbase rdrand wrfsbase wrgsbase vcvtph2ps vcvtps2ph adcx adox rdseed clac stac xstore xcryptecb xcryptcbc xcryptctr xcryptcfb xcryptofb montmul xsha1 xsha256 llwpcb slwpcb lwpval lwpins vfmaddpd vfmaddps vfmaddsd vfmaddss vfmaddsubpd vfmaddsubps vfmsubaddpd vfmsubaddps vfmsubpd vfmsubps vfmsubsd vfmsubss vfnmaddpd vfnmaddps vfnmaddsd vfnmaddss vfnmsubpd vfnmsubps vfnmsubsd vfnmsubss vfrczpd vfrczps vfrczsd vfrczss vpcmov vpcomb vpcomd vpcomq vpcomub vpcomud vpcomuq vpcomuw vpcomw vphaddbd vphaddbq vphaddbw vphadddq vphaddubd vphaddubq vphaddubw vphaddudq vphadduwd vphadduwq vphaddwd vphaddwq vphsubbw vphsubdq vphsubwd vpmacsdd vpmacsdqh vpmacsdql vpmacssdd vpmacssdqh vpmacssdql vpmacsswd vpmacssww vpmacswd vpmacsww vpmadcsswd vpmadcswd vpperm vprotb vprotd vprotq vprotw vpshab vpshad vpshaq vpshaw vpshlb vpshld vpshlq vpshlw vbroadcasti128 vpblendd vpbroadcastb vpbroadcastw vpbroadcastd vpbroadcastq vpermd vpermpd vpermps vpermq vperm2i128 vextracti128 vinserti128 vpmaskmovd vpmaskmovq vpsllvd vpsllvq vpsravd vpsrlvd vpsrlvq vgatherdpd vgatherqpd vgatherdps vgatherqps vpgatherdd vpgatherqd vpgatherdq vpgatherqq xabort xbegin xend xtest andn bextr blci blcic blsi blsic blcfill blsfill blcmsk blsmsk blsr blcs bzhi mulx pdep pext rorx sarx shlx shrx tzcnt tzmsk t1mskc valignd valignq vblendmpd vblendmps vbroadcastf32x4 vbroadcastf64x4 vbroadcasti32x4 vbroadcasti64x4 vcompresspd vcompressps vcvtpd2udq vcvtps2udq vcvtsd2usi vcvtss2usi vcvttpd2udq vcvttps2udq vcvttsd2usi vcvttss2usi vcvtudq2pd vcvtudq2ps vcvtusi2sd vcvtusi2ss vexpandpd vexpandps vextractf32x4 vextractf64x4 vextracti32x4 vextracti64x4 vfixupimmpd vfixupimmps vfixupimmsd vfixupimmss vgetexppd vgetexpps vgetexpsd vgetexpss vgetmantpd vgetmantps vgetmantsd vgetmantss vinsertf32x4 vinsertf64x4 vinserti32x4 vinserti64x4 vmovdqa32 vmovdqa64 vmovdqu32 vmovdqu64 vpabsq vpandd vpandnd vpandnq vpandq vpblendmd vpblendmq vpcmpltd vpcmpled vpcmpneqd vpcmpnltd vpcmpnled vpcmpd vpcmpltq vpcmpleq vpcmpneqq vpcmpnltq vpcmpnleq vpcmpq vpcmpequd vpcmpltud vpcmpleud vpcmpnequd vpcmpnltud vpcmpnleud vpcmpud vpcmpequq vpcmpltuq vpcmpleuq vpcmpnequq vpcmpnltuq vpcmpnleuq vpcmpuq vpcompressd vpcompressq vpermi2d vpermi2pd vpermi2ps vpermi2q vpermt2d vpermt2pd vpermt2ps vpermt2q vpexpandd vpexpandq vpmaxsq vpmaxuq vpminsq vpminuq vpmovdb vpmovdw vpmovqb vpmovqd vpmovqw vpmovsdb vpmovsdw vpmovsqb vpmovsqd vpmovsqw vpmovusdb vpmovusdw vpmovusqb vpmovusqd vpmovusqw vpord vporq vprold vprolq vprolvd vprolvq vprord vprorq vprorvd vprorvq vpscatterdd vpscatterdq vpscatterqd vpscatterqq vpsraq vpsravq vpternlogd vpternlogq vptestmd vptestmq vptestnmd vptestnmq vpxord vpxorq vrcp14pd vrcp14ps vrcp14sd vrcp14ss vrndscalepd vrndscaleps vrndscalesd vrndscaless vrsqrt14pd vrsqrt14ps vrsqrt14sd vrsqrt14ss vscalefpd vscalefps vscalefsd vscalefss vscatterdpd vscatterdps vscatterqpd vscatterqps vshuff32x4 vshuff64x2 vshufi32x4 vshufi64x2 kandnw kandw kmovw knotw kortestw korw kshiftlw kshiftrw kunpckbw kxnorw kxorw vpbroadcastmb2q vpbroadcastmw2d vpconflictd vpconflictq vplzcntd vplzcntq vexp2pd vexp2ps vrcp28pd vrcp28ps vrcp28sd vrcp28ss vrsqrt28pd vrsqrt28ps vrsqrt28sd vrsqrt28ss vgatherpf0dpd vgatherpf0dps vgatherpf0qpd vgatherpf0qps vgatherpf1dpd vgatherpf1dps vgatherpf1qpd vgatherpf1qps vscatterpf0dpd vscatterpf0dps vscatterpf0qpd vscatterpf0qps vscatterpf1dpd vscatterpf1dps vscatterpf1qpd vscatterpf1qps prefetchwt1 bndmk bndcl bndcu bndcn bndmov bndldx bndstx sha1rnds4 sha1nexte sha1msg1 sha1msg2 sha256rnds2 sha256msg1 sha256msg2 hint_nop0 hint_nop1 hint_nop2 hint_nop3 hint_nop4 hint_nop5 hint_nop6 hint_nop7 hint_nop8 hint_nop9 hint_nop10 hint_nop11 hint_nop12 hint_nop13 hint_nop14 hint_nop15 hint_nop16 hint_nop17 hint_nop18 hint_nop19 hint_nop20 hint_nop21 hint_nop22 hint_nop23 hint_nop24 hint_nop25 hint_nop26 hint_nop27 hint_nop28 hint_nop29 hint_nop30 hint_nop31 hint_nop32 hint_nop33 hint_nop34 hint_nop35 hint_nop36 hint_nop37 hint_nop38 hint_nop39 hint_nop40 hint_nop41 hint_nop42 hint_nop43 hint_nop44 hint_nop45 hint_nop46 hint_nop47 hint_nop48 hint_nop49 hint_nop50 hint_nop51 hint_nop52 hint_nop53 hint_nop54 hint_nop55 hint_nop56 hint_nop57 hint_nop58 hint_nop59 hint_nop60 hint_nop61 hint_nop62 hint_nop63",built_in:"ip eip rip al ah bl bh cl ch dl dh sil dil bpl spl r8b r9b r10b r11b r12b r13b r14b r15b ax bx cx dx si di bp sp r8w r9w r10w r11w r12w r13w r14w r15w eax ebx ecx edx esi edi ebp esp eip r8d r9d r10d r11d r12d r13d r14d r15d rax rbx rcx rdx rsi rdi rbp rsp r8 r9 r10 r11 r12 r13 r14 r15 cs ds es fs gs ss st st0 st1 st2 st3 st4 st5 st6 st7 mm0 mm1 mm2 mm3 mm4 mm5 mm6 mm7 xmm0  xmm1  xmm2  xmm3  xmm4  xmm5  xmm6  xmm7  xmm8  xmm9 xmm10  xmm11 xmm12 xmm13 xmm14 xmm15 xmm16 xmm17 xmm18 xmm19 xmm20 xmm21 xmm22 xmm23 xmm24 xmm25 xmm26 xmm27 xmm28 xmm29 xmm30 xmm31 ymm0  ymm1  ymm2  ymm3  ymm4  ymm5  ymm6  ymm7  ymm8  ymm9 ymm10  ymm11 ymm12 ymm13 ymm14 ymm15 ymm16 ymm17 ymm18 ymm19 ymm20 ymm21 ymm22 ymm23 ymm24 ymm25 ymm26 ymm27 ymm28 ymm29 ymm30 ymm31 zmm0  zmm1  zmm2  zmm3  zmm4  zmm5  zmm6  zmm7  zmm8  zmm9 zmm10  zmm11 zmm12 zmm13 zmm14 zmm15 zmm16 zmm17 zmm18 zmm19 zmm20 zmm21 zmm22 zmm23 zmm24 zmm25 zmm26 zmm27 zmm28 zmm29 zmm30 zmm31 k0 k1 k2 k3 k4 k5 k6 k7 bnd0 bnd1 bnd2 bnd3 cr0 cr1 cr2 cr3 cr4 cr8 dr0 dr1 dr2 dr3 dr8 tr3 tr4 tr5 tr6 tr7 r0 r1 r2 r3 r4 r5 r6 r7 r0b r1b r2b r3b r4b r5b r6b r7b r0w r1w r2w r3w r4w r5w r6w r7w r0d r1d r2d r3d r4d r5d r6d r7d r0h r1h r2h r3h r0l r1l r2l r3l r4l r5l r6l r7l r8l r9l r10l r11l r12l r13l r14l r15l db dw dd dq dt ddq do dy dz resb resw resd resq rest resdq reso resy resz incbin equ times byte word dword qword nosplit rel abs seg wrt strict near far a32 ptr",meta:"%define %xdefine %+ %undef %defstr %deftok %assign %strcat %strlen %substr %rotate %elif %else %endif %if %ifmacro %ifctx %ifidn %ifidni %ifid %ifnum %ifstr %iftoken %ifempty %ifenv %error %warning %fatal %rep %endrep %include %push %pop %repl %pathsearch %depend %use %arg %stacksize %local %line %comment %endcomment .nolist __FILE__ __LINE__ __SECT__  __BITS__ __OUTPUT_FORMAT__ __DATE__ __TIME__ __DATE_NUM__ __TIME_NUM__ __UTC_DATE__ __UTC_TIME__ __UTC_DATE_NUM__ __UTC_TIME_NUM__  __PASS__ struc endstruc istruc at iend align alignb sectalign daz nodaz up down zero default option assume public bits use16 use32 use64 default section segment absolute extern global common cpu float __utf16__ __utf16le__ __utf16be__ __utf32__ __utf32le__ __utf32be__ __float8__ __float16__ __float32__ __float64__ __float80m__ __float80e__ __float128l__ __float128h__ __Infinity__ __QNaN__ __SNaN__ Inf NaN QNaN SNaN float8 float16 float32 float64 float80m float80e float128l float128h __FLOAT_DAZ__ __FLOAT_ROUND__ __FLOAT__"},contains:[t.COMMENT(";","$",{relevance:0}),{className:"number",variants:[{begin:"\\b(?:([0-9][0-9_]*)?\\.[0-9_]*(?:[eE][+-]?[0-9_]+)?|(0[Xx])?[0-9][0-9_]*(\\.[0-9_]*)?(?:[pP](?:[+-]?[0-9_]+)?)?)\\b",relevance:0},{begin:"\\$[0-9][0-9A-Fa-f]*",relevance:0},{begin:"\\b(?:[0-9A-Fa-f][0-9A-Fa-f_]*[Hh]|[0-9][0-9_]*[DdTt]?|[0-7][0-7_]*[QqOo]|[0-1][0-1_]*[BbYy])\\b"},{begin:"\\b(?:0[Xx][0-9A-Fa-f_]+|0[DdTt][0-9_]+|0[QqOo][0-7_]+|0[BbYy][0-1_]+)\\b"}]},t.QUOTE_STRING_MODE,{className:"string",variants:[{begin:"'",end:"[^\\\\]'"},{begin:"`",end:"[^\\\\]`"}],relevance:0},{className:"symbol",variants:[{begin:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)"},{begin:"^\\s*%%[A-Za-z0-9_$#@~.?]*:"}],relevance:0},{className:"subst",begin:"%[0-9]+",relevance:0},{className:"subst",begin:"%!S+",relevance:0},{className:"meta",begin:/^\s*\.[\w_-]+/}]}}return qg=e,qg}var Yg,G0;function jP(){if(G0)return Yg;G0=1;function e(t){const n=["if","then","else","do","while","until","for","loop","import","with","is","as","where","when","by","data","constant","integer","real","text","name","boolean","symbol","infix","prefix","postfix","block","tree"],r=["in","mod","rem","and","or","xor","not","abs","sign","floor","ceil","sqrt","sin","cos","tan","asin","acos","atan","exp","expm1","log","log2","log10","log1p","pi","at","text_length","text_range","text_find","text_replace","contains","page","slide","basic_slide","title_slide","title","subtitle","fade_in","fade_out","fade_at","clear_color","color","line_color","line_width","texture_wrap","texture_transform","texture","scale_?x","scale_?y","scale_?z?","translate_?x","translate_?y","translate_?z?","rotate_?x","rotate_?y","rotate_?z?","rectangle","circle","ellipse","sphere","path","line_to","move_to","quad_to","curve_to","theme","background","contents","locally","time","mouse_?x","mouse_?y","mouse_buttons"],a=["ObjectLoader","Animate","MovieCredits","Slides","Filters","Shading","Materials","LensFlare","Mapping","VLCAudioVideo","StereoDecoder","PointCloud","NetworkAccess","RemoteControl","RegExp","ChromaKey","Snowfall","NodeJS","Speech","Charts"],l={$pattern:/[a-zA-Z][a-zA-Z0-9_?]*/,keyword:n,literal:["true","false","nil"],built_in:r.concat(a)},u={className:"string",begin:'"',end:'"',illegal:"\\n"},c={className:"string",begin:"'",end:"'",illegal:"\\n"},d={className:"string",begin:"<<",end:">>"},S={className:"number",begin:"[0-9]+#[0-9A-Z_]+(\\.[0-9-A-Z_]+)?#?([Ee][+-]?[0-9]+)?"},_={beginKeywords:"import",end:"$",keywords:l,contains:[u]},E={className:"function",begin:/[a-z][^\n]*->/,returnBegin:!0,end:/->/,contains:[t.inherit(t.TITLE_MODE,{starts:{endsWithParent:!0,keywords:l}})]};return{name:"XL",aliases:["tao"],keywords:l,contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,u,c,d,E,_,S,t.NUMBER_MODE]}}return Yg=e,Yg}var Wg,H0;function XP(){if(H0)return Wg;H0=1;function e(t){return{name:"XQuery",aliases:["xpath","xq","xqm"],case_insensitive:!1,illegal:/(proc)|(abstract)|(extends)|(until)|(#)/,keywords:{$pattern:/[a-zA-Z$][a-zA-Z0-9_:-]*/,keyword:["module","schema","namespace","boundary-space","preserve","no-preserve","strip","default","collation","base-uri","ordering","context","decimal-format","decimal-separator","copy-namespaces","empty-sequence","except","exponent-separator","external","grouping-separator","inherit","no-inherit","lax","minus-sign","per-mille","percent","schema-attribute","schema-element","strict","unordered","zero-digit","declare","import","option","function","validate","variable","for","at","in","let","where","order","group","by","return","if","then","else","tumbling","sliding","window","start","when","only","end","previous","next","stable","ascending","descending","allowing","empty","greatest","least","some","every","satisfies","switch","case","typeswitch","try","catch","and","or","to","union","intersect","instance","of","treat","as","castable","cast","map","array","delete","insert","into","replace","value","rename","copy","modify","update"],type:["item","document-node","node","attribute","document","element","comment","namespace","namespace-node","processing-instruction","text","construction","xs:anyAtomicType","xs:untypedAtomic","xs:duration","xs:time","xs:decimal","xs:float","xs:double","xs:gYearMonth","xs:gYear","xs:gMonthDay","xs:gMonth","xs:gDay","xs:boolean","xs:base64Binary","xs:hexBinary","xs:anyURI","xs:QName","xs:NOTATION","xs:dateTime","xs:dateTimeStamp","xs:date","xs:string","xs:normalizedString","xs:token","xs:language","xs:NMTOKEN","xs:Name","xs:NCName","xs:ID","xs:IDREF","xs:ENTITY","xs:integer","xs:nonPositiveInteger","xs:negativeInteger","xs:long","xs:int","xs:short","xs:byte","xs:nonNegativeInteger","xs:unisignedLong","xs:unsignedInt","xs:unsignedShort","xs:unsignedByte","xs:positiveInteger","xs:yearMonthDuration","xs:dayTimeDuration"],literal:["eq","ne","lt","le","gt","ge","is","self::","child::","descendant::","descendant-or-self::","attribute::","following::","following-sibling::","parent::","ancestor::","ancestor-or-self::","preceding::","preceding-sibling::","NaN"]},contains:[{className:"variable",begin:/[$][\w\-:]+/},{className:"built_in",variants:[{begin:/\barray:/,end:/(?:append|filter|flatten|fold-(?:left|right)|for-each(?:-pair)?|get|head|insert-before|join|put|remove|reverse|size|sort|subarray|tail)\b/},{begin:/\bmap:/,end:/(?:contains|entry|find|for-each|get|keys|merge|put|remove|size)\b/},{begin:/\bmath:/,end:/(?:a(?:cos|sin|tan[2]?)|cos|exp(?:10)?|log(?:10)?|pi|pow|sin|sqrt|tan)\b/},{begin:/\bop:/,end:/\(/,excludeEnd:!0},{begin:/\bfn:/,end:/\(/,excludeEnd:!0},{begin:/[^</$:'"-]\b(?:abs|accumulator-(?:after|before)|adjust-(?:date(?:Time)?|time)-to-timezone|analyze-string|apply|available-(?:environment-variables|system-properties)|avg|base-uri|boolean|ceiling|codepoints?-(?:equal|to-string)|collation-key|collection|compare|concat|contains(?:-token)?|copy-of|count|current(?:-)?(?:date(?:Time)?|time|group(?:ing-key)?|output-uri|merge-(?:group|key))?data|dateTime|days?-from-(?:date(?:Time)?|duration)|deep-equal|default-(?:collation|language)|distinct-values|document(?:-uri)?|doc(?:-available)?|element-(?:available|with-id)|empty|encode-for-uri|ends-with|environment-variable|error|escape-html-uri|exactly-one|exists|false|filter|floor|fold-(?:left|right)|for-each(?:-pair)?|format-(?:date(?:Time)?|time|integer|number)|function-(?:arity|available|lookup|name)|generate-id|has-children|head|hours-from-(?:dateTime|duration|time)|id(?:ref)?|implicit-timezone|in-scope-prefixes|index-of|innermost|insert-before|iri-to-uri|json-(?:doc|to-xml)|key|lang|last|load-xquery-module|local-name(?:-from-QName)?|(?:lower|upper)-case|matches|max|minutes-from-(?:dateTime|duration|time)|min|months?-from-(?:date(?:Time)?|duration)|name(?:space-uri-?(?:for-prefix|from-QName)?)?|nilled|node-name|normalize-(?:space|unicode)|not|number|one-or-more|outermost|parse-(?:ietf-date|json)|path|position|(?:prefix-from-)?QName|random-number-generator|regex-group|remove|replace|resolve-(?:QName|uri)|reverse|root|round(?:-half-to-even)?|seconds-from-(?:dateTime|duration|time)|snapshot|sort|starts-with|static-base-uri|stream-available|string-?(?:join|length|to-codepoints)?|subsequence|substring-?(?:after|before)?|sum|system-property|tail|timezone-from-(?:date(?:Time)?|time)|tokenize|trace|trans(?:form|late)|true|type-available|unordered|unparsed-(?:entity|text)?-?(?:public-id|uri|available|lines)?|uri-collection|xml-to-json|years?-from-(?:date(?:Time)?|duration)|zero-or-one)\b/},{begin:/\blocal:/,end:/\(/,excludeEnd:!0},{begin:/\bzip:/,end:/(?:zip-file|(?:xml|html|text|binary)-entry| (?:update-)?entries)\b/},{begin:/\b(?:util|db|functx|app|xdmp|xmldb):/,end:/\(/,excludeEnd:!0}]},{className:"string",variants:[{begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{begin:/'/,end:/'/,contains:[{begin:/''/,relevance:0}]}]},{className:"number",begin:/(\b0[0-7_]+)|(\b0x[0-9a-fA-F_]+)|(\b[1-9][0-9_]*(\.[0-9_]+)?)|[0_]\b/,relevance:0},{className:"comment",begin:/\(:/,end:/:\)/,relevance:10,contains:[{className:"doctag",begin:/@\w+/}]},{className:"meta",begin:/%[\w\-:]+/},{className:"title",begin:/\bxquery version "[13]\.[01]"\s?(?:encoding ".+")?/,end:/;/},{beginKeywords:"element attribute comment document processing-instruction",end:/\{/,excludeEnd:!0},{begin:/<([\w._:-]+)(\s+\S*=('|").*('|"))?>/,end:/(\/[\w._:-]+>)/,subLanguage:"xml",contains:[{begin:/\{/,end:/\}/,subLanguage:"xquery"},"self"]}]}}return Wg=e,Wg}var Vg,q0;function ZP(){if(q0)return Vg;q0=1;function e(t){const n={className:"string",contains:[t.BACKSLASH_ESCAPE],variants:[t.inherit(t.APOS_STRING_MODE,{illegal:null}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null})]},r=t.UNDERSCORE_TITLE_MODE,a={variants:[t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE]},o="namespace class interface use extends function return abstract final public protected private static deprecated throw try catch Exception echo empty isset instanceof unset let var new const self require if else elseif switch case default do while loop for continue break likely unlikely __LINE__ __FILE__ __DIR__ __FUNCTION__ __CLASS__ __TRAIT__ __METHOD__ __NAMESPACE__ array boolean float double integer object resource string char long unsigned bool int uint ulong uchar true false null undefined";return{name:"Zephir",aliases:["zep"],keywords:o,contains:[t.C_LINE_COMMENT_MODE,t.COMMENT(/\/\*/,/\*\//,{contains:[{className:"doctag",begin:/@[A-Za-z]+/}]}),{className:"string",begin:/<<<['"]?\w+['"]?$/,end:/^\w+;/,contains:[t.BACKSLASH_ESCAPE]},{begin:/(::|->)+[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*/},{className:"function",beginKeywords:"function fn",end:/[;{]/,excludeEnd:!0,illegal:/\$|\[|%/,contains:[r,{className:"params",begin:/\(/,end:/\)/,keywords:o,contains:["self",t.C_BLOCK_COMMENT_MODE,n,a]}]},{className:"class",beginKeywords:"class interface",end:/\{/,excludeEnd:!0,illegal:/[:($"]/,contains:[{beginKeywords:"extends implements"},r]},{beginKeywords:"namespace",end:/;/,illegal:/[.']/,contains:[r]},{beginKeywords:"use",end:/;/,contains:[r]},{begin:/=>/},n,a]}}return Vg=e,Vg}var Fe=T1;Fe.registerLanguage("1c",y1());Fe.registerLanguage("abnf",C1());Fe.registerLanguage("accesslog",A1());Fe.registerLanguage("actionscript",O1());Fe.registerLanguage("ada",R1());Fe.registerLanguage("angelscript",N1());Fe.registerLanguage("apache",I1());Fe.registerLanguage("applescript",D1());Fe.registerLanguage("arcade",x1());Fe.registerLanguage("arduino",w1());Fe.registerLanguage("armasm",L1());Fe.registerLanguage("xml",M1());Fe.registerLanguage("asciidoc",k1());Fe.registerLanguage("aspectj",P1());Fe.registerLanguage("autohotkey",F1());Fe.registerLanguage("autoit",B1());Fe.registerLanguage("avrasm",U1());Fe.registerLanguage("awk",G1());Fe.registerLanguage("axapta",H1());Fe.registerLanguage("bash",q1());Fe.registerLanguage("basic",Y1());Fe.registerLanguage("bnf",W1());Fe.registerLanguage("brainfuck",V1());Fe.registerLanguage("c",z1());Fe.registerLanguage("cal",K1());Fe.registerLanguage("capnproto",$1());Fe.registerLanguage("ceylon",Q1());Fe.registerLanguage("clean",j1());Fe.registerLanguage("clojure",X1());Fe.registerLanguage("clojure-repl",Z1());Fe.registerLanguage("cmake",J1());Fe.registerLanguage("coffeescript",eM());Fe.registerLanguage("coq",tM());Fe.registerLanguage("cos",nM());Fe.registerLanguage("cpp",rM());Fe.registerLanguage("crmsh",iM());Fe.registerLanguage("crystal",aM());Fe.registerLanguage("csharp",oM());Fe.registerLanguage("csp",sM());Fe.registerLanguage("css",lM());Fe.registerLanguage("d",uM());Fe.registerLanguage("markdown",cM());Fe.registerLanguage("dart",dM());Fe.registerLanguage("delphi",fM());Fe.registerLanguage("diff",pM());Fe.registerLanguage("django",_M());Fe.registerLanguage("dns",mM());Fe.registerLanguage("dockerfile",gM());Fe.registerLanguage("dos",hM());Fe.registerLanguage("dsconfig",EM());Fe.registerLanguage("dts",SM());Fe.registerLanguage("dust",bM());Fe.registerLanguage("ebnf",vM());Fe.registerLanguage("elixir",TM());Fe.registerLanguage("elm",yM());Fe.registerLanguage("ruby",CM());Fe.registerLanguage("erb",AM());Fe.registerLanguage("erlang-repl",OM());Fe.registerLanguage("erlang",RM());Fe.registerLanguage("excel",NM());Fe.registerLanguage("fix",IM());Fe.registerLanguage("flix",DM());Fe.registerLanguage("fortran",xM());Fe.registerLanguage("fsharp",wM());Fe.registerLanguage("gams",LM());Fe.registerLanguage("gauss",MM());Fe.registerLanguage("gcode",kM());Fe.registerLanguage("gherkin",PM());Fe.registerLanguage("glsl",FM());Fe.registerLanguage("gml",BM());Fe.registerLanguage("go",UM());Fe.registerLanguage("golo",GM());Fe.registerLanguage("gradle",HM());Fe.registerLanguage("graphql",qM());Fe.registerLanguage("groovy",YM());Fe.registerLanguage("haml",WM());Fe.registerLanguage("handlebars",VM());Fe.registerLanguage("haskell",zM());Fe.registerLanguage("haxe",KM());Fe.registerLanguage("hsp",$M());Fe.registerLanguage("http",QM());Fe.registerLanguage("hy",jM());Fe.registerLanguage("inform7",XM());Fe.registerLanguage("ini",ZM());Fe.registerLanguage("irpf90",JM());Fe.registerLanguage("isbl",ek());Fe.registerLanguage("java",tk());Fe.registerLanguage("javascript",nk());Fe.registerLanguage("jboss-cli",rk());Fe.registerLanguage("json",ik());Fe.registerLanguage("julia",ak());Fe.registerLanguage("julia-repl",ok());Fe.registerLanguage("kotlin",sk());Fe.registerLanguage("lasso",lk());Fe.registerLanguage("latex",uk());Fe.registerLanguage("ldif",ck());Fe.registerLanguage("leaf",dk());Fe.registerLanguage("less",fk());Fe.registerLanguage("lisp",pk());Fe.registerLanguage("livecodeserver",_k());Fe.registerLanguage("livescript",mk());Fe.registerLanguage("llvm",gk());Fe.registerLanguage("lsl",hk());Fe.registerLanguage("lua",Ek());Fe.registerLanguage("makefile",Sk());Fe.registerLanguage("mathematica",bk());Fe.registerLanguage("matlab",vk());Fe.registerLanguage("maxima",Tk());Fe.registerLanguage("mel",yk());Fe.registerLanguage("mercury",Ck());Fe.registerLanguage("mipsasm",Ak());Fe.registerLanguage("mizar",Ok());Fe.registerLanguage("perl",Rk());Fe.registerLanguage("mojolicious",Nk());Fe.registerLanguage("monkey",Ik());Fe.registerLanguage("moonscript",Dk());Fe.registerLanguage("n1ql",xk());Fe.registerLanguage("nestedtext",wk());Fe.registerLanguage("nginx",Lk());Fe.registerLanguage("nim",Mk());Fe.registerLanguage("nix",kk());Fe.registerLanguage("node-repl",Pk());Fe.registerLanguage("nsis",Fk());Fe.registerLanguage("objectivec",Bk());Fe.registerLanguage("ocaml",Uk());Fe.registerLanguage("openscad",Gk());Fe.registerLanguage("oxygene",Hk());Fe.registerLanguage("parser3",qk());Fe.registerLanguage("pf",Yk());Fe.registerLanguage("pgsql",Wk());Fe.registerLanguage("php",Vk());Fe.registerLanguage("php-template",zk());Fe.registerLanguage("plaintext",Kk());Fe.registerLanguage("pony",$k());Fe.registerLanguage("powershell",Qk());Fe.registerLanguage("processing",jk());Fe.registerLanguage("profile",Xk());Fe.registerLanguage("prolog",Zk());Fe.registerLanguage("properties",Jk());Fe.registerLanguage("protobuf",eP());Fe.registerLanguage("puppet",tP());Fe.registerLanguage("purebasic",nP());Fe.registerLanguage("python",rP());Fe.registerLanguage("python-repl",iP());Fe.registerLanguage("q",aP());Fe.registerLanguage("qml",oP());Fe.registerLanguage("r",sP());Fe.registerLanguage("reasonml",lP());Fe.registerLanguage("rib",uP());Fe.registerLanguage("roboconf",cP());Fe.registerLanguage("routeros",dP());Fe.registerLanguage("rsl",fP());Fe.registerLanguage("ruleslanguage",pP());Fe.registerLanguage("rust",_P());Fe.registerLanguage("sas",mP());Fe.registerLanguage("scala",gP());Fe.registerLanguage("scheme",hP());Fe.registerLanguage("scilab",EP());Fe.registerLanguage("scss",SP());Fe.registerLanguage("shell",bP());Fe.registerLanguage("smali",vP());Fe.registerLanguage("smalltalk",TP());Fe.registerLanguage("sml",yP());Fe.registerLanguage("sqf",CP());Fe.registerLanguage("sql",AP());Fe.registerLanguage("stan",OP());Fe.registerLanguage("stata",RP());Fe.registerLanguage("step21",NP());Fe.registerLanguage("stylus",IP());Fe.registerLanguage("subunit",DP());Fe.registerLanguage("swift",xP());Fe.registerLanguage("taggerscript",wP());Fe.registerLanguage("yaml",LP());Fe.registerLanguage("tap",MP());Fe.registerLanguage("tcl",kP());Fe.registerLanguage("thrift",PP());Fe.registerLanguage("tp",FP());Fe.registerLanguage("twig",BP());Fe.registerLanguage("typescript",UP());Fe.registerLanguage("vala",GP());Fe.registerLanguage("vbnet",HP());Fe.registerLanguage("vbscript",qP());Fe.registerLanguage("vbscript-html",YP());Fe.registerLanguage("verilog",WP());Fe.registerLanguage("vhdl",VP());Fe.registerLanguage("vim",zP());Fe.registerLanguage("wasm",KP());Fe.registerLanguage("wren",$P());Fe.registerLanguage("x86asm",QP());Fe.registerLanguage("xl",jP());Fe.registerLanguage("xquery",XP());Fe.registerLanguage("zephir",ZP());Fe.HighlightJS=Fe;Fe.default=Fe;var JP=Fe;const qd=JP,_E='<div class="modal fade" tabindex="-1" role="dialog">  <div class="modal-dialog" role="document">    <div class="modal-content">      <div class="modal-header">        <h5 class="modal-title">{0}</h5>        <button type="button" class="close" data-dismiss="modal" aria-label="Close">          <span aria-hidden="true">&times;</span>        </button>      </div>      <div class="modal-body">      </div>      <div class="modal-footer">      </div>    </div>  </div></div>',eF='<div class="toast m-3" role="alert">  <div class="toast-header">    <strong class="mr-auto">{0}</strong>    <button type="button" class="ml-2 mb-1 close" data-dismiss="toast" aria-label="Close">      <span aria-hidden="true">&times;</span>    </button>  </div>  <div class="toast-body">{1}</div></div>',tF='<div class="progress">  <div class="progress-bar progress-bar-success progress-bar-striped progress-bar-animated" role="progressbar" style="width: {0}%">  </div></div>',nF=`<div class="alert alert-danger alert-dismissable" role="alert">
+`},{className:"string",begin:"\\d{4}-\\d{2}-\\d{2}(\\s+)\\d{2}:\\d{2}:\\d{2}.\\d+Z"},{className:"string",begin:"(\\+|-)\\d+"},{className:"keyword",relevance:10,variants:[{begin:"^(test|testing|success|successful|failure|error|skip|xfail|uxsuccess)(:?)\\s+(test)?"},{begin:"^progress(:?)(\\s+)?(pop|push)?"},{begin:"^tags:"},{begin:"^time:"}]}]}}return Cg=e,Cg}var Ag,y0;function LP(){if(y0)return Ag;y0=1;function e(k){return k?typeof k=="string"?k:k.source:null}function t(k){return n("(?=",k,")")}function n(...k){return k.map(z=>e(z)).join("")}function r(k){const F=k[k.length-1];return typeof F=="object"&&F.constructor===Object?(k.splice(k.length-1,1),F):{}}function a(...k){return"("+(r(k).capture?"":"?:")+k.map(K=>e(K)).join("|")+")"}const o=k=>n(/\b/,k,/\w$/.test(k)?/\b/:/\B/),l=["Protocol","Type"].map(o),u=["init","self"].map(o),c=["Any","Self"],d=["actor","any","associatedtype","async","await",/as\?/,/as!/,"as","borrowing","break","case","catch","class","consume","consuming","continue","convenience","copy","default","defer","deinit","didSet","distributed","do","dynamic","each","else","enum","extension","fallthrough",/fileprivate\(set\)/,"fileprivate","final","for","func","get","guard","if","import","indirect","infix",/init\?/,/init!/,"inout",/internal\(set\)/,"internal","in","is","isolated","nonisolated","lazy","let","macro","mutating","nonmutating",/open\(set\)/,"open","operator","optional","override","postfix","precedencegroup","prefix",/private\(set\)/,"private","protocol",/public\(set\)/,"public","repeat","required","rethrows","return","set","some","static","struct","subscript","super","switch","throws","throw",/try\?/,/try!/,"try","typealias",/unowned\(safe\)/,/unowned\(unsafe\)/,"unowned","var","weak","where","while","willSet"],S=["false","nil","true"],_=["assignment","associativity","higherThan","left","lowerThan","none","right"],E=["#colorLiteral","#column","#dsohandle","#else","#elseif","#endif","#error","#file","#fileID","#fileLiteral","#filePath","#function","#if","#imageLiteral","#keyPath","#line","#selector","#sourceLocation","#warning"],T=["abs","all","any","assert","assertionFailure","debugPrint","dump","fatalError","getVaList","isKnownUniquelyReferenced","max","min","numericCast","pointwiseMax","pointwiseMin","precondition","preconditionFailure","print","readLine","repeatElement","sequence","stride","swap","swift_unboxFromSwiftValueWithType","transcode","type","unsafeBitCast","unsafeDowncast","withExtendedLifetime","withUnsafeMutablePointer","withUnsafePointer","withVaList","withoutActuallyEscaping","zip"],y=a(/[/=\-+!*%<>&|^~?]/,/[\u00A1-\u00A7]/,/[\u00A9\u00AB]/,/[\u00AC\u00AE]/,/[\u00B0\u00B1]/,/[\u00B6\u00BB\u00BF\u00D7\u00F7]/,/[\u2016-\u2017]/,/[\u2020-\u2027]/,/[\u2030-\u203E]/,/[\u2041-\u2053]/,/[\u2055-\u205E]/,/[\u2190-\u23FF]/,/[\u2500-\u2775]/,/[\u2794-\u2BFF]/,/[\u2E00-\u2E7F]/,/[\u3001-\u3003]/,/[\u3008-\u3020]/,/[\u3030]/),M=a(y,/[\u0300-\u036F]/,/[\u1DC0-\u1DFF]/,/[\u20D0-\u20FF]/,/[\uFE00-\uFE0F]/,/[\uFE20-\uFE2F]/),v=n(y,M,"*"),A=a(/[a-zA-Z_]/,/[\u00A8\u00AA\u00AD\u00AF\u00B2-\u00B5\u00B7-\u00BA]/,/[\u00BC-\u00BE\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u00FF]/,/[\u0100-\u02FF\u0370-\u167F\u1681-\u180D\u180F-\u1DBF]/,/[\u1E00-\u1FFF]/,/[\u200B-\u200D\u202A-\u202E\u203F-\u2040\u2054\u2060-\u206F]/,/[\u2070-\u20CF\u2100-\u218F\u2460-\u24FF\u2776-\u2793]/,/[\u2C00-\u2DFF\u2E80-\u2FFF]/,/[\u3004-\u3007\u3021-\u302F\u3031-\u303F\u3040-\uD7FF]/,/[\uF900-\uFD3D\uFD40-\uFDCF\uFDF0-\uFE1F\uFE30-\uFE44]/,/[\uFE47-\uFEFE\uFF00-\uFFFD]/),O=a(A,/\d/,/[\u0300-\u036F\u1DC0-\u1DFF\u20D0-\u20FF\uFE20-\uFE2F]/),N=n(A,O,"*"),R=n(/[A-Z]/,O,"*"),L=["attached","autoclosure",n(/convention\(/,a("swift","block","c"),/\)/),"discardableResult","dynamicCallable","dynamicMemberLookup","escaping","freestanding","frozen","GKInspectable","IBAction","IBDesignable","IBInspectable","IBOutlet","IBSegueAction","inlinable","main","nonobjc","NSApplicationMain","NSCopying","NSManaged",n(/objc\(/,N,/\)/),"objc","objcMembers","propertyWrapper","requires_stored_property_inits","resultBuilder","Sendable","testable","UIApplicationMain","unchecked","unknown","usableFromInline","warn_unqualified_access"],I=["iOS","iOSApplicationExtension","macOS","macOSApplicationExtension","macCatalyst","macCatalystApplicationExtension","watchOS","watchOSApplicationExtension","tvOS","tvOSApplicationExtension","swift"];function h(k){const F={match:/\s+/,relevance:0},z=k.COMMENT("/\\*","\\*/",{contains:["self"]}),K=[k.C_LINE_COMMENT_MODE,z],ue={match:[/\./,a(...l,...u)],className:{2:"keyword"}},Z={match:n(/\./,a(...d)),relevance:0},fe=d.filter(ke=>typeof ke=="string").concat(["_|0"]),V=d.filter(ke=>typeof ke!="string").concat(c).map(o),ne={variants:[{className:"keyword",match:a(...V,...u)}]},te={$pattern:a(/\b\w+/,/#\w+/),keyword:fe.concat(E),literal:S},G=[ue,Z,ne],se={match:n(/\./,a(...T)),relevance:0},ve={className:"built_in",match:n(/\b/,a(...T),/(?=\()/)},Ge=[se,ve],oe={match:/->/,relevance:0},W={className:"operator",relevance:0,variants:[{match:v},{match:`\\.(\\.|${M})+`}]},Oe=[oe,W],tt="([0-9]_*)+",rt="([0-9a-fA-F]_*)+",bt={className:"number",relevance:0,variants:[{match:`\\b(${tt})(\\.(${tt}))?([eE][+-]?(${tt}))?\\b`},{match:`\\b0x(${rt})(\\.(${rt}))?([pP][+-]?(${tt}))?\\b`},{match:/\b0o([0-7]_*)+\b/},{match:/\b0b([01]_*)+\b/}]},dt=(ke="")=>({className:"subst",variants:[{match:n(/\\/,ke,/[0\\tnr"']/)},{match:n(/\\/,ke,/u\{[0-9a-fA-F]{1,8}\}/)}]}),ct=(ke="")=>({className:"subst",match:n(/\\/,ke,/[\t ]*(?:[\r\n]|\r\n)/)}),Ze=(ke="")=>({className:"subst",label:"interpol",begin:n(/\\/,ke,/\(/),end:/\)/}),nt=(ke="")=>({begin:n(ke,/"""/),end:n(/"""/,ke),contains:[dt(ke),ct(ke),Ze(ke)]}),ce=(ke="")=>({begin:n(ke,/"/),end:n(/"/,ke),contains:[dt(ke),Ze(ke)]}),Ee={className:"string",variants:[nt(),nt("#"),nt("##"),nt("###"),ce(),ce("#"),ce("##"),ce("###")]},He=[k.BACKSLASH_ESCAPE,{begin:/\[/,end:/\]/,relevance:0,contains:[k.BACKSLASH_ESCAPE]}],we={begin:/\/[^\s](?=[^/\n]*\/)/,end:/\//,contains:He},ze=ke=>{const $e=n(ke,/\//),De=n(/\//,ke);return{begin:$e,end:De,contains:[...He,{scope:"comment",begin:`#(?!.*${De})`,end:/$/}]}},pe={scope:"regexp",variants:[ze("###"),ze("##"),ze("#"),we]},Re={match:n(/`/,N,/`/)},Ne={className:"variable",match:/\$\d+/},Ie={className:"variable",match:`\\$${O}+`},Ue=[Re,Ne,Ie],Ve={match:/(@|#(un)?)available/,scope:"keyword",starts:{contains:[{begin:/\(/,end:/\)/,keywords:I,contains:[...Oe,bt,Ee]}]}},lt={scope:"keyword",match:n(/@/,a(...L))},ge={scope:"meta",match:n(/@/,N)},de=[Ve,lt,ge],be={match:t(/\b[A-Z]/),relevance:0,contains:[{className:"type",match:n(/(AV|CA|CF|CG|CI|CL|CM|CN|CT|MK|MP|MTK|MTL|NS|SCN|SK|UI|WK|XC)/,O,"+")},{className:"type",match:R,relevance:0},{match:/[?!]+/,relevance:0},{match:/\.\.\./,relevance:0},{match:n(/\s+&\s+/,t(R)),relevance:0}]},H={begin:/</,end:/>/,keywords:te,contains:[...K,...G,...de,oe,be]};be.contains.push(H);const ee={match:n(N,/\s*:/),keywords:"_|0",relevance:0},_e={begin:/\(/,end:/\)/,relevance:0,keywords:te,contains:["self",ee,...K,pe,...G,...Ge,...Oe,bt,Ee,...Ue,...de,be]},U={begin:/</,end:/>/,keywords:"repeat each",contains:[...K,be]},Q={begin:a(t(n(N,/\s*:/)),t(n(N,/\s+/,N,/\s*:/))),end:/:/,relevance:0,contains:[{className:"keyword",match:/\b_\b/},{className:"params",match:N}]},he={begin:/\(/,end:/\)/,keywords:te,contains:[Q,...K,...G,...Oe,bt,Ee,...de,be,_e],endsParent:!0,illegal:/["']/},Le={match:[/(func|macro)/,/\s+/,a(Re.match,N,v)],className:{1:"keyword",3:"title.function"},contains:[U,he,F],illegal:[/\[/,/%/]},Xe={match:[/\b(?:subscript|init[?!]?)/,/\s*(?=[<(])/],className:{1:"keyword"},contains:[U,he,F],illegal:/\[|%/},je={match:[/operator/,/\s+/,v],className:{1:"keyword",3:"title"}},at={begin:[/precedencegroup/,/\s+/,R],className:{1:"keyword",3:"title"},contains:[be],keywords:[..._,...S],end:/}/};for(const ke of Ee.variants){const $e=ke.contains.find(pt=>pt.label==="interpol");$e.keywords=te;const De=[...G,...Ge,...Oe,bt,Ee,...Ue];$e.contains=[...De,{begin:/\(/,end:/\)/,contains:["self",...De]}]}return{name:"Swift",keywords:te,contains:[...K,Le,Xe,{beginKeywords:"struct protocol class extension enum actor",end:"\\{",excludeEnd:!0,keywords:te,contains:[k.inherit(k.TITLE_MODE,{className:"title.class",begin:/[A-Za-z$_][\u00C0-\u02B80-9A-Za-z$_]*/}),...G]},je,at,{beginKeywords:"import",end:/$/,contains:[...K],relevance:0},pe,...G,...Ge,...Oe,bt,Ee,...Ue,...de,be,_e]}}return Ag=h,Ag}var Og,C0;function MP(){if(C0)return Og;C0=1;function e(t){return{name:"Tagger Script",contains:[{className:"comment",begin:/\$noop\(/,end:/\)/,contains:[{begin:/\\[()]/},{begin:/\(/,end:/\)/,contains:[{begin:/\\[()]/},"self"]}],relevance:10},{className:"keyword",begin:/\$[_a-zA-Z0-9]+(?=\()/},{className:"variable",begin:/%[_a-zA-Z0-9:]+%/},{className:"symbol",begin:/\\[\\nt$%,()]/},{className:"symbol",begin:/\\u[a-fA-F0-9]{4}/}]}}return Og=e,Og}var Rg,A0;function kP(){if(A0)return Rg;A0=1;function e(t){const n="true false yes no null",r="[\\w#;/?:@&=+$,.~*'()[\\]]+",a={className:"attr",variants:[{begin:"\\w[\\w :\\/.-]*:(?=[ 	]|$)"},{begin:'"\\w[\\w :\\/.-]*":(?=[ 	]|$)'},{begin:"'\\w[\\w :\\/.-]*':(?=[ 	]|$)"}]},o={className:"template-variable",variants:[{begin:/\{\{/,end:/\}\}/},{begin:/%\{/,end:/\}/}]},l={className:"string",relevance:0,variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/\S+/}],contains:[t.BACKSLASH_ESCAPE,o]},u=t.inherit(l,{variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/},{begin:/[^\s,{}[\]]+/}]}),c="[0-9]{4}(-[0-9][0-9]){0,2}",d="([Tt \\t][0-9][0-9]?(:[0-9][0-9]){2})?",S="(\\.[0-9]*)?",_="([ \\t])*(Z|[-+][0-9][0-9]?(:[0-9][0-9])?)?",E={className:"number",begin:"\\b"+c+d+S+_+"\\b"},T={end:",",endsWithParent:!0,excludeEnd:!0,keywords:n,relevance:0},y={begin:/\{/,end:/\}/,contains:[T],illegal:"\\n",relevance:0},M={begin:"\\[",end:"\\]",contains:[T],illegal:"\\n",relevance:0},v=[a,{className:"meta",begin:"^---\\s*$",relevance:10},{className:"string",begin:"[\\|>]([1-9]?[+-])?[ ]*\\n( +)[^ ][^\\n]*\\n(\\2[^\\n]+\\n?)*"},{begin:"<%[%=-]?",end:"[%-]?%>",subLanguage:"ruby",excludeBegin:!0,excludeEnd:!0,relevance:0},{className:"type",begin:"!\\w+!"+r},{className:"type",begin:"!<"+r+">"},{className:"type",begin:"!"+r},{className:"type",begin:"!!"+r},{className:"meta",begin:"&"+t.UNDERSCORE_IDENT_RE+"$"},{className:"meta",begin:"\\*"+t.UNDERSCORE_IDENT_RE+"$"},{className:"bullet",begin:"-(?=[ ]|$)",relevance:0},t.HASH_COMMENT_MODE,{beginKeywords:n,keywords:{literal:n}},E,{className:"number",begin:t.C_NUMBER_RE+"\\b",relevance:0},y,M,l],A=[...v];return A.pop(),A.push(u),T.contains=A,{name:"YAML",case_insensitive:!0,aliases:["yml"],contains:v}}return Rg=e,Rg}var Ng,O0;function PP(){if(O0)return Ng;O0=1;function e(t){return{name:"Test Anything Protocol",case_insensitive:!0,contains:[t.HASH_COMMENT_MODE,{className:"meta",variants:[{begin:"^TAP version (\\d+)$"},{begin:"^1\\.\\.(\\d+)$"}]},{begin:/---$/,end:"\\.\\.\\.$",subLanguage:"yaml",relevance:0},{className:"number",begin:" (\\d+) "},{className:"symbol",variants:[{begin:"^ok"},{begin:"^not ok"}]}]}}return Ng=e,Ng}var Ig,R0;function FP(){if(R0)return Ig;R0=1;function e(t){const n=t.regex,r=/[a-zA-Z_][a-zA-Z0-9_]*/,a={className:"number",variants:[t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE]};return{name:"Tcl",aliases:["tk"],keywords:["after","append","apply","array","auto_execok","auto_import","auto_load","auto_mkindex","auto_mkindex_old","auto_qualify","auto_reset","bgerror","binary","break","catch","cd","chan","clock","close","concat","continue","dde","dict","encoding","eof","error","eval","exec","exit","expr","fblocked","fconfigure","fcopy","file","fileevent","filename","flush","for","foreach","format","gets","glob","global","history","http","if","incr","info","interp","join","lappend|10","lassign|10","lindex|10","linsert|10","list","llength|10","load","lrange|10","lrepeat|10","lreplace|10","lreverse|10","lsearch|10","lset|10","lsort|10","mathfunc","mathop","memory","msgcat","namespace","open","package","parray","pid","pkg::create","pkg_mkIndex","platform","platform::shell","proc","puts","pwd","read","refchan","regexp","registry","regsub|10","rename","return","safe","scan","seek","set","socket","source","split","string","subst","switch","tcl_endOfWord","tcl_findLibrary","tcl_startOfNextWord","tcl_startOfPreviousWord","tcl_wordBreakAfter","tcl_wordBreakBefore","tcltest","tclvars","tell","time","tm","trace","unknown","unload","unset","update","uplevel","upvar","variable","vwait","while"],contains:[t.COMMENT(";[ \\t]*#","$"),t.COMMENT("^[ \\t]*#","$"),{beginKeywords:"proc",end:"[\\{]",excludeEnd:!0,contains:[{className:"title",begin:"[ \\t\\n\\r]+(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",end:"[ \\t\\n\\r]",endsWithParent:!0,excludeEnd:!0}]},{className:"variable",variants:[{begin:n.concat(/\$/,n.optional(/::/),r,"(::",r,")*")},{begin:"\\$\\{(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",end:"\\}",contains:[a]}]},{className:"string",contains:[t.BACKSLASH_ESCAPE],variants:[t.inherit(t.QUOTE_STRING_MODE,{illegal:null})]},a]}}return Ig=e,Ig}var Dg,N0;function BP(){if(N0)return Dg;N0=1;function e(t){const n=["bool","byte","i16","i32","i64","double","string","binary"];return{name:"Thrift",keywords:{keyword:["namespace","const","typedef","struct","enum","service","exception","void","oneway","set","list","map","required","optional"],type:n,literal:"true false"},contains:[t.QUOTE_STRING_MODE,t.NUMBER_MODE,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"class",beginKeywords:"struct enum service exception",end:/\{/,illegal:/\n/,contains:[t.inherit(t.TITLE_MODE,{starts:{endsWithParent:!0,excludeEnd:!0}})]},{begin:"\\b(set|list|map)\\s*<",keywords:{type:[...n,"set","list","map"]},end:">",contains:["self"]}]}}return Dg=e,Dg}var xg,I0;function UP(){if(I0)return xg;I0=1;function e(t){const n={className:"number",begin:"[1-9][0-9]*",relevance:0},r={className:"symbol",begin:":[^\\]]+"},a={className:"built_in",begin:"(AR|P|PAYLOAD|PR|R|SR|RSR|LBL|VR|UALM|MESSAGE|UTOOL|UFRAME|TIMER|TIMER_OVERFLOW|JOINT_MAX_SPEED|RESUME_PROG|DIAG_REC)\\[",end:"\\]",contains:["self",n,r]},o={className:"built_in",begin:"(AI|AO|DI|DO|F|RI|RO|UI|UO|GI|GO|SI|SO)\\[",end:"\\]",contains:["self",n,t.QUOTE_STRING_MODE,r]};return{name:"TP",keywords:{keyword:["ABORT","ACC","ADJUST","AND","AP_LD","BREAK","CALL","CNT","COL","CONDITION","CONFIG","DA","DB","DIV","DETECT","ELSE","END","ENDFOR","ERR_NUM","ERROR_PROG","FINE","FOR","GP","GUARD","INC","IF","JMP","LINEAR_MAX_SPEED","LOCK","MOD","MONITOR","OFFSET","Offset","OR","OVERRIDE","PAUSE","PREG","PTH","RT_LD","RUN","SELECT","SKIP","Skip","TA","TB","TO","TOOL_OFFSET","Tool_Offset","UF","UT","UFRAME_NUM","UTOOL_NUM","UNLOCK","WAIT","X","Y","Z","W","P","R","STRLEN","SUBSTR","FINDSTR","VOFFSET","PROG","ATTR","MN","POS"],literal:["ON","OFF","max_speed","LPOS","JPOS","ENABLE","DISABLE","START","STOP","RESET"]},contains:[a,o,{className:"keyword",begin:"/(PROG|ATTR|MN|POS|END)\\b"},{className:"keyword",begin:"(CALL|RUN|POINT_LOGIC|LBL)\\b"},{className:"keyword",begin:"\\b(ACC|CNT|Skip|Offset|PSPD|RT_LD|AP_LD|Tool_Offset)"},{className:"number",begin:"\\d+(sec|msec|mm/sec|cm/min|inch/min|deg/sec|mm|in|cm)?\\b",relevance:0},t.COMMENT("//","[;$]"),t.COMMENT("!","[;$]"),t.COMMENT("--eg:","$"),t.QUOTE_STRING_MODE,{className:"string",begin:"'",end:"'"},t.C_NUMBER_MODE,{className:"variable",begin:"\\$[A-Za-z0-9_]+"}]}}return xg=e,xg}var wg,D0;function GP(){if(D0)return wg;D0=1;function e(t){const n=t.regex,r=["absolute_url","asset|0","asset_version","attribute","block","constant","controller|0","country_timezones","csrf_token","cycle","date","dump","expression","form|0","form_end","form_errors","form_help","form_label","form_rest","form_row","form_start","form_widget","html_classes","include","is_granted","logout_path","logout_url","max","min","parent","path|0","random","range","relative_path","render","render_esi","source","template_from_string","url|0"],a=["abs","abbr_class","abbr_method","batch","capitalize","column","convert_encoding","country_name","currency_name","currency_symbol","data_uri","date","date_modify","default","escape","file_excerpt","file_link","file_relative","filter","first","format","format_args","format_args_as_text","format_currency","format_date","format_datetime","format_file","format_file_from_text","format_number","format_time","html_to_markdown","humanize","inky_to_html","inline_css","join","json_encode","keys","language_name","last","length","locale_name","lower","map","markdown","markdown_to_html","merge","nl2br","number_format","raw","reduce","replace","reverse","round","slice","slug","sort","spaceless","split","striptags","timezone_name","title","trans","transchoice","trim","u|0","upper","url_encode","yaml_dump","yaml_encode"];let o=["apply","autoescape","block","cache","deprecated","do","embed","extends","filter","flush","for","form_theme","from","if","import","include","macro","sandbox","set","stopwatch","trans","trans_default_domain","transchoice","use","verbatim","with"];o=o.concat(o.map(M=>`end${M}`));const l={scope:"string",variants:[{begin:/'/,end:/'/},{begin:/"/,end:/"/}]},u={scope:"number",match:/\d+/},c={begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,contains:[l,u]},d={beginKeywords:r.join(" "),keywords:{name:r},relevance:0,contains:[c]},S={match:/\|(?=[A-Za-z_]+:?)/,beginScope:"punctuation",relevance:0,contains:[{match:/[A-Za-z_]+:?/,keywords:a}]},_=(M,{relevance:v})=>({beginScope:{1:"template-tag",3:"name"},relevance:v||2,endScope:"template-tag",begin:[/\{%/,/\s*/,n.either(...M)],end:/%\}/,keywords:"in",contains:[S,d,l,u]}),E=/[a-z_]+/,T=_(o,{relevance:2}),y=_([E],{relevance:1});return{name:"Twig",aliases:["craftcms"],case_insensitive:!0,subLanguage:"xml",contains:[t.COMMENT(/\{#/,/#\}/),T,y,{className:"template-variable",begin:/\{\{/,end:/\}\}/,contains:["self",S,d,l,u]}]}}return wg=e,wg}var Lg,x0;function HP(){if(x0)return Lg;x0=1;const e="[A-Za-z$_][0-9A-Za-z$_]*",t=["as","in","of","if","for","while","finally","var","new","function","do","return","void","else","break","catch","instanceof","with","throw","case","default","try","switch","continue","typeof","delete","let","yield","const","class","debugger","async","await","static","import","from","export","extends"],n=["true","false","null","undefined","NaN","Infinity"],r=["Object","Function","Boolean","Symbol","Math","Date","Number","BigInt","String","RegExp","Array","Float32Array","Float64Array","Int8Array","Uint8Array","Uint8ClampedArray","Int16Array","Int32Array","Uint16Array","Uint32Array","BigInt64Array","BigUint64Array","Set","Map","WeakSet","WeakMap","ArrayBuffer","SharedArrayBuffer","Atomics","DataView","JSON","Promise","Generator","GeneratorFunction","AsyncFunction","Reflect","Proxy","Intl","WebAssembly"],a=["Error","EvalError","InternalError","RangeError","ReferenceError","SyntaxError","TypeError","URIError"],o=["setInterval","setTimeout","clearInterval","clearTimeout","require","exports","eval","isFinite","isNaN","parseFloat","parseInt","decodeURI","decodeURIComponent","encodeURI","encodeURIComponent","escape","unescape"],l=["arguments","this","super","console","window","document","localStorage","sessionStorage","module","global"],u=[].concat(o,r,a);function c(S){const _=S.regex,E=(dt,{after:ct})=>{const Ze="</"+dt[0].slice(1);return dt.input.indexOf(Ze,ct)!==-1},T=e,y={begin:"<>",end:"</>"},M=/<[A-Za-z0-9\\._:-]+\s*\/>/,v={begin:/<[A-Za-z0-9\\._:-]+/,end:/\/[A-Za-z0-9\\._:-]+>|\/>/,isTrulyOpeningTag:(dt,ct)=>{const Ze=dt[0].length+dt.index,nt=dt.input[Ze];if(nt==="<"||nt===","){ct.ignoreMatch();return}nt===">"&&(E(dt,{after:Ze})||ct.ignoreMatch());let ce;const Ee=dt.input.substring(Ze);if(ce=Ee.match(/^\s*=/)){ct.ignoreMatch();return}if((ce=Ee.match(/^\s+extends\s+/))&&ce.index===0){ct.ignoreMatch();return}}},A={$pattern:e,keyword:t,literal:n,built_in:u,"variable.language":l},O="[0-9](_?[0-9])*",N=`\\.(${O})`,R="0|[1-9](_?[0-9])*|0[0-7]*[89][0-9]*",L={className:"number",variants:[{begin:`(\\b(${R})((${N})|\\.)?|(${N}))[eE][+-]?(${O})\\b`},{begin:`\\b(${R})\\b((${N})\\b|\\.)?|(${N})\\b`},{begin:"\\b(0|[1-9](_?[0-9])*)n\\b"},{begin:"\\b0[xX][0-9a-fA-F](_?[0-9a-fA-F])*n?\\b"},{begin:"\\b0[bB][0-1](_?[0-1])*n?\\b"},{begin:"\\b0[oO][0-7](_?[0-7])*n?\\b"},{begin:"\\b0[0-7]+n?\\b"}],relevance:0},I={className:"subst",begin:"\\$\\{",end:"\\}",keywords:A,contains:[]},h={begin:"html`",end:"",starts:{end:"`",returnEnd:!1,contains:[S.BACKSLASH_ESCAPE,I],subLanguage:"xml"}},k={begin:"css`",end:"",starts:{end:"`",returnEnd:!1,contains:[S.BACKSLASH_ESCAPE,I],subLanguage:"css"}},F={begin:"gql`",end:"",starts:{end:"`",returnEnd:!1,contains:[S.BACKSLASH_ESCAPE,I],subLanguage:"graphql"}},z={className:"string",begin:"`",end:"`",contains:[S.BACKSLASH_ESCAPE,I]},ue={className:"comment",variants:[S.COMMENT(/\/\*\*(?!\/)/,"\\*/",{relevance:0,contains:[{begin:"(?=@[A-Za-z]+)",relevance:0,contains:[{className:"doctag",begin:"@[A-Za-z]+"},{className:"type",begin:"\\{",end:"\\}",excludeEnd:!0,excludeBegin:!0,relevance:0},{className:"variable",begin:T+"(?=\\s*(-)|$)",endsParent:!0,relevance:0},{begin:/(?=[^\n])\s/,relevance:0}]}]}),S.C_BLOCK_COMMENT_MODE,S.C_LINE_COMMENT_MODE]},Z=[S.APOS_STRING_MODE,S.QUOTE_STRING_MODE,h,k,F,z,{match:/\$\d+/},L];I.contains=Z.concat({begin:/\{/,end:/\}/,keywords:A,contains:["self"].concat(Z)});const fe=[].concat(ue,I.contains),V=fe.concat([{begin:/\(/,end:/\)/,keywords:A,contains:["self"].concat(fe)}]),ne={className:"params",begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:A,contains:V},te={variants:[{match:[/class/,/\s+/,T,/\s+/,/extends/,/\s+/,_.concat(T,"(",_.concat(/\./,T),")*")],scope:{1:"keyword",3:"title.class",5:"keyword",7:"title.class.inherited"}},{match:[/class/,/\s+/,T],scope:{1:"keyword",3:"title.class"}}]},G={relevance:0,match:_.either(/\bJSON/,/\b[A-Z][a-z]+([A-Z][a-z]*|\d)*/,/\b[A-Z]{2,}([A-Z][a-z]+|\d)+([A-Z][a-z]*)*/,/\b[A-Z]{2,}[a-z]+([A-Z][a-z]+|\d)*([A-Z][a-z]*)*/),className:"title.class",keywords:{_:[...r,...a]}},se={label:"use_strict",className:"meta",relevance:10,begin:/^\s*['"]use (strict|asm)['"]/},ve={variants:[{match:[/function/,/\s+/,T,/(?=\s*\()/]},{match:[/function/,/\s*(?=\()/]}],className:{1:"keyword",3:"title.function"},label:"func.def",contains:[ne],illegal:/%/},Ge={relevance:0,match:/\b[A-Z][A-Z_0-9]+\b/,className:"variable.constant"};function oe(dt){return _.concat("(?!",dt.join("|"),")")}const W={match:_.concat(/\b/,oe([...o,"super","import"]),T,_.lookahead(/\(/)),className:"title.function",relevance:0},Oe={begin:_.concat(/\./,_.lookahead(_.concat(T,/(?![0-9A-Za-z$_(])/))),end:T,excludeBegin:!0,keywords:"prototype",className:"property",relevance:0},tt={match:[/get|set/,/\s+/,T,/(?=\()/],className:{1:"keyword",3:"title.function"},contains:[{begin:/\(\)/},ne]},rt="(\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)|"+S.UNDERSCORE_IDENT_RE+")\\s*=>",bt={match:[/const|var|let/,/\s+/,T,/\s*/,/=\s*/,/(async\s*)?/,_.lookahead(rt)],keywords:"async",className:{1:"keyword",3:"title.function"},contains:[ne]};return{name:"JavaScript",aliases:["js","jsx","mjs","cjs"],keywords:A,exports:{PARAMS_CONTAINS:V,CLASS_REFERENCE:G},illegal:/#(?![$_A-z])/,contains:[S.SHEBANG({label:"shebang",binary:"node",relevance:5}),se,S.APOS_STRING_MODE,S.QUOTE_STRING_MODE,h,k,F,z,ue,{match:/\$\d+/},L,G,{className:"attr",begin:T+_.lookahead(":"),relevance:0},bt,{begin:"("+S.RE_STARTERS_RE+"|\\b(case|return|throw)\\b)\\s*",keywords:"return throw case",relevance:0,contains:[ue,S.REGEXP_MODE,{className:"function",begin:rt,returnBegin:!0,end:"\\s*=>",contains:[{className:"params",variants:[{begin:S.UNDERSCORE_IDENT_RE,relevance:0},{className:null,begin:/\(\s*\)/,skip:!0},{begin:/\(/,end:/\)/,excludeBegin:!0,excludeEnd:!0,keywords:A,contains:V}]}]},{begin:/,/,relevance:0},{match:/\s+/,relevance:0},{variants:[{begin:y.begin,end:y.end},{match:M},{begin:v.begin,"on:begin":v.isTrulyOpeningTag,end:v.end}],subLanguage:"xml",contains:[{begin:v.begin,end:v.end,skip:!0,contains:["self"]}]}]},ve,{beginKeywords:"while if switch catch for"},{begin:"\\b(?!function)"+S.UNDERSCORE_IDENT_RE+"\\([^()]*(\\([^()]*(\\([^()]*\\)[^()]*)*\\)[^()]*)*\\)\\s*\\{",returnBegin:!0,label:"func.def",contains:[ne,S.inherit(S.TITLE_MODE,{begin:T,className:"title.function"})]},{match:/\.\.\./,relevance:0},Oe,{match:"\\$"+T,relevance:0},{match:[/\bconstructor(?=\s*\()/],className:{1:"title.function"},contains:[ne]},W,Ge,te,tt,{match:/\$[(.]/}]}}function d(S){const _=c(S),E=e,T=["any","void","number","boolean","string","object","never","symbol","bigint","unknown"],y={beginKeywords:"namespace",end:/\{/,excludeEnd:!0,contains:[_.exports.CLASS_REFERENCE]},M={beginKeywords:"interface",end:/\{/,excludeEnd:!0,keywords:{keyword:"interface extends",built_in:T},contains:[_.exports.CLASS_REFERENCE]},v={className:"meta",relevance:10,begin:/^\s*['"]use strict['"]/},A=["type","namespace","interface","public","private","protected","implements","declare","abstract","readonly","enum","override"],O={$pattern:e,keyword:t.concat(A),literal:n,built_in:u.concat(T),"variable.language":l},N={className:"meta",begin:"@"+E},R=(I,h,k)=>{const F=I.contains.findIndex(z=>z.label===h);if(F===-1)throw new Error("can not find mode to replace");I.contains.splice(F,1,k)};Object.assign(_.keywords,O),_.exports.PARAMS_CONTAINS.push(N),_.contains=_.contains.concat([N,y,M]),R(_,"shebang",S.SHEBANG()),R(_,"use_strict",v);const L=_.contains.find(I=>I.label==="func.def");return L.relevance=0,Object.assign(_,{name:"TypeScript",aliases:["ts","tsx","mts","cts"]}),_}return Lg=d,Lg}var Mg,w0;function qP(){if(w0)return Mg;w0=1;function e(t){return{name:"Vala",keywords:{keyword:"char uchar unichar int uint long ulong short ushort int8 int16 int32 int64 uint8 uint16 uint32 uint64 float double bool struct enum string void weak unowned owned async signal static abstract interface override virtual delegate if while do for foreach else switch case break default return try catch public private protected internal using new this get set const stdout stdin stderr var",built_in:"DBus GLib CCode Gee Object Gtk Posix",literal:"false true null"},contains:[{className:"class",beginKeywords:"class interface namespace",end:/\{/,excludeEnd:!0,illegal:"[^,:\\n\\s\\.]",contains:[t.UNDERSCORE_TITLE_MODE]},t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,{className:"string",begin:'"""',end:'"""',relevance:5},t.APOS_STRING_MODE,t.QUOTE_STRING_MODE,t.C_NUMBER_MODE,{className:"meta",begin:"^#",end:"$"}]}}return Mg=e,Mg}var kg,L0;function YP(){if(L0)return kg;L0=1;function e(t){const n=t.regex,r={className:"string",begin:/"(""|[^/n])"C\b/},a={className:"string",begin:/"/,end:/"/,illegal:/\n/,contains:[{begin:/""/}]},o=/\d{1,2}\/\d{1,2}\/\d{4}/,l=/\d{4}-\d{1,2}-\d{1,2}/,u=/(\d|1[012])(:\d+){0,2} *(AM|PM)/,c=/\d{1,2}(:\d{1,2}){1,2}/,d={className:"literal",variants:[{begin:n.concat(/# */,n.either(l,o),/ *#/)},{begin:n.concat(/# */,c,/ *#/)},{begin:n.concat(/# */,u,/ *#/)},{begin:n.concat(/# */,n.either(l,o),/ +/,n.either(u,c),/ *#/)}]},S={className:"number",relevance:0,variants:[{begin:/\b\d[\d_]*((\.[\d_]+(E[+-]?[\d_]+)?)|(E[+-]?[\d_]+))[RFD@!#]?/},{begin:/\b\d[\d_]*((U?[SIL])|[%&])?/},{begin:/&H[\dA-F_]+((U?[SIL])|[%&])?/},{begin:/&O[0-7_]+((U?[SIL])|[%&])?/},{begin:/&B[01_]+((U?[SIL])|[%&])?/}]},_={className:"label",begin:/^\w+:/},E=t.COMMENT(/'''/,/$/,{contains:[{className:"doctag",begin:/<\/?/,end:/>/}]}),T=t.COMMENT(null,/$/,{variants:[{begin:/'/},{begin:/([\t ]|^)REM(?=\s)/}]});return{name:"Visual Basic .NET",aliases:["vb"],case_insensitive:!0,classNameAliases:{label:"symbol"},keywords:{keyword:"addhandler alias aggregate ansi as async assembly auto binary by byref byval call case catch class compare const continue custom declare default delegate dim distinct do each equals else elseif end enum erase error event exit explicit finally for friend from function get global goto group handles if implements imports in inherits interface into iterator join key let lib loop me mid module mustinherit mustoverride mybase myclass namespace narrowing new next notinheritable notoverridable of off on operator option optional order overloads overridable overrides paramarray partial preserve private property protected public raiseevent readonly redim removehandler resume return select set shadows shared skip static step stop structure strict sub synclock take text then throw to try unicode until using when where while widening with withevents writeonly yield",built_in:"addressof and andalso await directcast gettype getxmlnamespace is isfalse isnot istrue like mod nameof new not or orelse trycast typeof xor cbool cbyte cchar cdate cdbl cdec cint clng cobj csbyte cshort csng cstr cuint culng cushort",type:"boolean byte char date decimal double integer long object sbyte short single string uinteger ulong ushort",literal:"true false nothing"},illegal:"//|\\{|\\}|endif|gosub|variant|wend|^\\$ ",contains:[r,a,d,S,_,E,T,{className:"meta",begin:/[\t ]*#(const|disable|else|elseif|enable|end|externalsource|if|region)\b/,end:/$/,keywords:{keyword:"const disable else elseif enable end externalsource if region then"},contains:[T]}]}}return kg=e,kg}var Pg,M0;function WP(){if(M0)return Pg;M0=1;function e(t){const n=t.regex,r=["lcase","month","vartype","instrrev","ubound","setlocale","getobject","rgb","getref","string","weekdayname","rnd","dateadd","monthname","now","day","minute","isarray","cbool","round","formatcurrency","conversions","csng","timevalue","second","year","space","abs","clng","timeserial","fixs","len","asc","isempty","maths","dateserial","atn","timer","isobject","filter","weekday","datevalue","ccur","isdate","instr","datediff","formatdatetime","replace","isnull","right","sgn","array","snumeric","log","cdbl","hex","chr","lbound","msgbox","ucase","getlocale","cos","cdate","cbyte","rtrim","join","hour","oct","typename","trim","strcomp","int","createobject","loadpicture","tan","formatnumber","mid","split","cint","sin","datepart","ltrim","sqr","time","derived","eval","date","formatpercent","exp","inputbox","left","ascw","chrw","regexp","cstr","err"],a=["server","response","request","scriptengine","scriptenginebuildversion","scriptengineminorversion","scriptenginemajorversion"],o={begin:n.concat(n.either(...r),"\\s*\\("),relevance:0,keywords:{built_in:r}};return{name:"VBScript",aliases:["vbs"],case_insensitive:!0,keywords:{keyword:["call","class","const","dim","do","loop","erase","execute","executeglobal","exit","for","each","next","function","if","then","else","on","error","option","explicit","new","private","property","let","get","public","randomize","redim","rem","select","case","set","stop","sub","while","wend","with","end","to","elseif","is","or","xor","and","not","class_initialize","class_terminate","default","preserve","in","me","byval","byref","step","resume","goto"],built_in:a,literal:["true","false","null","nothing","empty"]},illegal:"//",contains:[o,t.inherit(t.QUOTE_STRING_MODE,{contains:[{begin:'""'}]}),t.COMMENT(/'/,/$/,{relevance:0}),t.C_NUMBER_MODE]}}return Pg=e,Pg}var Fg,k0;function VP(){if(k0)return Fg;k0=1;function e(t){return{name:"VBScript in HTML",subLanguage:"xml",contains:[{begin:"<%",end:"%>",subLanguage:"vbscript"}]}}return Fg=e,Fg}var Bg,P0;function zP(){if(P0)return Bg;P0=1;function e(t){const n=t.regex,r={$pattern:/\$?[\w]+(\$[\w]+)*/,keyword:["accept_on","alias","always","always_comb","always_ff","always_latch","and","assert","assign","assume","automatic","before","begin","bind","bins","binsof","bit","break","buf|0","bufif0","bufif1","byte","case","casex","casez","cell","chandle","checker","class","clocking","cmos","config","const","constraint","context","continue","cover","covergroup","coverpoint","cross","deassign","default","defparam","design","disable","dist","do","edge","else","end","endcase","endchecker","endclass","endclocking","endconfig","endfunction","endgenerate","endgroup","endinterface","endmodule","endpackage","endprimitive","endprogram","endproperty","endspecify","endsequence","endtable","endtask","enum","event","eventually","expect","export","extends","extern","final","first_match","for","force","foreach","forever","fork","forkjoin","function","generate|5","genvar","global","highz0","highz1","if","iff","ifnone","ignore_bins","illegal_bins","implements","implies","import","incdir","include","initial","inout","input","inside","instance","int","integer","interconnect","interface","intersect","join","join_any","join_none","large","let","liblist","library","local","localparam","logic","longint","macromodule","matches","medium","modport","module","nand","negedge","nettype","new","nexttime","nmos","nor","noshowcancelled","not","notif0","notif1","or","output","package","packed","parameter","pmos","posedge","primitive","priority","program","property","protected","pull0","pull1","pulldown","pullup","pulsestyle_ondetect","pulsestyle_onevent","pure","rand","randc","randcase","randsequence","rcmos","real","realtime","ref","reg","reject_on","release","repeat","restrict","return","rnmos","rpmos","rtran","rtranif0","rtranif1","s_always","s_eventually","s_nexttime","s_until","s_until_with","scalared","sequence","shortint","shortreal","showcancelled","signed","small","soft","solve","specify","specparam","static","string","strong","strong0","strong1","struct","super","supply0","supply1","sync_accept_on","sync_reject_on","table","tagged","task","this","throughout","time","timeprecision","timeunit","tran","tranif0","tranif1","tri","tri0","tri1","triand","trior","trireg","type","typedef","union","unique","unique0","unsigned","until","until_with","untyped","use","uwire","var","vectored","virtual","void","wait","wait_order","wand","weak","weak0","weak1","while","wildcard","wire","with","within","wor","xnor","xor"],literal:["null"],built_in:["$finish","$stop","$exit","$fatal","$error","$warning","$info","$realtime","$time","$printtimescale","$bitstoreal","$bitstoshortreal","$itor","$signed","$cast","$bits","$stime","$timeformat","$realtobits","$shortrealtobits","$rtoi","$unsigned","$asserton","$assertkill","$assertpasson","$assertfailon","$assertnonvacuouson","$assertoff","$assertcontrol","$assertpassoff","$assertfailoff","$assertvacuousoff","$isunbounded","$sampled","$fell","$changed","$past_gclk","$fell_gclk","$changed_gclk","$rising_gclk","$steady_gclk","$coverage_control","$coverage_get","$coverage_save","$set_coverage_db_name","$rose","$stable","$past","$rose_gclk","$stable_gclk","$future_gclk","$falling_gclk","$changing_gclk","$display","$coverage_get_max","$coverage_merge","$get_coverage","$load_coverage_db","$typename","$unpacked_dimensions","$left","$low","$increment","$clog2","$ln","$log10","$exp","$sqrt","$pow","$floor","$ceil","$sin","$cos","$tan","$countbits","$onehot","$isunknown","$fatal","$warning","$dimensions","$right","$high","$size","$asin","$acos","$atan","$atan2","$hypot","$sinh","$cosh","$tanh","$asinh","$acosh","$atanh","$countones","$onehot0","$error","$info","$random","$dist_chi_square","$dist_erlang","$dist_exponential","$dist_normal","$dist_poisson","$dist_t","$dist_uniform","$q_initialize","$q_remove","$q_exam","$async$and$array","$async$nand$array","$async$or$array","$async$nor$array","$sync$and$array","$sync$nand$array","$sync$or$array","$sync$nor$array","$q_add","$q_full","$psprintf","$async$and$plane","$async$nand$plane","$async$or$plane","$async$nor$plane","$sync$and$plane","$sync$nand$plane","$sync$or$plane","$sync$nor$plane","$system","$display","$displayb","$displayh","$displayo","$strobe","$strobeb","$strobeh","$strobeo","$write","$readmemb","$readmemh","$writememh","$value$plusargs","$dumpvars","$dumpon","$dumplimit","$dumpports","$dumpportson","$dumpportslimit","$writeb","$writeh","$writeo","$monitor","$monitorb","$monitorh","$monitoro","$writememb","$dumpfile","$dumpoff","$dumpall","$dumpflush","$dumpportsoff","$dumpportsall","$dumpportsflush","$fclose","$fdisplay","$fdisplayb","$fdisplayh","$fdisplayo","$fstrobe","$fstrobeb","$fstrobeh","$fstrobeo","$swrite","$swriteb","$swriteh","$swriteo","$fscanf","$fread","$fseek","$fflush","$feof","$fopen","$fwrite","$fwriteb","$fwriteh","$fwriteo","$fmonitor","$fmonitorb","$fmonitorh","$fmonitoro","$sformat","$sformatf","$fgetc","$ungetc","$fgets","$sscanf","$rewind","$ftell","$ferror"]},a=["__FILE__","__LINE__"],o=["begin_keywords","celldefine","default_nettype","default_decay_time","default_trireg_strength","define","delay_mode_distributed","delay_mode_path","delay_mode_unit","delay_mode_zero","else","elsif","end_keywords","endcelldefine","endif","ifdef","ifndef","include","line","nounconnected_drive","pragma","resetall","timescale","unconnected_drive","undef","undefineall"];return{name:"Verilog",aliases:["v","sv","svh"],case_insensitive:!1,keywords:r,contains:[t.C_BLOCK_COMMENT_MODE,t.C_LINE_COMMENT_MODE,t.QUOTE_STRING_MODE,{scope:"number",contains:[t.BACKSLASH_ESCAPE],variants:[{begin:/\b((\d+'([bhodBHOD]))[0-9xzXZa-fA-F_]+)/},{begin:/\B(('([bhodBHOD]))[0-9xzXZa-fA-F_]+)/},{begin:/\b[0-9][0-9_]*/,relevance:0}]},{scope:"variable",variants:[{begin:"#\\((?!parameter).+\\)"},{begin:"\\.\\w+",relevance:0}]},{scope:"variable.constant",match:n.concat(/`/,n.either(...a))},{scope:"meta",begin:n.concat(/`/,n.either(...o)),end:/$|\/\/|\/\*/,returnEnd:!0,keywords:o}]}}return Bg=e,Bg}var Ug,F0;function KP(){if(F0)return Ug;F0=1;function e(t){const n="\\d(_|\\d)*",r="[eE][-+]?"+n,a=n+"(\\."+n+")?("+r+")?",o="\\w+",u="\\b("+(n+"#"+o+"(\\."+o+")?#("+r+")?")+"|"+a+")";return{name:"VHDL",case_insensitive:!0,keywords:{keyword:["abs","access","after","alias","all","and","architecture","array","assert","assume","assume_guarantee","attribute","begin","block","body","buffer","bus","case","component","configuration","constant","context","cover","disconnect","downto","default","else","elsif","end","entity","exit","fairness","file","for","force","function","generate","generic","group","guarded","if","impure","in","inertial","inout","is","label","library","linkage","literal","loop","map","mod","nand","new","next","nor","not","null","of","on","open","or","others","out","package","parameter","port","postponed","procedure","process","property","protected","pure","range","record","register","reject","release","rem","report","restrict","restrict_guarantee","return","rol","ror","select","sequence","severity","shared","signal","sla","sll","sra","srl","strong","subtype","then","to","transport","type","unaffected","units","until","use","variable","view","vmode","vprop","vunit","wait","when","while","with","xnor","xor"],built_in:["boolean","bit","character","integer","time","delay_length","natural","positive","string","bit_vector","file_open_kind","file_open_status","std_logic","std_logic_vector","unsigned","signed","boolean_vector","integer_vector","std_ulogic","std_ulogic_vector","unresolved_unsigned","u_unsigned","unresolved_signed","u_signed","real_vector","time_vector"],literal:["false","true","note","warning","error","failure","line","text","side","width"]},illegal:/\{/,contains:[t.C_BLOCK_COMMENT_MODE,t.COMMENT("--","$"),t.QUOTE_STRING_MODE,{className:"number",begin:u,relevance:0},{className:"string",begin:"'(U|X|0|1|Z|W|L|H|-)'",contains:[t.BACKSLASH_ESCAPE]},{className:"symbol",begin:"'[A-Za-z](_?[A-Za-z0-9])*",contains:[t.BACKSLASH_ESCAPE]}]}}return Ug=e,Ug}var Gg,B0;function $P(){if(B0)return Gg;B0=1;function e(t){return{name:"Vim Script",keywords:{$pattern:/[!#@\w]+/,keyword:"N|0 P|0 X|0 a|0 ab abc abo al am an|0 ar arga argd arge argdo argg argl argu as au aug aun b|0 bN ba bad bd be bel bf bl bm bn bo bp br brea breaka breakd breakl bro bufdo buffers bun bw c|0 cN cNf ca cabc caddb cad caddf cal cat cb cc ccl cd ce cex cf cfir cgetb cgete cg changes chd che checkt cl cla clo cm cmapc cme cn cnew cnf cno cnorea cnoreme co col colo com comc comp con conf cope cp cpf cq cr cs cst cu cuna cunme cw delm deb debugg delc delf dif diffg diffo diffp diffpu diffs diffthis dig di dl dell dj dli do doautoa dp dr ds dsp e|0 ea ec echoe echoh echom echon el elsei em en endfo endf endt endw ene ex exe exi exu f|0 files filet fin fina fini fir fix fo foldc foldd folddoc foldo for fu go gr grepa gu gv ha helpf helpg helpt hi hid his ia iabc if ij il im imapc ime ino inorea inoreme int is isp iu iuna iunme j|0 ju k|0 keepa kee keepj lN lNf l|0 lad laddb laddf la lan lat lb lc lch lcl lcs le lefta let lex lf lfir lgetb lgete lg lgr lgrepa lh ll lla lli lmak lm lmapc lne lnew lnf ln loadk lo loc lockv lol lope lp lpf lr ls lt lu lua luad luaf lv lvimgrepa lw m|0 ma mak map mapc marks mat me menut mes mk mks mksp mkv mkvie mod mz mzf nbc nb nbs new nm nmapc nme nn nnoreme noa no noh norea noreme norm nu nun nunme ol o|0 om omapc ome on ono onoreme opt ou ounme ow p|0 profd prof pro promptr pc ped pe perld po popu pp pre prev ps pt ptN ptf ptj ptl ptn ptp ptr pts pu pw py3 python3 py3d py3f py pyd pyf quita qa rec red redi redr redraws reg res ret retu rew ri rightb rub rubyd rubyf rund ru rv sN san sa sal sav sb sbN sba sbf sbl sbm sbn sbp sbr scrip scripte scs se setf setg setl sf sfir sh sim sig sil sl sla sm smap smapc sme sn sni sno snor snoreme sor so spelld spe spelli spellr spellu spellw sp spr sre st sta startg startr star stopi stj sts sun sunm sunme sus sv sw sy synti sync tN tabN tabc tabdo tabe tabf tabfir tabl tabm tabnew tabn tabo tabp tabr tabs tab ta tags tc tcld tclf te tf th tj tl tm tn to tp tr try ts tu u|0 undoj undol una unh unl unlo unm unme uns up ve verb vert vim vimgrepa vi viu vie vm vmapc vme vne vn vnoreme vs vu vunme windo w|0 wN wa wh wi winc winp wn wp wq wqa ws wu wv x|0 xa xmapc xm xme xn xnoreme xu xunme y|0 z|0 ~ Next Print append abbreviate abclear aboveleft all amenu anoremenu args argadd argdelete argedit argglobal arglocal argument ascii autocmd augroup aunmenu buffer bNext ball badd bdelete behave belowright bfirst blast bmodified bnext botright bprevious brewind break breakadd breakdel breaklist browse bunload bwipeout change cNext cNfile cabbrev cabclear caddbuffer caddexpr caddfile call catch cbuffer cclose center cexpr cfile cfirst cgetbuffer cgetexpr cgetfile chdir checkpath checktime clist clast close cmap cmapclear cmenu cnext cnewer cnfile cnoremap cnoreabbrev cnoremenu copy colder colorscheme command comclear compiler continue confirm copen cprevious cpfile cquit crewind cscope cstag cunmap cunabbrev cunmenu cwindow delete delmarks debug debuggreedy delcommand delfunction diffupdate diffget diffoff diffpatch diffput diffsplit digraphs display deletel djump dlist doautocmd doautoall deletep drop dsearch dsplit edit earlier echo echoerr echohl echomsg else elseif emenu endif endfor endfunction endtry endwhile enew execute exit exusage file filetype find finally finish first fixdel fold foldclose folddoopen folddoclosed foldopen function global goto grep grepadd gui gvim hardcopy help helpfind helpgrep helptags highlight hide history insert iabbrev iabclear ijump ilist imap imapclear imenu inoremap inoreabbrev inoremenu intro isearch isplit iunmap iunabbrev iunmenu join jumps keepalt keepmarks keepjumps lNext lNfile list laddexpr laddbuffer laddfile last language later lbuffer lcd lchdir lclose lcscope left leftabove lexpr lfile lfirst lgetbuffer lgetexpr lgetfile lgrep lgrepadd lhelpgrep llast llist lmake lmap lmapclear lnext lnewer lnfile lnoremap loadkeymap loadview lockmarks lockvar lolder lopen lprevious lpfile lrewind ltag lunmap luado luafile lvimgrep lvimgrepadd lwindow move mark make mapclear match menu menutranslate messages mkexrc mksession mkspell mkvimrc mkview mode mzscheme mzfile nbclose nbkey nbsart next nmap nmapclear nmenu nnoremap nnoremenu noautocmd noremap nohlsearch noreabbrev noremenu normal number nunmap nunmenu oldfiles open omap omapclear omenu only onoremap onoremenu options ounmap ounmenu ownsyntax print profdel profile promptfind promptrepl pclose pedit perl perldo pop popup ppop preserve previous psearch ptag ptNext ptfirst ptjump ptlast ptnext ptprevious ptrewind ptselect put pwd py3do py3file python pydo pyfile quit quitall qall read recover redo redir redraw redrawstatus registers resize retab return rewind right rightbelow ruby rubydo rubyfile rundo runtime rviminfo substitute sNext sandbox sargument sall saveas sbuffer sbNext sball sbfirst sblast sbmodified sbnext sbprevious sbrewind scriptnames scriptencoding scscope set setfiletype setglobal setlocal sfind sfirst shell simalt sign silent sleep slast smagic smapclear smenu snext sniff snomagic snoremap snoremenu sort source spelldump spellgood spellinfo spellrepall spellundo spellwrong split sprevious srewind stop stag startgreplace startreplace startinsert stopinsert stjump stselect sunhide sunmap sunmenu suspend sview swapname syntax syntime syncbind tNext tabNext tabclose tabedit tabfind tabfirst tablast tabmove tabnext tabonly tabprevious tabrewind tag tcl tcldo tclfile tearoff tfirst throw tjump tlast tmenu tnext topleft tprevious trewind tselect tunmenu undo undojoin undolist unabbreviate unhide unlet unlockvar unmap unmenu unsilent update vglobal version verbose vertical vimgrep vimgrepadd visual viusage view vmap vmapclear vmenu vnew vnoremap vnoremenu vsplit vunmap vunmenu write wNext wall while winsize wincmd winpos wnext wprevious wqall wsverb wundo wviminfo xit xall xmapclear xmap xmenu xnoremap xnoremenu xunmap xunmenu yank",built_in:"synIDtrans atan2 range matcharg did_filetype asin feedkeys xor argv complete_check add getwinposx getqflist getwinposy screencol clearmatches empty extend getcmdpos mzeval garbagecollect setreg ceil sqrt diff_hlID inputsecret get getfperm getpid filewritable shiftwidth max sinh isdirectory synID system inputrestore winline atan visualmode inputlist tabpagewinnr round getregtype mapcheck hasmapto histdel argidx findfile sha256 exists toupper getcmdline taglist string getmatches bufnr strftime winwidth bufexists strtrans tabpagebuflist setcmdpos remote_read printf setloclist getpos getline bufwinnr float2nr len getcmdtype diff_filler luaeval resolve libcallnr foldclosedend reverse filter has_key bufname str2float strlen setline getcharmod setbufvar index searchpos shellescape undofile foldclosed setqflist buflisted strchars str2nr virtcol floor remove undotree remote_expr winheight gettabwinvar reltime cursor tabpagenr finddir localtime acos getloclist search tanh matchend rename gettabvar strdisplaywidth type abs py3eval setwinvar tolower wildmenumode log10 spellsuggest bufloaded synconcealed nextnonblank server2client complete settabwinvar executable input wincol setmatches getftype hlID inputsave searchpair or screenrow line settabvar histadd deepcopy strpart remote_peek and eval getftime submatch screenchar winsaveview matchadd mkdir screenattr getfontname libcall reltimestr getfsize winnr invert pow getbufline byte2line soundfold repeat fnameescape tagfiles sin strwidth spellbadword trunc maparg log lispindent hostname setpos globpath remote_foreground getchar synIDattr fnamemodify cscope_connection stridx winbufnr indent min complete_add nr2char searchpairpos inputdialog values matchlist items hlexists strridx browsedir expand fmod pathshorten line2byte argc count getwinvar glob foldtextresult getreg foreground cosh matchdelete has char2nr simplify histget searchdecl iconv winrestcmd pumvisible writefile foldlevel haslocaldir keys cos matchstr foldtext histnr tan tempname getcwd byteidx getbufvar islocked escape eventhandler remote_send serverlist winrestview synstack pyeval prevnonblank readfile cindent filereadable changenr exp"},illegal:/;/,contains:[t.NUMBER_MODE,{className:"string",begin:"'",end:"'",illegal:"\\n"},{className:"string",begin:/"(\\"|\n\\|[^"\n])*"/},t.COMMENT('"',"$"),{className:"variable",begin:/[bwtglsav]:[\w\d_]+/},{begin:[/\b(?:function|function!)/,/\s+/,t.IDENT_RE],className:{1:"keyword",3:"title"},end:"$",relevance:0,contains:[{className:"params",begin:"\\(",end:"\\)"}]},{className:"symbol",begin:/<[\w-]+>/}]}}return Gg=e,Gg}var Hg,U0;function QP(){if(U0)return Hg;U0=1;function e(t){t.regex;const n=t.COMMENT(/\(;/,/;\)/);n.contains.push("self");const r=t.COMMENT(/;;/,/$/),a=["anyfunc","block","br","br_if","br_table","call","call_indirect","data","drop","elem","else","end","export","func","global.get","global.set","local.get","local.set","local.tee","get_global","get_local","global","if","import","local","loop","memory","memory.grow","memory.size","module","mut","nop","offset","param","result","return","select","set_global","set_local","start","table","tee_local","then","type","unreachable"],o={begin:[/(?:func|call|call_indirect)/,/\s+/,/\$[^\s)]+/],className:{1:"keyword",3:"title.function"}},l={className:"variable",begin:/\$[\w_]+/},u={match:/(\((?!;)|\))+/,className:"punctuation",relevance:0},c={className:"number",relevance:0,match:/[+-]?\b(?:\d(?:_?\d)*(?:\.\d(?:_?\d)*)?(?:[eE][+-]?\d(?:_?\d)*)?|0x[\da-fA-F](?:_?[\da-fA-F])*(?:\.[\da-fA-F](?:_?[\da-fA-D])*)?(?:[pP][+-]?\d(?:_?\d)*)?)\b|\binf\b|\bnan(?::0x[\da-fA-F](?:_?[\da-fA-D])*)?\b/},d={match:/(i32|i64|f32|f64)(?!\.)/,className:"type"},S={className:"keyword",match:/\b(f32|f64|i32|i64)(?:\.(?:abs|add|and|ceil|clz|const|convert_[su]\/i(?:32|64)|copysign|ctz|demote\/f64|div(?:_[su])?|eqz?|extend_[su]\/i32|floor|ge(?:_[su])?|gt(?:_[su])?|le(?:_[su])?|load(?:(?:8|16|32)_[su])?|lt(?:_[su])?|max|min|mul|nearest|neg?|or|popcnt|promote\/f32|reinterpret\/[fi](?:32|64)|rem_[su]|rot[lr]|shl|shr_[su]|store(?:8|16|32)?|sqrt|sub|trunc(?:_[su]\/f(?:32|64))?|wrap\/i64|xor))\b/};return{name:"WebAssembly",keywords:{$pattern:/[\w.]+/,keyword:a},contains:[r,n,{match:[/(?:offset|align)/,/\s*/,/=/],className:{1:"keyword",3:"operator"}},l,u,o,t.QUOTE_STRING_MODE,d,S,c]}}return Hg=e,Hg}var qg,G0;function jP(){if(G0)return qg;G0=1;function e(t){const n=t.regex,r=/[a-zA-Z]\w*/,a=["as","break","class","construct","continue","else","for","foreign","if","import","in","is","return","static","var","while"],o=["true","false","null"],l=["this","super"],u=["Bool","Class","Fiber","Fn","List","Map","Null","Num","Object","Range","Sequence","String","System"],c=["-","~",/\*/,"%",/\.\.\./,/\.\./,/\+/,"<<",">>",">=","<=","<",">",/\^/,/!=/,/!/,/\bis\b/,"==","&&","&",/\|\|/,/\|/,/\?:/,"="],d={relevance:0,match:n.concat(/\b(?!(if|while|for|else|super)\b)/,r,/(?=\s*[({])/),className:"title.function"},S={match:n.concat(n.either(n.concat(/\b(?!(if|while|for|else|super)\b)/,r),n.either(...c)),/(?=\s*\([^)]+\)\s*\{)/),className:"title.function",starts:{contains:[{begin:/\(/,end:/\)/,contains:[{relevance:0,scope:"params",match:r}]}]}},_={variants:[{match:[/class\s+/,r,/\s+is\s+/,r]},{match:[/class\s+/,r]}],scope:{2:"title.class",4:"title.class.inherited"},keywords:a},E={relevance:0,match:n.either(...c),className:"operator"},T={className:"string",begin:/"""/,end:/"""/},y={className:"property",begin:n.concat(/\./,n.lookahead(r)),end:r,excludeBegin:!0,relevance:0},M={relevance:0,match:n.concat(/\b_/,r),scope:"variable"},v={relevance:0,match:/\b[A-Z]+[a-z]+([A-Z]+[a-z]+)*/,scope:"title.class",keywords:{_:u}},A=t.C_NUMBER_MODE,O={match:[r,/\s*/,/=/,/\s*/,/\(/,r,/\)\s*\{/],scope:{1:"title.function",3:"operator",6:"params"}},N=t.COMMENT(/\/\*\*/,/\*\//,{contains:[{match:/@[a-z]+/,scope:"doctag"},"self"]}),R={scope:"subst",begin:/%\(/,end:/\)/,contains:[A,v,d,M,E]},L={scope:"string",begin:/"/,end:/"/,contains:[R,{scope:"char.escape",variants:[{match:/\\\\|\\["0%abefnrtv]/},{match:/\\x[0-9A-F]{2}/},{match:/\\u[0-9A-F]{4}/},{match:/\\U[0-9A-F]{8}/}]}]};R.contains.push(L);const I=[...a,...l,...o],h={relevance:0,match:n.concat("\\b(?!",I.join("|"),"\\b)",/[a-zA-Z_]\w*(?:[?!]|\b)/),className:"variable"};return{name:"Wren",keywords:{keyword:a,"variable.language":l,literal:o},contains:[{scope:"comment",variants:[{begin:[/#!?/,/[A-Za-z_]+(?=\()/],beginScope:{},keywords:{literal:o},contains:[],end:/\)/},{begin:[/#!?/,/[A-Za-z_]+/],beginScope:{},end:/$/}]},A,L,T,N,t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,v,_,O,S,d,E,M,y,h]}}return qg=e,qg}var Yg,H0;function XP(){if(H0)return Yg;H0=1;function e(t){return{name:"Intel x86 Assembly",case_insensitive:!0,keywords:{$pattern:"[.%]?"+t.IDENT_RE,keyword:"lock rep repe repz repne repnz xaquire xrelease bnd nobnd aaa aad aam aas adc add and arpl bb0_reset bb1_reset bound bsf bsr bswap bt btc btr bts call cbw cdq cdqe clc cld cli clts cmc cmp cmpsb cmpsd cmpsq cmpsw cmpxchg cmpxchg486 cmpxchg8b cmpxchg16b cpuid cpu_read cpu_write cqo cwd cwde daa das dec div dmint emms enter equ f2xm1 fabs fadd faddp fbld fbstp fchs fclex fcmovb fcmovbe fcmove fcmovnb fcmovnbe fcmovne fcmovnu fcmovu fcom fcomi fcomip fcomp fcompp fcos fdecstp fdisi fdiv fdivp fdivr fdivrp femms feni ffree ffreep fiadd ficom ficomp fidiv fidivr fild fimul fincstp finit fist fistp fisttp fisub fisubr fld fld1 fldcw fldenv fldl2e fldl2t fldlg2 fldln2 fldpi fldz fmul fmulp fnclex fndisi fneni fninit fnop fnsave fnstcw fnstenv fnstsw fpatan fprem fprem1 fptan frndint frstor fsave fscale fsetpm fsin fsincos fsqrt fst fstcw fstenv fstp fstsw fsub fsubp fsubr fsubrp ftst fucom fucomi fucomip fucomp fucompp fxam fxch fxtract fyl2x fyl2xp1 hlt ibts icebp idiv imul in inc incbin insb insd insw int int01 int1 int03 int3 into invd invpcid invlpg invlpga iret iretd iretq iretw jcxz jecxz jrcxz jmp jmpe lahf lar lds lea leave les lfence lfs lgdt lgs lidt lldt lmsw loadall loadall286 lodsb lodsd lodsq lodsw loop loope loopne loopnz loopz lsl lss ltr mfence monitor mov movd movq movsb movsd movsq movsw movsx movsxd movzx mul mwait neg nop not or out outsb outsd outsw packssdw packsswb packuswb paddb paddd paddsb paddsiw paddsw paddusb paddusw paddw pand pandn pause paveb pavgusb pcmpeqb pcmpeqd pcmpeqw pcmpgtb pcmpgtd pcmpgtw pdistib pf2id pfacc pfadd pfcmpeq pfcmpge pfcmpgt pfmax pfmin pfmul pfrcp pfrcpit1 pfrcpit2 pfrsqit1 pfrsqrt pfsub pfsubr pi2fd pmachriw pmaddwd pmagw pmulhriw pmulhrwa pmulhrwc pmulhw pmullw pmvgezb pmvlzb pmvnzb pmvzb pop popa popad popaw popf popfd popfq popfw por prefetch prefetchw pslld psllq psllw psrad psraw psrld psrlq psrlw psubb psubd psubsb psubsiw psubsw psubusb psubusw psubw punpckhbw punpckhdq punpckhwd punpcklbw punpckldq punpcklwd push pusha pushad pushaw pushf pushfd pushfq pushfw pxor rcl rcr rdshr rdmsr rdpmc rdtsc rdtscp ret retf retn rol ror rdm rsdc rsldt rsm rsts sahf sal salc sar sbb scasb scasd scasq scasw sfence sgdt shl shld shr shrd sidt sldt skinit smi smint smintold smsw stc std sti stosb stosd stosq stosw str sub svdc svldt svts swapgs syscall sysenter sysexit sysret test ud0 ud1 ud2b ud2 ud2a umov verr verw fwait wbinvd wrshr wrmsr xadd xbts xchg xlatb xlat xor cmove cmovz cmovne cmovnz cmova cmovnbe cmovae cmovnb cmovb cmovnae cmovbe cmovna cmovg cmovnle cmovge cmovnl cmovl cmovnge cmovle cmovng cmovc cmovnc cmovo cmovno cmovs cmovns cmovp cmovpe cmovnp cmovpo je jz jne jnz ja jnbe jae jnb jb jnae jbe jna jg jnle jge jnl jl jnge jle jng jc jnc jo jno js jns jpo jnp jpe jp sete setz setne setnz seta setnbe setae setnb setnc setb setnae setcset setbe setna setg setnle setge setnl setl setnge setle setng sets setns seto setno setpe setp setpo setnp addps addss andnps andps cmpeqps cmpeqss cmpleps cmpless cmpltps cmpltss cmpneqps cmpneqss cmpnleps cmpnless cmpnltps cmpnltss cmpordps cmpordss cmpunordps cmpunordss cmpps cmpss comiss cvtpi2ps cvtps2pi cvtsi2ss cvtss2si cvttps2pi cvttss2si divps divss ldmxcsr maxps maxss minps minss movaps movhps movlhps movlps movhlps movmskps movntps movss movups mulps mulss orps rcpps rcpss rsqrtps rsqrtss shufps sqrtps sqrtss stmxcsr subps subss ucomiss unpckhps unpcklps xorps fxrstor fxrstor64 fxsave fxsave64 xgetbv xsetbv xsave xsave64 xsaveopt xsaveopt64 xrstor xrstor64 prefetchnta prefetcht0 prefetcht1 prefetcht2 maskmovq movntq pavgb pavgw pextrw pinsrw pmaxsw pmaxub pminsw pminub pmovmskb pmulhuw psadbw pshufw pf2iw pfnacc pfpnacc pi2fw pswapd maskmovdqu clflush movntdq movnti movntpd movdqa movdqu movdq2q movq2dq paddq pmuludq pshufd pshufhw pshuflw pslldq psrldq psubq punpckhqdq punpcklqdq addpd addsd andnpd andpd cmpeqpd cmpeqsd cmplepd cmplesd cmpltpd cmpltsd cmpneqpd cmpneqsd cmpnlepd cmpnlesd cmpnltpd cmpnltsd cmpordpd cmpordsd cmpunordpd cmpunordsd cmppd comisd cvtdq2pd cvtdq2ps cvtpd2dq cvtpd2pi cvtpd2ps cvtpi2pd cvtps2dq cvtps2pd cvtsd2si cvtsd2ss cvtsi2sd cvtss2sd cvttpd2pi cvttpd2dq cvttps2dq cvttsd2si divpd divsd maxpd maxsd minpd minsd movapd movhpd movlpd movmskpd movupd mulpd mulsd orpd shufpd sqrtpd sqrtsd subpd subsd ucomisd unpckhpd unpcklpd xorpd addsubpd addsubps haddpd haddps hsubpd hsubps lddqu movddup movshdup movsldup clgi stgi vmcall vmclear vmfunc vmlaunch vmload vmmcall vmptrld vmptrst vmread vmresume vmrun vmsave vmwrite vmxoff vmxon invept invvpid pabsb pabsw pabsd palignr phaddw phaddd phaddsw phsubw phsubd phsubsw pmaddubsw pmulhrsw pshufb psignb psignw psignd extrq insertq movntsd movntss lzcnt blendpd blendps blendvpd blendvps dppd dpps extractps insertps movntdqa mpsadbw packusdw pblendvb pblendw pcmpeqq pextrb pextrd pextrq phminposuw pinsrb pinsrd pinsrq pmaxsb pmaxsd pmaxud pmaxuw pminsb pminsd pminud pminuw pmovsxbw pmovsxbd pmovsxbq pmovsxwd pmovsxwq pmovsxdq pmovzxbw pmovzxbd pmovzxbq pmovzxwd pmovzxwq pmovzxdq pmuldq pmulld ptest roundpd roundps roundsd roundss crc32 pcmpestri pcmpestrm pcmpistri pcmpistrm pcmpgtq popcnt getsec pfrcpv pfrsqrtv movbe aesenc aesenclast aesdec aesdeclast aesimc aeskeygenassist vaesenc vaesenclast vaesdec vaesdeclast vaesimc vaeskeygenassist vaddpd vaddps vaddsd vaddss vaddsubpd vaddsubps vandpd vandps vandnpd vandnps vblendpd vblendps vblendvpd vblendvps vbroadcastss vbroadcastsd vbroadcastf128 vcmpeq_ospd vcmpeqpd vcmplt_ospd vcmpltpd vcmple_ospd vcmplepd vcmpunord_qpd vcmpunordpd vcmpneq_uqpd vcmpneqpd vcmpnlt_uspd vcmpnltpd vcmpnle_uspd vcmpnlepd vcmpord_qpd vcmpordpd vcmpeq_uqpd vcmpnge_uspd vcmpngepd vcmpngt_uspd vcmpngtpd vcmpfalse_oqpd vcmpfalsepd vcmpneq_oqpd vcmpge_ospd vcmpgepd vcmpgt_ospd vcmpgtpd vcmptrue_uqpd vcmptruepd vcmplt_oqpd vcmple_oqpd vcmpunord_spd vcmpneq_uspd vcmpnlt_uqpd vcmpnle_uqpd vcmpord_spd vcmpeq_uspd vcmpnge_uqpd vcmpngt_uqpd vcmpfalse_ospd vcmpneq_ospd vcmpge_oqpd vcmpgt_oqpd vcmptrue_uspd vcmppd vcmpeq_osps vcmpeqps vcmplt_osps vcmpltps vcmple_osps vcmpleps vcmpunord_qps vcmpunordps vcmpneq_uqps vcmpneqps vcmpnlt_usps vcmpnltps vcmpnle_usps vcmpnleps vcmpord_qps vcmpordps vcmpeq_uqps vcmpnge_usps vcmpngeps vcmpngt_usps vcmpngtps vcmpfalse_oqps vcmpfalseps vcmpneq_oqps vcmpge_osps vcmpgeps vcmpgt_osps vcmpgtps vcmptrue_uqps vcmptrueps vcmplt_oqps vcmple_oqps vcmpunord_sps vcmpneq_usps vcmpnlt_uqps vcmpnle_uqps vcmpord_sps vcmpeq_usps vcmpnge_uqps vcmpngt_uqps vcmpfalse_osps vcmpneq_osps vcmpge_oqps vcmpgt_oqps vcmptrue_usps vcmpps vcmpeq_ossd vcmpeqsd vcmplt_ossd vcmpltsd vcmple_ossd vcmplesd vcmpunord_qsd vcmpunordsd vcmpneq_uqsd vcmpneqsd vcmpnlt_ussd vcmpnltsd vcmpnle_ussd vcmpnlesd vcmpord_qsd vcmpordsd vcmpeq_uqsd vcmpnge_ussd vcmpngesd vcmpngt_ussd vcmpngtsd vcmpfalse_oqsd vcmpfalsesd vcmpneq_oqsd vcmpge_ossd vcmpgesd vcmpgt_ossd vcmpgtsd vcmptrue_uqsd vcmptruesd vcmplt_oqsd vcmple_oqsd vcmpunord_ssd vcmpneq_ussd vcmpnlt_uqsd vcmpnle_uqsd vcmpord_ssd vcmpeq_ussd vcmpnge_uqsd vcmpngt_uqsd vcmpfalse_ossd vcmpneq_ossd vcmpge_oqsd vcmpgt_oqsd vcmptrue_ussd vcmpsd vcmpeq_osss vcmpeqss vcmplt_osss vcmpltss vcmple_osss vcmpless vcmpunord_qss vcmpunordss vcmpneq_uqss vcmpneqss vcmpnlt_usss vcmpnltss vcmpnle_usss vcmpnless vcmpord_qss vcmpordss vcmpeq_uqss vcmpnge_usss vcmpngess vcmpngt_usss vcmpngtss vcmpfalse_oqss vcmpfalsess vcmpneq_oqss vcmpge_osss vcmpgess vcmpgt_osss vcmpgtss vcmptrue_uqss vcmptruess vcmplt_oqss vcmple_oqss vcmpunord_sss vcmpneq_usss vcmpnlt_uqss vcmpnle_uqss vcmpord_sss vcmpeq_usss vcmpnge_uqss vcmpngt_uqss vcmpfalse_osss vcmpneq_osss vcmpge_oqss vcmpgt_oqss vcmptrue_usss vcmpss vcomisd vcomiss vcvtdq2pd vcvtdq2ps vcvtpd2dq vcvtpd2ps vcvtps2dq vcvtps2pd vcvtsd2si vcvtsd2ss vcvtsi2sd vcvtsi2ss vcvtss2sd vcvtss2si vcvttpd2dq vcvttps2dq vcvttsd2si vcvttss2si vdivpd vdivps vdivsd vdivss vdppd vdpps vextractf128 vextractps vhaddpd vhaddps vhsubpd vhsubps vinsertf128 vinsertps vlddqu vldqqu vldmxcsr vmaskmovdqu vmaskmovps vmaskmovpd vmaxpd vmaxps vmaxsd vmaxss vminpd vminps vminsd vminss vmovapd vmovaps vmovd vmovq vmovddup vmovdqa vmovqqa vmovdqu vmovqqu vmovhlps vmovhpd vmovhps vmovlhps vmovlpd vmovlps vmovmskpd vmovmskps vmovntdq vmovntqq vmovntdqa vmovntpd vmovntps vmovsd vmovshdup vmovsldup vmovss vmovupd vmovups vmpsadbw vmulpd vmulps vmulsd vmulss vorpd vorps vpabsb vpabsw vpabsd vpacksswb vpackssdw vpackuswb vpackusdw vpaddb vpaddw vpaddd vpaddq vpaddsb vpaddsw vpaddusb vpaddusw vpalignr vpand vpandn vpavgb vpavgw vpblendvb vpblendw vpcmpestri vpcmpestrm vpcmpistri vpcmpistrm vpcmpeqb vpcmpeqw vpcmpeqd vpcmpeqq vpcmpgtb vpcmpgtw vpcmpgtd vpcmpgtq vpermilpd vpermilps vperm2f128 vpextrb vpextrw vpextrd vpextrq vphaddw vphaddd vphaddsw vphminposuw vphsubw vphsubd vphsubsw vpinsrb vpinsrw vpinsrd vpinsrq vpmaddwd vpmaddubsw vpmaxsb vpmaxsw vpmaxsd vpmaxub vpmaxuw vpmaxud vpminsb vpminsw vpminsd vpminub vpminuw vpminud vpmovmskb vpmovsxbw vpmovsxbd vpmovsxbq vpmovsxwd vpmovsxwq vpmovsxdq vpmovzxbw vpmovzxbd vpmovzxbq vpmovzxwd vpmovzxwq vpmovzxdq vpmulhuw vpmulhrsw vpmulhw vpmullw vpmulld vpmuludq vpmuldq vpor vpsadbw vpshufb vpshufd vpshufhw vpshuflw vpsignb vpsignw vpsignd vpslldq vpsrldq vpsllw vpslld vpsllq vpsraw vpsrad vpsrlw vpsrld vpsrlq vptest vpsubb vpsubw vpsubd vpsubq vpsubsb vpsubsw vpsubusb vpsubusw vpunpckhbw vpunpckhwd vpunpckhdq vpunpckhqdq vpunpcklbw vpunpcklwd vpunpckldq vpunpcklqdq vpxor vrcpps vrcpss vrsqrtps vrsqrtss vroundpd vroundps vroundsd vroundss vshufpd vshufps vsqrtpd vsqrtps vsqrtsd vsqrtss vstmxcsr vsubpd vsubps vsubsd vsubss vtestps vtestpd vucomisd vucomiss vunpckhpd vunpckhps vunpcklpd vunpcklps vxorpd vxorps vzeroall vzeroupper pclmullqlqdq pclmulhqlqdq pclmullqhqdq pclmulhqhqdq pclmulqdq vpclmullqlqdq vpclmulhqlqdq vpclmullqhqdq vpclmulhqhqdq vpclmulqdq vfmadd132ps vfmadd132pd vfmadd312ps vfmadd312pd vfmadd213ps vfmadd213pd vfmadd123ps vfmadd123pd vfmadd231ps vfmadd231pd vfmadd321ps vfmadd321pd vfmaddsub132ps vfmaddsub132pd vfmaddsub312ps vfmaddsub312pd vfmaddsub213ps vfmaddsub213pd vfmaddsub123ps vfmaddsub123pd vfmaddsub231ps vfmaddsub231pd vfmaddsub321ps vfmaddsub321pd vfmsub132ps vfmsub132pd vfmsub312ps vfmsub312pd vfmsub213ps vfmsub213pd vfmsub123ps vfmsub123pd vfmsub231ps vfmsub231pd vfmsub321ps vfmsub321pd vfmsubadd132ps vfmsubadd132pd vfmsubadd312ps vfmsubadd312pd vfmsubadd213ps vfmsubadd213pd vfmsubadd123ps vfmsubadd123pd vfmsubadd231ps vfmsubadd231pd vfmsubadd321ps vfmsubadd321pd vfnmadd132ps vfnmadd132pd vfnmadd312ps vfnmadd312pd vfnmadd213ps vfnmadd213pd vfnmadd123ps vfnmadd123pd vfnmadd231ps vfnmadd231pd vfnmadd321ps vfnmadd321pd vfnmsub132ps vfnmsub132pd vfnmsub312ps vfnmsub312pd vfnmsub213ps vfnmsub213pd vfnmsub123ps vfnmsub123pd vfnmsub231ps vfnmsub231pd vfnmsub321ps vfnmsub321pd vfmadd132ss vfmadd132sd vfmadd312ss vfmadd312sd vfmadd213ss vfmadd213sd vfmadd123ss vfmadd123sd vfmadd231ss vfmadd231sd vfmadd321ss vfmadd321sd vfmsub132ss vfmsub132sd vfmsub312ss vfmsub312sd vfmsub213ss vfmsub213sd vfmsub123ss vfmsub123sd vfmsub231ss vfmsub231sd vfmsub321ss vfmsub321sd vfnmadd132ss vfnmadd132sd vfnmadd312ss vfnmadd312sd vfnmadd213ss vfnmadd213sd vfnmadd123ss vfnmadd123sd vfnmadd231ss vfnmadd231sd vfnmadd321ss vfnmadd321sd vfnmsub132ss vfnmsub132sd vfnmsub312ss vfnmsub312sd vfnmsub213ss vfnmsub213sd vfnmsub123ss vfnmsub123sd vfnmsub231ss vfnmsub231sd vfnmsub321ss vfnmsub321sd rdfsbase rdgsbase rdrand wrfsbase wrgsbase vcvtph2ps vcvtps2ph adcx adox rdseed clac stac xstore xcryptecb xcryptcbc xcryptctr xcryptcfb xcryptofb montmul xsha1 xsha256 llwpcb slwpcb lwpval lwpins vfmaddpd vfmaddps vfmaddsd vfmaddss vfmaddsubpd vfmaddsubps vfmsubaddpd vfmsubaddps vfmsubpd vfmsubps vfmsubsd vfmsubss vfnmaddpd vfnmaddps vfnmaddsd vfnmaddss vfnmsubpd vfnmsubps vfnmsubsd vfnmsubss vfrczpd vfrczps vfrczsd vfrczss vpcmov vpcomb vpcomd vpcomq vpcomub vpcomud vpcomuq vpcomuw vpcomw vphaddbd vphaddbq vphaddbw vphadddq vphaddubd vphaddubq vphaddubw vphaddudq vphadduwd vphadduwq vphaddwd vphaddwq vphsubbw vphsubdq vphsubwd vpmacsdd vpmacsdqh vpmacsdql vpmacssdd vpmacssdqh vpmacssdql vpmacsswd vpmacssww vpmacswd vpmacsww vpmadcsswd vpmadcswd vpperm vprotb vprotd vprotq vprotw vpshab vpshad vpshaq vpshaw vpshlb vpshld vpshlq vpshlw vbroadcasti128 vpblendd vpbroadcastb vpbroadcastw vpbroadcastd vpbroadcastq vpermd vpermpd vpermps vpermq vperm2i128 vextracti128 vinserti128 vpmaskmovd vpmaskmovq vpsllvd vpsllvq vpsravd vpsrlvd vpsrlvq vgatherdpd vgatherqpd vgatherdps vgatherqps vpgatherdd vpgatherqd vpgatherdq vpgatherqq xabort xbegin xend xtest andn bextr blci blcic blsi blsic blcfill blsfill blcmsk blsmsk blsr blcs bzhi mulx pdep pext rorx sarx shlx shrx tzcnt tzmsk t1mskc valignd valignq vblendmpd vblendmps vbroadcastf32x4 vbroadcastf64x4 vbroadcasti32x4 vbroadcasti64x4 vcompresspd vcompressps vcvtpd2udq vcvtps2udq vcvtsd2usi vcvtss2usi vcvttpd2udq vcvttps2udq vcvttsd2usi vcvttss2usi vcvtudq2pd vcvtudq2ps vcvtusi2sd vcvtusi2ss vexpandpd vexpandps vextractf32x4 vextractf64x4 vextracti32x4 vextracti64x4 vfixupimmpd vfixupimmps vfixupimmsd vfixupimmss vgetexppd vgetexpps vgetexpsd vgetexpss vgetmantpd vgetmantps vgetmantsd vgetmantss vinsertf32x4 vinsertf64x4 vinserti32x4 vinserti64x4 vmovdqa32 vmovdqa64 vmovdqu32 vmovdqu64 vpabsq vpandd vpandnd vpandnq vpandq vpblendmd vpblendmq vpcmpltd vpcmpled vpcmpneqd vpcmpnltd vpcmpnled vpcmpd vpcmpltq vpcmpleq vpcmpneqq vpcmpnltq vpcmpnleq vpcmpq vpcmpequd vpcmpltud vpcmpleud vpcmpnequd vpcmpnltud vpcmpnleud vpcmpud vpcmpequq vpcmpltuq vpcmpleuq vpcmpnequq vpcmpnltuq vpcmpnleuq vpcmpuq vpcompressd vpcompressq vpermi2d vpermi2pd vpermi2ps vpermi2q vpermt2d vpermt2pd vpermt2ps vpermt2q vpexpandd vpexpandq vpmaxsq vpmaxuq vpminsq vpminuq vpmovdb vpmovdw vpmovqb vpmovqd vpmovqw vpmovsdb vpmovsdw vpmovsqb vpmovsqd vpmovsqw vpmovusdb vpmovusdw vpmovusqb vpmovusqd vpmovusqw vpord vporq vprold vprolq vprolvd vprolvq vprord vprorq vprorvd vprorvq vpscatterdd vpscatterdq vpscatterqd vpscatterqq vpsraq vpsravq vpternlogd vpternlogq vptestmd vptestmq vptestnmd vptestnmq vpxord vpxorq vrcp14pd vrcp14ps vrcp14sd vrcp14ss vrndscalepd vrndscaleps vrndscalesd vrndscaless vrsqrt14pd vrsqrt14ps vrsqrt14sd vrsqrt14ss vscalefpd vscalefps vscalefsd vscalefss vscatterdpd vscatterdps vscatterqpd vscatterqps vshuff32x4 vshuff64x2 vshufi32x4 vshufi64x2 kandnw kandw kmovw knotw kortestw korw kshiftlw kshiftrw kunpckbw kxnorw kxorw vpbroadcastmb2q vpbroadcastmw2d vpconflictd vpconflictq vplzcntd vplzcntq vexp2pd vexp2ps vrcp28pd vrcp28ps vrcp28sd vrcp28ss vrsqrt28pd vrsqrt28ps vrsqrt28sd vrsqrt28ss vgatherpf0dpd vgatherpf0dps vgatherpf0qpd vgatherpf0qps vgatherpf1dpd vgatherpf1dps vgatherpf1qpd vgatherpf1qps vscatterpf0dpd vscatterpf0dps vscatterpf0qpd vscatterpf0qps vscatterpf1dpd vscatterpf1dps vscatterpf1qpd vscatterpf1qps prefetchwt1 bndmk bndcl bndcu bndcn bndmov bndldx bndstx sha1rnds4 sha1nexte sha1msg1 sha1msg2 sha256rnds2 sha256msg1 sha256msg2 hint_nop0 hint_nop1 hint_nop2 hint_nop3 hint_nop4 hint_nop5 hint_nop6 hint_nop7 hint_nop8 hint_nop9 hint_nop10 hint_nop11 hint_nop12 hint_nop13 hint_nop14 hint_nop15 hint_nop16 hint_nop17 hint_nop18 hint_nop19 hint_nop20 hint_nop21 hint_nop22 hint_nop23 hint_nop24 hint_nop25 hint_nop26 hint_nop27 hint_nop28 hint_nop29 hint_nop30 hint_nop31 hint_nop32 hint_nop33 hint_nop34 hint_nop35 hint_nop36 hint_nop37 hint_nop38 hint_nop39 hint_nop40 hint_nop41 hint_nop42 hint_nop43 hint_nop44 hint_nop45 hint_nop46 hint_nop47 hint_nop48 hint_nop49 hint_nop50 hint_nop51 hint_nop52 hint_nop53 hint_nop54 hint_nop55 hint_nop56 hint_nop57 hint_nop58 hint_nop59 hint_nop60 hint_nop61 hint_nop62 hint_nop63",built_in:"ip eip rip al ah bl bh cl ch dl dh sil dil bpl spl r8b r9b r10b r11b r12b r13b r14b r15b ax bx cx dx si di bp sp r8w r9w r10w r11w r12w r13w r14w r15w eax ebx ecx edx esi edi ebp esp eip r8d r9d r10d r11d r12d r13d r14d r15d rax rbx rcx rdx rsi rdi rbp rsp r8 r9 r10 r11 r12 r13 r14 r15 cs ds es fs gs ss st st0 st1 st2 st3 st4 st5 st6 st7 mm0 mm1 mm2 mm3 mm4 mm5 mm6 mm7 xmm0  xmm1  xmm2  xmm3  xmm4  xmm5  xmm6  xmm7  xmm8  xmm9 xmm10  xmm11 xmm12 xmm13 xmm14 xmm15 xmm16 xmm17 xmm18 xmm19 xmm20 xmm21 xmm22 xmm23 xmm24 xmm25 xmm26 xmm27 xmm28 xmm29 xmm30 xmm31 ymm0  ymm1  ymm2  ymm3  ymm4  ymm5  ymm6  ymm7  ymm8  ymm9 ymm10  ymm11 ymm12 ymm13 ymm14 ymm15 ymm16 ymm17 ymm18 ymm19 ymm20 ymm21 ymm22 ymm23 ymm24 ymm25 ymm26 ymm27 ymm28 ymm29 ymm30 ymm31 zmm0  zmm1  zmm2  zmm3  zmm4  zmm5  zmm6  zmm7  zmm8  zmm9 zmm10  zmm11 zmm12 zmm13 zmm14 zmm15 zmm16 zmm17 zmm18 zmm19 zmm20 zmm21 zmm22 zmm23 zmm24 zmm25 zmm26 zmm27 zmm28 zmm29 zmm30 zmm31 k0 k1 k2 k3 k4 k5 k6 k7 bnd0 bnd1 bnd2 bnd3 cr0 cr1 cr2 cr3 cr4 cr8 dr0 dr1 dr2 dr3 dr8 tr3 tr4 tr5 tr6 tr7 r0 r1 r2 r3 r4 r5 r6 r7 r0b r1b r2b r3b r4b r5b r6b r7b r0w r1w r2w r3w r4w r5w r6w r7w r0d r1d r2d r3d r4d r5d r6d r7d r0h r1h r2h r3h r0l r1l r2l r3l r4l r5l r6l r7l r8l r9l r10l r11l r12l r13l r14l r15l db dw dd dq dt ddq do dy dz resb resw resd resq rest resdq reso resy resz incbin equ times byte word dword qword nosplit rel abs seg wrt strict near far a32 ptr",meta:"%define %xdefine %+ %undef %defstr %deftok %assign %strcat %strlen %substr %rotate %elif %else %endif %if %ifmacro %ifctx %ifidn %ifidni %ifid %ifnum %ifstr %iftoken %ifempty %ifenv %error %warning %fatal %rep %endrep %include %push %pop %repl %pathsearch %depend %use %arg %stacksize %local %line %comment %endcomment .nolist __FILE__ __LINE__ __SECT__  __BITS__ __OUTPUT_FORMAT__ __DATE__ __TIME__ __DATE_NUM__ __TIME_NUM__ __UTC_DATE__ __UTC_TIME__ __UTC_DATE_NUM__ __UTC_TIME_NUM__  __PASS__ struc endstruc istruc at iend align alignb sectalign daz nodaz up down zero default option assume public bits use16 use32 use64 default section segment absolute extern global common cpu float __utf16__ __utf16le__ __utf16be__ __utf32__ __utf32le__ __utf32be__ __float8__ __float16__ __float32__ __float64__ __float80m__ __float80e__ __float128l__ __float128h__ __Infinity__ __QNaN__ __SNaN__ Inf NaN QNaN SNaN float8 float16 float32 float64 float80m float80e float128l float128h __FLOAT_DAZ__ __FLOAT_ROUND__ __FLOAT__"},contains:[t.COMMENT(";","$",{relevance:0}),{className:"number",variants:[{begin:"\\b(?:([0-9][0-9_]*)?\\.[0-9_]*(?:[eE][+-]?[0-9_]+)?|(0[Xx])?[0-9][0-9_]*(\\.[0-9_]*)?(?:[pP](?:[+-]?[0-9_]+)?)?)\\b",relevance:0},{begin:"\\$[0-9][0-9A-Fa-f]*",relevance:0},{begin:"\\b(?:[0-9A-Fa-f][0-9A-Fa-f_]*[Hh]|[0-9][0-9_]*[DdTt]?|[0-7][0-7_]*[QqOo]|[0-1][0-1_]*[BbYy])\\b"},{begin:"\\b(?:0[Xx][0-9A-Fa-f_]+|0[DdTt][0-9_]+|0[QqOo][0-7_]+|0[BbYy][0-1_]+)\\b"}]},t.QUOTE_STRING_MODE,{className:"string",variants:[{begin:"'",end:"[^\\\\]'"},{begin:"`",end:"[^\\\\]`"}],relevance:0},{className:"symbol",variants:[{begin:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)"},{begin:"^\\s*%%[A-Za-z0-9_$#@~.?]*:"}],relevance:0},{className:"subst",begin:"%[0-9]+",relevance:0},{className:"subst",begin:"%!S+",relevance:0},{className:"meta",begin:/^\s*\.[\w_-]+/}]}}return Yg=e,Yg}var Wg,q0;function ZP(){if(q0)return Wg;q0=1;function e(t){const n=["if","then","else","do","while","until","for","loop","import","with","is","as","where","when","by","data","constant","integer","real","text","name","boolean","symbol","infix","prefix","postfix","block","tree"],r=["in","mod","rem","and","or","xor","not","abs","sign","floor","ceil","sqrt","sin","cos","tan","asin","acos","atan","exp","expm1","log","log2","log10","log1p","pi","at","text_length","text_range","text_find","text_replace","contains","page","slide","basic_slide","title_slide","title","subtitle","fade_in","fade_out","fade_at","clear_color","color","line_color","line_width","texture_wrap","texture_transform","texture","scale_?x","scale_?y","scale_?z?","translate_?x","translate_?y","translate_?z?","rotate_?x","rotate_?y","rotate_?z?","rectangle","circle","ellipse","sphere","path","line_to","move_to","quad_to","curve_to","theme","background","contents","locally","time","mouse_?x","mouse_?y","mouse_buttons"],a=["ObjectLoader","Animate","MovieCredits","Slides","Filters","Shading","Materials","LensFlare","Mapping","VLCAudioVideo","StereoDecoder","PointCloud","NetworkAccess","RemoteControl","RegExp","ChromaKey","Snowfall","NodeJS","Speech","Charts"],l={$pattern:/[a-zA-Z][a-zA-Z0-9_?]*/,keyword:n,literal:["true","false","nil"],built_in:r.concat(a)},u={className:"string",begin:'"',end:'"',illegal:"\\n"},c={className:"string",begin:"'",end:"'",illegal:"\\n"},d={className:"string",begin:"<<",end:">>"},S={className:"number",begin:"[0-9]+#[0-9A-Z_]+(\\.[0-9-A-Z_]+)?#?([Ee][+-]?[0-9]+)?"},_={beginKeywords:"import",end:"$",keywords:l,contains:[u]},E={className:"function",begin:/[a-z][^\n]*->/,returnBegin:!0,end:/->/,contains:[t.inherit(t.TITLE_MODE,{starts:{endsWithParent:!0,keywords:l}})]};return{name:"XL",aliases:["tao"],keywords:l,contains:[t.C_LINE_COMMENT_MODE,t.C_BLOCK_COMMENT_MODE,u,c,d,E,_,S,t.NUMBER_MODE]}}return Wg=e,Wg}var Vg,Y0;function JP(){if(Y0)return Vg;Y0=1;function e(t){return{name:"XQuery",aliases:["xpath","xq","xqm"],case_insensitive:!1,illegal:/(proc)|(abstract)|(extends)|(until)|(#)/,keywords:{$pattern:/[a-zA-Z$][a-zA-Z0-9_:-]*/,keyword:["module","schema","namespace","boundary-space","preserve","no-preserve","strip","default","collation","base-uri","ordering","context","decimal-format","decimal-separator","copy-namespaces","empty-sequence","except","exponent-separator","external","grouping-separator","inherit","no-inherit","lax","minus-sign","per-mille","percent","schema-attribute","schema-element","strict","unordered","zero-digit","declare","import","option","function","validate","variable","for","at","in","let","where","order","group","by","return","if","then","else","tumbling","sliding","window","start","when","only","end","previous","next","stable","ascending","descending","allowing","empty","greatest","least","some","every","satisfies","switch","case","typeswitch","try","catch","and","or","to","union","intersect","instance","of","treat","as","castable","cast","map","array","delete","insert","into","replace","value","rename","copy","modify","update"],type:["item","document-node","node","attribute","document","element","comment","namespace","namespace-node","processing-instruction","text","construction","xs:anyAtomicType","xs:untypedAtomic","xs:duration","xs:time","xs:decimal","xs:float","xs:double","xs:gYearMonth","xs:gYear","xs:gMonthDay","xs:gMonth","xs:gDay","xs:boolean","xs:base64Binary","xs:hexBinary","xs:anyURI","xs:QName","xs:NOTATION","xs:dateTime","xs:dateTimeStamp","xs:date","xs:string","xs:normalizedString","xs:token","xs:language","xs:NMTOKEN","xs:Name","xs:NCName","xs:ID","xs:IDREF","xs:ENTITY","xs:integer","xs:nonPositiveInteger","xs:negativeInteger","xs:long","xs:int","xs:short","xs:byte","xs:nonNegativeInteger","xs:unisignedLong","xs:unsignedInt","xs:unsignedShort","xs:unsignedByte","xs:positiveInteger","xs:yearMonthDuration","xs:dayTimeDuration"],literal:["eq","ne","lt","le","gt","ge","is","self::","child::","descendant::","descendant-or-self::","attribute::","following::","following-sibling::","parent::","ancestor::","ancestor-or-self::","preceding::","preceding-sibling::","NaN"]},contains:[{className:"variable",begin:/[$][\w\-:]+/},{className:"built_in",variants:[{begin:/\barray:/,end:/(?:append|filter|flatten|fold-(?:left|right)|for-each(?:-pair)?|get|head|insert-before|join|put|remove|reverse|size|sort|subarray|tail)\b/},{begin:/\bmap:/,end:/(?:contains|entry|find|for-each|get|keys|merge|put|remove|size)\b/},{begin:/\bmath:/,end:/(?:a(?:cos|sin|tan[2]?)|cos|exp(?:10)?|log(?:10)?|pi|pow|sin|sqrt|tan)\b/},{begin:/\bop:/,end:/\(/,excludeEnd:!0},{begin:/\bfn:/,end:/\(/,excludeEnd:!0},{begin:/[^</$:'"-]\b(?:abs|accumulator-(?:after|before)|adjust-(?:date(?:Time)?|time)-to-timezone|analyze-string|apply|available-(?:environment-variables|system-properties)|avg|base-uri|boolean|ceiling|codepoints?-(?:equal|to-string)|collation-key|collection|compare|concat|contains(?:-token)?|copy-of|count|current(?:-)?(?:date(?:Time)?|time|group(?:ing-key)?|output-uri|merge-(?:group|key))?data|dateTime|days?-from-(?:date(?:Time)?|duration)|deep-equal|default-(?:collation|language)|distinct-values|document(?:-uri)?|doc(?:-available)?|element-(?:available|with-id)|empty|encode-for-uri|ends-with|environment-variable|error|escape-html-uri|exactly-one|exists|false|filter|floor|fold-(?:left|right)|for-each(?:-pair)?|format-(?:date(?:Time)?|time|integer|number)|function-(?:arity|available|lookup|name)|generate-id|has-children|head|hours-from-(?:dateTime|duration|time)|id(?:ref)?|implicit-timezone|in-scope-prefixes|index-of|innermost|insert-before|iri-to-uri|json-(?:doc|to-xml)|key|lang|last|load-xquery-module|local-name(?:-from-QName)?|(?:lower|upper)-case|matches|max|minutes-from-(?:dateTime|duration|time)|min|months?-from-(?:date(?:Time)?|duration)|name(?:space-uri-?(?:for-prefix|from-QName)?)?|nilled|node-name|normalize-(?:space|unicode)|not|number|one-or-more|outermost|parse-(?:ietf-date|json)|path|position|(?:prefix-from-)?QName|random-number-generator|regex-group|remove|replace|resolve-(?:QName|uri)|reverse|root|round(?:-half-to-even)?|seconds-from-(?:dateTime|duration|time)|snapshot|sort|starts-with|static-base-uri|stream-available|string-?(?:join|length|to-codepoints)?|subsequence|substring-?(?:after|before)?|sum|system-property|tail|timezone-from-(?:date(?:Time)?|time)|tokenize|trace|trans(?:form|late)|true|type-available|unordered|unparsed-(?:entity|text)?-?(?:public-id|uri|available|lines)?|uri-collection|xml-to-json|years?-from-(?:date(?:Time)?|duration)|zero-or-one)\b/},{begin:/\blocal:/,end:/\(/,excludeEnd:!0},{begin:/\bzip:/,end:/(?:zip-file|(?:xml|html|text|binary)-entry| (?:update-)?entries)\b/},{begin:/\b(?:util|db|functx|app|xdmp|xmldb):/,end:/\(/,excludeEnd:!0}]},{className:"string",variants:[{begin:/"/,end:/"/,contains:[{begin:/""/,relevance:0}]},{begin:/'/,end:/'/,contains:[{begin:/''/,relevance:0}]}]},{className:"number",begin:/(\b0[0-7_]+)|(\b0x[0-9a-fA-F_]+)|(\b[1-9][0-9_]*(\.[0-9_]+)?)|[0_]\b/,relevance:0},{className:"comment",begin:/\(:/,end:/:\)/,relevance:10,contains:[{className:"doctag",begin:/@\w+/}]},{className:"meta",begin:/%[\w\-:]+/},{className:"title",begin:/\bxquery version "[13]\.[01]"\s?(?:encoding ".+")?/,end:/;/},{beginKeywords:"element attribute comment document processing-instruction",end:/\{/,excludeEnd:!0},{begin:/<([\w._:-]+)(\s+\S*=('|").*('|"))?>/,end:/(\/[\w._:-]+>)/,subLanguage:"xml",contains:[{begin:/\{/,end:/\}/,subLanguage:"xquery"},"self"]}]}}return Vg=e,Vg}var zg,W0;function eF(){if(W0)return zg;W0=1;function e(t){const n={className:"string",contains:[t.BACKSLASH_ESCAPE],variants:[t.inherit(t.APOS_STRING_MODE,{illegal:null}),t.inherit(t.QUOTE_STRING_MODE,{illegal:null})]},r=t.UNDERSCORE_TITLE_MODE,a={variants:[t.BINARY_NUMBER_MODE,t.C_NUMBER_MODE]},o="namespace class interface use extends function return abstract final public protected private static deprecated throw try catch Exception echo empty isset instanceof unset let var new const self require if else elseif switch case default do while loop for continue break likely unlikely __LINE__ __FILE__ __DIR__ __FUNCTION__ __CLASS__ __TRAIT__ __METHOD__ __NAMESPACE__ array boolean float double integer object resource string char long unsigned bool int uint ulong uchar true false null undefined";return{name:"Zephir",aliases:["zep"],keywords:o,contains:[t.C_LINE_COMMENT_MODE,t.COMMENT(/\/\*/,/\*\//,{contains:[{className:"doctag",begin:/@[A-Za-z]+/}]}),{className:"string",begin:/<<<['"]?\w+['"]?$/,end:/^\w+;/,contains:[t.BACKSLASH_ESCAPE]},{begin:/(::|->)+[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*/},{className:"function",beginKeywords:"function fn",end:/[;{]/,excludeEnd:!0,illegal:/\$|\[|%/,contains:[r,{className:"params",begin:/\(/,end:/\)/,keywords:o,contains:["self",t.C_BLOCK_COMMENT_MODE,n,a]}]},{className:"class",beginKeywords:"class interface",end:/\{/,excludeEnd:!0,illegal:/[:($"]/,contains:[{beginKeywords:"extends implements"},r]},{beginKeywords:"namespace",end:/;/,illegal:/[.']/,contains:[r]},{beginKeywords:"use",end:/;/,contains:[r]},{begin:/=>/},n,a]}}return zg=e,zg}var Fe=C1;Fe.registerLanguage("1c",A1());Fe.registerLanguage("abnf",O1());Fe.registerLanguage("accesslog",R1());Fe.registerLanguage("actionscript",N1());Fe.registerLanguage("ada",I1());Fe.registerLanguage("angelscript",D1());Fe.registerLanguage("apache",x1());Fe.registerLanguage("applescript",w1());Fe.registerLanguage("arcade",L1());Fe.registerLanguage("arduino",M1());Fe.registerLanguage("armasm",k1());Fe.registerLanguage("xml",P1());Fe.registerLanguage("asciidoc",F1());Fe.registerLanguage("aspectj",B1());Fe.registerLanguage("autohotkey",U1());Fe.registerLanguage("autoit",G1());Fe.registerLanguage("avrasm",H1());Fe.registerLanguage("awk",q1());Fe.registerLanguage("axapta",Y1());Fe.registerLanguage("bash",W1());Fe.registerLanguage("basic",V1());Fe.registerLanguage("bnf",z1());Fe.registerLanguage("brainfuck",K1());Fe.registerLanguage("c",$1());Fe.registerLanguage("cal",Q1());Fe.registerLanguage("capnproto",j1());Fe.registerLanguage("ceylon",X1());Fe.registerLanguage("clean",Z1());Fe.registerLanguage("clojure",J1());Fe.registerLanguage("clojure-repl",eM());Fe.registerLanguage("cmake",tM());Fe.registerLanguage("coffeescript",nM());Fe.registerLanguage("coq",rM());Fe.registerLanguage("cos",iM());Fe.registerLanguage("cpp",aM());Fe.registerLanguage("crmsh",oM());Fe.registerLanguage("crystal",sM());Fe.registerLanguage("csharp",lM());Fe.registerLanguage("csp",uM());Fe.registerLanguage("css",cM());Fe.registerLanguage("d",dM());Fe.registerLanguage("markdown",fM());Fe.registerLanguage("dart",pM());Fe.registerLanguage("delphi",_M());Fe.registerLanguage("diff",mM());Fe.registerLanguage("django",gM());Fe.registerLanguage("dns",hM());Fe.registerLanguage("dockerfile",EM());Fe.registerLanguage("dos",SM());Fe.registerLanguage("dsconfig",bM());Fe.registerLanguage("dts",vM());Fe.registerLanguage("dust",TM());Fe.registerLanguage("ebnf",yM());Fe.registerLanguage("elixir",CM());Fe.registerLanguage("elm",AM());Fe.registerLanguage("ruby",OM());Fe.registerLanguage("erb",RM());Fe.registerLanguage("erlang-repl",NM());Fe.registerLanguage("erlang",IM());Fe.registerLanguage("excel",DM());Fe.registerLanguage("fix",xM());Fe.registerLanguage("flix",wM());Fe.registerLanguage("fortran",LM());Fe.registerLanguage("fsharp",MM());Fe.registerLanguage("gams",kM());Fe.registerLanguage("gauss",PM());Fe.registerLanguage("gcode",FM());Fe.registerLanguage("gherkin",BM());Fe.registerLanguage("glsl",UM());Fe.registerLanguage("gml",GM());Fe.registerLanguage("go",HM());Fe.registerLanguage("golo",qM());Fe.registerLanguage("gradle",YM());Fe.registerLanguage("graphql",WM());Fe.registerLanguage("groovy",VM());Fe.registerLanguage("haml",zM());Fe.registerLanguage("handlebars",KM());Fe.registerLanguage("haskell",$M());Fe.registerLanguage("haxe",QM());Fe.registerLanguage("hsp",jM());Fe.registerLanguage("http",XM());Fe.registerLanguage("hy",ZM());Fe.registerLanguage("inform7",JM());Fe.registerLanguage("ini",ek());Fe.registerLanguage("irpf90",tk());Fe.registerLanguage("isbl",nk());Fe.registerLanguage("java",rk());Fe.registerLanguage("javascript",ik());Fe.registerLanguage("jboss-cli",ak());Fe.registerLanguage("json",ok());Fe.registerLanguage("julia",sk());Fe.registerLanguage("julia-repl",lk());Fe.registerLanguage("kotlin",uk());Fe.registerLanguage("lasso",ck());Fe.registerLanguage("latex",dk());Fe.registerLanguage("ldif",fk());Fe.registerLanguage("leaf",pk());Fe.registerLanguage("less",_k());Fe.registerLanguage("lisp",mk());Fe.registerLanguage("livecodeserver",gk());Fe.registerLanguage("livescript",hk());Fe.registerLanguage("llvm",Ek());Fe.registerLanguage("lsl",Sk());Fe.registerLanguage("lua",bk());Fe.registerLanguage("makefile",vk());Fe.registerLanguage("mathematica",Tk());Fe.registerLanguage("matlab",yk());Fe.registerLanguage("maxima",Ck());Fe.registerLanguage("mel",Ak());Fe.registerLanguage("mercury",Ok());Fe.registerLanguage("mipsasm",Rk());Fe.registerLanguage("mizar",Nk());Fe.registerLanguage("perl",Ik());Fe.registerLanguage("mojolicious",Dk());Fe.registerLanguage("monkey",xk());Fe.registerLanguage("moonscript",wk());Fe.registerLanguage("n1ql",Lk());Fe.registerLanguage("nestedtext",Mk());Fe.registerLanguage("nginx",kk());Fe.registerLanguage("nim",Pk());Fe.registerLanguage("nix",Fk());Fe.registerLanguage("node-repl",Bk());Fe.registerLanguage("nsis",Uk());Fe.registerLanguage("objectivec",Gk());Fe.registerLanguage("ocaml",Hk());Fe.registerLanguage("openscad",qk());Fe.registerLanguage("oxygene",Yk());Fe.registerLanguage("parser3",Wk());Fe.registerLanguage("pf",Vk());Fe.registerLanguage("pgsql",zk());Fe.registerLanguage("php",Kk());Fe.registerLanguage("php-template",$k());Fe.registerLanguage("plaintext",Qk());Fe.registerLanguage("pony",jk());Fe.registerLanguage("powershell",Xk());Fe.registerLanguage("processing",Zk());Fe.registerLanguage("profile",Jk());Fe.registerLanguage("prolog",eP());Fe.registerLanguage("properties",tP());Fe.registerLanguage("protobuf",nP());Fe.registerLanguage("puppet",rP());Fe.registerLanguage("purebasic",iP());Fe.registerLanguage("python",aP());Fe.registerLanguage("python-repl",oP());Fe.registerLanguage("q",sP());Fe.registerLanguage("qml",lP());Fe.registerLanguage("r",uP());Fe.registerLanguage("reasonml",cP());Fe.registerLanguage("rib",dP());Fe.registerLanguage("roboconf",fP());Fe.registerLanguage("routeros",pP());Fe.registerLanguage("rsl",_P());Fe.registerLanguage("ruleslanguage",mP());Fe.registerLanguage("rust",gP());Fe.registerLanguage("sas",hP());Fe.registerLanguage("scala",EP());Fe.registerLanguage("scheme",SP());Fe.registerLanguage("scilab",bP());Fe.registerLanguage("scss",vP());Fe.registerLanguage("shell",TP());Fe.registerLanguage("smali",yP());Fe.registerLanguage("smalltalk",CP());Fe.registerLanguage("sml",AP());Fe.registerLanguage("sqf",OP());Fe.registerLanguage("sql",RP());Fe.registerLanguage("stan",NP());Fe.registerLanguage("stata",IP());Fe.registerLanguage("step21",DP());Fe.registerLanguage("stylus",xP());Fe.registerLanguage("subunit",wP());Fe.registerLanguage("swift",LP());Fe.registerLanguage("taggerscript",MP());Fe.registerLanguage("yaml",kP());Fe.registerLanguage("tap",PP());Fe.registerLanguage("tcl",FP());Fe.registerLanguage("thrift",BP());Fe.registerLanguage("tp",UP());Fe.registerLanguage("twig",GP());Fe.registerLanguage("typescript",HP());Fe.registerLanguage("vala",qP());Fe.registerLanguage("vbnet",YP());Fe.registerLanguage("vbscript",WP());Fe.registerLanguage("vbscript-html",VP());Fe.registerLanguage("verilog",zP());Fe.registerLanguage("vhdl",KP());Fe.registerLanguage("vim",$P());Fe.registerLanguage("wasm",QP());Fe.registerLanguage("wren",jP());Fe.registerLanguage("x86asm",XP());Fe.registerLanguage("xl",ZP());Fe.registerLanguage("xquery",JP());Fe.registerLanguage("zephir",eF());Fe.HighlightJS=Fe;Fe.default=Fe;var tF=Fe;const qd=tF,mE='<div class="modal fade" tabindex="-1" role="dialog">  <div class="modal-dialog" role="document">    <div class="modal-content">      <div class="modal-header">        <h5 class="modal-title">{0}</h5>        <button type="button" class="close" data-dismiss="modal" aria-label="Close">          <span aria-hidden="true">&times;</span>        </button>      </div>      <div class="modal-body">      </div>      <div class="modal-footer">      </div>    </div>  </div></div>',nF='<div class="toast m-3" role="alert">  <div class="toast-header">    <strong class="mr-auto">{0}</strong>    <button type="button" class="ml-2 mb-1 close" data-dismiss="toast" aria-label="Close">      <span aria-hidden="true">&times;</span>    </button>  </div>  <div class="toast-body">{1}</div></div>',rF='<div class="progress">  <div class="progress-bar progress-bar-success progress-bar-striped progress-bar-animated" role="progressbar" style="width: {0}%">  </div></div>',iF=`<div class="alert alert-danger alert-dismissable" role="alert">
   <span class="sr-only">Erreur:</span>
   {0}
   <button type="button" class="close" data-dismiss="alert" aria-label="Close"><span aria-hidden="true">\xD7</span></button>
-</div>`,rF=`<div class="alert alert-success alert-dismissable submit-row" role="alert">
+</div>`,aF=`<div class="alert alert-success alert-dismissable submit-row" role="alert">
   <strong>Succ\xE8s!</strong>
   {0}
   <button type="button" class="close" data-dismiss="alert" aria-label="Close"><span aria-hidden="true">\xD7</span></button>
-</div>`,iF='<button type="button" class="btn btn-primary" data-dismiss="modal">{0}</button>',aF='<button type="button" class="btn btn-danger" data-dismiss="modal">No</button>',oF='<button type="button" class="btn btn-primary" data-dismiss="modal">Yes</button>';function ph(e){const t=_E.format(e.title),n=At(t);typeof e.body=="string"?n.find(".modal-body").append(`<p>${e.body}</p>`):n.find(".modal-body").append(At(e.body));const r=At(iF.format(e.button));return e.success&&At(r).click(function(){e.success()}),e.additionalClassMain&&(At(n)[0].children[0].className=At(n)[0].children[0].className+" "+e.additionalClassMain),e.large&&n.find(".modal-dialog").addClass("modal-lg"),n.find(".modal-footer").append(r),n.find("pre code").each(function(a){qd.highlightBlock(this)}),At("main").append(n),n.modal("show"),At(n).on("hidden.bs.modal",function(){At(this)[0].innerHTML="",At(this).modal("dispose")}),n}function VA(e){At("#ezq--notifications-toast-container").length||At("body").append(At("<div/>").attr({id:"ezq--notifications-toast-container"}).css({position:"fixed",bottom:"0",right:"0","min-width":"20%"}));var n=eF.format(e.title,e.body),r=At(n);if(e.onclose&&At(r).find("button[data-dismiss=toast]").click(function(){e.onclose()}),e.onclick){let u=At(r).find(".toast-body");u.addClass("cursor-pointer"),u.click(function(){e.onclick()})}let a=e.autohide!==!1,o=e.animation!==!1,l=e.delay||1e4;return At("#ezq--notifications-toast-container").prepend(r),r.toast({autohide:a,delay:l,animation:o}),r.toast("show"),r}function sF(e){const t=_E.format(e.title),n=At(t);typeof e.body=="string"?n.find(".modal-body").append(`<p>${e.body}</p>`):n.find(".modal-body").append(At(e.body));const r=At(oF),a=At(aF);return n.find(".modal-footer").append(a),n.find(".modal-footer").append(r),n.find("pre code").each(function(o){qd.highlightBlock(this)}),At("main").append(n),At(n).on("hidden.bs.modal",function(){At(this).modal("dispose")}),At(r).click(function(){e.success()}),n.modal("show"),n}function lF(e){if(e.target){const a=At(e.target);return a.find(".progress-bar").css("width",e.width+"%"),a}const t=tF.format(e.width),n=_E.format(e.title),r=At(n);return r.find(".modal-body").append(At(t)),At("main").append(r),r.modal("show")}function uF(e){const n={success:rF,error:nF}[e.type].format(e.body);return At(n)}const wu={ezAlert:ph,ezToast:VA,ezQuery:sF,ezProgressBar:lF,ezBadge:uF};function cF(e){const t=document.createElement("template");return t.innerHTML=e.trim(),t.content.firstChild}function zA(e){const t=document.createElement("div");return t.innerText=e,t.innerHTML}const dF=e=>new Promise((t,n)=>{const r=document.querySelector(`script[src='${e}']`);r&&r.remove();const a=document.createElement("script");document.body.appendChild(a),a.onload=t,a.onerror=n,a.async=!0,a.src=e}),KA=new Ui("/"),$A={},fF={},pF={ezq:wu},_F={$:At,markdown:hF,dayjs:oc};let Y0=!1;const mF=e=>{Y0||(Y0=!0,Pa.urlRoot=e.urlRoot||Pa.urlRoot,Pa.csrfNonce=e.csrfNonce||Pa.csrfNonce,Pa.userMode=e.userMode||Pa.userMode,KA.domain=Pa.urlRoot+"/api/v1",$A.id=e.userId)},gF={run:e=>{e(Ys)}};function hF(e){const t={html:!0,linkify:!0,...e},n=ia(t);return n.renderer.rules.link_open=function(r,a,o,l,u){return r[a].attrPush(["target","_blank"]),u.renderToken(r,a,o)},n}const EF={ajax:{getScript:dF},html:{createHtmlNode:cF,htmlEntities:zA}},Ys={init:mF,config:Pa,fetch:xA,user:$A,ui:pF,utils:EF,api:KA,lib:_F,_internal:fF,plugin:gF};var _h=!1,mh=!1,Ds=[],gh=-1;function SF(e){bF(e)}function bF(e){Ds.includes(e)||Ds.push(e),vF()}function QA(e){let t=Ds.indexOf(e);t!==-1&&t>gh&&Ds.splice(t,1)}function vF(){!mh&&!_h&&(_h=!0,queueMicrotask(TF))}function TF(){_h=!1,mh=!0;for(let e=0;e<Ds.length;e++)Ds[e](),gh=e;Ds.length=0,gh=-1,mh=!1}var Ql,jl,dc,jA,hh=!0;function yF(e){hh=!1,e(),hh=!0}function CF(e){Ql=e.reactive,dc=e.release,jl=t=>e.effect(t,{scheduler:n=>{hh?SF(n):n()}}),jA=e.raw}function W0(e){jl=e}function AF(e){let t=()=>{};return[r=>{let a=jl(r);return e._x_effects||(e._x_effects=new Set,e._x_runEffects=()=>{e._x_effects.forEach(o=>o())}),e._x_effects.add(a),t=()=>{a!==void 0&&(e._x_effects.delete(a),dc(a))},a},()=>{t()}]}function Lu(e,t,n={}){e.dispatchEvent(new CustomEvent(t,{detail:n,bubbles:!0,composed:!0,cancelable:!0}))}function rs(e,t){if(typeof ShadowRoot=="function"&&e instanceof ShadowRoot){Array.from(e.children).forEach(a=>rs(a,t));return}let n=!1;if(t(e,()=>n=!0),n)return;let r=e.firstElementChild;for(;r;)rs(r,t),r=r.nextElementSibling}function bo(e,...t){console.warn(`Alpine Warning: ${e}`,...t)}var V0=!1;function OF(){V0&&bo("Alpine has already been initialized on this page. Calling Alpine.start() more than once can cause problems."),V0=!0,document.body||bo("Unable to initialize. Trying to load Alpine before `<body>` is available. Did you forget to add `defer` in Alpine's `<script>` tag?"),Lu(document,"alpine:init"),Lu(document,"alpine:initializing"),bE(),IF(t=>vo(t,rs)),hE(t=>gE(t)),oO((t,n)=>{CE(t,n).forEach(r=>r())});let e=t=>!Yd(t.parentElement,!0);Array.from(document.querySelectorAll(JA().join(","))).filter(e).forEach(t=>{vo(t)}),Lu(document,"alpine:initialized")}var mE=[],XA=[];function ZA(){return mE.map(e=>e())}function JA(){return mE.concat(XA).map(e=>e())}function eO(e){mE.push(e)}function tO(e){XA.push(e)}function Yd(e,t=!1){return Wd(e,n=>{if((t?JA():ZA()).some(a=>n.matches(a)))return!0})}function Wd(e,t){if(!!e){if(t(e))return e;if(e._x_teleportBack&&(e=e._x_teleportBack),!!e.parentElement)return Wd(e.parentElement,t)}}function RF(e){return ZA().some(t=>e.matches(t))}var nO=[];function NF(e){nO.push(e)}function vo(e,t=rs,n=()=>{}){WF(()=>{t(e,(r,a)=>{n(r,a),nO.forEach(o=>o(r,a)),CE(r,r.attributes).forEach(o=>o()),r._x_ignore&&a()})})}function gE(e){rs(e,t=>{lO(t),DF(t)})}var rO=[],iO=[],aO=[];function IF(e){aO.push(e)}function hE(e,t){typeof t=="function"?(e._x_cleanups||(e._x_cleanups=[]),e._x_cleanups.push(t)):(t=e,iO.push(t))}function oO(e){rO.push(e)}function sO(e,t,n){e._x_attributeCleanups||(e._x_attributeCleanups={}),e._x_attributeCleanups[t]||(e._x_attributeCleanups[t]=[]),e._x_attributeCleanups[t].push(n)}function lO(e,t){!e._x_attributeCleanups||Object.entries(e._x_attributeCleanups).forEach(([n,r])=>{(t===void 0||t.includes(n))&&(r.forEach(a=>a()),delete e._x_attributeCleanups[n])})}function DF(e){if(e._x_cleanups)for(;e._x_cleanups.length;)e._x_cleanups.pop()()}var EE=new MutationObserver(TE),SE=!1;function bE(){EE.observe(document,{subtree:!0,childList:!0,attributes:!0,attributeOldValue:!0}),SE=!0}function uO(){xF(),EE.disconnect(),SE=!1}var Mu=[],zg=!1;function xF(){Mu=Mu.concat(EE.takeRecords()),Mu.length&&!zg&&(zg=!0,queueMicrotask(()=>{wF(),zg=!1}))}function wF(){TE(Mu),Mu.length=0}function or(e){if(!SE)return e();uO();let t=e();return bE(),t}var vE=!1,bd=[];function LF(){vE=!0}function MF(){vE=!1,TE(bd),bd=[]}function TE(e){if(vE){bd=bd.concat(e);return}let t=[],n=[],r=new Map,a=new Map;for(let o=0;o<e.length;o++)if(!e[o].target._x_ignoreMutationObserver&&(e[o].type==="childList"&&(e[o].addedNodes.forEach(l=>l.nodeType===1&&t.push(l)),e[o].removedNodes.forEach(l=>l.nodeType===1&&n.push(l))),e[o].type==="attributes")){let l=e[o].target,u=e[o].attributeName,c=e[o].oldValue,d=()=>{r.has(l)||r.set(l,[]),r.get(l).push({name:u,value:l.getAttribute(u)})},S=()=>{a.has(l)||a.set(l,[]),a.get(l).push(u)};l.hasAttribute(u)&&c===null?d():l.hasAttribute(u)?(S(),d()):S()}a.forEach((o,l)=>{lO(l,o)}),r.forEach((o,l)=>{rO.forEach(u=>u(l,o))});for(let o of n)t.includes(o)||(iO.forEach(l=>l(o)),gE(o));t.forEach(o=>{o._x_ignoreSelf=!0,o._x_ignore=!0});for(let o of t)n.includes(o)||!o.isConnected||(delete o._x_ignoreSelf,delete o._x_ignore,aO.forEach(l=>l(o)),o._x_ignore=!0,o._x_ignoreSelf=!0);t.forEach(o=>{delete o._x_ignoreSelf,delete o._x_ignore}),t=null,n=null,r=null,a=null}function cO(e){return pc(Fl(e))}function fc(e,t,n){return e._x_dataStack=[t,...Fl(n||e)],()=>{e._x_dataStack=e._x_dataStack.filter(r=>r!==t)}}function Fl(e){return e._x_dataStack?e._x_dataStack:typeof ShadowRoot=="function"&&e instanceof ShadowRoot?Fl(e.host):e.parentNode?Fl(e.parentNode):[]}function pc(e){return new Proxy({objects:e},kF)}var kF={ownKeys({objects:e}){return Array.from(new Set(e.flatMap(t=>Object.keys(t))))},has({objects:e},t){return t==Symbol.unscopables?!1:e.some(n=>Object.prototype.hasOwnProperty.call(n,t))},get({objects:e},t,n){return t=="toJSON"?PF:Reflect.get(e.find(r=>Object.prototype.hasOwnProperty.call(r,t))||{},t,n)},set({objects:e},t,n,r){const a=e.find(l=>Object.prototype.hasOwnProperty.call(l,t))||e[e.length-1],o=Object.getOwnPropertyDescriptor(a,t);return(o==null?void 0:o.set)&&(o==null?void 0:o.get)?Reflect.set(a,t,n,r):Reflect.set(a,t,n)}};function PF(){return Reflect.ownKeys(this).reduce((t,n)=>(t[n]=Reflect.get(this,n),t),{})}function dO(e){let t=r=>typeof r=="object"&&!Array.isArray(r)&&r!==null,n=(r,a="")=>{Object.entries(Object.getOwnPropertyDescriptors(r)).forEach(([o,{value:l,enumerable:u}])=>{if(u===!1||l===void 0)return;let c=a===""?o:`${a}.${o}`;typeof l=="object"&&l!==null&&l._x_interceptor?r[o]=l.initialize(e,c,o):t(l)&&l!==r&&!(l instanceof Element)&&n(l,c)})};return n(e)}function fO(e,t=()=>{}){let n={initialValue:void 0,_x_interceptor:!0,initialize(r,a,o){return e(this.initialValue,()=>FF(r,a),l=>Eh(r,a,l),a,o)}};return t(n),r=>{if(typeof r=="object"&&r!==null&&r._x_interceptor){let a=n.initialize.bind(n);n.initialize=(o,l,u)=>{let c=r.initialize(o,l,u);return n.initialValue=c,a(o,l,u)}}else n.initialValue=r;return n}}function FF(e,t){return t.split(".").reduce((n,r)=>n[r],e)}function Eh(e,t,n){if(typeof t=="string"&&(t=t.split(".")),t.length===1)e[t[0]]=n;else{if(t.length===0)throw error;return e[t[0]]||(e[t[0]]={}),Eh(e[t[0]],t.slice(1),n)}}var pO={};function Ca(e,t){pO[e]=t}function Sh(e,t){return Object.entries(pO).forEach(([n,r])=>{let a=null;function o(){if(a)return a;{let[l,u]=SO(t);return a={interceptor:fO,...l},hE(t,u),a}}Object.defineProperty(e,`$${n}`,{get(){return r(t,o())},enumerable:!1})}),e}function BF(e,t,n,...r){try{return n(...r)}catch(a){zu(a,e,t)}}function zu(e,t,n=void 0){Object.assign(e,{el:t,expression:n}),console.warn(`Alpine Expression Error: ${e.message}
+</div>`,oF='<button type="button" class="btn btn-primary" data-dismiss="modal">{0}</button>',sF='<button type="button" class="btn btn-danger" data-dismiss="modal">No</button>',lF='<button type="button" class="btn btn-primary" data-dismiss="modal">Yes</button>';function _h(e){const t=mE.format(e.title),n=At(t);typeof e.body=="string"?n.find(".modal-body").append(`<p>${e.body}</p>`):n.find(".modal-body").append(At(e.body));const r=At(oF.format(e.button));return e.success&&At(r).click(function(){e.success()}),e.additionalClassMain&&(At(n)[0].children[0].className=At(n)[0].children[0].className+" "+e.additionalClassMain),e.large&&n.find(".modal-dialog").addClass("modal-lg"),n.find(".modal-footer").append(r),n.find("pre code").each(function(a){qd.highlightBlock(this)}),At("main").append(n),n.modal("show"),At(n).on("hidden.bs.modal",function(){At(this)[0].innerHTML="",At(this).modal("dispose")}),n}function KA(e){At("#ezq--notifications-toast-container").length||At("body").append(At("<div/>").attr({id:"ezq--notifications-toast-container"}).css({position:"fixed",bottom:"0",right:"0","min-width":"20%"}));var n=nF.format(e.title,e.body),r=At(n);if(e.onclose&&At(r).find("button[data-dismiss=toast]").click(function(){e.onclose()}),e.onclick){let u=At(r).find(".toast-body");u.addClass("cursor-pointer"),u.click(function(){e.onclick()})}let a=e.autohide!==!1,o=e.animation!==!1,l=e.delay||1e4;return At("#ezq--notifications-toast-container").prepend(r),r.toast({autohide:a,delay:l,animation:o}),r.toast("show"),r}function uF(e){const t=mE.format(e.title),n=At(t);typeof e.body=="string"?n.find(".modal-body").append(`<p>${e.body}</p>`):n.find(".modal-body").append(At(e.body));const r=At(lF),a=At(sF);return n.find(".modal-footer").append(a),n.find(".modal-footer").append(r),n.find("pre code").each(function(o){qd.highlightBlock(this)}),At("main").append(n),At(n).on("hidden.bs.modal",function(){At(this).modal("dispose")}),At(r).click(function(){e.success()}),n.modal("show"),n}function cF(e){if(e.target){const a=At(e.target);return a.find(".progress-bar").css("width",e.width+"%"),a}const t=rF.format(e.width),n=mE.format(e.title),r=At(n);return r.find(".modal-body").append(At(t)),At("main").append(r),r.modal("show")}function dF(e){const n={success:aF,error:iF}[e.type].format(e.body);return At(n)}const xu={ezAlert:_h,ezToast:KA,ezQuery:uF,ezProgressBar:cF,ezBadge:dF};function fF(e){const t=document.createElement("template");return t.innerHTML=e.trim(),t.content.firstChild}function $A(e){const t=document.createElement("div");return t.innerText=e,t.innerHTML}const pF=e=>new Promise((t,n)=>{const r=document.querySelector(`script[src='${e}']`);r&&r.remove();const a=document.createElement("script");document.body.appendChild(a),a.onload=t,a.onerror=n,a.async=!0,a.src=e}),QA=new Ui("/"),jA={},_F={},mF={ezq:xu},gF={$:At,markdown:SF,dayjs:oc};let V0=!1;const hF=e=>{V0||(V0=!0,Pa.urlRoot=e.urlRoot||Pa.urlRoot,Pa.csrfNonce=e.csrfNonce||Pa.csrfNonce,Pa.userMode=e.userMode||Pa.userMode,QA.domain=Pa.urlRoot+"/api/v1",jA.id=e.userId)},EF={run:e=>{e(Ys)}};function SF(e){const t={html:!0,linkify:!0,...e},n=ia(t);return n.renderer.rules.link_open=function(r,a,o,l,u){return r[a].attrPush(["target","_blank"]),u.renderToken(r,a,o)},n}const bF={ajax:{getScript:pF},html:{createHtmlNode:fF,htmlEntities:$A}},Ys={init:hF,config:Pa,fetch:LA,user:jA,ui:mF,utils:bF,api:QA,lib:gF,_internal:_F,plugin:EF};var mh=!1,gh=!1,Ds=[],hh=-1;function vF(e){TF(e)}function TF(e){Ds.includes(e)||Ds.push(e),yF()}function XA(e){let t=Ds.indexOf(e);t!==-1&&t>hh&&Ds.splice(t,1)}function yF(){!gh&&!mh&&(mh=!0,queueMicrotask(CF))}function CF(){mh=!1,gh=!0;for(let e=0;e<Ds.length;e++)Ds[e](),hh=e;Ds.length=0,hh=-1,gh=!1}var $l,Ql,dc,ZA,Eh=!0;function AF(e){Eh=!1,e(),Eh=!0}function OF(e){$l=e.reactive,dc=e.release,Ql=t=>e.effect(t,{scheduler:n=>{Eh?vF(n):n()}}),ZA=e.raw}function z0(e){Ql=e}function RF(e){let t=()=>{};return[r=>{let a=Ql(r);return e._x_effects||(e._x_effects=new Set,e._x_runEffects=()=>{e._x_effects.forEach(o=>o())}),e._x_effects.add(a),t=()=>{a!==void 0&&(e._x_effects.delete(a),dc(a))},a},()=>{t()}]}function wu(e,t,n={}){e.dispatchEvent(new CustomEvent(t,{detail:n,bubbles:!0,composed:!0,cancelable:!0}))}function rs(e,t){if(typeof ShadowRoot=="function"&&e instanceof ShadowRoot){Array.from(e.children).forEach(a=>rs(a,t));return}let n=!1;if(t(e,()=>n=!0),n)return;let r=e.firstElementChild;for(;r;)rs(r,t),r=r.nextElementSibling}function bo(e,...t){console.warn(`Alpine Warning: ${e}`,...t)}var K0=!1;function NF(){K0&&bo("Alpine has already been initialized on this page. Calling Alpine.start() more than once can cause problems."),K0=!0,document.body||bo("Unable to initialize. Trying to load Alpine before `<body>` is available. Did you forget to add `defer` in Alpine's `<script>` tag?"),wu(document,"alpine:init"),wu(document,"alpine:initializing"),vE(),xF(t=>vo(t,rs)),EE(t=>hE(t)),lO((t,n)=>{AE(t,n).forEach(r=>r())});let e=t=>!Yd(t.parentElement,!0);Array.from(document.querySelectorAll(tO().join(","))).filter(e).forEach(t=>{vo(t)}),wu(document,"alpine:initialized")}var gE=[],JA=[];function eO(){return gE.map(e=>e())}function tO(){return gE.concat(JA).map(e=>e())}function nO(e){gE.push(e)}function rO(e){JA.push(e)}function Yd(e,t=!1){return Wd(e,n=>{if((t?tO():eO()).some(a=>n.matches(a)))return!0})}function Wd(e,t){if(!!e){if(t(e))return e;if(e._x_teleportBack&&(e=e._x_teleportBack),!!e.parentElement)return Wd(e.parentElement,t)}}function IF(e){return eO().some(t=>e.matches(t))}var iO=[];function DF(e){iO.push(e)}function vo(e,t=rs,n=()=>{}){zF(()=>{t(e,(r,a)=>{n(r,a),iO.forEach(o=>o(r,a)),AE(r,r.attributes).forEach(o=>o()),r._x_ignore&&a()})})}function hE(e){rs(e,t=>{cO(t),wF(t)})}var aO=[],oO=[],sO=[];function xF(e){sO.push(e)}function EE(e,t){typeof t=="function"?(e._x_cleanups||(e._x_cleanups=[]),e._x_cleanups.push(t)):(t=e,oO.push(t))}function lO(e){aO.push(e)}function uO(e,t,n){e._x_attributeCleanups||(e._x_attributeCleanups={}),e._x_attributeCleanups[t]||(e._x_attributeCleanups[t]=[]),e._x_attributeCleanups[t].push(n)}function cO(e,t){!e._x_attributeCleanups||Object.entries(e._x_attributeCleanups).forEach(([n,r])=>{(t===void 0||t.includes(n))&&(r.forEach(a=>a()),delete e._x_attributeCleanups[n])})}function wF(e){if(e._x_cleanups)for(;e._x_cleanups.length;)e._x_cleanups.pop()()}var SE=new MutationObserver(yE),bE=!1;function vE(){SE.observe(document,{subtree:!0,childList:!0,attributes:!0,attributeOldValue:!0}),bE=!0}function dO(){LF(),SE.disconnect(),bE=!1}var Lu=[],Kg=!1;function LF(){Lu=Lu.concat(SE.takeRecords()),Lu.length&&!Kg&&(Kg=!0,queueMicrotask(()=>{MF(),Kg=!1}))}function MF(){yE(Lu),Lu.length=0}function or(e){if(!bE)return e();dO();let t=e();return vE(),t}var TE=!1,bd=[];function kF(){TE=!0}function PF(){TE=!1,yE(bd),bd=[]}function yE(e){if(TE){bd=bd.concat(e);return}let t=[],n=[],r=new Map,a=new Map;for(let o=0;o<e.length;o++)if(!e[o].target._x_ignoreMutationObserver&&(e[o].type==="childList"&&(e[o].addedNodes.forEach(l=>l.nodeType===1&&t.push(l)),e[o].removedNodes.forEach(l=>l.nodeType===1&&n.push(l))),e[o].type==="attributes")){let l=e[o].target,u=e[o].attributeName,c=e[o].oldValue,d=()=>{r.has(l)||r.set(l,[]),r.get(l).push({name:u,value:l.getAttribute(u)})},S=()=>{a.has(l)||a.set(l,[]),a.get(l).push(u)};l.hasAttribute(u)&&c===null?d():l.hasAttribute(u)?(S(),d()):S()}a.forEach((o,l)=>{cO(l,o)}),r.forEach((o,l)=>{aO.forEach(u=>u(l,o))});for(let o of n)t.includes(o)||(oO.forEach(l=>l(o)),hE(o));t.forEach(o=>{o._x_ignoreSelf=!0,o._x_ignore=!0});for(let o of t)n.includes(o)||!o.isConnected||(delete o._x_ignoreSelf,delete o._x_ignore,sO.forEach(l=>l(o)),o._x_ignore=!0,o._x_ignoreSelf=!0);t.forEach(o=>{delete o._x_ignoreSelf,delete o._x_ignore}),t=null,n=null,r=null,a=null}function fO(e){return pc(Fl(e))}function fc(e,t,n){return e._x_dataStack=[t,...Fl(n||e)],()=>{e._x_dataStack=e._x_dataStack.filter(r=>r!==t)}}function Fl(e){return e._x_dataStack?e._x_dataStack:typeof ShadowRoot=="function"&&e instanceof ShadowRoot?Fl(e.host):e.parentNode?Fl(e.parentNode):[]}function pc(e){return new Proxy({objects:e},FF)}var FF={ownKeys({objects:e}){return Array.from(new Set(e.flatMap(t=>Object.keys(t))))},has({objects:e},t){return t==Symbol.unscopables?!1:e.some(n=>Object.prototype.hasOwnProperty.call(n,t))},get({objects:e},t,n){return t=="toJSON"?BF:Reflect.get(e.find(r=>Object.prototype.hasOwnProperty.call(r,t))||{},t,n)},set({objects:e},t,n,r){const a=e.find(l=>Object.prototype.hasOwnProperty.call(l,t))||e[e.length-1],o=Object.getOwnPropertyDescriptor(a,t);return(o==null?void 0:o.set)&&(o==null?void 0:o.get)?Reflect.set(a,t,n,r):Reflect.set(a,t,n)}};function BF(){return Reflect.ownKeys(this).reduce((t,n)=>(t[n]=Reflect.get(this,n),t),{})}function pO(e){let t=r=>typeof r=="object"&&!Array.isArray(r)&&r!==null,n=(r,a="")=>{Object.entries(Object.getOwnPropertyDescriptors(r)).forEach(([o,{value:l,enumerable:u}])=>{if(u===!1||l===void 0)return;let c=a===""?o:`${a}.${o}`;typeof l=="object"&&l!==null&&l._x_interceptor?r[o]=l.initialize(e,c,o):t(l)&&l!==r&&!(l instanceof Element)&&n(l,c)})};return n(e)}function _O(e,t=()=>{}){let n={initialValue:void 0,_x_interceptor:!0,initialize(r,a,o){return e(this.initialValue,()=>UF(r,a),l=>Sh(r,a,l),a,o)}};return t(n),r=>{if(typeof r=="object"&&r!==null&&r._x_interceptor){let a=n.initialize.bind(n);n.initialize=(o,l,u)=>{let c=r.initialize(o,l,u);return n.initialValue=c,a(o,l,u)}}else n.initialValue=r;return n}}function UF(e,t){return t.split(".").reduce((n,r)=>n[r],e)}function Sh(e,t,n){if(typeof t=="string"&&(t=t.split(".")),t.length===1)e[t[0]]=n;else{if(t.length===0)throw error;return e[t[0]]||(e[t[0]]={}),Sh(e[t[0]],t.slice(1),n)}}var mO={};function Ca(e,t){mO[e]=t}function bh(e,t){return Object.entries(mO).forEach(([n,r])=>{let a=null;function o(){if(a)return a;{let[l,u]=vO(t);return a={interceptor:_O,...l},EE(t,u),a}}Object.defineProperty(e,`$${n}`,{get(){return r(t,o())},enumerable:!1})}),e}function GF(e,t,n,...r){try{return n(...r)}catch(a){Vu(a,e,t)}}function Vu(e,t,n=void 0){Object.assign(e,{el:t,expression:n}),console.warn(`Alpine Expression Error: ${e.message}
 
 ${n?'Expression: "'+n+`"
 
-`:""}`,t),setTimeout(()=>{throw e},0)}var cd=!0;function _O(e){let t=cd;cd=!1;let n=e();return cd=t,n}function xs(e,t,n={}){let r;return ti(e,t)(a=>r=a,n),r}function ti(...e){return mO(...e)}var mO=gO;function UF(e){mO=e}function gO(e,t){let n={};Sh(n,e);let r=[n,...Fl(e)],a=typeof t=="function"?GF(r,t):qF(r,t,e);return BF.bind(null,e,t,a)}function GF(e,t){return(n=()=>{},{scope:r={},params:a=[]}={})=>{let o=t.apply(pc([r,...e]),a);vd(n,o)}}var Kg={};function HF(e,t){if(Kg[e])return Kg[e];let n=Object.getPrototypeOf(async function(){}).constructor,r=/^[\n\s]*if.*\(.*\)/.test(e.trim())||/^(let|const)\s/.test(e.trim())?`(async()=>{ ${e} })()`:e,o=(()=>{try{let l=new n(["__self","scope"],`with (scope) { __self.result = ${r} }; __self.finished = true; return __self.result;`);return Object.defineProperty(l,"name",{value:`[Alpine] ${e}`}),l}catch(l){return zu(l,t,e),Promise.resolve()}})();return Kg[e]=o,o}function qF(e,t,n){let r=HF(t,n);return(a=()=>{},{scope:o={},params:l=[]}={})=>{r.result=void 0,r.finished=!1;let u=pc([o,...e]);if(typeof r=="function"){let c=r(r,u).catch(d=>zu(d,n,t));r.finished?(vd(a,r.result,u,l,n),r.result=void 0):c.then(d=>{vd(a,d,u,l,n)}).catch(d=>zu(d,n,t)).finally(()=>r.result=void 0)}}}function vd(e,t,n,r,a){if(cd&&typeof t=="function"){let o=t.apply(n,r);o instanceof Promise?o.then(l=>vd(e,l,n,r)).catch(l=>zu(l,a,t)):e(o)}else typeof t=="object"&&t instanceof Promise?t.then(o=>e(o)):e(t)}var yE="x-";function Xl(e=""){return yE+e}function YF(e){yE=e}var bh={};function Zn(e,t){return bh[e]=t,{before(n){if(!bh[n]){console.warn("Cannot find directive `${directive}`. `${name}` will use the default order of execution");return}const r=Ns.indexOf(n);Ns.splice(r>=0?r:Ns.indexOf("DEFAULT"),0,e)}}}function CE(e,t,n){if(t=Array.from(t),e._x_virtualDirectives){let o=Object.entries(e._x_virtualDirectives).map(([u,c])=>({name:u,value:c})),l=hO(o);o=o.map(u=>l.find(c=>c.name===u.name)?{name:`x-bind:${u.name}`,value:`"${u.value}"`}:u),t=t.concat(o)}let r={};return t.map(TO((o,l)=>r[o]=l)).filter(CO).map(zF(r,n)).sort(KF).map(o=>VF(e,o))}function hO(e){return Array.from(e).map(TO()).filter(t=>!CO(t))}var vh=!1,Iu=new Map,EO=Symbol();function WF(e){vh=!0;let t=Symbol();EO=t,Iu.set(t,[]);let n=()=>{for(;Iu.get(t).length;)Iu.get(t).shift()();Iu.delete(t)},r=()=>{vh=!1,n()};e(n),r()}function SO(e){let t=[],n=u=>t.push(u),[r,a]=AF(e);return t.push(a),[{Alpine:mc,effect:r,cleanup:n,evaluateLater:ti.bind(ti,e),evaluate:xs.bind(xs,e)},()=>t.forEach(u=>u())]}function VF(e,t){let n=()=>{},r=bh[t.type]||n,[a,o]=SO(e);sO(e,t.original,o);let l=()=>{e._x_ignore||e._x_ignoreSelf||(r.inline&&r.inline(e,t,a),r=r.bind(r,e,t,a),vh?Iu.get(EO).push(r):r())};return l.runCleanups=o,l}var bO=(e,t)=>({name:n,value:r})=>(n.startsWith(e)&&(n=n.replace(e,t)),{name:n,value:r}),vO=e=>e;function TO(e=()=>{}){return({name:t,value:n})=>{let{name:r,value:a}=yO.reduce((o,l)=>l(o),{name:t,value:n});return r!==t&&e(r,t),{name:r,value:a}}}var yO=[];function AE(e){yO.push(e)}function CO({name:e}){return AO().test(e)}var AO=()=>new RegExp(`^${yE}([^:^.]+)\\b`);function zF(e,t){return({name:n,value:r})=>{let a=n.match(AO()),o=n.match(/:([a-zA-Z0-9\-_:]+)/),l=n.match(/\.[^.\]]+(?=[^\]]*$)/g)||[],u=t||e[n]||n;return{type:a?a[1]:null,value:o?o[1]:null,modifiers:l.map(c=>c.replace(".","")),expression:r,original:u}}}var Th="DEFAULT",Ns=["ignore","ref","data","id","anchor","bind","init","for","model","modelable","transition","show","if",Th,"teleport"];function KF(e,t){let n=Ns.indexOf(e.type)===-1?Th:e.type,r=Ns.indexOf(t.type)===-1?Th:t.type;return Ns.indexOf(n)-Ns.indexOf(r)}var yh=[],OE=!1;function RE(e=()=>{}){return queueMicrotask(()=>{OE||setTimeout(()=>{Ch()})}),new Promise(t=>{yh.push(()=>{e(),t()})})}function Ch(){for(OE=!1;yh.length;)yh.shift()()}function $F(){OE=!0}function NE(e,t){return Array.isArray(t)?z0(e,t.join(" ")):typeof t=="object"&&t!==null?QF(e,t):typeof t=="function"?NE(e,t()):z0(e,t)}function z0(e,t){let n=a=>a.split(" ").filter(o=>!e.classList.contains(o)).filter(Boolean),r=a=>(e.classList.add(...a),()=>{e.classList.remove(...a)});return t=t===!0?t="":t||"",r(n(t))}function QF(e,t){let n=u=>u.split(" ").filter(Boolean),r=Object.entries(t).flatMap(([u,c])=>c?n(u):!1).filter(Boolean),a=Object.entries(t).flatMap(([u,c])=>c?!1:n(u)).filter(Boolean),o=[],l=[];return a.forEach(u=>{e.classList.contains(u)&&(e.classList.remove(u),l.push(u))}),r.forEach(u=>{e.classList.contains(u)||(e.classList.add(u),o.push(u))}),()=>{l.forEach(u=>e.classList.add(u)),o.forEach(u=>e.classList.remove(u))}}function Vd(e,t){return typeof t=="object"&&t!==null?jF(e,t):XF(e,t)}function jF(e,t){let n={};return Object.entries(t).forEach(([r,a])=>{n[r]=e.style[r],r.startsWith("--")||(r=ZF(r)),e.style.setProperty(r,a)}),setTimeout(()=>{e.style.length===0&&e.removeAttribute("style")}),()=>{Vd(e,n)}}function XF(e,t){let n=e.getAttribute("style",t);return e.setAttribute("style",t),()=>{e.setAttribute("style",n||"")}}function ZF(e){return e.replace(/([a-z])([A-Z])/g,"$1-$2").toLowerCase()}function Ah(e,t=()=>{}){let n=!1;return function(){n?t.apply(this,arguments):(n=!0,e.apply(this,arguments))}}Zn("transition",(e,{value:t,modifiers:n,expression:r},{evaluate:a})=>{typeof r=="function"&&(r=a(r)),r!==!1&&(!r||typeof r=="boolean"?e2(e,n,t):JF(e,r,t))});function JF(e,t,n){OO(e,NE,""),{enter:a=>{e._x_transition.enter.during=a},"enter-start":a=>{e._x_transition.enter.start=a},"enter-end":a=>{e._x_transition.enter.end=a},leave:a=>{e._x_transition.leave.during=a},"leave-start":a=>{e._x_transition.leave.start=a},"leave-end":a=>{e._x_transition.leave.end=a}}[n](t)}function e2(e,t,n){OO(e,Vd);let r=!t.includes("in")&&!t.includes("out")&&!n,a=r||t.includes("in")||["enter"].includes(n),o=r||t.includes("out")||["leave"].includes(n);t.includes("in")&&!r&&(t=t.filter((A,O)=>O<t.indexOf("out"))),t.includes("out")&&!r&&(t=t.filter((A,O)=>O>t.indexOf("out")));let l=!t.includes("opacity")&&!t.includes("scale"),u=l||t.includes("opacity"),c=l||t.includes("scale"),d=u?0:1,S=c?Au(t,"scale",95)/100:1,_=Au(t,"delay",0)/1e3,E=Au(t,"origin","center"),T="opacity, transform",y=Au(t,"duration",150)/1e3,M=Au(t,"duration",75)/1e3,v="cubic-bezier(0.4, 0.0, 0.2, 1)";a&&(e._x_transition.enter.during={transformOrigin:E,transitionDelay:`${_}s`,transitionProperty:T,transitionDuration:`${y}s`,transitionTimingFunction:v},e._x_transition.enter.start={opacity:d,transform:`scale(${S})`},e._x_transition.enter.end={opacity:1,transform:"scale(1)"}),o&&(e._x_transition.leave.during={transformOrigin:E,transitionDelay:`${_}s`,transitionProperty:T,transitionDuration:`${M}s`,transitionTimingFunction:v},e._x_transition.leave.start={opacity:1,transform:"scale(1)"},e._x_transition.leave.end={opacity:d,transform:`scale(${S})`})}function OO(e,t,n={}){e._x_transition||(e._x_transition={enter:{during:n,start:n,end:n},leave:{during:n,start:n,end:n},in(r=()=>{},a=()=>{}){Oh(e,t,{during:this.enter.during,start:this.enter.start,end:this.enter.end},r,a)},out(r=()=>{},a=()=>{}){Oh(e,t,{during:this.leave.during,start:this.leave.start,end:this.leave.end},r,a)}})}window.Element.prototype._x_toggleAndCascadeWithTransitions=function(e,t,n,r){const a=document.visibilityState==="visible"?requestAnimationFrame:setTimeout;let o=()=>a(n);if(t){e._x_transition&&(e._x_transition.enter||e._x_transition.leave)?e._x_transition.enter&&(Object.entries(e._x_transition.enter.during).length||Object.entries(e._x_transition.enter.start).length||Object.entries(e._x_transition.enter.end).length)?e._x_transition.in(n):o():e._x_transition?e._x_transition.in(n):o();return}e._x_hidePromise=e._x_transition?new Promise((l,u)=>{e._x_transition.out(()=>{},()=>l(r)),e._x_transitioning&&e._x_transitioning.beforeCancel(()=>u({isFromCancelledTransition:!0}))}):Promise.resolve(r),queueMicrotask(()=>{let l=RO(e);l?(l._x_hideChildren||(l._x_hideChildren=[]),l._x_hideChildren.push(e)):a(()=>{let u=c=>{let d=Promise.all([c._x_hidePromise,...(c._x_hideChildren||[]).map(u)]).then(([S])=>S());return delete c._x_hidePromise,delete c._x_hideChildren,d};u(e).catch(c=>{if(!c.isFromCancelledTransition)throw c})})})};function RO(e){let t=e.parentNode;if(!!t)return t._x_hidePromise?t:RO(t)}function Oh(e,t,{during:n,start:r,end:a}={},o=()=>{},l=()=>{}){if(e._x_transitioning&&e._x_transitioning.cancel(),Object.keys(n).length===0&&Object.keys(r).length===0&&Object.keys(a).length===0){o(),l();return}let u,c,d;t2(e,{start(){u=t(e,r)},during(){c=t(e,n)},before:o,end(){u(),d=t(e,a)},after:l,cleanup(){c(),d()}})}function t2(e,t){let n,r,a,o=Ah(()=>{or(()=>{n=!0,r||t.before(),a||(t.end(),Ch()),t.after(),e.isConnected&&t.cleanup(),delete e._x_transitioning})});e._x_transitioning={beforeCancels:[],beforeCancel(l){this.beforeCancels.push(l)},cancel:Ah(function(){for(;this.beforeCancels.length;)this.beforeCancels.shift()();o()}),finish:o},or(()=>{t.start(),t.during()}),$F(),requestAnimationFrame(()=>{if(n)return;let l=Number(getComputedStyle(e).transitionDuration.replace(/,.*/,"").replace("s",""))*1e3,u=Number(getComputedStyle(e).transitionDelay.replace(/,.*/,"").replace("s",""))*1e3;l===0&&(l=Number(getComputedStyle(e).animationDuration.replace("s",""))*1e3),or(()=>{t.before()}),r=!0,requestAnimationFrame(()=>{n||(or(()=>{t.end()}),Ch(),setTimeout(e._x_transitioning.finish,l+u),a=!0)})})}function Au(e,t,n){if(e.indexOf(t)===-1)return n;const r=e[e.indexOf(t)+1];if(!r||t==="scale"&&isNaN(r))return n;if(t==="duration"||t==="delay"){let a=r.match(/([0-9]+)ms/);if(a)return a[1]}return t==="origin"&&["top","right","left","center","bottom"].includes(e[e.indexOf(t)+2])?[r,e[e.indexOf(t)+2]].join(" "):r}var is=!1;function _c(e,t=()=>{}){return(...n)=>is?t(...n):e(...n)}function n2(e){return(...t)=>is&&e(...t)}var NO=[];function IO(e){NO.push(e)}function r2(e,t){NO.forEach(n=>n(e,t)),is=!0,DO(()=>{vo(t,(n,r)=>{r(n,()=>{})})}),is=!1}var Rh=!1;function i2(e,t){t._x_dataStack||(t._x_dataStack=e._x_dataStack),is=!0,Rh=!0,DO(()=>{a2(t)}),is=!1,Rh=!1}function a2(e){let t=!1;vo(e,(r,a)=>{rs(r,(o,l)=>{if(t&&RF(o))return l();t=!0,a(o,l)})})}function DO(e){let t=jl;W0((n,r)=>{let a=t(n);return dc(a),()=>{}}),e(),W0(t)}function xO(e,t,n,r=[]){switch(e._x_bindings||(e._x_bindings=Ql({})),e._x_bindings[t]=n,t=r.includes("camel")?p2(t):t,t){case"value":o2(e,n);break;case"style":l2(e,n);break;case"class":s2(e,n);break;case"selected":case"checked":u2(e,t,n);break;default:wO(e,t,n);break}}function o2(e,t){if(e.type==="radio")e.attributes.value===void 0&&(e.value=t),window.fromModel&&(typeof t=="boolean"?e.checked=dd(e.value)===t:e.checked=K0(e.value,t));else if(e.type==="checkbox")Number.isInteger(t)?e.value=t:!Array.isArray(t)&&typeof t!="boolean"&&![null,void 0].includes(t)?e.value=String(t):Array.isArray(t)?e.checked=t.some(n=>K0(n,e.value)):e.checked=!!t;else if(e.tagName==="SELECT")f2(e,t);else{if(e.value===t)return;e.value=t===void 0?"":t}}function s2(e,t){e._x_undoAddedClasses&&e._x_undoAddedClasses(),e._x_undoAddedClasses=NE(e,t)}function l2(e,t){e._x_undoAddedStyles&&e._x_undoAddedStyles(),e._x_undoAddedStyles=Vd(e,t)}function u2(e,t,n){wO(e,t,n),d2(e,t,n)}function wO(e,t,n){[null,void 0,!1].includes(n)&&_2(t)?e.removeAttribute(t):(LO(t)&&(n=t),c2(e,t,n))}function c2(e,t,n){e.getAttribute(t)!=n&&e.setAttribute(t,n)}function d2(e,t,n){e[t]!==n&&(e[t]=n)}function f2(e,t){const n=[].concat(t).map(r=>r+"");Array.from(e.options).forEach(r=>{r.selected=n.includes(r.value)})}function p2(e){return e.toLowerCase().replace(/-(\w)/g,(t,n)=>n.toUpperCase())}function K0(e,t){return e==t}function dd(e){return[1,"1","true","on","yes",!0].includes(e)?!0:[0,"0","false","off","no",!1].includes(e)?!1:e?Boolean(e):null}function LO(e){return["disabled","checked","required","readonly","hidden","open","selected","autofocus","itemscope","multiple","novalidate","allowfullscreen","allowpaymentrequest","formnovalidate","autoplay","controls","loop","muted","playsinline","default","ismap","reversed","async","defer","nomodule"].includes(e)}function _2(e){return!["aria-pressed","aria-checked","aria-expanded","aria-selected"].includes(e)}function m2(e,t,n){return e._x_bindings&&e._x_bindings[t]!==void 0?e._x_bindings[t]:MO(e,t,n)}function g2(e,t,n,r=!0){if(e._x_bindings&&e._x_bindings[t]!==void 0)return e._x_bindings[t];if(e._x_inlineBindings&&e._x_inlineBindings[t]!==void 0){let a=e._x_inlineBindings[t];return a.extract=r,_O(()=>xs(e,a.expression))}return MO(e,t,n)}function MO(e,t,n){let r=e.getAttribute(t);return r===null?typeof n=="function"?n():n:r===""?!0:LO(t)?!![t,"true"].includes(r):r}function kO(e,t){var n;return function(){var r=this,a=arguments,o=function(){n=null,e.apply(r,a)};clearTimeout(n),n=setTimeout(o,t)}}function PO(e,t){let n;return function(){let r=this,a=arguments;n||(e.apply(r,a),n=!0,setTimeout(()=>n=!1,t))}}function FO({get:e,set:t},{get:n,set:r}){let a=!0,o,l=jl(()=>{const u=e(),c=n();if(a)r($g(u)),a=!1,o=JSON.stringify(u);else{const d=JSON.stringify(u);d!==o?(r($g(u)),o=d):(t($g(c)),o=JSON.stringify(c))}JSON.stringify(n()),JSON.stringify(e())});return()=>{dc(l)}}function $g(e){return typeof e=="object"?JSON.parse(JSON.stringify(e)):e}function h2(e){(Array.isArray(e)?e:[e]).forEach(n=>n(mc))}var ys={},$0=!1;function E2(e,t){if($0||(ys=Ql(ys),$0=!0),t===void 0)return ys[e];ys[e]=t,typeof t=="object"&&t!==null&&t.hasOwnProperty("init")&&typeof t.init=="function"&&ys[e].init(),dO(ys[e])}function S2(){return ys}var BO={};function b2(e,t){let n=typeof t!="function"?()=>t:t;return e instanceof Element?UO(e,n()):(BO[e]=n,()=>{})}function v2(e){return Object.entries(BO).forEach(([t,n])=>{Object.defineProperty(e,t,{get(){return(...r)=>n(...r)}})}),e}function UO(e,t,n){let r=[];for(;r.length;)r.pop()();let a=Object.entries(t).map(([l,u])=>({name:l,value:u})),o=hO(a);return a=a.map(l=>o.find(u=>u.name===l.name)?{name:`x-bind:${l.name}`,value:`"${l.value}"`}:l),CE(e,a,n).map(l=>{r.push(l.runCleanups),l()}),()=>{for(;r.length;)r.pop()()}}var GO={};function T2(e,t){GO[e]=t}function y2(e,t){return Object.entries(GO).forEach(([n,r])=>{Object.defineProperty(e,n,{get(){return(...a)=>r.bind(t)(...a)},enumerable:!1})}),e}var C2={get reactive(){return Ql},get release(){return dc},get effect(){return jl},get raw(){return jA},version:"3.13.3",flushAndStopDeferringMutations:MF,dontAutoEvaluateFunctions:_O,disableEffectScheduling:yF,startObservingMutations:bE,stopObservingMutations:uO,setReactivityEngine:CF,onAttributeRemoved:sO,onAttributesAdded:oO,closestDataStack:Fl,skipDuringClone:_c,onlyDuringClone:n2,addRootSelector:eO,addInitSelector:tO,interceptClone:IO,addScopeToNode:fc,deferMutations:LF,mapAttributes:AE,evaluateLater:ti,interceptInit:NF,setEvaluator:UF,mergeProxies:pc,extractProp:g2,findClosest:Wd,onElRemoved:hE,closestRoot:Yd,destroyTree:gE,interceptor:fO,transition:Oh,setStyles:Vd,mutateDom:or,directive:Zn,entangle:FO,throttle:PO,debounce:kO,evaluate:xs,initTree:vo,nextTick:RE,prefixed:Xl,prefix:YF,plugin:h2,magic:Ca,store:E2,start:OF,clone:i2,cloneNode:r2,bound:m2,$data:cO,walk:rs,data:T2,bind:b2},mc=C2;function A2(e,t){const n=Object.create(null),r=e.split(",");for(let a=0;a<r.length;a++)n[r[a]]=!0;return t?a=>!!n[a.toLowerCase()]:a=>!!n[a]}var O2=Object.freeze({});Object.freeze([]);var R2=Object.prototype.hasOwnProperty,zd=(e,t)=>R2.call(e,t),ws=Array.isArray,ku=e=>HO(e)==="[object Map]",N2=e=>typeof e=="string",IE=e=>typeof e=="symbol",Kd=e=>e!==null&&typeof e=="object",I2=Object.prototype.toString,HO=e=>I2.call(e),qO=e=>HO(e).slice(8,-1),DE=e=>N2(e)&&e!=="NaN"&&e[0]!=="-"&&""+parseInt(e,10)===e,D2=e=>{const t=Object.create(null);return n=>t[n]||(t[n]=e(n))},x2=D2(e=>e.charAt(0).toUpperCase()+e.slice(1)),YO=(e,t)=>e!==t&&(e===e||t===t),Nh=new WeakMap,Ou=[],Fa,Ls=Symbol("iterate"),Ih=Symbol("Map key iterate");function w2(e){return e&&e._isEffect===!0}function L2(e,t=O2){w2(e)&&(e=e.raw);const n=P2(e,t);return t.lazy||n(),n}function M2(e){e.active&&(WO(e),e.options.onStop&&e.options.onStop(),e.active=!1)}var k2=0;function P2(e,t){const n=function(){if(!n.active)return e();if(!Ou.includes(n)){WO(n);try{return B2(),Ou.push(n),Fa=n,e()}finally{Ou.pop(),VO(),Fa=Ou[Ou.length-1]}}};return n.id=k2++,n.allowRecurse=!!t.allowRecurse,n._isEffect=!0,n.active=!0,n.raw=e,n.deps=[],n.options=t,n}function WO(e){const{deps:t}=e;if(t.length){for(let n=0;n<t.length;n++)t[n].delete(e);t.length=0}}var Bl=!0,xE=[];function F2(){xE.push(Bl),Bl=!1}function B2(){xE.push(Bl),Bl=!0}function VO(){const e=xE.pop();Bl=e===void 0?!0:e}function Ta(e,t,n){if(!Bl||Fa===void 0)return;let r=Nh.get(e);r||Nh.set(e,r=new Map);let a=r.get(n);a||r.set(n,a=new Set),a.has(Fa)||(a.add(Fa),Fa.deps.push(a),Fa.options.onTrack&&Fa.options.onTrack({effect:Fa,target:e,type:t,key:n}))}function as(e,t,n,r,a,o){const l=Nh.get(e);if(!l)return;const u=new Set,c=S=>{S&&S.forEach(_=>{(_!==Fa||_.allowRecurse)&&u.add(_)})};if(t==="clear")l.forEach(c);else if(n==="length"&&ws(e))l.forEach((S,_)=>{(_==="length"||_>=r)&&c(S)});else switch(n!==void 0&&c(l.get(n)),t){case"add":ws(e)?DE(n)&&c(l.get("length")):(c(l.get(Ls)),ku(e)&&c(l.get(Ih)));break;case"delete":ws(e)||(c(l.get(Ls)),ku(e)&&c(l.get(Ih)));break;case"set":ku(e)&&c(l.get(Ls));break}const d=S=>{S.options.onTrigger&&S.options.onTrigger({effect:S,target:e,key:n,type:t,newValue:r,oldValue:a,oldTarget:o}),S.options.scheduler?S.options.scheduler(S):S()};u.forEach(d)}var U2=A2("__proto__,__v_isRef,__isVue"),zO=new Set(Object.getOwnPropertyNames(Symbol).map(e=>Symbol[e]).filter(IE)),G2=KO(),H2=KO(!0),Q0=q2();function q2(){const e={};return["includes","indexOf","lastIndexOf"].forEach(t=>{e[t]=function(...n){const r=Mn(this);for(let o=0,l=this.length;o<l;o++)Ta(r,"get",o+"");const a=r[t](...n);return a===-1||a===!1?r[t](...n.map(Mn)):a}}),["push","pop","shift","unshift","splice"].forEach(t=>{e[t]=function(...n){F2();const r=Mn(this)[t].apply(this,n);return VO(),r}}),e}function KO(e=!1,t=!1){return function(r,a,o){if(a==="__v_isReactive")return!e;if(a==="__v_isReadonly")return e;if(a==="__v_raw"&&o===(e?t?iB:XO:t?rB:jO).get(r))return r;const l=ws(r);if(!e&&l&&zd(Q0,a))return Reflect.get(Q0,a,o);const u=Reflect.get(r,a,o);return(IE(a)?zO.has(a):U2(a))||(e||Ta(r,"get",a),t)?u:Dh(u)?!l||!DE(a)?u.value:u:Kd(u)?e?ZO(u):kE(u):u}}var Y2=W2();function W2(e=!1){return function(n,r,a,o){let l=n[r];if(!e&&(a=Mn(a),l=Mn(l),!ws(n)&&Dh(l)&&!Dh(a)))return l.value=a,!0;const u=ws(n)&&DE(r)?Number(r)<n.length:zd(n,r),c=Reflect.set(n,r,a,o);return n===Mn(o)&&(u?YO(a,l)&&as(n,"set",r,a,l):as(n,"add",r,a)),c}}function V2(e,t){const n=zd(e,t),r=e[t],a=Reflect.deleteProperty(e,t);return a&&n&&as(e,"delete",t,void 0,r),a}function z2(e,t){const n=Reflect.has(e,t);return(!IE(t)||!zO.has(t))&&Ta(e,"has",t),n}function K2(e){return Ta(e,"iterate",ws(e)?"length":Ls),Reflect.ownKeys(e)}var $2={get:G2,set:Y2,deleteProperty:V2,has:z2,ownKeys:K2},Q2={get:H2,set(e,t){return console.warn(`Set operation on key "${String(t)}" failed: target is readonly.`,e),!0},deleteProperty(e,t){return console.warn(`Delete operation on key "${String(t)}" failed: target is readonly.`,e),!0}},wE=e=>Kd(e)?kE(e):e,LE=e=>Kd(e)?ZO(e):e,ME=e=>e,$d=e=>Reflect.getPrototypeOf(e);function Vc(e,t,n=!1,r=!1){e=e.__v_raw;const a=Mn(e),o=Mn(t);t!==o&&!n&&Ta(a,"get",t),!n&&Ta(a,"get",o);const{has:l}=$d(a),u=r?ME:n?LE:wE;if(l.call(a,t))return u(e.get(t));if(l.call(a,o))return u(e.get(o));e!==a&&e.get(t)}function zc(e,t=!1){const n=this.__v_raw,r=Mn(n),a=Mn(e);return e!==a&&!t&&Ta(r,"has",e),!t&&Ta(r,"has",a),e===a?n.has(e):n.has(e)||n.has(a)}function Kc(e,t=!1){return e=e.__v_raw,!t&&Ta(Mn(e),"iterate",Ls),Reflect.get(e,"size",e)}function j0(e){e=Mn(e);const t=Mn(this);return $d(t).has.call(t,e)||(t.add(e),as(t,"add",e,e)),this}function X0(e,t){t=Mn(t);const n=Mn(this),{has:r,get:a}=$d(n);let o=r.call(n,e);o?QO(n,r,e):(e=Mn(e),o=r.call(n,e));const l=a.call(n,e);return n.set(e,t),o?YO(t,l)&&as(n,"set",e,t,l):as(n,"add",e,t),this}function Z0(e){const t=Mn(this),{has:n,get:r}=$d(t);let a=n.call(t,e);a?QO(t,n,e):(e=Mn(e),a=n.call(t,e));const o=r?r.call(t,e):void 0,l=t.delete(e);return a&&as(t,"delete",e,void 0,o),l}function J0(){const e=Mn(this),t=e.size!==0,n=ku(e)?new Map(e):new Set(e),r=e.clear();return t&&as(e,"clear",void 0,void 0,n),r}function $c(e,t){return function(r,a){const o=this,l=o.__v_raw,u=Mn(l),c=t?ME:e?LE:wE;return!e&&Ta(u,"iterate",Ls),l.forEach((d,S)=>r.call(a,c(d),c(S),o))}}function Qc(e,t,n){return function(...r){const a=this.__v_raw,o=Mn(a),l=ku(o),u=e==="entries"||e===Symbol.iterator&&l,c=e==="keys"&&l,d=a[e](...r),S=n?ME:t?LE:wE;return!t&&Ta(o,"iterate",c?Ih:Ls),{next(){const{value:_,done:E}=d.next();return E?{value:_,done:E}:{value:u?[S(_[0]),S(_[1])]:S(_),done:E}},[Symbol.iterator](){return this}}}}function qo(e){return function(...t){{const n=t[0]?`on key "${t[0]}" `:"";console.warn(`${x2(e)} operation ${n}failed: target is readonly.`,Mn(this))}return e==="delete"?!1:this}}function j2(){const e={get(o){return Vc(this,o)},get size(){return Kc(this)},has:zc,add:j0,set:X0,delete:Z0,clear:J0,forEach:$c(!1,!1)},t={get(o){return Vc(this,o,!1,!0)},get size(){return Kc(this)},has:zc,add:j0,set:X0,delete:Z0,clear:J0,forEach:$c(!1,!0)},n={get(o){return Vc(this,o,!0)},get size(){return Kc(this,!0)},has(o){return zc.call(this,o,!0)},add:qo("add"),set:qo("set"),delete:qo("delete"),clear:qo("clear"),forEach:$c(!0,!1)},r={get(o){return Vc(this,o,!0,!0)},get size(){return Kc(this,!0)},has(o){return zc.call(this,o,!0)},add:qo("add"),set:qo("set"),delete:qo("delete"),clear:qo("clear"),forEach:$c(!0,!0)};return["keys","values","entries",Symbol.iterator].forEach(o=>{e[o]=Qc(o,!1,!1),n[o]=Qc(o,!0,!1),t[o]=Qc(o,!1,!0),r[o]=Qc(o,!0,!0)}),[e,n,t,r]}var[X2,Z2,J2,eB]=j2();function $O(e,t){const n=t?e?eB:J2:e?Z2:X2;return(r,a,o)=>a==="__v_isReactive"?!e:a==="__v_isReadonly"?e:a==="__v_raw"?r:Reflect.get(zd(n,a)&&a in r?n:r,a,o)}var tB={get:$O(!1,!1)},nB={get:$O(!0,!1)};function QO(e,t,n){const r=Mn(n);if(r!==n&&t.call(e,r)){const a=qO(e);console.warn(`Reactive ${a} contains both the raw and reactive versions of the same object${a==="Map"?" as keys":""}, which can lead to inconsistencies. Avoid differentiating between the raw and reactive versions of an object and only use the reactive version if possible.`)}}var jO=new WeakMap,rB=new WeakMap,XO=new WeakMap,iB=new WeakMap;function aB(e){switch(e){case"Object":case"Array":return 1;case"Map":case"Set":case"WeakMap":case"WeakSet":return 2;default:return 0}}function oB(e){return e.__v_skip||!Object.isExtensible(e)?0:aB(qO(e))}function kE(e){return e&&e.__v_isReadonly?e:JO(e,!1,$2,tB,jO)}function ZO(e){return JO(e,!0,Q2,nB,XO)}function JO(e,t,n,r,a){if(!Kd(e))return console.warn(`value cannot be made reactive: ${String(e)}`),e;if(e.__v_raw&&!(t&&e.__v_isReactive))return e;const o=a.get(e);if(o)return o;const l=oB(e);if(l===0)return e;const u=new Proxy(e,l===2?r:n);return a.set(e,u),u}function Mn(e){return e&&Mn(e.__v_raw)||e}function Dh(e){return Boolean(e&&e.__v_isRef===!0)}Ca("nextTick",()=>RE);Ca("dispatch",e=>Lu.bind(Lu,e));Ca("watch",(e,{evaluateLater:t,effect:n})=>(r,a)=>{let o=t(r),l=!0,u,c=n(()=>o(d=>{JSON.stringify(d),l?u=d:queueMicrotask(()=>{a(d,u),u=d}),l=!1}));e._x_effects.delete(c)});Ca("store",S2);Ca("data",e=>cO(e));Ca("root",e=>Yd(e));Ca("refs",e=>(e._x_refs_proxy||(e._x_refs_proxy=pc(sB(e))),e._x_refs_proxy));function sB(e){let t=[],n=e;for(;n;)n._x_refs&&t.push(n._x_refs),n=n.parentNode;return t}var Qg={};function eR(e){return Qg[e]||(Qg[e]=0),++Qg[e]}function lB(e,t){return Wd(e,n=>{if(n._x_ids&&n._x_ids[t])return!0})}function uB(e,t){e._x_ids||(e._x_ids={}),e._x_ids[t]||(e._x_ids[t]=eR(t))}Ca("id",e=>(t,n=null)=>{let r=lB(e,t),a=r?r._x_ids[t]:eR(t);return n?`${t}-${a}-${n}`:`${t}-${a}`});Ca("el",e=>e);tR("Focus","focus","focus");tR("Persist","persist","persist");function tR(e,t,n){Ca(t,r=>bo(`You can't use [$${t}] without first installing the "${e}" plugin here: https://alpinejs.dev/plugins/${n}`,r))}Zn("modelable",(e,{expression:t},{effect:n,evaluateLater:r,cleanup:a})=>{let o=r(t),l=()=>{let S;return o(_=>S=_),S},u=r(`${t} = __placeholder`),c=S=>u(()=>{},{scope:{__placeholder:S}}),d=l();c(d),queueMicrotask(()=>{if(!e._x_model)return;e._x_removeModelListeners.default();let S=e._x_model.get,_=e._x_model.set,E=FO({get(){return S()},set(T){_(T)}},{get(){return l()},set(T){c(T)}});a(E)})});Zn("teleport",(e,{modifiers:t,expression:n},{cleanup:r})=>{e.tagName.toLowerCase()!=="template"&&bo("x-teleport can only be used on a <template> tag",e);let a=eC(n),o=e.content.cloneNode(!0).firstElementChild;e._x_teleport=o,o._x_teleportBack=e,e.setAttribute("data-teleport-template",!0),o.setAttribute("data-teleport-target",!0),e._x_forwardEvents&&e._x_forwardEvents.forEach(u=>{o.addEventListener(u,c=>{c.stopPropagation(),e.dispatchEvent(new c.constructor(c.type,c))})}),fc(o,{},e);let l=(u,c,d)=>{d.includes("prepend")?c.parentNode.insertBefore(u,c):d.includes("append")?c.parentNode.insertBefore(u,c.nextSibling):c.appendChild(u)};or(()=>{l(o,a,t),vo(o),o._x_ignore=!0}),e._x_teleportPutBack=()=>{let u=eC(n);or(()=>{l(e._x_teleport,u,t)})},r(()=>o.remove())});var cB=document.createElement("div");function eC(e){let t=_c(()=>document.querySelector(e),()=>cB)();return t||bo(`Cannot find x-teleport element for selector: "${e}"`),t}var nR=()=>{};nR.inline=(e,{modifiers:t},{cleanup:n})=>{t.includes("self")?e._x_ignoreSelf=!0:e._x_ignore=!0,n(()=>{t.includes("self")?delete e._x_ignoreSelf:delete e._x_ignore})};Zn("ignore",nR);Zn("effect",_c((e,{expression:t},{effect:n})=>{n(ti(e,t))}));function xh(e,t,n,r){let a=e,o=c=>r(c),l={},u=(c,d)=>S=>d(c,S);if(n.includes("dot")&&(t=dB(t)),n.includes("camel")&&(t=fB(t)),n.includes("passive")&&(l.passive=!0),n.includes("capture")&&(l.capture=!0),n.includes("window")&&(a=window),n.includes("document")&&(a=document),n.includes("debounce")){let c=n[n.indexOf("debounce")+1]||"invalid-wait",d=Td(c.split("ms")[0])?Number(c.split("ms")[0]):250;o=kO(o,d)}if(n.includes("throttle")){let c=n[n.indexOf("throttle")+1]||"invalid-wait",d=Td(c.split("ms")[0])?Number(c.split("ms")[0]):250;o=PO(o,d)}return n.includes("prevent")&&(o=u(o,(c,d)=>{d.preventDefault(),c(d)})),n.includes("stop")&&(o=u(o,(c,d)=>{d.stopPropagation(),c(d)})),n.includes("self")&&(o=u(o,(c,d)=>{d.target===e&&c(d)})),(n.includes("away")||n.includes("outside"))&&(a=document,o=u(o,(c,d)=>{e.contains(d.target)||d.target.isConnected!==!1&&(e.offsetWidth<1&&e.offsetHeight<1||e._x_isShown!==!1&&c(d))})),n.includes("once")&&(o=u(o,(c,d)=>{c(d),a.removeEventListener(t,o,l)})),o=u(o,(c,d)=>{_B(t)&&mB(d,n)||c(d)}),a.addEventListener(t,o,l),()=>{a.removeEventListener(t,o,l)}}function dB(e){return e.replace(/-/g,".")}function fB(e){return e.toLowerCase().replace(/-(\w)/g,(t,n)=>n.toUpperCase())}function Td(e){return!Array.isArray(e)&&!isNaN(e)}function pB(e){return[" ","_"].includes(e)?e:e.replace(/([a-z])([A-Z])/g,"$1-$2").replace(/[_\s]/,"-").toLowerCase()}function _B(e){return["keydown","keyup"].includes(e)}function mB(e,t){let n=t.filter(o=>!["window","document","prevent","stop","once","capture"].includes(o));if(n.includes("debounce")){let o=n.indexOf("debounce");n.splice(o,Td((n[o+1]||"invalid-wait").split("ms")[0])?2:1)}if(n.includes("throttle")){let o=n.indexOf("throttle");n.splice(o,Td((n[o+1]||"invalid-wait").split("ms")[0])?2:1)}if(n.length===0||n.length===1&&tC(e.key).includes(n[0]))return!1;const a=["ctrl","shift","alt","meta","cmd","super"].filter(o=>n.includes(o));return n=n.filter(o=>!a.includes(o)),!(a.length>0&&a.filter(l=>((l==="cmd"||l==="super")&&(l="meta"),e[`${l}Key`])).length===a.length&&tC(e.key).includes(n[0]))}function tC(e){if(!e)return[];e=pB(e);let t={ctrl:"control",slash:"/",space:" ",spacebar:" ",cmd:"meta",esc:"escape",up:"arrow-up",down:"arrow-down",left:"arrow-left",right:"arrow-right",period:".",equal:"=",minus:"-",underscore:"_"};return t[e]=e,Object.keys(t).map(n=>{if(t[n]===e)return n}).filter(n=>n)}Zn("model",(e,{modifiers:t,expression:n},{effect:r,cleanup:a})=>{let o=e;t.includes("parent")&&(o=e.parentNode);let l=ti(o,n),u;typeof n=="string"?u=ti(o,`${n} = __placeholder`):typeof n=="function"&&typeof n()=="string"?u=ti(o,`${n()} = __placeholder`):u=()=>{};let c=()=>{let E;return l(T=>E=T),nC(E)?E.get():E},d=E=>{let T;l(y=>T=y),nC(T)?T.set(E):u(()=>{},{scope:{__placeholder:E}})};typeof n=="string"&&e.type==="radio"&&or(()=>{e.hasAttribute("name")||e.setAttribute("name",n)});var S=e.tagName.toLowerCase()==="select"||["checkbox","radio"].includes(e.type)||t.includes("lazy")?"change":"input";let _=is?()=>{}:xh(e,S,t,E=>{d(gB(e,t,E,c()))});if(t.includes("fill")&&([null,""].includes(c())||e.type==="checkbox"&&Array.isArray(c()))&&e.dispatchEvent(new Event(S,{})),e._x_removeModelListeners||(e._x_removeModelListeners={}),e._x_removeModelListeners.default=_,a(()=>e._x_removeModelListeners.default()),e.form){let E=xh(e.form,"reset",[],T=>{RE(()=>e._x_model&&e._x_model.set(e.value))});a(()=>E())}e._x_model={get(){return c()},set(E){d(E)}},e._x_forceModelUpdate=E=>{E===void 0&&typeof n=="string"&&n.match(/\./)&&(E=""),window.fromModel=!0,or(()=>xO(e,"value",E)),delete window.fromModel},r(()=>{let E=c();t.includes("unintrusive")&&document.activeElement.isSameNode(e)||e._x_forceModelUpdate(E)})});function gB(e,t,n,r){return or(()=>{if(n instanceof CustomEvent&&n.detail!==void 0)return n.detail!==null&&n.detail!==void 0?n.detail:n.target.value;if(e.type==="checkbox")if(Array.isArray(r)){let a=null;return t.includes("number")?a=jg(n.target.value):t.includes("boolean")?a=dd(n.target.value):a=n.target.value,n.target.checked?r.concat([a]):r.filter(o=>!hB(o,a))}else return n.target.checked;else return e.tagName.toLowerCase()==="select"&&e.multiple?t.includes("number")?Array.from(n.target.selectedOptions).map(a=>{let o=a.value||a.text;return jg(o)}):t.includes("boolean")?Array.from(n.target.selectedOptions).map(a=>{let o=a.value||a.text;return dd(o)}):Array.from(n.target.selectedOptions).map(a=>a.value||a.text):t.includes("number")?jg(n.target.value):t.includes("boolean")?dd(n.target.value):t.includes("trim")?n.target.value.trim():n.target.value})}function jg(e){let t=e?parseFloat(e):null;return EB(t)?t:e}function hB(e,t){return e==t}function EB(e){return!Array.isArray(e)&&!isNaN(e)}function nC(e){return e!==null&&typeof e=="object"&&typeof e.get=="function"&&typeof e.set=="function"}Zn("cloak",e=>queueMicrotask(()=>or(()=>e.removeAttribute(Xl("cloak")))));tO(()=>`[${Xl("init")}]`);Zn("init",_c((e,{expression:t},{evaluate:n})=>typeof t=="string"?!!t.trim()&&n(t,{},!1):n(t,{},!1)));Zn("text",(e,{expression:t},{effect:n,evaluateLater:r})=>{let a=r(t);n(()=>{a(o=>{or(()=>{e.textContent=o})})})});Zn("html",(e,{expression:t},{effect:n,evaluateLater:r})=>{let a=r(t);n(()=>{a(o=>{or(()=>{e.innerHTML=o,e._x_ignoreSelf=!0,vo(e),delete e._x_ignoreSelf})})})});AE(bO(":",vO(Xl("bind:"))));var rR=(e,{value:t,modifiers:n,expression:r,original:a},{effect:o})=>{if(!t){let u={};v2(u),ti(e,r)(d=>{UO(e,d,a)},{scope:u});return}if(t==="key")return SB(e,r);if(e._x_inlineBindings&&e._x_inlineBindings[t]&&e._x_inlineBindings[t].extract)return;let l=ti(e,r);o(()=>l(u=>{u===void 0&&typeof r=="string"&&r.match(/\./)&&(u=""),or(()=>xO(e,t,u,n))}))};rR.inline=(e,{value:t,modifiers:n,expression:r})=>{!t||(e._x_inlineBindings||(e._x_inlineBindings={}),e._x_inlineBindings[t]={expression:r,extract:!1})};Zn("bind",rR);function SB(e,t){e._x_keyExpression=t}eO(()=>`[${Xl("data")}]`);Zn("data",(e,{expression:t},{cleanup:n})=>{if(bB(e))return;t=t===""?"{}":t;let r={};Sh(r,e);let a={};y2(a,r);let o=xs(e,t,{scope:a});(o===void 0||o===!0)&&(o={}),Sh(o,e);let l=Ql(o);dO(l);let u=fc(e,l);l.init&&xs(e,l.init),n(()=>{l.destroy&&xs(e,l.destroy),u()})});IO((e,t)=>{e._x_dataStack&&(t._x_dataStack=e._x_dataStack,t.setAttribute("data-has-alpine-state",!0))});function bB(e){return is?Rh?!0:e.hasAttribute("data-has-alpine-state"):!1}Zn("show",(e,{modifiers:t,expression:n},{effect:r})=>{let a=ti(e,n);e._x_doHide||(e._x_doHide=()=>{or(()=>{e.style.setProperty("display","none",t.includes("important")?"important":void 0)})}),e._x_doShow||(e._x_doShow=()=>{or(()=>{e.style.length===1&&e.style.display==="none"?e.removeAttribute("style"):e.style.removeProperty("display")})});let o=()=>{e._x_doHide(),e._x_isShown=!1},l=()=>{e._x_doShow(),e._x_isShown=!0},u=()=>setTimeout(l),c=Ah(_=>_?l():o(),_=>{typeof e._x_toggleAndCascadeWithTransitions=="function"?e._x_toggleAndCascadeWithTransitions(e,_,l,o):_?u():o()}),d,S=!0;r(()=>a(_=>{!S&&_===d||(t.includes("immediate")&&(_?u():o()),c(_),d=_,S=!1)}))});Zn("for",(e,{expression:t},{effect:n,cleanup:r})=>{let a=TB(t),o=ti(e,a.items),l=ti(e,e._x_keyExpression||"index");e._x_prevKeys=[],e._x_lookup={},n(()=>vB(e,a,o,l)),r(()=>{Object.values(e._x_lookup).forEach(u=>u.remove()),delete e._x_prevKeys,delete e._x_lookup})});function vB(e,t,n,r){let a=l=>typeof l=="object"&&!Array.isArray(l),o=e;n(l=>{yB(l)&&l>=0&&(l=Array.from(Array(l).keys(),v=>v+1)),l===void 0&&(l=[]);let u=e._x_lookup,c=e._x_prevKeys,d=[],S=[];if(a(l))l=Object.entries(l).map(([v,A])=>{let O=rC(t,A,v,l);r(N=>S.push(N),{scope:{index:v,...O}}),d.push(O)});else for(let v=0;v<l.length;v++){let A=rC(t,l[v],v,l);r(O=>S.push(O),{scope:{index:v,...A}}),d.push(A)}let _=[],E=[],T=[],y=[];for(let v=0;v<c.length;v++){let A=c[v];S.indexOf(A)===-1&&T.push(A)}c=c.filter(v=>!T.includes(v));let M="template";for(let v=0;v<S.length;v++){let A=S[v],O=c.indexOf(A);if(O===-1)c.splice(v,0,A),_.push([M,v]);else if(O!==v){let N=c.splice(v,1)[0],R=c.splice(O-1,1)[0];c.splice(v,0,R),c.splice(O,0,N),E.push([N,R])}else y.push(A);M=A}for(let v=0;v<T.length;v++){let A=T[v];u[A]._x_effects&&u[A]._x_effects.forEach(QA),u[A].remove(),u[A]=null,delete u[A]}for(let v=0;v<E.length;v++){let[A,O]=E[v],N=u[A],R=u[O],L=document.createElement("div");or(()=>{R||bo('x-for ":key" is undefined or invalid',o),R.after(L),N.after(R),R._x_currentIfEl&&R.after(R._x_currentIfEl),L.before(N),N._x_currentIfEl&&N.after(N._x_currentIfEl),L.remove()}),R._x_refreshXForScope(d[S.indexOf(O)])}for(let v=0;v<_.length;v++){let[A,O]=_[v],N=A==="template"?o:u[A];N._x_currentIfEl&&(N=N._x_currentIfEl);let R=d[O],L=S[O],I=document.importNode(o.content,!0).firstElementChild,h=Ql(R);fc(I,h,o),I._x_refreshXForScope=k=>{Object.entries(k).forEach(([F,z])=>{h[F]=z})},or(()=>{N.after(I),vo(I)}),typeof L=="object"&&bo("x-for key cannot be an object, it must be a string or an integer",o),u[L]=I}for(let v=0;v<y.length;v++)u[y[v]]._x_refreshXForScope(d[S.indexOf(y[v])]);o._x_prevKeys=S})}function TB(e){let t=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,n=/^\s*\(|\)\s*$/g,r=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,a=e.match(r);if(!a)return;let o={};o.items=a[2].trim();let l=a[1].replace(n,"").trim(),u=l.match(t);return u?(o.item=l.replace(t,"").trim(),o.index=u[1].trim(),u[2]&&(o.collection=u[2].trim())):o.item=l,o}function rC(e,t,n,r){let a={};return/^\[.*\]$/.test(e.item)&&Array.isArray(t)?e.item.replace("[","").replace("]","").split(",").map(l=>l.trim()).forEach((l,u)=>{a[l]=t[u]}):/^\{.*\}$/.test(e.item)&&!Array.isArray(t)&&typeof t=="object"?e.item.replace("{","").replace("}","").split(",").map(l=>l.trim()).forEach(l=>{a[l]=t[l]}):a[e.item]=t,e.index&&(a[e.index]=n),e.collection&&(a[e.collection]=r),a}function yB(e){return!Array.isArray(e)&&!isNaN(e)}function iR(){}iR.inline=(e,{expression:t},{cleanup:n})=>{let r=Yd(e);r._x_refs||(r._x_refs={}),r._x_refs[t]=e,n(()=>delete r._x_refs[t])};Zn("ref",iR);Zn("if",(e,{expression:t},{effect:n,cleanup:r})=>{e.tagName.toLowerCase()!=="template"&&bo("x-if can only be used on a <template> tag",e);let a=ti(e,t),o=()=>{if(e._x_currentIfEl)return e._x_currentIfEl;let u=e.content.cloneNode(!0).firstElementChild;return fc(u,{},e),or(()=>{e.after(u),vo(u)}),e._x_currentIfEl=u,e._x_undoIf=()=>{rs(u,c=>{c._x_effects&&c._x_effects.forEach(QA)}),u.remove(),delete e._x_currentIfEl},u},l=()=>{!e._x_undoIf||(e._x_undoIf(),delete e._x_undoIf)};n(()=>a(u=>{u?o():l()})),r(()=>e._x_undoIf&&e._x_undoIf())});Zn("id",(e,{expression:t},{evaluate:n})=>{n(t).forEach(a=>uB(e,a))});AE(bO("@",vO(Xl("on:"))));Zn("on",_c((e,{value:t,modifiers:n,expression:r},{cleanup:a})=>{let o=r?ti(e,r):()=>{};e.tagName.toLowerCase()==="template"&&(e._x_forwardEvents||(e._x_forwardEvents=[]),e._x_forwardEvents.includes(t)||e._x_forwardEvents.push(t));let l=xh(e,t,n,u=>{o(()=>{},{scope:{$event:u},params:[u]})});a(()=>l())}));Qd("Collapse","collapse","collapse");Qd("Intersect","intersect","intersect");Qd("Focus","trap","focus");Qd("Mask","mask","mask");function Qd(e,t,n){Zn(t,r=>bo(`You can't use [x-${t}] without first installing the "${e}" plugin here: https://alpinejs.dev/plugins/${n}`,r))}mc.setEvaluator(gO);mc.setReactivityEngine({reactive:kE,effect:L2,release:M2,raw:Mn});var CB=mc,AB=CB,aR={exports:{}};(function(e,t){(function(n,r){e.exports=r()})(Jr,function(){return function(n,r){var a=r.prototype,o=a.format;a.format=function(l){var u=this,c=this.$locale();if(!this.isValid())return o.bind(this)(l);var d=this.$utils(),S=(l||"YYYY-MM-DDTHH:mm:ssZ").replace(/\[([^\]]+)]|Q|wo|ww|w|WW|W|zzz|z|gggg|GGGG|Do|X|x|k{1,2}|S/g,function(_){switch(_){case"Q":return Math.ceil((u.$M+1)/3);case"Do":return c.ordinal(u.$D);case"gggg":return u.weekYear();case"GGGG":return u.isoWeekYear();case"wo":return c.ordinal(u.week(),"W");case"w":case"ww":return d.s(u.week(),_==="w"?1:2,"0");case"W":case"WW":return d.s(u.isoWeek(),_==="W"?1:2,"0");case"k":case"kk":return d.s(String(u.$H===0?24:u.$H),_==="k"?1:2,"0");case"X":return Math.floor(u.$d.getTime()/1e3);case"x":return u.$d.getTime();case"z":return"["+u.offsetName()+"]";case"zzz":return"["+u.offsetName("long")+"]";default:return _}});return o.bind(this)(S)}}})})(aR);const oR=aR.exports;var sR={exports:{}};/*! Browser bundle of nunjucks 3.2.4  */(function(e,t){(function(r,a){e.exports=a()})(typeof self<"u"?self:Jr,function(){return function(n){var r={};function a(o){if(r[o])return r[o].exports;var l=r[o]={i:o,l:!1,exports:{}};return n[o].call(l.exports,l,l.exports,a),l.l=!0,l.exports}return a.m=n,a.c=r,a.d=function(o,l,u){a.o(o,l)||Object.defineProperty(o,l,{configurable:!1,enumerable:!0,get:u})},a.n=function(o){var l=o&&o.__esModule?function(){return o.default}:function(){return o};return a.d(l,"a",l),l},a.o=function(o,l){return Object.prototype.hasOwnProperty.call(o,l)},a.p="",a(a.s=11)}([function(n,d,a){var o=Array.prototype,l=Object.prototype,u={"&":"&amp;",'"':"&quot;","'":"&#39;","<":"&lt;",">":"&gt;","\\":"&#92;"},c=/[&"'<>\\]/g,d=n.exports={};function S(se,ve){return l.hasOwnProperty.call(se,ve)}d.hasOwnProp=S;function _(se){return u[se]}function E(se,ve,Ge){if(Ge.Update||(Ge=new d.TemplateError(Ge)),Ge.Update(se),!ve){var oe=Ge;Ge=new Error(oe.message),Ge.name=oe.name}return Ge}d._prettifyError=E;function T(se,ve,Ge){var oe,W;se instanceof Error&&(W=se,se=W.name+": "+W.message),Object.setPrototypeOf?(oe=new Error(se),Object.setPrototypeOf(oe,T.prototype)):(oe=this,Object.defineProperty(oe,"message",{enumerable:!1,writable:!0,value:se})),Object.defineProperty(oe,"name",{value:"Template render error"}),Error.captureStackTrace&&Error.captureStackTrace(oe,this.constructor);var Oe;if(W){var tt=Object.getOwnPropertyDescriptor(W,"stack");Oe=tt&&(tt.get||function(){return tt.value}),Oe||(Oe=function(){return W.stack})}else{var rt=new Error(se).stack;Oe=function(){return rt}}return Object.defineProperty(oe,"stack",{get:function(){return Oe.call(oe)}}),Object.defineProperty(oe,"cause",{value:W}),oe.lineno=ve,oe.colno=Ge,oe.firstUpdate=!0,oe.Update=function(dt){var ct="("+(dt||"unknown path")+")";return this.firstUpdate&&(this.lineno&&this.colno?ct+=" [Line "+this.lineno+", Column "+this.colno+"]":this.lineno&&(ct+=" [Line "+this.lineno+"]")),ct+=`
+`:""}`,t),setTimeout(()=>{throw e},0)}var cd=!0;function gO(e){let t=cd;cd=!1;let n=e();return cd=t,n}function xs(e,t,n={}){let r;return ti(e,t)(a=>r=a,n),r}function ti(...e){return hO(...e)}var hO=EO;function HF(e){hO=e}function EO(e,t){let n={};bh(n,e);let r=[n,...Fl(e)],a=typeof t=="function"?qF(r,t):WF(r,t,e);return GF.bind(null,e,t,a)}function qF(e,t){return(n=()=>{},{scope:r={},params:a=[]}={})=>{let o=t.apply(pc([r,...e]),a);vd(n,o)}}var $g={};function YF(e,t){if($g[e])return $g[e];let n=Object.getPrototypeOf(async function(){}).constructor,r=/^[\n\s]*if.*\(.*\)/.test(e.trim())||/^(let|const)\s/.test(e.trim())?`(async()=>{ ${e} })()`:e,o=(()=>{try{let l=new n(["__self","scope"],`with (scope) { __self.result = ${r} }; __self.finished = true; return __self.result;`);return Object.defineProperty(l,"name",{value:`[Alpine] ${e}`}),l}catch(l){return Vu(l,t,e),Promise.resolve()}})();return $g[e]=o,o}function WF(e,t,n){let r=YF(t,n);return(a=()=>{},{scope:o={},params:l=[]}={})=>{r.result=void 0,r.finished=!1;let u=pc([o,...e]);if(typeof r=="function"){let c=r(r,u).catch(d=>Vu(d,n,t));r.finished?(vd(a,r.result,u,l,n),r.result=void 0):c.then(d=>{vd(a,d,u,l,n)}).catch(d=>Vu(d,n,t)).finally(()=>r.result=void 0)}}}function vd(e,t,n,r,a){if(cd&&typeof t=="function"){let o=t.apply(n,r);o instanceof Promise?o.then(l=>vd(e,l,n,r)).catch(l=>Vu(l,a,t)):e(o)}else typeof t=="object"&&t instanceof Promise?t.then(o=>e(o)):e(t)}var CE="x-";function jl(e=""){return CE+e}function VF(e){CE=e}var vh={};function Zn(e,t){return vh[e]=t,{before(n){if(!vh[n]){console.warn("Cannot find directive `${directive}`. `${name}` will use the default order of execution");return}const r=Ns.indexOf(n);Ns.splice(r>=0?r:Ns.indexOf("DEFAULT"),0,e)}}}function AE(e,t,n){if(t=Array.from(t),e._x_virtualDirectives){let o=Object.entries(e._x_virtualDirectives).map(([u,c])=>({name:u,value:c})),l=SO(o);o=o.map(u=>l.find(c=>c.name===u.name)?{name:`x-bind:${u.name}`,value:`"${u.value}"`}:u),t=t.concat(o)}let r={};return t.map(CO((o,l)=>r[o]=l)).filter(OO).map($F(r,n)).sort(QF).map(o=>KF(e,o))}function SO(e){return Array.from(e).map(CO()).filter(t=>!OO(t))}var Th=!1,Nu=new Map,bO=Symbol();function zF(e){Th=!0;let t=Symbol();bO=t,Nu.set(t,[]);let n=()=>{for(;Nu.get(t).length;)Nu.get(t).shift()();Nu.delete(t)},r=()=>{Th=!1,n()};e(n),r()}function vO(e){let t=[],n=u=>t.push(u),[r,a]=RF(e);return t.push(a),[{Alpine:mc,effect:r,cleanup:n,evaluateLater:ti.bind(ti,e),evaluate:xs.bind(xs,e)},()=>t.forEach(u=>u())]}function KF(e,t){let n=()=>{},r=vh[t.type]||n,[a,o]=vO(e);uO(e,t.original,o);let l=()=>{e._x_ignore||e._x_ignoreSelf||(r.inline&&r.inline(e,t,a),r=r.bind(r,e,t,a),Th?Nu.get(bO).push(r):r())};return l.runCleanups=o,l}var TO=(e,t)=>({name:n,value:r})=>(n.startsWith(e)&&(n=n.replace(e,t)),{name:n,value:r}),yO=e=>e;function CO(e=()=>{}){return({name:t,value:n})=>{let{name:r,value:a}=AO.reduce((o,l)=>l(o),{name:t,value:n});return r!==t&&e(r,t),{name:r,value:a}}}var AO=[];function OE(e){AO.push(e)}function OO({name:e}){return RO().test(e)}var RO=()=>new RegExp(`^${CE}([^:^.]+)\\b`);function $F(e,t){return({name:n,value:r})=>{let a=n.match(RO()),o=n.match(/:([a-zA-Z0-9\-_:]+)/),l=n.match(/\.[^.\]]+(?=[^\]]*$)/g)||[],u=t||e[n]||n;return{type:a?a[1]:null,value:o?o[1]:null,modifiers:l.map(c=>c.replace(".","")),expression:r,original:u}}}var yh="DEFAULT",Ns=["ignore","ref","data","id","anchor","bind","init","for","model","modelable","transition","show","if",yh,"teleport"];function QF(e,t){let n=Ns.indexOf(e.type)===-1?yh:e.type,r=Ns.indexOf(t.type)===-1?yh:t.type;return Ns.indexOf(n)-Ns.indexOf(r)}var Ch=[],RE=!1;function NE(e=()=>{}){return queueMicrotask(()=>{RE||setTimeout(()=>{Ah()})}),new Promise(t=>{Ch.push(()=>{e(),t()})})}function Ah(){for(RE=!1;Ch.length;)Ch.shift()()}function jF(){RE=!0}function IE(e,t){return Array.isArray(t)?$0(e,t.join(" ")):typeof t=="object"&&t!==null?XF(e,t):typeof t=="function"?IE(e,t()):$0(e,t)}function $0(e,t){let n=a=>a.split(" ").filter(o=>!e.classList.contains(o)).filter(Boolean),r=a=>(e.classList.add(...a),()=>{e.classList.remove(...a)});return t=t===!0?t="":t||"",r(n(t))}function XF(e,t){let n=u=>u.split(" ").filter(Boolean),r=Object.entries(t).flatMap(([u,c])=>c?n(u):!1).filter(Boolean),a=Object.entries(t).flatMap(([u,c])=>c?!1:n(u)).filter(Boolean),o=[],l=[];return a.forEach(u=>{e.classList.contains(u)&&(e.classList.remove(u),l.push(u))}),r.forEach(u=>{e.classList.contains(u)||(e.classList.add(u),o.push(u))}),()=>{l.forEach(u=>e.classList.add(u)),o.forEach(u=>e.classList.remove(u))}}function Vd(e,t){return typeof t=="object"&&t!==null?ZF(e,t):JF(e,t)}function ZF(e,t){let n={};return Object.entries(t).forEach(([r,a])=>{n[r]=e.style[r],r.startsWith("--")||(r=e2(r)),e.style.setProperty(r,a)}),setTimeout(()=>{e.style.length===0&&e.removeAttribute("style")}),()=>{Vd(e,n)}}function JF(e,t){let n=e.getAttribute("style",t);return e.setAttribute("style",t),()=>{e.setAttribute("style",n||"")}}function e2(e){return e.replace(/([a-z])([A-Z])/g,"$1-$2").toLowerCase()}function Oh(e,t=()=>{}){let n=!1;return function(){n?t.apply(this,arguments):(n=!0,e.apply(this,arguments))}}Zn("transition",(e,{value:t,modifiers:n,expression:r},{evaluate:a})=>{typeof r=="function"&&(r=a(r)),r!==!1&&(!r||typeof r=="boolean"?n2(e,n,t):t2(e,r,t))});function t2(e,t,n){NO(e,IE,""),{enter:a=>{e._x_transition.enter.during=a},"enter-start":a=>{e._x_transition.enter.start=a},"enter-end":a=>{e._x_transition.enter.end=a},leave:a=>{e._x_transition.leave.during=a},"leave-start":a=>{e._x_transition.leave.start=a},"leave-end":a=>{e._x_transition.leave.end=a}}[n](t)}function n2(e,t,n){NO(e,Vd);let r=!t.includes("in")&&!t.includes("out")&&!n,a=r||t.includes("in")||["enter"].includes(n),o=r||t.includes("out")||["leave"].includes(n);t.includes("in")&&!r&&(t=t.filter((A,O)=>O<t.indexOf("out"))),t.includes("out")&&!r&&(t=t.filter((A,O)=>O>t.indexOf("out")));let l=!t.includes("opacity")&&!t.includes("scale"),u=l||t.includes("opacity"),c=l||t.includes("scale"),d=u?0:1,S=c?Cu(t,"scale",95)/100:1,_=Cu(t,"delay",0)/1e3,E=Cu(t,"origin","center"),T="opacity, transform",y=Cu(t,"duration",150)/1e3,M=Cu(t,"duration",75)/1e3,v="cubic-bezier(0.4, 0.0, 0.2, 1)";a&&(e._x_transition.enter.during={transformOrigin:E,transitionDelay:`${_}s`,transitionProperty:T,transitionDuration:`${y}s`,transitionTimingFunction:v},e._x_transition.enter.start={opacity:d,transform:`scale(${S})`},e._x_transition.enter.end={opacity:1,transform:"scale(1)"}),o&&(e._x_transition.leave.during={transformOrigin:E,transitionDelay:`${_}s`,transitionProperty:T,transitionDuration:`${M}s`,transitionTimingFunction:v},e._x_transition.leave.start={opacity:1,transform:"scale(1)"},e._x_transition.leave.end={opacity:d,transform:`scale(${S})`})}function NO(e,t,n={}){e._x_transition||(e._x_transition={enter:{during:n,start:n,end:n},leave:{during:n,start:n,end:n},in(r=()=>{},a=()=>{}){Rh(e,t,{during:this.enter.during,start:this.enter.start,end:this.enter.end},r,a)},out(r=()=>{},a=()=>{}){Rh(e,t,{during:this.leave.during,start:this.leave.start,end:this.leave.end},r,a)}})}window.Element.prototype._x_toggleAndCascadeWithTransitions=function(e,t,n,r){const a=document.visibilityState==="visible"?requestAnimationFrame:setTimeout;let o=()=>a(n);if(t){e._x_transition&&(e._x_transition.enter||e._x_transition.leave)?e._x_transition.enter&&(Object.entries(e._x_transition.enter.during).length||Object.entries(e._x_transition.enter.start).length||Object.entries(e._x_transition.enter.end).length)?e._x_transition.in(n):o():e._x_transition?e._x_transition.in(n):o();return}e._x_hidePromise=e._x_transition?new Promise((l,u)=>{e._x_transition.out(()=>{},()=>l(r)),e._x_transitioning&&e._x_transitioning.beforeCancel(()=>u({isFromCancelledTransition:!0}))}):Promise.resolve(r),queueMicrotask(()=>{let l=IO(e);l?(l._x_hideChildren||(l._x_hideChildren=[]),l._x_hideChildren.push(e)):a(()=>{let u=c=>{let d=Promise.all([c._x_hidePromise,...(c._x_hideChildren||[]).map(u)]).then(([S])=>S());return delete c._x_hidePromise,delete c._x_hideChildren,d};u(e).catch(c=>{if(!c.isFromCancelledTransition)throw c})})})};function IO(e){let t=e.parentNode;if(!!t)return t._x_hidePromise?t:IO(t)}function Rh(e,t,{during:n,start:r,end:a}={},o=()=>{},l=()=>{}){if(e._x_transitioning&&e._x_transitioning.cancel(),Object.keys(n).length===0&&Object.keys(r).length===0&&Object.keys(a).length===0){o(),l();return}let u,c,d;r2(e,{start(){u=t(e,r)},during(){c=t(e,n)},before:o,end(){u(),d=t(e,a)},after:l,cleanup(){c(),d()}})}function r2(e,t){let n,r,a,o=Oh(()=>{or(()=>{n=!0,r||t.before(),a||(t.end(),Ah()),t.after(),e.isConnected&&t.cleanup(),delete e._x_transitioning})});e._x_transitioning={beforeCancels:[],beforeCancel(l){this.beforeCancels.push(l)},cancel:Oh(function(){for(;this.beforeCancels.length;)this.beforeCancels.shift()();o()}),finish:o},or(()=>{t.start(),t.during()}),jF(),requestAnimationFrame(()=>{if(n)return;let l=Number(getComputedStyle(e).transitionDuration.replace(/,.*/,"").replace("s",""))*1e3,u=Number(getComputedStyle(e).transitionDelay.replace(/,.*/,"").replace("s",""))*1e3;l===0&&(l=Number(getComputedStyle(e).animationDuration.replace("s",""))*1e3),or(()=>{t.before()}),r=!0,requestAnimationFrame(()=>{n||(or(()=>{t.end()}),Ah(),setTimeout(e._x_transitioning.finish,l+u),a=!0)})})}function Cu(e,t,n){if(e.indexOf(t)===-1)return n;const r=e[e.indexOf(t)+1];if(!r||t==="scale"&&isNaN(r))return n;if(t==="duration"||t==="delay"){let a=r.match(/([0-9]+)ms/);if(a)return a[1]}return t==="origin"&&["top","right","left","center","bottom"].includes(e[e.indexOf(t)+2])?[r,e[e.indexOf(t)+2]].join(" "):r}var is=!1;function _c(e,t=()=>{}){return(...n)=>is?t(...n):e(...n)}function i2(e){return(...t)=>is&&e(...t)}var DO=[];function xO(e){DO.push(e)}function a2(e,t){DO.forEach(n=>n(e,t)),is=!0,wO(()=>{vo(t,(n,r)=>{r(n,()=>{})})}),is=!1}var Nh=!1;function o2(e,t){t._x_dataStack||(t._x_dataStack=e._x_dataStack),is=!0,Nh=!0,wO(()=>{s2(t)}),is=!1,Nh=!1}function s2(e){let t=!1;vo(e,(r,a)=>{rs(r,(o,l)=>{if(t&&IF(o))return l();t=!0,a(o,l)})})}function wO(e){let t=Ql;z0((n,r)=>{let a=t(n);return dc(a),()=>{}}),e(),z0(t)}function LO(e,t,n,r=[]){switch(e._x_bindings||(e._x_bindings=$l({})),e._x_bindings[t]=n,t=r.includes("camel")?m2(t):t,t){case"value":l2(e,n);break;case"style":c2(e,n);break;case"class":u2(e,n);break;case"selected":case"checked":d2(e,t,n);break;default:MO(e,t,n);break}}function l2(e,t){if(e.type==="radio")e.attributes.value===void 0&&(e.value=t),window.fromModel&&(typeof t=="boolean"?e.checked=dd(e.value)===t:e.checked=Q0(e.value,t));else if(e.type==="checkbox")Number.isInteger(t)?e.value=t:!Array.isArray(t)&&typeof t!="boolean"&&![null,void 0].includes(t)?e.value=String(t):Array.isArray(t)?e.checked=t.some(n=>Q0(n,e.value)):e.checked=!!t;else if(e.tagName==="SELECT")_2(e,t);else{if(e.value===t)return;e.value=t===void 0?"":t}}function u2(e,t){e._x_undoAddedClasses&&e._x_undoAddedClasses(),e._x_undoAddedClasses=IE(e,t)}function c2(e,t){e._x_undoAddedStyles&&e._x_undoAddedStyles(),e._x_undoAddedStyles=Vd(e,t)}function d2(e,t,n){MO(e,t,n),p2(e,t,n)}function MO(e,t,n){[null,void 0,!1].includes(n)&&g2(t)?e.removeAttribute(t):(kO(t)&&(n=t),f2(e,t,n))}function f2(e,t,n){e.getAttribute(t)!=n&&e.setAttribute(t,n)}function p2(e,t,n){e[t]!==n&&(e[t]=n)}function _2(e,t){const n=[].concat(t).map(r=>r+"");Array.from(e.options).forEach(r=>{r.selected=n.includes(r.value)})}function m2(e){return e.toLowerCase().replace(/-(\w)/g,(t,n)=>n.toUpperCase())}function Q0(e,t){return e==t}function dd(e){return[1,"1","true","on","yes",!0].includes(e)?!0:[0,"0","false","off","no",!1].includes(e)?!1:e?Boolean(e):null}function kO(e){return["disabled","checked","required","readonly","hidden","open","selected","autofocus","itemscope","multiple","novalidate","allowfullscreen","allowpaymentrequest","formnovalidate","autoplay","controls","loop","muted","playsinline","default","ismap","reversed","async","defer","nomodule"].includes(e)}function g2(e){return!["aria-pressed","aria-checked","aria-expanded","aria-selected"].includes(e)}function h2(e,t,n){return e._x_bindings&&e._x_bindings[t]!==void 0?e._x_bindings[t]:PO(e,t,n)}function E2(e,t,n,r=!0){if(e._x_bindings&&e._x_bindings[t]!==void 0)return e._x_bindings[t];if(e._x_inlineBindings&&e._x_inlineBindings[t]!==void 0){let a=e._x_inlineBindings[t];return a.extract=r,gO(()=>xs(e,a.expression))}return PO(e,t,n)}function PO(e,t,n){let r=e.getAttribute(t);return r===null?typeof n=="function"?n():n:r===""?!0:kO(t)?!![t,"true"].includes(r):r}function FO(e,t){var n;return function(){var r=this,a=arguments,o=function(){n=null,e.apply(r,a)};clearTimeout(n),n=setTimeout(o,t)}}function BO(e,t){let n;return function(){let r=this,a=arguments;n||(e.apply(r,a),n=!0,setTimeout(()=>n=!1,t))}}function UO({get:e,set:t},{get:n,set:r}){let a=!0,o,l=Ql(()=>{const u=e(),c=n();if(a)r(Qg(u)),a=!1,o=JSON.stringify(u);else{const d=JSON.stringify(u);d!==o?(r(Qg(u)),o=d):(t(Qg(c)),o=JSON.stringify(c))}JSON.stringify(n()),JSON.stringify(e())});return()=>{dc(l)}}function Qg(e){return typeof e=="object"?JSON.parse(JSON.stringify(e)):e}function S2(e){(Array.isArray(e)?e:[e]).forEach(n=>n(mc))}var ys={},j0=!1;function b2(e,t){if(j0||(ys=$l(ys),j0=!0),t===void 0)return ys[e];ys[e]=t,typeof t=="object"&&t!==null&&t.hasOwnProperty("init")&&typeof t.init=="function"&&ys[e].init(),pO(ys[e])}function v2(){return ys}var GO={};function T2(e,t){let n=typeof t!="function"?()=>t:t;return e instanceof Element?HO(e,n()):(GO[e]=n,()=>{})}function y2(e){return Object.entries(GO).forEach(([t,n])=>{Object.defineProperty(e,t,{get(){return(...r)=>n(...r)}})}),e}function HO(e,t,n){let r=[];for(;r.length;)r.pop()();let a=Object.entries(t).map(([l,u])=>({name:l,value:u})),o=SO(a);return a=a.map(l=>o.find(u=>u.name===l.name)?{name:`x-bind:${l.name}`,value:`"${l.value}"`}:l),AE(e,a,n).map(l=>{r.push(l.runCleanups),l()}),()=>{for(;r.length;)r.pop()()}}var qO={};function C2(e,t){qO[e]=t}function A2(e,t){return Object.entries(qO).forEach(([n,r])=>{Object.defineProperty(e,n,{get(){return(...a)=>r.bind(t)(...a)},enumerable:!1})}),e}var O2={get reactive(){return $l},get release(){return dc},get effect(){return Ql},get raw(){return ZA},version:"3.13.3",flushAndStopDeferringMutations:PF,dontAutoEvaluateFunctions:gO,disableEffectScheduling:AF,startObservingMutations:vE,stopObservingMutations:dO,setReactivityEngine:OF,onAttributeRemoved:uO,onAttributesAdded:lO,closestDataStack:Fl,skipDuringClone:_c,onlyDuringClone:i2,addRootSelector:nO,addInitSelector:rO,interceptClone:xO,addScopeToNode:fc,deferMutations:kF,mapAttributes:OE,evaluateLater:ti,interceptInit:DF,setEvaluator:HF,mergeProxies:pc,extractProp:E2,findClosest:Wd,onElRemoved:EE,closestRoot:Yd,destroyTree:hE,interceptor:_O,transition:Rh,setStyles:Vd,mutateDom:or,directive:Zn,entangle:UO,throttle:BO,debounce:FO,evaluate:xs,initTree:vo,nextTick:NE,prefixed:jl,prefix:VF,plugin:S2,magic:Ca,store:b2,start:NF,clone:o2,cloneNode:a2,bound:h2,$data:fO,walk:rs,data:C2,bind:T2},mc=O2;function R2(e,t){const n=Object.create(null),r=e.split(",");for(let a=0;a<r.length;a++)n[r[a]]=!0;return t?a=>!!n[a.toLowerCase()]:a=>!!n[a]}var N2=Object.freeze({});Object.freeze([]);var I2=Object.prototype.hasOwnProperty,zd=(e,t)=>I2.call(e,t),ws=Array.isArray,Mu=e=>YO(e)==="[object Map]",D2=e=>typeof e=="string",DE=e=>typeof e=="symbol",Kd=e=>e!==null&&typeof e=="object",x2=Object.prototype.toString,YO=e=>x2.call(e),WO=e=>YO(e).slice(8,-1),xE=e=>D2(e)&&e!=="NaN"&&e[0]!=="-"&&""+parseInt(e,10)===e,w2=e=>{const t=Object.create(null);return n=>t[n]||(t[n]=e(n))},L2=w2(e=>e.charAt(0).toUpperCase()+e.slice(1)),VO=(e,t)=>e!==t&&(e===e||t===t),Ih=new WeakMap,Au=[],Fa,Ls=Symbol("iterate"),Dh=Symbol("Map key iterate");function M2(e){return e&&e._isEffect===!0}function k2(e,t=N2){M2(e)&&(e=e.raw);const n=B2(e,t);return t.lazy||n(),n}function P2(e){e.active&&(zO(e),e.options.onStop&&e.options.onStop(),e.active=!1)}var F2=0;function B2(e,t){const n=function(){if(!n.active)return e();if(!Au.includes(n)){zO(n);try{return G2(),Au.push(n),Fa=n,e()}finally{Au.pop(),KO(),Fa=Au[Au.length-1]}}};return n.id=F2++,n.allowRecurse=!!t.allowRecurse,n._isEffect=!0,n.active=!0,n.raw=e,n.deps=[],n.options=t,n}function zO(e){const{deps:t}=e;if(t.length){for(let n=0;n<t.length;n++)t[n].delete(e);t.length=0}}var Bl=!0,wE=[];function U2(){wE.push(Bl),Bl=!1}function G2(){wE.push(Bl),Bl=!0}function KO(){const e=wE.pop();Bl=e===void 0?!0:e}function Ta(e,t,n){if(!Bl||Fa===void 0)return;let r=Ih.get(e);r||Ih.set(e,r=new Map);let a=r.get(n);a||r.set(n,a=new Set),a.has(Fa)||(a.add(Fa),Fa.deps.push(a),Fa.options.onTrack&&Fa.options.onTrack({effect:Fa,target:e,type:t,key:n}))}function as(e,t,n,r,a,o){const l=Ih.get(e);if(!l)return;const u=new Set,c=S=>{S&&S.forEach(_=>{(_!==Fa||_.allowRecurse)&&u.add(_)})};if(t==="clear")l.forEach(c);else if(n==="length"&&ws(e))l.forEach((S,_)=>{(_==="length"||_>=r)&&c(S)});else switch(n!==void 0&&c(l.get(n)),t){case"add":ws(e)?xE(n)&&c(l.get("length")):(c(l.get(Ls)),Mu(e)&&c(l.get(Dh)));break;case"delete":ws(e)||(c(l.get(Ls)),Mu(e)&&c(l.get(Dh)));break;case"set":Mu(e)&&c(l.get(Ls));break}const d=S=>{S.options.onTrigger&&S.options.onTrigger({effect:S,target:e,key:n,type:t,newValue:r,oldValue:a,oldTarget:o}),S.options.scheduler?S.options.scheduler(S):S()};u.forEach(d)}var H2=R2("__proto__,__v_isRef,__isVue"),$O=new Set(Object.getOwnPropertyNames(Symbol).map(e=>Symbol[e]).filter(DE)),q2=QO(),Y2=QO(!0),X0=W2();function W2(){const e={};return["includes","indexOf","lastIndexOf"].forEach(t=>{e[t]=function(...n){const r=Mn(this);for(let o=0,l=this.length;o<l;o++)Ta(r,"get",o+"");const a=r[t](...n);return a===-1||a===!1?r[t](...n.map(Mn)):a}}),["push","pop","shift","unshift","splice"].forEach(t=>{e[t]=function(...n){U2();const r=Mn(this)[t].apply(this,n);return KO(),r}}),e}function QO(e=!1,t=!1){return function(r,a,o){if(a==="__v_isReactive")return!e;if(a==="__v_isReadonly")return e;if(a==="__v_raw"&&o===(e?t?oB:JO:t?aB:ZO).get(r))return r;const l=ws(r);if(!e&&l&&zd(X0,a))return Reflect.get(X0,a,o);const u=Reflect.get(r,a,o);return(DE(a)?$O.has(a):H2(a))||(e||Ta(r,"get",a),t)?u:xh(u)?!l||!xE(a)?u.value:u:Kd(u)?e?eR(u):PE(u):u}}var V2=z2();function z2(e=!1){return function(n,r,a,o){let l=n[r];if(!e&&(a=Mn(a),l=Mn(l),!ws(n)&&xh(l)&&!xh(a)))return l.value=a,!0;const u=ws(n)&&xE(r)?Number(r)<n.length:zd(n,r),c=Reflect.set(n,r,a,o);return n===Mn(o)&&(u?VO(a,l)&&as(n,"set",r,a,l):as(n,"add",r,a)),c}}function K2(e,t){const n=zd(e,t),r=e[t],a=Reflect.deleteProperty(e,t);return a&&n&&as(e,"delete",t,void 0,r),a}function $2(e,t){const n=Reflect.has(e,t);return(!DE(t)||!$O.has(t))&&Ta(e,"has",t),n}function Q2(e){return Ta(e,"iterate",ws(e)?"length":Ls),Reflect.ownKeys(e)}var j2={get:q2,set:V2,deleteProperty:K2,has:$2,ownKeys:Q2},X2={get:Y2,set(e,t){return console.warn(`Set operation on key "${String(t)}" failed: target is readonly.`,e),!0},deleteProperty(e,t){return console.warn(`Delete operation on key "${String(t)}" failed: target is readonly.`,e),!0}},LE=e=>Kd(e)?PE(e):e,ME=e=>Kd(e)?eR(e):e,kE=e=>e,$d=e=>Reflect.getPrototypeOf(e);function Vc(e,t,n=!1,r=!1){e=e.__v_raw;const a=Mn(e),o=Mn(t);t!==o&&!n&&Ta(a,"get",t),!n&&Ta(a,"get",o);const{has:l}=$d(a),u=r?kE:n?ME:LE;if(l.call(a,t))return u(e.get(t));if(l.call(a,o))return u(e.get(o));e!==a&&e.get(t)}function zc(e,t=!1){const n=this.__v_raw,r=Mn(n),a=Mn(e);return e!==a&&!t&&Ta(r,"has",e),!t&&Ta(r,"has",a),e===a?n.has(e):n.has(e)||n.has(a)}function Kc(e,t=!1){return e=e.__v_raw,!t&&Ta(Mn(e),"iterate",Ls),Reflect.get(e,"size",e)}function Z0(e){e=Mn(e);const t=Mn(this);return $d(t).has.call(t,e)||(t.add(e),as(t,"add",e,e)),this}function J0(e,t){t=Mn(t);const n=Mn(this),{has:r,get:a}=$d(n);let o=r.call(n,e);o?XO(n,r,e):(e=Mn(e),o=r.call(n,e));const l=a.call(n,e);return n.set(e,t),o?VO(t,l)&&as(n,"set",e,t,l):as(n,"add",e,t),this}function eC(e){const t=Mn(this),{has:n,get:r}=$d(t);let a=n.call(t,e);a?XO(t,n,e):(e=Mn(e),a=n.call(t,e));const o=r?r.call(t,e):void 0,l=t.delete(e);return a&&as(t,"delete",e,void 0,o),l}function tC(){const e=Mn(this),t=e.size!==0,n=Mu(e)?new Map(e):new Set(e),r=e.clear();return t&&as(e,"clear",void 0,void 0,n),r}function $c(e,t){return function(r,a){const o=this,l=o.__v_raw,u=Mn(l),c=t?kE:e?ME:LE;return!e&&Ta(u,"iterate",Ls),l.forEach((d,S)=>r.call(a,c(d),c(S),o))}}function Qc(e,t,n){return function(...r){const a=this.__v_raw,o=Mn(a),l=Mu(o),u=e==="entries"||e===Symbol.iterator&&l,c=e==="keys"&&l,d=a[e](...r),S=n?kE:t?ME:LE;return!t&&Ta(o,"iterate",c?Dh:Ls),{next(){const{value:_,done:E}=d.next();return E?{value:_,done:E}:{value:u?[S(_[0]),S(_[1])]:S(_),done:E}},[Symbol.iterator](){return this}}}}function qo(e){return function(...t){{const n=t[0]?`on key "${t[0]}" `:"";console.warn(`${L2(e)} operation ${n}failed: target is readonly.`,Mn(this))}return e==="delete"?!1:this}}function Z2(){const e={get(o){return Vc(this,o)},get size(){return Kc(this)},has:zc,add:Z0,set:J0,delete:eC,clear:tC,forEach:$c(!1,!1)},t={get(o){return Vc(this,o,!1,!0)},get size(){return Kc(this)},has:zc,add:Z0,set:J0,delete:eC,clear:tC,forEach:$c(!1,!0)},n={get(o){return Vc(this,o,!0)},get size(){return Kc(this,!0)},has(o){return zc.call(this,o,!0)},add:qo("add"),set:qo("set"),delete:qo("delete"),clear:qo("clear"),forEach:$c(!0,!1)},r={get(o){return Vc(this,o,!0,!0)},get size(){return Kc(this,!0)},has(o){return zc.call(this,o,!0)},add:qo("add"),set:qo("set"),delete:qo("delete"),clear:qo("clear"),forEach:$c(!0,!0)};return["keys","values","entries",Symbol.iterator].forEach(o=>{e[o]=Qc(o,!1,!1),n[o]=Qc(o,!0,!1),t[o]=Qc(o,!1,!0),r[o]=Qc(o,!0,!0)}),[e,n,t,r]}var[J2,eB,tB,nB]=Z2();function jO(e,t){const n=t?e?nB:tB:e?eB:J2;return(r,a,o)=>a==="__v_isReactive"?!e:a==="__v_isReadonly"?e:a==="__v_raw"?r:Reflect.get(zd(n,a)&&a in r?n:r,a,o)}var rB={get:jO(!1,!1)},iB={get:jO(!0,!1)};function XO(e,t,n){const r=Mn(n);if(r!==n&&t.call(e,r)){const a=WO(e);console.warn(`Reactive ${a} contains both the raw and reactive versions of the same object${a==="Map"?" as keys":""}, which can lead to inconsistencies. Avoid differentiating between the raw and reactive versions of an object and only use the reactive version if possible.`)}}var ZO=new WeakMap,aB=new WeakMap,JO=new WeakMap,oB=new WeakMap;function sB(e){switch(e){case"Object":case"Array":return 1;case"Map":case"Set":case"WeakMap":case"WeakSet":return 2;default:return 0}}function lB(e){return e.__v_skip||!Object.isExtensible(e)?0:sB(WO(e))}function PE(e){return e&&e.__v_isReadonly?e:tR(e,!1,j2,rB,ZO)}function eR(e){return tR(e,!0,X2,iB,JO)}function tR(e,t,n,r,a){if(!Kd(e))return console.warn(`value cannot be made reactive: ${String(e)}`),e;if(e.__v_raw&&!(t&&e.__v_isReactive))return e;const o=a.get(e);if(o)return o;const l=lB(e);if(l===0)return e;const u=new Proxy(e,l===2?r:n);return a.set(e,u),u}function Mn(e){return e&&Mn(e.__v_raw)||e}function xh(e){return Boolean(e&&e.__v_isRef===!0)}Ca("nextTick",()=>NE);Ca("dispatch",e=>wu.bind(wu,e));Ca("watch",(e,{evaluateLater:t,effect:n})=>(r,a)=>{let o=t(r),l=!0,u,c=n(()=>o(d=>{JSON.stringify(d),l?u=d:queueMicrotask(()=>{a(d,u),u=d}),l=!1}));e._x_effects.delete(c)});Ca("store",v2);Ca("data",e=>fO(e));Ca("root",e=>Yd(e));Ca("refs",e=>(e._x_refs_proxy||(e._x_refs_proxy=pc(uB(e))),e._x_refs_proxy));function uB(e){let t=[],n=e;for(;n;)n._x_refs&&t.push(n._x_refs),n=n.parentNode;return t}var jg={};function nR(e){return jg[e]||(jg[e]=0),++jg[e]}function cB(e,t){return Wd(e,n=>{if(n._x_ids&&n._x_ids[t])return!0})}function dB(e,t){e._x_ids||(e._x_ids={}),e._x_ids[t]||(e._x_ids[t]=nR(t))}Ca("id",e=>(t,n=null)=>{let r=cB(e,t),a=r?r._x_ids[t]:nR(t);return n?`${t}-${a}-${n}`:`${t}-${a}`});Ca("el",e=>e);rR("Focus","focus","focus");rR("Persist","persist","persist");function rR(e,t,n){Ca(t,r=>bo(`You can't use [$${t}] without first installing the "${e}" plugin here: https://alpinejs.dev/plugins/${n}`,r))}Zn("modelable",(e,{expression:t},{effect:n,evaluateLater:r,cleanup:a})=>{let o=r(t),l=()=>{let S;return o(_=>S=_),S},u=r(`${t} = __placeholder`),c=S=>u(()=>{},{scope:{__placeholder:S}}),d=l();c(d),queueMicrotask(()=>{if(!e._x_model)return;e._x_removeModelListeners.default();let S=e._x_model.get,_=e._x_model.set,E=UO({get(){return S()},set(T){_(T)}},{get(){return l()},set(T){c(T)}});a(E)})});Zn("teleport",(e,{modifiers:t,expression:n},{cleanup:r})=>{e.tagName.toLowerCase()!=="template"&&bo("x-teleport can only be used on a <template> tag",e);let a=nC(n),o=e.content.cloneNode(!0).firstElementChild;e._x_teleport=o,o._x_teleportBack=e,e.setAttribute("data-teleport-template",!0),o.setAttribute("data-teleport-target",!0),e._x_forwardEvents&&e._x_forwardEvents.forEach(u=>{o.addEventListener(u,c=>{c.stopPropagation(),e.dispatchEvent(new c.constructor(c.type,c))})}),fc(o,{},e);let l=(u,c,d)=>{d.includes("prepend")?c.parentNode.insertBefore(u,c):d.includes("append")?c.parentNode.insertBefore(u,c.nextSibling):c.appendChild(u)};or(()=>{l(o,a,t),vo(o),o._x_ignore=!0}),e._x_teleportPutBack=()=>{let u=nC(n);or(()=>{l(e._x_teleport,u,t)})},r(()=>o.remove())});var fB=document.createElement("div");function nC(e){let t=_c(()=>document.querySelector(e),()=>fB)();return t||bo(`Cannot find x-teleport element for selector: "${e}"`),t}var iR=()=>{};iR.inline=(e,{modifiers:t},{cleanup:n})=>{t.includes("self")?e._x_ignoreSelf=!0:e._x_ignore=!0,n(()=>{t.includes("self")?delete e._x_ignoreSelf:delete e._x_ignore})};Zn("ignore",iR);Zn("effect",_c((e,{expression:t},{effect:n})=>{n(ti(e,t))}));function wh(e,t,n,r){let a=e,o=c=>r(c),l={},u=(c,d)=>S=>d(c,S);if(n.includes("dot")&&(t=pB(t)),n.includes("camel")&&(t=_B(t)),n.includes("passive")&&(l.passive=!0),n.includes("capture")&&(l.capture=!0),n.includes("window")&&(a=window),n.includes("document")&&(a=document),n.includes("debounce")){let c=n[n.indexOf("debounce")+1]||"invalid-wait",d=Td(c.split("ms")[0])?Number(c.split("ms")[0]):250;o=FO(o,d)}if(n.includes("throttle")){let c=n[n.indexOf("throttle")+1]||"invalid-wait",d=Td(c.split("ms")[0])?Number(c.split("ms")[0]):250;o=BO(o,d)}return n.includes("prevent")&&(o=u(o,(c,d)=>{d.preventDefault(),c(d)})),n.includes("stop")&&(o=u(o,(c,d)=>{d.stopPropagation(),c(d)})),n.includes("self")&&(o=u(o,(c,d)=>{d.target===e&&c(d)})),(n.includes("away")||n.includes("outside"))&&(a=document,o=u(o,(c,d)=>{e.contains(d.target)||d.target.isConnected!==!1&&(e.offsetWidth<1&&e.offsetHeight<1||e._x_isShown!==!1&&c(d))})),n.includes("once")&&(o=u(o,(c,d)=>{c(d),a.removeEventListener(t,o,l)})),o=u(o,(c,d)=>{gB(t)&&hB(d,n)||c(d)}),a.addEventListener(t,o,l),()=>{a.removeEventListener(t,o,l)}}function pB(e){return e.replace(/-/g,".")}function _B(e){return e.toLowerCase().replace(/-(\w)/g,(t,n)=>n.toUpperCase())}function Td(e){return!Array.isArray(e)&&!isNaN(e)}function mB(e){return[" ","_"].includes(e)?e:e.replace(/([a-z])([A-Z])/g,"$1-$2").replace(/[_\s]/,"-").toLowerCase()}function gB(e){return["keydown","keyup"].includes(e)}function hB(e,t){let n=t.filter(o=>!["window","document","prevent","stop","once","capture"].includes(o));if(n.includes("debounce")){let o=n.indexOf("debounce");n.splice(o,Td((n[o+1]||"invalid-wait").split("ms")[0])?2:1)}if(n.includes("throttle")){let o=n.indexOf("throttle");n.splice(o,Td((n[o+1]||"invalid-wait").split("ms")[0])?2:1)}if(n.length===0||n.length===1&&rC(e.key).includes(n[0]))return!1;const a=["ctrl","shift","alt","meta","cmd","super"].filter(o=>n.includes(o));return n=n.filter(o=>!a.includes(o)),!(a.length>0&&a.filter(l=>((l==="cmd"||l==="super")&&(l="meta"),e[`${l}Key`])).length===a.length&&rC(e.key).includes(n[0]))}function rC(e){if(!e)return[];e=mB(e);let t={ctrl:"control",slash:"/",space:" ",spacebar:" ",cmd:"meta",esc:"escape",up:"arrow-up",down:"arrow-down",left:"arrow-left",right:"arrow-right",period:".",equal:"=",minus:"-",underscore:"_"};return t[e]=e,Object.keys(t).map(n=>{if(t[n]===e)return n}).filter(n=>n)}Zn("model",(e,{modifiers:t,expression:n},{effect:r,cleanup:a})=>{let o=e;t.includes("parent")&&(o=e.parentNode);let l=ti(o,n),u;typeof n=="string"?u=ti(o,`${n} = __placeholder`):typeof n=="function"&&typeof n()=="string"?u=ti(o,`${n()} = __placeholder`):u=()=>{};let c=()=>{let E;return l(T=>E=T),iC(E)?E.get():E},d=E=>{let T;l(y=>T=y),iC(T)?T.set(E):u(()=>{},{scope:{__placeholder:E}})};typeof n=="string"&&e.type==="radio"&&or(()=>{e.hasAttribute("name")||e.setAttribute("name",n)});var S=e.tagName.toLowerCase()==="select"||["checkbox","radio"].includes(e.type)||t.includes("lazy")?"change":"input";let _=is?()=>{}:wh(e,S,t,E=>{d(EB(e,t,E,c()))});if(t.includes("fill")&&([null,""].includes(c())||e.type==="checkbox"&&Array.isArray(c()))&&e.dispatchEvent(new Event(S,{})),e._x_removeModelListeners||(e._x_removeModelListeners={}),e._x_removeModelListeners.default=_,a(()=>e._x_removeModelListeners.default()),e.form){let E=wh(e.form,"reset",[],T=>{NE(()=>e._x_model&&e._x_model.set(e.value))});a(()=>E())}e._x_model={get(){return c()},set(E){d(E)}},e._x_forceModelUpdate=E=>{E===void 0&&typeof n=="string"&&n.match(/\./)&&(E=""),window.fromModel=!0,or(()=>LO(e,"value",E)),delete window.fromModel},r(()=>{let E=c();t.includes("unintrusive")&&document.activeElement.isSameNode(e)||e._x_forceModelUpdate(E)})});function EB(e,t,n,r){return or(()=>{if(n instanceof CustomEvent&&n.detail!==void 0)return n.detail!==null&&n.detail!==void 0?n.detail:n.target.value;if(e.type==="checkbox")if(Array.isArray(r)){let a=null;return t.includes("number")?a=Xg(n.target.value):t.includes("boolean")?a=dd(n.target.value):a=n.target.value,n.target.checked?r.concat([a]):r.filter(o=>!SB(o,a))}else return n.target.checked;else return e.tagName.toLowerCase()==="select"&&e.multiple?t.includes("number")?Array.from(n.target.selectedOptions).map(a=>{let o=a.value||a.text;return Xg(o)}):t.includes("boolean")?Array.from(n.target.selectedOptions).map(a=>{let o=a.value||a.text;return dd(o)}):Array.from(n.target.selectedOptions).map(a=>a.value||a.text):t.includes("number")?Xg(n.target.value):t.includes("boolean")?dd(n.target.value):t.includes("trim")?n.target.value.trim():n.target.value})}function Xg(e){let t=e?parseFloat(e):null;return bB(t)?t:e}function SB(e,t){return e==t}function bB(e){return!Array.isArray(e)&&!isNaN(e)}function iC(e){return e!==null&&typeof e=="object"&&typeof e.get=="function"&&typeof e.set=="function"}Zn("cloak",e=>queueMicrotask(()=>or(()=>e.removeAttribute(jl("cloak")))));rO(()=>`[${jl("init")}]`);Zn("init",_c((e,{expression:t},{evaluate:n})=>typeof t=="string"?!!t.trim()&&n(t,{},!1):n(t,{},!1)));Zn("text",(e,{expression:t},{effect:n,evaluateLater:r})=>{let a=r(t);n(()=>{a(o=>{or(()=>{e.textContent=o})})})});Zn("html",(e,{expression:t},{effect:n,evaluateLater:r})=>{let a=r(t);n(()=>{a(o=>{or(()=>{e.innerHTML=o,e._x_ignoreSelf=!0,vo(e),delete e._x_ignoreSelf})})})});OE(TO(":",yO(jl("bind:"))));var aR=(e,{value:t,modifiers:n,expression:r,original:a},{effect:o})=>{if(!t){let u={};y2(u),ti(e,r)(d=>{HO(e,d,a)},{scope:u});return}if(t==="key")return vB(e,r);if(e._x_inlineBindings&&e._x_inlineBindings[t]&&e._x_inlineBindings[t].extract)return;let l=ti(e,r);o(()=>l(u=>{u===void 0&&typeof r=="string"&&r.match(/\./)&&(u=""),or(()=>LO(e,t,u,n))}))};aR.inline=(e,{value:t,modifiers:n,expression:r})=>{!t||(e._x_inlineBindings||(e._x_inlineBindings={}),e._x_inlineBindings[t]={expression:r,extract:!1})};Zn("bind",aR);function vB(e,t){e._x_keyExpression=t}nO(()=>`[${jl("data")}]`);Zn("data",(e,{expression:t},{cleanup:n})=>{if(TB(e))return;t=t===""?"{}":t;let r={};bh(r,e);let a={};A2(a,r);let o=xs(e,t,{scope:a});(o===void 0||o===!0)&&(o={}),bh(o,e);let l=$l(o);pO(l);let u=fc(e,l);l.init&&xs(e,l.init),n(()=>{l.destroy&&xs(e,l.destroy),u()})});xO((e,t)=>{e._x_dataStack&&(t._x_dataStack=e._x_dataStack,t.setAttribute("data-has-alpine-state",!0))});function TB(e){return is?Nh?!0:e.hasAttribute("data-has-alpine-state"):!1}Zn("show",(e,{modifiers:t,expression:n},{effect:r})=>{let a=ti(e,n);e._x_doHide||(e._x_doHide=()=>{or(()=>{e.style.setProperty("display","none",t.includes("important")?"important":void 0)})}),e._x_doShow||(e._x_doShow=()=>{or(()=>{e.style.length===1&&e.style.display==="none"?e.removeAttribute("style"):e.style.removeProperty("display")})});let o=()=>{e._x_doHide(),e._x_isShown=!1},l=()=>{e._x_doShow(),e._x_isShown=!0},u=()=>setTimeout(l),c=Oh(_=>_?l():o(),_=>{typeof e._x_toggleAndCascadeWithTransitions=="function"?e._x_toggleAndCascadeWithTransitions(e,_,l,o):_?u():o()}),d,S=!0;r(()=>a(_=>{!S&&_===d||(t.includes("immediate")&&(_?u():o()),c(_),d=_,S=!1)}))});Zn("for",(e,{expression:t},{effect:n,cleanup:r})=>{let a=CB(t),o=ti(e,a.items),l=ti(e,e._x_keyExpression||"index");e._x_prevKeys=[],e._x_lookup={},n(()=>yB(e,a,o,l)),r(()=>{Object.values(e._x_lookup).forEach(u=>u.remove()),delete e._x_prevKeys,delete e._x_lookup})});function yB(e,t,n,r){let a=l=>typeof l=="object"&&!Array.isArray(l),o=e;n(l=>{AB(l)&&l>=0&&(l=Array.from(Array(l).keys(),v=>v+1)),l===void 0&&(l=[]);let u=e._x_lookup,c=e._x_prevKeys,d=[],S=[];if(a(l))l=Object.entries(l).map(([v,A])=>{let O=aC(t,A,v,l);r(N=>S.push(N),{scope:{index:v,...O}}),d.push(O)});else for(let v=0;v<l.length;v++){let A=aC(t,l[v],v,l);r(O=>S.push(O),{scope:{index:v,...A}}),d.push(A)}let _=[],E=[],T=[],y=[];for(let v=0;v<c.length;v++){let A=c[v];S.indexOf(A)===-1&&T.push(A)}c=c.filter(v=>!T.includes(v));let M="template";for(let v=0;v<S.length;v++){let A=S[v],O=c.indexOf(A);if(O===-1)c.splice(v,0,A),_.push([M,v]);else if(O!==v){let N=c.splice(v,1)[0],R=c.splice(O-1,1)[0];c.splice(v,0,R),c.splice(O,0,N),E.push([N,R])}else y.push(A);M=A}for(let v=0;v<T.length;v++){let A=T[v];u[A]._x_effects&&u[A]._x_effects.forEach(XA),u[A].remove(),u[A]=null,delete u[A]}for(let v=0;v<E.length;v++){let[A,O]=E[v],N=u[A],R=u[O],L=document.createElement("div");or(()=>{R||bo('x-for ":key" is undefined or invalid',o),R.after(L),N.after(R),R._x_currentIfEl&&R.after(R._x_currentIfEl),L.before(N),N._x_currentIfEl&&N.after(N._x_currentIfEl),L.remove()}),R._x_refreshXForScope(d[S.indexOf(O)])}for(let v=0;v<_.length;v++){let[A,O]=_[v],N=A==="template"?o:u[A];N._x_currentIfEl&&(N=N._x_currentIfEl);let R=d[O],L=S[O],I=document.importNode(o.content,!0).firstElementChild,h=$l(R);fc(I,h,o),I._x_refreshXForScope=k=>{Object.entries(k).forEach(([F,z])=>{h[F]=z})},or(()=>{N.after(I),vo(I)}),typeof L=="object"&&bo("x-for key cannot be an object, it must be a string or an integer",o),u[L]=I}for(let v=0;v<y.length;v++)u[y[v]]._x_refreshXForScope(d[S.indexOf(y[v])]);o._x_prevKeys=S})}function CB(e){let t=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,n=/^\s*\(|\)\s*$/g,r=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,a=e.match(r);if(!a)return;let o={};o.items=a[2].trim();let l=a[1].replace(n,"").trim(),u=l.match(t);return u?(o.item=l.replace(t,"").trim(),o.index=u[1].trim(),u[2]&&(o.collection=u[2].trim())):o.item=l,o}function aC(e,t,n,r){let a={};return/^\[.*\]$/.test(e.item)&&Array.isArray(t)?e.item.replace("[","").replace("]","").split(",").map(l=>l.trim()).forEach((l,u)=>{a[l]=t[u]}):/^\{.*\}$/.test(e.item)&&!Array.isArray(t)&&typeof t=="object"?e.item.replace("{","").replace("}","").split(",").map(l=>l.trim()).forEach(l=>{a[l]=t[l]}):a[e.item]=t,e.index&&(a[e.index]=n),e.collection&&(a[e.collection]=r),a}function AB(e){return!Array.isArray(e)&&!isNaN(e)}function oR(){}oR.inline=(e,{expression:t},{cleanup:n})=>{let r=Yd(e);r._x_refs||(r._x_refs={}),r._x_refs[t]=e,n(()=>delete r._x_refs[t])};Zn("ref",oR);Zn("if",(e,{expression:t},{effect:n,cleanup:r})=>{e.tagName.toLowerCase()!=="template"&&bo("x-if can only be used on a <template> tag",e);let a=ti(e,t),o=()=>{if(e._x_currentIfEl)return e._x_currentIfEl;let u=e.content.cloneNode(!0).firstElementChild;return fc(u,{},e),or(()=>{e.after(u),vo(u)}),e._x_currentIfEl=u,e._x_undoIf=()=>{rs(u,c=>{c._x_effects&&c._x_effects.forEach(XA)}),u.remove(),delete e._x_currentIfEl},u},l=()=>{!e._x_undoIf||(e._x_undoIf(),delete e._x_undoIf)};n(()=>a(u=>{u?o():l()})),r(()=>e._x_undoIf&&e._x_undoIf())});Zn("id",(e,{expression:t},{evaluate:n})=>{n(t).forEach(a=>dB(e,a))});OE(TO("@",yO(jl("on:"))));Zn("on",_c((e,{value:t,modifiers:n,expression:r},{cleanup:a})=>{let o=r?ti(e,r):()=>{};e.tagName.toLowerCase()==="template"&&(e._x_forwardEvents||(e._x_forwardEvents=[]),e._x_forwardEvents.includes(t)||e._x_forwardEvents.push(t));let l=wh(e,t,n,u=>{o(()=>{},{scope:{$event:u},params:[u]})});a(()=>l())}));Qd("Collapse","collapse","collapse");Qd("Intersect","intersect","intersect");Qd("Focus","trap","focus");Qd("Mask","mask","mask");function Qd(e,t,n){Zn(t,r=>bo(`You can't use [x-${t}] without first installing the "${e}" plugin here: https://alpinejs.dev/plugins/${n}`,r))}mc.setEvaluator(EO);mc.setReactivityEngine({reactive:PE,effect:k2,release:P2,raw:Mn});var OB=mc,RB=OB,sR={exports:{}};(function(e,t){(function(n,r){e.exports=r()})(Jr,function(){return function(n,r){var a=r.prototype,o=a.format;a.format=function(l){var u=this,c=this.$locale();if(!this.isValid())return o.bind(this)(l);var d=this.$utils(),S=(l||"YYYY-MM-DDTHH:mm:ssZ").replace(/\[([^\]]+)]|Q|wo|ww|w|WW|W|zzz|z|gggg|GGGG|Do|X|x|k{1,2}|S/g,function(_){switch(_){case"Q":return Math.ceil((u.$M+1)/3);case"Do":return c.ordinal(u.$D);case"gggg":return u.weekYear();case"GGGG":return u.isoWeekYear();case"wo":return c.ordinal(u.week(),"W");case"w":case"ww":return d.s(u.week(),_==="w"?1:2,"0");case"W":case"WW":return d.s(u.isoWeek(),_==="W"?1:2,"0");case"k":case"kk":return d.s(String(u.$H===0?24:u.$H),_==="k"?1:2,"0");case"X":return Math.floor(u.$d.getTime()/1e3);case"x":return u.$d.getTime();case"z":return"["+u.offsetName()+"]";case"zzz":return"["+u.offsetName("long")+"]";default:return _}});return o.bind(this)(S)}}})})(sR);const lR=sR.exports;var uR={exports:{}};/*! Browser bundle of nunjucks 3.2.4  */(function(e,t){(function(r,a){e.exports=a()})(typeof self<"u"?self:Jr,function(){return function(n){var r={};function a(o){if(r[o])return r[o].exports;var l=r[o]={i:o,l:!1,exports:{}};return n[o].call(l.exports,l,l.exports,a),l.l=!0,l.exports}return a.m=n,a.c=r,a.d=function(o,l,u){a.o(o,l)||Object.defineProperty(o,l,{configurable:!1,enumerable:!0,get:u})},a.n=function(o){var l=o&&o.__esModule?function(){return o.default}:function(){return o};return a.d(l,"a",l),l},a.o=function(o,l){return Object.prototype.hasOwnProperty.call(o,l)},a.p="",a(a.s=11)}([function(n,d,a){var o=Array.prototype,l=Object.prototype,u={"&":"&amp;",'"':"&quot;","'":"&#39;","<":"&lt;",">":"&gt;","\\":"&#92;"},c=/[&"'<>\\]/g,d=n.exports={};function S(se,ve){return l.hasOwnProperty.call(se,ve)}d.hasOwnProp=S;function _(se){return u[se]}function E(se,ve,Ge){if(Ge.Update||(Ge=new d.TemplateError(Ge)),Ge.Update(se),!ve){var oe=Ge;Ge=new Error(oe.message),Ge.name=oe.name}return Ge}d._prettifyError=E;function T(se,ve,Ge){var oe,W;se instanceof Error&&(W=se,se=W.name+": "+W.message),Object.setPrototypeOf?(oe=new Error(se),Object.setPrototypeOf(oe,T.prototype)):(oe=this,Object.defineProperty(oe,"message",{enumerable:!1,writable:!0,value:se})),Object.defineProperty(oe,"name",{value:"Template render error"}),Error.captureStackTrace&&Error.captureStackTrace(oe,this.constructor);var Oe;if(W){var tt=Object.getOwnPropertyDescriptor(W,"stack");Oe=tt&&(tt.get||function(){return tt.value}),Oe||(Oe=function(){return W.stack})}else{var rt=new Error(se).stack;Oe=function(){return rt}}return Object.defineProperty(oe,"stack",{get:function(){return Oe.call(oe)}}),Object.defineProperty(oe,"cause",{value:W}),oe.lineno=ve,oe.colno=Ge,oe.firstUpdate=!0,oe.Update=function(dt){var ct="("+(dt||"unknown path")+")";return this.firstUpdate&&(this.lineno&&this.colno?ct+=" [Line "+this.lineno+", Column "+this.colno+"]":this.lineno&&(ct+=" [Line "+this.lineno+"]")),ct+=`
  `,this.firstUpdate&&(ct+=" "),this.message=ct+(this.message||""),this.firstUpdate=!1,this},oe}Object.setPrototypeOf?Object.setPrototypeOf(T.prototype,Error.prototype):T.prototype=Object.create(Error.prototype,{constructor:{value:T}}),d.TemplateError=T;function y(se){return se.replace(c,_)}d.escape=y;function M(se){return l.toString.call(se)==="[object Function]"}d.isFunction=M;function v(se){return l.toString.call(se)==="[object Array]"}d.isArray=v;function A(se){return l.toString.call(se)==="[object String]"}d.isString=A;function O(se){return l.toString.call(se)==="[object Object]"}d.isObject=O;function N(se){return se?typeof se=="string"?se.split("."):[se]:[]}function R(se){var ve=N(se);return function(oe){for(var W=oe,Oe=0;Oe<ve.length;Oe++){var tt=ve[Oe];if(S(W,tt))W=W[tt];else return}return W}}d.getAttrGetter=R;function L(se,ve,Ge){for(var oe={},W=M(ve)?ve:R(ve),Oe=0;Oe<se.length;Oe++){var tt=se[Oe],rt=W(tt,Oe);if(rt===void 0&&Ge===!0)throw new TypeError('groupby: attribute "'+ve+'" resolved to undefined');(oe[rt]||(oe[rt]=[])).push(tt)}return oe}d.groupBy=L;function I(se){return Array.prototype.slice.call(se)}d.toArray=I;function h(se){var ve=[];if(!se)return ve;for(var Ge=se.length,oe=I(arguments).slice(1),W=-1;++W<Ge;)Z(oe,se[W])===-1&&ve.push(se[W]);return ve}d.without=h;function k(se,ve){for(var Ge="",oe=0;oe<ve;oe++)Ge+=se;return Ge}d.repeat=k;function F(se,ve,Ge){if(se!=null){if(o.forEach&&se.forEach===o.forEach)se.forEach(ve,Ge);else if(se.length===+se.length)for(var oe=0,W=se.length;oe<W;oe++)ve.call(Ge,se[oe],oe,se)}}d.each=F;function z(se,ve){var Ge=[];if(se==null)return Ge;if(o.map&&se.map===o.map)return se.map(ve);for(var oe=0;oe<se.length;oe++)Ge[Ge.length]=ve(se[oe],oe);return se.length===+se.length&&(Ge.length=se.length),Ge}d.map=z;function K(se,ve,Ge){var oe=-1;function W(){oe++,oe<se.length?ve(se[oe],oe,W,Ge):Ge()}W()}d.asyncIter=K;function ue(se,ve,Ge){var oe=fe(se||{}),W=oe.length,Oe=-1;function tt(){Oe++;var rt=oe[Oe];Oe<W?ve(rt,se[rt],Oe,W,tt):Ge()}tt()}d.asyncFor=ue;function Z(se,ve,Ge){return Array.prototype.indexOf.call(se||[],ve,Ge)}d.indexOf=Z;function fe(se){var ve=[];for(var Ge in se)S(se,Ge)&&ve.push(Ge);return ve}d.keys=fe;function V(se){return fe(se).map(function(ve){return[ve,se[ve]]})}d._entries=V;function ne(se){return fe(se).map(function(ve){return se[ve]})}d._values=ne;function te(se,ve){return se=se||{},fe(ve).forEach(function(Ge){se[Ge]=ve[Ge]}),se}d._assign=d.extend=te;function G(se,ve){if(v(ve)||A(ve))return ve.indexOf(se)!==-1;if(O(ve))return se in ve;throw new Error('Cannot use "in" operator to search for "'+se+'" in unexpected types.')}d.inOperator=G},function(n,r,a){function o(A,O){for(var N=0;N<O.length;N++){var R=O[N];R.enumerable=R.enumerable||!1,R.configurable=!0,"value"in R&&(R.writable=!0),Object.defineProperty(A,u(R.key),R)}}function l(A,O,N){return O&&o(A.prototype,O),N&&o(A,N),Object.defineProperty(A,"prototype",{writable:!1}),A}function u(A){var O=c(A,"string");return typeof O=="symbol"?O:String(O)}function c(A,O){if(typeof A!="object"||A===null)return A;var N=A[Symbol.toPrimitive];if(N!==void 0){var R=N.call(A,O||"default");if(typeof R!="object")return R;throw new TypeError("@@toPrimitive must return a primitive value.")}return(O==="string"?String:Number)(A)}function d(A,O){A.prototype=Object.create(O.prototype),A.prototype.constructor=A,S(A,O)}function S(A,O){return S=Object.setPrototypeOf?Object.setPrototypeOf.bind():function(R,L){return R.__proto__=L,R},S(A,O)}var _=a(16),E=a(0);function T(A,O){return typeof A!="function"||typeof O!="function"?O:function(){var R=this.parent;this.parent=A;var L=O.apply(this,arguments);return this.parent=R,L}}function y(A,O,N){N=N||{},E.keys(N).forEach(function(L){N[L]=T(A.prototype[L],N[L])});var R=function(L){d(I,L);function I(){return L.apply(this,arguments)||this}return l(I,[{key:"typename",get:function(){return O}}]),I}(A);return E._assign(R.prototype,N),R}var M=function(){function A(){this.init.apply(this,arguments)}var O=A.prototype;return O.init=function(){},A.extend=function(R,L){return typeof R=="object"&&(L=R,R="anonymous"),y(this,R,L)},l(A,[{key:"typename",get:function(){return this.constructor.name}}]),A}(),v=function(A){d(O,A);function O(){var R,L;return L=A.call(this)||this,(R=L).init.apply(R,arguments),L}var N=O.prototype;return N.init=function(){},O.extend=function(L,I){return typeof L=="object"&&(I=L,L="anonymous"),y(this,L,I)},l(O,[{key:"typename",get:function(){return this.constructor.name}}]),O}(_);n.exports={Obj:M,EmitterObj:v}},function(n,r,a){var o=a(0),l=Array.from,u=typeof Symbol=="function"&&Symbol.iterator&&typeof l=="function",c=function(){function z(ue,Z){this.variables=Object.create(null),this.parent=ue,this.topLevel=!1,this.isolateWrites=Z}var K=z.prototype;return K.set=function(Z,fe,V){var ne=Z.split("."),te=this.variables,G=this;if(V&&(G=this.resolve(ne[0],!0))){G.set(Z,fe);return}for(var se=0;se<ne.length-1;se++){var ve=ne[se];te[ve]||(te[ve]={}),te=te[ve]}te[ne[ne.length-1]]=fe},K.get=function(Z){var fe=this.variables[Z];return fe!==void 0?fe:null},K.lookup=function(Z){var fe=this.parent,V=this.variables[Z];return V!==void 0?V:fe&&fe.lookup(Z)},K.resolve=function(Z,fe){var V=fe&&this.isolateWrites?void 0:this.parent,ne=this.variables[Z];return ne!==void 0?this:V&&V.resolve(Z)},K.push=function(Z){return new z(this,Z)},K.pop=function(){return this.parent},z}();function d(z,K,ue){return function(){for(var fe=arguments.length,V=new Array(fe),ne=0;ne<fe;ne++)V[ne]=arguments[ne];var te=T(V),G,se=E(V);if(te>z.length)G=V.slice(0,z.length),V.slice(G.length,te).forEach(function(oe,W){W<K.length&&(se[K[W]]=oe)}),G.push(se);else if(te<z.length){G=V.slice(0,te);for(var ve=te;ve<z.length;ve++){var Ge=z[ve];G.push(se[Ge]),delete se[Ge]}G.push(se)}else G=V;return ue.apply(this,G)}}function S(z){return z.__keywords=!0,z}function _(z){return z&&Object.prototype.hasOwnProperty.call(z,"__keywords")}function E(z){var K=z.length;if(K){var ue=z[K-1];if(_(ue))return ue}return{}}function T(z){var K=z.length;if(K===0)return 0;var ue=z[K-1];return _(ue)?K-1:K}function y(z){if(typeof z!="string")return z;this.val=z,this.length=z.length}y.prototype=Object.create(String.prototype,{length:{writable:!0,configurable:!0,value:0}}),y.prototype.valueOf=function(){return this.val},y.prototype.toString=function(){return this.val};function M(z,K){return z instanceof y?new y(K):K.toString()}function v(z){var K=typeof z;return K==="string"?new y(z):K!=="function"?z:function(Z){var fe=z.apply(this,arguments);return typeof fe=="string"?new y(fe):fe}}function A(z,K){return z=z!=null?z:"",K&&!(z instanceof y)&&(z=o.escape(z.toString())),z}function O(z,K,ue){if(z==null)throw new o.TemplateError("attempted to output null or undefined value",K+1,ue+1);return z}function N(z,K){if(z!=null)return typeof z[K]=="function"?function(){for(var ue=arguments.length,Z=new Array(ue),fe=0;fe<ue;fe++)Z[fe]=arguments[fe];return z[K].apply(z,Z)}:z[K]}function R(z,K,ue,Z){if(z){if(typeof z!="function")throw new Error("Unable to call `"+K+"`, which is not a function")}else throw new Error("Unable to call `"+K+"`, which is undefined or falsey");return z.apply(ue,Z)}function L(z,K,ue){var Z=K.lookup(ue);return Z!==void 0?Z:z.lookup(ue)}function I(z,K,ue){return z.lineno?z:new o.TemplateError(z,K,ue)}function h(z,K,ue,Z){if(o.isArray(z)){var fe=z.length;o.asyncIter(z,function(ne,te,G){switch(K){case 1:ue(ne,te,fe,G);break;case 2:ue(ne[0],ne[1],te,fe,G);break;case 3:ue(ne[0],ne[1],ne[2],te,fe,G);break;default:ne.push(te,fe,G),ue.apply(this,ne)}},Z)}else o.asyncFor(z,function(ne,te,G,se,ve){ue(ne,te,G,se,ve)},Z)}function k(z,K,ue,Z){var fe=0,V,ne;function te(W,Oe){fe++,ne[W]=Oe,fe===V&&Z(null,ne.join(""))}if(o.isArray(z))if(V=z.length,ne=new Array(V),V===0)Z(null,"");else for(var G=0;G<z.length;G++){var se=z[G];switch(K){case 1:ue(se,G,V,te);break;case 2:ue(se[0],se[1],G,V,te);break;case 3:ue(se[0],se[1],se[2],G,V,te);break;default:se.push(G,V,te),ue.apply(this,se)}}else{var ve=o.keys(z||{});if(V=ve.length,ne=new Array(V),V===0)Z(null,"");else for(var Ge=0;Ge<ve.length;Ge++){var oe=ve[Ge];ue(oe,z[oe],Ge,V,te)}}}function F(z){return typeof z!="object"||z===null||o.isArray(z)?z:u&&Symbol.iterator in z?l(z):z}n.exports={Frame:c,makeMacro:d,makeKeywordArgs:S,numArgs:T,suppressValue:A,ensureDefined:O,memberLookup:N,contextOrFrameLookup:L,callWrap:R,handleError:I,isArray:o.isArray,keys:o.keys,SafeString:y,copySafeness:M,markSafe:v,asyncEach:h,asyncAll:k,inOperator:o.inOperator,fromIterator:F}},function(n,r,a){function o(ke,$e){for(var De=0;De<$e.length;De++){var pt=$e[De];pt.enumerable=pt.enumerable||!1,pt.configurable=!0,"value"in pt&&(pt.writable=!0),Object.defineProperty(ke,u(pt.key),pt)}}function l(ke,$e,De){return $e&&o(ke.prototype,$e),De&&o(ke,De),Object.defineProperty(ke,"prototype",{writable:!1}),ke}function u(ke){var $e=c(ke,"string");return typeof $e=="symbol"?$e:String($e)}function c(ke,$e){if(typeof ke!="object"||ke===null)return ke;var De=ke[Symbol.toPrimitive];if(De!==void 0){var pt=De.call(ke,$e||"default");if(typeof pt!="object")return pt;throw new TypeError("@@toPrimitive must return a primitive value.")}return($e==="string"?String:Number)(ke)}function d(ke,$e){ke.prototype=Object.create($e.prototype),ke.prototype.constructor=ke,S(ke,$e)}function S(ke,$e){return S=Object.setPrototypeOf?Object.setPrototypeOf.bind():function(pt,_t){return pt.__proto__=_t,pt},S(ke,$e)}var _=a(1),E=_.Obj;function T(ke,$e,De){ke instanceof $e&&De.push(ke),ke instanceof y&&ke.findAll($e,De)}var y=function(ke){d($e,ke);function $e(){return ke.apply(this,arguments)||this}var De=$e.prototype;return De.init=function(_t,wt){for(var Lt=arguments,cn=this,Xt=arguments.length,an=new Array(Xt>2?Xt-2:0),Zt=2;Zt<Xt;Zt++)an[Zt-2]=arguments[Zt];this.lineno=_t,this.colno=wt,this.fields.forEach(function(Sr,Qn){var wn=Lt[Qn+2];wn===void 0&&(wn=null),cn[Sr]=wn})},De.findAll=function(_t,wt){var Lt=this;return wt=wt||[],this instanceof v?this.children.forEach(function(cn){return T(cn,_t,wt)}):this.fields.forEach(function(cn){return T(Lt[cn],_t,wt)}),wt},De.iterFields=function(_t){var wt=this;this.fields.forEach(function(Lt){_t(wt[Lt],Lt)})},$e}(E),M=function(ke){d($e,ke);function $e(){return ke.apply(this,arguments)||this}return l($e,[{key:"typename",get:function(){return"Value"}},{key:"fields",get:function(){return["value"]}}]),$e}(y),v=function(ke){d($e,ke);function $e(){return ke.apply(this,arguments)||this}var De=$e.prototype;return De.init=function(_t,wt,Lt){ke.prototype.init.call(this,_t,wt,Lt||[])},De.addChild=function(_t){this.children.push(_t)},l($e,[{key:"typename",get:function(){return"NodeList"}},{key:"fields",get:function(){return["children"]}}]),$e}(y),A=v.extend("Root"),O=M.extend("Literal"),N=M.extend("Symbol"),R=v.extend("Group"),L=v.extend("Array"),I=y.extend("Pair",{fields:["key","value"]}),h=v.extend("Dict"),k=y.extend("LookupVal",{fields:["target","val"]}),F=y.extend("If",{fields:["cond","body","else_"]}),z=F.extend("IfAsync"),K=y.extend("InlineIf",{fields:["cond","body","else_"]}),ue=y.extend("For",{fields:["arr","name","body","else_"]}),Z=ue.extend("AsyncEach"),fe=ue.extend("AsyncAll"),V=y.extend("Macro",{fields:["name","args","body"]}),ne=V.extend("Caller"),te=y.extend("Import",{fields:["template","target","withContext"]}),G=function(ke){d($e,ke);function $e(){return ke.apply(this,arguments)||this}var De=$e.prototype;return De.init=function(_t,wt,Lt,cn,Xt){ke.prototype.init.call(this,_t,wt,Lt,cn||new v,Xt)},l($e,[{key:"typename",get:function(){return"FromImport"}},{key:"fields",get:function(){return["template","names","withContext"]}}]),$e}(y),se=y.extend("FunCall",{fields:["name","args"]}),ve=se.extend("Filter"),Ge=ve.extend("FilterAsync",{fields:["name","args","symbol"]}),oe=h.extend("KeywordArgs"),W=y.extend("Block",{fields:["name","body"]}),Oe=y.extend("Super",{fields:["blockName","symbol"]}),tt=y.extend("TemplateRef",{fields:["template"]}),rt=tt.extend("Extends"),bt=y.extend("Include",{fields:["template","ignoreMissing"]}),dt=y.extend("Set",{fields:["targets","value"]}),ct=y.extend("Switch",{fields:["expr","cases","default"]}),Ze=y.extend("Case",{fields:["cond","body"]}),nt=v.extend("Output"),ce=y.extend("Capture",{fields:["body"]}),Ee=O.extend("TemplateData"),He=y.extend("UnaryOp",{fields:["target"]}),we=y.extend("BinOp",{fields:["left","right"]}),ze=we.extend("In"),pe=we.extend("Is"),Re=we.extend("Or"),Ne=we.extend("And"),Ie=He.extend("Not"),Ue=we.extend("Add"),Ve=we.extend("Concat"),lt=we.extend("Sub"),ge=we.extend("Mul"),de=we.extend("Div"),be=we.extend("FloorDiv"),H=we.extend("Mod"),ee=we.extend("Pow"),_e=He.extend("Neg"),U=He.extend("Pos"),Q=y.extend("Compare",{fields:["expr","ops"]}),he=y.extend("CompareOperand",{fields:["expr","type"]}),Le=y.extend("CallExtension",{init:function($e,De,pt,_t){this.parent(),this.extName=$e.__name||$e,this.prop=De,this.args=pt||new v,this.contentArgs=_t||[],this.autoescape=$e.autoescape},fields:["extName","prop","args","contentArgs"]}),Xe=Le.extend("CallExtensionAsync");function je(ke,$e,De){var pt=ke.split(`
 `);pt.forEach(function(_t,wt){_t&&(De&&wt>0||!De)&&process.stdout.write(" ".repeat($e));var Lt=wt===pt.length-1?"":`
 `;process.stdout.write(""+_t+Lt)})}function at(ke,$e){if($e=$e||0,je(ke.typename+": ",$e),ke instanceof v)je(`
@@ -121,7 +121,7 @@ else {`),this._emit("cb()")),this._emitLine("}")},R.compileIfAsync=function(I,h)
 })();
 `,u.asFunction&&(c+="return function(ctx, cb) { return nunjucks.render("+S+`, ctx, cb); }
 `),c+=`})();
-`}return c}n.exports=o},function(n,r,a){function o(){var l=this.runtime,u=this.lib,c=this.compiler.Compiler,d=this.parser.Parser,S=this.nodes,_=this.lexer,E=l.contextOrFrameLookup,T=l.memberLookup,y,M;c&&(y=c.prototype.assertType),d&&(M=d.prototype.parseAggregate);function v(){l.contextOrFrameLookup=E,l.memberLookup=T,c&&(c.prototype.assertType=y),d&&(d.prototype.parseAggregate=M)}l.contextOrFrameLookup=function(k,F,z){var K=E.apply(this,arguments);if(K!==void 0)return K;switch(z){case"True":return!0;case"False":return!1;case"None":return null;default:return}};function A(h){return{index:h.index,lineno:h.lineno,colno:h.colno}}if(S&&c&&d){var O=S.Node.extend("Slice",{fields:["start","stop","step"],init:function(k,F,z,K,ue){z=z||new S.Literal(k,F,null),K=K||new S.Literal(k,F,null),ue=ue||new S.Literal(k,F,1),this.parent(k,F,z,K,ue)}});c.prototype.assertType=function(k){k instanceof O||y.apply(this,arguments)},c.prototype.compileSlice=function(k,F){this._emit("("),this._compileExpression(k.start,F),this._emit("),("),this._compileExpression(k.stop,F),this._emit("),("),this._compileExpression(k.step,F),this._emit(")")},d.prototype.parseAggregate=function(){var k=this,F=A(this.tokens);F.colno--,F.index--;try{return M.apply(this)}catch(te){var z=A(this.tokens),K=function(){return u._assign(k.tokens,z),te};u._assign(this.tokens,F),this.peeked=!1;var ue=this.peekToken();if(ue.type!==_.TOKEN_LEFT_BRACKET)throw K();this.nextToken();for(var Z=new O(ue.lineno,ue.colno),fe=!1,V=0;V<=Z.fields.length&&!this.skip(_.TOKEN_RIGHT_BRACKET);V++){if(V===Z.fields.length)if(fe)this.fail("parseSlice: too many slice components",ue.lineno,ue.colno);else break;if(this.skip(_.TOKEN_COLON))fe=!0;else{var ne=Z.fields[V];Z[ne]=this.parseExpression(),fe=this.skip(_.TOKEN_COLON)||fe}}if(!fe)throw K();return new S.Array(ue.lineno,ue.colno,[Z])}}}function N(h,k,F,z){h=h||[],k===null&&(k=z<0?h.length-1:0),F===null?F=z<0?-1:h.length:F<0&&(F+=h.length),k<0&&(k+=h.length);for(var K=[],ue=k;!(ue<0||ue>h.length||z>0&&ue>=F||z<0&&ue<=F);ue+=z)K.push(l.memberLookup(h,ue));return K}function R(h,k){return Object.prototype.hasOwnProperty.call(h,k)}var L={pop:function(k){if(k===void 0)return this.pop();if(k>=this.length||k<0)throw new Error("KeyError");return this.splice(k,1)},append:function(k){return this.push(k)},remove:function(k){for(var F=0;F<this.length;F++)if(this[F]===k)return this.splice(F,1);throw new Error("ValueError")},count:function(k){for(var F=0,z=0;z<this.length;z++)this[z]===k&&F++;return F},index:function(k){var F;if((F=this.indexOf(k))===-1)throw new Error("ValueError");return F},find:function(k){return this.indexOf(k)},insert:function(k,F){return this.splice(k,0,F)}},I={items:function(){return u._entries(this)},values:function(){return u._values(this)},keys:function(){return u.keys(this)},get:function(k,F){var z=this[k];return z===void 0&&(z=F),z},has_key:function(k){return R(this,k)},pop:function(k,F){var z=this[k];if(z===void 0&&F!==void 0)z=F;else{if(z===void 0)throw new Error("KeyError");delete this[k]}return z},popitem:function(){var k=u.keys(this);if(!k.length)throw new Error("KeyError");var F=k[0],z=this[F];return delete this[F],[F,z]},setdefault:function(k,F){return F===void 0&&(F=null),k in this||(this[k]=F),this[k]},update:function(k){return u._assign(this,k),null}};return I.iteritems=I.items,I.itervalues=I.values,I.iterkeys=I.keys,l.memberLookup=function(k,F,z){return arguments.length===4?N.apply(this,arguments):(k=k||{},u.isArray(k)&&R(L,F)?L[F].bind(k):u.isObject(k)&&R(I,F)?I[F].bind(k):T.apply(this,arguments))},v}n.exports=o}])})})(sR);const OB=ID(sR.exports);var PE={};/*!
+`}return c}n.exports=o},function(n,r,a){function o(){var l=this.runtime,u=this.lib,c=this.compiler.Compiler,d=this.parser.Parser,S=this.nodes,_=this.lexer,E=l.contextOrFrameLookup,T=l.memberLookup,y,M;c&&(y=c.prototype.assertType),d&&(M=d.prototype.parseAggregate);function v(){l.contextOrFrameLookup=E,l.memberLookup=T,c&&(c.prototype.assertType=y),d&&(d.prototype.parseAggregate=M)}l.contextOrFrameLookup=function(k,F,z){var K=E.apply(this,arguments);if(K!==void 0)return K;switch(z){case"True":return!0;case"False":return!1;case"None":return null;default:return}};function A(h){return{index:h.index,lineno:h.lineno,colno:h.colno}}if(S&&c&&d){var O=S.Node.extend("Slice",{fields:["start","stop","step"],init:function(k,F,z,K,ue){z=z||new S.Literal(k,F,null),K=K||new S.Literal(k,F,null),ue=ue||new S.Literal(k,F,1),this.parent(k,F,z,K,ue)}});c.prototype.assertType=function(k){k instanceof O||y.apply(this,arguments)},c.prototype.compileSlice=function(k,F){this._emit("("),this._compileExpression(k.start,F),this._emit("),("),this._compileExpression(k.stop,F),this._emit("),("),this._compileExpression(k.step,F),this._emit(")")},d.prototype.parseAggregate=function(){var k=this,F=A(this.tokens);F.colno--,F.index--;try{return M.apply(this)}catch(te){var z=A(this.tokens),K=function(){return u._assign(k.tokens,z),te};u._assign(this.tokens,F),this.peeked=!1;var ue=this.peekToken();if(ue.type!==_.TOKEN_LEFT_BRACKET)throw K();this.nextToken();for(var Z=new O(ue.lineno,ue.colno),fe=!1,V=0;V<=Z.fields.length&&!this.skip(_.TOKEN_RIGHT_BRACKET);V++){if(V===Z.fields.length)if(fe)this.fail("parseSlice: too many slice components",ue.lineno,ue.colno);else break;if(this.skip(_.TOKEN_COLON))fe=!0;else{var ne=Z.fields[V];Z[ne]=this.parseExpression(),fe=this.skip(_.TOKEN_COLON)||fe}}if(!fe)throw K();return new S.Array(ue.lineno,ue.colno,[Z])}}}function N(h,k,F,z){h=h||[],k===null&&(k=z<0?h.length-1:0),F===null?F=z<0?-1:h.length:F<0&&(F+=h.length),k<0&&(k+=h.length);for(var K=[],ue=k;!(ue<0||ue>h.length||z>0&&ue>=F||z<0&&ue<=F);ue+=z)K.push(l.memberLookup(h,ue));return K}function R(h,k){return Object.prototype.hasOwnProperty.call(h,k)}var L={pop:function(k){if(k===void 0)return this.pop();if(k>=this.length||k<0)throw new Error("KeyError");return this.splice(k,1)},append:function(k){return this.push(k)},remove:function(k){for(var F=0;F<this.length;F++)if(this[F]===k)return this.splice(F,1);throw new Error("ValueError")},count:function(k){for(var F=0,z=0;z<this.length;z++)this[z]===k&&F++;return F},index:function(k){var F;if((F=this.indexOf(k))===-1)throw new Error("ValueError");return F},find:function(k){return this.indexOf(k)},insert:function(k,F){return this.splice(k,0,F)}},I={items:function(){return u._entries(this)},values:function(){return u._values(this)},keys:function(){return u.keys(this)},get:function(k,F){var z=this[k];return z===void 0&&(z=F),z},has_key:function(k){return R(this,k)},pop:function(k,F){var z=this[k];if(z===void 0&&F!==void 0)z=F;else{if(z===void 0)throw new Error("KeyError");delete this[k]}return z},popitem:function(){var k=u.keys(this);if(!k.length)throw new Error("KeyError");var F=k[0],z=this[F];return delete this[F],[F,z]},setdefault:function(k,F){return F===void 0&&(F=null),k in this||(this[k]=F),this[k]},update:function(k){return u._assign(this,k),null}};return I.iteritems=I.items,I.itervalues=I.values,I.iterkeys=I.keys,l.memberLookup=function(k,F,z){return arguments.length===4?N.apply(this,arguments):(k=k||{},u.isArray(k)&&R(L,F)?L[F].bind(k):u.isObject(k)&&R(I,F)?I[F].bind(k):T.apply(this,arguments))},v}n.exports=o}])})})(uR);const NB=xD(uR.exports);var FE={};/*!
  *  howler.js v2.2.4
  *  howlerjs.com
  *
@@ -139,11 +139,11 @@ else {`),this._emit("cb()")),this._emitLine("}")},R.compileIfAsync=function(I,h)
  *  goldfirestudios.com
  *
  *  MIT License
- */(function(){HowlerGlobal.prototype._pos=[0,0,0],HowlerGlobal.prototype._orientation=[0,0,-1,0,1,0],HowlerGlobal.prototype.stereo=function(n){var r=this;if(!r.ctx||!r.ctx.listener)return r;for(var a=r._howls.length-1;a>=0;a--)r._howls[a].stereo(n);return r},HowlerGlobal.prototype.pos=function(n,r,a){var o=this;if(!o.ctx||!o.ctx.listener)return o;if(r=typeof r!="number"?o._pos[1]:r,a=typeof a!="number"?o._pos[2]:a,typeof n=="number")o._pos=[n,r,a],typeof o.ctx.listener.positionX<"u"?(o.ctx.listener.positionX.setTargetAtTime(o._pos[0],Howler.ctx.currentTime,.1),o.ctx.listener.positionY.setTargetAtTime(o._pos[1],Howler.ctx.currentTime,.1),o.ctx.listener.positionZ.setTargetAtTime(o._pos[2],Howler.ctx.currentTime,.1)):o.ctx.listener.setPosition(o._pos[0],o._pos[1],o._pos[2]);else return o._pos;return o},HowlerGlobal.prototype.orientation=function(n,r,a,o,l,u){var c=this;if(!c.ctx||!c.ctx.listener)return c;var d=c._orientation;if(r=typeof r!="number"?d[1]:r,a=typeof a!="number"?d[2]:a,o=typeof o!="number"?d[3]:o,l=typeof l!="number"?d[4]:l,u=typeof u!="number"?d[5]:u,typeof n=="number")c._orientation=[n,r,a,o,l,u],typeof c.ctx.listener.forwardX<"u"?(c.ctx.listener.forwardX.setTargetAtTime(n,Howler.ctx.currentTime,.1),c.ctx.listener.forwardY.setTargetAtTime(r,Howler.ctx.currentTime,.1),c.ctx.listener.forwardZ.setTargetAtTime(a,Howler.ctx.currentTime,.1),c.ctx.listener.upX.setTargetAtTime(o,Howler.ctx.currentTime,.1),c.ctx.listener.upY.setTargetAtTime(l,Howler.ctx.currentTime,.1),c.ctx.listener.upZ.setTargetAtTime(u,Howler.ctx.currentTime,.1)):c.ctx.listener.setOrientation(n,r,a,o,l,u);else return d;return c},Howl.prototype.init=function(n){return function(r){var a=this;return a._orientation=r.orientation||[1,0,0],a._stereo=r.stereo||null,a._pos=r.pos||null,a._pannerAttr={coneInnerAngle:typeof r.coneInnerAngle<"u"?r.coneInnerAngle:360,coneOuterAngle:typeof r.coneOuterAngle<"u"?r.coneOuterAngle:360,coneOuterGain:typeof r.coneOuterGain<"u"?r.coneOuterGain:0,distanceModel:typeof r.distanceModel<"u"?r.distanceModel:"inverse",maxDistance:typeof r.maxDistance<"u"?r.maxDistance:1e4,panningModel:typeof r.panningModel<"u"?r.panningModel:"HRTF",refDistance:typeof r.refDistance<"u"?r.refDistance:1,rolloffFactor:typeof r.rolloffFactor<"u"?r.rolloffFactor:1},a._onstereo=r.onstereo?[{fn:r.onstereo}]:[],a._onpos=r.onpos?[{fn:r.onpos}]:[],a._onorientation=r.onorientation?[{fn:r.onorientation}]:[],n.call(this,r)}}(Howl.prototype.init),Howl.prototype.stereo=function(n,r){var a=this;if(!a._webAudio)return a;if(a._state!=="loaded")return a._queue.push({event:"stereo",action:function(){a.stereo(n,r)}}),a;var o=typeof Howler.ctx.createStereoPanner>"u"?"spatial":"stereo";if(typeof r>"u")if(typeof n=="number")a._stereo=n,a._pos=[n,0,0];else return a._stereo;for(var l=a._getSoundIds(r),u=0;u<l.length;u++){var c=a._soundById(l[u]);if(c)if(typeof n=="number")c._stereo=n,c._pos=[n,0,0],c._node&&(c._pannerAttr.panningModel="equalpower",(!c._panner||!c._panner.pan)&&t(c,o),o==="spatial"?typeof c._panner.positionX<"u"?(c._panner.positionX.setValueAtTime(n,Howler.ctx.currentTime),c._panner.positionY.setValueAtTime(0,Howler.ctx.currentTime),c._panner.positionZ.setValueAtTime(0,Howler.ctx.currentTime)):c._panner.setPosition(n,0,0):c._panner.pan.setValueAtTime(n,Howler.ctx.currentTime)),a._emit("stereo",c._id);else return c._stereo}return a},Howl.prototype.pos=function(n,r,a,o){var l=this;if(!l._webAudio)return l;if(l._state!=="loaded")return l._queue.push({event:"pos",action:function(){l.pos(n,r,a,o)}}),l;if(r=typeof r!="number"?0:r,a=typeof a!="number"?-.5:a,typeof o>"u")if(typeof n=="number")l._pos=[n,r,a];else return l._pos;for(var u=l._getSoundIds(o),c=0;c<u.length;c++){var d=l._soundById(u[c]);if(d)if(typeof n=="number")d._pos=[n,r,a],d._node&&((!d._panner||d._panner.pan)&&t(d,"spatial"),typeof d._panner.positionX<"u"?(d._panner.positionX.setValueAtTime(n,Howler.ctx.currentTime),d._panner.positionY.setValueAtTime(r,Howler.ctx.currentTime),d._panner.positionZ.setValueAtTime(a,Howler.ctx.currentTime)):d._panner.setPosition(n,r,a)),l._emit("pos",d._id);else return d._pos}return l},Howl.prototype.orientation=function(n,r,a,o){var l=this;if(!l._webAudio)return l;if(l._state!=="loaded")return l._queue.push({event:"orientation",action:function(){l.orientation(n,r,a,o)}}),l;if(r=typeof r!="number"?l._orientation[1]:r,a=typeof a!="number"?l._orientation[2]:a,typeof o>"u")if(typeof n=="number")l._orientation=[n,r,a];else return l._orientation;for(var u=l._getSoundIds(o),c=0;c<u.length;c++){var d=l._soundById(u[c]);if(d)if(typeof n=="number")d._orientation=[n,r,a],d._node&&(d._panner||(d._pos||(d._pos=l._pos||[0,0,-.5]),t(d,"spatial")),typeof d._panner.orientationX<"u"?(d._panner.orientationX.setValueAtTime(n,Howler.ctx.currentTime),d._panner.orientationY.setValueAtTime(r,Howler.ctx.currentTime),d._panner.orientationZ.setValueAtTime(a,Howler.ctx.currentTime)):d._panner.setOrientation(n,r,a)),l._emit("orientation",d._id);else return d._orientation}return l},Howl.prototype.pannerAttr=function(){var n=this,r=arguments,a,o,l;if(!n._webAudio)return n;if(r.length===0)return n._pannerAttr;if(r.length===1)if(typeof r[0]=="object")a=r[0],typeof o>"u"&&(a.pannerAttr||(a.pannerAttr={coneInnerAngle:a.coneInnerAngle,coneOuterAngle:a.coneOuterAngle,coneOuterGain:a.coneOuterGain,distanceModel:a.distanceModel,maxDistance:a.maxDistance,refDistance:a.refDistance,rolloffFactor:a.rolloffFactor,panningModel:a.panningModel}),n._pannerAttr={coneInnerAngle:typeof a.pannerAttr.coneInnerAngle<"u"?a.pannerAttr.coneInnerAngle:n._coneInnerAngle,coneOuterAngle:typeof a.pannerAttr.coneOuterAngle<"u"?a.pannerAttr.coneOuterAngle:n._coneOuterAngle,coneOuterGain:typeof a.pannerAttr.coneOuterGain<"u"?a.pannerAttr.coneOuterGain:n._coneOuterGain,distanceModel:typeof a.pannerAttr.distanceModel<"u"?a.pannerAttr.distanceModel:n._distanceModel,maxDistance:typeof a.pannerAttr.maxDistance<"u"?a.pannerAttr.maxDistance:n._maxDistance,refDistance:typeof a.pannerAttr.refDistance<"u"?a.pannerAttr.refDistance:n._refDistance,rolloffFactor:typeof a.pannerAttr.rolloffFactor<"u"?a.pannerAttr.rolloffFactor:n._rolloffFactor,panningModel:typeof a.pannerAttr.panningModel<"u"?a.pannerAttr.panningModel:n._panningModel});else return l=n._soundById(parseInt(r[0],10)),l?l._pannerAttr:n._pannerAttr;else r.length===2&&(a=r[0],o=parseInt(r[1],10));for(var u=n._getSoundIds(o),c=0;c<u.length;c++)if(l=n._soundById(u[c]),l){var d=l._pannerAttr;d={coneInnerAngle:typeof a.coneInnerAngle<"u"?a.coneInnerAngle:d.coneInnerAngle,coneOuterAngle:typeof a.coneOuterAngle<"u"?a.coneOuterAngle:d.coneOuterAngle,coneOuterGain:typeof a.coneOuterGain<"u"?a.coneOuterGain:d.coneOuterGain,distanceModel:typeof a.distanceModel<"u"?a.distanceModel:d.distanceModel,maxDistance:typeof a.maxDistance<"u"?a.maxDistance:d.maxDistance,refDistance:typeof a.refDistance<"u"?a.refDistance:d.refDistance,rolloffFactor:typeof a.rolloffFactor<"u"?a.rolloffFactor:d.rolloffFactor,panningModel:typeof a.panningModel<"u"?a.panningModel:d.panningModel};var S=l._panner;S||(l._pos||(l._pos=n._pos||[0,0,-.5]),t(l,"spatial"),S=l._panner),S.coneInnerAngle=d.coneInnerAngle,S.coneOuterAngle=d.coneOuterAngle,S.coneOuterGain=d.coneOuterGain,S.distanceModel=d.distanceModel,S.maxDistance=d.maxDistance,S.refDistance=d.refDistance,S.rolloffFactor=d.rolloffFactor,S.panningModel=d.panningModel}return n},Sound.prototype.init=function(n){return function(){var r=this,a=r._parent;r._orientation=a._orientation,r._stereo=a._stereo,r._pos=a._pos,r._pannerAttr=a._pannerAttr,n.call(this),r._stereo?a.stereo(r._stereo):r._pos&&a.pos(r._pos[0],r._pos[1],r._pos[2],r._id)}}(Sound.prototype.init),Sound.prototype.reset=function(n){return function(){var r=this,a=r._parent;return r._orientation=a._orientation,r._stereo=a._stereo,r._pos=a._pos,r._pannerAttr=a._pannerAttr,r._stereo?a.stereo(r._stereo):r._pos?a.pos(r._pos[0],r._pos[1],r._pos[2],r._id):r._panner&&(r._panner.disconnect(0),r._panner=void 0,a._refreshBuffer(r)),n.call(this)}}(Sound.prototype.reset);var t=function(n,r){r=r||"spatial",r==="spatial"?(n._panner=Howler.ctx.createPanner(),n._panner.coneInnerAngle=n._pannerAttr.coneInnerAngle,n._panner.coneOuterAngle=n._pannerAttr.coneOuterAngle,n._panner.coneOuterGain=n._pannerAttr.coneOuterGain,n._panner.distanceModel=n._pannerAttr.distanceModel,n._panner.maxDistance=n._pannerAttr.maxDistance,n._panner.refDistance=n._pannerAttr.refDistance,n._panner.rolloffFactor=n._pannerAttr.rolloffFactor,n._panner.panningModel=n._pannerAttr.panningModel,typeof n._panner.positionX<"u"?(n._panner.positionX.setValueAtTime(n._pos[0],Howler.ctx.currentTime),n._panner.positionY.setValueAtTime(n._pos[1],Howler.ctx.currentTime),n._panner.positionZ.setValueAtTime(n._pos[2],Howler.ctx.currentTime)):n._panner.setPosition(n._pos[0],n._pos[1],n._pos[2]),typeof n._panner.orientationX<"u"?(n._panner.orientationX.setValueAtTime(n._orientation[0],Howler.ctx.currentTime),n._panner.orientationY.setValueAtTime(n._orientation[1],Howler.ctx.currentTime),n._panner.orientationZ.setValueAtTime(n._orientation[2],Howler.ctx.currentTime)):n._panner.setOrientation(n._orientation[0],n._orientation[1],n._orientation[2])):(n._panner=Howler.ctx.createStereoPanner(),n._panner.pan.setValueAtTime(n._stereo,Howler.ctx.currentTime)),n._panner.connect(n._node),n._paused||n._parent.pause(n._id,!0).play(n._id,!0)}})()})(PE);function Qa(){this.id=Math.random(),this.isMaster=!1,this.others={},window.addEventListener("storage",this,!1),window.addEventListener("unload",this,!1),this.broadcast("hello");var e=this,t=function r(){e.check(),e._checkTimeout=setTimeout(r,9e3)},n=function r(){e.sendPing(),e._pingTimeout=setTimeout(r,17e3)};this._checkTimeout=setTimeout(t,500),this._pingTimeout=setTimeout(n,17e3)}Qa.prototype.destroy=function(){clearTimeout(this._pingTimeout),clearTimeout(this._checkTimeout),window.removeEventListener("storage",this,!1),window.removeEventListener("unload",this,!1),this.broadcast("bye")};Qa.prototype.handleEvent=function(e){if(e.type==="unload")this.destroy();else if(e.key==="broadcast")try{var t=JSON.parse(e.newValue);t.id!==this.id&&this[t.type](t)}catch(n){console.log(n)}};Qa.prototype.sendPing=function(){this.broadcast("ping")};Qa.prototype.hello=function(e){this.ping(e),e.id<this.id?this.check():this.sendPing()};Qa.prototype.ping=function(e){this.others[e.id]=+new Date};Qa.prototype.bye=function(e){delete this.others[e.id],this.check()};Qa.prototype.check=function(e){var t=+new Date,n=!0,r;for(r in this.others)this.others[r]+23e3<t?delete this.others[r]:r<this.id&&(n=!1);this.isMaster!==n&&(this.isMaster=n,this.masterDidChange())};Qa.prototype.masterDidChange=function(){};Qa.prototype.broadcast=function(e,t){var n={id:this.id,type:e};for(var r in t)n[r]=t[r];try{localStorage.setItem("broadcast",JSON.stringify(n))}catch(a){console.log(a)}};const Ws=window.localStorage,Vs="unread_notifications";function RB(){let e=Ws.getItem(Vs);e===null?Ws.setItem(Vs,0):e>0&&At(".badge-notification").text(e)}function jc(){let e=Ws.getItem(Vs)||0;Ws.setItem(Vs,++e),At(".badge-notification").text(e)}function Xg(){let e=Ws.getItem(Vs)||0;e>0&&(Ws.setItem(Vs,--e),At(".badge-notification").text(e)),e==0&&NB()}function NB(){Ws.setItem(Vs,0),At(".badge-notification").empty()}const IB=e=>{const t=new EventSource(e+"/events"),n=new Qa,r=new PE.Howl({src:[e+"/themes/admin/static/sounds/notification.webm",e+"/themes/admin/static/sounds/notification.mp3"]});RB();function a(){t.addEventListener("notification",function(u){let c=JSON.parse(u.data);n.broadcast("notification",c),l(c),c.sound&&r.play()},!1)}function o(){t&&t.close()}function l(u){switch(u.type){case"toast":{jc();let c=50,d=u.content.length>c?u.content.substring(0,c-3)+"...":u.content,S=!1;VA({title:u.title,body:d,onclick:function(){ph({title:u.title,body:u.html,button:"Compris!",success:function(){S=!0,Xg()}})},onclose:function(){S||Xg()}});break}case"alert":{jc(),ph({title:u.title,body:u.html,button:"Compris!",success:function(){Xg()}});break}case"background":{jc();break}default:{jc();break}}}n.alert=function(u){l(u)},n.toast=function(u){l(u)},n.background=function(u){l(u)},n.masterDidChange=function(){this.isMaster?a():o()}};oc.extend(oR);const DB=()=>{At("[data-time]").each((e,t)=>{let n=At(t),r=n.data("time"),a=n.data("time-format")||"MMMM Do, h:mm:ss A";t.innerText=oc(r).format(a)})};At.fn.serializeJSON=function(e){let t={},n=At(this),r=n.serializeArray();return r=r.concat(n.find("input[type=checkbox]:checked").map(function(){return{name:this.name,value:!0}}).get()),r=r.concat(n.find("input[type=checkbox]:not(:checked)").map(function(){return{name:this.name,value:!1}}).get()),r.map(a=>{if(e)if(a.value!==null&&a.value!=="")t[a.name]=a.value;else{let o=n.find(`:input[name='${a.name}']`);o.data("initial")!==o.val()&&(t[a.name]=a.value)}else t[a.name]=a.value}),t};var iC={exports:{}};/*!
+ */(function(){HowlerGlobal.prototype._pos=[0,0,0],HowlerGlobal.prototype._orientation=[0,0,-1,0,1,0],HowlerGlobal.prototype.stereo=function(n){var r=this;if(!r.ctx||!r.ctx.listener)return r;for(var a=r._howls.length-1;a>=0;a--)r._howls[a].stereo(n);return r},HowlerGlobal.prototype.pos=function(n,r,a){var o=this;if(!o.ctx||!o.ctx.listener)return o;if(r=typeof r!="number"?o._pos[1]:r,a=typeof a!="number"?o._pos[2]:a,typeof n=="number")o._pos=[n,r,a],typeof o.ctx.listener.positionX<"u"?(o.ctx.listener.positionX.setTargetAtTime(o._pos[0],Howler.ctx.currentTime,.1),o.ctx.listener.positionY.setTargetAtTime(o._pos[1],Howler.ctx.currentTime,.1),o.ctx.listener.positionZ.setTargetAtTime(o._pos[2],Howler.ctx.currentTime,.1)):o.ctx.listener.setPosition(o._pos[0],o._pos[1],o._pos[2]);else return o._pos;return o},HowlerGlobal.prototype.orientation=function(n,r,a,o,l,u){var c=this;if(!c.ctx||!c.ctx.listener)return c;var d=c._orientation;if(r=typeof r!="number"?d[1]:r,a=typeof a!="number"?d[2]:a,o=typeof o!="number"?d[3]:o,l=typeof l!="number"?d[4]:l,u=typeof u!="number"?d[5]:u,typeof n=="number")c._orientation=[n,r,a,o,l,u],typeof c.ctx.listener.forwardX<"u"?(c.ctx.listener.forwardX.setTargetAtTime(n,Howler.ctx.currentTime,.1),c.ctx.listener.forwardY.setTargetAtTime(r,Howler.ctx.currentTime,.1),c.ctx.listener.forwardZ.setTargetAtTime(a,Howler.ctx.currentTime,.1),c.ctx.listener.upX.setTargetAtTime(o,Howler.ctx.currentTime,.1),c.ctx.listener.upY.setTargetAtTime(l,Howler.ctx.currentTime,.1),c.ctx.listener.upZ.setTargetAtTime(u,Howler.ctx.currentTime,.1)):c.ctx.listener.setOrientation(n,r,a,o,l,u);else return d;return c},Howl.prototype.init=function(n){return function(r){var a=this;return a._orientation=r.orientation||[1,0,0],a._stereo=r.stereo||null,a._pos=r.pos||null,a._pannerAttr={coneInnerAngle:typeof r.coneInnerAngle<"u"?r.coneInnerAngle:360,coneOuterAngle:typeof r.coneOuterAngle<"u"?r.coneOuterAngle:360,coneOuterGain:typeof r.coneOuterGain<"u"?r.coneOuterGain:0,distanceModel:typeof r.distanceModel<"u"?r.distanceModel:"inverse",maxDistance:typeof r.maxDistance<"u"?r.maxDistance:1e4,panningModel:typeof r.panningModel<"u"?r.panningModel:"HRTF",refDistance:typeof r.refDistance<"u"?r.refDistance:1,rolloffFactor:typeof r.rolloffFactor<"u"?r.rolloffFactor:1},a._onstereo=r.onstereo?[{fn:r.onstereo}]:[],a._onpos=r.onpos?[{fn:r.onpos}]:[],a._onorientation=r.onorientation?[{fn:r.onorientation}]:[],n.call(this,r)}}(Howl.prototype.init),Howl.prototype.stereo=function(n,r){var a=this;if(!a._webAudio)return a;if(a._state!=="loaded")return a._queue.push({event:"stereo",action:function(){a.stereo(n,r)}}),a;var o=typeof Howler.ctx.createStereoPanner>"u"?"spatial":"stereo";if(typeof r>"u")if(typeof n=="number")a._stereo=n,a._pos=[n,0,0];else return a._stereo;for(var l=a._getSoundIds(r),u=0;u<l.length;u++){var c=a._soundById(l[u]);if(c)if(typeof n=="number")c._stereo=n,c._pos=[n,0,0],c._node&&(c._pannerAttr.panningModel="equalpower",(!c._panner||!c._panner.pan)&&t(c,o),o==="spatial"?typeof c._panner.positionX<"u"?(c._panner.positionX.setValueAtTime(n,Howler.ctx.currentTime),c._panner.positionY.setValueAtTime(0,Howler.ctx.currentTime),c._panner.positionZ.setValueAtTime(0,Howler.ctx.currentTime)):c._panner.setPosition(n,0,0):c._panner.pan.setValueAtTime(n,Howler.ctx.currentTime)),a._emit("stereo",c._id);else return c._stereo}return a},Howl.prototype.pos=function(n,r,a,o){var l=this;if(!l._webAudio)return l;if(l._state!=="loaded")return l._queue.push({event:"pos",action:function(){l.pos(n,r,a,o)}}),l;if(r=typeof r!="number"?0:r,a=typeof a!="number"?-.5:a,typeof o>"u")if(typeof n=="number")l._pos=[n,r,a];else return l._pos;for(var u=l._getSoundIds(o),c=0;c<u.length;c++){var d=l._soundById(u[c]);if(d)if(typeof n=="number")d._pos=[n,r,a],d._node&&((!d._panner||d._panner.pan)&&t(d,"spatial"),typeof d._panner.positionX<"u"?(d._panner.positionX.setValueAtTime(n,Howler.ctx.currentTime),d._panner.positionY.setValueAtTime(r,Howler.ctx.currentTime),d._panner.positionZ.setValueAtTime(a,Howler.ctx.currentTime)):d._panner.setPosition(n,r,a)),l._emit("pos",d._id);else return d._pos}return l},Howl.prototype.orientation=function(n,r,a,o){var l=this;if(!l._webAudio)return l;if(l._state!=="loaded")return l._queue.push({event:"orientation",action:function(){l.orientation(n,r,a,o)}}),l;if(r=typeof r!="number"?l._orientation[1]:r,a=typeof a!="number"?l._orientation[2]:a,typeof o>"u")if(typeof n=="number")l._orientation=[n,r,a];else return l._orientation;for(var u=l._getSoundIds(o),c=0;c<u.length;c++){var d=l._soundById(u[c]);if(d)if(typeof n=="number")d._orientation=[n,r,a],d._node&&(d._panner||(d._pos||(d._pos=l._pos||[0,0,-.5]),t(d,"spatial")),typeof d._panner.orientationX<"u"?(d._panner.orientationX.setValueAtTime(n,Howler.ctx.currentTime),d._panner.orientationY.setValueAtTime(r,Howler.ctx.currentTime),d._panner.orientationZ.setValueAtTime(a,Howler.ctx.currentTime)):d._panner.setOrientation(n,r,a)),l._emit("orientation",d._id);else return d._orientation}return l},Howl.prototype.pannerAttr=function(){var n=this,r=arguments,a,o,l;if(!n._webAudio)return n;if(r.length===0)return n._pannerAttr;if(r.length===1)if(typeof r[0]=="object")a=r[0],typeof o>"u"&&(a.pannerAttr||(a.pannerAttr={coneInnerAngle:a.coneInnerAngle,coneOuterAngle:a.coneOuterAngle,coneOuterGain:a.coneOuterGain,distanceModel:a.distanceModel,maxDistance:a.maxDistance,refDistance:a.refDistance,rolloffFactor:a.rolloffFactor,panningModel:a.panningModel}),n._pannerAttr={coneInnerAngle:typeof a.pannerAttr.coneInnerAngle<"u"?a.pannerAttr.coneInnerAngle:n._coneInnerAngle,coneOuterAngle:typeof a.pannerAttr.coneOuterAngle<"u"?a.pannerAttr.coneOuterAngle:n._coneOuterAngle,coneOuterGain:typeof a.pannerAttr.coneOuterGain<"u"?a.pannerAttr.coneOuterGain:n._coneOuterGain,distanceModel:typeof a.pannerAttr.distanceModel<"u"?a.pannerAttr.distanceModel:n._distanceModel,maxDistance:typeof a.pannerAttr.maxDistance<"u"?a.pannerAttr.maxDistance:n._maxDistance,refDistance:typeof a.pannerAttr.refDistance<"u"?a.pannerAttr.refDistance:n._refDistance,rolloffFactor:typeof a.pannerAttr.rolloffFactor<"u"?a.pannerAttr.rolloffFactor:n._rolloffFactor,panningModel:typeof a.pannerAttr.panningModel<"u"?a.pannerAttr.panningModel:n._panningModel});else return l=n._soundById(parseInt(r[0],10)),l?l._pannerAttr:n._pannerAttr;else r.length===2&&(a=r[0],o=parseInt(r[1],10));for(var u=n._getSoundIds(o),c=0;c<u.length;c++)if(l=n._soundById(u[c]),l){var d=l._pannerAttr;d={coneInnerAngle:typeof a.coneInnerAngle<"u"?a.coneInnerAngle:d.coneInnerAngle,coneOuterAngle:typeof a.coneOuterAngle<"u"?a.coneOuterAngle:d.coneOuterAngle,coneOuterGain:typeof a.coneOuterGain<"u"?a.coneOuterGain:d.coneOuterGain,distanceModel:typeof a.distanceModel<"u"?a.distanceModel:d.distanceModel,maxDistance:typeof a.maxDistance<"u"?a.maxDistance:d.maxDistance,refDistance:typeof a.refDistance<"u"?a.refDistance:d.refDistance,rolloffFactor:typeof a.rolloffFactor<"u"?a.rolloffFactor:d.rolloffFactor,panningModel:typeof a.panningModel<"u"?a.panningModel:d.panningModel};var S=l._panner;S||(l._pos||(l._pos=n._pos||[0,0,-.5]),t(l,"spatial"),S=l._panner),S.coneInnerAngle=d.coneInnerAngle,S.coneOuterAngle=d.coneOuterAngle,S.coneOuterGain=d.coneOuterGain,S.distanceModel=d.distanceModel,S.maxDistance=d.maxDistance,S.refDistance=d.refDistance,S.rolloffFactor=d.rolloffFactor,S.panningModel=d.panningModel}return n},Sound.prototype.init=function(n){return function(){var r=this,a=r._parent;r._orientation=a._orientation,r._stereo=a._stereo,r._pos=a._pos,r._pannerAttr=a._pannerAttr,n.call(this),r._stereo?a.stereo(r._stereo):r._pos&&a.pos(r._pos[0],r._pos[1],r._pos[2],r._id)}}(Sound.prototype.init),Sound.prototype.reset=function(n){return function(){var r=this,a=r._parent;return r._orientation=a._orientation,r._stereo=a._stereo,r._pos=a._pos,r._pannerAttr=a._pannerAttr,r._stereo?a.stereo(r._stereo):r._pos?a.pos(r._pos[0],r._pos[1],r._pos[2],r._id):r._panner&&(r._panner.disconnect(0),r._panner=void 0,a._refreshBuffer(r)),n.call(this)}}(Sound.prototype.reset);var t=function(n,r){r=r||"spatial",r==="spatial"?(n._panner=Howler.ctx.createPanner(),n._panner.coneInnerAngle=n._pannerAttr.coneInnerAngle,n._panner.coneOuterAngle=n._pannerAttr.coneOuterAngle,n._panner.coneOuterGain=n._pannerAttr.coneOuterGain,n._panner.distanceModel=n._pannerAttr.distanceModel,n._panner.maxDistance=n._pannerAttr.maxDistance,n._panner.refDistance=n._pannerAttr.refDistance,n._panner.rolloffFactor=n._pannerAttr.rolloffFactor,n._panner.panningModel=n._pannerAttr.panningModel,typeof n._panner.positionX<"u"?(n._panner.positionX.setValueAtTime(n._pos[0],Howler.ctx.currentTime),n._panner.positionY.setValueAtTime(n._pos[1],Howler.ctx.currentTime),n._panner.positionZ.setValueAtTime(n._pos[2],Howler.ctx.currentTime)):n._panner.setPosition(n._pos[0],n._pos[1],n._pos[2]),typeof n._panner.orientationX<"u"?(n._panner.orientationX.setValueAtTime(n._orientation[0],Howler.ctx.currentTime),n._panner.orientationY.setValueAtTime(n._orientation[1],Howler.ctx.currentTime),n._panner.orientationZ.setValueAtTime(n._orientation[2],Howler.ctx.currentTime)):n._panner.setOrientation(n._orientation[0],n._orientation[1],n._orientation[2])):(n._panner=Howler.ctx.createStereoPanner(),n._panner.pan.setValueAtTime(n._stereo,Howler.ctx.currentTime)),n._panner.connect(n._node),n._paused||n._parent.pause(n._id,!0).play(n._id,!0)}})()})(FE);function Qa(){this.id=Math.random(),this.isMaster=!1,this.others={},window.addEventListener("storage",this,!1),window.addEventListener("unload",this,!1),this.broadcast("hello");var e=this,t=function r(){e.check(),e._checkTimeout=setTimeout(r,9e3)},n=function r(){e.sendPing(),e._pingTimeout=setTimeout(r,17e3)};this._checkTimeout=setTimeout(t,500),this._pingTimeout=setTimeout(n,17e3)}Qa.prototype.destroy=function(){clearTimeout(this._pingTimeout),clearTimeout(this._checkTimeout),window.removeEventListener("storage",this,!1),window.removeEventListener("unload",this,!1),this.broadcast("bye")};Qa.prototype.handleEvent=function(e){if(e.type==="unload")this.destroy();else if(e.key==="broadcast")try{var t=JSON.parse(e.newValue);t.id!==this.id&&this[t.type](t)}catch(n){console.log(n)}};Qa.prototype.sendPing=function(){this.broadcast("ping")};Qa.prototype.hello=function(e){this.ping(e),e.id<this.id?this.check():this.sendPing()};Qa.prototype.ping=function(e){this.others[e.id]=+new Date};Qa.prototype.bye=function(e){delete this.others[e.id],this.check()};Qa.prototype.check=function(e){var t=+new Date,n=!0,r;for(r in this.others)this.others[r]+23e3<t?delete this.others[r]:r<this.id&&(n=!1);this.isMaster!==n&&(this.isMaster=n,this.masterDidChange())};Qa.prototype.masterDidChange=function(){};Qa.prototype.broadcast=function(e,t){var n={id:this.id,type:e};for(var r in t)n[r]=t[r];try{localStorage.setItem("broadcast",JSON.stringify(n))}catch(a){console.log(a)}};const Ws=window.localStorage,Vs="unread_notifications";function IB(){let e=Ws.getItem(Vs);e===null?Ws.setItem(Vs,0):e>0&&At(".badge-notification").text(e)}function jc(){let e=Ws.getItem(Vs)||0;Ws.setItem(Vs,++e),At(".badge-notification").text(e)}function Zg(){let e=Ws.getItem(Vs)||0;e>0&&(Ws.setItem(Vs,--e),At(".badge-notification").text(e)),e==0&&DB()}function DB(){Ws.setItem(Vs,0),At(".badge-notification").empty()}const xB=e=>{const t=new EventSource(e+"/events"),n=new Qa,r=new FE.Howl({src:[e+"/themes/admin/static/sounds/notification.webm",e+"/themes/admin/static/sounds/notification.mp3"]});IB();function a(){t.addEventListener("notification",function(u){let c=JSON.parse(u.data);n.broadcast("notification",c),l(c),c.sound&&r.play()},!1)}function o(){t&&t.close()}function l(u){switch(u.type){case"toast":{jc();let c=50,d=u.content.length>c?u.content.substring(0,c-3)+"...":u.content,S=!1;KA({title:u.title,body:d,onclick:function(){_h({title:u.title,body:u.html,button:"Compris!",success:function(){S=!0,Zg()}})},onclose:function(){S||Zg()}});break}case"alert":{jc(),_h({title:u.title,body:u.html,button:"Compris!",success:function(){Zg()}});break}case"background":{jc();break}default:{jc();break}}}n.alert=function(u){l(u)},n.toast=function(u){l(u)},n.background=function(u){l(u)},n.masterDidChange=function(){this.isMaster?a():o()}};oc.extend(lR);const wB=()=>{At("[data-time]").each((e,t)=>{let n=At(t),r=n.data("time"),a=n.data("time-format")||"MMMM Do, h:mm:ss A";t.innerText=oc(r).format(a)})};At.fn.serializeJSON=function(e){let t={},n=At(this),r=n.serializeArray();return r=r.concat(n.find("input[type=checkbox]:checked").map(function(){return{name:this.name,value:!0}}).get()),r=r.concat(n.find("input[type=checkbox]:not(:checked)").map(function(){return{name:this.name,value:!1}}).get()),r.map(a=>{if(e)if(a.value!==null&&a.value!=="")t[a.name]=a.value;else{let o=n.find(`:input[name='${a.name}']`);o.data("initial")!==o.val()&&(t[a.name]=a.value)}else t[a.name]=a.value}),t};var oC={exports:{}};/*!
   * Bootstrap v4.3.1 (https://getbootstrap.com/)
   * Copyright 2011-2019 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors)
   * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)
-  */(function(e,t){(function(n,r){r(t,zl.exports)})(Jr,function(n,r){r=r&&r.hasOwnProperty("default")?r.default:r;function a(q,ie){for(var re=0;re<ie.length;re++){var D=ie[re];D.enumerable=D.enumerable||!1,D.configurable=!0,"value"in D&&(D.writable=!0),Object.defineProperty(q,D.key,D)}}function o(q,ie,re){return ie&&a(q.prototype,ie),re&&a(q,re),q}function l(q,ie,re){return ie in q?Object.defineProperty(q,ie,{value:re,enumerable:!0,configurable:!0,writable:!0}):q[ie]=re,q}function u(q){for(var ie=1;ie<arguments.length;ie++){var re=arguments[ie]!=null?arguments[ie]:{},D=Object.keys(re);typeof Object.getOwnPropertySymbols=="function"&&(D=D.concat(Object.getOwnPropertySymbols(re).filter(function($){return Object.getOwnPropertyDescriptor(re,$).enumerable}))),D.forEach(function($){l(q,$,re[$])})}return q}function c(q,ie){q.prototype=Object.create(ie.prototype),q.prototype.constructor=q,q.__proto__=ie}var d="transitionend",S=1e6,_=1e3;function E(q){return{}.toString.call(q).match(/\s([a-z]+)/i)[1].toLowerCase()}function T(){return{bindType:d,delegateType:d,handle:function(ie){if(r(ie.target).is(this))return ie.handleObj.handler.apply(this,arguments)}}}function y(q){var ie=this,re=!1;return r(this).one(v.TRANSITION_END,function(){re=!0}),setTimeout(function(){re||v.triggerTransitionEnd(ie)},q),this}function M(){r.fn.emulateTransitionEnd=y,r.event.special[v.TRANSITION_END]=T()}var v={TRANSITION_END:"bsTransitionEnd",getUID:function(ie){do ie+=~~(Math.random()*S);while(document.getElementById(ie));return ie},getSelectorFromElement:function(ie){var re=ie.getAttribute("data-target");if(!re||re==="#"){var D=ie.getAttribute("href");re=D&&D!=="#"?D.trim():""}try{return document.querySelector(re)?re:null}catch{return null}},getTransitionDurationFromElement:function(ie){if(!ie)return 0;var re=r(ie).css("transition-duration"),D=r(ie).css("transition-delay"),$=parseFloat(re),le=parseFloat(D);return!$&&!le?0:(re=re.split(",")[0],D=D.split(",")[0],(parseFloat(re)+parseFloat(D))*_)},reflow:function(ie){return ie.offsetHeight},triggerTransitionEnd:function(ie){r(ie).trigger(d)},supportsTransitionEnd:function(){return Boolean(d)},isElement:function(ie){return(ie[0]||ie).nodeType},typeCheckConfig:function(ie,re,D){for(var $ in D)if(Object.prototype.hasOwnProperty.call(D,$)){var le=D[$],Ae=re[$],Pe=Ae&&v.isElement(Ae)?"element":E(Ae);if(!new RegExp(le).test(Pe))throw new Error(ie.toUpperCase()+": "+('Option "'+$+'" provided type "'+Pe+'" ')+('but expected type "'+le+'".'))}},findShadowRoot:function(ie){if(!document.documentElement.attachShadow)return null;if(typeof ie.getRootNode=="function"){var re=ie.getRootNode();return re instanceof ShadowRoot?re:null}return ie instanceof ShadowRoot?ie:ie.parentNode?v.findShadowRoot(ie.parentNode):null}};M();var A="alert",O="4.3.1",N="bs.alert",R="."+N,L=".data-api",I=r.fn[A],h={DISMISS:'[data-dismiss="alert"]'},k={CLOSE:"close"+R,CLOSED:"closed"+R,CLICK_DATA_API:"click"+R+L},F={ALERT:"alert",FADE:"fade",SHOW:"show"},z=function(){function q(re){this._element=re}var ie=q.prototype;return ie.close=function(D){var $=this._element;D&&($=this._getRootElement(D));var le=this._triggerCloseEvent($);le.isDefaultPrevented()||this._removeElement($)},ie.dispose=function(){r.removeData(this._element,N),this._element=null},ie._getRootElement=function(D){var $=v.getSelectorFromElement(D),le=!1;return $&&(le=document.querySelector($)),le||(le=r(D).closest("."+F.ALERT)[0]),le},ie._triggerCloseEvent=function(D){var $=r.Event(k.CLOSE);return r(D).trigger($),$},ie._removeElement=function(D){var $=this;if(r(D).removeClass(F.SHOW),!r(D).hasClass(F.FADE)){this._destroyElement(D);return}var le=v.getTransitionDurationFromElement(D);r(D).one(v.TRANSITION_END,function(Ae){return $._destroyElement(D,Ae)}).emulateTransitionEnd(le)},ie._destroyElement=function(D){r(D).detach().trigger(k.CLOSED).remove()},q._jQueryInterface=function(D){return this.each(function(){var $=r(this),le=$.data(N);le||(le=new q(this),$.data(N,le)),D==="close"&&le[D](this)})},q._handleDismiss=function(D){return function($){$&&$.preventDefault(),D.close(this)}},o(q,null,[{key:"VERSION",get:function(){return O}}]),q}();r(document).on(k.CLICK_DATA_API,h.DISMISS,z._handleDismiss(new z)),r.fn[A]=z._jQueryInterface,r.fn[A].Constructor=z,r.fn[A].noConflict=function(){return r.fn[A]=I,z._jQueryInterface};var K="button",ue="4.3.1",Z="bs.button",fe="."+Z,V=".data-api",ne=r.fn[K],te={ACTIVE:"active",BUTTON:"btn",FOCUS:"focus"},G={DATA_TOGGLE_CARROT:'[data-toggle^="button"]',DATA_TOGGLE:'[data-toggle="buttons"]',INPUT:'input:not([type="hidden"])',ACTIVE:".active",BUTTON:".btn"},se={CLICK_DATA_API:"click"+fe+V,FOCUS_BLUR_DATA_API:"focus"+fe+V+" "+("blur"+fe+V)},ve=function(){function q(re){this._element=re}var ie=q.prototype;return ie.toggle=function(){var D=!0,$=!0,le=r(this._element).closest(G.DATA_TOGGLE)[0];if(le){var Ae=this._element.querySelector(G.INPUT);if(Ae){if(Ae.type==="radio")if(Ae.checked&&this._element.classList.contains(te.ACTIVE))D=!1;else{var Pe=le.querySelector(G.ACTIVE);Pe&&r(Pe).removeClass(te.ACTIVE)}if(D){if(Ae.hasAttribute("disabled")||le.hasAttribute("disabled")||Ae.classList.contains("disabled")||le.classList.contains("disabled"))return;Ae.checked=!this._element.classList.contains(te.ACTIVE),r(Ae).trigger("change")}Ae.focus(),$=!1}}$&&this._element.setAttribute("aria-pressed",!this._element.classList.contains(te.ACTIVE)),D&&r(this._element).toggleClass(te.ACTIVE)},ie.dispose=function(){r.removeData(this._element,Z),this._element=null},q._jQueryInterface=function(D){return this.each(function(){var $=r(this).data(Z);$||($=new q(this),r(this).data(Z,$)),D==="toggle"&&$[D]()})},o(q,null,[{key:"VERSION",get:function(){return ue}}]),q}();r(document).on(se.CLICK_DATA_API,G.DATA_TOGGLE_CARROT,function(q){q.preventDefault();var ie=q.target;r(ie).hasClass(te.BUTTON)||(ie=r(ie).closest(G.BUTTON)),ve._jQueryInterface.call(r(ie),"toggle")}).on(se.FOCUS_BLUR_DATA_API,G.DATA_TOGGLE_CARROT,function(q){var ie=r(q.target).closest(G.BUTTON)[0];r(ie).toggleClass(te.FOCUS,/^focus(in)?$/.test(q.type))}),r.fn[K]=ve._jQueryInterface,r.fn[K].Constructor=ve,r.fn[K].noConflict=function(){return r.fn[K]=ne,ve._jQueryInterface};var Ge="carousel",oe="4.3.1",W="bs.carousel",Oe="."+W,tt=".data-api",rt=r.fn[Ge],bt=37,dt=39,ct=500,Ze=40,nt={interval:5e3,keyboard:!0,slide:!1,pause:"hover",wrap:!0,touch:!0},ce={interval:"(number|boolean)",keyboard:"boolean",slide:"(boolean|string)",pause:"(string|boolean)",wrap:"boolean",touch:"boolean"},Ee={NEXT:"next",PREV:"prev",LEFT:"left",RIGHT:"right"},He={SLIDE:"slide"+Oe,SLID:"slid"+Oe,KEYDOWN:"keydown"+Oe,MOUSEENTER:"mouseenter"+Oe,MOUSELEAVE:"mouseleave"+Oe,TOUCHSTART:"touchstart"+Oe,TOUCHMOVE:"touchmove"+Oe,TOUCHEND:"touchend"+Oe,POINTERDOWN:"pointerdown"+Oe,POINTERUP:"pointerup"+Oe,DRAG_START:"dragstart"+Oe,LOAD_DATA_API:"load"+Oe+tt,CLICK_DATA_API:"click"+Oe+tt},we={CAROUSEL:"carousel",ACTIVE:"active",SLIDE:"slide",RIGHT:"carousel-item-right",LEFT:"carousel-item-left",NEXT:"carousel-item-next",PREV:"carousel-item-prev",ITEM:"carousel-item",POINTER_EVENT:"pointer-event"},ze={ACTIVE:".active",ACTIVE_ITEM:".active.carousel-item",ITEM:".carousel-item",ITEM_IMG:".carousel-item img",NEXT_PREV:".carousel-item-next, .carousel-item-prev",INDICATORS:".carousel-indicators",DATA_SLIDE:"[data-slide], [data-slide-to]",DATA_RIDE:'[data-ride="carousel"]'},pe={TOUCH:"touch",PEN:"pen"},Re=function(){function q(re,D){this._items=null,this._interval=null,this._activeElement=null,this._isPaused=!1,this._isSliding=!1,this.touchTimeout=null,this.touchStartX=0,this.touchDeltaX=0,this._config=this._getConfig(D),this._element=re,this._indicatorsElement=this._element.querySelector(ze.INDICATORS),this._touchSupported="ontouchstart"in document.documentElement||navigator.maxTouchPoints>0,this._pointerEvent=Boolean(window.PointerEvent||window.MSPointerEvent),this._addEventListeners()}var ie=q.prototype;return ie.next=function(){this._isSliding||this._slide(Ee.NEXT)},ie.nextWhenVisible=function(){!document.hidden&&r(this._element).is(":visible")&&r(this._element).css("visibility")!=="hidden"&&this.next()},ie.prev=function(){this._isSliding||this._slide(Ee.PREV)},ie.pause=function(D){D||(this._isPaused=!0),this._element.querySelector(ze.NEXT_PREV)&&(v.triggerTransitionEnd(this._element),this.cycle(!0)),clearInterval(this._interval),this._interval=null},ie.cycle=function(D){D||(this._isPaused=!1),this._interval&&(clearInterval(this._interval),this._interval=null),this._config.interval&&!this._isPaused&&(this._interval=setInterval((document.visibilityState?this.nextWhenVisible:this.next).bind(this),this._config.interval))},ie.to=function(D){var $=this;this._activeElement=this._element.querySelector(ze.ACTIVE_ITEM);var le=this._getItemIndex(this._activeElement);if(!(D>this._items.length-1||D<0)){if(this._isSliding){r(this._element).one(He.SLID,function(){return $.to(D)});return}if(le===D){this.pause(),this.cycle();return}var Ae=D>le?Ee.NEXT:Ee.PREV;this._slide(Ae,this._items[D])}},ie.dispose=function(){r(this._element).off(Oe),r.removeData(this._element,W),this._items=null,this._config=null,this._element=null,this._interval=null,this._isPaused=null,this._isSliding=null,this._activeElement=null,this._indicatorsElement=null},ie._getConfig=function(D){return D=u({},nt,D),v.typeCheckConfig(Ge,D,ce),D},ie._handleSwipe=function(){var D=Math.abs(this.touchDeltaX);if(!(D<=Ze)){var $=D/this.touchDeltaX;$>0&&this.prev(),$<0&&this.next()}},ie._addEventListeners=function(){var D=this;this._config.keyboard&&r(this._element).on(He.KEYDOWN,function($){return D._keydown($)}),this._config.pause==="hover"&&r(this._element).on(He.MOUSEENTER,function($){return D.pause($)}).on(He.MOUSELEAVE,function($){return D.cycle($)}),this._config.touch&&this._addTouchEventListeners()},ie._addTouchEventListeners=function(){var D=this;if(!!this._touchSupported){var $=function(Ye){D._pointerEvent&&pe[Ye.originalEvent.pointerType.toUpperCase()]?D.touchStartX=Ye.originalEvent.clientX:D._pointerEvent||(D.touchStartX=Ye.originalEvent.touches[0].clientX)},le=function(Ye){Ye.originalEvent.touches&&Ye.originalEvent.touches.length>1?D.touchDeltaX=0:D.touchDeltaX=Ye.originalEvent.touches[0].clientX-D.touchStartX},Ae=function(Ye){D._pointerEvent&&pe[Ye.originalEvent.pointerType.toUpperCase()]&&(D.touchDeltaX=Ye.originalEvent.clientX-D.touchStartX),D._handleSwipe(),D._config.pause==="hover"&&(D.pause(),D.touchTimeout&&clearTimeout(D.touchTimeout),D.touchTimeout=setTimeout(function(ft){return D.cycle(ft)},ct+D._config.interval))};r(this._element.querySelectorAll(ze.ITEM_IMG)).on(He.DRAG_START,function(Pe){return Pe.preventDefault()}),this._pointerEvent?(r(this._element).on(He.POINTERDOWN,function(Pe){return $(Pe)}),r(this._element).on(He.POINTERUP,function(Pe){return Ae(Pe)}),this._element.classList.add(we.POINTER_EVENT)):(r(this._element).on(He.TOUCHSTART,function(Pe){return $(Pe)}),r(this._element).on(He.TOUCHMOVE,function(Pe){return le(Pe)}),r(this._element).on(He.TOUCHEND,function(Pe){return Ae(Pe)}))}},ie._keydown=function(D){if(!/input|textarea/i.test(D.target.tagName))switch(D.which){case bt:D.preventDefault(),this.prev();break;case dt:D.preventDefault(),this.next();break}},ie._getItemIndex=function(D){return this._items=D&&D.parentNode?[].slice.call(D.parentNode.querySelectorAll(ze.ITEM)):[],this._items.indexOf(D)},ie._getItemByDirection=function(D,$){var le=D===Ee.NEXT,Ae=D===Ee.PREV,Pe=this._getItemIndex($),Ye=this._items.length-1,ft=Ae&&Pe===0||le&&Pe===Ye;if(ft&&!this._config.wrap)return $;var Tt=D===Ee.PREV?-1:1,ht=(Pe+Tt)%this._items.length;return ht===-1?this._items[this._items.length-1]:this._items[ht]},ie._triggerSlideEvent=function(D,$){var le=this._getItemIndex(D),Ae=this._getItemIndex(this._element.querySelector(ze.ACTIVE_ITEM)),Pe=r.Event(He.SLIDE,{relatedTarget:D,direction:$,from:Ae,to:le});return r(this._element).trigger(Pe),Pe},ie._setActiveIndicatorElement=function(D){if(this._indicatorsElement){var $=[].slice.call(this._indicatorsElement.querySelectorAll(ze.ACTIVE));r($).removeClass(we.ACTIVE);var le=this._indicatorsElement.children[this._getItemIndex(D)];le&&r(le).addClass(we.ACTIVE)}},ie._slide=function(D,$){var le=this,Ae=this._element.querySelector(ze.ACTIVE_ITEM),Pe=this._getItemIndex(Ae),Ye=$||Ae&&this._getItemByDirection(D,Ae),ft=this._getItemIndex(Ye),Tt=Boolean(this._interval),ht,kt,Yt;if(D===Ee.NEXT?(ht=we.LEFT,kt=we.NEXT,Yt=Ee.LEFT):(ht=we.RIGHT,kt=we.PREV,Yt=Ee.RIGHT),Ye&&r(Ye).hasClass(we.ACTIVE)){this._isSliding=!1;return}var Ut=this._triggerSlideEvent(Ye,Yt);if(!Ut.isDefaultPrevented()&&!(!Ae||!Ye)){this._isSliding=!0,Tt&&this.pause(),this._setActiveIndicatorElement(Ye);var dn=r.Event(He.SLID,{relatedTarget:Ye,direction:Yt,from:Pe,to:ft});if(r(this._element).hasClass(we.SLIDE)){r(Ye).addClass(kt),v.reflow(Ye),r(Ae).addClass(ht),r(Ye).addClass(ht);var Ar=parseInt(Ye.getAttribute("data-interval"),10);Ar?(this._config.defaultInterval=this._config.defaultInterval||this._config.interval,this._config.interval=Ar):this._config.interval=this._config.defaultInterval||this._config.interval;var Vr=v.getTransitionDurationFromElement(Ae);r(Ae).one(v.TRANSITION_END,function(){r(Ye).removeClass(ht+" "+kt).addClass(we.ACTIVE),r(Ae).removeClass(we.ACTIVE+" "+kt+" "+ht),le._isSliding=!1,setTimeout(function(){return r(le._element).trigger(dn)},0)}).emulateTransitionEnd(Vr)}else r(Ae).removeClass(we.ACTIVE),r(Ye).addClass(we.ACTIVE),this._isSliding=!1,r(this._element).trigger(dn);Tt&&this.cycle()}},q._jQueryInterface=function(D){return this.each(function(){var $=r(this).data(W),le=u({},nt,r(this).data());typeof D=="object"&&(le=u({},le,D));var Ae=typeof D=="string"?D:le.slide;if($||($=new q(this,le),r(this).data(W,$)),typeof D=="number")$.to(D);else if(typeof Ae=="string"){if(typeof $[Ae]>"u")throw new TypeError('No method named "'+Ae+'"');$[Ae]()}else le.interval&&le.ride&&($.pause(),$.cycle())})},q._dataApiClickHandler=function(D){var $=v.getSelectorFromElement(this);if(!!$){var le=r($)[0];if(!(!le||!r(le).hasClass(we.CAROUSEL))){var Ae=u({},r(le).data(),r(this).data()),Pe=this.getAttribute("data-slide-to");Pe&&(Ae.interval=!1),q._jQueryInterface.call(r(le),Ae),Pe&&r(le).data(W).to(Pe),D.preventDefault()}}},o(q,null,[{key:"VERSION",get:function(){return oe}},{key:"Default",get:function(){return nt}}]),q}();r(document).on(He.CLICK_DATA_API,ze.DATA_SLIDE,Re._dataApiClickHandler),r(window).on(He.LOAD_DATA_API,function(){for(var q=[].slice.call(document.querySelectorAll(ze.DATA_RIDE)),ie=0,re=q.length;ie<re;ie++){var D=r(q[ie]);Re._jQueryInterface.call(D,D.data())}}),r.fn[Ge]=Re._jQueryInterface,r.fn[Ge].Constructor=Re,r.fn[Ge].noConflict=function(){return r.fn[Ge]=rt,Re._jQueryInterface};var Ne="collapse",Ie="4.3.1",Ue="bs.collapse",Ve="."+Ue,lt=".data-api",ge=r.fn[Ne],de={toggle:!0,parent:""},be={toggle:"boolean",parent:"(string|element)"},H={SHOW:"show"+Ve,SHOWN:"shown"+Ve,HIDE:"hide"+Ve,HIDDEN:"hidden"+Ve,CLICK_DATA_API:"click"+Ve+lt},ee={SHOW:"show",COLLAPSE:"collapse",COLLAPSING:"collapsing",COLLAPSED:"collapsed"},_e={WIDTH:"width",HEIGHT:"height"},U={ACTIVES:".show, .collapsing",DATA_TOGGLE:'[data-toggle="collapse"]'},Q=function(){function q(re,D){this._isTransitioning=!1,this._element=re,this._config=this._getConfig(D),this._triggerArray=[].slice.call(document.querySelectorAll('[data-toggle="collapse"][href="#'+re.id+'"],'+('[data-toggle="collapse"][data-target="#'+re.id+'"]')));for(var $=[].slice.call(document.querySelectorAll(U.DATA_TOGGLE)),le=0,Ae=$.length;le<Ae;le++){var Pe=$[le],Ye=v.getSelectorFromElement(Pe),ft=[].slice.call(document.querySelectorAll(Ye)).filter(function(Tt){return Tt===re});Ye!==null&&ft.length>0&&(this._selector=Ye,this._triggerArray.push(Pe))}this._parent=this._config.parent?this._getParent():null,this._config.parent||this._addAriaAndCollapsedClass(this._element,this._triggerArray),this._config.toggle&&this.toggle()}var ie=q.prototype;return ie.toggle=function(){r(this._element).hasClass(ee.SHOW)?this.hide():this.show()},ie.show=function(){var D=this;if(!(this._isTransitioning||r(this._element).hasClass(ee.SHOW))){var $,le;if(this._parent&&($=[].slice.call(this._parent.querySelectorAll(U.ACTIVES)).filter(function(kt){return typeof D._config.parent=="string"?kt.getAttribute("data-parent")===D._config.parent:kt.classList.contains(ee.COLLAPSE)}),$.length===0&&($=null)),!($&&(le=r($).not(this._selector).data(Ue),le&&le._isTransitioning))){var Ae=r.Event(H.SHOW);if(r(this._element).trigger(Ae),!Ae.isDefaultPrevented()){$&&(q._jQueryInterface.call(r($).not(this._selector),"hide"),le||r($).data(Ue,null));var Pe=this._getDimension();r(this._element).removeClass(ee.COLLAPSE).addClass(ee.COLLAPSING),this._element.style[Pe]=0,this._triggerArray.length&&r(this._triggerArray).removeClass(ee.COLLAPSED).attr("aria-expanded",!0),this.setTransitioning(!0);var Ye=function(){r(D._element).removeClass(ee.COLLAPSING).addClass(ee.COLLAPSE).addClass(ee.SHOW),D._element.style[Pe]="",D.setTransitioning(!1),r(D._element).trigger(H.SHOWN)},ft=Pe[0].toUpperCase()+Pe.slice(1),Tt="scroll"+ft,ht=v.getTransitionDurationFromElement(this._element);r(this._element).one(v.TRANSITION_END,Ye).emulateTransitionEnd(ht),this._element.style[Pe]=this._element[Tt]+"px"}}}},ie.hide=function(){var D=this;if(!(this._isTransitioning||!r(this._element).hasClass(ee.SHOW))){var $=r.Event(H.HIDE);if(r(this._element).trigger($),!$.isDefaultPrevented()){var le=this._getDimension();this._element.style[le]=this._element.getBoundingClientRect()[le]+"px",v.reflow(this._element),r(this._element).addClass(ee.COLLAPSING).removeClass(ee.COLLAPSE).removeClass(ee.SHOW);var Ae=this._triggerArray.length;if(Ae>0)for(var Pe=0;Pe<Ae;Pe++){var Ye=this._triggerArray[Pe],ft=v.getSelectorFromElement(Ye);if(ft!==null){var Tt=r([].slice.call(document.querySelectorAll(ft)));Tt.hasClass(ee.SHOW)||r(Ye).addClass(ee.COLLAPSED).attr("aria-expanded",!1)}}this.setTransitioning(!0);var ht=function(){D.setTransitioning(!1),r(D._element).removeClass(ee.COLLAPSING).addClass(ee.COLLAPSE).trigger(H.HIDDEN)};this._element.style[le]="";var kt=v.getTransitionDurationFromElement(this._element);r(this._element).one(v.TRANSITION_END,ht).emulateTransitionEnd(kt)}}},ie.setTransitioning=function(D){this._isTransitioning=D},ie.dispose=function(){r.removeData(this._element,Ue),this._config=null,this._parent=null,this._element=null,this._triggerArray=null,this._isTransitioning=null},ie._getConfig=function(D){return D=u({},de,D),D.toggle=Boolean(D.toggle),v.typeCheckConfig(Ne,D,be),D},ie._getDimension=function(){var D=r(this._element).hasClass(_e.WIDTH);return D?_e.WIDTH:_e.HEIGHT},ie._getParent=function(){var D=this,$;v.isElement(this._config.parent)?($=this._config.parent,typeof this._config.parent.jquery<"u"&&($=this._config.parent[0])):$=document.querySelector(this._config.parent);var le='[data-toggle="collapse"][data-parent="'+this._config.parent+'"]',Ae=[].slice.call($.querySelectorAll(le));return r(Ae).each(function(Pe,Ye){D._addAriaAndCollapsedClass(q._getTargetFromElement(Ye),[Ye])}),$},ie._addAriaAndCollapsedClass=function(D,$){var le=r(D).hasClass(ee.SHOW);$.length&&r($).toggleClass(ee.COLLAPSED,!le).attr("aria-expanded",le)},q._getTargetFromElement=function(D){var $=v.getSelectorFromElement(D);return $?document.querySelector($):null},q._jQueryInterface=function(D){return this.each(function(){var $=r(this),le=$.data(Ue),Ae=u({},de,$.data(),typeof D=="object"&&D?D:{});if(!le&&Ae.toggle&&/show|hide/.test(D)&&(Ae.toggle=!1),le||(le=new q(this,Ae),$.data(Ue,le)),typeof D=="string"){if(typeof le[D]>"u")throw new TypeError('No method named "'+D+'"');le[D]()}})},o(q,null,[{key:"VERSION",get:function(){return Ie}},{key:"Default",get:function(){return de}}]),q}();r(document).on(H.CLICK_DATA_API,U.DATA_TOGGLE,function(q){q.currentTarget.tagName==="A"&&q.preventDefault();var ie=r(this),re=v.getSelectorFromElement(this),D=[].slice.call(document.querySelectorAll(re));r(D).each(function(){var $=r(this),le=$.data(Ue),Ae=le?"toggle":ie.data();Q._jQueryInterface.call($,Ae)})}),r.fn[Ne]=Q._jQueryInterface,r.fn[Ne].Constructor=Q,r.fn[Ne].noConflict=function(){return r.fn[Ne]=ge,Q._jQueryInterface};/**!
+  */(function(e,t){(function(n,r){r(t,ac())})(Jr,function(n,r){r=r&&r.hasOwnProperty("default")?r.default:r;function a(q,ie){for(var re=0;re<ie.length;re++){var D=ie[re];D.enumerable=D.enumerable||!1,D.configurable=!0,"value"in D&&(D.writable=!0),Object.defineProperty(q,D.key,D)}}function o(q,ie,re){return ie&&a(q.prototype,ie),re&&a(q,re),q}function l(q,ie,re){return ie in q?Object.defineProperty(q,ie,{value:re,enumerable:!0,configurable:!0,writable:!0}):q[ie]=re,q}function u(q){for(var ie=1;ie<arguments.length;ie++){var re=arguments[ie]!=null?arguments[ie]:{},D=Object.keys(re);typeof Object.getOwnPropertySymbols=="function"&&(D=D.concat(Object.getOwnPropertySymbols(re).filter(function($){return Object.getOwnPropertyDescriptor(re,$).enumerable}))),D.forEach(function($){l(q,$,re[$])})}return q}function c(q,ie){q.prototype=Object.create(ie.prototype),q.prototype.constructor=q,q.__proto__=ie}var d="transitionend",S=1e6,_=1e3;function E(q){return{}.toString.call(q).match(/\s([a-z]+)/i)[1].toLowerCase()}function T(){return{bindType:d,delegateType:d,handle:function(ie){if(r(ie.target).is(this))return ie.handleObj.handler.apply(this,arguments)}}}function y(q){var ie=this,re=!1;return r(this).one(v.TRANSITION_END,function(){re=!0}),setTimeout(function(){re||v.triggerTransitionEnd(ie)},q),this}function M(){r.fn.emulateTransitionEnd=y,r.event.special[v.TRANSITION_END]=T()}var v={TRANSITION_END:"bsTransitionEnd",getUID:function(ie){do ie+=~~(Math.random()*S);while(document.getElementById(ie));return ie},getSelectorFromElement:function(ie){var re=ie.getAttribute("data-target");if(!re||re==="#"){var D=ie.getAttribute("href");re=D&&D!=="#"?D.trim():""}try{return document.querySelector(re)?re:null}catch{return null}},getTransitionDurationFromElement:function(ie){if(!ie)return 0;var re=r(ie).css("transition-duration"),D=r(ie).css("transition-delay"),$=parseFloat(re),le=parseFloat(D);return!$&&!le?0:(re=re.split(",")[0],D=D.split(",")[0],(parseFloat(re)+parseFloat(D))*_)},reflow:function(ie){return ie.offsetHeight},triggerTransitionEnd:function(ie){r(ie).trigger(d)},supportsTransitionEnd:function(){return Boolean(d)},isElement:function(ie){return(ie[0]||ie).nodeType},typeCheckConfig:function(ie,re,D){for(var $ in D)if(Object.prototype.hasOwnProperty.call(D,$)){var le=D[$],Ae=re[$],Pe=Ae&&v.isElement(Ae)?"element":E(Ae);if(!new RegExp(le).test(Pe))throw new Error(ie.toUpperCase()+": "+('Option "'+$+'" provided type "'+Pe+'" ')+('but expected type "'+le+'".'))}},findShadowRoot:function(ie){if(!document.documentElement.attachShadow)return null;if(typeof ie.getRootNode=="function"){var re=ie.getRootNode();return re instanceof ShadowRoot?re:null}return ie instanceof ShadowRoot?ie:ie.parentNode?v.findShadowRoot(ie.parentNode):null}};M();var A="alert",O="4.3.1",N="bs.alert",R="."+N,L=".data-api",I=r.fn[A],h={DISMISS:'[data-dismiss="alert"]'},k={CLOSE:"close"+R,CLOSED:"closed"+R,CLICK_DATA_API:"click"+R+L},F={ALERT:"alert",FADE:"fade",SHOW:"show"},z=function(){function q(re){this._element=re}var ie=q.prototype;return ie.close=function(D){var $=this._element;D&&($=this._getRootElement(D));var le=this._triggerCloseEvent($);le.isDefaultPrevented()||this._removeElement($)},ie.dispose=function(){r.removeData(this._element,N),this._element=null},ie._getRootElement=function(D){var $=v.getSelectorFromElement(D),le=!1;return $&&(le=document.querySelector($)),le||(le=r(D).closest("."+F.ALERT)[0]),le},ie._triggerCloseEvent=function(D){var $=r.Event(k.CLOSE);return r(D).trigger($),$},ie._removeElement=function(D){var $=this;if(r(D).removeClass(F.SHOW),!r(D).hasClass(F.FADE)){this._destroyElement(D);return}var le=v.getTransitionDurationFromElement(D);r(D).one(v.TRANSITION_END,function(Ae){return $._destroyElement(D,Ae)}).emulateTransitionEnd(le)},ie._destroyElement=function(D){r(D).detach().trigger(k.CLOSED).remove()},q._jQueryInterface=function(D){return this.each(function(){var $=r(this),le=$.data(N);le||(le=new q(this),$.data(N,le)),D==="close"&&le[D](this)})},q._handleDismiss=function(D){return function($){$&&$.preventDefault(),D.close(this)}},o(q,null,[{key:"VERSION",get:function(){return O}}]),q}();r(document).on(k.CLICK_DATA_API,h.DISMISS,z._handleDismiss(new z)),r.fn[A]=z._jQueryInterface,r.fn[A].Constructor=z,r.fn[A].noConflict=function(){return r.fn[A]=I,z._jQueryInterface};var K="button",ue="4.3.1",Z="bs.button",fe="."+Z,V=".data-api",ne=r.fn[K],te={ACTIVE:"active",BUTTON:"btn",FOCUS:"focus"},G={DATA_TOGGLE_CARROT:'[data-toggle^="button"]',DATA_TOGGLE:'[data-toggle="buttons"]',INPUT:'input:not([type="hidden"])',ACTIVE:".active",BUTTON:".btn"},se={CLICK_DATA_API:"click"+fe+V,FOCUS_BLUR_DATA_API:"focus"+fe+V+" "+("blur"+fe+V)},ve=function(){function q(re){this._element=re}var ie=q.prototype;return ie.toggle=function(){var D=!0,$=!0,le=r(this._element).closest(G.DATA_TOGGLE)[0];if(le){var Ae=this._element.querySelector(G.INPUT);if(Ae){if(Ae.type==="radio")if(Ae.checked&&this._element.classList.contains(te.ACTIVE))D=!1;else{var Pe=le.querySelector(G.ACTIVE);Pe&&r(Pe).removeClass(te.ACTIVE)}if(D){if(Ae.hasAttribute("disabled")||le.hasAttribute("disabled")||Ae.classList.contains("disabled")||le.classList.contains("disabled"))return;Ae.checked=!this._element.classList.contains(te.ACTIVE),r(Ae).trigger("change")}Ae.focus(),$=!1}}$&&this._element.setAttribute("aria-pressed",!this._element.classList.contains(te.ACTIVE)),D&&r(this._element).toggleClass(te.ACTIVE)},ie.dispose=function(){r.removeData(this._element,Z),this._element=null},q._jQueryInterface=function(D){return this.each(function(){var $=r(this).data(Z);$||($=new q(this),r(this).data(Z,$)),D==="toggle"&&$[D]()})},o(q,null,[{key:"VERSION",get:function(){return ue}}]),q}();r(document).on(se.CLICK_DATA_API,G.DATA_TOGGLE_CARROT,function(q){q.preventDefault();var ie=q.target;r(ie).hasClass(te.BUTTON)||(ie=r(ie).closest(G.BUTTON)),ve._jQueryInterface.call(r(ie),"toggle")}).on(se.FOCUS_BLUR_DATA_API,G.DATA_TOGGLE_CARROT,function(q){var ie=r(q.target).closest(G.BUTTON)[0];r(ie).toggleClass(te.FOCUS,/^focus(in)?$/.test(q.type))}),r.fn[K]=ve._jQueryInterface,r.fn[K].Constructor=ve,r.fn[K].noConflict=function(){return r.fn[K]=ne,ve._jQueryInterface};var Ge="carousel",oe="4.3.1",W="bs.carousel",Oe="."+W,tt=".data-api",rt=r.fn[Ge],bt=37,dt=39,ct=500,Ze=40,nt={interval:5e3,keyboard:!0,slide:!1,pause:"hover",wrap:!0,touch:!0},ce={interval:"(number|boolean)",keyboard:"boolean",slide:"(boolean|string)",pause:"(string|boolean)",wrap:"boolean",touch:"boolean"},Ee={NEXT:"next",PREV:"prev",LEFT:"left",RIGHT:"right"},He={SLIDE:"slide"+Oe,SLID:"slid"+Oe,KEYDOWN:"keydown"+Oe,MOUSEENTER:"mouseenter"+Oe,MOUSELEAVE:"mouseleave"+Oe,TOUCHSTART:"touchstart"+Oe,TOUCHMOVE:"touchmove"+Oe,TOUCHEND:"touchend"+Oe,POINTERDOWN:"pointerdown"+Oe,POINTERUP:"pointerup"+Oe,DRAG_START:"dragstart"+Oe,LOAD_DATA_API:"load"+Oe+tt,CLICK_DATA_API:"click"+Oe+tt},we={CAROUSEL:"carousel",ACTIVE:"active",SLIDE:"slide",RIGHT:"carousel-item-right",LEFT:"carousel-item-left",NEXT:"carousel-item-next",PREV:"carousel-item-prev",ITEM:"carousel-item",POINTER_EVENT:"pointer-event"},ze={ACTIVE:".active",ACTIVE_ITEM:".active.carousel-item",ITEM:".carousel-item",ITEM_IMG:".carousel-item img",NEXT_PREV:".carousel-item-next, .carousel-item-prev",INDICATORS:".carousel-indicators",DATA_SLIDE:"[data-slide], [data-slide-to]",DATA_RIDE:'[data-ride="carousel"]'},pe={TOUCH:"touch",PEN:"pen"},Re=function(){function q(re,D){this._items=null,this._interval=null,this._activeElement=null,this._isPaused=!1,this._isSliding=!1,this.touchTimeout=null,this.touchStartX=0,this.touchDeltaX=0,this._config=this._getConfig(D),this._element=re,this._indicatorsElement=this._element.querySelector(ze.INDICATORS),this._touchSupported="ontouchstart"in document.documentElement||navigator.maxTouchPoints>0,this._pointerEvent=Boolean(window.PointerEvent||window.MSPointerEvent),this._addEventListeners()}var ie=q.prototype;return ie.next=function(){this._isSliding||this._slide(Ee.NEXT)},ie.nextWhenVisible=function(){!document.hidden&&r(this._element).is(":visible")&&r(this._element).css("visibility")!=="hidden"&&this.next()},ie.prev=function(){this._isSliding||this._slide(Ee.PREV)},ie.pause=function(D){D||(this._isPaused=!0),this._element.querySelector(ze.NEXT_PREV)&&(v.triggerTransitionEnd(this._element),this.cycle(!0)),clearInterval(this._interval),this._interval=null},ie.cycle=function(D){D||(this._isPaused=!1),this._interval&&(clearInterval(this._interval),this._interval=null),this._config.interval&&!this._isPaused&&(this._interval=setInterval((document.visibilityState?this.nextWhenVisible:this.next).bind(this),this._config.interval))},ie.to=function(D){var $=this;this._activeElement=this._element.querySelector(ze.ACTIVE_ITEM);var le=this._getItemIndex(this._activeElement);if(!(D>this._items.length-1||D<0)){if(this._isSliding){r(this._element).one(He.SLID,function(){return $.to(D)});return}if(le===D){this.pause(),this.cycle();return}var Ae=D>le?Ee.NEXT:Ee.PREV;this._slide(Ae,this._items[D])}},ie.dispose=function(){r(this._element).off(Oe),r.removeData(this._element,W),this._items=null,this._config=null,this._element=null,this._interval=null,this._isPaused=null,this._isSliding=null,this._activeElement=null,this._indicatorsElement=null},ie._getConfig=function(D){return D=u({},nt,D),v.typeCheckConfig(Ge,D,ce),D},ie._handleSwipe=function(){var D=Math.abs(this.touchDeltaX);if(!(D<=Ze)){var $=D/this.touchDeltaX;$>0&&this.prev(),$<0&&this.next()}},ie._addEventListeners=function(){var D=this;this._config.keyboard&&r(this._element).on(He.KEYDOWN,function($){return D._keydown($)}),this._config.pause==="hover"&&r(this._element).on(He.MOUSEENTER,function($){return D.pause($)}).on(He.MOUSELEAVE,function($){return D.cycle($)}),this._config.touch&&this._addTouchEventListeners()},ie._addTouchEventListeners=function(){var D=this;if(!!this._touchSupported){var $=function(Ye){D._pointerEvent&&pe[Ye.originalEvent.pointerType.toUpperCase()]?D.touchStartX=Ye.originalEvent.clientX:D._pointerEvent||(D.touchStartX=Ye.originalEvent.touches[0].clientX)},le=function(Ye){Ye.originalEvent.touches&&Ye.originalEvent.touches.length>1?D.touchDeltaX=0:D.touchDeltaX=Ye.originalEvent.touches[0].clientX-D.touchStartX},Ae=function(Ye){D._pointerEvent&&pe[Ye.originalEvent.pointerType.toUpperCase()]&&(D.touchDeltaX=Ye.originalEvent.clientX-D.touchStartX),D._handleSwipe(),D._config.pause==="hover"&&(D.pause(),D.touchTimeout&&clearTimeout(D.touchTimeout),D.touchTimeout=setTimeout(function(ft){return D.cycle(ft)},ct+D._config.interval))};r(this._element.querySelectorAll(ze.ITEM_IMG)).on(He.DRAG_START,function(Pe){return Pe.preventDefault()}),this._pointerEvent?(r(this._element).on(He.POINTERDOWN,function(Pe){return $(Pe)}),r(this._element).on(He.POINTERUP,function(Pe){return Ae(Pe)}),this._element.classList.add(we.POINTER_EVENT)):(r(this._element).on(He.TOUCHSTART,function(Pe){return $(Pe)}),r(this._element).on(He.TOUCHMOVE,function(Pe){return le(Pe)}),r(this._element).on(He.TOUCHEND,function(Pe){return Ae(Pe)}))}},ie._keydown=function(D){if(!/input|textarea/i.test(D.target.tagName))switch(D.which){case bt:D.preventDefault(),this.prev();break;case dt:D.preventDefault(),this.next();break}},ie._getItemIndex=function(D){return this._items=D&&D.parentNode?[].slice.call(D.parentNode.querySelectorAll(ze.ITEM)):[],this._items.indexOf(D)},ie._getItemByDirection=function(D,$){var le=D===Ee.NEXT,Ae=D===Ee.PREV,Pe=this._getItemIndex($),Ye=this._items.length-1,ft=Ae&&Pe===0||le&&Pe===Ye;if(ft&&!this._config.wrap)return $;var Tt=D===Ee.PREV?-1:1,ht=(Pe+Tt)%this._items.length;return ht===-1?this._items[this._items.length-1]:this._items[ht]},ie._triggerSlideEvent=function(D,$){var le=this._getItemIndex(D),Ae=this._getItemIndex(this._element.querySelector(ze.ACTIVE_ITEM)),Pe=r.Event(He.SLIDE,{relatedTarget:D,direction:$,from:Ae,to:le});return r(this._element).trigger(Pe),Pe},ie._setActiveIndicatorElement=function(D){if(this._indicatorsElement){var $=[].slice.call(this._indicatorsElement.querySelectorAll(ze.ACTIVE));r($).removeClass(we.ACTIVE);var le=this._indicatorsElement.children[this._getItemIndex(D)];le&&r(le).addClass(we.ACTIVE)}},ie._slide=function(D,$){var le=this,Ae=this._element.querySelector(ze.ACTIVE_ITEM),Pe=this._getItemIndex(Ae),Ye=$||Ae&&this._getItemByDirection(D,Ae),ft=this._getItemIndex(Ye),Tt=Boolean(this._interval),ht,kt,Yt;if(D===Ee.NEXT?(ht=we.LEFT,kt=we.NEXT,Yt=Ee.LEFT):(ht=we.RIGHT,kt=we.PREV,Yt=Ee.RIGHT),Ye&&r(Ye).hasClass(we.ACTIVE)){this._isSliding=!1;return}var Ut=this._triggerSlideEvent(Ye,Yt);if(!Ut.isDefaultPrevented()&&!(!Ae||!Ye)){this._isSliding=!0,Tt&&this.pause(),this._setActiveIndicatorElement(Ye);var dn=r.Event(He.SLID,{relatedTarget:Ye,direction:Yt,from:Pe,to:ft});if(r(this._element).hasClass(we.SLIDE)){r(Ye).addClass(kt),v.reflow(Ye),r(Ae).addClass(ht),r(Ye).addClass(ht);var Ar=parseInt(Ye.getAttribute("data-interval"),10);Ar?(this._config.defaultInterval=this._config.defaultInterval||this._config.interval,this._config.interval=Ar):this._config.interval=this._config.defaultInterval||this._config.interval;var Vr=v.getTransitionDurationFromElement(Ae);r(Ae).one(v.TRANSITION_END,function(){r(Ye).removeClass(ht+" "+kt).addClass(we.ACTIVE),r(Ae).removeClass(we.ACTIVE+" "+kt+" "+ht),le._isSliding=!1,setTimeout(function(){return r(le._element).trigger(dn)},0)}).emulateTransitionEnd(Vr)}else r(Ae).removeClass(we.ACTIVE),r(Ye).addClass(we.ACTIVE),this._isSliding=!1,r(this._element).trigger(dn);Tt&&this.cycle()}},q._jQueryInterface=function(D){return this.each(function(){var $=r(this).data(W),le=u({},nt,r(this).data());typeof D=="object"&&(le=u({},le,D));var Ae=typeof D=="string"?D:le.slide;if($||($=new q(this,le),r(this).data(W,$)),typeof D=="number")$.to(D);else if(typeof Ae=="string"){if(typeof $[Ae]>"u")throw new TypeError('No method named "'+Ae+'"');$[Ae]()}else le.interval&&le.ride&&($.pause(),$.cycle())})},q._dataApiClickHandler=function(D){var $=v.getSelectorFromElement(this);if(!!$){var le=r($)[0];if(!(!le||!r(le).hasClass(we.CAROUSEL))){var Ae=u({},r(le).data(),r(this).data()),Pe=this.getAttribute("data-slide-to");Pe&&(Ae.interval=!1),q._jQueryInterface.call(r(le),Ae),Pe&&r(le).data(W).to(Pe),D.preventDefault()}}},o(q,null,[{key:"VERSION",get:function(){return oe}},{key:"Default",get:function(){return nt}}]),q}();r(document).on(He.CLICK_DATA_API,ze.DATA_SLIDE,Re._dataApiClickHandler),r(window).on(He.LOAD_DATA_API,function(){for(var q=[].slice.call(document.querySelectorAll(ze.DATA_RIDE)),ie=0,re=q.length;ie<re;ie++){var D=r(q[ie]);Re._jQueryInterface.call(D,D.data())}}),r.fn[Ge]=Re._jQueryInterface,r.fn[Ge].Constructor=Re,r.fn[Ge].noConflict=function(){return r.fn[Ge]=rt,Re._jQueryInterface};var Ne="collapse",Ie="4.3.1",Ue="bs.collapse",Ve="."+Ue,lt=".data-api",ge=r.fn[Ne],de={toggle:!0,parent:""},be={toggle:"boolean",parent:"(string|element)"},H={SHOW:"show"+Ve,SHOWN:"shown"+Ve,HIDE:"hide"+Ve,HIDDEN:"hidden"+Ve,CLICK_DATA_API:"click"+Ve+lt},ee={SHOW:"show",COLLAPSE:"collapse",COLLAPSING:"collapsing",COLLAPSED:"collapsed"},_e={WIDTH:"width",HEIGHT:"height"},U={ACTIVES:".show, .collapsing",DATA_TOGGLE:'[data-toggle="collapse"]'},Q=function(){function q(re,D){this._isTransitioning=!1,this._element=re,this._config=this._getConfig(D),this._triggerArray=[].slice.call(document.querySelectorAll('[data-toggle="collapse"][href="#'+re.id+'"],'+('[data-toggle="collapse"][data-target="#'+re.id+'"]')));for(var $=[].slice.call(document.querySelectorAll(U.DATA_TOGGLE)),le=0,Ae=$.length;le<Ae;le++){var Pe=$[le],Ye=v.getSelectorFromElement(Pe),ft=[].slice.call(document.querySelectorAll(Ye)).filter(function(Tt){return Tt===re});Ye!==null&&ft.length>0&&(this._selector=Ye,this._triggerArray.push(Pe))}this._parent=this._config.parent?this._getParent():null,this._config.parent||this._addAriaAndCollapsedClass(this._element,this._triggerArray),this._config.toggle&&this.toggle()}var ie=q.prototype;return ie.toggle=function(){r(this._element).hasClass(ee.SHOW)?this.hide():this.show()},ie.show=function(){var D=this;if(!(this._isTransitioning||r(this._element).hasClass(ee.SHOW))){var $,le;if(this._parent&&($=[].slice.call(this._parent.querySelectorAll(U.ACTIVES)).filter(function(kt){return typeof D._config.parent=="string"?kt.getAttribute("data-parent")===D._config.parent:kt.classList.contains(ee.COLLAPSE)}),$.length===0&&($=null)),!($&&(le=r($).not(this._selector).data(Ue),le&&le._isTransitioning))){var Ae=r.Event(H.SHOW);if(r(this._element).trigger(Ae),!Ae.isDefaultPrevented()){$&&(q._jQueryInterface.call(r($).not(this._selector),"hide"),le||r($).data(Ue,null));var Pe=this._getDimension();r(this._element).removeClass(ee.COLLAPSE).addClass(ee.COLLAPSING),this._element.style[Pe]=0,this._triggerArray.length&&r(this._triggerArray).removeClass(ee.COLLAPSED).attr("aria-expanded",!0),this.setTransitioning(!0);var Ye=function(){r(D._element).removeClass(ee.COLLAPSING).addClass(ee.COLLAPSE).addClass(ee.SHOW),D._element.style[Pe]="",D.setTransitioning(!1),r(D._element).trigger(H.SHOWN)},ft=Pe[0].toUpperCase()+Pe.slice(1),Tt="scroll"+ft,ht=v.getTransitionDurationFromElement(this._element);r(this._element).one(v.TRANSITION_END,Ye).emulateTransitionEnd(ht),this._element.style[Pe]=this._element[Tt]+"px"}}}},ie.hide=function(){var D=this;if(!(this._isTransitioning||!r(this._element).hasClass(ee.SHOW))){var $=r.Event(H.HIDE);if(r(this._element).trigger($),!$.isDefaultPrevented()){var le=this._getDimension();this._element.style[le]=this._element.getBoundingClientRect()[le]+"px",v.reflow(this._element),r(this._element).addClass(ee.COLLAPSING).removeClass(ee.COLLAPSE).removeClass(ee.SHOW);var Ae=this._triggerArray.length;if(Ae>0)for(var Pe=0;Pe<Ae;Pe++){var Ye=this._triggerArray[Pe],ft=v.getSelectorFromElement(Ye);if(ft!==null){var Tt=r([].slice.call(document.querySelectorAll(ft)));Tt.hasClass(ee.SHOW)||r(Ye).addClass(ee.COLLAPSED).attr("aria-expanded",!1)}}this.setTransitioning(!0);var ht=function(){D.setTransitioning(!1),r(D._element).removeClass(ee.COLLAPSING).addClass(ee.COLLAPSE).trigger(H.HIDDEN)};this._element.style[le]="";var kt=v.getTransitionDurationFromElement(this._element);r(this._element).one(v.TRANSITION_END,ht).emulateTransitionEnd(kt)}}},ie.setTransitioning=function(D){this._isTransitioning=D},ie.dispose=function(){r.removeData(this._element,Ue),this._config=null,this._parent=null,this._element=null,this._triggerArray=null,this._isTransitioning=null},ie._getConfig=function(D){return D=u({},de,D),D.toggle=Boolean(D.toggle),v.typeCheckConfig(Ne,D,be),D},ie._getDimension=function(){var D=r(this._element).hasClass(_e.WIDTH);return D?_e.WIDTH:_e.HEIGHT},ie._getParent=function(){var D=this,$;v.isElement(this._config.parent)?($=this._config.parent,typeof this._config.parent.jquery<"u"&&($=this._config.parent[0])):$=document.querySelector(this._config.parent);var le='[data-toggle="collapse"][data-parent="'+this._config.parent+'"]',Ae=[].slice.call($.querySelectorAll(le));return r(Ae).each(function(Pe,Ye){D._addAriaAndCollapsedClass(q._getTargetFromElement(Ye),[Ye])}),$},ie._addAriaAndCollapsedClass=function(D,$){var le=r(D).hasClass(ee.SHOW);$.length&&r($).toggleClass(ee.COLLAPSED,!le).attr("aria-expanded",le)},q._getTargetFromElement=function(D){var $=v.getSelectorFromElement(D);return $?document.querySelector($):null},q._jQueryInterface=function(D){return this.each(function(){var $=r(this),le=$.data(Ue),Ae=u({},de,$.data(),typeof D=="object"&&D?D:{});if(!le&&Ae.toggle&&/show|hide/.test(D)&&(Ae.toggle=!1),le||(le=new q(this,Ae),$.data(Ue,le)),typeof D=="string"){if(typeof le[D]>"u")throw new TypeError('No method named "'+D+'"');le[D]()}})},o(q,null,[{key:"VERSION",get:function(){return Ie}},{key:"Default",get:function(){return de}}]),q}();r(document).on(H.CLICK_DATA_API,U.DATA_TOGGLE,function(q){q.currentTarget.tagName==="A"&&q.preventDefault();var ie=r(this),re=v.getSelectorFromElement(this),D=[].slice.call(document.querySelectorAll(re));r(D).each(function(){var $=r(this),le=$.data(Ue),Ae=le?"toggle":ie.data();Q._jQueryInterface.call($,Ae)})}),r.fn[Ne]=Q._jQueryInterface,r.fn[Ne].Constructor=Q,r.fn[Ne].noConflict=function(){return r.fn[Ne]=ge,Q._jQueryInterface};/**!
  * @fileOverview Kickass library to create and place poppers near their reference elements.
  * @version 1.14.7
  * @license
@@ -166,38 +166,38 @@ else {`),this._emit("cb()")),this._emitLine("}")},R.compileIfAsync=function(I,h)
  * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
  * SOFTWARE.
- */for(var he=typeof window<"u"&&typeof document<"u",Le=["Edge","Trident","Firefox"],Xe=0,je=0;je<Le.length;je+=1)if(he&&navigator.userAgent.indexOf(Le[je])>=0){Xe=1;break}function at(q){var ie=!1;return function(){ie||(ie=!0,window.Promise.resolve().then(function(){ie=!1,q()}))}}function ke(q){var ie=!1;return function(){ie||(ie=!0,setTimeout(function(){ie=!1,q()},Xe))}}var $e=he&&window.Promise,De=$e?at:ke;function pt(q){var ie={};return q&&ie.toString.call(q)==="[object Function]"}function _t(q,ie){if(q.nodeType!==1)return[];var re=q.ownerDocument.defaultView,D=re.getComputedStyle(q,null);return ie?D[ie]:D}function wt(q){return q.nodeName==="HTML"?q:q.parentNode||q.host}function Lt(q){if(!q)return document.body;switch(q.nodeName){case"HTML":case"BODY":return q.ownerDocument.body;case"#document":return q.body}var ie=_t(q),re=ie.overflow,D=ie.overflowX,$=ie.overflowY;return/(auto|scroll|overlay)/.test(re+$+D)?q:Lt(wt(q))}var cn=he&&!!(window.MSInputMethodContext&&document.documentMode),Xt=he&&/MSIE 10/.test(navigator.userAgent);function an(q){return q===11?cn:q===10?Xt:cn||Xt}function Zt(q){if(!q)return document.documentElement;for(var ie=an(10)?document.body:null,re=q.offsetParent||null;re===ie&&q.nextElementSibling;)re=(q=q.nextElementSibling).offsetParent;var D=re&&re.nodeName;return!D||D==="BODY"||D==="HTML"?q?q.ownerDocument.documentElement:document.documentElement:["TH","TD","TABLE"].indexOf(re.nodeName)!==-1&&_t(re,"position")==="static"?Zt(re):re}function Sr(q){var ie=q.nodeName;return ie==="BODY"?!1:ie==="HTML"||Zt(q.firstElementChild)===q}function Qn(q){return q.parentNode!==null?Qn(q.parentNode):q}function wn(q,ie){if(!q||!q.nodeType||!ie||!ie.nodeType)return document.documentElement;var re=q.compareDocumentPosition(ie)&Node.DOCUMENT_POSITION_FOLLOWING,D=re?q:ie,$=re?ie:q,le=document.createRange();le.setStart(D,0),le.setEnd($,0);var Ae=le.commonAncestorContainer;if(q!==Ae&&ie!==Ae||D.contains($))return Sr(Ae)?Ae:Zt(Ae);var Pe=Qn(q);return Pe.host?wn(Pe.host,ie):wn(q,Qn(ie).host)}function Wn(q){var ie=arguments.length>1&&arguments[1]!==void 0?arguments[1]:"top",re=ie==="top"?"scrollTop":"scrollLeft",D=q.nodeName;if(D==="BODY"||D==="HTML"){var $=q.ownerDocument.documentElement,le=q.ownerDocument.scrollingElement||$;return le[re]}return q[re]}function Jn(q,ie){var re=arguments.length>2&&arguments[2]!==void 0?arguments[2]:!1,D=Wn(ie,"top"),$=Wn(ie,"left"),le=re?-1:1;return q.top+=D*le,q.bottom+=D*le,q.left+=$*le,q.right+=$*le,q}function Oa(q,ie){var re=ie==="x"?"Left":"Top",D=re==="Left"?"Right":"Bottom";return parseFloat(q["border"+re+"Width"],10)+parseFloat(q["border"+D+"Width"],10)}function Ai(q,ie,re,D){return Math.max(ie["offset"+q],ie["scroll"+q],re["client"+q],re["offset"+q],re["scroll"+q],an(10)?parseInt(re["offset"+q])+parseInt(D["margin"+(q==="Height"?"Top":"Left")])+parseInt(D["margin"+(q==="Height"?"Bottom":"Right")]):0)}function Oo(q){var ie=q.body,re=q.documentElement,D=an(10)&&getComputedStyle(re);return{height:Ai("Height",ie,re,D),width:Ai("Width",ie,re,D)}}var ja=function(q,ie){if(!(q instanceof ie))throw new TypeError("Cannot call a class as a function")},ps=function(){function q(ie,re){for(var D=0;D<re.length;D++){var $=re[D];$.enumerable=$.enumerable||!1,$.configurable=!0,"value"in $&&($.writable=!0),Object.defineProperty(ie,$.key,$)}}return function(ie,re,D){return re&&q(ie.prototype,re),D&&q(ie,D),ie}}(),Pr=function(q,ie,re){return ie in q?Object.defineProperty(q,ie,{value:re,enumerable:!0,configurable:!0,writable:!0}):q[ie]=re,q},ur=Object.assign||function(q){for(var ie=1;ie<arguments.length;ie++){var re=arguments[ie];for(var D in re)Object.prototype.hasOwnProperty.call(re,D)&&(q[D]=re[D])}return q};function ii(q){return ur({},q,{right:q.left+q.width,bottom:q.top+q.height})}function Gi(q){var ie={};try{if(an(10)){ie=q.getBoundingClientRect();var re=Wn(q,"top"),D=Wn(q,"left");ie.top+=re,ie.left+=D,ie.bottom+=re,ie.right+=D}else ie=q.getBoundingClientRect()}catch{}var $={left:ie.left,top:ie.top,width:ie.right-ie.left,height:ie.bottom-ie.top},le=q.nodeName==="HTML"?Oo(q.ownerDocument):{},Ae=le.width||q.clientWidth||$.right-$.left,Pe=le.height||q.clientHeight||$.bottom-$.top,Ye=q.offsetWidth-Ae,ft=q.offsetHeight-Pe;if(Ye||ft){var Tt=_t(q);Ye-=Oa(Tt,"x"),ft-=Oa(Tt,"y"),$.width-=Ye,$.height-=ft}return ii($)}function Xa(q,ie){var re=arguments.length>2&&arguments[2]!==void 0?arguments[2]:!1,D=an(10),$=ie.nodeName==="HTML",le=Gi(q),Ae=Gi(ie),Pe=Lt(q),Ye=_t(ie),ft=parseFloat(Ye.borderTopWidth,10),Tt=parseFloat(Ye.borderLeftWidth,10);re&&$&&(Ae.top=Math.max(Ae.top,0),Ae.left=Math.max(Ae.left,0));var ht=ii({top:le.top-Ae.top-ft,left:le.left-Ae.left-Tt,width:le.width,height:le.height});if(ht.marginTop=0,ht.marginLeft=0,!D&&$){var kt=parseFloat(Ye.marginTop,10),Yt=parseFloat(Ye.marginLeft,10);ht.top-=ft-kt,ht.bottom-=ft-kt,ht.left-=Tt-Yt,ht.right-=Tt-Yt,ht.marginTop=kt,ht.marginLeft=Yt}return(D&&!re?ie.contains(Pe):ie===Pe&&Pe.nodeName!=="BODY")&&(ht=Jn(ht,ie)),ht}function ai(q){var ie=arguments.length>1&&arguments[1]!==void 0?arguments[1]:!1,re=q.ownerDocument.documentElement,D=Xa(q,re),$=Math.max(re.clientWidth,window.innerWidth||0),le=Math.max(re.clientHeight,window.innerHeight||0),Ae=ie?0:Wn(re),Pe=ie?0:Wn(re,"left"),Ye={top:Ae-D.top+D.marginTop,left:Pe-D.left+D.marginLeft,width:$,height:le};return ii(Ye)}function oi(q){var ie=q.nodeName;if(ie==="BODY"||ie==="HTML")return!1;if(_t(q,"position")==="fixed")return!0;var re=wt(q);return re?oi(re):!1}function Ra(q){if(!q||!q.parentElement||an())return document.documentElement;for(var ie=q.parentElement;ie&&_t(ie,"transform")==="none";)ie=ie.parentElement;return ie||document.documentElement}function aa(q,ie,re,D){var $=arguments.length>4&&arguments[4]!==void 0?arguments[4]:!1,le={top:0,left:0},Ae=$?Ra(q):wn(q,ie);if(D==="viewport")le=ai(Ae,$);else{var Pe=void 0;D==="scrollParent"?(Pe=Lt(wt(ie)),Pe.nodeName==="BODY"&&(Pe=q.ownerDocument.documentElement)):D==="window"?Pe=q.ownerDocument.documentElement:Pe=D;var Ye=Xa(Pe,Ae,$);if(Pe.nodeName==="HTML"&&!oi(Ae)){var ft=Oo(q.ownerDocument),Tt=ft.height,ht=ft.width;le.top+=Ye.top-Ye.marginTop,le.bottom=Tt+Ye.top,le.left+=Ye.left-Ye.marginLeft,le.right=ht+Ye.left}else le=Ye}re=re||0;var kt=typeof re=="number";return le.left+=kt?re:re.left||0,le.top+=kt?re:re.top||0,le.right-=kt?re:re.right||0,le.bottom-=kt?re:re.bottom||0,le}function Oi(q){var ie=q.width,re=q.height;return ie*re}function oa(q,ie,re,D,$){var le=arguments.length>5&&arguments[5]!==void 0?arguments[5]:0;if(q.indexOf("auto")===-1)return q;var Ae=aa(re,D,le,$),Pe={top:{width:Ae.width,height:ie.top-Ae.top},right:{width:Ae.right-ie.right,height:Ae.height},bottom:{width:Ae.width,height:Ae.bottom-ie.bottom},left:{width:ie.left-Ae.left,height:Ae.height}},Ye=Object.keys(Pe).map(function(kt){return ur({key:kt},Pe[kt],{area:Oi(Pe[kt])})}).sort(function(kt,Yt){return Yt.area-kt.area}),ft=Ye.filter(function(kt){var Yt=kt.width,Ut=kt.height;return Yt>=re.clientWidth&&Ut>=re.clientHeight}),Tt=ft.length>0?ft[0].key:Ye[0].key,ht=q.split("-")[1];return Tt+(ht?"-"+ht:"")}function Ri(q,ie,re){var D=arguments.length>3&&arguments[3]!==void 0?arguments[3]:null,$=D?Ra(ie):wn(ie,re);return Xa(re,$,D)}function Hi(q){var ie=q.ownerDocument.defaultView,re=ie.getComputedStyle(q),D=parseFloat(re.marginTop||0)+parseFloat(re.marginBottom||0),$=parseFloat(re.marginLeft||0)+parseFloat(re.marginRight||0),le={width:q.offsetWidth+$,height:q.offsetHeight+D};return le}function br(q){var ie={left:"right",right:"left",bottom:"top",top:"bottom"};return q.replace(/left|right|bottom|top/g,function(re){return ie[re]})}function sa(q,ie,re){re=re.split("-")[0];var D=Hi(q),$={width:D.width,height:D.height},le=["right","left"].indexOf(re)!==-1,Ae=le?"top":"left",Pe=le?"left":"top",Ye=le?"height":"width",ft=le?"width":"height";return $[Ae]=ie[Ae]+ie[Ye]/2-D[Ye]/2,re===Pe?$[Pe]=ie[Pe]-D[ft]:$[Pe]=ie[br(Pe)],$}function Ni(q,ie){return Array.prototype.find?q.find(ie):q.filter(ie)[0]}function bn(q,ie,re){if(Array.prototype.findIndex)return q.findIndex(function($){return $[ie]===re});var D=Ni(q,function($){return $[ie]===re});return q.indexOf(D)}function Mt(q,ie,re){var D=re===void 0?q:q.slice(0,bn(q,"name",re));return D.forEach(function($){$.function&&console.warn("`modifier.function` is deprecated, use `modifier.fn`!");var le=$.function||$.fn;$.enabled&&pt(le)&&(ie.offsets.popper=ii(ie.offsets.popper),ie.offsets.reference=ii(ie.offsets.reference),ie=le(ie,$))}),ie}function Fr(){if(!this.state.isDestroyed){var q={instance:this,styles:{},arrowStyles:{},attributes:{},flipped:!1,offsets:{}};q.offsets.reference=Ri(this.state,this.popper,this.reference,this.options.positionFixed),q.placement=oa(this.options.placement,q.offsets.reference,this.popper,this.reference,this.options.modifiers.flip.boundariesElement,this.options.modifiers.flip.padding),q.originalPlacement=q.placement,q.positionFixed=this.options.positionFixed,q.offsets.popper=sa(this.popper,q.offsets.reference,q.placement),q.offsets.popper.position=this.options.positionFixed?"fixed":"absolute",q=Mt(this.modifiers,q),this.state.isCreated?this.options.onUpdate(q):(this.state.isCreated=!0,this.options.onCreate(q))}}function Na(q,ie){return q.some(function(re){var D=re.name,$=re.enabled;return $&&D===ie})}function cr(q){for(var ie=[!1,"ms","Webkit","Moz","O"],re=q.charAt(0).toUpperCase()+q.slice(1),D=0;D<ie.length;D++){var $=ie[D],le=$?""+$+re:q;if(typeof document.body.style[le]<"u")return le}return null}function un(){return this.state.isDestroyed=!0,Na(this.modifiers,"applyStyle")&&(this.popper.removeAttribute("x-placement"),this.popper.style.position="",this.popper.style.top="",this.popper.style.left="",this.popper.style.right="",this.popper.style.bottom="",this.popper.style.willChange="",this.popper.style[cr("transform")]=""),this.disableEventListeners(),this.options.removeOnDestroy&&this.popper.parentNode.removeChild(this.popper),this}function Br(q){var ie=q.ownerDocument;return ie?ie.defaultView:window}function si(q,ie,re,D){var $=q.nodeName==="BODY",le=$?q.ownerDocument.defaultView:q;le.addEventListener(ie,re,{passive:!0}),$||si(Lt(le.parentNode),ie,re,D),D.push(le)}function Ia(q,ie,re,D){re.updateBound=D,Br(q).addEventListener("resize",re.updateBound,{passive:!0});var $=Lt(q);return si($,"scroll",re.updateBound,re.scrollParents),re.scrollElement=$,re.eventsEnabled=!0,re}function st(){this.state.eventsEnabled||(this.state=Ia(this.reference,this.options,this.state,this.scheduleUpdate))}function Bt(q,ie){return Br(q).removeEventListener("resize",ie.updateBound),ie.scrollParents.forEach(function(re){re.removeEventListener("scroll",ie.updateBound)}),ie.updateBound=null,ie.scrollParents=[],ie.scrollElement=null,ie.eventsEnabled=!1,ie}function qi(){this.state.eventsEnabled&&(cancelAnimationFrame(this.scheduleUpdate),this.state=Bt(this.reference,this.state))}function la(q){return q!==""&&!isNaN(parseFloat(q))&&isFinite(q)}function Yi(q,ie){Object.keys(ie).forEach(function(re){var D="";["width","height","top","right","bottom","left"].indexOf(re)!==-1&&la(ie[re])&&(D="px"),q.style[re]=ie[re]+D})}function Wi(q,ie){Object.keys(ie).forEach(function(re){var D=ie[re];D!==!1?q.setAttribute(re,ie[re]):q.removeAttribute(re)})}function Za(q){return Yi(q.instance.popper,q.styles),Wi(q.instance.popper,q.attributes),q.arrowElement&&Object.keys(q.arrowStyles).length&&Yi(q.arrowElement,q.arrowStyles),q}function Ht(q,ie,re,D,$){var le=Ri($,ie,q,re.positionFixed),Ae=oa(re.placement,le,ie,q,re.modifiers.flip.boundariesElement,re.modifiers.flip.padding);return ie.setAttribute("x-placement",Ae),Yi(ie,{position:re.positionFixed?"fixed":"absolute"}),re}function Ro(q,ie){var re=q.offsets,D=re.popper,$=re.reference,le=Math.round,Ae=Math.floor,Pe=function(Vr){return Vr},Ye=le($.width),ft=le(D.width),Tt=["left","right"].indexOf(q.placement)!==-1,ht=q.placement.indexOf("-")!==-1,kt=Ye%2===ft%2,Yt=Ye%2===1&&ft%2===1,Ut=ie?Tt||ht||kt?le:Ae:Pe,dn=ie?le:Pe;return{left:Ut(Yt&&!ht&&ie?D.left-1:D.left),top:dn(D.top),bottom:dn(D.bottom),right:Ut(D.right)}}var No=he&&/Firefox/i.test(navigator.userAgent);function Da(q,ie){var re=ie.x,D=ie.y,$=q.offsets.popper,le=Ni(q.instance.modifiers,function(ea){return ea.name==="applyStyle"}).gpuAcceleration;le!==void 0&&console.warn("WARNING: `gpuAcceleration` option moved to `computeStyle` modifier and will not be supported in future versions of Popper.js!");var Ae=le!==void 0?le:ie.gpuAcceleration,Pe=Zt(q.instance.popper),Ye=Gi(Pe),ft={position:$.position},Tt=Ro(q,window.devicePixelRatio<2||!No),ht=re==="bottom"?"top":"bottom",kt=D==="right"?"left":"right",Yt=cr("transform"),Ut=void 0,dn=void 0;if(ht==="bottom"?Pe.nodeName==="HTML"?dn=-Pe.clientHeight+Tt.bottom:dn=-Ye.height+Tt.bottom:dn=Tt.top,kt==="right"?Pe.nodeName==="HTML"?Ut=-Pe.clientWidth+Tt.right:Ut=-Ye.width+Tt.right:Ut=Tt.left,Ae&&Yt)ft[Yt]="translate3d("+Ut+"px, "+dn+"px, 0)",ft[ht]=0,ft[kt]=0,ft.willChange="transform";else{var Ar=ht==="bottom"?-1:1,Vr=kt==="right"?-1:1;ft[ht]=dn*Ar,ft[kt]=Ut*Vr,ft.willChange=ht+", "+kt}var zr={"x-placement":q.placement};return q.attributes=ur({},zr,q.attributes),q.styles=ur({},ft,q.styles),q.arrowStyles=ur({},q.offsets.arrow,q.arrowStyles),q}function Cn(q,ie,re){var D=Ni(q,function(Pe){var Ye=Pe.name;return Ye===ie}),$=!!D&&q.some(function(Pe){return Pe.name===re&&Pe.enabled&&Pe.order<D.order});if(!$){var le="`"+ie+"`",Ae="`"+re+"`";console.warn(Ae+" modifier is required by "+le+" modifier in order to work, be sure to include it before "+le+"!")}return $}function Ja(q,ie){var re;if(!Cn(q.instance.modifiers,"arrow","keepTogether"))return q;var D=ie.element;if(typeof D=="string"){if(D=q.instance.popper.querySelector(D),!D)return q}else if(!q.instance.popper.contains(D))return console.warn("WARNING: `arrow.element` must be child of its popper element!"),q;var $=q.placement.split("-")[0],le=q.offsets,Ae=le.popper,Pe=le.reference,Ye=["left","right"].indexOf($)!==-1,ft=Ye?"height":"width",Tt=Ye?"Top":"Left",ht=Tt.toLowerCase(),kt=Ye?"left":"top",Yt=Ye?"bottom":"right",Ut=Hi(D)[ft];Pe[Yt]-Ut<Ae[ht]&&(q.offsets.popper[ht]-=Ae[ht]-(Pe[Yt]-Ut)),Pe[ht]+Ut>Ae[Yt]&&(q.offsets.popper[ht]+=Pe[ht]+Ut-Ae[Yt]),q.offsets.popper=ii(q.offsets.popper);var dn=Pe[ht]+Pe[ft]/2-Ut/2,Ar=_t(q.instance.popper),Vr=parseFloat(Ar["margin"+Tt],10),zr=parseFloat(Ar["border"+Tt+"Width"],10),ea=dn-q.offsets.popper[ht]-Vr-zr;return ea=Math.max(Math.min(Ae[ft]-Ut,ea),0),q.arrowElement=D,q.offsets.arrow=(re={},Pr(re,ht,Math.round(ea)),Pr(re,kt,""),re),q}function Vi(q){return q==="end"?"start":q==="start"?"end":q}var zi=["auto-start","auto","auto-end","top-start","top","top-end","right-start","right","right-end","bottom-end","bottom","bottom-start","left-end","left","left-start"],ua=zi.slice(3);function Ur(q){var ie=arguments.length>1&&arguments[1]!==void 0?arguments[1]:!1,re=ua.indexOf(q),D=ua.slice(re+1).concat(ua.slice(0,re));return ie?D.reverse():D}var vr={FLIP:"flip",CLOCKWISE:"clockwise",COUNTERCLOCKWISE:"counterclockwise"};function ca(q,ie){if(Na(q.instance.modifiers,"inner")||q.flipped&&q.placement===q.originalPlacement)return q;var re=aa(q.instance.popper,q.instance.reference,ie.padding,ie.boundariesElement,q.positionFixed),D=q.placement.split("-")[0],$=br(D),le=q.placement.split("-")[1]||"",Ae=[];switch(ie.behavior){case vr.FLIP:Ae=[D,$];break;case vr.CLOCKWISE:Ae=Ur(D);break;case vr.COUNTERCLOCKWISE:Ae=Ur(D,!0);break;default:Ae=ie.behavior}return Ae.forEach(function(Pe,Ye){if(D!==Pe||Ae.length===Ye+1)return q;D=q.placement.split("-")[0],$=br(D);var ft=q.offsets.popper,Tt=q.offsets.reference,ht=Math.floor,kt=D==="left"&&ht(ft.right)>ht(Tt.left)||D==="right"&&ht(ft.left)<ht(Tt.right)||D==="top"&&ht(ft.bottom)>ht(Tt.top)||D==="bottom"&&ht(ft.top)<ht(Tt.bottom),Yt=ht(ft.left)<ht(re.left),Ut=ht(ft.right)>ht(re.right),dn=ht(ft.top)<ht(re.top),Ar=ht(ft.bottom)>ht(re.bottom),Vr=D==="left"&&Yt||D==="right"&&Ut||D==="top"&&dn||D==="bottom"&&Ar,zr=["top","bottom"].indexOf(D)!==-1,ea=!!ie.flipVariations&&(zr&&le==="start"&&Yt||zr&&le==="end"&&Ut||!zr&&le==="start"&&dn||!zr&&le==="end"&&Ar);(kt||Vr||ea)&&(q.flipped=!0,(kt||Vr)&&(D=Ae[Ye+1]),ea&&(le=Vi(le)),q.placement=D+(le?"-"+le:""),q.offsets.popper=ur({},q.offsets.popper,sa(q.instance.popper,q.offsets.reference,q.placement)),q=Mt(q.instance.modifiers,q,"flip"))}),q}function eo(q){var ie=q.offsets,re=ie.popper,D=ie.reference,$=q.placement.split("-")[0],le=Math.floor,Ae=["top","bottom"].indexOf($)!==-1,Pe=Ae?"right":"bottom",Ye=Ae?"left":"top",ft=Ae?"width":"height";return re[Pe]<le(D[Ye])&&(q.offsets.popper[Ye]=le(D[Ye])-re[ft]),re[Ye]>le(D[Pe])&&(q.offsets.popper[Ye]=le(D[Pe])),q}function Ii(q,ie,re,D){var $=q.match(/((?:\-|\+)?\d*\.?\d*)(.*)/),le=+$[1],Ae=$[2];if(!le)return q;if(Ae.indexOf("%")===0){var Pe=void 0;switch(Ae){case"%p":Pe=re;break;case"%":case"%r":default:Pe=D}var Ye=ii(Pe);return Ye[ie]/100*le}else if(Ae==="vh"||Ae==="vw"){var ft=void 0;return Ae==="vh"?ft=Math.max(document.documentElement.clientHeight,window.innerHeight||0):ft=Math.max(document.documentElement.clientWidth,window.innerWidth||0),ft/100*le}else return le}function to(q,ie,re,D){var $=[0,0],le=["right","left"].indexOf(D)!==-1,Ae=q.split(/(\+|\-)/).map(function(Tt){return Tt.trim()}),Pe=Ae.indexOf(Ni(Ae,function(Tt){return Tt.search(/,|\s/)!==-1}));Ae[Pe]&&Ae[Pe].indexOf(",")===-1&&console.warn("Offsets separated by white space(s) are deprecated, use a comma (,) instead.");var Ye=/\s*,\s*|\s+/,ft=Pe!==-1?[Ae.slice(0,Pe).concat([Ae[Pe].split(Ye)[0]]),[Ae[Pe].split(Ye)[1]].concat(Ae.slice(Pe+1))]:[Ae];return ft=ft.map(function(Tt,ht){var kt=(ht===1?!le:le)?"height":"width",Yt=!1;return Tt.reduce(function(Ut,dn){return Ut[Ut.length-1]===""&&["+","-"].indexOf(dn)!==-1?(Ut[Ut.length-1]=dn,Yt=!0,Ut):Yt?(Ut[Ut.length-1]+=dn,Yt=!1,Ut):Ut.concat(dn)},[]).map(function(Ut){return Ii(Ut,kt,ie,re)})}),ft.forEach(function(Tt,ht){Tt.forEach(function(kt,Yt){la(kt)&&($[ht]+=kt*(Tt[Yt-1]==="-"?-1:1))})}),$}function no(q,ie){var re=ie.offset,D=q.placement,$=q.offsets,le=$.popper,Ae=$.reference,Pe=D.split("-")[0],Ye=void 0;return la(+re)?Ye=[+re,0]:Ye=to(re,le,Ae,Pe),Pe==="left"?(le.top+=Ye[0],le.left-=Ye[1]):Pe==="right"?(le.top+=Ye[0],le.left+=Ye[1]):Pe==="top"?(le.left+=Ye[0],le.top-=Ye[1]):Pe==="bottom"&&(le.left+=Ye[0],le.top+=Ye[1]),q.popper=le,q}function ro(q,ie){var re=ie.boundariesElement||Zt(q.instance.popper);q.instance.reference===re&&(re=Zt(re));var D=cr("transform"),$=q.instance.popper.style,le=$.top,Ae=$.left,Pe=$[D];$.top="",$.left="",$[D]="";var Ye=aa(q.instance.popper,q.instance.reference,ie.padding,re,q.positionFixed);$.top=le,$.left=Ae,$[D]=Pe,ie.boundaries=Ye;var ft=ie.priority,Tt=q.offsets.popper,ht={primary:function(Yt){var Ut=Tt[Yt];return Tt[Yt]<Ye[Yt]&&!ie.escapeWithReference&&(Ut=Math.max(Tt[Yt],Ye[Yt])),Pr({},Yt,Ut)},secondary:function(Yt){var Ut=Yt==="right"?"left":"top",dn=Tt[Ut];return Tt[Yt]>Ye[Yt]&&!ie.escapeWithReference&&(dn=Math.min(Tt[Ut],Ye[Yt]-(Yt==="right"?Tt.width:Tt.height))),Pr({},Ut,dn)}};return ft.forEach(function(kt){var Yt=["left","top"].indexOf(kt)!==-1?"primary":"secondary";Tt=ur({},Tt,ht[Yt](kt))}),q.offsets.popper=Tt,q}function Ki(q){var ie=q.placement,re=ie.split("-")[0],D=ie.split("-")[1];if(D){var $=q.offsets,le=$.reference,Ae=$.popper,Pe=["bottom","top"].indexOf(re)!==-1,Ye=Pe?"left":"top",ft=Pe?"width":"height",Tt={start:Pr({},Ye,le[Ye]),end:Pr({},Ye,le[Ye]+le[ft]-Ae[ft])};q.offsets.popper=ur({},Ae,Tt[D])}return q}function Tr(q){if(!Cn(q.instance.modifiers,"hide","preventOverflow"))return q;var ie=q.offsets.reference,re=Ni(q.instance.modifiers,function(D){return D.name==="preventOverflow"}).boundaries;if(ie.bottom<re.top||ie.left>re.right||ie.top>re.bottom||ie.right<re.left){if(q.hide===!0)return q;q.hide=!0,q.attributes["x-out-of-boundaries"]=""}else{if(q.hide===!1)return q;q.hide=!1,q.attributes["x-out-of-boundaries"]=!1}return q}function io(q){var ie=q.placement,re=ie.split("-")[0],D=q.offsets,$=D.popper,le=D.reference,Ae=["left","right"].indexOf(re)!==-1,Pe=["top","left"].indexOf(re)===-1;return $[Ae?"left":"top"]=le[re]-(Pe?$[Ae?"width":"height"]:0),q.placement=br(ie),q.offsets.popper=ii($),q}var Io={shift:{order:100,enabled:!0,fn:Ki},offset:{order:200,enabled:!0,fn:no,offset:0},preventOverflow:{order:300,enabled:!0,fn:ro,priority:["left","right","top","bottom"],padding:5,boundariesElement:"scrollParent"},keepTogether:{order:400,enabled:!0,fn:eo},arrow:{order:500,enabled:!0,fn:Ja,element:"[x-arrow]"},flip:{order:600,enabled:!0,fn:ca,behavior:"flip",padding:5,boundariesElement:"viewport"},inner:{order:700,enabled:!1,fn:io},hide:{order:800,enabled:!0,fn:Tr},computeStyle:{order:850,enabled:!0,fn:Da,gpuAcceleration:!0,x:"bottom",y:"right"},applyStyle:{order:900,enabled:!0,fn:Za,onLoad:Ht,gpuAcceleration:void 0}},da={placement:"bottom",positionFixed:!1,eventsEnabled:!0,removeOnDestroy:!1,onCreate:function(){},onUpdate:function(){},modifiers:Io},dr=function(){function q(ie,re){var D=this,$=arguments.length>2&&arguments[2]!==void 0?arguments[2]:{};ja(this,q),this.scheduleUpdate=function(){return requestAnimationFrame(D.update)},this.update=De(this.update.bind(this)),this.options=ur({},q.Defaults,$),this.state={isDestroyed:!1,isCreated:!1,scrollParents:[]},this.reference=ie&&ie.jquery?ie[0]:ie,this.popper=re&&re.jquery?re[0]:re,this.options.modifiers={},Object.keys(ur({},q.Defaults.modifiers,$.modifiers)).forEach(function(Ae){D.options.modifiers[Ae]=ur({},q.Defaults.modifiers[Ae]||{},$.modifiers?$.modifiers[Ae]:{})}),this.modifiers=Object.keys(this.options.modifiers).map(function(Ae){return ur({name:Ae},D.options.modifiers[Ae])}).sort(function(Ae,Pe){return Ae.order-Pe.order}),this.modifiers.forEach(function(Ae){Ae.enabled&&pt(Ae.onLoad)&&Ae.onLoad(D.reference,D.popper,D.options,Ae,D.state)}),this.update();var le=this.options.eventsEnabled;le&&this.enableEventListeners(),this.state.eventsEnabled=le}return ps(q,[{key:"update",value:function(){return Fr.call(this)}},{key:"destroy",value:function(){return un.call(this)}},{key:"enableEventListeners",value:function(){return st.call(this)}},{key:"disableEventListeners",value:function(){return qi.call(this)}}]),q}();dr.Utils=(typeof window<"u"?window:Jr).PopperUtils,dr.placements=zi,dr.Defaults=da;var fa="dropdown",iu="4.3.1",ao="bs.dropdown",Di="."+ao,oo=".data-api",tl=r.fn[fa],Do=27,xo=32,so=9,pa=38,$i=40,wo=3,_s=new RegExp(pa+"|"+$i+"|"+Do),Un={HIDE:"hide"+Di,HIDDEN:"hidden"+Di,SHOW:"show"+Di,SHOWN:"shown"+Di,CLICK:"click"+Di,CLICK_DATA_API:"click"+Di+oo,KEYDOWN_DATA_API:"keydown"+Di+oo,KEYUP_DATA_API:"keyup"+Di+oo},gn={DISABLED:"disabled",SHOW:"show",DROPUP:"dropup",DROPRIGHT:"dropright",DROPLEFT:"dropleft",MENURIGHT:"dropdown-menu-right",MENULEFT:"dropdown-menu-left",POSITION_STATIC:"position-static"},li={DATA_TOGGLE:'[data-toggle="dropdown"]',FORM_CHILD:".dropdown form",MENU:".dropdown-menu",NAVBAR_NAV:".navbar-nav",VISIBLE_ITEMS:".dropdown-menu .dropdown-item:not(.disabled):not(:disabled)"},_a={TOP:"top-start",TOPEND:"top-end",BOTTOM:"bottom-start",BOTTOMEND:"bottom-end",RIGHT:"right-start",RIGHTEND:"right-end",LEFT:"left-start",LEFTEND:"left-end"},er={offset:0,flip:!0,boundary:"scrollParent",reference:"toggle",display:"dynamic"},nl={offset:"(number|string|function)",flip:"boolean",boundary:"(string|element)",reference:"(string|element)",display:"string"},ui=function(){function q(re,D){this._element=re,this._popper=null,this._config=this._getConfig(D),this._menu=this._getMenuElement(),this._inNavbar=this._detectNavbar(),this._addEventListeners()}var ie=q.prototype;return ie.toggle=function(){if(!(this._element.disabled||r(this._element).hasClass(gn.DISABLED))){var D=q._getParentFromElement(this._element),$=r(this._menu).hasClass(gn.SHOW);if(q._clearMenus(),!$){var le={relatedTarget:this._element},Ae=r.Event(Un.SHOW,le);if(r(D).trigger(Ae),!Ae.isDefaultPrevented()){if(!this._inNavbar){if(typeof dr>"u")throw new TypeError("Bootstrap's dropdowns require Popper.js (https://popper.js.org/)");var Pe=this._element;this._config.reference==="parent"?Pe=D:v.isElement(this._config.reference)&&(Pe=this._config.reference,typeof this._config.reference.jquery<"u"&&(Pe=this._config.reference[0])),this._config.boundary!=="scrollParent"&&r(D).addClass(gn.POSITION_STATIC),this._popper=new dr(Pe,this._menu,this._getPopperConfig())}"ontouchstart"in document.documentElement&&r(D).closest(li.NAVBAR_NAV).length===0&&r(document.body).children().on("mouseover",null,r.noop),this._element.focus(),this._element.setAttribute("aria-expanded",!0),r(this._menu).toggleClass(gn.SHOW),r(D).toggleClass(gn.SHOW).trigger(r.Event(Un.SHOWN,le))}}}},ie.show=function(){if(!(this._element.disabled||r(this._element).hasClass(gn.DISABLED)||r(this._menu).hasClass(gn.SHOW))){var D={relatedTarget:this._element},$=r.Event(Un.SHOW,D),le=q._getParentFromElement(this._element);r(le).trigger($),!$.isDefaultPrevented()&&(r(this._menu).toggleClass(gn.SHOW),r(le).toggleClass(gn.SHOW).trigger(r.Event(Un.SHOWN,D)))}},ie.hide=function(){if(!(this._element.disabled||r(this._element).hasClass(gn.DISABLED)||!r(this._menu).hasClass(gn.SHOW))){var D={relatedTarget:this._element},$=r.Event(Un.HIDE,D),le=q._getParentFromElement(this._element);r(le).trigger($),!$.isDefaultPrevented()&&(r(this._menu).toggleClass(gn.SHOW),r(le).toggleClass(gn.SHOW).trigger(r.Event(Un.HIDDEN,D)))}},ie.dispose=function(){r.removeData(this._element,ao),r(this._element).off(Di),this._element=null,this._menu=null,this._popper!==null&&(this._popper.destroy(),this._popper=null)},ie.update=function(){this._inNavbar=this._detectNavbar(),this._popper!==null&&this._popper.scheduleUpdate()},ie._addEventListeners=function(){var D=this;r(this._element).on(Un.CLICK,function($){$.preventDefault(),$.stopPropagation(),D.toggle()})},ie._getConfig=function(D){return D=u({},this.constructor.Default,r(this._element).data(),D),v.typeCheckConfig(fa,D,this.constructor.DefaultType),D},ie._getMenuElement=function(){if(!this._menu){var D=q._getParentFromElement(this._element);D&&(this._menu=D.querySelector(li.MENU))}return this._menu},ie._getPlacement=function(){var D=r(this._element.parentNode),$=_a.BOTTOM;return D.hasClass(gn.DROPUP)?($=_a.TOP,r(this._menu).hasClass(gn.MENURIGHT)&&($=_a.TOPEND)):D.hasClass(gn.DROPRIGHT)?$=_a.RIGHT:D.hasClass(gn.DROPLEFT)?$=_a.LEFT:r(this._menu).hasClass(gn.MENURIGHT)&&($=_a.BOTTOMEND),$},ie._detectNavbar=function(){return r(this._element).closest(".navbar").length>0},ie._getOffset=function(){var D=this,$={};return typeof this._config.offset=="function"?$.fn=function(le){return le.offsets=u({},le.offsets,D._config.offset(le.offsets,D._element)||{}),le}:$.offset=this._config.offset,$},ie._getPopperConfig=function(){var D={placement:this._getPlacement(),modifiers:{offset:this._getOffset(),flip:{enabled:this._config.flip},preventOverflow:{boundariesElement:this._config.boundary}}};return this._config.display==="static"&&(D.modifiers.applyStyle={enabled:!1}),D},q._jQueryInterface=function(D){return this.each(function(){var $=r(this).data(ao),le=typeof D=="object"?D:null;if($||($=new q(this,le),r(this).data(ao,$)),typeof D=="string"){if(typeof $[D]>"u")throw new TypeError('No method named "'+D+'"');$[D]()}})},q._clearMenus=function(D){if(!(D&&(D.which===wo||D.type==="keyup"&&D.which!==so)))for(var $=[].slice.call(document.querySelectorAll(li.DATA_TOGGLE)),le=0,Ae=$.length;le<Ae;le++){var Pe=q._getParentFromElement($[le]),Ye=r($[le]).data(ao),ft={relatedTarget:$[le]};if(D&&D.type==="click"&&(ft.clickEvent=D),!!Ye){var Tt=Ye._menu;if(!!r(Pe).hasClass(gn.SHOW)&&!(D&&(D.type==="click"&&/input|textarea/i.test(D.target.tagName)||D.type==="keyup"&&D.which===so)&&r.contains(Pe,D.target))){var ht=r.Event(Un.HIDE,ft);r(Pe).trigger(ht),!ht.isDefaultPrevented()&&("ontouchstart"in document.documentElement&&r(document.body).children().off("mouseover",null,r.noop),$[le].setAttribute("aria-expanded","false"),r(Tt).removeClass(gn.SHOW),r(Pe).removeClass(gn.SHOW).trigger(r.Event(Un.HIDDEN,ft)))}}}},q._getParentFromElement=function(D){var $,le=v.getSelectorFromElement(D);return le&&($=document.querySelector(le)),$||D.parentNode},q._dataApiKeydownHandler=function(D){if(!(/input|textarea/i.test(D.target.tagName)?D.which===xo||D.which!==Do&&(D.which!==$i&&D.which!==pa||r(D.target).closest(li.MENU).length):!_s.test(D.which))&&(D.preventDefault(),D.stopPropagation(),!(this.disabled||r(this).hasClass(gn.DISABLED)))){var $=q._getParentFromElement(this),le=r($).hasClass(gn.SHOW);if(!le||le&&(D.which===Do||D.which===xo)){if(D.which===Do){var Ae=$.querySelector(li.DATA_TOGGLE);r(Ae).trigger("focus")}r(this).trigger("click");return}var Pe=[].slice.call($.querySelectorAll(li.VISIBLE_ITEMS));if(Pe.length!==0){var Ye=Pe.indexOf(D.target);D.which===pa&&Ye>0&&Ye--,D.which===$i&&Ye<Pe.length-1&&Ye++,Ye<0&&(Ye=0),Pe[Ye].focus()}}},o(q,null,[{key:"VERSION",get:function(){return iu}},{key:"Default",get:function(){return er}},{key:"DefaultType",get:function(){return nl}}]),q}();r(document).on(Un.KEYDOWN_DATA_API,li.DATA_TOGGLE,ui._dataApiKeydownHandler).on(Un.KEYDOWN_DATA_API,li.MENU,ui._dataApiKeydownHandler).on(Un.CLICK_DATA_API+" "+Un.KEYUP_DATA_API,ui._clearMenus).on(Un.CLICK_DATA_API,li.DATA_TOGGLE,function(q){q.preventDefault(),q.stopPropagation(),ui._jQueryInterface.call(r(this),"toggle")}).on(Un.CLICK_DATA_API,li.FORM_CHILD,function(q){q.stopPropagation()}),r.fn[fa]=ui._jQueryInterface,r.fn[fa].Constructor=ui,r.fn[fa].noConflict=function(){return r.fn[fa]=tl,ui._jQueryInterface};var Qi="modal",rl="4.3.1",xr="bs.modal",g="."+xr,b=".data-api",x=r.fn[Qi],P=27,j={backdrop:!0,keyboard:!0,focus:!0,show:!0},X={backdrop:"(boolean|string)",keyboard:"boolean",focus:"boolean",show:"boolean"},ae={HIDE:"hide"+g,HIDDEN:"hidden"+g,SHOW:"show"+g,SHOWN:"shown"+g,FOCUSIN:"focusin"+g,RESIZE:"resize"+g,CLICK_DISMISS:"click.dismiss"+g,KEYDOWN_DISMISS:"keydown.dismiss"+g,MOUSEUP_DISMISS:"mouseup.dismiss"+g,MOUSEDOWN_DISMISS:"mousedown.dismiss"+g,CLICK_DATA_API:"click"+g+b},Ce={SCROLLABLE:"modal-dialog-scrollable",SCROLLBAR_MEASURER:"modal-scrollbar-measure",BACKDROP:"modal-backdrop",OPEN:"modal-open",FADE:"fade",SHOW:"show"},ye={DIALOG:".modal-dialog",MODAL_BODY:".modal-body",DATA_TOGGLE:'[data-toggle="modal"]',DATA_DISMISS:'[data-dismiss="modal"]',FIXED_CONTENT:".fixed-top, .fixed-bottom, .is-fixed, .sticky-top",STICKY_CONTENT:".sticky-top"},Be=function(){function q(re,D){this._config=this._getConfig(D),this._element=re,this._dialog=re.querySelector(ye.DIALOG),this._backdrop=null,this._isShown=!1,this._isBodyOverflowing=!1,this._ignoreBackdropClick=!1,this._isTransitioning=!1,this._scrollbarWidth=0}var ie=q.prototype;return ie.toggle=function(D){return this._isShown?this.hide():this.show(D)},ie.show=function(D){var $=this;if(!(this._isShown||this._isTransitioning)){r(this._element).hasClass(Ce.FADE)&&(this._isTransitioning=!0);var le=r.Event(ae.SHOW,{relatedTarget:D});r(this._element).trigger(le),!(this._isShown||le.isDefaultPrevented())&&(this._isShown=!0,this._checkScrollbar(),this._setScrollbar(),this._adjustDialog(),this._setEscapeEvent(),this._setResizeEvent(),r(this._element).on(ae.CLICK_DISMISS,ye.DATA_DISMISS,function(Ae){return $.hide(Ae)}),r(this._dialog).on(ae.MOUSEDOWN_DISMISS,function(){r($._element).one(ae.MOUSEUP_DISMISS,function(Ae){r(Ae.target).is($._element)&&($._ignoreBackdropClick=!0)})}),this._showBackdrop(function(){return $._showElement(D)}))}},ie.hide=function(D){var $=this;if(D&&D.preventDefault(),!(!this._isShown||this._isTransitioning)){var le=r.Event(ae.HIDE);if(r(this._element).trigger(le),!(!this._isShown||le.isDefaultPrevented())){this._isShown=!1;var Ae=r(this._element).hasClass(Ce.FADE);if(Ae&&(this._isTransitioning=!0),this._setEscapeEvent(),this._setResizeEvent(),r(document).off(ae.FOCUSIN),r(this._element).removeClass(Ce.SHOW),r(this._element).off(ae.CLICK_DISMISS),r(this._dialog).off(ae.MOUSEDOWN_DISMISS),Ae){var Pe=v.getTransitionDurationFromElement(this._element);r(this._element).one(v.TRANSITION_END,function(Ye){return $._hideModal(Ye)}).emulateTransitionEnd(Pe)}else this._hideModal()}}},ie.dispose=function(){[window,this._element,this._dialog].forEach(function(D){return r(D).off(g)}),r(document).off(ae.FOCUSIN),r.removeData(this._element,xr),this._config=null,this._element=null,this._dialog=null,this._backdrop=null,this._isShown=null,this._isBodyOverflowing=null,this._ignoreBackdropClick=null,this._isTransitioning=null,this._scrollbarWidth=null},ie.handleUpdate=function(){this._adjustDialog()},ie._getConfig=function(D){return D=u({},j,D),v.typeCheckConfig(Qi,D,X),D},ie._showElement=function(D){var $=this,le=r(this._element).hasClass(Ce.FADE);(!this._element.parentNode||this._element.parentNode.nodeType!==Node.ELEMENT_NODE)&&document.body.appendChild(this._element),this._element.style.display="block",this._element.removeAttribute("aria-hidden"),this._element.setAttribute("aria-modal",!0),r(this._dialog).hasClass(Ce.SCROLLABLE)?this._dialog.querySelector(ye.MODAL_BODY).scrollTop=0:this._element.scrollTop=0,le&&v.reflow(this._element),r(this._element).addClass(Ce.SHOW),this._config.focus&&this._enforceFocus();var Ae=r.Event(ae.SHOWN,{relatedTarget:D}),Pe=function(){$._config.focus&&$._element.focus(),$._isTransitioning=!1,r($._element).trigger(Ae)};if(le){var Ye=v.getTransitionDurationFromElement(this._dialog);r(this._dialog).one(v.TRANSITION_END,Pe).emulateTransitionEnd(Ye)}else Pe()},ie._enforceFocus=function(){var D=this;r(document).off(ae.FOCUSIN).on(ae.FOCUSIN,function($){document!==$.target&&D._element!==$.target&&r(D._element).has($.target).length===0&&D._element.focus()})},ie._setEscapeEvent=function(){var D=this;this._isShown&&this._config.keyboard?r(this._element).on(ae.KEYDOWN_DISMISS,function($){$.which===P&&($.preventDefault(),D.hide())}):this._isShown||r(this._element).off(ae.KEYDOWN_DISMISS)},ie._setResizeEvent=function(){var D=this;this._isShown?r(window).on(ae.RESIZE,function($){return D.handleUpdate($)}):r(window).off(ae.RESIZE)},ie._hideModal=function(){var D=this;this._element.style.display="none",this._element.setAttribute("aria-hidden",!0),this._element.removeAttribute("aria-modal"),this._isTransitioning=!1,this._showBackdrop(function(){r(document.body).removeClass(Ce.OPEN),D._resetAdjustments(),D._resetScrollbar(),r(D._element).trigger(ae.HIDDEN)})},ie._removeBackdrop=function(){this._backdrop&&(r(this._backdrop).remove(),this._backdrop=null)},ie._showBackdrop=function(D){var $=this,le=r(this._element).hasClass(Ce.FADE)?Ce.FADE:"";if(this._isShown&&this._config.backdrop){if(this._backdrop=document.createElement("div"),this._backdrop.className=Ce.BACKDROP,le&&this._backdrop.classList.add(le),r(this._backdrop).appendTo(document.body),r(this._element).on(ae.CLICK_DISMISS,function(ft){if($._ignoreBackdropClick){$._ignoreBackdropClick=!1;return}ft.target===ft.currentTarget&&($._config.backdrop==="static"?$._element.focus():$.hide())}),le&&v.reflow(this._backdrop),r(this._backdrop).addClass(Ce.SHOW),!D)return;if(!le){D();return}var Ae=v.getTransitionDurationFromElement(this._backdrop);r(this._backdrop).one(v.TRANSITION_END,D).emulateTransitionEnd(Ae)}else if(!this._isShown&&this._backdrop){r(this._backdrop).removeClass(Ce.SHOW);var Pe=function(){$._removeBackdrop(),D&&D()};if(r(this._element).hasClass(Ce.FADE)){var Ye=v.getTransitionDurationFromElement(this._backdrop);r(this._backdrop).one(v.TRANSITION_END,Pe).emulateTransitionEnd(Ye)}else Pe()}else D&&D()},ie._adjustDialog=function(){var D=this._element.scrollHeight>document.documentElement.clientHeight;!this._isBodyOverflowing&&D&&(this._element.style.paddingLeft=this._scrollbarWidth+"px"),this._isBodyOverflowing&&!D&&(this._element.style.paddingRight=this._scrollbarWidth+"px")},ie._resetAdjustments=function(){this._element.style.paddingLeft="",this._element.style.paddingRight=""},ie._checkScrollbar=function(){var D=document.body.getBoundingClientRect();this._isBodyOverflowing=D.left+D.right<window.innerWidth,this._scrollbarWidth=this._getScrollbarWidth()},ie._setScrollbar=function(){var D=this;if(this._isBodyOverflowing){var $=[].slice.call(document.querySelectorAll(ye.FIXED_CONTENT)),le=[].slice.call(document.querySelectorAll(ye.STICKY_CONTENT));r($).each(function(Ye,ft){var Tt=ft.style.paddingRight,ht=r(ft).css("padding-right");r(ft).data("padding-right",Tt).css("padding-right",parseFloat(ht)+D._scrollbarWidth+"px")}),r(le).each(function(Ye,ft){var Tt=ft.style.marginRight,ht=r(ft).css("margin-right");r(ft).data("margin-right",Tt).css("margin-right",parseFloat(ht)-D._scrollbarWidth+"px")});var Ae=document.body.style.paddingRight,Pe=r(document.body).css("padding-right");r(document.body).data("padding-right",Ae).css("padding-right",parseFloat(Pe)+this._scrollbarWidth+"px")}r(document.body).addClass(Ce.OPEN)},ie._resetScrollbar=function(){var D=[].slice.call(document.querySelectorAll(ye.FIXED_CONTENT));r(D).each(function(Ae,Pe){var Ye=r(Pe).data("padding-right");r(Pe).removeData("padding-right"),Pe.style.paddingRight=Ye||""});var $=[].slice.call(document.querySelectorAll(""+ye.STICKY_CONTENT));r($).each(function(Ae,Pe){var Ye=r(Pe).data("margin-right");typeof Ye<"u"&&r(Pe).css("margin-right",Ye).removeData("margin-right")});var le=r(document.body).data("padding-right");r(document.body).removeData("padding-right"),document.body.style.paddingRight=le||""},ie._getScrollbarWidth=function(){var D=document.createElement("div");D.className=Ce.SCROLLBAR_MEASURER,document.body.appendChild(D);var $=D.getBoundingClientRect().width-D.clientWidth;return document.body.removeChild(D),$},q._jQueryInterface=function(D,$){return this.each(function(){var le=r(this).data(xr),Ae=u({},j,r(this).data(),typeof D=="object"&&D?D:{});if(le||(le=new q(this,Ae),r(this).data(xr,le)),typeof D=="string"){if(typeof le[D]>"u")throw new TypeError('No method named "'+D+'"');le[D]($)}else Ae.show&&le.show($)})},o(q,null,[{key:"VERSION",get:function(){return rl}},{key:"Default",get:function(){return j}}]),q}();r(document).on(ae.CLICK_DATA_API,ye.DATA_TOGGLE,function(q){var ie=this,re,D=v.getSelectorFromElement(this);D&&(re=document.querySelector(D));var $=r(re).data(xr)?"toggle":u({},r(re).data(),r(this).data());(this.tagName==="A"||this.tagName==="AREA")&&q.preventDefault();var le=r(re).one(ae.SHOW,function(Ae){Ae.isDefaultPrevented()||le.one(ae.HIDDEN,function(){r(ie).is(":visible")&&ie.focus()})});Be._jQueryInterface.call(r(re),$,this)}),r.fn[Qi]=Be._jQueryInterface,r.fn[Qi].Constructor=Be,r.fn[Qi].noConflict=function(){return r.fn[Qi]=x,Be._jQueryInterface};var et=["background","cite","href","itemtype","longdesc","poster","src","xlink:href"],ot=/^aria-[\w-]*$/i,Ke={"*":["class","dir","id","lang","role",ot],a:["target","href","title","rel"],area:[],b:[],br:[],col:[],code:[],div:[],em:[],hr:[],h1:[],h2:[],h3:[],h4:[],h5:[],h6:[],i:[],img:["src","alt","title","width","height"],li:[],ol:[],p:[],pre:[],s:[],small:[],span:[],sub:[],sup:[],strong:[],u:[],ul:[]},mt=/^(?:(?:https?|mailto|ftp|tel|file):|[^&:/?#]*(?:[/?#]|$))/gi,zt=/^data:(?:image\/(?:bmp|gif|jpeg|jpg|png|tiff|webp)|video\/(?:mpeg|mp4|ogg|webm)|audio\/(?:mp3|oga|ogg|opus));base64,[a-z0-9+/]+=*$/i;function rn(q,ie){var re=q.nodeName.toLowerCase();if(ie.indexOf(re)!==-1)return et.indexOf(re)!==-1?Boolean(q.nodeValue.match(mt)||q.nodeValue.match(zt)):!0;for(var D=ie.filter(function(Ae){return Ae instanceof RegExp}),$=0,le=D.length;$<le;$++)if(re.match(D[$]))return!0;return!1}function Qt(q,ie,re){if(q.length===0)return q;if(re&&typeof re=="function")return re(q);for(var D=new window.DOMParser,$=D.parseFromString(q,"text/html"),le=Object.keys(ie),Ae=[].slice.call($.body.querySelectorAll("*")),Pe=function(kt,Yt){var Ut=Ae[kt],dn=Ut.nodeName.toLowerCase();if(le.indexOf(Ut.nodeName.toLowerCase())===-1)return Ut.parentNode.removeChild(Ut),"continue";var Ar=[].slice.call(Ut.attributes),Vr=[].concat(ie["*"]||[],ie[dn]||[]);Ar.forEach(function(zr){rn(zr,Vr)||Ut.removeAttribute(zr.nodeName)})},Ye=0,ft=Ae.length;Ye<ft;Ye++)var Tt=Pe(Ye);return $.body.innerHTML}var vn="tooltip",On="4.3.1",Gn="bs.tooltip",kn="."+Gn,nn=r.fn[vn],ji="bs-tooltip",tn=new RegExp("(^|\\s)"+ji+"\\S+","g"),jt=["sanitize","whiteList","sanitizeFn"],lo={animation:"boolean",template:"string",title:"(string|element|function)",trigger:"string",delay:"(number|object)",html:"boolean",selector:"(string|boolean)",placement:"(string|function)",offset:"(number|string|function)",container:"(string|element|boolean)",fallbackPlacement:"(string|array)",boundary:"(string|element)",sanitize:"boolean",sanitizeFn:"(null|function)",whiteList:"object"},Lo={AUTO:"auto",TOP:"top",RIGHT:"right",BOTTOM:"bottom",LEFT:"left"},fr={animation:!0,template:'<div class="tooltip" role="tooltip"><div class="arrow"></div><div class="tooltip-inner"></div></div>',trigger:"hover focus",title:"",delay:0,html:!1,selector:!1,placement:"top",offset:0,container:!1,fallbackPlacement:"flip",boundary:"scrollParent",sanitize:!0,sanitizeFn:null,whiteList:Ke},wr={SHOW:"show",OUT:"out"},Gr={HIDE:"hide"+kn,HIDDEN:"hidden"+kn,SHOW:"show"+kn,SHOWN:"shown"+kn,INSERTED:"inserted"+kn,CLICK:"click"+kn,FOCUSIN:"focusin"+kn,FOCUSOUT:"focusout"+kn,MOUSEENTER:"mouseenter"+kn,MOUSELEAVE:"mouseleave"+kn},Vn={FADE:"fade",SHOW:"show"},Hr={TOOLTIP:".tooltip",TOOLTIP_INNER:".tooltip-inner",ARROW:".arrow"},Rn={HOVER:"hover",FOCUS:"focus",CLICK:"click",MANUAL:"manual"},xi=function(){function q(re,D){if(typeof dr>"u")throw new TypeError("Bootstrap's tooltips require Popper.js (https://popper.js.org/)");this._isEnabled=!0,this._timeout=0,this._hoverState="",this._activeTrigger={},this._popper=null,this.element=re,this.config=this._getConfig(D),this.tip=null,this._setListeners()}var ie=q.prototype;return ie.enable=function(){this._isEnabled=!0},ie.disable=function(){this._isEnabled=!1},ie.toggleEnabled=function(){this._isEnabled=!this._isEnabled},ie.toggle=function(D){if(!!this._isEnabled)if(D){var $=this.constructor.DATA_KEY,le=r(D.currentTarget).data($);le||(le=new this.constructor(D.currentTarget,this._getDelegateConfig()),r(D.currentTarget).data($,le)),le._activeTrigger.click=!le._activeTrigger.click,le._isWithActiveTrigger()?le._enter(null,le):le._leave(null,le)}else{if(r(this.getTipElement()).hasClass(Vn.SHOW)){this._leave(null,this);return}this._enter(null,this)}},ie.dispose=function(){clearTimeout(this._timeout),r.removeData(this.element,this.constructor.DATA_KEY),r(this.element).off(this.constructor.EVENT_KEY),r(this.element).closest(".modal").off("hide.bs.modal"),this.tip&&r(this.tip).remove(),this._isEnabled=null,this._timeout=null,this._hoverState=null,this._activeTrigger=null,this._popper!==null&&this._popper.destroy(),this._popper=null,this.element=null,this.config=null,this.tip=null},ie.show=function(){var D=this;if(r(this.element).css("display")==="none")throw new Error("Please use show on visible elements");var $=r.Event(this.constructor.Event.SHOW);if(this.isWithContent()&&this._isEnabled){r(this.element).trigger($);var le=v.findShadowRoot(this.element),Ae=r.contains(le!==null?le:this.element.ownerDocument.documentElement,this.element);if($.isDefaultPrevented()||!Ae)return;var Pe=this.getTipElement(),Ye=v.getUID(this.constructor.NAME);Pe.setAttribute("id",Ye),this.element.setAttribute("aria-describedby",Ye),this.setContent(),this.config.animation&&r(Pe).addClass(Vn.FADE);var ft=typeof this.config.placement=="function"?this.config.placement.call(this,Pe,this.element):this.config.placement,Tt=this._getAttachment(ft);this.addAttachmentClass(Tt);var ht=this._getContainer();r(Pe).data(this.constructor.DATA_KEY,this),r.contains(this.element.ownerDocument.documentElement,this.tip)||r(Pe).appendTo(ht),r(this.element).trigger(this.constructor.Event.INSERTED),this._popper=new dr(this.element,Pe,{placement:Tt,modifiers:{offset:this._getOffset(),flip:{behavior:this.config.fallbackPlacement},arrow:{element:Hr.ARROW},preventOverflow:{boundariesElement:this.config.boundary}},onCreate:function(dn){dn.originalPlacement!==dn.placement&&D._handlePopperPlacementChange(dn)},onUpdate:function(dn){return D._handlePopperPlacementChange(dn)}}),r(Pe).addClass(Vn.SHOW),"ontouchstart"in document.documentElement&&r(document.body).children().on("mouseover",null,r.noop);var kt=function(){D.config.animation&&D._fixTransition();var dn=D._hoverState;D._hoverState=null,r(D.element).trigger(D.constructor.Event.SHOWN),dn===wr.OUT&&D._leave(null,D)};if(r(this.tip).hasClass(Vn.FADE)){var Yt=v.getTransitionDurationFromElement(this.tip);r(this.tip).one(v.TRANSITION_END,kt).emulateTransitionEnd(Yt)}else kt()}},ie.hide=function(D){var $=this,le=this.getTipElement(),Ae=r.Event(this.constructor.Event.HIDE),Pe=function(){$._hoverState!==wr.SHOW&&le.parentNode&&le.parentNode.removeChild(le),$._cleanTipClass(),$.element.removeAttribute("aria-describedby"),r($.element).trigger($.constructor.Event.HIDDEN),$._popper!==null&&$._popper.destroy(),D&&D()};if(r(this.element).trigger(Ae),!Ae.isDefaultPrevented()){if(r(le).removeClass(Vn.SHOW),"ontouchstart"in document.documentElement&&r(document.body).children().off("mouseover",null,r.noop),this._activeTrigger[Rn.CLICK]=!1,this._activeTrigger[Rn.FOCUS]=!1,this._activeTrigger[Rn.HOVER]=!1,r(this.tip).hasClass(Vn.FADE)){var Ye=v.getTransitionDurationFromElement(le);r(le).one(v.TRANSITION_END,Pe).emulateTransitionEnd(Ye)}else Pe();this._hoverState=""}},ie.update=function(){this._popper!==null&&this._popper.scheduleUpdate()},ie.isWithContent=function(){return Boolean(this.getTitle())},ie.addAttachmentClass=function(D){r(this.getTipElement()).addClass(ji+"-"+D)},ie.getTipElement=function(){return this.tip=this.tip||r(this.config.template)[0],this.tip},ie.setContent=function(){var D=this.getTipElement();this.setElementContent(r(D.querySelectorAll(Hr.TOOLTIP_INNER)),this.getTitle()),r(D).removeClass(Vn.FADE+" "+Vn.SHOW)},ie.setElementContent=function(D,$){if(typeof $=="object"&&($.nodeType||$.jquery)){this.config.html?r($).parent().is(D)||D.empty().append($):D.text(r($).text());return}this.config.html?(this.config.sanitize&&($=Qt($,this.config.whiteList,this.config.sanitizeFn)),D.html($)):D.text($)},ie.getTitle=function(){var D=this.element.getAttribute("data-original-title");return D||(D=typeof this.config.title=="function"?this.config.title.call(this.element):this.config.title),D},ie._getOffset=function(){var D=this,$={};return typeof this.config.offset=="function"?$.fn=function(le){return le.offsets=u({},le.offsets,D.config.offset(le.offsets,D.element)||{}),le}:$.offset=this.config.offset,$},ie._getContainer=function(){return this.config.container===!1?document.body:v.isElement(this.config.container)?r(this.config.container):r(document).find(this.config.container)},ie._getAttachment=function(D){return Lo[D.toUpperCase()]},ie._setListeners=function(){var D=this,$=this.config.trigger.split(" ");$.forEach(function(le){if(le==="click")r(D.element).on(D.constructor.Event.CLICK,D.config.selector,function(Ye){return D.toggle(Ye)});else if(le!==Rn.MANUAL){var Ae=le===Rn.HOVER?D.constructor.Event.MOUSEENTER:D.constructor.Event.FOCUSIN,Pe=le===Rn.HOVER?D.constructor.Event.MOUSELEAVE:D.constructor.Event.FOCUSOUT;r(D.element).on(Ae,D.config.selector,function(Ye){return D._enter(Ye)}).on(Pe,D.config.selector,function(Ye){return D._leave(Ye)})}}),r(this.element).closest(".modal").on("hide.bs.modal",function(){D.element&&D.hide()}),this.config.selector?this.config=u({},this.config,{trigger:"manual",selector:""}):this._fixTitle()},ie._fixTitle=function(){var D=typeof this.element.getAttribute("data-original-title");(this.element.getAttribute("title")||D!=="string")&&(this.element.setAttribute("data-original-title",this.element.getAttribute("title")||""),this.element.setAttribute("title",""))},ie._enter=function(D,$){var le=this.constructor.DATA_KEY;if($=$||r(D.currentTarget).data(le),$||($=new this.constructor(D.currentTarget,this._getDelegateConfig()),r(D.currentTarget).data(le,$)),D&&($._activeTrigger[D.type==="focusin"?Rn.FOCUS:Rn.HOVER]=!0),r($.getTipElement()).hasClass(Vn.SHOW)||$._hoverState===wr.SHOW){$._hoverState=wr.SHOW;return}if(clearTimeout($._timeout),$._hoverState=wr.SHOW,!$.config.delay||!$.config.delay.show){$.show();return}$._timeout=setTimeout(function(){$._hoverState===wr.SHOW&&$.show()},$.config.delay.show)},ie._leave=function(D,$){var le=this.constructor.DATA_KEY;if($=$||r(D.currentTarget).data(le),$||($=new this.constructor(D.currentTarget,this._getDelegateConfig()),r(D.currentTarget).data(le,$)),D&&($._activeTrigger[D.type==="focusout"?Rn.FOCUS:Rn.HOVER]=!1),!$._isWithActiveTrigger()){if(clearTimeout($._timeout),$._hoverState=wr.OUT,!$.config.delay||!$.config.delay.hide){$.hide();return}$._timeout=setTimeout(function(){$._hoverState===wr.OUT&&$.hide()},$.config.delay.hide)}},ie._isWithActiveTrigger=function(){for(var D in this._activeTrigger)if(this._activeTrigger[D])return!0;return!1},ie._getConfig=function(D){var $=r(this.element).data();return Object.keys($).forEach(function(le){jt.indexOf(le)!==-1&&delete $[le]}),D=u({},this.constructor.Default,$,typeof D=="object"&&D?D:{}),typeof D.delay=="number"&&(D.delay={show:D.delay,hide:D.delay}),typeof D.title=="number"&&(D.title=D.title.toString()),typeof D.content=="number"&&(D.content=D.content.toString()),v.typeCheckConfig(vn,D,this.constructor.DefaultType),D.sanitize&&(D.template=Qt(D.template,D.whiteList,D.sanitizeFn)),D},ie._getDelegateConfig=function(){var D={};if(this.config)for(var $ in this.config)this.constructor.Default[$]!==this.config[$]&&(D[$]=this.config[$]);return D},ie._cleanTipClass=function(){var D=r(this.getTipElement()),$=D.attr("class").match(tn);$!==null&&$.length&&D.removeClass($.join(""))},ie._handlePopperPlacementChange=function(D){var $=D.instance;this.tip=$.popper,this._cleanTipClass(),this.addAttachmentClass(this._getAttachment(D.placement))},ie._fixTransition=function(){var D=this.getTipElement(),$=this.config.animation;D.getAttribute("x-placement")===null&&(r(D).removeClass(Vn.FADE),this.config.animation=!1,this.hide(),this.show(),this.config.animation=$)},q._jQueryInterface=function(D){return this.each(function(){var $=r(this).data(Gn),le=typeof D=="object"&&D;if(!(!$&&/dispose|hide/.test(D))&&($||($=new q(this,le),r(this).data(Gn,$)),typeof D=="string")){if(typeof $[D]>"u")throw new TypeError('No method named "'+D+'"');$[D]()}})},o(q,null,[{key:"VERSION",get:function(){return On}},{key:"Default",get:function(){return fr}},{key:"NAME",get:function(){return vn}},{key:"DATA_KEY",get:function(){return Gn}},{key:"Event",get:function(){return Gr}},{key:"EVENT_KEY",get:function(){return kn}},{key:"DefaultType",get:function(){return lo}}]),q}();r.fn[vn]=xi._jQueryInterface,r.fn[vn].Constructor=xi,r.fn[vn].noConflict=function(){return r.fn[vn]=nn,xi._jQueryInterface};var pr="popover",ci="4.3.1",uo="bs.popover",qr="."+uo,co=r.fn[pr],Jt="bs-popover",ma=new RegExp("(^|\\s)"+Jt+"\\S+","g"),yr=u({},xi.Default,{placement:"right",trigger:"click",content:"",template:'<div class="popover" role="tooltip"><div class="arrow"></div><h3 class="popover-header"></h3><div class="popover-body"></div></div>'}),ga=u({},xi.DefaultType,{content:"(string|element|function)"}),Yr={FADE:"fade",SHOW:"show"},Xi={TITLE:".popover-header",CONTENT:".popover-body"},Mo={HIDE:"hide"+qr,HIDDEN:"hidden"+qr,SHOW:"show"+qr,SHOWN:"shown"+qr,INSERTED:"inserted"+qr,CLICK:"click"+qr,FOCUSIN:"focusin"+qr,FOCUSOUT:"focusout"+qr,MOUSEENTER:"mouseenter"+qr,MOUSELEAVE:"mouseleave"+qr},di=function(q){c(ie,q);function ie(){return q.apply(this,arguments)||this}var re=ie.prototype;return re.isWithContent=function(){return this.getTitle()||this._getContent()},re.addAttachmentClass=function($){r(this.getTipElement()).addClass(Jt+"-"+$)},re.getTipElement=function(){return this.tip=this.tip||r(this.config.template)[0],this.tip},re.setContent=function(){var $=r(this.getTipElement());this.setElementContent($.find(Xi.TITLE),this.getTitle());var le=this._getContent();typeof le=="function"&&(le=le.call(this.element)),this.setElementContent($.find(Xi.CONTENT),le),$.removeClass(Yr.FADE+" "+Yr.SHOW)},re._getContent=function(){return this.element.getAttribute("data-content")||this.config.content},re._cleanTipClass=function(){var $=r(this.getTipElement()),le=$.attr("class").match(ma);le!==null&&le.length>0&&$.removeClass(le.join(""))},ie._jQueryInterface=function($){return this.each(function(){var le=r(this).data(uo),Ae=typeof $=="object"?$:null;if(!(!le&&/dispose|hide/.test($))&&(le||(le=new ie(this,Ae),r(this).data(uo,le)),typeof $=="string")){if(typeof le[$]>"u")throw new TypeError('No method named "'+$+'"');le[$]()}})},o(ie,null,[{key:"VERSION",get:function(){return ci}},{key:"Default",get:function(){return yr}},{key:"NAME",get:function(){return pr}},{key:"DATA_KEY",get:function(){return uo}},{key:"Event",get:function(){return Mo}},{key:"EVENT_KEY",get:function(){return qr}},{key:"DefaultType",get:function(){return ga}}]),ie}(xi);r.fn[pr]=di._jQueryInterface,r.fn[pr].Constructor=di,r.fn[pr].noConflict=function(){return r.fn[pr]=co,di._jQueryInterface};var fi="scrollspy",Zi="4.3.1",xa="bs.scrollspy",pi="."+xa,wi=".data-api",Cr=r.fn[fi],fo={offset:10,method:"auto",target:""},il={offset:"number",method:"string",target:"(string|element)"},wa={ACTIVATE:"activate"+pi,SCROLL:"scroll"+pi,LOAD_DATA_API:"load"+pi+wi},_i={DROPDOWN_ITEM:"dropdown-item",DROPDOWN_MENU:"dropdown-menu",ACTIVE:"active"},_r={DATA_SPY:'[data-spy="scroll"]',ACTIVE:".active",NAV_LIST_GROUP:".nav, .list-group",NAV_LINKS:".nav-link",NAV_ITEMS:".nav-item",LIST_ITEMS:".list-group-item",DROPDOWN:".dropdown",DROPDOWN_ITEMS:".dropdown-item",DROPDOWN_TOGGLE:".dropdown-toggle"},ko={OFFSET:"offset",POSITION:"position"},Ji=function(){function q(re,D){var $=this;this._element=re,this._scrollElement=re.tagName==="BODY"?window:re,this._config=this._getConfig(D),this._selector=this._config.target+" "+_r.NAV_LINKS+","+(this._config.target+" "+_r.LIST_ITEMS+",")+(this._config.target+" "+_r.DROPDOWN_ITEMS),this._offsets=[],this._targets=[],this._activeTarget=null,this._scrollHeight=0,r(this._scrollElement).on(wa.SCROLL,function(le){return $._process(le)}),this.refresh(),this._process()}var ie=q.prototype;return ie.refresh=function(){var D=this,$=this._scrollElement===this._scrollElement.window?ko.OFFSET:ko.POSITION,le=this._config.method==="auto"?$:this._config.method,Ae=le===ko.POSITION?this._getScrollTop():0;this._offsets=[],this._targets=[],this._scrollHeight=this._getScrollHeight();var Pe=[].slice.call(document.querySelectorAll(this._selector));Pe.map(function(Ye){var ft,Tt=v.getSelectorFromElement(Ye);if(Tt&&(ft=document.querySelector(Tt)),ft){var ht=ft.getBoundingClientRect();if(ht.width||ht.height)return[r(ft)[le]().top+Ae,Tt]}return null}).filter(function(Ye){return Ye}).sort(function(Ye,ft){return Ye[0]-ft[0]}).forEach(function(Ye){D._offsets.push(Ye[0]),D._targets.push(Ye[1])})},ie.dispose=function(){r.removeData(this._element,xa),r(this._scrollElement).off(pi),this._element=null,this._scrollElement=null,this._config=null,this._selector=null,this._offsets=null,this._targets=null,this._activeTarget=null,this._scrollHeight=null},ie._getConfig=function(D){if(D=u({},fo,typeof D=="object"&&D?D:{}),typeof D.target!="string"){var $=r(D.target).attr("id");$||($=v.getUID(fi),r(D.target).attr("id",$)),D.target="#"+$}return v.typeCheckConfig(fi,D,il),D},ie._getScrollTop=function(){return this._scrollElement===window?this._scrollElement.pageYOffset:this._scrollElement.scrollTop},ie._getScrollHeight=function(){return this._scrollElement.scrollHeight||Math.max(document.body.scrollHeight,document.documentElement.scrollHeight)},ie._getOffsetHeight=function(){return this._scrollElement===window?window.innerHeight:this._scrollElement.getBoundingClientRect().height},ie._process=function(){var D=this._getScrollTop()+this._config.offset,$=this._getScrollHeight(),le=this._config.offset+$-this._getOffsetHeight();if(this._scrollHeight!==$&&this.refresh(),D>=le){var Ae=this._targets[this._targets.length-1];this._activeTarget!==Ae&&this._activate(Ae);return}if(this._activeTarget&&D<this._offsets[0]&&this._offsets[0]>0){this._activeTarget=null,this._clear();return}for(var Pe=this._offsets.length,Ye=Pe;Ye--;){var ft=this._activeTarget!==this._targets[Ye]&&D>=this._offsets[Ye]&&(typeof this._offsets[Ye+1]>"u"||D<this._offsets[Ye+1]);ft&&this._activate(this._targets[Ye])}},ie._activate=function(D){this._activeTarget=D,this._clear();var $=this._selector.split(",").map(function(Ae){return Ae+'[data-target="'+D+'"],'+Ae+'[href="'+D+'"]'}),le=r([].slice.call(document.querySelectorAll($.join(","))));le.hasClass(_i.DROPDOWN_ITEM)?(le.closest(_r.DROPDOWN).find(_r.DROPDOWN_TOGGLE).addClass(_i.ACTIVE),le.addClass(_i.ACTIVE)):(le.addClass(_i.ACTIVE),le.parents(_r.NAV_LIST_GROUP).prev(_r.NAV_LINKS+", "+_r.LIST_ITEMS).addClass(_i.ACTIVE),le.parents(_r.NAV_LIST_GROUP).prev(_r.NAV_ITEMS).children(_r.NAV_LINKS).addClass(_i.ACTIVE)),r(this._scrollElement).trigger(wa.ACTIVATE,{relatedTarget:D})},ie._clear=function(){[].slice.call(document.querySelectorAll(this._selector)).filter(function(D){return D.classList.contains(_i.ACTIVE)}).forEach(function(D){return D.classList.remove(_i.ACTIVE)})},q._jQueryInterface=function(D){return this.each(function(){var $=r(this).data(xa),le=typeof D=="object"&&D;if($||($=new q(this,le),r(this).data(xa,$)),typeof D=="string"){if(typeof $[D]>"u")throw new TypeError('No method named "'+D+'"');$[D]()}})},o(q,null,[{key:"VERSION",get:function(){return Zi}},{key:"Default",get:function(){return fo}}]),q}();r(window).on(wa.LOAD_DATA_API,function(){for(var q=[].slice.call(document.querySelectorAll(_r.DATA_SPY)),ie=q.length,re=ie;re--;){var D=r(q[re]);Ji._jQueryInterface.call(D,D.data())}}),r.fn[fi]=Ji._jQueryInterface,r.fn[fi].Constructor=Ji,r.fn[fi].noConflict=function(){return r.fn[fi]=Cr,Ji._jQueryInterface};var mi="tab",Se="4.3.1",xe="bs.tab",We="."+xe,Qe=".data-api",it=r.fn[mi],vt={HIDE:"hide"+We,HIDDEN:"hidden"+We,SHOW:"show"+We,SHOWN:"shown"+We,CLICK_DATA_API:"click"+We+Qe},St={DROPDOWN_MENU:"dropdown-menu",ACTIVE:"active",DISABLED:"disabled",FADE:"fade",SHOW:"show"},Dt={DROPDOWN:".dropdown",NAV_LIST_GROUP:".nav, .list-group",ACTIVE:".active",ACTIVE_UL:"> li > .active",DATA_TOGGLE:'[data-toggle="tab"], [data-toggle="pill"], [data-toggle="list"]',DROPDOWN_TOGGLE:".dropdown-toggle",DROPDOWN_ACTIVE_CHILD:"> .dropdown-menu .active"},Ot=function(){function q(re){this._element=re}var ie=q.prototype;return ie.show=function(){var D=this;if(!(this._element.parentNode&&this._element.parentNode.nodeType===Node.ELEMENT_NODE&&r(this._element).hasClass(St.ACTIVE)||r(this._element).hasClass(St.DISABLED))){var $,le,Ae=r(this._element).closest(Dt.NAV_LIST_GROUP)[0],Pe=v.getSelectorFromElement(this._element);if(Ae){var Ye=Ae.nodeName==="UL"||Ae.nodeName==="OL"?Dt.ACTIVE_UL:Dt.ACTIVE;le=r.makeArray(r(Ae).find(Ye)),le=le[le.length-1]}var ft=r.Event(vt.HIDE,{relatedTarget:this._element}),Tt=r.Event(vt.SHOW,{relatedTarget:le});if(le&&r(le).trigger(ft),r(this._element).trigger(Tt),!(Tt.isDefaultPrevented()||ft.isDefaultPrevented())){Pe&&($=document.querySelector(Pe)),this._activate(this._element,Ae);var ht=function(){var Yt=r.Event(vt.HIDDEN,{relatedTarget:D._element}),Ut=r.Event(vt.SHOWN,{relatedTarget:le});r(le).trigger(Yt),r(D._element).trigger(Ut)};$?this._activate($,$.parentNode,ht):ht()}}},ie.dispose=function(){r.removeData(this._element,xe),this._element=null},ie._activate=function(D,$,le){var Ae=this,Pe=$&&($.nodeName==="UL"||$.nodeName==="OL")?r($).find(Dt.ACTIVE_UL):r($).children(Dt.ACTIVE),Ye=Pe[0],ft=le&&Ye&&r(Ye).hasClass(St.FADE),Tt=function(){return Ae._transitionComplete(D,Ye,le)};if(Ye&&ft){var ht=v.getTransitionDurationFromElement(Ye);r(Ye).removeClass(St.SHOW).one(v.TRANSITION_END,Tt).emulateTransitionEnd(ht)}else Tt()},ie._transitionComplete=function(D,$,le){if($){r($).removeClass(St.ACTIVE);var Ae=r($.parentNode).find(Dt.DROPDOWN_ACTIVE_CHILD)[0];Ae&&r(Ae).removeClass(St.ACTIVE),$.getAttribute("role")==="tab"&&$.setAttribute("aria-selected",!1)}if(r(D).addClass(St.ACTIVE),D.getAttribute("role")==="tab"&&D.setAttribute("aria-selected",!0),v.reflow(D),D.classList.contains(St.FADE)&&D.classList.add(St.SHOW),D.parentNode&&r(D.parentNode).hasClass(St.DROPDOWN_MENU)){var Pe=r(D).closest(Dt.DROPDOWN)[0];if(Pe){var Ye=[].slice.call(Pe.querySelectorAll(Dt.DROPDOWN_TOGGLE));r(Ye).addClass(St.ACTIVE)}D.setAttribute("aria-expanded",!0)}le&&le()},q._jQueryInterface=function(D){return this.each(function(){var $=r(this),le=$.data(xe);if(le||(le=new q(this),$.data(xe,le)),typeof D=="string"){if(typeof le[D]>"u")throw new TypeError('No method named "'+D+'"');le[D]()}})},o(q,null,[{key:"VERSION",get:function(){return Se}}]),q}();r(document).on(vt.CLICK_DATA_API,Dt.DATA_TOGGLE,function(q){q.preventDefault(),Ot._jQueryInterface.call(r(this),"show")}),r.fn[mi]=Ot._jQueryInterface,r.fn[mi].Constructor=Ot,r.fn[mi].noConflict=function(){return r.fn[mi]=it,Ot._jQueryInterface};var Kt="toast",Wt="4.3.1",Vt="bs.toast",$t="."+Vt,qt=r.fn[Kt],fn={CLICK_DISMISS:"click.dismiss"+$t,HIDE:"hide"+$t,HIDDEN:"hidden"+$t,SHOW:"show"+$t,SHOWN:"shown"+$t},An={FADE:"fade",HIDE:"hide",SHOW:"show",SHOWING:"showing"},Nn={animation:"boolean",autohide:"boolean",delay:"number"},Hn={animation:!0,autohide:!0,delay:500},tr={DATA_DISMISS:'[data-dismiss="toast"]'},Wr=function(){function q(re,D){this._element=re,this._config=this._getConfig(D),this._timeout=null,this._setListeners()}var ie=q.prototype;return ie.show=function(){var D=this;r(this._element).trigger(fn.SHOW),this._config.animation&&this._element.classList.add(An.FADE);var $=function(){D._element.classList.remove(An.SHOWING),D._element.classList.add(An.SHOW),r(D._element).trigger(fn.SHOWN),D._config.autohide&&D.hide()};if(this._element.classList.remove(An.HIDE),this._element.classList.add(An.SHOWING),this._config.animation){var le=v.getTransitionDurationFromElement(this._element);r(this._element).one(v.TRANSITION_END,$).emulateTransitionEnd(le)}else $()},ie.hide=function(D){var $=this;!this._element.classList.contains(An.SHOW)||(r(this._element).trigger(fn.HIDE),D?this._close():this._timeout=setTimeout(function(){$._close()},this._config.delay))},ie.dispose=function(){clearTimeout(this._timeout),this._timeout=null,this._element.classList.contains(An.SHOW)&&this._element.classList.remove(An.SHOW),r(this._element).off(fn.CLICK_DISMISS),r.removeData(this._element,Vt),this._element=null,this._config=null},ie._getConfig=function(D){return D=u({},Hn,r(this._element).data(),typeof D=="object"&&D?D:{}),v.typeCheckConfig(Kt,D,this.constructor.DefaultType),D},ie._setListeners=function(){var D=this;r(this._element).on(fn.CLICK_DISMISS,tr.DATA_DISMISS,function(){return D.hide(!0)})},ie._close=function(){var D=this,$=function(){D._element.classList.add(An.HIDE),r(D._element).trigger(fn.HIDDEN)};if(this._element.classList.remove(An.SHOW),this._config.animation){var le=v.getTransitionDurationFromElement(this._element);r(this._element).one(v.TRANSITION_END,$).emulateTransitionEnd(le)}else $()},q._jQueryInterface=function(D){return this.each(function(){var $=r(this),le=$.data(Vt),Ae=typeof D=="object"&&D;if(le||(le=new q(this,Ae),$.data(Vt,le)),typeof D=="string"){if(typeof le[D]>"u")throw new TypeError('No method named "'+D+'"');le[D](this)}})},o(q,null,[{key:"VERSION",get:function(){return Wt}},{key:"DefaultType",get:function(){return Nn}},{key:"Default",get:function(){return Hn}}]),q}();r.fn[Kt]=Wr._jQueryInterface,r.fn[Kt].Constructor=Wr,r.fn[Kt].noConflict=function(){return r.fn[Kt]=qt,Wr._jQueryInterface},function(){if(typeof r>"u")throw new TypeError("Bootstrap's JavaScript requires jQuery. jQuery must be included before Bootstrap's JavaScript.");var q=r.fn.jquery.split(" ")[0].split("."),ie=1,re=2,D=9,$=1,le=4;if(q[0]<re&&q[1]<D||q[0]===ie&&q[1]===D&&q[2]<$||q[0]>=le)throw new Error("Bootstrap's JavaScript requires at least jQuery v1.9.1 but less than v4.0.0")}(),n.Util=v,n.Alert=z,n.Button=ve,n.Carousel=Re,n.Collapse=Q,n.Dropdown=ui,n.Modal=Be,n.Popover=di,n.Scrollspy=Ji,n.Tab=Ot,n.Toast=Wr,n.Tooltip=xi,Object.defineProperty(n,"__esModule",{value:!0})})})(iC,iC.exports);var Ci={exports:{}};(function(e,t){(function(n,r){e.exports=r()})(Jr,function(){var n=navigator.userAgent,r=navigator.platform,a=/gecko\/\d/i.test(n),o=/MSIE \d/.test(n),l=/Trident\/(?:[7-9]|\d{2,})\..*rv:(\d+)/.exec(n),u=/Edge\/(\d+)/.exec(n),c=o||l||u,d=c&&(o?document.documentMode||6:+(u||l)[1]),S=!u&&/WebKit\//.test(n),_=S&&/Qt\/\d+\.\d+/.test(n),E=!u&&/Chrome\/(\d+)/.exec(n),T=E&&+E[1],y=/Opera\//.test(n),M=/Apple Computer/.test(navigator.vendor),v=/Mac OS X 1\d\D([8-9]|\d\d)\D/.test(n),A=/PhantomJS/.test(n),O=M&&(/Mobile\/\w+/.test(n)||navigator.maxTouchPoints>2),N=/Android/.test(n),R=O||N||/webOS|BlackBerry|Opera Mini|Opera Mobi|IEMobile/i.test(n),L=O||/Mac/.test(r),I=/\bCrOS\b/.test(n),h=/win/i.test(r),k=y&&n.match(/Version\/(\d*\.\d*)/);k&&(k=Number(k[1])),k&&k>=15&&(y=!1,S=!0);var F=L&&(_||y&&(k==null||k<12.11)),z=a||c&&d>=9;function K(i){return new RegExp("(^|\\s)"+i+"(?:$|\\s)\\s*")}var ue=function(i,s){var p=i.className,f=K(s).exec(p);if(f){var m=p.slice(f.index+f[0].length);i.className=p.slice(0,f.index)+(m?f[1]+m:"")}};function Z(i){for(var s=i.childNodes.length;s>0;--s)i.removeChild(i.firstChild);return i}function fe(i,s){return Z(i).appendChild(s)}function V(i,s,p,f){var m=document.createElement(i);if(p&&(m.className=p),f&&(m.style.cssText=f),typeof s=="string")m.appendChild(document.createTextNode(s));else if(s)for(var C=0;C<s.length;++C)m.appendChild(s[C]);return m}function ne(i,s,p,f){var m=V(i,s,p,f);return m.setAttribute("role","presentation"),m}var te;document.createRange?te=function(i,s,p,f){var m=document.createRange();return m.setEnd(f||i,p),m.setStart(i,s),m}:te=function(i,s,p){var f=document.body.createTextRange();try{f.moveToElementText(i.parentNode)}catch{return f}return f.collapse(!0),f.moveEnd("character",p),f.moveStart("character",s),f};function G(i,s){if(s.nodeType==3&&(s=s.parentNode),i.contains)return i.contains(s);do if(s.nodeType==11&&(s=s.host),s==i)return!0;while(s=s.parentNode)}function se(i){var s=i.ownerDocument||i,p;try{p=i.activeElement}catch{p=s.body||null}for(;p&&p.shadowRoot&&p.shadowRoot.activeElement;)p=p.shadowRoot.activeElement;return p}function ve(i,s){var p=i.className;K(s).test(p)||(i.className+=(p?" ":"")+s)}function Ge(i,s){for(var p=i.split(" "),f=0;f<p.length;f++)p[f]&&!K(p[f]).test(s)&&(s+=" "+p[f]);return s}var oe=function(i){i.select()};O?oe=function(i){i.selectionStart=0,i.selectionEnd=i.value.length}:c&&(oe=function(i){try{i.select()}catch{}});function W(i){return i.display.wrapper.ownerDocument}function Oe(i){return tt(i.display.wrapper)}function tt(i){return i.getRootNode?i.getRootNode():i.ownerDocument}function rt(i){return W(i).defaultView}function bt(i){var s=Array.prototype.slice.call(arguments,1);return function(){return i.apply(null,s)}}function dt(i,s,p){s||(s={});for(var f in i)i.hasOwnProperty(f)&&(p!==!1||!s.hasOwnProperty(f))&&(s[f]=i[f]);return s}function ct(i,s,p,f,m){s==null&&(s=i.search(/[^\s\u00a0]/),s==-1&&(s=i.length));for(var C=f||0,w=m||0;;){var B=i.indexOf("	",C);if(B<0||B>=s)return w+(s-C);w+=B-C,w+=p-w%p,C=B+1}}var Ze=function(){this.id=null,this.f=null,this.time=0,this.handler=bt(this.onTimeout,this)};Ze.prototype.onTimeout=function(i){i.id=0,i.time<=+new Date?i.f():setTimeout(i.handler,i.time-+new Date)},Ze.prototype.set=function(i,s){this.f=s;var p=+new Date+i;(!this.id||p<this.time)&&(clearTimeout(this.id),this.id=setTimeout(this.handler,i),this.time=p)};function nt(i,s){for(var p=0;p<i.length;++p)if(i[p]==s)return p;return-1}var ce=50,Ee={toString:function(){return"CodeMirror.Pass"}},He={scroll:!1},we={origin:"*mouse"},ze={origin:"+move"};function pe(i,s,p){for(var f=0,m=0;;){var C=i.indexOf("	",f);C==-1&&(C=i.length);var w=C-f;if(C==i.length||m+w>=s)return f+Math.min(w,s-m);if(m+=C-f,m+=p-m%p,f=C+1,m>=s)return f}}var Re=[""];function Ne(i){for(;Re.length<=i;)Re.push(Ie(Re)+" ");return Re[i]}function Ie(i){return i[i.length-1]}function Ue(i,s){for(var p=[],f=0;f<i.length;f++)p[f]=s(i[f],f);return p}function Ve(i,s,p){for(var f=0,m=p(s);f<i.length&&p(i[f])<=m;)f++;i.splice(f,0,s)}function lt(){}function ge(i,s){var p;return Object.create?p=Object.create(i):(lt.prototype=i,p=new lt),s&&dt(s,p),p}var de=/[\u00df\u0587\u0590-\u05f4\u0600-\u06ff\u3040-\u309f\u30a0-\u30ff\u3400-\u4db5\u4e00-\u9fcc\uac00-\ud7af]/;function be(i){return/\w/.test(i)||i>"\x80"&&(i.toUpperCase()!=i.toLowerCase()||de.test(i))}function H(i,s){return s?s.source.indexOf("\\w")>-1&&be(i)?!0:s.test(i):be(i)}function ee(i){for(var s in i)if(i.hasOwnProperty(s)&&i[s])return!1;return!0}var _e=/[\u0300-\u036f\u0483-\u0489\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u065e\u0670\u06d6-\u06dc\u06de-\u06e4\u06e7\u06e8\u06ea-\u06ed\u0711\u0730-\u074a\u07a6-\u07b0\u07eb-\u07f3\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0900-\u0902\u093c\u0941-\u0948\u094d\u0951-\u0955\u0962\u0963\u0981\u09bc\u09be\u09c1-\u09c4\u09cd\u09d7\u09e2\u09e3\u0a01\u0a02\u0a3c\u0a41\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a70\u0a71\u0a75\u0a81\u0a82\u0abc\u0ac1-\u0ac5\u0ac7\u0ac8\u0acd\u0ae2\u0ae3\u0b01\u0b3c\u0b3e\u0b3f\u0b41-\u0b44\u0b4d\u0b56\u0b57\u0b62\u0b63\u0b82\u0bbe\u0bc0\u0bcd\u0bd7\u0c3e-\u0c40\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0cbc\u0cbf\u0cc2\u0cc6\u0ccc\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0d3e\u0d41-\u0d44\u0d4d\u0d57\u0d62\u0d63\u0dca\u0dcf\u0dd2-\u0dd4\u0dd6\u0ddf\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0eb1\u0eb4-\u0eb9\u0ebb\u0ebc\u0ec8-\u0ecd\u0f18\u0f19\u0f35\u0f37\u0f39\u0f71-\u0f7e\u0f80-\u0f84\u0f86\u0f87\u0f90-\u0f97\u0f99-\u0fbc\u0fc6\u102d-\u1030\u1032-\u1037\u1039\u103a\u103d\u103e\u1058\u1059\u105e-\u1060\u1071-\u1074\u1082\u1085\u1086\u108d\u109d\u135f\u1712-\u1714\u1732-\u1734\u1752\u1753\u1772\u1773\u17b7-\u17bd\u17c6\u17c9-\u17d3\u17dd\u180b-\u180d\u18a9\u1920-\u1922\u1927\u1928\u1932\u1939-\u193b\u1a17\u1a18\u1a56\u1a58-\u1a5e\u1a60\u1a62\u1a65-\u1a6c\u1a73-\u1a7c\u1a7f\u1b00-\u1b03\u1b34\u1b36-\u1b3a\u1b3c\u1b42\u1b6b-\u1b73\u1b80\u1b81\u1ba2-\u1ba5\u1ba8\u1ba9\u1c2c-\u1c33\u1c36\u1c37\u1cd0-\u1cd2\u1cd4-\u1ce0\u1ce2-\u1ce8\u1ced\u1dc0-\u1de6\u1dfd-\u1dff\u200c\u200d\u20d0-\u20f0\u2cef-\u2cf1\u2de0-\u2dff\u302a-\u302f\u3099\u309a\ua66f-\ua672\ua67c\ua67d\ua6f0\ua6f1\ua802\ua806\ua80b\ua825\ua826\ua8c4\ua8e0-\ua8f1\ua926-\ua92d\ua947-\ua951\ua980-\ua982\ua9b3\ua9b6-\ua9b9\ua9bc\uaa29-\uaa2e\uaa31\uaa32\uaa35\uaa36\uaa43\uaa4c\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uabe5\uabe8\uabed\udc00-\udfff\ufb1e\ufe00-\ufe0f\ufe20-\ufe26\uff9e\uff9f]/;function U(i){return i.charCodeAt(0)>=768&&_e.test(i)}function Q(i,s,p){for(;(p<0?s>0:s<i.length)&&U(i.charAt(s));)s+=p;return s}function he(i,s,p){for(var f=s>p?-1:1;;){if(s==p)return s;var m=(s+p)/2,C=f<0?Math.ceil(m):Math.floor(m);if(C==s)return i(C)?s:p;i(C)?p=C:s=C+f}}function Le(i,s,p,f){if(!i)return f(s,p,"ltr",0);for(var m=!1,C=0;C<i.length;++C){var w=i[C];(w.from<p&&w.to>s||s==p&&w.to==s)&&(f(Math.max(w.from,s),Math.min(w.to,p),w.level==1?"rtl":"ltr",C),m=!0)}m||f(s,p,"ltr")}var Xe=null;function je(i,s,p){var f;Xe=null;for(var m=0;m<i.length;++m){var C=i[m];if(C.from<s&&C.to>s)return m;C.to==s&&(C.from!=C.to&&p=="before"?f=m:Xe=m),C.from==s&&(C.from!=C.to&&p!="before"?f=m:Xe=m)}return f!=null?f:Xe}var at=function(){var i="bbbbbbbbbtstwsbbbbbbbbbbbbbbssstwNN%%%NNNNNN,N,N1111111111NNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNbbbbbbsbbbbbbbbbbbbbbbbbbbbbbbbbb,N%%%%NNNNLNNNNN%%11NLNNN1LNNNNNLLLLLLLLLLLLLLLLLLLLLLLNLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLN",s="nnnnnnNNr%%r,rNNmmmmmmmmmmmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmmmmmmmmmmmmmmmnnnnnnnnnn%nnrrrmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmnNmmmmmmrrmmNmmmmrr1111111111";function p(J){return J<=247?i.charAt(J):1424<=J&&J<=1524?"R":1536<=J&&J<=1785?s.charAt(J-1536):1774<=J&&J<=2220?"r":8192<=J&&J<=8203?"w":J==8204?"b":"L"}var f=/[\u0590-\u05f4\u0600-\u06ff\u0700-\u08ac]/,m=/[stwN]/,C=/[LRr]/,w=/[Lb1n]/,B=/[1n]/;function Y(J,me,Te){this.level=J,this.from=me,this.to=Te}return function(J,me){var Te=me=="ltr"?"L":"R";if(J.length==0||me=="ltr"&&!f.test(J))return!1;for(var qe=J.length,Me=[],Je=0;Je<qe;++Je)Me.push(p(J.charCodeAt(Je)));for(var ut=0,gt=Te;ut<qe;++ut){var yt=Me[ut];yt=="m"?Me[ut]=gt:gt=yt}for(var Nt=0,Ct=Te;Nt<qe;++Nt){var xt=Me[Nt];xt=="1"&&Ct=="r"?Me[Nt]="n":C.test(xt)&&(Ct=xt,xt=="r"&&(Me[Nt]="R"))}for(var Gt=1,Pt=Me[0];Gt<qe-1;++Gt){var en=Me[Gt];en=="+"&&Pt=="1"&&Me[Gt+1]=="1"?Me[Gt]="1":en==","&&Pt==Me[Gt+1]&&(Pt=="1"||Pt=="n")&&(Me[Gt]=Pt),Pt=en}for(var Tn=0;Tn<qe;++Tn){var ir=Me[Tn];if(ir==",")Me[Tn]="N";else if(ir=="%"){var Pn=void 0;for(Pn=Tn+1;Pn<qe&&Me[Pn]=="%";++Pn);for(var hi=Tn&&Me[Tn-1]=="!"||Pn<qe&&Me[Pn]=="1"?"1":"N",$r=Tn;$r<Pn;++$r)Me[$r]=hi;Tn=Pn-1}}for(var zn=0,Qr=Te;zn<qe;++zn){var mr=Me[zn];Qr=="L"&&mr=="1"?Me[zn]="L":C.test(mr)&&(Qr=mr)}for(var jn=0;jn<qe;++jn)if(m.test(Me[jn])){var Kn=void 0;for(Kn=jn+1;Kn<qe&&m.test(Me[Kn]);++Kn);for(var Bn=(jn?Me[jn-1]:Te)=="L",jr=(Kn<qe?Me[Kn]:Te)=="L",hl=Bn==jr?Bn?"L":"R":Te,Ho=jn;Ho<Kn;++Ho)Me[Ho]=hl;jn=Kn-1}for(var Rr=[],La,ar=0;ar<qe;)if(w.test(Me[ar])){var ip=ar;for(++ar;ar<qe&&w.test(Me[ar]);++ar);Rr.push(new Y(0,ip,ar))}else{var mo=ar,Ss=Rr.length,bs=me=="rtl"?1:0;for(++ar;ar<qe&&Me[ar]!="L";++ar);for(var Mr=mo;Mr<ar;)if(B.test(Me[Mr])){mo<Mr&&(Rr.splice(Ss,0,new Y(1,mo,Mr)),Ss+=bs);var El=Mr;for(++Mr;Mr<ar&&B.test(Me[Mr]);++Mr);Rr.splice(Ss,0,new Y(2,El,Mr)),Ss+=bs,mo=Mr}else++Mr;mo<ar&&Rr.splice(Ss,0,new Y(1,mo,ar))}return me=="ltr"&&(Rr[0].level==1&&(La=J.match(/^\s+/))&&(Rr[0].from=La[0].length,Rr.unshift(new Y(0,0,La[0].length))),Ie(Rr).level==1&&(La=J.match(/\s+$/))&&(Ie(Rr).to-=La[0].length,Rr.push(new Y(0,qe-La[0].length,qe)))),me=="rtl"?Rr.reverse():Rr}}();function ke(i,s){var p=i.order;return p==null&&(p=i.order=at(i.text,s)),p}var $e=[],De=function(i,s,p){if(i.addEventListener)i.addEventListener(s,p,!1);else if(i.attachEvent)i.attachEvent("on"+s,p);else{var f=i._handlers||(i._handlers={});f[s]=(f[s]||$e).concat(p)}};function pt(i,s){return i._handlers&&i._handlers[s]||$e}function _t(i,s,p){if(i.removeEventListener)i.removeEventListener(s,p,!1);else if(i.detachEvent)i.detachEvent("on"+s,p);else{var f=i._handlers,m=f&&f[s];if(m){var C=nt(m,p);C>-1&&(f[s]=m.slice(0,C).concat(m.slice(C+1)))}}}function wt(i,s){var p=pt(i,s);if(!!p.length)for(var f=Array.prototype.slice.call(arguments,2),m=0;m<p.length;++m)p[m].apply(null,f)}function Lt(i,s,p){return typeof s=="string"&&(s={type:s,preventDefault:function(){this.defaultPrevented=!0}}),wt(i,p||s.type,i,s),Qn(s)||s.codemirrorIgnore}function cn(i){var s=i._handlers&&i._handlers.cursorActivity;if(!!s)for(var p=i.curOp.cursorActivityHandlers||(i.curOp.cursorActivityHandlers=[]),f=0;f<s.length;++f)nt(p,s[f])==-1&&p.push(s[f])}function Xt(i,s){return pt(i,s).length>0}function an(i){i.prototype.on=function(s,p){De(this,s,p)},i.prototype.off=function(s,p){_t(this,s,p)}}function Zt(i){i.preventDefault?i.preventDefault():i.returnValue=!1}function Sr(i){i.stopPropagation?i.stopPropagation():i.cancelBubble=!0}function Qn(i){return i.defaultPrevented!=null?i.defaultPrevented:i.returnValue==!1}function wn(i){Zt(i),Sr(i)}function Wn(i){return i.target||i.srcElement}function Jn(i){var s=i.which;return s==null&&(i.button&1?s=1:i.button&2?s=3:i.button&4&&(s=2)),L&&i.ctrlKey&&s==1&&(s=3),s}var Oa=function(){if(c&&d<9)return!1;var i=V("div");return"draggable"in i||"dragDrop"in i}(),Ai;function Oo(i){if(Ai==null){var s=V("span","\u200B");fe(i,V("span",[s,document.createTextNode("x")])),i.firstChild.offsetHeight!=0&&(Ai=s.offsetWidth<=1&&s.offsetHeight>2&&!(c&&d<8))}var p=Ai?V("span","\u200B"):V("span","\xA0",null,"display: inline-block; width: 1px; margin-right: -1px");return p.setAttribute("cm-text",""),p}var ja;function ps(i){if(ja!=null)return ja;var s=fe(i,document.createTextNode("A\u062EA")),p=te(s,0,1).getBoundingClientRect(),f=te(s,1,2).getBoundingClientRect();return Z(i),!p||p.left==p.right?!1:ja=f.right-p.right<3}var Pr=`
+ */for(var he=typeof window<"u"&&typeof document<"u",Le=["Edge","Trident","Firefox"],Xe=0,je=0;je<Le.length;je+=1)if(he&&navigator.userAgent.indexOf(Le[je])>=0){Xe=1;break}function at(q){var ie=!1;return function(){ie||(ie=!0,window.Promise.resolve().then(function(){ie=!1,q()}))}}function ke(q){var ie=!1;return function(){ie||(ie=!0,setTimeout(function(){ie=!1,q()},Xe))}}var $e=he&&window.Promise,De=$e?at:ke;function pt(q){var ie={};return q&&ie.toString.call(q)==="[object Function]"}function _t(q,ie){if(q.nodeType!==1)return[];var re=q.ownerDocument.defaultView,D=re.getComputedStyle(q,null);return ie?D[ie]:D}function wt(q){return q.nodeName==="HTML"?q:q.parentNode||q.host}function Lt(q){if(!q)return document.body;switch(q.nodeName){case"HTML":case"BODY":return q.ownerDocument.body;case"#document":return q.body}var ie=_t(q),re=ie.overflow,D=ie.overflowX,$=ie.overflowY;return/(auto|scroll|overlay)/.test(re+$+D)?q:Lt(wt(q))}var cn=he&&!!(window.MSInputMethodContext&&document.documentMode),Xt=he&&/MSIE 10/.test(navigator.userAgent);function an(q){return q===11?cn:q===10?Xt:cn||Xt}function Zt(q){if(!q)return document.documentElement;for(var ie=an(10)?document.body:null,re=q.offsetParent||null;re===ie&&q.nextElementSibling;)re=(q=q.nextElementSibling).offsetParent;var D=re&&re.nodeName;return!D||D==="BODY"||D==="HTML"?q?q.ownerDocument.documentElement:document.documentElement:["TH","TD","TABLE"].indexOf(re.nodeName)!==-1&&_t(re,"position")==="static"?Zt(re):re}function Sr(q){var ie=q.nodeName;return ie==="BODY"?!1:ie==="HTML"||Zt(q.firstElementChild)===q}function Qn(q){return q.parentNode!==null?Qn(q.parentNode):q}function wn(q,ie){if(!q||!q.nodeType||!ie||!ie.nodeType)return document.documentElement;var re=q.compareDocumentPosition(ie)&Node.DOCUMENT_POSITION_FOLLOWING,D=re?q:ie,$=re?ie:q,le=document.createRange();le.setStart(D,0),le.setEnd($,0);var Ae=le.commonAncestorContainer;if(q!==Ae&&ie!==Ae||D.contains($))return Sr(Ae)?Ae:Zt(Ae);var Pe=Qn(q);return Pe.host?wn(Pe.host,ie):wn(q,Qn(ie).host)}function Wn(q){var ie=arguments.length>1&&arguments[1]!==void 0?arguments[1]:"top",re=ie==="top"?"scrollTop":"scrollLeft",D=q.nodeName;if(D==="BODY"||D==="HTML"){var $=q.ownerDocument.documentElement,le=q.ownerDocument.scrollingElement||$;return le[re]}return q[re]}function Jn(q,ie){var re=arguments.length>2&&arguments[2]!==void 0?arguments[2]:!1,D=Wn(ie,"top"),$=Wn(ie,"left"),le=re?-1:1;return q.top+=D*le,q.bottom+=D*le,q.left+=$*le,q.right+=$*le,q}function Oa(q,ie){var re=ie==="x"?"Left":"Top",D=re==="Left"?"Right":"Bottom";return parseFloat(q["border"+re+"Width"],10)+parseFloat(q["border"+D+"Width"],10)}function Ai(q,ie,re,D){return Math.max(ie["offset"+q],ie["scroll"+q],re["client"+q],re["offset"+q],re["scroll"+q],an(10)?parseInt(re["offset"+q])+parseInt(D["margin"+(q==="Height"?"Top":"Left")])+parseInt(D["margin"+(q==="Height"?"Bottom":"Right")]):0)}function Oo(q){var ie=q.body,re=q.documentElement,D=an(10)&&getComputedStyle(re);return{height:Ai("Height",ie,re,D),width:Ai("Width",ie,re,D)}}var ja=function(q,ie){if(!(q instanceof ie))throw new TypeError("Cannot call a class as a function")},ps=function(){function q(ie,re){for(var D=0;D<re.length;D++){var $=re[D];$.enumerable=$.enumerable||!1,$.configurable=!0,"value"in $&&($.writable=!0),Object.defineProperty(ie,$.key,$)}}return function(ie,re,D){return re&&q(ie.prototype,re),D&&q(ie,D),ie}}(),Pr=function(q,ie,re){return ie in q?Object.defineProperty(q,ie,{value:re,enumerable:!0,configurable:!0,writable:!0}):q[ie]=re,q},ur=Object.assign||function(q){for(var ie=1;ie<arguments.length;ie++){var re=arguments[ie];for(var D in re)Object.prototype.hasOwnProperty.call(re,D)&&(q[D]=re[D])}return q};function ii(q){return ur({},q,{right:q.left+q.width,bottom:q.top+q.height})}function Gi(q){var ie={};try{if(an(10)){ie=q.getBoundingClientRect();var re=Wn(q,"top"),D=Wn(q,"left");ie.top+=re,ie.left+=D,ie.bottom+=re,ie.right+=D}else ie=q.getBoundingClientRect()}catch{}var $={left:ie.left,top:ie.top,width:ie.right-ie.left,height:ie.bottom-ie.top},le=q.nodeName==="HTML"?Oo(q.ownerDocument):{},Ae=le.width||q.clientWidth||$.right-$.left,Pe=le.height||q.clientHeight||$.bottom-$.top,Ye=q.offsetWidth-Ae,ft=q.offsetHeight-Pe;if(Ye||ft){var Tt=_t(q);Ye-=Oa(Tt,"x"),ft-=Oa(Tt,"y"),$.width-=Ye,$.height-=ft}return ii($)}function Xa(q,ie){var re=arguments.length>2&&arguments[2]!==void 0?arguments[2]:!1,D=an(10),$=ie.nodeName==="HTML",le=Gi(q),Ae=Gi(ie),Pe=Lt(q),Ye=_t(ie),ft=parseFloat(Ye.borderTopWidth,10),Tt=parseFloat(Ye.borderLeftWidth,10);re&&$&&(Ae.top=Math.max(Ae.top,0),Ae.left=Math.max(Ae.left,0));var ht=ii({top:le.top-Ae.top-ft,left:le.left-Ae.left-Tt,width:le.width,height:le.height});if(ht.marginTop=0,ht.marginLeft=0,!D&&$){var kt=parseFloat(Ye.marginTop,10),Yt=parseFloat(Ye.marginLeft,10);ht.top-=ft-kt,ht.bottom-=ft-kt,ht.left-=Tt-Yt,ht.right-=Tt-Yt,ht.marginTop=kt,ht.marginLeft=Yt}return(D&&!re?ie.contains(Pe):ie===Pe&&Pe.nodeName!=="BODY")&&(ht=Jn(ht,ie)),ht}function ai(q){var ie=arguments.length>1&&arguments[1]!==void 0?arguments[1]:!1,re=q.ownerDocument.documentElement,D=Xa(q,re),$=Math.max(re.clientWidth,window.innerWidth||0),le=Math.max(re.clientHeight,window.innerHeight||0),Ae=ie?0:Wn(re),Pe=ie?0:Wn(re,"left"),Ye={top:Ae-D.top+D.marginTop,left:Pe-D.left+D.marginLeft,width:$,height:le};return ii(Ye)}function oi(q){var ie=q.nodeName;if(ie==="BODY"||ie==="HTML")return!1;if(_t(q,"position")==="fixed")return!0;var re=wt(q);return re?oi(re):!1}function Ra(q){if(!q||!q.parentElement||an())return document.documentElement;for(var ie=q.parentElement;ie&&_t(ie,"transform")==="none";)ie=ie.parentElement;return ie||document.documentElement}function aa(q,ie,re,D){var $=arguments.length>4&&arguments[4]!==void 0?arguments[4]:!1,le={top:0,left:0},Ae=$?Ra(q):wn(q,ie);if(D==="viewport")le=ai(Ae,$);else{var Pe=void 0;D==="scrollParent"?(Pe=Lt(wt(ie)),Pe.nodeName==="BODY"&&(Pe=q.ownerDocument.documentElement)):D==="window"?Pe=q.ownerDocument.documentElement:Pe=D;var Ye=Xa(Pe,Ae,$);if(Pe.nodeName==="HTML"&&!oi(Ae)){var ft=Oo(q.ownerDocument),Tt=ft.height,ht=ft.width;le.top+=Ye.top-Ye.marginTop,le.bottom=Tt+Ye.top,le.left+=Ye.left-Ye.marginLeft,le.right=ht+Ye.left}else le=Ye}re=re||0;var kt=typeof re=="number";return le.left+=kt?re:re.left||0,le.top+=kt?re:re.top||0,le.right-=kt?re:re.right||0,le.bottom-=kt?re:re.bottom||0,le}function Oi(q){var ie=q.width,re=q.height;return ie*re}function oa(q,ie,re,D,$){var le=arguments.length>5&&arguments[5]!==void 0?arguments[5]:0;if(q.indexOf("auto")===-1)return q;var Ae=aa(re,D,le,$),Pe={top:{width:Ae.width,height:ie.top-Ae.top},right:{width:Ae.right-ie.right,height:Ae.height},bottom:{width:Ae.width,height:Ae.bottom-ie.bottom},left:{width:ie.left-Ae.left,height:Ae.height}},Ye=Object.keys(Pe).map(function(kt){return ur({key:kt},Pe[kt],{area:Oi(Pe[kt])})}).sort(function(kt,Yt){return Yt.area-kt.area}),ft=Ye.filter(function(kt){var Yt=kt.width,Ut=kt.height;return Yt>=re.clientWidth&&Ut>=re.clientHeight}),Tt=ft.length>0?ft[0].key:Ye[0].key,ht=q.split("-")[1];return Tt+(ht?"-"+ht:"")}function Ri(q,ie,re){var D=arguments.length>3&&arguments[3]!==void 0?arguments[3]:null,$=D?Ra(ie):wn(ie,re);return Xa(re,$,D)}function Hi(q){var ie=q.ownerDocument.defaultView,re=ie.getComputedStyle(q),D=parseFloat(re.marginTop||0)+parseFloat(re.marginBottom||0),$=parseFloat(re.marginLeft||0)+parseFloat(re.marginRight||0),le={width:q.offsetWidth+$,height:q.offsetHeight+D};return le}function br(q){var ie={left:"right",right:"left",bottom:"top",top:"bottom"};return q.replace(/left|right|bottom|top/g,function(re){return ie[re]})}function sa(q,ie,re){re=re.split("-")[0];var D=Hi(q),$={width:D.width,height:D.height},le=["right","left"].indexOf(re)!==-1,Ae=le?"top":"left",Pe=le?"left":"top",Ye=le?"height":"width",ft=le?"width":"height";return $[Ae]=ie[Ae]+ie[Ye]/2-D[Ye]/2,re===Pe?$[Pe]=ie[Pe]-D[ft]:$[Pe]=ie[br(Pe)],$}function Ni(q,ie){return Array.prototype.find?q.find(ie):q.filter(ie)[0]}function bn(q,ie,re){if(Array.prototype.findIndex)return q.findIndex(function($){return $[ie]===re});var D=Ni(q,function($){return $[ie]===re});return q.indexOf(D)}function Mt(q,ie,re){var D=re===void 0?q:q.slice(0,bn(q,"name",re));return D.forEach(function($){$.function&&console.warn("`modifier.function` is deprecated, use `modifier.fn`!");var le=$.function||$.fn;$.enabled&&pt(le)&&(ie.offsets.popper=ii(ie.offsets.popper),ie.offsets.reference=ii(ie.offsets.reference),ie=le(ie,$))}),ie}function Fr(){if(!this.state.isDestroyed){var q={instance:this,styles:{},arrowStyles:{},attributes:{},flipped:!1,offsets:{}};q.offsets.reference=Ri(this.state,this.popper,this.reference,this.options.positionFixed),q.placement=oa(this.options.placement,q.offsets.reference,this.popper,this.reference,this.options.modifiers.flip.boundariesElement,this.options.modifiers.flip.padding),q.originalPlacement=q.placement,q.positionFixed=this.options.positionFixed,q.offsets.popper=sa(this.popper,q.offsets.reference,q.placement),q.offsets.popper.position=this.options.positionFixed?"fixed":"absolute",q=Mt(this.modifiers,q),this.state.isCreated?this.options.onUpdate(q):(this.state.isCreated=!0,this.options.onCreate(q))}}function Na(q,ie){return q.some(function(re){var D=re.name,$=re.enabled;return $&&D===ie})}function cr(q){for(var ie=[!1,"ms","Webkit","Moz","O"],re=q.charAt(0).toUpperCase()+q.slice(1),D=0;D<ie.length;D++){var $=ie[D],le=$?""+$+re:q;if(typeof document.body.style[le]<"u")return le}return null}function un(){return this.state.isDestroyed=!0,Na(this.modifiers,"applyStyle")&&(this.popper.removeAttribute("x-placement"),this.popper.style.position="",this.popper.style.top="",this.popper.style.left="",this.popper.style.right="",this.popper.style.bottom="",this.popper.style.willChange="",this.popper.style[cr("transform")]=""),this.disableEventListeners(),this.options.removeOnDestroy&&this.popper.parentNode.removeChild(this.popper),this}function Br(q){var ie=q.ownerDocument;return ie?ie.defaultView:window}function si(q,ie,re,D){var $=q.nodeName==="BODY",le=$?q.ownerDocument.defaultView:q;le.addEventListener(ie,re,{passive:!0}),$||si(Lt(le.parentNode),ie,re,D),D.push(le)}function Ia(q,ie,re,D){re.updateBound=D,Br(q).addEventListener("resize",re.updateBound,{passive:!0});var $=Lt(q);return si($,"scroll",re.updateBound,re.scrollParents),re.scrollElement=$,re.eventsEnabled=!0,re}function st(){this.state.eventsEnabled||(this.state=Ia(this.reference,this.options,this.state,this.scheduleUpdate))}function Bt(q,ie){return Br(q).removeEventListener("resize",ie.updateBound),ie.scrollParents.forEach(function(re){re.removeEventListener("scroll",ie.updateBound)}),ie.updateBound=null,ie.scrollParents=[],ie.scrollElement=null,ie.eventsEnabled=!1,ie}function qi(){this.state.eventsEnabled&&(cancelAnimationFrame(this.scheduleUpdate),this.state=Bt(this.reference,this.state))}function la(q){return q!==""&&!isNaN(parseFloat(q))&&isFinite(q)}function Yi(q,ie){Object.keys(ie).forEach(function(re){var D="";["width","height","top","right","bottom","left"].indexOf(re)!==-1&&la(ie[re])&&(D="px"),q.style[re]=ie[re]+D})}function Wi(q,ie){Object.keys(ie).forEach(function(re){var D=ie[re];D!==!1?q.setAttribute(re,ie[re]):q.removeAttribute(re)})}function Za(q){return Yi(q.instance.popper,q.styles),Wi(q.instance.popper,q.attributes),q.arrowElement&&Object.keys(q.arrowStyles).length&&Yi(q.arrowElement,q.arrowStyles),q}function Ht(q,ie,re,D,$){var le=Ri($,ie,q,re.positionFixed),Ae=oa(re.placement,le,ie,q,re.modifiers.flip.boundariesElement,re.modifiers.flip.padding);return ie.setAttribute("x-placement",Ae),Yi(ie,{position:re.positionFixed?"fixed":"absolute"}),re}function Ro(q,ie){var re=q.offsets,D=re.popper,$=re.reference,le=Math.round,Ae=Math.floor,Pe=function(Vr){return Vr},Ye=le($.width),ft=le(D.width),Tt=["left","right"].indexOf(q.placement)!==-1,ht=q.placement.indexOf("-")!==-1,kt=Ye%2===ft%2,Yt=Ye%2===1&&ft%2===1,Ut=ie?Tt||ht||kt?le:Ae:Pe,dn=ie?le:Pe;return{left:Ut(Yt&&!ht&&ie?D.left-1:D.left),top:dn(D.top),bottom:dn(D.bottom),right:Ut(D.right)}}var No=he&&/Firefox/i.test(navigator.userAgent);function Da(q,ie){var re=ie.x,D=ie.y,$=q.offsets.popper,le=Ni(q.instance.modifiers,function(ea){return ea.name==="applyStyle"}).gpuAcceleration;le!==void 0&&console.warn("WARNING: `gpuAcceleration` option moved to `computeStyle` modifier and will not be supported in future versions of Popper.js!");var Ae=le!==void 0?le:ie.gpuAcceleration,Pe=Zt(q.instance.popper),Ye=Gi(Pe),ft={position:$.position},Tt=Ro(q,window.devicePixelRatio<2||!No),ht=re==="bottom"?"top":"bottom",kt=D==="right"?"left":"right",Yt=cr("transform"),Ut=void 0,dn=void 0;if(ht==="bottom"?Pe.nodeName==="HTML"?dn=-Pe.clientHeight+Tt.bottom:dn=-Ye.height+Tt.bottom:dn=Tt.top,kt==="right"?Pe.nodeName==="HTML"?Ut=-Pe.clientWidth+Tt.right:Ut=-Ye.width+Tt.right:Ut=Tt.left,Ae&&Yt)ft[Yt]="translate3d("+Ut+"px, "+dn+"px, 0)",ft[ht]=0,ft[kt]=0,ft.willChange="transform";else{var Ar=ht==="bottom"?-1:1,Vr=kt==="right"?-1:1;ft[ht]=dn*Ar,ft[kt]=Ut*Vr,ft.willChange=ht+", "+kt}var zr={"x-placement":q.placement};return q.attributes=ur({},zr,q.attributes),q.styles=ur({},ft,q.styles),q.arrowStyles=ur({},q.offsets.arrow,q.arrowStyles),q}function Cn(q,ie,re){var D=Ni(q,function(Pe){var Ye=Pe.name;return Ye===ie}),$=!!D&&q.some(function(Pe){return Pe.name===re&&Pe.enabled&&Pe.order<D.order});if(!$){var le="`"+ie+"`",Ae="`"+re+"`";console.warn(Ae+" modifier is required by "+le+" modifier in order to work, be sure to include it before "+le+"!")}return $}function Ja(q,ie){var re;if(!Cn(q.instance.modifiers,"arrow","keepTogether"))return q;var D=ie.element;if(typeof D=="string"){if(D=q.instance.popper.querySelector(D),!D)return q}else if(!q.instance.popper.contains(D))return console.warn("WARNING: `arrow.element` must be child of its popper element!"),q;var $=q.placement.split("-")[0],le=q.offsets,Ae=le.popper,Pe=le.reference,Ye=["left","right"].indexOf($)!==-1,ft=Ye?"height":"width",Tt=Ye?"Top":"Left",ht=Tt.toLowerCase(),kt=Ye?"left":"top",Yt=Ye?"bottom":"right",Ut=Hi(D)[ft];Pe[Yt]-Ut<Ae[ht]&&(q.offsets.popper[ht]-=Ae[ht]-(Pe[Yt]-Ut)),Pe[ht]+Ut>Ae[Yt]&&(q.offsets.popper[ht]+=Pe[ht]+Ut-Ae[Yt]),q.offsets.popper=ii(q.offsets.popper);var dn=Pe[ht]+Pe[ft]/2-Ut/2,Ar=_t(q.instance.popper),Vr=parseFloat(Ar["margin"+Tt],10),zr=parseFloat(Ar["border"+Tt+"Width"],10),ea=dn-q.offsets.popper[ht]-Vr-zr;return ea=Math.max(Math.min(Ae[ft]-Ut,ea),0),q.arrowElement=D,q.offsets.arrow=(re={},Pr(re,ht,Math.round(ea)),Pr(re,kt,""),re),q}function Vi(q){return q==="end"?"start":q==="start"?"end":q}var zi=["auto-start","auto","auto-end","top-start","top","top-end","right-start","right","right-end","bottom-end","bottom","bottom-start","left-end","left","left-start"],ua=zi.slice(3);function Ur(q){var ie=arguments.length>1&&arguments[1]!==void 0?arguments[1]:!1,re=ua.indexOf(q),D=ua.slice(re+1).concat(ua.slice(0,re));return ie?D.reverse():D}var vr={FLIP:"flip",CLOCKWISE:"clockwise",COUNTERCLOCKWISE:"counterclockwise"};function ca(q,ie){if(Na(q.instance.modifiers,"inner")||q.flipped&&q.placement===q.originalPlacement)return q;var re=aa(q.instance.popper,q.instance.reference,ie.padding,ie.boundariesElement,q.positionFixed),D=q.placement.split("-")[0],$=br(D),le=q.placement.split("-")[1]||"",Ae=[];switch(ie.behavior){case vr.FLIP:Ae=[D,$];break;case vr.CLOCKWISE:Ae=Ur(D);break;case vr.COUNTERCLOCKWISE:Ae=Ur(D,!0);break;default:Ae=ie.behavior}return Ae.forEach(function(Pe,Ye){if(D!==Pe||Ae.length===Ye+1)return q;D=q.placement.split("-")[0],$=br(D);var ft=q.offsets.popper,Tt=q.offsets.reference,ht=Math.floor,kt=D==="left"&&ht(ft.right)>ht(Tt.left)||D==="right"&&ht(ft.left)<ht(Tt.right)||D==="top"&&ht(ft.bottom)>ht(Tt.top)||D==="bottom"&&ht(ft.top)<ht(Tt.bottom),Yt=ht(ft.left)<ht(re.left),Ut=ht(ft.right)>ht(re.right),dn=ht(ft.top)<ht(re.top),Ar=ht(ft.bottom)>ht(re.bottom),Vr=D==="left"&&Yt||D==="right"&&Ut||D==="top"&&dn||D==="bottom"&&Ar,zr=["top","bottom"].indexOf(D)!==-1,ea=!!ie.flipVariations&&(zr&&le==="start"&&Yt||zr&&le==="end"&&Ut||!zr&&le==="start"&&dn||!zr&&le==="end"&&Ar);(kt||Vr||ea)&&(q.flipped=!0,(kt||Vr)&&(D=Ae[Ye+1]),ea&&(le=Vi(le)),q.placement=D+(le?"-"+le:""),q.offsets.popper=ur({},q.offsets.popper,sa(q.instance.popper,q.offsets.reference,q.placement)),q=Mt(q.instance.modifiers,q,"flip"))}),q}function eo(q){var ie=q.offsets,re=ie.popper,D=ie.reference,$=q.placement.split("-")[0],le=Math.floor,Ae=["top","bottom"].indexOf($)!==-1,Pe=Ae?"right":"bottom",Ye=Ae?"left":"top",ft=Ae?"width":"height";return re[Pe]<le(D[Ye])&&(q.offsets.popper[Ye]=le(D[Ye])-re[ft]),re[Ye]>le(D[Pe])&&(q.offsets.popper[Ye]=le(D[Pe])),q}function Ii(q,ie,re,D){var $=q.match(/((?:\-|\+)?\d*\.?\d*)(.*)/),le=+$[1],Ae=$[2];if(!le)return q;if(Ae.indexOf("%")===0){var Pe=void 0;switch(Ae){case"%p":Pe=re;break;case"%":case"%r":default:Pe=D}var Ye=ii(Pe);return Ye[ie]/100*le}else if(Ae==="vh"||Ae==="vw"){var ft=void 0;return Ae==="vh"?ft=Math.max(document.documentElement.clientHeight,window.innerHeight||0):ft=Math.max(document.documentElement.clientWidth,window.innerWidth||0),ft/100*le}else return le}function to(q,ie,re,D){var $=[0,0],le=["right","left"].indexOf(D)!==-1,Ae=q.split(/(\+|\-)/).map(function(Tt){return Tt.trim()}),Pe=Ae.indexOf(Ni(Ae,function(Tt){return Tt.search(/,|\s/)!==-1}));Ae[Pe]&&Ae[Pe].indexOf(",")===-1&&console.warn("Offsets separated by white space(s) are deprecated, use a comma (,) instead.");var Ye=/\s*,\s*|\s+/,ft=Pe!==-1?[Ae.slice(0,Pe).concat([Ae[Pe].split(Ye)[0]]),[Ae[Pe].split(Ye)[1]].concat(Ae.slice(Pe+1))]:[Ae];return ft=ft.map(function(Tt,ht){var kt=(ht===1?!le:le)?"height":"width",Yt=!1;return Tt.reduce(function(Ut,dn){return Ut[Ut.length-1]===""&&["+","-"].indexOf(dn)!==-1?(Ut[Ut.length-1]=dn,Yt=!0,Ut):Yt?(Ut[Ut.length-1]+=dn,Yt=!1,Ut):Ut.concat(dn)},[]).map(function(Ut){return Ii(Ut,kt,ie,re)})}),ft.forEach(function(Tt,ht){Tt.forEach(function(kt,Yt){la(kt)&&($[ht]+=kt*(Tt[Yt-1]==="-"?-1:1))})}),$}function no(q,ie){var re=ie.offset,D=q.placement,$=q.offsets,le=$.popper,Ae=$.reference,Pe=D.split("-")[0],Ye=void 0;return la(+re)?Ye=[+re,0]:Ye=to(re,le,Ae,Pe),Pe==="left"?(le.top+=Ye[0],le.left-=Ye[1]):Pe==="right"?(le.top+=Ye[0],le.left+=Ye[1]):Pe==="top"?(le.left+=Ye[0],le.top-=Ye[1]):Pe==="bottom"&&(le.left+=Ye[0],le.top+=Ye[1]),q.popper=le,q}function ro(q,ie){var re=ie.boundariesElement||Zt(q.instance.popper);q.instance.reference===re&&(re=Zt(re));var D=cr("transform"),$=q.instance.popper.style,le=$.top,Ae=$.left,Pe=$[D];$.top="",$.left="",$[D]="";var Ye=aa(q.instance.popper,q.instance.reference,ie.padding,re,q.positionFixed);$.top=le,$.left=Ae,$[D]=Pe,ie.boundaries=Ye;var ft=ie.priority,Tt=q.offsets.popper,ht={primary:function(Yt){var Ut=Tt[Yt];return Tt[Yt]<Ye[Yt]&&!ie.escapeWithReference&&(Ut=Math.max(Tt[Yt],Ye[Yt])),Pr({},Yt,Ut)},secondary:function(Yt){var Ut=Yt==="right"?"left":"top",dn=Tt[Ut];return Tt[Yt]>Ye[Yt]&&!ie.escapeWithReference&&(dn=Math.min(Tt[Ut],Ye[Yt]-(Yt==="right"?Tt.width:Tt.height))),Pr({},Ut,dn)}};return ft.forEach(function(kt){var Yt=["left","top"].indexOf(kt)!==-1?"primary":"secondary";Tt=ur({},Tt,ht[Yt](kt))}),q.offsets.popper=Tt,q}function Ki(q){var ie=q.placement,re=ie.split("-")[0],D=ie.split("-")[1];if(D){var $=q.offsets,le=$.reference,Ae=$.popper,Pe=["bottom","top"].indexOf(re)!==-1,Ye=Pe?"left":"top",ft=Pe?"width":"height",Tt={start:Pr({},Ye,le[Ye]),end:Pr({},Ye,le[Ye]+le[ft]-Ae[ft])};q.offsets.popper=ur({},Ae,Tt[D])}return q}function Tr(q){if(!Cn(q.instance.modifiers,"hide","preventOverflow"))return q;var ie=q.offsets.reference,re=Ni(q.instance.modifiers,function(D){return D.name==="preventOverflow"}).boundaries;if(ie.bottom<re.top||ie.left>re.right||ie.top>re.bottom||ie.right<re.left){if(q.hide===!0)return q;q.hide=!0,q.attributes["x-out-of-boundaries"]=""}else{if(q.hide===!1)return q;q.hide=!1,q.attributes["x-out-of-boundaries"]=!1}return q}function io(q){var ie=q.placement,re=ie.split("-")[0],D=q.offsets,$=D.popper,le=D.reference,Ae=["left","right"].indexOf(re)!==-1,Pe=["top","left"].indexOf(re)===-1;return $[Ae?"left":"top"]=le[re]-(Pe?$[Ae?"width":"height"]:0),q.placement=br(ie),q.offsets.popper=ii($),q}var Io={shift:{order:100,enabled:!0,fn:Ki},offset:{order:200,enabled:!0,fn:no,offset:0},preventOverflow:{order:300,enabled:!0,fn:ro,priority:["left","right","top","bottom"],padding:5,boundariesElement:"scrollParent"},keepTogether:{order:400,enabled:!0,fn:eo},arrow:{order:500,enabled:!0,fn:Ja,element:"[x-arrow]"},flip:{order:600,enabled:!0,fn:ca,behavior:"flip",padding:5,boundariesElement:"viewport"},inner:{order:700,enabled:!1,fn:io},hide:{order:800,enabled:!0,fn:Tr},computeStyle:{order:850,enabled:!0,fn:Da,gpuAcceleration:!0,x:"bottom",y:"right"},applyStyle:{order:900,enabled:!0,fn:Za,onLoad:Ht,gpuAcceleration:void 0}},da={placement:"bottom",positionFixed:!1,eventsEnabled:!0,removeOnDestroy:!1,onCreate:function(){},onUpdate:function(){},modifiers:Io},dr=function(){function q(ie,re){var D=this,$=arguments.length>2&&arguments[2]!==void 0?arguments[2]:{};ja(this,q),this.scheduleUpdate=function(){return requestAnimationFrame(D.update)},this.update=De(this.update.bind(this)),this.options=ur({},q.Defaults,$),this.state={isDestroyed:!1,isCreated:!1,scrollParents:[]},this.reference=ie&&ie.jquery?ie[0]:ie,this.popper=re&&re.jquery?re[0]:re,this.options.modifiers={},Object.keys(ur({},q.Defaults.modifiers,$.modifiers)).forEach(function(Ae){D.options.modifiers[Ae]=ur({},q.Defaults.modifiers[Ae]||{},$.modifiers?$.modifiers[Ae]:{})}),this.modifiers=Object.keys(this.options.modifiers).map(function(Ae){return ur({name:Ae},D.options.modifiers[Ae])}).sort(function(Ae,Pe){return Ae.order-Pe.order}),this.modifiers.forEach(function(Ae){Ae.enabled&&pt(Ae.onLoad)&&Ae.onLoad(D.reference,D.popper,D.options,Ae,D.state)}),this.update();var le=this.options.eventsEnabled;le&&this.enableEventListeners(),this.state.eventsEnabled=le}return ps(q,[{key:"update",value:function(){return Fr.call(this)}},{key:"destroy",value:function(){return un.call(this)}},{key:"enableEventListeners",value:function(){return st.call(this)}},{key:"disableEventListeners",value:function(){return qi.call(this)}}]),q}();dr.Utils=(typeof window<"u"?window:Jr).PopperUtils,dr.placements=zi,dr.Defaults=da;var fa="dropdown",ru="4.3.1",ao="bs.dropdown",Di="."+ao,oo=".data-api",tl=r.fn[fa],Do=27,xo=32,so=9,pa=38,$i=40,wo=3,_s=new RegExp(pa+"|"+$i+"|"+Do),Un={HIDE:"hide"+Di,HIDDEN:"hidden"+Di,SHOW:"show"+Di,SHOWN:"shown"+Di,CLICK:"click"+Di,CLICK_DATA_API:"click"+Di+oo,KEYDOWN_DATA_API:"keydown"+Di+oo,KEYUP_DATA_API:"keyup"+Di+oo},gn={DISABLED:"disabled",SHOW:"show",DROPUP:"dropup",DROPRIGHT:"dropright",DROPLEFT:"dropleft",MENURIGHT:"dropdown-menu-right",MENULEFT:"dropdown-menu-left",POSITION_STATIC:"position-static"},li={DATA_TOGGLE:'[data-toggle="dropdown"]',FORM_CHILD:".dropdown form",MENU:".dropdown-menu",NAVBAR_NAV:".navbar-nav",VISIBLE_ITEMS:".dropdown-menu .dropdown-item:not(.disabled):not(:disabled)"},_a={TOP:"top-start",TOPEND:"top-end",BOTTOM:"bottom-start",BOTTOMEND:"bottom-end",RIGHT:"right-start",RIGHTEND:"right-end",LEFT:"left-start",LEFTEND:"left-end"},er={offset:0,flip:!0,boundary:"scrollParent",reference:"toggle",display:"dynamic"},nl={offset:"(number|string|function)",flip:"boolean",boundary:"(string|element)",reference:"(string|element)",display:"string"},ui=function(){function q(re,D){this._element=re,this._popper=null,this._config=this._getConfig(D),this._menu=this._getMenuElement(),this._inNavbar=this._detectNavbar(),this._addEventListeners()}var ie=q.prototype;return ie.toggle=function(){if(!(this._element.disabled||r(this._element).hasClass(gn.DISABLED))){var D=q._getParentFromElement(this._element),$=r(this._menu).hasClass(gn.SHOW);if(q._clearMenus(),!$){var le={relatedTarget:this._element},Ae=r.Event(Un.SHOW,le);if(r(D).trigger(Ae),!Ae.isDefaultPrevented()){if(!this._inNavbar){if(typeof dr>"u")throw new TypeError("Bootstrap's dropdowns require Popper.js (https://popper.js.org/)");var Pe=this._element;this._config.reference==="parent"?Pe=D:v.isElement(this._config.reference)&&(Pe=this._config.reference,typeof this._config.reference.jquery<"u"&&(Pe=this._config.reference[0])),this._config.boundary!=="scrollParent"&&r(D).addClass(gn.POSITION_STATIC),this._popper=new dr(Pe,this._menu,this._getPopperConfig())}"ontouchstart"in document.documentElement&&r(D).closest(li.NAVBAR_NAV).length===0&&r(document.body).children().on("mouseover",null,r.noop),this._element.focus(),this._element.setAttribute("aria-expanded",!0),r(this._menu).toggleClass(gn.SHOW),r(D).toggleClass(gn.SHOW).trigger(r.Event(Un.SHOWN,le))}}}},ie.show=function(){if(!(this._element.disabled||r(this._element).hasClass(gn.DISABLED)||r(this._menu).hasClass(gn.SHOW))){var D={relatedTarget:this._element},$=r.Event(Un.SHOW,D),le=q._getParentFromElement(this._element);r(le).trigger($),!$.isDefaultPrevented()&&(r(this._menu).toggleClass(gn.SHOW),r(le).toggleClass(gn.SHOW).trigger(r.Event(Un.SHOWN,D)))}},ie.hide=function(){if(!(this._element.disabled||r(this._element).hasClass(gn.DISABLED)||!r(this._menu).hasClass(gn.SHOW))){var D={relatedTarget:this._element},$=r.Event(Un.HIDE,D),le=q._getParentFromElement(this._element);r(le).trigger($),!$.isDefaultPrevented()&&(r(this._menu).toggleClass(gn.SHOW),r(le).toggleClass(gn.SHOW).trigger(r.Event(Un.HIDDEN,D)))}},ie.dispose=function(){r.removeData(this._element,ao),r(this._element).off(Di),this._element=null,this._menu=null,this._popper!==null&&(this._popper.destroy(),this._popper=null)},ie.update=function(){this._inNavbar=this._detectNavbar(),this._popper!==null&&this._popper.scheduleUpdate()},ie._addEventListeners=function(){var D=this;r(this._element).on(Un.CLICK,function($){$.preventDefault(),$.stopPropagation(),D.toggle()})},ie._getConfig=function(D){return D=u({},this.constructor.Default,r(this._element).data(),D),v.typeCheckConfig(fa,D,this.constructor.DefaultType),D},ie._getMenuElement=function(){if(!this._menu){var D=q._getParentFromElement(this._element);D&&(this._menu=D.querySelector(li.MENU))}return this._menu},ie._getPlacement=function(){var D=r(this._element.parentNode),$=_a.BOTTOM;return D.hasClass(gn.DROPUP)?($=_a.TOP,r(this._menu).hasClass(gn.MENURIGHT)&&($=_a.TOPEND)):D.hasClass(gn.DROPRIGHT)?$=_a.RIGHT:D.hasClass(gn.DROPLEFT)?$=_a.LEFT:r(this._menu).hasClass(gn.MENURIGHT)&&($=_a.BOTTOMEND),$},ie._detectNavbar=function(){return r(this._element).closest(".navbar").length>0},ie._getOffset=function(){var D=this,$={};return typeof this._config.offset=="function"?$.fn=function(le){return le.offsets=u({},le.offsets,D._config.offset(le.offsets,D._element)||{}),le}:$.offset=this._config.offset,$},ie._getPopperConfig=function(){var D={placement:this._getPlacement(),modifiers:{offset:this._getOffset(),flip:{enabled:this._config.flip},preventOverflow:{boundariesElement:this._config.boundary}}};return this._config.display==="static"&&(D.modifiers.applyStyle={enabled:!1}),D},q._jQueryInterface=function(D){return this.each(function(){var $=r(this).data(ao),le=typeof D=="object"?D:null;if($||($=new q(this,le),r(this).data(ao,$)),typeof D=="string"){if(typeof $[D]>"u")throw new TypeError('No method named "'+D+'"');$[D]()}})},q._clearMenus=function(D){if(!(D&&(D.which===wo||D.type==="keyup"&&D.which!==so)))for(var $=[].slice.call(document.querySelectorAll(li.DATA_TOGGLE)),le=0,Ae=$.length;le<Ae;le++){var Pe=q._getParentFromElement($[le]),Ye=r($[le]).data(ao),ft={relatedTarget:$[le]};if(D&&D.type==="click"&&(ft.clickEvent=D),!!Ye){var Tt=Ye._menu;if(!!r(Pe).hasClass(gn.SHOW)&&!(D&&(D.type==="click"&&/input|textarea/i.test(D.target.tagName)||D.type==="keyup"&&D.which===so)&&r.contains(Pe,D.target))){var ht=r.Event(Un.HIDE,ft);r(Pe).trigger(ht),!ht.isDefaultPrevented()&&("ontouchstart"in document.documentElement&&r(document.body).children().off("mouseover",null,r.noop),$[le].setAttribute("aria-expanded","false"),r(Tt).removeClass(gn.SHOW),r(Pe).removeClass(gn.SHOW).trigger(r.Event(Un.HIDDEN,ft)))}}}},q._getParentFromElement=function(D){var $,le=v.getSelectorFromElement(D);return le&&($=document.querySelector(le)),$||D.parentNode},q._dataApiKeydownHandler=function(D){if(!(/input|textarea/i.test(D.target.tagName)?D.which===xo||D.which!==Do&&(D.which!==$i&&D.which!==pa||r(D.target).closest(li.MENU).length):!_s.test(D.which))&&(D.preventDefault(),D.stopPropagation(),!(this.disabled||r(this).hasClass(gn.DISABLED)))){var $=q._getParentFromElement(this),le=r($).hasClass(gn.SHOW);if(!le||le&&(D.which===Do||D.which===xo)){if(D.which===Do){var Ae=$.querySelector(li.DATA_TOGGLE);r(Ae).trigger("focus")}r(this).trigger("click");return}var Pe=[].slice.call($.querySelectorAll(li.VISIBLE_ITEMS));if(Pe.length!==0){var Ye=Pe.indexOf(D.target);D.which===pa&&Ye>0&&Ye--,D.which===$i&&Ye<Pe.length-1&&Ye++,Ye<0&&(Ye=0),Pe[Ye].focus()}}},o(q,null,[{key:"VERSION",get:function(){return ru}},{key:"Default",get:function(){return er}},{key:"DefaultType",get:function(){return nl}}]),q}();r(document).on(Un.KEYDOWN_DATA_API,li.DATA_TOGGLE,ui._dataApiKeydownHandler).on(Un.KEYDOWN_DATA_API,li.MENU,ui._dataApiKeydownHandler).on(Un.CLICK_DATA_API+" "+Un.KEYUP_DATA_API,ui._clearMenus).on(Un.CLICK_DATA_API,li.DATA_TOGGLE,function(q){q.preventDefault(),q.stopPropagation(),ui._jQueryInterface.call(r(this),"toggle")}).on(Un.CLICK_DATA_API,li.FORM_CHILD,function(q){q.stopPropagation()}),r.fn[fa]=ui._jQueryInterface,r.fn[fa].Constructor=ui,r.fn[fa].noConflict=function(){return r.fn[fa]=tl,ui._jQueryInterface};var Qi="modal",rl="4.3.1",xr="bs.modal",g="."+xr,b=".data-api",x=r.fn[Qi],P=27,j={backdrop:!0,keyboard:!0,focus:!0,show:!0},X={backdrop:"(boolean|string)",keyboard:"boolean",focus:"boolean",show:"boolean"},ae={HIDE:"hide"+g,HIDDEN:"hidden"+g,SHOW:"show"+g,SHOWN:"shown"+g,FOCUSIN:"focusin"+g,RESIZE:"resize"+g,CLICK_DISMISS:"click.dismiss"+g,KEYDOWN_DISMISS:"keydown.dismiss"+g,MOUSEUP_DISMISS:"mouseup.dismiss"+g,MOUSEDOWN_DISMISS:"mousedown.dismiss"+g,CLICK_DATA_API:"click"+g+b},Ce={SCROLLABLE:"modal-dialog-scrollable",SCROLLBAR_MEASURER:"modal-scrollbar-measure",BACKDROP:"modal-backdrop",OPEN:"modal-open",FADE:"fade",SHOW:"show"},ye={DIALOG:".modal-dialog",MODAL_BODY:".modal-body",DATA_TOGGLE:'[data-toggle="modal"]',DATA_DISMISS:'[data-dismiss="modal"]',FIXED_CONTENT:".fixed-top, .fixed-bottom, .is-fixed, .sticky-top",STICKY_CONTENT:".sticky-top"},Be=function(){function q(re,D){this._config=this._getConfig(D),this._element=re,this._dialog=re.querySelector(ye.DIALOG),this._backdrop=null,this._isShown=!1,this._isBodyOverflowing=!1,this._ignoreBackdropClick=!1,this._isTransitioning=!1,this._scrollbarWidth=0}var ie=q.prototype;return ie.toggle=function(D){return this._isShown?this.hide():this.show(D)},ie.show=function(D){var $=this;if(!(this._isShown||this._isTransitioning)){r(this._element).hasClass(Ce.FADE)&&(this._isTransitioning=!0);var le=r.Event(ae.SHOW,{relatedTarget:D});r(this._element).trigger(le),!(this._isShown||le.isDefaultPrevented())&&(this._isShown=!0,this._checkScrollbar(),this._setScrollbar(),this._adjustDialog(),this._setEscapeEvent(),this._setResizeEvent(),r(this._element).on(ae.CLICK_DISMISS,ye.DATA_DISMISS,function(Ae){return $.hide(Ae)}),r(this._dialog).on(ae.MOUSEDOWN_DISMISS,function(){r($._element).one(ae.MOUSEUP_DISMISS,function(Ae){r(Ae.target).is($._element)&&($._ignoreBackdropClick=!0)})}),this._showBackdrop(function(){return $._showElement(D)}))}},ie.hide=function(D){var $=this;if(D&&D.preventDefault(),!(!this._isShown||this._isTransitioning)){var le=r.Event(ae.HIDE);if(r(this._element).trigger(le),!(!this._isShown||le.isDefaultPrevented())){this._isShown=!1;var Ae=r(this._element).hasClass(Ce.FADE);if(Ae&&(this._isTransitioning=!0),this._setEscapeEvent(),this._setResizeEvent(),r(document).off(ae.FOCUSIN),r(this._element).removeClass(Ce.SHOW),r(this._element).off(ae.CLICK_DISMISS),r(this._dialog).off(ae.MOUSEDOWN_DISMISS),Ae){var Pe=v.getTransitionDurationFromElement(this._element);r(this._element).one(v.TRANSITION_END,function(Ye){return $._hideModal(Ye)}).emulateTransitionEnd(Pe)}else this._hideModal()}}},ie.dispose=function(){[window,this._element,this._dialog].forEach(function(D){return r(D).off(g)}),r(document).off(ae.FOCUSIN),r.removeData(this._element,xr),this._config=null,this._element=null,this._dialog=null,this._backdrop=null,this._isShown=null,this._isBodyOverflowing=null,this._ignoreBackdropClick=null,this._isTransitioning=null,this._scrollbarWidth=null},ie.handleUpdate=function(){this._adjustDialog()},ie._getConfig=function(D){return D=u({},j,D),v.typeCheckConfig(Qi,D,X),D},ie._showElement=function(D){var $=this,le=r(this._element).hasClass(Ce.FADE);(!this._element.parentNode||this._element.parentNode.nodeType!==Node.ELEMENT_NODE)&&document.body.appendChild(this._element),this._element.style.display="block",this._element.removeAttribute("aria-hidden"),this._element.setAttribute("aria-modal",!0),r(this._dialog).hasClass(Ce.SCROLLABLE)?this._dialog.querySelector(ye.MODAL_BODY).scrollTop=0:this._element.scrollTop=0,le&&v.reflow(this._element),r(this._element).addClass(Ce.SHOW),this._config.focus&&this._enforceFocus();var Ae=r.Event(ae.SHOWN,{relatedTarget:D}),Pe=function(){$._config.focus&&$._element.focus(),$._isTransitioning=!1,r($._element).trigger(Ae)};if(le){var Ye=v.getTransitionDurationFromElement(this._dialog);r(this._dialog).one(v.TRANSITION_END,Pe).emulateTransitionEnd(Ye)}else Pe()},ie._enforceFocus=function(){var D=this;r(document).off(ae.FOCUSIN).on(ae.FOCUSIN,function($){document!==$.target&&D._element!==$.target&&r(D._element).has($.target).length===0&&D._element.focus()})},ie._setEscapeEvent=function(){var D=this;this._isShown&&this._config.keyboard?r(this._element).on(ae.KEYDOWN_DISMISS,function($){$.which===P&&($.preventDefault(),D.hide())}):this._isShown||r(this._element).off(ae.KEYDOWN_DISMISS)},ie._setResizeEvent=function(){var D=this;this._isShown?r(window).on(ae.RESIZE,function($){return D.handleUpdate($)}):r(window).off(ae.RESIZE)},ie._hideModal=function(){var D=this;this._element.style.display="none",this._element.setAttribute("aria-hidden",!0),this._element.removeAttribute("aria-modal"),this._isTransitioning=!1,this._showBackdrop(function(){r(document.body).removeClass(Ce.OPEN),D._resetAdjustments(),D._resetScrollbar(),r(D._element).trigger(ae.HIDDEN)})},ie._removeBackdrop=function(){this._backdrop&&(r(this._backdrop).remove(),this._backdrop=null)},ie._showBackdrop=function(D){var $=this,le=r(this._element).hasClass(Ce.FADE)?Ce.FADE:"";if(this._isShown&&this._config.backdrop){if(this._backdrop=document.createElement("div"),this._backdrop.className=Ce.BACKDROP,le&&this._backdrop.classList.add(le),r(this._backdrop).appendTo(document.body),r(this._element).on(ae.CLICK_DISMISS,function(ft){if($._ignoreBackdropClick){$._ignoreBackdropClick=!1;return}ft.target===ft.currentTarget&&($._config.backdrop==="static"?$._element.focus():$.hide())}),le&&v.reflow(this._backdrop),r(this._backdrop).addClass(Ce.SHOW),!D)return;if(!le){D();return}var Ae=v.getTransitionDurationFromElement(this._backdrop);r(this._backdrop).one(v.TRANSITION_END,D).emulateTransitionEnd(Ae)}else if(!this._isShown&&this._backdrop){r(this._backdrop).removeClass(Ce.SHOW);var Pe=function(){$._removeBackdrop(),D&&D()};if(r(this._element).hasClass(Ce.FADE)){var Ye=v.getTransitionDurationFromElement(this._backdrop);r(this._backdrop).one(v.TRANSITION_END,Pe).emulateTransitionEnd(Ye)}else Pe()}else D&&D()},ie._adjustDialog=function(){var D=this._element.scrollHeight>document.documentElement.clientHeight;!this._isBodyOverflowing&&D&&(this._element.style.paddingLeft=this._scrollbarWidth+"px"),this._isBodyOverflowing&&!D&&(this._element.style.paddingRight=this._scrollbarWidth+"px")},ie._resetAdjustments=function(){this._element.style.paddingLeft="",this._element.style.paddingRight=""},ie._checkScrollbar=function(){var D=document.body.getBoundingClientRect();this._isBodyOverflowing=D.left+D.right<window.innerWidth,this._scrollbarWidth=this._getScrollbarWidth()},ie._setScrollbar=function(){var D=this;if(this._isBodyOverflowing){var $=[].slice.call(document.querySelectorAll(ye.FIXED_CONTENT)),le=[].slice.call(document.querySelectorAll(ye.STICKY_CONTENT));r($).each(function(Ye,ft){var Tt=ft.style.paddingRight,ht=r(ft).css("padding-right");r(ft).data("padding-right",Tt).css("padding-right",parseFloat(ht)+D._scrollbarWidth+"px")}),r(le).each(function(Ye,ft){var Tt=ft.style.marginRight,ht=r(ft).css("margin-right");r(ft).data("margin-right",Tt).css("margin-right",parseFloat(ht)-D._scrollbarWidth+"px")});var Ae=document.body.style.paddingRight,Pe=r(document.body).css("padding-right");r(document.body).data("padding-right",Ae).css("padding-right",parseFloat(Pe)+this._scrollbarWidth+"px")}r(document.body).addClass(Ce.OPEN)},ie._resetScrollbar=function(){var D=[].slice.call(document.querySelectorAll(ye.FIXED_CONTENT));r(D).each(function(Ae,Pe){var Ye=r(Pe).data("padding-right");r(Pe).removeData("padding-right"),Pe.style.paddingRight=Ye||""});var $=[].slice.call(document.querySelectorAll(""+ye.STICKY_CONTENT));r($).each(function(Ae,Pe){var Ye=r(Pe).data("margin-right");typeof Ye<"u"&&r(Pe).css("margin-right",Ye).removeData("margin-right")});var le=r(document.body).data("padding-right");r(document.body).removeData("padding-right"),document.body.style.paddingRight=le||""},ie._getScrollbarWidth=function(){var D=document.createElement("div");D.className=Ce.SCROLLBAR_MEASURER,document.body.appendChild(D);var $=D.getBoundingClientRect().width-D.clientWidth;return document.body.removeChild(D),$},q._jQueryInterface=function(D,$){return this.each(function(){var le=r(this).data(xr),Ae=u({},j,r(this).data(),typeof D=="object"&&D?D:{});if(le||(le=new q(this,Ae),r(this).data(xr,le)),typeof D=="string"){if(typeof le[D]>"u")throw new TypeError('No method named "'+D+'"');le[D]($)}else Ae.show&&le.show($)})},o(q,null,[{key:"VERSION",get:function(){return rl}},{key:"Default",get:function(){return j}}]),q}();r(document).on(ae.CLICK_DATA_API,ye.DATA_TOGGLE,function(q){var ie=this,re,D=v.getSelectorFromElement(this);D&&(re=document.querySelector(D));var $=r(re).data(xr)?"toggle":u({},r(re).data(),r(this).data());(this.tagName==="A"||this.tagName==="AREA")&&q.preventDefault();var le=r(re).one(ae.SHOW,function(Ae){Ae.isDefaultPrevented()||le.one(ae.HIDDEN,function(){r(ie).is(":visible")&&ie.focus()})});Be._jQueryInterface.call(r(re),$,this)}),r.fn[Qi]=Be._jQueryInterface,r.fn[Qi].Constructor=Be,r.fn[Qi].noConflict=function(){return r.fn[Qi]=x,Be._jQueryInterface};var et=["background","cite","href","itemtype","longdesc","poster","src","xlink:href"],ot=/^aria-[\w-]*$/i,Ke={"*":["class","dir","id","lang","role",ot],a:["target","href","title","rel"],area:[],b:[],br:[],col:[],code:[],div:[],em:[],hr:[],h1:[],h2:[],h3:[],h4:[],h5:[],h6:[],i:[],img:["src","alt","title","width","height"],li:[],ol:[],p:[],pre:[],s:[],small:[],span:[],sub:[],sup:[],strong:[],u:[],ul:[]},mt=/^(?:(?:https?|mailto|ftp|tel|file):|[^&:/?#]*(?:[/?#]|$))/gi,zt=/^data:(?:image\/(?:bmp|gif|jpeg|jpg|png|tiff|webp)|video\/(?:mpeg|mp4|ogg|webm)|audio\/(?:mp3|oga|ogg|opus));base64,[a-z0-9+/]+=*$/i;function rn(q,ie){var re=q.nodeName.toLowerCase();if(ie.indexOf(re)!==-1)return et.indexOf(re)!==-1?Boolean(q.nodeValue.match(mt)||q.nodeValue.match(zt)):!0;for(var D=ie.filter(function(Ae){return Ae instanceof RegExp}),$=0,le=D.length;$<le;$++)if(re.match(D[$]))return!0;return!1}function Qt(q,ie,re){if(q.length===0)return q;if(re&&typeof re=="function")return re(q);for(var D=new window.DOMParser,$=D.parseFromString(q,"text/html"),le=Object.keys(ie),Ae=[].slice.call($.body.querySelectorAll("*")),Pe=function(kt,Yt){var Ut=Ae[kt],dn=Ut.nodeName.toLowerCase();if(le.indexOf(Ut.nodeName.toLowerCase())===-1)return Ut.parentNode.removeChild(Ut),"continue";var Ar=[].slice.call(Ut.attributes),Vr=[].concat(ie["*"]||[],ie[dn]||[]);Ar.forEach(function(zr){rn(zr,Vr)||Ut.removeAttribute(zr.nodeName)})},Ye=0,ft=Ae.length;Ye<ft;Ye++)var Tt=Pe(Ye);return $.body.innerHTML}var vn="tooltip",On="4.3.1",Gn="bs.tooltip",kn="."+Gn,nn=r.fn[vn],ji="bs-tooltip",tn=new RegExp("(^|\\s)"+ji+"\\S+","g"),jt=["sanitize","whiteList","sanitizeFn"],lo={animation:"boolean",template:"string",title:"(string|element|function)",trigger:"string",delay:"(number|object)",html:"boolean",selector:"(string|boolean)",placement:"(string|function)",offset:"(number|string|function)",container:"(string|element|boolean)",fallbackPlacement:"(string|array)",boundary:"(string|element)",sanitize:"boolean",sanitizeFn:"(null|function)",whiteList:"object"},Lo={AUTO:"auto",TOP:"top",RIGHT:"right",BOTTOM:"bottom",LEFT:"left"},fr={animation:!0,template:'<div class="tooltip" role="tooltip"><div class="arrow"></div><div class="tooltip-inner"></div></div>',trigger:"hover focus",title:"",delay:0,html:!1,selector:!1,placement:"top",offset:0,container:!1,fallbackPlacement:"flip",boundary:"scrollParent",sanitize:!0,sanitizeFn:null,whiteList:Ke},wr={SHOW:"show",OUT:"out"},Gr={HIDE:"hide"+kn,HIDDEN:"hidden"+kn,SHOW:"show"+kn,SHOWN:"shown"+kn,INSERTED:"inserted"+kn,CLICK:"click"+kn,FOCUSIN:"focusin"+kn,FOCUSOUT:"focusout"+kn,MOUSEENTER:"mouseenter"+kn,MOUSELEAVE:"mouseleave"+kn},Vn={FADE:"fade",SHOW:"show"},Hr={TOOLTIP:".tooltip",TOOLTIP_INNER:".tooltip-inner",ARROW:".arrow"},Rn={HOVER:"hover",FOCUS:"focus",CLICK:"click",MANUAL:"manual"},xi=function(){function q(re,D){if(typeof dr>"u")throw new TypeError("Bootstrap's tooltips require Popper.js (https://popper.js.org/)");this._isEnabled=!0,this._timeout=0,this._hoverState="",this._activeTrigger={},this._popper=null,this.element=re,this.config=this._getConfig(D),this.tip=null,this._setListeners()}var ie=q.prototype;return ie.enable=function(){this._isEnabled=!0},ie.disable=function(){this._isEnabled=!1},ie.toggleEnabled=function(){this._isEnabled=!this._isEnabled},ie.toggle=function(D){if(!!this._isEnabled)if(D){var $=this.constructor.DATA_KEY,le=r(D.currentTarget).data($);le||(le=new this.constructor(D.currentTarget,this._getDelegateConfig()),r(D.currentTarget).data($,le)),le._activeTrigger.click=!le._activeTrigger.click,le._isWithActiveTrigger()?le._enter(null,le):le._leave(null,le)}else{if(r(this.getTipElement()).hasClass(Vn.SHOW)){this._leave(null,this);return}this._enter(null,this)}},ie.dispose=function(){clearTimeout(this._timeout),r.removeData(this.element,this.constructor.DATA_KEY),r(this.element).off(this.constructor.EVENT_KEY),r(this.element).closest(".modal").off("hide.bs.modal"),this.tip&&r(this.tip).remove(),this._isEnabled=null,this._timeout=null,this._hoverState=null,this._activeTrigger=null,this._popper!==null&&this._popper.destroy(),this._popper=null,this.element=null,this.config=null,this.tip=null},ie.show=function(){var D=this;if(r(this.element).css("display")==="none")throw new Error("Please use show on visible elements");var $=r.Event(this.constructor.Event.SHOW);if(this.isWithContent()&&this._isEnabled){r(this.element).trigger($);var le=v.findShadowRoot(this.element),Ae=r.contains(le!==null?le:this.element.ownerDocument.documentElement,this.element);if($.isDefaultPrevented()||!Ae)return;var Pe=this.getTipElement(),Ye=v.getUID(this.constructor.NAME);Pe.setAttribute("id",Ye),this.element.setAttribute("aria-describedby",Ye),this.setContent(),this.config.animation&&r(Pe).addClass(Vn.FADE);var ft=typeof this.config.placement=="function"?this.config.placement.call(this,Pe,this.element):this.config.placement,Tt=this._getAttachment(ft);this.addAttachmentClass(Tt);var ht=this._getContainer();r(Pe).data(this.constructor.DATA_KEY,this),r.contains(this.element.ownerDocument.documentElement,this.tip)||r(Pe).appendTo(ht),r(this.element).trigger(this.constructor.Event.INSERTED),this._popper=new dr(this.element,Pe,{placement:Tt,modifiers:{offset:this._getOffset(),flip:{behavior:this.config.fallbackPlacement},arrow:{element:Hr.ARROW},preventOverflow:{boundariesElement:this.config.boundary}},onCreate:function(dn){dn.originalPlacement!==dn.placement&&D._handlePopperPlacementChange(dn)},onUpdate:function(dn){return D._handlePopperPlacementChange(dn)}}),r(Pe).addClass(Vn.SHOW),"ontouchstart"in document.documentElement&&r(document.body).children().on("mouseover",null,r.noop);var kt=function(){D.config.animation&&D._fixTransition();var dn=D._hoverState;D._hoverState=null,r(D.element).trigger(D.constructor.Event.SHOWN),dn===wr.OUT&&D._leave(null,D)};if(r(this.tip).hasClass(Vn.FADE)){var Yt=v.getTransitionDurationFromElement(this.tip);r(this.tip).one(v.TRANSITION_END,kt).emulateTransitionEnd(Yt)}else kt()}},ie.hide=function(D){var $=this,le=this.getTipElement(),Ae=r.Event(this.constructor.Event.HIDE),Pe=function(){$._hoverState!==wr.SHOW&&le.parentNode&&le.parentNode.removeChild(le),$._cleanTipClass(),$.element.removeAttribute("aria-describedby"),r($.element).trigger($.constructor.Event.HIDDEN),$._popper!==null&&$._popper.destroy(),D&&D()};if(r(this.element).trigger(Ae),!Ae.isDefaultPrevented()){if(r(le).removeClass(Vn.SHOW),"ontouchstart"in document.documentElement&&r(document.body).children().off("mouseover",null,r.noop),this._activeTrigger[Rn.CLICK]=!1,this._activeTrigger[Rn.FOCUS]=!1,this._activeTrigger[Rn.HOVER]=!1,r(this.tip).hasClass(Vn.FADE)){var Ye=v.getTransitionDurationFromElement(le);r(le).one(v.TRANSITION_END,Pe).emulateTransitionEnd(Ye)}else Pe();this._hoverState=""}},ie.update=function(){this._popper!==null&&this._popper.scheduleUpdate()},ie.isWithContent=function(){return Boolean(this.getTitle())},ie.addAttachmentClass=function(D){r(this.getTipElement()).addClass(ji+"-"+D)},ie.getTipElement=function(){return this.tip=this.tip||r(this.config.template)[0],this.tip},ie.setContent=function(){var D=this.getTipElement();this.setElementContent(r(D.querySelectorAll(Hr.TOOLTIP_INNER)),this.getTitle()),r(D).removeClass(Vn.FADE+" "+Vn.SHOW)},ie.setElementContent=function(D,$){if(typeof $=="object"&&($.nodeType||$.jquery)){this.config.html?r($).parent().is(D)||D.empty().append($):D.text(r($).text());return}this.config.html?(this.config.sanitize&&($=Qt($,this.config.whiteList,this.config.sanitizeFn)),D.html($)):D.text($)},ie.getTitle=function(){var D=this.element.getAttribute("data-original-title");return D||(D=typeof this.config.title=="function"?this.config.title.call(this.element):this.config.title),D},ie._getOffset=function(){var D=this,$={};return typeof this.config.offset=="function"?$.fn=function(le){return le.offsets=u({},le.offsets,D.config.offset(le.offsets,D.element)||{}),le}:$.offset=this.config.offset,$},ie._getContainer=function(){return this.config.container===!1?document.body:v.isElement(this.config.container)?r(this.config.container):r(document).find(this.config.container)},ie._getAttachment=function(D){return Lo[D.toUpperCase()]},ie._setListeners=function(){var D=this,$=this.config.trigger.split(" ");$.forEach(function(le){if(le==="click")r(D.element).on(D.constructor.Event.CLICK,D.config.selector,function(Ye){return D.toggle(Ye)});else if(le!==Rn.MANUAL){var Ae=le===Rn.HOVER?D.constructor.Event.MOUSEENTER:D.constructor.Event.FOCUSIN,Pe=le===Rn.HOVER?D.constructor.Event.MOUSELEAVE:D.constructor.Event.FOCUSOUT;r(D.element).on(Ae,D.config.selector,function(Ye){return D._enter(Ye)}).on(Pe,D.config.selector,function(Ye){return D._leave(Ye)})}}),r(this.element).closest(".modal").on("hide.bs.modal",function(){D.element&&D.hide()}),this.config.selector?this.config=u({},this.config,{trigger:"manual",selector:""}):this._fixTitle()},ie._fixTitle=function(){var D=typeof this.element.getAttribute("data-original-title");(this.element.getAttribute("title")||D!=="string")&&(this.element.setAttribute("data-original-title",this.element.getAttribute("title")||""),this.element.setAttribute("title",""))},ie._enter=function(D,$){var le=this.constructor.DATA_KEY;if($=$||r(D.currentTarget).data(le),$||($=new this.constructor(D.currentTarget,this._getDelegateConfig()),r(D.currentTarget).data(le,$)),D&&($._activeTrigger[D.type==="focusin"?Rn.FOCUS:Rn.HOVER]=!0),r($.getTipElement()).hasClass(Vn.SHOW)||$._hoverState===wr.SHOW){$._hoverState=wr.SHOW;return}if(clearTimeout($._timeout),$._hoverState=wr.SHOW,!$.config.delay||!$.config.delay.show){$.show();return}$._timeout=setTimeout(function(){$._hoverState===wr.SHOW&&$.show()},$.config.delay.show)},ie._leave=function(D,$){var le=this.constructor.DATA_KEY;if($=$||r(D.currentTarget).data(le),$||($=new this.constructor(D.currentTarget,this._getDelegateConfig()),r(D.currentTarget).data(le,$)),D&&($._activeTrigger[D.type==="focusout"?Rn.FOCUS:Rn.HOVER]=!1),!$._isWithActiveTrigger()){if(clearTimeout($._timeout),$._hoverState=wr.OUT,!$.config.delay||!$.config.delay.hide){$.hide();return}$._timeout=setTimeout(function(){$._hoverState===wr.OUT&&$.hide()},$.config.delay.hide)}},ie._isWithActiveTrigger=function(){for(var D in this._activeTrigger)if(this._activeTrigger[D])return!0;return!1},ie._getConfig=function(D){var $=r(this.element).data();return Object.keys($).forEach(function(le){jt.indexOf(le)!==-1&&delete $[le]}),D=u({},this.constructor.Default,$,typeof D=="object"&&D?D:{}),typeof D.delay=="number"&&(D.delay={show:D.delay,hide:D.delay}),typeof D.title=="number"&&(D.title=D.title.toString()),typeof D.content=="number"&&(D.content=D.content.toString()),v.typeCheckConfig(vn,D,this.constructor.DefaultType),D.sanitize&&(D.template=Qt(D.template,D.whiteList,D.sanitizeFn)),D},ie._getDelegateConfig=function(){var D={};if(this.config)for(var $ in this.config)this.constructor.Default[$]!==this.config[$]&&(D[$]=this.config[$]);return D},ie._cleanTipClass=function(){var D=r(this.getTipElement()),$=D.attr("class").match(tn);$!==null&&$.length&&D.removeClass($.join(""))},ie._handlePopperPlacementChange=function(D){var $=D.instance;this.tip=$.popper,this._cleanTipClass(),this.addAttachmentClass(this._getAttachment(D.placement))},ie._fixTransition=function(){var D=this.getTipElement(),$=this.config.animation;D.getAttribute("x-placement")===null&&(r(D).removeClass(Vn.FADE),this.config.animation=!1,this.hide(),this.show(),this.config.animation=$)},q._jQueryInterface=function(D){return this.each(function(){var $=r(this).data(Gn),le=typeof D=="object"&&D;if(!(!$&&/dispose|hide/.test(D))&&($||($=new q(this,le),r(this).data(Gn,$)),typeof D=="string")){if(typeof $[D]>"u")throw new TypeError('No method named "'+D+'"');$[D]()}})},o(q,null,[{key:"VERSION",get:function(){return On}},{key:"Default",get:function(){return fr}},{key:"NAME",get:function(){return vn}},{key:"DATA_KEY",get:function(){return Gn}},{key:"Event",get:function(){return Gr}},{key:"EVENT_KEY",get:function(){return kn}},{key:"DefaultType",get:function(){return lo}}]),q}();r.fn[vn]=xi._jQueryInterface,r.fn[vn].Constructor=xi,r.fn[vn].noConflict=function(){return r.fn[vn]=nn,xi._jQueryInterface};var pr="popover",ci="4.3.1",uo="bs.popover",qr="."+uo,co=r.fn[pr],Jt="bs-popover",ma=new RegExp("(^|\\s)"+Jt+"\\S+","g"),yr=u({},xi.Default,{placement:"right",trigger:"click",content:"",template:'<div class="popover" role="tooltip"><div class="arrow"></div><h3 class="popover-header"></h3><div class="popover-body"></div></div>'}),ga=u({},xi.DefaultType,{content:"(string|element|function)"}),Yr={FADE:"fade",SHOW:"show"},Xi={TITLE:".popover-header",CONTENT:".popover-body"},Mo={HIDE:"hide"+qr,HIDDEN:"hidden"+qr,SHOW:"show"+qr,SHOWN:"shown"+qr,INSERTED:"inserted"+qr,CLICK:"click"+qr,FOCUSIN:"focusin"+qr,FOCUSOUT:"focusout"+qr,MOUSEENTER:"mouseenter"+qr,MOUSELEAVE:"mouseleave"+qr},di=function(q){c(ie,q);function ie(){return q.apply(this,arguments)||this}var re=ie.prototype;return re.isWithContent=function(){return this.getTitle()||this._getContent()},re.addAttachmentClass=function($){r(this.getTipElement()).addClass(Jt+"-"+$)},re.getTipElement=function(){return this.tip=this.tip||r(this.config.template)[0],this.tip},re.setContent=function(){var $=r(this.getTipElement());this.setElementContent($.find(Xi.TITLE),this.getTitle());var le=this._getContent();typeof le=="function"&&(le=le.call(this.element)),this.setElementContent($.find(Xi.CONTENT),le),$.removeClass(Yr.FADE+" "+Yr.SHOW)},re._getContent=function(){return this.element.getAttribute("data-content")||this.config.content},re._cleanTipClass=function(){var $=r(this.getTipElement()),le=$.attr("class").match(ma);le!==null&&le.length>0&&$.removeClass(le.join(""))},ie._jQueryInterface=function($){return this.each(function(){var le=r(this).data(uo),Ae=typeof $=="object"?$:null;if(!(!le&&/dispose|hide/.test($))&&(le||(le=new ie(this,Ae),r(this).data(uo,le)),typeof $=="string")){if(typeof le[$]>"u")throw new TypeError('No method named "'+$+'"');le[$]()}})},o(ie,null,[{key:"VERSION",get:function(){return ci}},{key:"Default",get:function(){return yr}},{key:"NAME",get:function(){return pr}},{key:"DATA_KEY",get:function(){return uo}},{key:"Event",get:function(){return Mo}},{key:"EVENT_KEY",get:function(){return qr}},{key:"DefaultType",get:function(){return ga}}]),ie}(xi);r.fn[pr]=di._jQueryInterface,r.fn[pr].Constructor=di,r.fn[pr].noConflict=function(){return r.fn[pr]=co,di._jQueryInterface};var fi="scrollspy",Zi="4.3.1",xa="bs.scrollspy",pi="."+xa,wi=".data-api",Cr=r.fn[fi],fo={offset:10,method:"auto",target:""},il={offset:"number",method:"string",target:"(string|element)"},wa={ACTIVATE:"activate"+pi,SCROLL:"scroll"+pi,LOAD_DATA_API:"load"+pi+wi},_i={DROPDOWN_ITEM:"dropdown-item",DROPDOWN_MENU:"dropdown-menu",ACTIVE:"active"},_r={DATA_SPY:'[data-spy="scroll"]',ACTIVE:".active",NAV_LIST_GROUP:".nav, .list-group",NAV_LINKS:".nav-link",NAV_ITEMS:".nav-item",LIST_ITEMS:".list-group-item",DROPDOWN:".dropdown",DROPDOWN_ITEMS:".dropdown-item",DROPDOWN_TOGGLE:".dropdown-toggle"},ko={OFFSET:"offset",POSITION:"position"},Ji=function(){function q(re,D){var $=this;this._element=re,this._scrollElement=re.tagName==="BODY"?window:re,this._config=this._getConfig(D),this._selector=this._config.target+" "+_r.NAV_LINKS+","+(this._config.target+" "+_r.LIST_ITEMS+",")+(this._config.target+" "+_r.DROPDOWN_ITEMS),this._offsets=[],this._targets=[],this._activeTarget=null,this._scrollHeight=0,r(this._scrollElement).on(wa.SCROLL,function(le){return $._process(le)}),this.refresh(),this._process()}var ie=q.prototype;return ie.refresh=function(){var D=this,$=this._scrollElement===this._scrollElement.window?ko.OFFSET:ko.POSITION,le=this._config.method==="auto"?$:this._config.method,Ae=le===ko.POSITION?this._getScrollTop():0;this._offsets=[],this._targets=[],this._scrollHeight=this._getScrollHeight();var Pe=[].slice.call(document.querySelectorAll(this._selector));Pe.map(function(Ye){var ft,Tt=v.getSelectorFromElement(Ye);if(Tt&&(ft=document.querySelector(Tt)),ft){var ht=ft.getBoundingClientRect();if(ht.width||ht.height)return[r(ft)[le]().top+Ae,Tt]}return null}).filter(function(Ye){return Ye}).sort(function(Ye,ft){return Ye[0]-ft[0]}).forEach(function(Ye){D._offsets.push(Ye[0]),D._targets.push(Ye[1])})},ie.dispose=function(){r.removeData(this._element,xa),r(this._scrollElement).off(pi),this._element=null,this._scrollElement=null,this._config=null,this._selector=null,this._offsets=null,this._targets=null,this._activeTarget=null,this._scrollHeight=null},ie._getConfig=function(D){if(D=u({},fo,typeof D=="object"&&D?D:{}),typeof D.target!="string"){var $=r(D.target).attr("id");$||($=v.getUID(fi),r(D.target).attr("id",$)),D.target="#"+$}return v.typeCheckConfig(fi,D,il),D},ie._getScrollTop=function(){return this._scrollElement===window?this._scrollElement.pageYOffset:this._scrollElement.scrollTop},ie._getScrollHeight=function(){return this._scrollElement.scrollHeight||Math.max(document.body.scrollHeight,document.documentElement.scrollHeight)},ie._getOffsetHeight=function(){return this._scrollElement===window?window.innerHeight:this._scrollElement.getBoundingClientRect().height},ie._process=function(){var D=this._getScrollTop()+this._config.offset,$=this._getScrollHeight(),le=this._config.offset+$-this._getOffsetHeight();if(this._scrollHeight!==$&&this.refresh(),D>=le){var Ae=this._targets[this._targets.length-1];this._activeTarget!==Ae&&this._activate(Ae);return}if(this._activeTarget&&D<this._offsets[0]&&this._offsets[0]>0){this._activeTarget=null,this._clear();return}for(var Pe=this._offsets.length,Ye=Pe;Ye--;){var ft=this._activeTarget!==this._targets[Ye]&&D>=this._offsets[Ye]&&(typeof this._offsets[Ye+1]>"u"||D<this._offsets[Ye+1]);ft&&this._activate(this._targets[Ye])}},ie._activate=function(D){this._activeTarget=D,this._clear();var $=this._selector.split(",").map(function(Ae){return Ae+'[data-target="'+D+'"],'+Ae+'[href="'+D+'"]'}),le=r([].slice.call(document.querySelectorAll($.join(","))));le.hasClass(_i.DROPDOWN_ITEM)?(le.closest(_r.DROPDOWN).find(_r.DROPDOWN_TOGGLE).addClass(_i.ACTIVE),le.addClass(_i.ACTIVE)):(le.addClass(_i.ACTIVE),le.parents(_r.NAV_LIST_GROUP).prev(_r.NAV_LINKS+", "+_r.LIST_ITEMS).addClass(_i.ACTIVE),le.parents(_r.NAV_LIST_GROUP).prev(_r.NAV_ITEMS).children(_r.NAV_LINKS).addClass(_i.ACTIVE)),r(this._scrollElement).trigger(wa.ACTIVATE,{relatedTarget:D})},ie._clear=function(){[].slice.call(document.querySelectorAll(this._selector)).filter(function(D){return D.classList.contains(_i.ACTIVE)}).forEach(function(D){return D.classList.remove(_i.ACTIVE)})},q._jQueryInterface=function(D){return this.each(function(){var $=r(this).data(xa),le=typeof D=="object"&&D;if($||($=new q(this,le),r(this).data(xa,$)),typeof D=="string"){if(typeof $[D]>"u")throw new TypeError('No method named "'+D+'"');$[D]()}})},o(q,null,[{key:"VERSION",get:function(){return Zi}},{key:"Default",get:function(){return fo}}]),q}();r(window).on(wa.LOAD_DATA_API,function(){for(var q=[].slice.call(document.querySelectorAll(_r.DATA_SPY)),ie=q.length,re=ie;re--;){var D=r(q[re]);Ji._jQueryInterface.call(D,D.data())}}),r.fn[fi]=Ji._jQueryInterface,r.fn[fi].Constructor=Ji,r.fn[fi].noConflict=function(){return r.fn[fi]=Cr,Ji._jQueryInterface};var mi="tab",Se="4.3.1",xe="bs.tab",We="."+xe,Qe=".data-api",it=r.fn[mi],vt={HIDE:"hide"+We,HIDDEN:"hidden"+We,SHOW:"show"+We,SHOWN:"shown"+We,CLICK_DATA_API:"click"+We+Qe},St={DROPDOWN_MENU:"dropdown-menu",ACTIVE:"active",DISABLED:"disabled",FADE:"fade",SHOW:"show"},Dt={DROPDOWN:".dropdown",NAV_LIST_GROUP:".nav, .list-group",ACTIVE:".active",ACTIVE_UL:"> li > .active",DATA_TOGGLE:'[data-toggle="tab"], [data-toggle="pill"], [data-toggle="list"]',DROPDOWN_TOGGLE:".dropdown-toggle",DROPDOWN_ACTIVE_CHILD:"> .dropdown-menu .active"},Ot=function(){function q(re){this._element=re}var ie=q.prototype;return ie.show=function(){var D=this;if(!(this._element.parentNode&&this._element.parentNode.nodeType===Node.ELEMENT_NODE&&r(this._element).hasClass(St.ACTIVE)||r(this._element).hasClass(St.DISABLED))){var $,le,Ae=r(this._element).closest(Dt.NAV_LIST_GROUP)[0],Pe=v.getSelectorFromElement(this._element);if(Ae){var Ye=Ae.nodeName==="UL"||Ae.nodeName==="OL"?Dt.ACTIVE_UL:Dt.ACTIVE;le=r.makeArray(r(Ae).find(Ye)),le=le[le.length-1]}var ft=r.Event(vt.HIDE,{relatedTarget:this._element}),Tt=r.Event(vt.SHOW,{relatedTarget:le});if(le&&r(le).trigger(ft),r(this._element).trigger(Tt),!(Tt.isDefaultPrevented()||ft.isDefaultPrevented())){Pe&&($=document.querySelector(Pe)),this._activate(this._element,Ae);var ht=function(){var Yt=r.Event(vt.HIDDEN,{relatedTarget:D._element}),Ut=r.Event(vt.SHOWN,{relatedTarget:le});r(le).trigger(Yt),r(D._element).trigger(Ut)};$?this._activate($,$.parentNode,ht):ht()}}},ie.dispose=function(){r.removeData(this._element,xe),this._element=null},ie._activate=function(D,$,le){var Ae=this,Pe=$&&($.nodeName==="UL"||$.nodeName==="OL")?r($).find(Dt.ACTIVE_UL):r($).children(Dt.ACTIVE),Ye=Pe[0],ft=le&&Ye&&r(Ye).hasClass(St.FADE),Tt=function(){return Ae._transitionComplete(D,Ye,le)};if(Ye&&ft){var ht=v.getTransitionDurationFromElement(Ye);r(Ye).removeClass(St.SHOW).one(v.TRANSITION_END,Tt).emulateTransitionEnd(ht)}else Tt()},ie._transitionComplete=function(D,$,le){if($){r($).removeClass(St.ACTIVE);var Ae=r($.parentNode).find(Dt.DROPDOWN_ACTIVE_CHILD)[0];Ae&&r(Ae).removeClass(St.ACTIVE),$.getAttribute("role")==="tab"&&$.setAttribute("aria-selected",!1)}if(r(D).addClass(St.ACTIVE),D.getAttribute("role")==="tab"&&D.setAttribute("aria-selected",!0),v.reflow(D),D.classList.contains(St.FADE)&&D.classList.add(St.SHOW),D.parentNode&&r(D.parentNode).hasClass(St.DROPDOWN_MENU)){var Pe=r(D).closest(Dt.DROPDOWN)[0];if(Pe){var Ye=[].slice.call(Pe.querySelectorAll(Dt.DROPDOWN_TOGGLE));r(Ye).addClass(St.ACTIVE)}D.setAttribute("aria-expanded",!0)}le&&le()},q._jQueryInterface=function(D){return this.each(function(){var $=r(this),le=$.data(xe);if(le||(le=new q(this),$.data(xe,le)),typeof D=="string"){if(typeof le[D]>"u")throw new TypeError('No method named "'+D+'"');le[D]()}})},o(q,null,[{key:"VERSION",get:function(){return Se}}]),q}();r(document).on(vt.CLICK_DATA_API,Dt.DATA_TOGGLE,function(q){q.preventDefault(),Ot._jQueryInterface.call(r(this),"show")}),r.fn[mi]=Ot._jQueryInterface,r.fn[mi].Constructor=Ot,r.fn[mi].noConflict=function(){return r.fn[mi]=it,Ot._jQueryInterface};var Kt="toast",Wt="4.3.1",Vt="bs.toast",$t="."+Vt,qt=r.fn[Kt],fn={CLICK_DISMISS:"click.dismiss"+$t,HIDE:"hide"+$t,HIDDEN:"hidden"+$t,SHOW:"show"+$t,SHOWN:"shown"+$t},An={FADE:"fade",HIDE:"hide",SHOW:"show",SHOWING:"showing"},Nn={animation:"boolean",autohide:"boolean",delay:"number"},Hn={animation:!0,autohide:!0,delay:500},tr={DATA_DISMISS:'[data-dismiss="toast"]'},Wr=function(){function q(re,D){this._element=re,this._config=this._getConfig(D),this._timeout=null,this._setListeners()}var ie=q.prototype;return ie.show=function(){var D=this;r(this._element).trigger(fn.SHOW),this._config.animation&&this._element.classList.add(An.FADE);var $=function(){D._element.classList.remove(An.SHOWING),D._element.classList.add(An.SHOW),r(D._element).trigger(fn.SHOWN),D._config.autohide&&D.hide()};if(this._element.classList.remove(An.HIDE),this._element.classList.add(An.SHOWING),this._config.animation){var le=v.getTransitionDurationFromElement(this._element);r(this._element).one(v.TRANSITION_END,$).emulateTransitionEnd(le)}else $()},ie.hide=function(D){var $=this;!this._element.classList.contains(An.SHOW)||(r(this._element).trigger(fn.HIDE),D?this._close():this._timeout=setTimeout(function(){$._close()},this._config.delay))},ie.dispose=function(){clearTimeout(this._timeout),this._timeout=null,this._element.classList.contains(An.SHOW)&&this._element.classList.remove(An.SHOW),r(this._element).off(fn.CLICK_DISMISS),r.removeData(this._element,Vt),this._element=null,this._config=null},ie._getConfig=function(D){return D=u({},Hn,r(this._element).data(),typeof D=="object"&&D?D:{}),v.typeCheckConfig(Kt,D,this.constructor.DefaultType),D},ie._setListeners=function(){var D=this;r(this._element).on(fn.CLICK_DISMISS,tr.DATA_DISMISS,function(){return D.hide(!0)})},ie._close=function(){var D=this,$=function(){D._element.classList.add(An.HIDE),r(D._element).trigger(fn.HIDDEN)};if(this._element.classList.remove(An.SHOW),this._config.animation){var le=v.getTransitionDurationFromElement(this._element);r(this._element).one(v.TRANSITION_END,$).emulateTransitionEnd(le)}else $()},q._jQueryInterface=function(D){return this.each(function(){var $=r(this),le=$.data(Vt),Ae=typeof D=="object"&&D;if(le||(le=new q(this,Ae),$.data(Vt,le)),typeof D=="string"){if(typeof le[D]>"u")throw new TypeError('No method named "'+D+'"');le[D](this)}})},o(q,null,[{key:"VERSION",get:function(){return Wt}},{key:"DefaultType",get:function(){return Nn}},{key:"Default",get:function(){return Hn}}]),q}();r.fn[Kt]=Wr._jQueryInterface,r.fn[Kt].Constructor=Wr,r.fn[Kt].noConflict=function(){return r.fn[Kt]=qt,Wr._jQueryInterface},function(){if(typeof r>"u")throw new TypeError("Bootstrap's JavaScript requires jQuery. jQuery must be included before Bootstrap's JavaScript.");var q=r.fn.jquery.split(" ")[0].split("."),ie=1,re=2,D=9,$=1,le=4;if(q[0]<re&&q[1]<D||q[0]===ie&&q[1]===D&&q[2]<$||q[0]>=le)throw new Error("Bootstrap's JavaScript requires at least jQuery v1.9.1 but less than v4.0.0")}(),n.Util=v,n.Alert=z,n.Button=ve,n.Carousel=Re,n.Collapse=Q,n.Dropdown=ui,n.Modal=Be,n.Popover=di,n.Scrollspy=Ji,n.Tab=Ot,n.Toast=Wr,n.Tooltip=xi,Object.defineProperty(n,"__esModule",{value:!0})})})(oC,oC.exports);var Ci={exports:{}};(function(e,t){(function(n,r){e.exports=r()})(Jr,function(){var n=navigator.userAgent,r=navigator.platform,a=/gecko\/\d/i.test(n),o=/MSIE \d/.test(n),l=/Trident\/(?:[7-9]|\d{2,})\..*rv:(\d+)/.exec(n),u=/Edge\/(\d+)/.exec(n),c=o||l||u,d=c&&(o?document.documentMode||6:+(u||l)[1]),S=!u&&/WebKit\//.test(n),_=S&&/Qt\/\d+\.\d+/.test(n),E=!u&&/Chrome\/(\d+)/.exec(n),T=E&&+E[1],y=/Opera\//.test(n),M=/Apple Computer/.test(navigator.vendor),v=/Mac OS X 1\d\D([8-9]|\d\d)\D/.test(n),A=/PhantomJS/.test(n),O=M&&(/Mobile\/\w+/.test(n)||navigator.maxTouchPoints>2),N=/Android/.test(n),R=O||N||/webOS|BlackBerry|Opera Mini|Opera Mobi|IEMobile/i.test(n),L=O||/Mac/.test(r),I=/\bCrOS\b/.test(n),h=/win/i.test(r),k=y&&n.match(/Version\/(\d*\.\d*)/);k&&(k=Number(k[1])),k&&k>=15&&(y=!1,S=!0);var F=L&&(_||y&&(k==null||k<12.11)),z=a||c&&d>=9;function K(i){return new RegExp("(^|\\s)"+i+"(?:$|\\s)\\s*")}var ue=function(i,s){var p=i.className,f=K(s).exec(p);if(f){var m=p.slice(f.index+f[0].length);i.className=p.slice(0,f.index)+(m?f[1]+m:"")}};function Z(i){for(var s=i.childNodes.length;s>0;--s)i.removeChild(i.firstChild);return i}function fe(i,s){return Z(i).appendChild(s)}function V(i,s,p,f){var m=document.createElement(i);if(p&&(m.className=p),f&&(m.style.cssText=f),typeof s=="string")m.appendChild(document.createTextNode(s));else if(s)for(var C=0;C<s.length;++C)m.appendChild(s[C]);return m}function ne(i,s,p,f){var m=V(i,s,p,f);return m.setAttribute("role","presentation"),m}var te;document.createRange?te=function(i,s,p,f){var m=document.createRange();return m.setEnd(f||i,p),m.setStart(i,s),m}:te=function(i,s,p){var f=document.body.createTextRange();try{f.moveToElementText(i.parentNode)}catch{return f}return f.collapse(!0),f.moveEnd("character",p),f.moveStart("character",s),f};function G(i,s){if(s.nodeType==3&&(s=s.parentNode),i.contains)return i.contains(s);do if(s.nodeType==11&&(s=s.host),s==i)return!0;while(s=s.parentNode)}function se(i){var s=i.ownerDocument||i,p;try{p=i.activeElement}catch{p=s.body||null}for(;p&&p.shadowRoot&&p.shadowRoot.activeElement;)p=p.shadowRoot.activeElement;return p}function ve(i,s){var p=i.className;K(s).test(p)||(i.className+=(p?" ":"")+s)}function Ge(i,s){for(var p=i.split(" "),f=0;f<p.length;f++)p[f]&&!K(p[f]).test(s)&&(s+=" "+p[f]);return s}var oe=function(i){i.select()};O?oe=function(i){i.selectionStart=0,i.selectionEnd=i.value.length}:c&&(oe=function(i){try{i.select()}catch{}});function W(i){return i.display.wrapper.ownerDocument}function Oe(i){return tt(i.display.wrapper)}function tt(i){return i.getRootNode?i.getRootNode():i.ownerDocument}function rt(i){return W(i).defaultView}function bt(i){var s=Array.prototype.slice.call(arguments,1);return function(){return i.apply(null,s)}}function dt(i,s,p){s||(s={});for(var f in i)i.hasOwnProperty(f)&&(p!==!1||!s.hasOwnProperty(f))&&(s[f]=i[f]);return s}function ct(i,s,p,f,m){s==null&&(s=i.search(/[^\s\u00a0]/),s==-1&&(s=i.length));for(var C=f||0,w=m||0;;){var B=i.indexOf("	",C);if(B<0||B>=s)return w+(s-C);w+=B-C,w+=p-w%p,C=B+1}}var Ze=function(){this.id=null,this.f=null,this.time=0,this.handler=bt(this.onTimeout,this)};Ze.prototype.onTimeout=function(i){i.id=0,i.time<=+new Date?i.f():setTimeout(i.handler,i.time-+new Date)},Ze.prototype.set=function(i,s){this.f=s;var p=+new Date+i;(!this.id||p<this.time)&&(clearTimeout(this.id),this.id=setTimeout(this.handler,i),this.time=p)};function nt(i,s){for(var p=0;p<i.length;++p)if(i[p]==s)return p;return-1}var ce=50,Ee={toString:function(){return"CodeMirror.Pass"}},He={scroll:!1},we={origin:"*mouse"},ze={origin:"+move"};function pe(i,s,p){for(var f=0,m=0;;){var C=i.indexOf("	",f);C==-1&&(C=i.length);var w=C-f;if(C==i.length||m+w>=s)return f+Math.min(w,s-m);if(m+=C-f,m+=p-m%p,f=C+1,m>=s)return f}}var Re=[""];function Ne(i){for(;Re.length<=i;)Re.push(Ie(Re)+" ");return Re[i]}function Ie(i){return i[i.length-1]}function Ue(i,s){for(var p=[],f=0;f<i.length;f++)p[f]=s(i[f],f);return p}function Ve(i,s,p){for(var f=0,m=p(s);f<i.length&&p(i[f])<=m;)f++;i.splice(f,0,s)}function lt(){}function ge(i,s){var p;return Object.create?p=Object.create(i):(lt.prototype=i,p=new lt),s&&dt(s,p),p}var de=/[\u00df\u0587\u0590-\u05f4\u0600-\u06ff\u3040-\u309f\u30a0-\u30ff\u3400-\u4db5\u4e00-\u9fcc\uac00-\ud7af]/;function be(i){return/\w/.test(i)||i>"\x80"&&(i.toUpperCase()!=i.toLowerCase()||de.test(i))}function H(i,s){return s?s.source.indexOf("\\w")>-1&&be(i)?!0:s.test(i):be(i)}function ee(i){for(var s in i)if(i.hasOwnProperty(s)&&i[s])return!1;return!0}var _e=/[\u0300-\u036f\u0483-\u0489\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u065e\u0670\u06d6-\u06dc\u06de-\u06e4\u06e7\u06e8\u06ea-\u06ed\u0711\u0730-\u074a\u07a6-\u07b0\u07eb-\u07f3\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0900-\u0902\u093c\u0941-\u0948\u094d\u0951-\u0955\u0962\u0963\u0981\u09bc\u09be\u09c1-\u09c4\u09cd\u09d7\u09e2\u09e3\u0a01\u0a02\u0a3c\u0a41\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a70\u0a71\u0a75\u0a81\u0a82\u0abc\u0ac1-\u0ac5\u0ac7\u0ac8\u0acd\u0ae2\u0ae3\u0b01\u0b3c\u0b3e\u0b3f\u0b41-\u0b44\u0b4d\u0b56\u0b57\u0b62\u0b63\u0b82\u0bbe\u0bc0\u0bcd\u0bd7\u0c3e-\u0c40\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0cbc\u0cbf\u0cc2\u0cc6\u0ccc\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0d3e\u0d41-\u0d44\u0d4d\u0d57\u0d62\u0d63\u0dca\u0dcf\u0dd2-\u0dd4\u0dd6\u0ddf\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0eb1\u0eb4-\u0eb9\u0ebb\u0ebc\u0ec8-\u0ecd\u0f18\u0f19\u0f35\u0f37\u0f39\u0f71-\u0f7e\u0f80-\u0f84\u0f86\u0f87\u0f90-\u0f97\u0f99-\u0fbc\u0fc6\u102d-\u1030\u1032-\u1037\u1039\u103a\u103d\u103e\u1058\u1059\u105e-\u1060\u1071-\u1074\u1082\u1085\u1086\u108d\u109d\u135f\u1712-\u1714\u1732-\u1734\u1752\u1753\u1772\u1773\u17b7-\u17bd\u17c6\u17c9-\u17d3\u17dd\u180b-\u180d\u18a9\u1920-\u1922\u1927\u1928\u1932\u1939-\u193b\u1a17\u1a18\u1a56\u1a58-\u1a5e\u1a60\u1a62\u1a65-\u1a6c\u1a73-\u1a7c\u1a7f\u1b00-\u1b03\u1b34\u1b36-\u1b3a\u1b3c\u1b42\u1b6b-\u1b73\u1b80\u1b81\u1ba2-\u1ba5\u1ba8\u1ba9\u1c2c-\u1c33\u1c36\u1c37\u1cd0-\u1cd2\u1cd4-\u1ce0\u1ce2-\u1ce8\u1ced\u1dc0-\u1de6\u1dfd-\u1dff\u200c\u200d\u20d0-\u20f0\u2cef-\u2cf1\u2de0-\u2dff\u302a-\u302f\u3099\u309a\ua66f-\ua672\ua67c\ua67d\ua6f0\ua6f1\ua802\ua806\ua80b\ua825\ua826\ua8c4\ua8e0-\ua8f1\ua926-\ua92d\ua947-\ua951\ua980-\ua982\ua9b3\ua9b6-\ua9b9\ua9bc\uaa29-\uaa2e\uaa31\uaa32\uaa35\uaa36\uaa43\uaa4c\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uabe5\uabe8\uabed\udc00-\udfff\ufb1e\ufe00-\ufe0f\ufe20-\ufe26\uff9e\uff9f]/;function U(i){return i.charCodeAt(0)>=768&&_e.test(i)}function Q(i,s,p){for(;(p<0?s>0:s<i.length)&&U(i.charAt(s));)s+=p;return s}function he(i,s,p){for(var f=s>p?-1:1;;){if(s==p)return s;var m=(s+p)/2,C=f<0?Math.ceil(m):Math.floor(m);if(C==s)return i(C)?s:p;i(C)?p=C:s=C+f}}function Le(i,s,p,f){if(!i)return f(s,p,"ltr",0);for(var m=!1,C=0;C<i.length;++C){var w=i[C];(w.from<p&&w.to>s||s==p&&w.to==s)&&(f(Math.max(w.from,s),Math.min(w.to,p),w.level==1?"rtl":"ltr",C),m=!0)}m||f(s,p,"ltr")}var Xe=null;function je(i,s,p){var f;Xe=null;for(var m=0;m<i.length;++m){var C=i[m];if(C.from<s&&C.to>s)return m;C.to==s&&(C.from!=C.to&&p=="before"?f=m:Xe=m),C.from==s&&(C.from!=C.to&&p!="before"?f=m:Xe=m)}return f!=null?f:Xe}var at=function(){var i="bbbbbbbbbtstwsbbbbbbbbbbbbbbssstwNN%%%NNNNNN,N,N1111111111NNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNbbbbbbsbbbbbbbbbbbbbbbbbbbbbbbbbb,N%%%%NNNNLNNNNN%%11NLNNN1LNNNNNLLLLLLLLLLLLLLLLLLLLLLLNLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLN",s="nnnnnnNNr%%r,rNNmmmmmmmmmmmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmmmmmmmmmmmmmmmnnnnnnnnnn%nnrrrmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmnNmmmmmmrrmmNmmmmrr1111111111";function p(J){return J<=247?i.charAt(J):1424<=J&&J<=1524?"R":1536<=J&&J<=1785?s.charAt(J-1536):1774<=J&&J<=2220?"r":8192<=J&&J<=8203?"w":J==8204?"b":"L"}var f=/[\u0590-\u05f4\u0600-\u06ff\u0700-\u08ac]/,m=/[stwN]/,C=/[LRr]/,w=/[Lb1n]/,B=/[1n]/;function Y(J,me,Te){this.level=J,this.from=me,this.to=Te}return function(J,me){var Te=me=="ltr"?"L":"R";if(J.length==0||me=="ltr"&&!f.test(J))return!1;for(var qe=J.length,Me=[],Je=0;Je<qe;++Je)Me.push(p(J.charCodeAt(Je)));for(var ut=0,gt=Te;ut<qe;++ut){var yt=Me[ut];yt=="m"?Me[ut]=gt:gt=yt}for(var Nt=0,Ct=Te;Nt<qe;++Nt){var xt=Me[Nt];xt=="1"&&Ct=="r"?Me[Nt]="n":C.test(xt)&&(Ct=xt,xt=="r"&&(Me[Nt]="R"))}for(var Gt=1,Pt=Me[0];Gt<qe-1;++Gt){var en=Me[Gt];en=="+"&&Pt=="1"&&Me[Gt+1]=="1"?Me[Gt]="1":en==","&&Pt==Me[Gt+1]&&(Pt=="1"||Pt=="n")&&(Me[Gt]=Pt),Pt=en}for(var Tn=0;Tn<qe;++Tn){var ir=Me[Tn];if(ir==",")Me[Tn]="N";else if(ir=="%"){var Pn=void 0;for(Pn=Tn+1;Pn<qe&&Me[Pn]=="%";++Pn);for(var hi=Tn&&Me[Tn-1]=="!"||Pn<qe&&Me[Pn]=="1"?"1":"N",$r=Tn;$r<Pn;++$r)Me[$r]=hi;Tn=Pn-1}}for(var zn=0,Qr=Te;zn<qe;++zn){var mr=Me[zn];Qr=="L"&&mr=="1"?Me[zn]="L":C.test(mr)&&(Qr=mr)}for(var jn=0;jn<qe;++jn)if(m.test(Me[jn])){var Kn=void 0;for(Kn=jn+1;Kn<qe&&m.test(Me[Kn]);++Kn);for(var Bn=(jn?Me[jn-1]:Te)=="L",jr=(Kn<qe?Me[Kn]:Te)=="L",hl=Bn==jr?Bn?"L":"R":Te,Ho=jn;Ho<Kn;++Ho)Me[Ho]=hl;jn=Kn-1}for(var Rr=[],La,ar=0;ar<qe;)if(w.test(Me[ar])){var ip=ar;for(++ar;ar<qe&&w.test(Me[ar]);++ar);Rr.push(new Y(0,ip,ar))}else{var mo=ar,Ss=Rr.length,bs=me=="rtl"?1:0;for(++ar;ar<qe&&Me[ar]!="L";++ar);for(var Mr=mo;Mr<ar;)if(B.test(Me[Mr])){mo<Mr&&(Rr.splice(Ss,0,new Y(1,mo,Mr)),Ss+=bs);var El=Mr;for(++Mr;Mr<ar&&B.test(Me[Mr]);++Mr);Rr.splice(Ss,0,new Y(2,El,Mr)),Ss+=bs,mo=Mr}else++Mr;mo<ar&&Rr.splice(Ss,0,new Y(1,mo,ar))}return me=="ltr"&&(Rr[0].level==1&&(La=J.match(/^\s+/))&&(Rr[0].from=La[0].length,Rr.unshift(new Y(0,0,La[0].length))),Ie(Rr).level==1&&(La=J.match(/\s+$/))&&(Ie(Rr).to-=La[0].length,Rr.push(new Y(0,qe-La[0].length,qe)))),me=="rtl"?Rr.reverse():Rr}}();function ke(i,s){var p=i.order;return p==null&&(p=i.order=at(i.text,s)),p}var $e=[],De=function(i,s,p){if(i.addEventListener)i.addEventListener(s,p,!1);else if(i.attachEvent)i.attachEvent("on"+s,p);else{var f=i._handlers||(i._handlers={});f[s]=(f[s]||$e).concat(p)}};function pt(i,s){return i._handlers&&i._handlers[s]||$e}function _t(i,s,p){if(i.removeEventListener)i.removeEventListener(s,p,!1);else if(i.detachEvent)i.detachEvent("on"+s,p);else{var f=i._handlers,m=f&&f[s];if(m){var C=nt(m,p);C>-1&&(f[s]=m.slice(0,C).concat(m.slice(C+1)))}}}function wt(i,s){var p=pt(i,s);if(!!p.length)for(var f=Array.prototype.slice.call(arguments,2),m=0;m<p.length;++m)p[m].apply(null,f)}function Lt(i,s,p){return typeof s=="string"&&(s={type:s,preventDefault:function(){this.defaultPrevented=!0}}),wt(i,p||s.type,i,s),Qn(s)||s.codemirrorIgnore}function cn(i){var s=i._handlers&&i._handlers.cursorActivity;if(!!s)for(var p=i.curOp.cursorActivityHandlers||(i.curOp.cursorActivityHandlers=[]),f=0;f<s.length;++f)nt(p,s[f])==-1&&p.push(s[f])}function Xt(i,s){return pt(i,s).length>0}function an(i){i.prototype.on=function(s,p){De(this,s,p)},i.prototype.off=function(s,p){_t(this,s,p)}}function Zt(i){i.preventDefault?i.preventDefault():i.returnValue=!1}function Sr(i){i.stopPropagation?i.stopPropagation():i.cancelBubble=!0}function Qn(i){return i.defaultPrevented!=null?i.defaultPrevented:i.returnValue==!1}function wn(i){Zt(i),Sr(i)}function Wn(i){return i.target||i.srcElement}function Jn(i){var s=i.which;return s==null&&(i.button&1?s=1:i.button&2?s=3:i.button&4&&(s=2)),L&&i.ctrlKey&&s==1&&(s=3),s}var Oa=function(){if(c&&d<9)return!1;var i=V("div");return"draggable"in i||"dragDrop"in i}(),Ai;function Oo(i){if(Ai==null){var s=V("span","\u200B");fe(i,V("span",[s,document.createTextNode("x")])),i.firstChild.offsetHeight!=0&&(Ai=s.offsetWidth<=1&&s.offsetHeight>2&&!(c&&d<8))}var p=Ai?V("span","\u200B"):V("span","\xA0",null,"display: inline-block; width: 1px; margin-right: -1px");return p.setAttribute("cm-text",""),p}var ja;function ps(i){if(ja!=null)return ja;var s=fe(i,document.createTextNode("A\u062EA")),p=te(s,0,1).getBoundingClientRect(),f=te(s,1,2).getBoundingClientRect();return Z(i),!p||p.left==p.right?!1:ja=f.right-p.right<3}var Pr=`
 
 b`.split(/\n/).length!=3?function(i){for(var s=0,p=[],f=i.length;s<=f;){var m=i.indexOf(`
-`,s);m==-1&&(m=i.length);var C=i.slice(s,i.charAt(m-1)=="\r"?m-1:m),w=C.indexOf("\r");w!=-1?(p.push(C.slice(0,w)),s+=w+1):(p.push(C),s=m+1)}return p}:function(i){return i.split(/\r\n?|\n/)},ur=window.getSelection?function(i){try{return i.selectionStart!=i.selectionEnd}catch{return!1}}:function(i){var s;try{s=i.ownerDocument.selection.createRange()}catch{}return!s||s.parentElement()!=i?!1:s.compareEndPoints("StartToEnd",s)!=0},ii=function(){var i=V("div");return"oncopy"in i?!0:(i.setAttribute("oncopy","return;"),typeof i.oncopy=="function")}(),Gi=null;function Xa(i){if(Gi!=null)return Gi;var s=fe(i,V("span","x")),p=s.getBoundingClientRect(),f=te(s,0,1).getBoundingClientRect();return Gi=Math.abs(p.left-f.left)>1}var ai={},oi={};function Ra(i,s){arguments.length>2&&(s.dependencies=Array.prototype.slice.call(arguments,2)),ai[i]=s}function aa(i,s){oi[i]=s}function Oi(i){if(typeof i=="string"&&oi.hasOwnProperty(i))i=oi[i];else if(i&&typeof i.name=="string"&&oi.hasOwnProperty(i.name)){var s=oi[i.name];typeof s=="string"&&(s={name:s}),i=ge(s,i),i.name=s.name}else{if(typeof i=="string"&&/^[\w\-]+\/[\w\-]+\+xml$/.test(i))return Oi("application/xml");if(typeof i=="string"&&/^[\w\-]+\/[\w\-]+\+json$/.test(i))return Oi("application/json")}return typeof i=="string"?{name:i}:i||{name:"null"}}function oa(i,s){s=Oi(s);var p=ai[s.name];if(!p)return oa(i,"text/plain");var f=p(i,s);if(Ri.hasOwnProperty(s.name)){var m=Ri[s.name];for(var C in m)!m.hasOwnProperty(C)||(f.hasOwnProperty(C)&&(f["_"+C]=f[C]),f[C]=m[C])}if(f.name=s.name,s.helperType&&(f.helperType=s.helperType),s.modeProps)for(var w in s.modeProps)f[w]=s.modeProps[w];return f}var Ri={};function Hi(i,s){var p=Ri.hasOwnProperty(i)?Ri[i]:Ri[i]={};dt(s,p)}function br(i,s){if(s===!0)return s;if(i.copyState)return i.copyState(s);var p={};for(var f in s){var m=s[f];m instanceof Array&&(m=m.concat([])),p[f]=m}return p}function sa(i,s){for(var p;i.innerMode&&(p=i.innerMode(s),!(!p||p.mode==i));)s=p.state,i=p.mode;return p||{mode:i,state:s}}function Ni(i,s,p){return i.startState?i.startState(s,p):!0}var bn=function(i,s,p){this.pos=this.start=0,this.string=i,this.tabSize=s||8,this.lastColumnPos=this.lastColumnValue=0,this.lineStart=0,this.lineOracle=p};bn.prototype.eol=function(){return this.pos>=this.string.length},bn.prototype.sol=function(){return this.pos==this.lineStart},bn.prototype.peek=function(){return this.string.charAt(this.pos)||void 0},bn.prototype.next=function(){if(this.pos<this.string.length)return this.string.charAt(this.pos++)},bn.prototype.eat=function(i){var s=this.string.charAt(this.pos),p;if(typeof i=="string"?p=s==i:p=s&&(i.test?i.test(s):i(s)),p)return++this.pos,s},bn.prototype.eatWhile=function(i){for(var s=this.pos;this.eat(i););return this.pos>s},bn.prototype.eatSpace=function(){for(var i=this.pos;/[\s\u00a0]/.test(this.string.charAt(this.pos));)++this.pos;return this.pos>i},bn.prototype.skipToEnd=function(){this.pos=this.string.length},bn.prototype.skipTo=function(i){var s=this.string.indexOf(i,this.pos);if(s>-1)return this.pos=s,!0},bn.prototype.backUp=function(i){this.pos-=i},bn.prototype.column=function(){return this.lastColumnPos<this.start&&(this.lastColumnValue=ct(this.string,this.start,this.tabSize,this.lastColumnPos,this.lastColumnValue),this.lastColumnPos=this.start),this.lastColumnValue-(this.lineStart?ct(this.string,this.lineStart,this.tabSize):0)},bn.prototype.indentation=function(){return ct(this.string,null,this.tabSize)-(this.lineStart?ct(this.string,this.lineStart,this.tabSize):0)},bn.prototype.match=function(i,s,p){if(typeof i=="string"){var f=function(w){return p?w.toLowerCase():w},m=this.string.substr(this.pos,i.length);if(f(m)==f(i))return s!==!1&&(this.pos+=i.length),!0}else{var C=this.string.slice(this.pos).match(i);return C&&C.index>0?null:(C&&s!==!1&&(this.pos+=C[0].length),C)}},bn.prototype.current=function(){return this.string.slice(this.start,this.pos)},bn.prototype.hideFirstChars=function(i,s){this.lineStart+=i;try{return s()}finally{this.lineStart-=i}},bn.prototype.lookAhead=function(i){var s=this.lineOracle;return s&&s.lookAhead(i)},bn.prototype.baseToken=function(){var i=this.lineOracle;return i&&i.baseToken(this.pos)};function Mt(i,s){if(s-=i.first,s<0||s>=i.size)throw new Error("There is no line "+(s+i.first)+" in the document.");for(var p=i;!p.lines;)for(var f=0;;++f){var m=p.children[f],C=m.chunkSize();if(s<C){p=m;break}s-=C}return p.lines[s]}function Fr(i,s,p){var f=[],m=s.line;return i.iter(s.line,p.line+1,function(C){var w=C.text;m==p.line&&(w=w.slice(0,p.ch)),m==s.line&&(w=w.slice(s.ch)),f.push(w),++m}),f}function Na(i,s,p){var f=[];return i.iter(s,p,function(m){f.push(m.text)}),f}function cr(i,s){var p=s-i.height;if(p)for(var f=i;f;f=f.parent)f.height+=p}function un(i){if(i.parent==null)return null;for(var s=i.parent,p=nt(s.lines,i),f=s.parent;f;s=f,f=f.parent)for(var m=0;f.children[m]!=s;++m)p+=f.children[m].chunkSize();return p+s.first}function Br(i,s){var p=i.first;e:do{for(var f=0;f<i.children.length;++f){var m=i.children[f],C=m.height;if(s<C){i=m;continue e}s-=C,p+=m.chunkSize()}return p}while(!i.lines);for(var w=0;w<i.lines.length;++w){var B=i.lines[w],Y=B.height;if(s<Y)break;s-=Y}return p+w}function si(i,s){return s>=i.first&&s<i.first+i.size}function Ia(i,s){return String(i.lineNumberFormatter(s+i.firstLineNumber))}function st(i,s,p){if(p===void 0&&(p=null),!(this instanceof st))return new st(i,s,p);this.line=i,this.ch=s,this.sticky=p}function Bt(i,s){return i.line-s.line||i.ch-s.ch}function qi(i,s){return i.sticky==s.sticky&&Bt(i,s)==0}function la(i){return st(i.line,i.ch)}function Yi(i,s){return Bt(i,s)<0?s:i}function Wi(i,s){return Bt(i,s)<0?i:s}function Za(i,s){return Math.max(i.first,Math.min(s,i.first+i.size-1))}function Ht(i,s){if(s.line<i.first)return st(i.first,0);var p=i.first+i.size-1;return s.line>p?st(p,Mt(i,p).text.length):Ro(s,Mt(i,s.line).text.length)}function Ro(i,s){var p=i.ch;return p==null||p>s?st(i.line,s):p<0?st(i.line,0):i}function No(i,s){for(var p=[],f=0;f<s.length;f++)p[f]=Ht(i,s[f]);return p}var Da=function(i,s){this.state=i,this.lookAhead=s},Cn=function(i,s,p,f){this.state=s,this.doc=i,this.line=p,this.maxLookAhead=f||0,this.baseTokens=null,this.baseTokenPos=1};Cn.prototype.lookAhead=function(i){var s=this.doc.getLine(this.line+i);return s!=null&&i>this.maxLookAhead&&(this.maxLookAhead=i),s},Cn.prototype.baseToken=function(i){if(!this.baseTokens)return null;for(;this.baseTokens[this.baseTokenPos]<=i;)this.baseTokenPos+=2;var s=this.baseTokens[this.baseTokenPos+1];return{type:s&&s.replace(/( |^)overlay .*/,""),size:this.baseTokens[this.baseTokenPos]-i}},Cn.prototype.nextLine=function(){this.line++,this.maxLookAhead>0&&this.maxLookAhead--},Cn.fromSaved=function(i,s,p){return s instanceof Da?new Cn(i,br(i.mode,s.state),p,s.lookAhead):new Cn(i,br(i.mode,s),p)},Cn.prototype.save=function(i){var s=i!==!1?br(this.doc.mode,this.state):this.state;return this.maxLookAhead>0?new Da(s,this.maxLookAhead):s};function Ja(i,s,p,f){var m=[i.state.modeGen],C={};to(i,s.text,i.doc.mode,p,function(J,me){return m.push(J,me)},C,f);for(var w=p.state,B=function(J){p.baseTokens=m;var me=i.state.overlays[J],Te=1,qe=0;p.state=!0,to(i,s.text,me.mode,p,function(Me,Je){for(var ut=Te;qe<Me;){var gt=m[Te];gt>Me&&m.splice(Te,1,Me,m[Te+1],gt),Te+=2,qe=Math.min(Me,gt)}if(!!Je)if(me.opaque)m.splice(ut,Te-ut,Me,"overlay "+Je),Te=ut+2;else for(;ut<Te;ut+=2){var yt=m[ut+1];m[ut+1]=(yt?yt+" ":"")+"overlay "+Je}},C),p.state=w,p.baseTokens=null,p.baseTokenPos=1},Y=0;Y<i.state.overlays.length;++Y)B(Y);return{styles:m,classes:C.bgClass||C.textClass?C:null}}function Vi(i,s,p){if(!s.styles||s.styles[0]!=i.state.modeGen){var f=zi(i,un(s)),m=s.text.length>i.options.maxHighlightLength&&br(i.doc.mode,f.state),C=Ja(i,s,f);m&&(f.state=m),s.stateAfter=f.save(!m),s.styles=C.styles,C.classes?s.styleClasses=C.classes:s.styleClasses&&(s.styleClasses=null),p===i.doc.highlightFrontier&&(i.doc.modeFrontier=Math.max(i.doc.modeFrontier,++i.doc.highlightFrontier))}return s.styles}function zi(i,s,p){var f=i.doc,m=i.display;if(!f.mode.startState)return new Cn(f,!0,s);var C=no(i,s,p),w=C>f.first&&Mt(f,C-1).stateAfter,B=w?Cn.fromSaved(f,w,C):new Cn(f,Ni(f.mode),C);return f.iter(C,s,function(Y){ua(i,Y.text,B);var J=B.line;Y.stateAfter=J==s-1||J%5==0||J>=m.viewFrom&&J<m.viewTo?B.save():null,B.nextLine()}),p&&(f.modeFrontier=B.line),B}function ua(i,s,p,f){var m=i.doc.mode,C=new bn(s,i.options.tabSize,p);for(C.start=C.pos=f||0,s==""&&Ur(m,p.state);!C.eol();)vr(m,C,p.state),C.start=C.pos}function Ur(i,s){if(i.blankLine)return i.blankLine(s);if(!!i.innerMode){var p=sa(i,s);if(p.mode.blankLine)return p.mode.blankLine(p.state)}}function vr(i,s,p,f){for(var m=0;m<10;m++){f&&(f[0]=sa(i,p).mode);var C=i.token(s,p);if(s.pos>s.start)return C}throw new Error("Mode "+i.name+" failed to advance stream.")}var ca=function(i,s,p){this.start=i.start,this.end=i.pos,this.string=i.current(),this.type=s||null,this.state=p};function eo(i,s,p,f){var m=i.doc,C=m.mode,w;s=Ht(m,s);var B=Mt(m,s.line),Y=zi(i,s.line,p),J=new bn(B.text,i.options.tabSize,Y),me;for(f&&(me=[]);(f||J.pos<s.ch)&&!J.eol();)J.start=J.pos,w=vr(C,J,Y.state),f&&me.push(new ca(J,w,br(m.mode,Y.state)));return f?me:new ca(J,w,Y.state)}function Ii(i,s){if(i)for(;;){var p=i.match(/(?:^|\s+)line-(background-)?(\S+)/);if(!p)break;i=i.slice(0,p.index)+i.slice(p.index+p[0].length);var f=p[1]?"bgClass":"textClass";s[f]==null?s[f]=p[2]:new RegExp("(?:^|\\s)"+p[2]+"(?:$|\\s)").test(s[f])||(s[f]+=" "+p[2])}return i}function to(i,s,p,f,m,C,w){var B=p.flattenSpans;B==null&&(B=i.options.flattenSpans);var Y=0,J=null,me=new bn(s,i.options.tabSize,f),Te,qe=i.options.addModeClass&&[null];for(s==""&&Ii(Ur(p,f.state),C);!me.eol();){if(me.pos>i.options.maxHighlightLength?(B=!1,w&&ua(i,s,f,me.pos),me.pos=s.length,Te=null):Te=Ii(vr(p,me,f.state,qe),C),qe){var Me=qe[0].name;Me&&(Te="m-"+(Te?Me+" "+Te:Me))}if(!B||J!=Te){for(;Y<me.start;)Y=Math.min(me.start,Y+5e3),m(Y,J);J=Te}me.start=me.pos}for(;Y<me.pos;){var Je=Math.min(me.pos,Y+5e3);m(Je,J),Y=Je}}function no(i,s,p){for(var f,m,C=i.doc,w=p?-1:s-(i.doc.mode.innerMode?1e3:100),B=s;B>w;--B){if(B<=C.first)return C.first;var Y=Mt(C,B-1),J=Y.stateAfter;if(J&&(!p||B+(J instanceof Da?J.lookAhead:0)<=C.modeFrontier))return B;var me=ct(Y.text,null,i.options.tabSize);(m==null||f>me)&&(m=B-1,f=me)}return m}function ro(i,s){if(i.modeFrontier=Math.min(i.modeFrontier,s),!(i.highlightFrontier<s-10)){for(var p=i.first,f=s-1;f>p;f--){var m=Mt(i,f).stateAfter;if(m&&(!(m instanceof Da)||f+m.lookAhead<s)){p=f+1;break}}i.highlightFrontier=Math.min(i.highlightFrontier,p)}}var Ki=!1,Tr=!1;function io(){Ki=!0}function Io(){Tr=!0}function da(i,s,p){this.marker=i,this.from=s,this.to=p}function dr(i,s){if(i)for(var p=0;p<i.length;++p){var f=i[p];if(f.marker==s)return f}}function fa(i,s){for(var p,f=0;f<i.length;++f)i[f]!=s&&(p||(p=[])).push(i[f]);return p}function iu(i,s,p){var f=p&&window.WeakSet&&(p.markedSpans||(p.markedSpans=new WeakSet));f&&i.markedSpans&&f.has(i.markedSpans)?i.markedSpans.push(s):(i.markedSpans=i.markedSpans?i.markedSpans.concat([s]):[s],f&&f.add(i.markedSpans)),s.marker.attachLine(i)}function ao(i,s,p){var f;if(i)for(var m=0;m<i.length;++m){var C=i[m],w=C.marker,B=C.from==null||(w.inclusiveLeft?C.from<=s:C.from<s);if(B||C.from==s&&w.type=="bookmark"&&(!p||!C.marker.insertLeft)){var Y=C.to==null||(w.inclusiveRight?C.to>=s:C.to>s);(f||(f=[])).push(new da(w,C.from,Y?null:C.to))}}return f}function Di(i,s,p){var f;if(i)for(var m=0;m<i.length;++m){var C=i[m],w=C.marker,B=C.to==null||(w.inclusiveRight?C.to>=s:C.to>s);if(B||C.from==s&&w.type=="bookmark"&&(!p||C.marker.insertLeft)){var Y=C.from==null||(w.inclusiveLeft?C.from<=s:C.from<s);(f||(f=[])).push(new da(w,Y?null:C.from-s,C.to==null?null:C.to-s))}}return f}function oo(i,s){if(s.full)return null;var p=si(i,s.from.line)&&Mt(i,s.from.line).markedSpans,f=si(i,s.to.line)&&Mt(i,s.to.line).markedSpans;if(!p&&!f)return null;var m=s.from.ch,C=s.to.ch,w=Bt(s.from,s.to)==0,B=ao(p,m,w),Y=Di(f,C,w),J=s.text.length==1,me=Ie(s.text).length+(J?m:0);if(B)for(var Te=0;Te<B.length;++Te){var qe=B[Te];if(qe.to==null){var Me=dr(Y,qe.marker);Me?J&&(qe.to=Me.to==null?null:Me.to+me):qe.to=m}}if(Y)for(var Je=0;Je<Y.length;++Je){var ut=Y[Je];if(ut.to!=null&&(ut.to+=me),ut.from==null){var gt=dr(B,ut.marker);gt||(ut.from=me,J&&(B||(B=[])).push(ut))}else ut.from+=me,J&&(B||(B=[])).push(ut)}B&&(B=tl(B)),Y&&Y!=B&&(Y=tl(Y));var yt=[B];if(!J){var Nt=s.text.length-2,Ct;if(Nt>0&&B)for(var xt=0;xt<B.length;++xt)B[xt].to==null&&(Ct||(Ct=[])).push(new da(B[xt].marker,null,null));for(var Gt=0;Gt<Nt;++Gt)yt.push(Ct);yt.push(Y)}return yt}function tl(i){for(var s=0;s<i.length;++s){var p=i[s];p.from!=null&&p.from==p.to&&p.marker.clearWhenEmpty!==!1&&i.splice(s--,1)}return i.length?i:null}function Do(i,s,p){var f=null;if(i.iter(s.line,p.line+1,function(Me){if(Me.markedSpans)for(var Je=0;Je<Me.markedSpans.length;++Je){var ut=Me.markedSpans[Je].marker;ut.readOnly&&(!f||nt(f,ut)==-1)&&(f||(f=[])).push(ut)}}),!f)return null;for(var m=[{from:s,to:p}],C=0;C<f.length;++C)for(var w=f[C],B=w.find(0),Y=0;Y<m.length;++Y){var J=m[Y];if(!(Bt(J.to,B.from)<0||Bt(J.from,B.to)>0)){var me=[Y,1],Te=Bt(J.from,B.from),qe=Bt(J.to,B.to);(Te<0||!w.inclusiveLeft&&!Te)&&me.push({from:J.from,to:B.from}),(qe>0||!w.inclusiveRight&&!qe)&&me.push({from:B.to,to:J.to}),m.splice.apply(m,me),Y+=me.length-3}}return m}function xo(i){var s=i.markedSpans;if(!!s){for(var p=0;p<s.length;++p)s[p].marker.detachLine(i);i.markedSpans=null}}function so(i,s){if(!!s){for(var p=0;p<s.length;++p)s[p].marker.attachLine(i);i.markedSpans=s}}function pa(i){return i.inclusiveLeft?-1:0}function $i(i){return i.inclusiveRight?1:0}function wo(i,s){var p=i.lines.length-s.lines.length;if(p!=0)return p;var f=i.find(),m=s.find(),C=Bt(f.from,m.from)||pa(i)-pa(s);if(C)return-C;var w=Bt(f.to,m.to)||$i(i)-$i(s);return w||s.id-i.id}function _s(i,s){var p=Tr&&i.markedSpans,f;if(p)for(var m=void 0,C=0;C<p.length;++C)m=p[C],m.marker.collapsed&&(s?m.from:m.to)==null&&(!f||wo(f,m.marker)<0)&&(f=m.marker);return f}function Un(i){return _s(i,!0)}function gn(i){return _s(i,!1)}function li(i,s){var p=Tr&&i.markedSpans,f;if(p)for(var m=0;m<p.length;++m){var C=p[m];C.marker.collapsed&&(C.from==null||C.from<s)&&(C.to==null||C.to>s)&&(!f||wo(f,C.marker)<0)&&(f=C.marker)}return f}function _a(i,s,p,f,m){var C=Mt(i,s),w=Tr&&C.markedSpans;if(w)for(var B=0;B<w.length;++B){var Y=w[B];if(!!Y.marker.collapsed){var J=Y.marker.find(0),me=Bt(J.from,p)||pa(Y.marker)-pa(m),Te=Bt(J.to,f)||$i(Y.marker)-$i(m);if(!(me>=0&&Te<=0||me<=0&&Te>=0)&&(me<=0&&(Y.marker.inclusiveRight&&m.inclusiveLeft?Bt(J.to,p)>=0:Bt(J.to,p)>0)||me>=0&&(Y.marker.inclusiveRight&&m.inclusiveLeft?Bt(J.from,f)<=0:Bt(J.from,f)<0)))return!0}}}function er(i){for(var s;s=Un(i);)i=s.find(-1,!0).line;return i}function nl(i){for(var s;s=gn(i);)i=s.find(1,!0).line;return i}function ui(i){for(var s,p;s=gn(i);)i=s.find(1,!0).line,(p||(p=[])).push(i);return p}function Qi(i,s){var p=Mt(i,s),f=er(p);return p==f?s:un(f)}function rl(i,s){if(s>i.lastLine())return s;var p=Mt(i,s),f;if(!xr(i,p))return s;for(;f=gn(p);)p=f.find(1,!0).line;return un(p)+1}function xr(i,s){var p=Tr&&s.markedSpans;if(p){for(var f=void 0,m=0;m<p.length;++m)if(f=p[m],!!f.marker.collapsed){if(f.from==null)return!0;if(!f.marker.widgetNode&&f.from==0&&f.marker.inclusiveLeft&&g(i,s,f))return!0}}}function g(i,s,p){if(p.to==null){var f=p.marker.find(1,!0);return g(i,f.line,dr(f.line.markedSpans,p.marker))}if(p.marker.inclusiveRight&&p.to==s.text.length)return!0;for(var m=void 0,C=0;C<s.markedSpans.length;++C)if(m=s.markedSpans[C],m.marker.collapsed&&!m.marker.widgetNode&&m.from==p.to&&(m.to==null||m.to!=p.from)&&(m.marker.inclusiveLeft||p.marker.inclusiveRight)&&g(i,s,m))return!0}function b(i){i=er(i);for(var s=0,p=i.parent,f=0;f<p.lines.length;++f){var m=p.lines[f];if(m==i)break;s+=m.height}for(var C=p.parent;C;p=C,C=p.parent)for(var w=0;w<C.children.length;++w){var B=C.children[w];if(B==p)break;s+=B.height}return s}function x(i){if(i.height==0)return 0;for(var s=i.text.length,p,f=i;p=Un(f);){var m=p.find(0,!0);f=m.from.line,s+=m.from.ch-m.to.ch}for(f=i;p=gn(f);){var C=p.find(0,!0);s-=f.text.length-C.from.ch,f=C.to.line,s+=f.text.length-C.to.ch}return s}function P(i){var s=i.display,p=i.doc;s.maxLine=Mt(p,p.first),s.maxLineLength=x(s.maxLine),s.maxLineChanged=!0,p.iter(function(f){var m=x(f);m>s.maxLineLength&&(s.maxLineLength=m,s.maxLine=f)})}var j=function(i,s,p){this.text=i,so(this,s),this.height=p?p(this):1};j.prototype.lineNo=function(){return un(this)},an(j);function X(i,s,p,f){i.text=s,i.stateAfter&&(i.stateAfter=null),i.styles&&(i.styles=null),i.order!=null&&(i.order=null),xo(i),so(i,p);var m=f?f(i):1;m!=i.height&&cr(i,m)}function ae(i){i.parent=null,xo(i)}var Ce={},ye={};function Be(i,s){if(!i||/^\s*$/.test(i))return null;var p=s.addModeClass?ye:Ce;return p[i]||(p[i]=i.replace(/\S+/g,"cm-$&"))}function et(i,s){var p=ne("span",null,null,S?"padding-right: .1px":null),f={pre:ne("pre",[p],"CodeMirror-line"),content:p,col:0,pos:0,cm:i,trailingSpace:!1,splitSpaces:i.getOption("lineWrapping")};s.measure={};for(var m=0;m<=(s.rest?s.rest.length:0);m++){var C=m?s.rest[m-1]:s.line,w=void 0;f.pos=0,f.addToken=Ke,ps(i.display.measure)&&(w=ke(C,i.doc.direction))&&(f.addToken=zt(f.addToken,w)),f.map=[];var B=s!=i.display.externalMeasured&&un(C);Qt(C,f,Vi(i,C,B)),C.styleClasses&&(C.styleClasses.bgClass&&(f.bgClass=Ge(C.styleClasses.bgClass,f.bgClass||"")),C.styleClasses.textClass&&(f.textClass=Ge(C.styleClasses.textClass,f.textClass||""))),f.map.length==0&&f.map.push(0,0,f.content.appendChild(Oo(i.display.measure))),m==0?(s.measure.map=f.map,s.measure.cache={}):((s.measure.maps||(s.measure.maps=[])).push(f.map),(s.measure.caches||(s.measure.caches=[])).push({}))}if(S){var Y=f.content.lastChild;(/\bcm-tab\b/.test(Y.className)||Y.querySelector&&Y.querySelector(".cm-tab"))&&(f.content.className="cm-tab-wrap-hack")}return wt(i,"renderLine",i,s.line,f.pre),f.pre.className&&(f.textClass=Ge(f.pre.className,f.textClass||"")),f}function ot(i){var s=V("span","\u2022","cm-invalidchar");return s.title="\\u"+i.charCodeAt(0).toString(16),s.setAttribute("aria-label",s.title),s}function Ke(i,s,p,f,m,C,w){if(!!s){var B=i.splitSpaces?mt(s,i.trailingSpace):s,Y=i.cm.state.specialChars,J=!1,me;if(!Y.test(s))i.col+=s.length,me=document.createTextNode(B),i.map.push(i.pos,i.pos+s.length,me),c&&d<9&&(J=!0),i.pos+=s.length;else{me=document.createDocumentFragment();for(var Te=0;;){Y.lastIndex=Te;var qe=Y.exec(s),Me=qe?qe.index-Te:s.length-Te;if(Me){var Je=document.createTextNode(B.slice(Te,Te+Me));c&&d<9?me.appendChild(V("span",[Je])):me.appendChild(Je),i.map.push(i.pos,i.pos+Me,Je),i.col+=Me,i.pos+=Me}if(!qe)break;Te+=Me+1;var ut=void 0;if(qe[0]=="	"){var gt=i.cm.options.tabSize,yt=gt-i.col%gt;ut=me.appendChild(V("span",Ne(yt),"cm-tab")),ut.setAttribute("role","presentation"),ut.setAttribute("cm-text","	"),i.col+=yt}else qe[0]=="\r"||qe[0]==`
+`,s);m==-1&&(m=i.length);var C=i.slice(s,i.charAt(m-1)=="\r"?m-1:m),w=C.indexOf("\r");w!=-1?(p.push(C.slice(0,w)),s+=w+1):(p.push(C),s=m+1)}return p}:function(i){return i.split(/\r\n?|\n/)},ur=window.getSelection?function(i){try{return i.selectionStart!=i.selectionEnd}catch{return!1}}:function(i){var s;try{s=i.ownerDocument.selection.createRange()}catch{}return!s||s.parentElement()!=i?!1:s.compareEndPoints("StartToEnd",s)!=0},ii=function(){var i=V("div");return"oncopy"in i?!0:(i.setAttribute("oncopy","return;"),typeof i.oncopy=="function")}(),Gi=null;function Xa(i){if(Gi!=null)return Gi;var s=fe(i,V("span","x")),p=s.getBoundingClientRect(),f=te(s,0,1).getBoundingClientRect();return Gi=Math.abs(p.left-f.left)>1}var ai={},oi={};function Ra(i,s){arguments.length>2&&(s.dependencies=Array.prototype.slice.call(arguments,2)),ai[i]=s}function aa(i,s){oi[i]=s}function Oi(i){if(typeof i=="string"&&oi.hasOwnProperty(i))i=oi[i];else if(i&&typeof i.name=="string"&&oi.hasOwnProperty(i.name)){var s=oi[i.name];typeof s=="string"&&(s={name:s}),i=ge(s,i),i.name=s.name}else{if(typeof i=="string"&&/^[\w\-]+\/[\w\-]+\+xml$/.test(i))return Oi("application/xml");if(typeof i=="string"&&/^[\w\-]+\/[\w\-]+\+json$/.test(i))return Oi("application/json")}return typeof i=="string"?{name:i}:i||{name:"null"}}function oa(i,s){s=Oi(s);var p=ai[s.name];if(!p)return oa(i,"text/plain");var f=p(i,s);if(Ri.hasOwnProperty(s.name)){var m=Ri[s.name];for(var C in m)!m.hasOwnProperty(C)||(f.hasOwnProperty(C)&&(f["_"+C]=f[C]),f[C]=m[C])}if(f.name=s.name,s.helperType&&(f.helperType=s.helperType),s.modeProps)for(var w in s.modeProps)f[w]=s.modeProps[w];return f}var Ri={};function Hi(i,s){var p=Ri.hasOwnProperty(i)?Ri[i]:Ri[i]={};dt(s,p)}function br(i,s){if(s===!0)return s;if(i.copyState)return i.copyState(s);var p={};for(var f in s){var m=s[f];m instanceof Array&&(m=m.concat([])),p[f]=m}return p}function sa(i,s){for(var p;i.innerMode&&(p=i.innerMode(s),!(!p||p.mode==i));)s=p.state,i=p.mode;return p||{mode:i,state:s}}function Ni(i,s,p){return i.startState?i.startState(s,p):!0}var bn=function(i,s,p){this.pos=this.start=0,this.string=i,this.tabSize=s||8,this.lastColumnPos=this.lastColumnValue=0,this.lineStart=0,this.lineOracle=p};bn.prototype.eol=function(){return this.pos>=this.string.length},bn.prototype.sol=function(){return this.pos==this.lineStart},bn.prototype.peek=function(){return this.string.charAt(this.pos)||void 0},bn.prototype.next=function(){if(this.pos<this.string.length)return this.string.charAt(this.pos++)},bn.prototype.eat=function(i){var s=this.string.charAt(this.pos),p;if(typeof i=="string"?p=s==i:p=s&&(i.test?i.test(s):i(s)),p)return++this.pos,s},bn.prototype.eatWhile=function(i){for(var s=this.pos;this.eat(i););return this.pos>s},bn.prototype.eatSpace=function(){for(var i=this.pos;/[\s\u00a0]/.test(this.string.charAt(this.pos));)++this.pos;return this.pos>i},bn.prototype.skipToEnd=function(){this.pos=this.string.length},bn.prototype.skipTo=function(i){var s=this.string.indexOf(i,this.pos);if(s>-1)return this.pos=s,!0},bn.prototype.backUp=function(i){this.pos-=i},bn.prototype.column=function(){return this.lastColumnPos<this.start&&(this.lastColumnValue=ct(this.string,this.start,this.tabSize,this.lastColumnPos,this.lastColumnValue),this.lastColumnPos=this.start),this.lastColumnValue-(this.lineStart?ct(this.string,this.lineStart,this.tabSize):0)},bn.prototype.indentation=function(){return ct(this.string,null,this.tabSize)-(this.lineStart?ct(this.string,this.lineStart,this.tabSize):0)},bn.prototype.match=function(i,s,p){if(typeof i=="string"){var f=function(w){return p?w.toLowerCase():w},m=this.string.substr(this.pos,i.length);if(f(m)==f(i))return s!==!1&&(this.pos+=i.length),!0}else{var C=this.string.slice(this.pos).match(i);return C&&C.index>0?null:(C&&s!==!1&&(this.pos+=C[0].length),C)}},bn.prototype.current=function(){return this.string.slice(this.start,this.pos)},bn.prototype.hideFirstChars=function(i,s){this.lineStart+=i;try{return s()}finally{this.lineStart-=i}},bn.prototype.lookAhead=function(i){var s=this.lineOracle;return s&&s.lookAhead(i)},bn.prototype.baseToken=function(){var i=this.lineOracle;return i&&i.baseToken(this.pos)};function Mt(i,s){if(s-=i.first,s<0||s>=i.size)throw new Error("There is no line "+(s+i.first)+" in the document.");for(var p=i;!p.lines;)for(var f=0;;++f){var m=p.children[f],C=m.chunkSize();if(s<C){p=m;break}s-=C}return p.lines[s]}function Fr(i,s,p){var f=[],m=s.line;return i.iter(s.line,p.line+1,function(C){var w=C.text;m==p.line&&(w=w.slice(0,p.ch)),m==s.line&&(w=w.slice(s.ch)),f.push(w),++m}),f}function Na(i,s,p){var f=[];return i.iter(s,p,function(m){f.push(m.text)}),f}function cr(i,s){var p=s-i.height;if(p)for(var f=i;f;f=f.parent)f.height+=p}function un(i){if(i.parent==null)return null;for(var s=i.parent,p=nt(s.lines,i),f=s.parent;f;s=f,f=f.parent)for(var m=0;f.children[m]!=s;++m)p+=f.children[m].chunkSize();return p+s.first}function Br(i,s){var p=i.first;e:do{for(var f=0;f<i.children.length;++f){var m=i.children[f],C=m.height;if(s<C){i=m;continue e}s-=C,p+=m.chunkSize()}return p}while(!i.lines);for(var w=0;w<i.lines.length;++w){var B=i.lines[w],Y=B.height;if(s<Y)break;s-=Y}return p+w}function si(i,s){return s>=i.first&&s<i.first+i.size}function Ia(i,s){return String(i.lineNumberFormatter(s+i.firstLineNumber))}function st(i,s,p){if(p===void 0&&(p=null),!(this instanceof st))return new st(i,s,p);this.line=i,this.ch=s,this.sticky=p}function Bt(i,s){return i.line-s.line||i.ch-s.ch}function qi(i,s){return i.sticky==s.sticky&&Bt(i,s)==0}function la(i){return st(i.line,i.ch)}function Yi(i,s){return Bt(i,s)<0?s:i}function Wi(i,s){return Bt(i,s)<0?i:s}function Za(i,s){return Math.max(i.first,Math.min(s,i.first+i.size-1))}function Ht(i,s){if(s.line<i.first)return st(i.first,0);var p=i.first+i.size-1;return s.line>p?st(p,Mt(i,p).text.length):Ro(s,Mt(i,s.line).text.length)}function Ro(i,s){var p=i.ch;return p==null||p>s?st(i.line,s):p<0?st(i.line,0):i}function No(i,s){for(var p=[],f=0;f<s.length;f++)p[f]=Ht(i,s[f]);return p}var Da=function(i,s){this.state=i,this.lookAhead=s},Cn=function(i,s,p,f){this.state=s,this.doc=i,this.line=p,this.maxLookAhead=f||0,this.baseTokens=null,this.baseTokenPos=1};Cn.prototype.lookAhead=function(i){var s=this.doc.getLine(this.line+i);return s!=null&&i>this.maxLookAhead&&(this.maxLookAhead=i),s},Cn.prototype.baseToken=function(i){if(!this.baseTokens)return null;for(;this.baseTokens[this.baseTokenPos]<=i;)this.baseTokenPos+=2;var s=this.baseTokens[this.baseTokenPos+1];return{type:s&&s.replace(/( |^)overlay .*/,""),size:this.baseTokens[this.baseTokenPos]-i}},Cn.prototype.nextLine=function(){this.line++,this.maxLookAhead>0&&this.maxLookAhead--},Cn.fromSaved=function(i,s,p){return s instanceof Da?new Cn(i,br(i.mode,s.state),p,s.lookAhead):new Cn(i,br(i.mode,s),p)},Cn.prototype.save=function(i){var s=i!==!1?br(this.doc.mode,this.state):this.state;return this.maxLookAhead>0?new Da(s,this.maxLookAhead):s};function Ja(i,s,p,f){var m=[i.state.modeGen],C={};to(i,s.text,i.doc.mode,p,function(J,me){return m.push(J,me)},C,f);for(var w=p.state,B=function(J){p.baseTokens=m;var me=i.state.overlays[J],Te=1,qe=0;p.state=!0,to(i,s.text,me.mode,p,function(Me,Je){for(var ut=Te;qe<Me;){var gt=m[Te];gt>Me&&m.splice(Te,1,Me,m[Te+1],gt),Te+=2,qe=Math.min(Me,gt)}if(!!Je)if(me.opaque)m.splice(ut,Te-ut,Me,"overlay "+Je),Te=ut+2;else for(;ut<Te;ut+=2){var yt=m[ut+1];m[ut+1]=(yt?yt+" ":"")+"overlay "+Je}},C),p.state=w,p.baseTokens=null,p.baseTokenPos=1},Y=0;Y<i.state.overlays.length;++Y)B(Y);return{styles:m,classes:C.bgClass||C.textClass?C:null}}function Vi(i,s,p){if(!s.styles||s.styles[0]!=i.state.modeGen){var f=zi(i,un(s)),m=s.text.length>i.options.maxHighlightLength&&br(i.doc.mode,f.state),C=Ja(i,s,f);m&&(f.state=m),s.stateAfter=f.save(!m),s.styles=C.styles,C.classes?s.styleClasses=C.classes:s.styleClasses&&(s.styleClasses=null),p===i.doc.highlightFrontier&&(i.doc.modeFrontier=Math.max(i.doc.modeFrontier,++i.doc.highlightFrontier))}return s.styles}function zi(i,s,p){var f=i.doc,m=i.display;if(!f.mode.startState)return new Cn(f,!0,s);var C=no(i,s,p),w=C>f.first&&Mt(f,C-1).stateAfter,B=w?Cn.fromSaved(f,w,C):new Cn(f,Ni(f.mode),C);return f.iter(C,s,function(Y){ua(i,Y.text,B);var J=B.line;Y.stateAfter=J==s-1||J%5==0||J>=m.viewFrom&&J<m.viewTo?B.save():null,B.nextLine()}),p&&(f.modeFrontier=B.line),B}function ua(i,s,p,f){var m=i.doc.mode,C=new bn(s,i.options.tabSize,p);for(C.start=C.pos=f||0,s==""&&Ur(m,p.state);!C.eol();)vr(m,C,p.state),C.start=C.pos}function Ur(i,s){if(i.blankLine)return i.blankLine(s);if(!!i.innerMode){var p=sa(i,s);if(p.mode.blankLine)return p.mode.blankLine(p.state)}}function vr(i,s,p,f){for(var m=0;m<10;m++){f&&(f[0]=sa(i,p).mode);var C=i.token(s,p);if(s.pos>s.start)return C}throw new Error("Mode "+i.name+" failed to advance stream.")}var ca=function(i,s,p){this.start=i.start,this.end=i.pos,this.string=i.current(),this.type=s||null,this.state=p};function eo(i,s,p,f){var m=i.doc,C=m.mode,w;s=Ht(m,s);var B=Mt(m,s.line),Y=zi(i,s.line,p),J=new bn(B.text,i.options.tabSize,Y),me;for(f&&(me=[]);(f||J.pos<s.ch)&&!J.eol();)J.start=J.pos,w=vr(C,J,Y.state),f&&me.push(new ca(J,w,br(m.mode,Y.state)));return f?me:new ca(J,w,Y.state)}function Ii(i,s){if(i)for(;;){var p=i.match(/(?:^|\s+)line-(background-)?(\S+)/);if(!p)break;i=i.slice(0,p.index)+i.slice(p.index+p[0].length);var f=p[1]?"bgClass":"textClass";s[f]==null?s[f]=p[2]:new RegExp("(?:^|\\s)"+p[2]+"(?:$|\\s)").test(s[f])||(s[f]+=" "+p[2])}return i}function to(i,s,p,f,m,C,w){var B=p.flattenSpans;B==null&&(B=i.options.flattenSpans);var Y=0,J=null,me=new bn(s,i.options.tabSize,f),Te,qe=i.options.addModeClass&&[null];for(s==""&&Ii(Ur(p,f.state),C);!me.eol();){if(me.pos>i.options.maxHighlightLength?(B=!1,w&&ua(i,s,f,me.pos),me.pos=s.length,Te=null):Te=Ii(vr(p,me,f.state,qe),C),qe){var Me=qe[0].name;Me&&(Te="m-"+(Te?Me+" "+Te:Me))}if(!B||J!=Te){for(;Y<me.start;)Y=Math.min(me.start,Y+5e3),m(Y,J);J=Te}me.start=me.pos}for(;Y<me.pos;){var Je=Math.min(me.pos,Y+5e3);m(Je,J),Y=Je}}function no(i,s,p){for(var f,m,C=i.doc,w=p?-1:s-(i.doc.mode.innerMode?1e3:100),B=s;B>w;--B){if(B<=C.first)return C.first;var Y=Mt(C,B-1),J=Y.stateAfter;if(J&&(!p||B+(J instanceof Da?J.lookAhead:0)<=C.modeFrontier))return B;var me=ct(Y.text,null,i.options.tabSize);(m==null||f>me)&&(m=B-1,f=me)}return m}function ro(i,s){if(i.modeFrontier=Math.min(i.modeFrontier,s),!(i.highlightFrontier<s-10)){for(var p=i.first,f=s-1;f>p;f--){var m=Mt(i,f).stateAfter;if(m&&(!(m instanceof Da)||f+m.lookAhead<s)){p=f+1;break}}i.highlightFrontier=Math.min(i.highlightFrontier,p)}}var Ki=!1,Tr=!1;function io(){Ki=!0}function Io(){Tr=!0}function da(i,s,p){this.marker=i,this.from=s,this.to=p}function dr(i,s){if(i)for(var p=0;p<i.length;++p){var f=i[p];if(f.marker==s)return f}}function fa(i,s){for(var p,f=0;f<i.length;++f)i[f]!=s&&(p||(p=[])).push(i[f]);return p}function ru(i,s,p){var f=p&&window.WeakSet&&(p.markedSpans||(p.markedSpans=new WeakSet));f&&i.markedSpans&&f.has(i.markedSpans)?i.markedSpans.push(s):(i.markedSpans=i.markedSpans?i.markedSpans.concat([s]):[s],f&&f.add(i.markedSpans)),s.marker.attachLine(i)}function ao(i,s,p){var f;if(i)for(var m=0;m<i.length;++m){var C=i[m],w=C.marker,B=C.from==null||(w.inclusiveLeft?C.from<=s:C.from<s);if(B||C.from==s&&w.type=="bookmark"&&(!p||!C.marker.insertLeft)){var Y=C.to==null||(w.inclusiveRight?C.to>=s:C.to>s);(f||(f=[])).push(new da(w,C.from,Y?null:C.to))}}return f}function Di(i,s,p){var f;if(i)for(var m=0;m<i.length;++m){var C=i[m],w=C.marker,B=C.to==null||(w.inclusiveRight?C.to>=s:C.to>s);if(B||C.from==s&&w.type=="bookmark"&&(!p||C.marker.insertLeft)){var Y=C.from==null||(w.inclusiveLeft?C.from<=s:C.from<s);(f||(f=[])).push(new da(w,Y?null:C.from-s,C.to==null?null:C.to-s))}}return f}function oo(i,s){if(s.full)return null;var p=si(i,s.from.line)&&Mt(i,s.from.line).markedSpans,f=si(i,s.to.line)&&Mt(i,s.to.line).markedSpans;if(!p&&!f)return null;var m=s.from.ch,C=s.to.ch,w=Bt(s.from,s.to)==0,B=ao(p,m,w),Y=Di(f,C,w),J=s.text.length==1,me=Ie(s.text).length+(J?m:0);if(B)for(var Te=0;Te<B.length;++Te){var qe=B[Te];if(qe.to==null){var Me=dr(Y,qe.marker);Me?J&&(qe.to=Me.to==null?null:Me.to+me):qe.to=m}}if(Y)for(var Je=0;Je<Y.length;++Je){var ut=Y[Je];if(ut.to!=null&&(ut.to+=me),ut.from==null){var gt=dr(B,ut.marker);gt||(ut.from=me,J&&(B||(B=[])).push(ut))}else ut.from+=me,J&&(B||(B=[])).push(ut)}B&&(B=tl(B)),Y&&Y!=B&&(Y=tl(Y));var yt=[B];if(!J){var Nt=s.text.length-2,Ct;if(Nt>0&&B)for(var xt=0;xt<B.length;++xt)B[xt].to==null&&(Ct||(Ct=[])).push(new da(B[xt].marker,null,null));for(var Gt=0;Gt<Nt;++Gt)yt.push(Ct);yt.push(Y)}return yt}function tl(i){for(var s=0;s<i.length;++s){var p=i[s];p.from!=null&&p.from==p.to&&p.marker.clearWhenEmpty!==!1&&i.splice(s--,1)}return i.length?i:null}function Do(i,s,p){var f=null;if(i.iter(s.line,p.line+1,function(Me){if(Me.markedSpans)for(var Je=0;Je<Me.markedSpans.length;++Je){var ut=Me.markedSpans[Je].marker;ut.readOnly&&(!f||nt(f,ut)==-1)&&(f||(f=[])).push(ut)}}),!f)return null;for(var m=[{from:s,to:p}],C=0;C<f.length;++C)for(var w=f[C],B=w.find(0),Y=0;Y<m.length;++Y){var J=m[Y];if(!(Bt(J.to,B.from)<0||Bt(J.from,B.to)>0)){var me=[Y,1],Te=Bt(J.from,B.from),qe=Bt(J.to,B.to);(Te<0||!w.inclusiveLeft&&!Te)&&me.push({from:J.from,to:B.from}),(qe>0||!w.inclusiveRight&&!qe)&&me.push({from:B.to,to:J.to}),m.splice.apply(m,me),Y+=me.length-3}}return m}function xo(i){var s=i.markedSpans;if(!!s){for(var p=0;p<s.length;++p)s[p].marker.detachLine(i);i.markedSpans=null}}function so(i,s){if(!!s){for(var p=0;p<s.length;++p)s[p].marker.attachLine(i);i.markedSpans=s}}function pa(i){return i.inclusiveLeft?-1:0}function $i(i){return i.inclusiveRight?1:0}function wo(i,s){var p=i.lines.length-s.lines.length;if(p!=0)return p;var f=i.find(),m=s.find(),C=Bt(f.from,m.from)||pa(i)-pa(s);if(C)return-C;var w=Bt(f.to,m.to)||$i(i)-$i(s);return w||s.id-i.id}function _s(i,s){var p=Tr&&i.markedSpans,f;if(p)for(var m=void 0,C=0;C<p.length;++C)m=p[C],m.marker.collapsed&&(s?m.from:m.to)==null&&(!f||wo(f,m.marker)<0)&&(f=m.marker);return f}function Un(i){return _s(i,!0)}function gn(i){return _s(i,!1)}function li(i,s){var p=Tr&&i.markedSpans,f;if(p)for(var m=0;m<p.length;++m){var C=p[m];C.marker.collapsed&&(C.from==null||C.from<s)&&(C.to==null||C.to>s)&&(!f||wo(f,C.marker)<0)&&(f=C.marker)}return f}function _a(i,s,p,f,m){var C=Mt(i,s),w=Tr&&C.markedSpans;if(w)for(var B=0;B<w.length;++B){var Y=w[B];if(!!Y.marker.collapsed){var J=Y.marker.find(0),me=Bt(J.from,p)||pa(Y.marker)-pa(m),Te=Bt(J.to,f)||$i(Y.marker)-$i(m);if(!(me>=0&&Te<=0||me<=0&&Te>=0)&&(me<=0&&(Y.marker.inclusiveRight&&m.inclusiveLeft?Bt(J.to,p)>=0:Bt(J.to,p)>0)||me>=0&&(Y.marker.inclusiveRight&&m.inclusiveLeft?Bt(J.from,f)<=0:Bt(J.from,f)<0)))return!0}}}function er(i){for(var s;s=Un(i);)i=s.find(-1,!0).line;return i}function nl(i){for(var s;s=gn(i);)i=s.find(1,!0).line;return i}function ui(i){for(var s,p;s=gn(i);)i=s.find(1,!0).line,(p||(p=[])).push(i);return p}function Qi(i,s){var p=Mt(i,s),f=er(p);return p==f?s:un(f)}function rl(i,s){if(s>i.lastLine())return s;var p=Mt(i,s),f;if(!xr(i,p))return s;for(;f=gn(p);)p=f.find(1,!0).line;return un(p)+1}function xr(i,s){var p=Tr&&s.markedSpans;if(p){for(var f=void 0,m=0;m<p.length;++m)if(f=p[m],!!f.marker.collapsed){if(f.from==null)return!0;if(!f.marker.widgetNode&&f.from==0&&f.marker.inclusiveLeft&&g(i,s,f))return!0}}}function g(i,s,p){if(p.to==null){var f=p.marker.find(1,!0);return g(i,f.line,dr(f.line.markedSpans,p.marker))}if(p.marker.inclusiveRight&&p.to==s.text.length)return!0;for(var m=void 0,C=0;C<s.markedSpans.length;++C)if(m=s.markedSpans[C],m.marker.collapsed&&!m.marker.widgetNode&&m.from==p.to&&(m.to==null||m.to!=p.from)&&(m.marker.inclusiveLeft||p.marker.inclusiveRight)&&g(i,s,m))return!0}function b(i){i=er(i);for(var s=0,p=i.parent,f=0;f<p.lines.length;++f){var m=p.lines[f];if(m==i)break;s+=m.height}for(var C=p.parent;C;p=C,C=p.parent)for(var w=0;w<C.children.length;++w){var B=C.children[w];if(B==p)break;s+=B.height}return s}function x(i){if(i.height==0)return 0;for(var s=i.text.length,p,f=i;p=Un(f);){var m=p.find(0,!0);f=m.from.line,s+=m.from.ch-m.to.ch}for(f=i;p=gn(f);){var C=p.find(0,!0);s-=f.text.length-C.from.ch,f=C.to.line,s+=f.text.length-C.to.ch}return s}function P(i){var s=i.display,p=i.doc;s.maxLine=Mt(p,p.first),s.maxLineLength=x(s.maxLine),s.maxLineChanged=!0,p.iter(function(f){var m=x(f);m>s.maxLineLength&&(s.maxLineLength=m,s.maxLine=f)})}var j=function(i,s,p){this.text=i,so(this,s),this.height=p?p(this):1};j.prototype.lineNo=function(){return un(this)},an(j);function X(i,s,p,f){i.text=s,i.stateAfter&&(i.stateAfter=null),i.styles&&(i.styles=null),i.order!=null&&(i.order=null),xo(i),so(i,p);var m=f?f(i):1;m!=i.height&&cr(i,m)}function ae(i){i.parent=null,xo(i)}var Ce={},ye={};function Be(i,s){if(!i||/^\s*$/.test(i))return null;var p=s.addModeClass?ye:Ce;return p[i]||(p[i]=i.replace(/\S+/g,"cm-$&"))}function et(i,s){var p=ne("span",null,null,S?"padding-right: .1px":null),f={pre:ne("pre",[p],"CodeMirror-line"),content:p,col:0,pos:0,cm:i,trailingSpace:!1,splitSpaces:i.getOption("lineWrapping")};s.measure={};for(var m=0;m<=(s.rest?s.rest.length:0);m++){var C=m?s.rest[m-1]:s.line,w=void 0;f.pos=0,f.addToken=Ke,ps(i.display.measure)&&(w=ke(C,i.doc.direction))&&(f.addToken=zt(f.addToken,w)),f.map=[];var B=s!=i.display.externalMeasured&&un(C);Qt(C,f,Vi(i,C,B)),C.styleClasses&&(C.styleClasses.bgClass&&(f.bgClass=Ge(C.styleClasses.bgClass,f.bgClass||"")),C.styleClasses.textClass&&(f.textClass=Ge(C.styleClasses.textClass,f.textClass||""))),f.map.length==0&&f.map.push(0,0,f.content.appendChild(Oo(i.display.measure))),m==0?(s.measure.map=f.map,s.measure.cache={}):((s.measure.maps||(s.measure.maps=[])).push(f.map),(s.measure.caches||(s.measure.caches=[])).push({}))}if(S){var Y=f.content.lastChild;(/\bcm-tab\b/.test(Y.className)||Y.querySelector&&Y.querySelector(".cm-tab"))&&(f.content.className="cm-tab-wrap-hack")}return wt(i,"renderLine",i,s.line,f.pre),f.pre.className&&(f.textClass=Ge(f.pre.className,f.textClass||"")),f}function ot(i){var s=V("span","\u2022","cm-invalidchar");return s.title="\\u"+i.charCodeAt(0).toString(16),s.setAttribute("aria-label",s.title),s}function Ke(i,s,p,f,m,C,w){if(!!s){var B=i.splitSpaces?mt(s,i.trailingSpace):s,Y=i.cm.state.specialChars,J=!1,me;if(!Y.test(s))i.col+=s.length,me=document.createTextNode(B),i.map.push(i.pos,i.pos+s.length,me),c&&d<9&&(J=!0),i.pos+=s.length;else{me=document.createDocumentFragment();for(var Te=0;;){Y.lastIndex=Te;var qe=Y.exec(s),Me=qe?qe.index-Te:s.length-Te;if(Me){var Je=document.createTextNode(B.slice(Te,Te+Me));c&&d<9?me.appendChild(V("span",[Je])):me.appendChild(Je),i.map.push(i.pos,i.pos+Me,Je),i.col+=Me,i.pos+=Me}if(!qe)break;Te+=Me+1;var ut=void 0;if(qe[0]=="	"){var gt=i.cm.options.tabSize,yt=gt-i.col%gt;ut=me.appendChild(V("span",Ne(yt),"cm-tab")),ut.setAttribute("role","presentation"),ut.setAttribute("cm-text","	"),i.col+=yt}else qe[0]=="\r"||qe[0]==`
 `?(ut=me.appendChild(V("span",qe[0]=="\r"?"\u240D":"\u2424","cm-invalidchar")),ut.setAttribute("cm-text",qe[0]),i.col+=1):(ut=i.cm.options.specialCharPlaceholder(qe[0]),ut.setAttribute("cm-text",qe[0]),c&&d<9?me.appendChild(V("span",[ut])):me.appendChild(ut),i.col+=1);i.map.push(i.pos,i.pos+1,ut),i.pos++}}if(i.trailingSpace=B.charCodeAt(s.length-1)==32,p||f||m||J||C||w){var Nt=p||"";f&&(Nt+=f),m&&(Nt+=m);var Ct=V("span",[me],Nt,C);if(w)for(var xt in w)w.hasOwnProperty(xt)&&xt!="style"&&xt!="class"&&Ct.setAttribute(xt,w[xt]);return i.content.appendChild(Ct)}i.content.appendChild(me)}}function mt(i,s){if(i.length>1&&!/  /.test(i))return i;for(var p=s,f="",m=0;m<i.length;m++){var C=i.charAt(m);C==" "&&p&&(m==i.length-1||i.charCodeAt(m+1)==32)&&(C="\xA0"),f+=C,p=C==" "}return f}function zt(i,s){return function(p,f,m,C,w,B,Y){m=m?m+" cm-force-border":"cm-force-border";for(var J=p.pos,me=J+f.length;;){for(var Te=void 0,qe=0;qe<s.length&&(Te=s[qe],!(Te.to>J&&Te.from<=J));qe++);if(Te.to>=me)return i(p,f,m,C,w,B,Y);i(p,f.slice(0,Te.to-J),m,C,null,B,Y),C=null,f=f.slice(Te.to-J),J=Te.to}}}function rn(i,s,p,f){var m=!f&&p.widgetNode;m&&i.map.push(i.pos,i.pos+s,m),!f&&i.cm.display.input.needsContentAttribute&&(m||(m=i.content.appendChild(document.createElement("span"))),m.setAttribute("cm-marker",p.id)),m&&(i.cm.display.input.setUneditable(m),i.content.appendChild(m)),i.pos+=s,i.trailingSpace=!1}function Qt(i,s,p){var f=i.markedSpans,m=i.text,C=0;if(!f){for(var w=1;w<p.length;w+=2)s.addToken(s,m.slice(C,C=p[w]),Be(p[w+1],s.cm.options));return}for(var B=m.length,Y=0,J=1,me="",Te,qe,Me=0,Je,ut,gt,yt,Nt;;){if(Me==Y){Je=ut=gt=qe="",Nt=null,yt=null,Me=1/0;for(var Ct=[],xt=void 0,Gt=0;Gt<f.length;++Gt){var Pt=f[Gt],en=Pt.marker;if(en.type=="bookmark"&&Pt.from==Y&&en.widgetNode)Ct.push(en);else if(Pt.from<=Y&&(Pt.to==null||Pt.to>Y||en.collapsed&&Pt.to==Y&&Pt.from==Y)){if(Pt.to!=null&&Pt.to!=Y&&Me>Pt.to&&(Me=Pt.to,ut=""),en.className&&(Je+=" "+en.className),en.css&&(qe=(qe?qe+";":"")+en.css),en.startStyle&&Pt.from==Y&&(gt+=" "+en.startStyle),en.endStyle&&Pt.to==Me&&(xt||(xt=[])).push(en.endStyle,Pt.to),en.title&&((Nt||(Nt={})).title=en.title),en.attributes)for(var Tn in en.attributes)(Nt||(Nt={}))[Tn]=en.attributes[Tn];en.collapsed&&(!yt||wo(yt.marker,en)<0)&&(yt=Pt)}else Pt.from>Y&&Me>Pt.from&&(Me=Pt.from)}if(xt)for(var ir=0;ir<xt.length;ir+=2)xt[ir+1]==Me&&(ut+=" "+xt[ir]);if(!yt||yt.from==Y)for(var Pn=0;Pn<Ct.length;++Pn)rn(s,0,Ct[Pn]);if(yt&&(yt.from||0)==Y){if(rn(s,(yt.to==null?B+1:yt.to)-Y,yt.marker,yt.from==null),yt.to==null)return;yt.to==Y&&(yt=!1)}}if(Y>=B)break;for(var hi=Math.min(B,Me);;){if(me){var $r=Y+me.length;if(!yt){var zn=$r>hi?me.slice(0,hi-Y):me;s.addToken(s,zn,Te?Te+Je:Je,gt,Y+zn.length==Me?ut:"",qe,Nt)}if($r>=hi){me=me.slice(hi-Y),Y=hi;break}Y=$r,gt=""}me=m.slice(C,C=p[J++]),Te=Be(p[J++],s.cm.options)}}}function vn(i,s,p){this.line=s,this.rest=ui(s),this.size=this.rest?un(Ie(this.rest))-p+1:1,this.node=this.text=null,this.hidden=xr(i,s)}function On(i,s,p){for(var f=[],m,C=s;C<p;C=m){var w=new vn(i.doc,Mt(i.doc,C),C);m=C+w.size,f.push(w)}return f}var Gn=null;function kn(i){Gn?Gn.ops.push(i):i.ownsGroup=Gn={ops:[i],delayedCallbacks:[]}}function nn(i){var s=i.delayedCallbacks,p=0;do{for(;p<s.length;p++)s[p].call(null);for(var f=0;f<i.ops.length;f++){var m=i.ops[f];if(m.cursorActivityHandlers)for(;m.cursorActivityCalled<m.cursorActivityHandlers.length;)m.cursorActivityHandlers[m.cursorActivityCalled++].call(null,m.cm)}}while(p<s.length)}function ji(i,s){var p=i.ownsGroup;if(!!p)try{nn(p)}finally{Gn=null,s(p)}}var tn=null;function jt(i,s){var p=pt(i,s);if(!!p.length){var f=Array.prototype.slice.call(arguments,2),m;Gn?m=Gn.delayedCallbacks:tn?m=tn:(m=tn=[],setTimeout(lo,0));for(var C=function(B){m.push(function(){return p[B].apply(null,f)})},w=0;w<p.length;++w)C(w)}}function lo(){var i=tn;tn=null;for(var s=0;s<i.length;++s)i[s]()}function Lo(i,s,p,f){for(var m=0;m<s.changes.length;m++){var C=s.changes[m];C=="text"?Vn(i,s):C=="gutter"?Rn(i,s,p,f):C=="class"?Hr(i,s):C=="widget"&&xi(i,s,f)}s.changes=null}function fr(i){return i.node==i.text&&(i.node=V("div",null,null,"position: relative"),i.text.parentNode&&i.text.parentNode.replaceChild(i.node,i.text),i.node.appendChild(i.text),c&&d<8&&(i.node.style.zIndex=2)),i.node}function wr(i,s){var p=s.bgClass?s.bgClass+" "+(s.line.bgClass||""):s.line.bgClass;if(p&&(p+=" CodeMirror-linebackground"),s.background)p?s.background.className=p:(s.background.parentNode.removeChild(s.background),s.background=null);else if(p){var f=fr(s);s.background=f.insertBefore(V("div",null,p),f.firstChild),i.display.input.setUneditable(s.background)}}function Gr(i,s){var p=i.display.externalMeasured;return p&&p.line==s.line?(i.display.externalMeasured=null,s.measure=p.measure,p.built):et(i,s)}function Vn(i,s){var p=s.text.className,f=Gr(i,s);s.text==s.node&&(s.node=f.pre),s.text.parentNode.replaceChild(f.pre,s.text),s.text=f.pre,f.bgClass!=s.bgClass||f.textClass!=s.textClass?(s.bgClass=f.bgClass,s.textClass=f.textClass,Hr(i,s)):p&&(s.text.className=p)}function Hr(i,s){wr(i,s),s.line.wrapClass?fr(s).className=s.line.wrapClass:s.node!=s.text&&(s.node.className="");var p=s.textClass?s.textClass+" "+(s.line.textClass||""):s.line.textClass;s.text.className=p||""}function Rn(i,s,p,f){if(s.gutter&&(s.node.removeChild(s.gutter),s.gutter=null),s.gutterBackground&&(s.node.removeChild(s.gutterBackground),s.gutterBackground=null),s.line.gutterClass){var m=fr(s);s.gutterBackground=V("div",null,"CodeMirror-gutter-background "+s.line.gutterClass,"left: "+(i.options.fixedGutter?f.fixedPos:-f.gutterTotalWidth)+"px; width: "+f.gutterTotalWidth+"px"),i.display.input.setUneditable(s.gutterBackground),m.insertBefore(s.gutterBackground,s.text)}var C=s.line.gutterMarkers;if(i.options.lineNumbers||C){var w=fr(s),B=s.gutter=V("div",null,"CodeMirror-gutter-wrapper","left: "+(i.options.fixedGutter?f.fixedPos:-f.gutterTotalWidth)+"px");if(B.setAttribute("aria-hidden","true"),i.display.input.setUneditable(B),w.insertBefore(B,s.text),s.line.gutterClass&&(B.className+=" "+s.line.gutterClass),i.options.lineNumbers&&(!C||!C["CodeMirror-linenumbers"])&&(s.lineNumber=B.appendChild(V("div",Ia(i.options,p),"CodeMirror-linenumber CodeMirror-gutter-elt","left: "+f.gutterLeft["CodeMirror-linenumbers"]+"px; width: "+i.display.lineNumInnerWidth+"px"))),C)for(var Y=0;Y<i.display.gutterSpecs.length;++Y){var J=i.display.gutterSpecs[Y].className,me=C.hasOwnProperty(J)&&C[J];me&&B.appendChild(V("div",[me],"CodeMirror-gutter-elt","left: "+f.gutterLeft[J]+"px; width: "+f.gutterWidth[J]+"px"))}}}function xi(i,s,p){s.alignable&&(s.alignable=null);for(var f=K("CodeMirror-linewidget"),m=s.node.firstChild,C=void 0;m;m=C)C=m.nextSibling,f.test(m.className)&&s.node.removeChild(m);ci(i,s,p)}function pr(i,s,p,f){var m=Gr(i,s);return s.text=s.node=m.pre,m.bgClass&&(s.bgClass=m.bgClass),m.textClass&&(s.textClass=m.textClass),Hr(i,s),Rn(i,s,p,f),ci(i,s,f),s.node}function ci(i,s,p){if(uo(i,s.line,s,p,!0),s.rest)for(var f=0;f<s.rest.length;f++)uo(i,s.rest[f],s,p,!1)}function uo(i,s,p,f,m){if(!!s.widgets)for(var C=fr(p),w=0,B=s.widgets;w<B.length;++w){var Y=B[w],J=V("div",[Y.node],"CodeMirror-linewidget"+(Y.className?" "+Y.className:""));Y.handleMouseEvents||J.setAttribute("cm-ignore-events","true"),qr(Y,J,p,f),i.display.input.setUneditable(J),m&&Y.above?C.insertBefore(J,p.gutter||p.text):C.appendChild(J),jt(Y,"redraw")}}function qr(i,s,p,f){if(i.noHScroll){(p.alignable||(p.alignable=[])).push(s);var m=f.wrapperWidth;s.style.left=f.fixedPos+"px",i.coverGutter||(m-=f.gutterTotalWidth,s.style.paddingLeft=f.gutterTotalWidth+"px"),s.style.width=m+"px"}i.coverGutter&&(s.style.zIndex=5,s.style.position="relative",i.noHScroll||(s.style.marginLeft=-f.gutterTotalWidth+"px"))}function co(i){if(i.height!=null)return i.height;var s=i.doc.cm;if(!s)return 0;if(!G(document.body,i.node)){var p="position: relative;";i.coverGutter&&(p+="margin-left: -"+s.display.gutters.offsetWidth+"px;"),i.noHScroll&&(p+="width: "+s.display.wrapper.clientWidth+"px;"),fe(s.display.measure,V("div",[i.node],null,p))}return i.height=i.node.parentNode.offsetHeight}function Jt(i,s){for(var p=Wn(s);p!=i.wrapper;p=p.parentNode)if(!p||p.nodeType==1&&p.getAttribute("cm-ignore-events")=="true"||p.parentNode==i.sizer&&p!=i.mover)return!0}function ma(i){return i.lineSpace.offsetTop}function yr(i){return i.mover.offsetHeight-i.lineSpace.offsetHeight}function ga(i){if(i.cachedPaddingH)return i.cachedPaddingH;var s=fe(i.measure,V("pre","x","CodeMirror-line-like")),p=window.getComputedStyle?window.getComputedStyle(s):s.currentStyle,f={left:parseInt(p.paddingLeft),right:parseInt(p.paddingRight)};return!isNaN(f.left)&&!isNaN(f.right)&&(i.cachedPaddingH=f),f}function Yr(i){return ce-i.display.nativeBarWidth}function Xi(i){return i.display.scroller.clientWidth-Yr(i)-i.display.barWidth}function Mo(i){return i.display.scroller.clientHeight-Yr(i)-i.display.barHeight}function di(i,s,p){var f=i.options.lineWrapping,m=f&&Xi(i);if(!s.measure.heights||f&&s.measure.width!=m){var C=s.measure.heights=[];if(f){s.measure.width=m;for(var w=s.text.firstChild.getClientRects(),B=0;B<w.length-1;B++){var Y=w[B],J=w[B+1];Math.abs(Y.bottom-J.bottom)>2&&C.push((Y.bottom+J.top)/2-p.top)}}C.push(p.bottom-p.top)}}function fi(i,s,p){if(i.line==s)return{map:i.measure.map,cache:i.measure.cache};if(i.rest){for(var f=0;f<i.rest.length;f++)if(i.rest[f]==s)return{map:i.measure.maps[f],cache:i.measure.caches[f]};for(var m=0;m<i.rest.length;m++)if(un(i.rest[m])>p)return{map:i.measure.maps[m],cache:i.measure.caches[m],before:!0}}}function Zi(i,s){s=er(s);var p=un(s),f=i.display.externalMeasured=new vn(i.doc,s,p);f.lineN=p;var m=f.built=et(i,f);return f.text=m.pre,fe(i.display.lineMeasure,m.pre),f}function xa(i,s,p,f){return Cr(i,wi(i,s),p,f)}function pi(i,s){if(s>=i.display.viewFrom&&s<i.display.viewTo)return i.display.view[$(i,s)];var p=i.display.externalMeasured;if(p&&s>=p.lineN&&s<p.lineN+p.size)return p}function wi(i,s){var p=un(s),f=pi(i,p);f&&!f.text?f=null:f&&f.changes&&(Lo(i,f,p,Wr(i)),i.curOp.forceUpdate=!0),f||(f=Zi(i,s));var m=fi(f,s,p);return{line:s,view:f,rect:null,map:m.map,cache:m.cache,before:m.before,hasHeights:!1}}function Cr(i,s,p,f,m){s.before&&(p=-1);var C=p+(f||""),w;return s.cache.hasOwnProperty(C)?w=s.cache[C]:(s.rect||(s.rect=s.view.text.getBoundingClientRect()),s.hasHeights||(di(i,s.view,s.rect),s.hasHeights=!0),w=_i(i,s,p,f),w.bogus||(s.cache[C]=w)),{left:w.left,right:w.right,top:m?w.rtop:w.top,bottom:m?w.rbottom:w.bottom}}var fo={left:0,right:0,top:0,bottom:0};function il(i,s,p){for(var f,m,C,w,B,Y,J=0;J<i.length;J+=3)if(B=i[J],Y=i[J+1],s<B?(m=0,C=1,w="left"):s<Y?(m=s-B,C=m+1):(J==i.length-3||s==Y&&i[J+3]>s)&&(C=Y-B,m=C-1,s>=Y&&(w="right")),m!=null){if(f=i[J+2],B==Y&&p==(f.insertLeft?"left":"right")&&(w=p),p=="left"&&m==0)for(;J&&i[J-2]==i[J-3]&&i[J-1].insertLeft;)f=i[(J-=3)+2],w="left";if(p=="right"&&m==Y-B)for(;J<i.length-3&&i[J+3]==i[J+4]&&!i[J+5].insertLeft;)f=i[(J+=3)+2],w="right";break}return{node:f,start:m,end:C,collapse:w,coverStart:B,coverEnd:Y}}function wa(i,s){var p=fo;if(s=="left")for(var f=0;f<i.length&&(p=i[f]).left==p.right;f++);else for(var m=i.length-1;m>=0&&(p=i[m]).left==p.right;m--);return p}function _i(i,s,p,f){var m=il(s.map,p,f),C=m.node,w=m.start,B=m.end,Y=m.collapse,J;if(C.nodeType==3){for(var me=0;me<4;me++){for(;w&&U(s.line.text.charAt(m.coverStart+w));)--w;for(;m.coverStart+B<m.coverEnd&&U(s.line.text.charAt(m.coverStart+B));)++B;if(c&&d<9&&w==0&&B==m.coverEnd-m.coverStart?J=C.parentNode.getBoundingClientRect():J=wa(te(C,w,B).getClientRects(),f),J.left||J.right||w==0)break;B=w,w=w-1,Y="right"}c&&d<11&&(J=_r(i.display.measure,J))}else{w>0&&(Y=f="right");var Te;i.options.lineWrapping&&(Te=C.getClientRects()).length>1?J=Te[f=="right"?Te.length-1:0]:J=C.getBoundingClientRect()}if(c&&d<9&&!w&&(!J||!J.left&&!J.right)){var qe=C.parentNode.getClientRects()[0];qe?J={left:qe.left,right:qe.left+tr(i.display),top:qe.top,bottom:qe.bottom}:J=fo}for(var Me=J.top-s.rect.top,Je=J.bottom-s.rect.top,ut=(Me+Je)/2,gt=s.view.measure.heights,yt=0;yt<gt.length-1&&!(ut<gt[yt]);yt++);var Nt=yt?gt[yt-1]:0,Ct=gt[yt],xt={left:(Y=="right"?J.right:J.left)-s.rect.left,right:(Y=="left"?J.left:J.right)-s.rect.left,top:Nt,bottom:Ct};return!J.left&&!J.right&&(xt.bogus=!0),i.options.singleCursorHeightPerLine||(xt.rtop=Me,xt.rbottom=Je),xt}function _r(i,s){if(!window.screen||screen.logicalXDPI==null||screen.logicalXDPI==screen.deviceXDPI||!Xa(i))return s;var p=screen.logicalXDPI/screen.deviceXDPI,f=screen.logicalYDPI/screen.deviceYDPI;return{left:s.left*p,right:s.right*p,top:s.top*f,bottom:s.bottom*f}}function ko(i){if(i.measure&&(i.measure.cache={},i.measure.heights=null,i.rest))for(var s=0;s<i.rest.length;s++)i.measure.caches[s]={}}function Ji(i){i.display.externalMeasure=null,Z(i.display.lineMeasure);for(var s=0;s<i.display.view.length;s++)ko(i.display.view[s])}function mi(i){Ji(i),i.display.cachedCharWidth=i.display.cachedTextHeight=i.display.cachedPaddingH=null,i.options.lineWrapping||(i.display.maxLineChanged=!0),i.display.lineNumChars=null}function Se(i){return E&&N?-(i.body.getBoundingClientRect().left-parseInt(getComputedStyle(i.body).marginLeft)):i.defaultView.pageXOffset||(i.documentElement||i.body).scrollLeft}function xe(i){return E&&N?-(i.body.getBoundingClientRect().top-parseInt(getComputedStyle(i.body).marginTop)):i.defaultView.pageYOffset||(i.documentElement||i.body).scrollTop}function We(i){var s=er(i),p=s.widgets,f=0;if(p)for(var m=0;m<p.length;++m)p[m].above&&(f+=co(p[m]));return f}function Qe(i,s,p,f,m){if(!m){var C=We(s);p.top+=C,p.bottom+=C}if(f=="line")return p;f||(f="local");var w=b(s);if(f=="local"?w+=ma(i.display):w-=i.display.viewOffset,f=="page"||f=="window"){var B=i.display.lineSpace.getBoundingClientRect();w+=B.top+(f=="window"?0:xe(W(i)));var Y=B.left+(f=="window"?0:Se(W(i)));p.left+=Y,p.right+=Y}return p.top+=w,p.bottom+=w,p}function it(i,s,p){if(p=="div")return s;var f=s.left,m=s.top;if(p=="page")f-=Se(W(i)),m-=xe(W(i));else if(p=="local"||!p){var C=i.display.sizer.getBoundingClientRect();f+=C.left,m+=C.top}var w=i.display.lineSpace.getBoundingClientRect();return{left:f-w.left,top:m-w.top}}function vt(i,s,p,f,m){return f||(f=Mt(i.doc,s.line)),Qe(i,f,xa(i,f,s.ch,m),p)}function St(i,s,p,f,m,C){f=f||Mt(i.doc,s.line),m||(m=wi(i,f));function w(Je,ut){var gt=Cr(i,m,Je,ut?"right":"left",C);return ut?gt.left=gt.right:gt.right=gt.left,Qe(i,f,gt,p)}var B=ke(f,i.doc.direction),Y=s.ch,J=s.sticky;if(Y>=f.text.length?(Y=f.text.length,J="before"):Y<=0&&(Y=0,J="after"),!B)return w(J=="before"?Y-1:Y,J=="before");function me(Je,ut,gt){var yt=B[ut],Nt=yt.level==1;return w(gt?Je-1:Je,Nt!=gt)}var Te=je(B,Y,J),qe=Xe,Me=me(Y,Te,J=="before");return qe!=null&&(Me.other=me(Y,qe,J!="before")),Me}function Dt(i,s){var p=0;s=Ht(i.doc,s),i.options.lineWrapping||(p=tr(i.display)*s.ch);var f=Mt(i.doc,s.line),m=b(f)+ma(i.display);return{left:p,right:p,top:m,bottom:m+f.height}}function Ot(i,s,p,f,m){var C=st(i,s,p);return C.xRel=m,f&&(C.outside=f),C}function Kt(i,s,p){var f=i.doc;if(p+=i.display.viewOffset,p<0)return Ot(f.first,0,null,-1,-1);var m=Br(f,p),C=f.first+f.size-1;if(m>C)return Ot(f.first+f.size-1,Mt(f,C).text.length,null,1,1);s<0&&(s=0);for(var w=Mt(f,m);;){var B=qt(i,w,m,s,p),Y=li(w,B.ch+(B.xRel>0||B.outside>0?1:0));if(!Y)return B;var J=Y.find(1);if(J.line==m)return J;w=Mt(f,m=J.line)}}function Wt(i,s,p,f){f-=We(s);var m=s.text.length,C=he(function(w){return Cr(i,p,w-1).bottom<=f},m,0);return m=he(function(w){return Cr(i,p,w).top>f},C,m),{begin:C,end:m}}function Vt(i,s,p,f){p||(p=wi(i,s));var m=Qe(i,s,Cr(i,p,f),"line").top;return Wt(i,s,p,m)}function $t(i,s,p,f){return i.bottom<=p?!1:i.top>p?!0:(f?i.left:i.right)>s}function qt(i,s,p,f,m){m-=b(s);var C=wi(i,s),w=We(s),B=0,Y=s.text.length,J=!0,me=ke(s,i.doc.direction);if(me){var Te=(i.options.lineWrapping?An:fn)(i,s,p,C,me,f,m);J=Te.level!=1,B=J?Te.from:Te.to-1,Y=J?Te.to:Te.from-1}var qe=null,Me=null,Je=he(function(Gt){var Pt=Cr(i,C,Gt);return Pt.top+=w,Pt.bottom+=w,$t(Pt,f,m,!1)?(Pt.top<=m&&Pt.left<=f&&(qe=Gt,Me=Pt),!0):!1},B,Y),ut,gt,yt=!1;if(Me){var Nt=f-Me.left<Me.right-f,Ct=Nt==J;Je=qe+(Ct?0:1),gt=Ct?"after":"before",ut=Nt?Me.left:Me.right}else{!J&&(Je==Y||Je==B)&&Je++,gt=Je==0?"after":Je==s.text.length?"before":Cr(i,C,Je-(J?1:0)).bottom+w<=m==J?"after":"before";var xt=St(i,st(p,Je,gt),"line",s,C);ut=xt.left,yt=m<xt.top?-1:m>=xt.bottom?1:0}return Je=Q(s.text,Je,1),Ot(p,Je,gt,yt,f-ut)}function fn(i,s,p,f,m,C,w){var B=he(function(Te){var qe=m[Te],Me=qe.level!=1;return $t(St(i,st(p,Me?qe.to:qe.from,Me?"before":"after"),"line",s,f),C,w,!0)},0,m.length-1),Y=m[B];if(B>0){var J=Y.level!=1,me=St(i,st(p,J?Y.from:Y.to,J?"after":"before"),"line",s,f);$t(me,C,w,!0)&&me.top>w&&(Y=m[B-1])}return Y}function An(i,s,p,f,m,C,w){var B=Wt(i,s,f,w),Y=B.begin,J=B.end;/\s/.test(s.text.charAt(J-1))&&J--;for(var me=null,Te=null,qe=0;qe<m.length;qe++){var Me=m[qe];if(!(Me.from>=J||Me.to<=Y)){var Je=Me.level!=1,ut=Cr(i,f,Je?Math.min(J,Me.to)-1:Math.max(Y,Me.from)).right,gt=ut<C?C-ut+1e9:ut-C;(!me||Te>gt)&&(me=Me,Te=gt)}}return me||(me=m[m.length-1]),me.from<Y&&(me={from:Y,to:me.to,level:me.level}),me.to>J&&(me={from:me.from,to:J,level:me.level}),me}var Nn;function Hn(i){if(i.cachedTextHeight!=null)return i.cachedTextHeight;if(Nn==null){Nn=V("pre",null,"CodeMirror-line-like");for(var s=0;s<49;++s)Nn.appendChild(document.createTextNode("x")),Nn.appendChild(V("br"));Nn.appendChild(document.createTextNode("x"))}fe(i.measure,Nn);var p=Nn.offsetHeight/50;return p>3&&(i.cachedTextHeight=p),Z(i.measure),p||1}function tr(i){if(i.cachedCharWidth!=null)return i.cachedCharWidth;var s=V("span","xxxxxxxxxx"),p=V("pre",[s],"CodeMirror-line-like");fe(i.measure,p);var f=s.getBoundingClientRect(),m=(f.right-f.left)/10;return m>2&&(i.cachedCharWidth=m),m||10}function Wr(i){for(var s=i.display,p={},f={},m=s.gutters.clientLeft,C=s.gutters.firstChild,w=0;C;C=C.nextSibling,++w){var B=i.display.gutterSpecs[w].className;p[B]=C.offsetLeft+C.clientLeft+m,f[B]=C.clientWidth}return{fixedPos:q(s),gutterTotalWidth:s.gutters.offsetWidth,gutterLeft:p,gutterWidth:f,wrapperWidth:s.wrapper.clientWidth}}function q(i){return i.scroller.getBoundingClientRect().left-i.sizer.getBoundingClientRect().left}function ie(i){var s=Hn(i.display),p=i.options.lineWrapping,f=p&&Math.max(5,i.display.scroller.clientWidth/tr(i.display)-3);return function(m){if(xr(i.doc,m))return 0;var C=0;if(m.widgets)for(var w=0;w<m.widgets.length;w++)m.widgets[w].height&&(C+=m.widgets[w].height);return p?C+(Math.ceil(m.text.length/f)||1)*s:C+s}}function re(i){var s=i.doc,p=ie(i);s.iter(function(f){var m=p(f);m!=f.height&&cr(f,m)})}function D(i,s,p,f){var m=i.display;if(!p&&Wn(s).getAttribute("cm-not-content")=="true")return null;var C,w,B=m.lineSpace.getBoundingClientRect();try{C=s.clientX-B.left,w=s.clientY-B.top}catch{return null}var Y=Kt(i,C,w),J;if(f&&Y.xRel>0&&(J=Mt(i.doc,Y.line).text).length==Y.ch){var me=ct(J,J.length,i.options.tabSize)-J.length;Y=st(Y.line,Math.max(0,Math.round((C-ga(i.display).left)/tr(i.display))-me))}return Y}function $(i,s){if(s>=i.display.viewTo||(s-=i.display.viewFrom,s<0))return null;for(var p=i.display.view,f=0;f<p.length;f++)if(s-=p[f].size,s<0)return f}function le(i,s,p,f){s==null&&(s=i.doc.first),p==null&&(p=i.doc.first+i.doc.size),f||(f=0);var m=i.display;if(f&&p<m.viewTo&&(m.updateLineNumbers==null||m.updateLineNumbers>s)&&(m.updateLineNumbers=s),i.curOp.viewChanged=!0,s>=m.viewTo)Tr&&Qi(i.doc,s)<m.viewTo&&Pe(i);else if(p<=m.viewFrom)Tr&&rl(i.doc,p+f)>m.viewFrom?Pe(i):(m.viewFrom+=f,m.viewTo+=f);else if(s<=m.viewFrom&&p>=m.viewTo)Pe(i);else if(s<=m.viewFrom){var C=Ye(i,p,p+f,1);C?(m.view=m.view.slice(C.index),m.viewFrom=C.lineN,m.viewTo+=f):Pe(i)}else if(p>=m.viewTo){var w=Ye(i,s,s,-1);w?(m.view=m.view.slice(0,w.index),m.viewTo=w.lineN):Pe(i)}else{var B=Ye(i,s,s,-1),Y=Ye(i,p,p+f,1);B&&Y?(m.view=m.view.slice(0,B.index).concat(On(i,B.lineN,Y.lineN)).concat(m.view.slice(Y.index)),m.viewTo+=f):Pe(i)}var J=m.externalMeasured;J&&(p<J.lineN?J.lineN+=f:s<J.lineN+J.size&&(m.externalMeasured=null))}function Ae(i,s,p){i.curOp.viewChanged=!0;var f=i.display,m=i.display.externalMeasured;if(m&&s>=m.lineN&&s<m.lineN+m.size&&(f.externalMeasured=null),!(s<f.viewFrom||s>=f.viewTo)){var C=f.view[$(i,s)];if(C.node!=null){var w=C.changes||(C.changes=[]);nt(w,p)==-1&&w.push(p)}}}function Pe(i){i.display.viewFrom=i.display.viewTo=i.doc.first,i.display.view=[],i.display.viewOffset=0}function Ye(i,s,p,f){var m=$(i,s),C,w=i.display.view;if(!Tr||p==i.doc.first+i.doc.size)return{index:m,lineN:p};for(var B=i.display.viewFrom,Y=0;Y<m;Y++)B+=w[Y].size;if(B!=s){if(f>0){if(m==w.length-1)return null;C=B+w[m].size-s,m++}else C=B-s;s+=C,p+=C}for(;Qi(i.doc,p)!=p;){if(m==(f<0?0:w.length-1))return null;p+=f*w[m-(f<0?1:0)].size,m+=f}return{index:m,lineN:p}}function ft(i,s,p){var f=i.display,m=f.view;m.length==0||s>=f.viewTo||p<=f.viewFrom?(f.view=On(i,s,p),f.viewFrom=s):(f.viewFrom>s?f.view=On(i,s,f.viewFrom).concat(f.view):f.viewFrom<s&&(f.view=f.view.slice($(i,s))),f.viewFrom=s,f.viewTo<p?f.view=f.view.concat(On(i,f.viewTo,p)):f.viewTo>p&&(f.view=f.view.slice(0,$(i,p)))),f.viewTo=p}function Tt(i){for(var s=i.display.view,p=0,f=0;f<s.length;f++){var m=s[f];!m.hidden&&(!m.node||m.changes)&&++p}return p}function ht(i){i.display.input.showSelection(i.display.input.prepareSelection())}function kt(i,s){s===void 0&&(s=!0);var p=i.doc,f={},m=f.cursors=document.createDocumentFragment(),C=f.selection=document.createDocumentFragment(),w=i.options.$customCursor;w&&(s=!0);for(var B=0;B<p.sel.ranges.length;B++)if(!(!s&&B==p.sel.primIndex)){var Y=p.sel.ranges[B];if(!(Y.from().line>=i.display.viewTo||Y.to().line<i.display.viewFrom)){var J=Y.empty();if(w){var me=w(i,Y);me&&Yt(i,me,m)}else(J||i.options.showCursorWhenSelecting)&&Yt(i,Y.head,m);J||dn(i,Y,C)}}return f}function Yt(i,s,p){var f=St(i,s,"div",null,null,!i.options.singleCursorHeightPerLine),m=p.appendChild(V("div","\xA0","CodeMirror-cursor"));if(m.style.left=f.left+"px",m.style.top=f.top+"px",m.style.height=Math.max(0,f.bottom-f.top)*i.options.cursorHeight+"px",/\bcm-fat-cursor\b/.test(i.getWrapperElement().className)){var C=vt(i,s,"div",null,null),w=C.right-C.left;m.style.width=(w>0?w:i.defaultCharWidth())+"px"}if(f.other){var B=p.appendChild(V("div","\xA0","CodeMirror-cursor CodeMirror-secondarycursor"));B.style.display="",B.style.left=f.other.left+"px",B.style.top=f.other.top+"px",B.style.height=(f.other.bottom-f.other.top)*.85+"px"}}function Ut(i,s){return i.top-s.top||i.left-s.left}function dn(i,s,p){var f=i.display,m=i.doc,C=document.createDocumentFragment(),w=ga(i.display),B=w.left,Y=Math.max(f.sizerWidth,Xi(i)-f.sizer.offsetLeft)-w.right,J=m.direction=="ltr";function me(Ct,xt,Gt,Pt){xt<0&&(xt=0),xt=Math.round(xt),Pt=Math.round(Pt),C.appendChild(V("div",null,"CodeMirror-selected","position: absolute; left: "+Ct+`px;
                              top: `+xt+"px; width: "+(Gt==null?Y-Ct:Gt)+`px;
-                             height: `+(Pt-xt)+"px"))}function Te(Ct,xt,Gt){var Pt=Mt(m,Ct),en=Pt.text.length,Tn,ir;function Pn(zn,Qr){return vt(i,st(Ct,zn),"div",Pt,Qr)}function hi(zn,Qr,mr){var jn=Vt(i,Pt,null,zn),Kn=Qr=="ltr"==(mr=="after")?"left":"right",Bn=mr=="after"?jn.begin:jn.end-(/\s/.test(Pt.text.charAt(jn.end-1))?2:1);return Pn(Bn,Kn)[Kn]}var $r=ke(Pt,m.direction);return Le($r,xt||0,Gt==null?en:Gt,function(zn,Qr,mr,jn){var Kn=mr=="ltr",Bn=Pn(zn,Kn?"left":"right"),jr=Pn(Qr-1,Kn?"right":"left"),hl=xt==null&&zn==0,Ho=Gt==null&&Qr==en,Rr=jn==0,La=!$r||jn==$r.length-1;if(jr.top-Bn.top<=3){var ar=(J?hl:Ho)&&Rr,ip=(J?Ho:hl)&&La,mo=ar?B:(Kn?Bn:jr).left,Ss=ip?Y:(Kn?jr:Bn).right;me(mo,Bn.top,Ss-mo,Bn.bottom)}else{var bs,Mr,El,ap;Kn?(bs=J&&hl&&Rr?B:Bn.left,Mr=J?Y:hi(zn,mr,"before"),El=J?B:hi(Qr,mr,"after"),ap=J&&Ho&&La?Y:jr.right):(bs=J?hi(zn,mr,"before"):B,Mr=!J&&hl&&Rr?Y:Bn.right,El=!J&&Ho&&La?B:jr.left,ap=J?hi(Qr,mr,"after"):Y),me(bs,Bn.top,Mr-bs,Bn.bottom),Bn.bottom<jr.top&&me(B,Bn.bottom,null,jr.top),me(El,jr.top,ap-El,jr.bottom)}(!Tn||Ut(Bn,Tn)<0)&&(Tn=Bn),Ut(jr,Tn)<0&&(Tn=jr),(!ir||Ut(Bn,ir)<0)&&(ir=Bn),Ut(jr,ir)<0&&(ir=jr)}),{start:Tn,end:ir}}var qe=s.from(),Me=s.to();if(qe.line==Me.line)Te(qe.line,qe.ch,Me.ch);else{var Je=Mt(m,qe.line),ut=Mt(m,Me.line),gt=er(Je)==er(ut),yt=Te(qe.line,qe.ch,gt?Je.text.length+1:null).end,Nt=Te(Me.line,gt?0:null,Me.ch).start;gt&&(yt.top<Nt.top-2?(me(yt.right,yt.top,null,yt.bottom),me(B,Nt.top,Nt.left,Nt.bottom)):me(yt.right,yt.top,Nt.left-yt.right,yt.bottom)),yt.bottom<Nt.top&&me(B,yt.bottom,null,Nt.top)}p.appendChild(C)}function Ar(i){if(!!i.state.focused){var s=i.display;clearInterval(s.blinker);var p=!0;s.cursorDiv.style.visibility="",i.options.cursorBlinkRate>0?s.blinker=setInterval(function(){i.hasFocus()||al(i),s.cursorDiv.style.visibility=(p=!p)?"":"hidden"},i.options.cursorBlinkRate):i.options.cursorBlinkRate<0&&(s.cursorDiv.style.visibility="hidden")}}function Vr(i){i.hasFocus()||(i.display.input.focus(),i.state.focused||ea(i))}function zr(i){i.state.delayingBlurEvent=!0,setTimeout(function(){i.state.delayingBlurEvent&&(i.state.delayingBlurEvent=!1,i.state.focused&&al(i))},100)}function ea(i,s){i.state.delayingBlurEvent&&!i.state.draggingText&&(i.state.delayingBlurEvent=!1),i.options.readOnly!="nocursor"&&(i.state.focused||(wt(i,"focus",i,s),i.state.focused=!0,ve(i.display.wrapper,"CodeMirror-focused"),!i.curOp&&i.display.selForContextMenu!=i.doc.sel&&(i.display.input.reset(),S&&setTimeout(function(){return i.display.input.reset(!0)},20)),i.display.input.receivedFocus()),Ar(i))}function al(i,s){i.state.delayingBlurEvent||(i.state.focused&&(wt(i,"blur",i,s),i.state.focused=!1,ue(i.display.wrapper,"CodeMirror-focused")),clearInterval(i.display.blinker),setTimeout(function(){i.state.focused||(i.display.shift=!1)},150))}function Cc(i){for(var s=i.display,p=s.lineDiv.offsetTop,f=Math.max(0,s.scroller.getBoundingClientRect().top),m=s.lineDiv.getBoundingClientRect().top,C=0,w=0;w<s.view.length;w++){var B=s.view[w],Y=i.options.lineWrapping,J=void 0,me=0;if(!B.hidden){if(m+=B.line.height,c&&d<8){var Te=B.node.offsetTop+B.node.offsetHeight;J=Te-p,p=Te}else{var qe=B.node.getBoundingClientRect();J=qe.bottom-qe.top,!Y&&B.text.firstChild&&(me=B.text.firstChild.getBoundingClientRect().right-qe.left-1)}var Me=B.line.height-J;if((Me>.005||Me<-.005)&&(m<f&&(C-=Me),cr(B.line,J),DS(B.line),B.rest))for(var Je=0;Je<B.rest.length;Je++)DS(B.rest[Je]);if(me>i.display.sizerWidth){var ut=Math.ceil(me/tr(i.display));ut>i.display.maxLineLength&&(i.display.maxLineLength=ut,i.display.maxLine=B.line,i.display.maxLineChanged=!0)}}}Math.abs(C)>2&&(s.scroller.scrollTop+=C)}function DS(i){if(i.widgets)for(var s=0;s<i.widgets.length;++s){var p=i.widgets[s],f=p.node.parentNode;f&&(p.height=f.offsetHeight)}}function Ac(i,s,p){var f=p&&p.top!=null?Math.max(0,p.top):i.scroller.scrollTop;f=Math.floor(f-ma(i));var m=p&&p.bottom!=null?p.bottom:f+i.wrapper.clientHeight,C=Br(s,f),w=Br(s,m);if(p&&p.ensure){var B=p.ensure.from.line,Y=p.ensure.to.line;B<C?(C=B,w=Br(s,b(Mt(s,B))+i.wrapper.clientHeight)):Math.min(Y,s.lastLine())>=w&&(C=Br(s,b(Mt(s,Y))-i.wrapper.clientHeight),w=Y)}return{from:C,to:Math.max(w,C+1)}}function hI(i,s){if(!Lt(i,"scrollCursorIntoView")){var p=i.display,f=p.sizer.getBoundingClientRect(),m=null,C=p.wrapper.ownerDocument;if(s.top+f.top<0?m=!0:s.bottom+f.top>(C.defaultView.innerHeight||C.documentElement.clientHeight)&&(m=!1),m!=null&&!A){var w=V("div","\u200B",null,`position: absolute;
+                             height: `+(Pt-xt)+"px"))}function Te(Ct,xt,Gt){var Pt=Mt(m,Ct),en=Pt.text.length,Tn,ir;function Pn(zn,Qr){return vt(i,st(Ct,zn),"div",Pt,Qr)}function hi(zn,Qr,mr){var jn=Vt(i,Pt,null,zn),Kn=Qr=="ltr"==(mr=="after")?"left":"right",Bn=mr=="after"?jn.begin:jn.end-(/\s/.test(Pt.text.charAt(jn.end-1))?2:1);return Pn(Bn,Kn)[Kn]}var $r=ke(Pt,m.direction);return Le($r,xt||0,Gt==null?en:Gt,function(zn,Qr,mr,jn){var Kn=mr=="ltr",Bn=Pn(zn,Kn?"left":"right"),jr=Pn(Qr-1,Kn?"right":"left"),hl=xt==null&&zn==0,Ho=Gt==null&&Qr==en,Rr=jn==0,La=!$r||jn==$r.length-1;if(jr.top-Bn.top<=3){var ar=(J?hl:Ho)&&Rr,ip=(J?Ho:hl)&&La,mo=ar?B:(Kn?Bn:jr).left,Ss=ip?Y:(Kn?jr:Bn).right;me(mo,Bn.top,Ss-mo,Bn.bottom)}else{var bs,Mr,El,ap;Kn?(bs=J&&hl&&Rr?B:Bn.left,Mr=J?Y:hi(zn,mr,"before"),El=J?B:hi(Qr,mr,"after"),ap=J&&Ho&&La?Y:jr.right):(bs=J?hi(zn,mr,"before"):B,Mr=!J&&hl&&Rr?Y:Bn.right,El=!J&&Ho&&La?B:jr.left,ap=J?hi(Qr,mr,"after"):Y),me(bs,Bn.top,Mr-bs,Bn.bottom),Bn.bottom<jr.top&&me(B,Bn.bottom,null,jr.top),me(El,jr.top,ap-El,jr.bottom)}(!Tn||Ut(Bn,Tn)<0)&&(Tn=Bn),Ut(jr,Tn)<0&&(Tn=jr),(!ir||Ut(Bn,ir)<0)&&(ir=Bn),Ut(jr,ir)<0&&(ir=jr)}),{start:Tn,end:ir}}var qe=s.from(),Me=s.to();if(qe.line==Me.line)Te(qe.line,qe.ch,Me.ch);else{var Je=Mt(m,qe.line),ut=Mt(m,Me.line),gt=er(Je)==er(ut),yt=Te(qe.line,qe.ch,gt?Je.text.length+1:null).end,Nt=Te(Me.line,gt?0:null,Me.ch).start;gt&&(yt.top<Nt.top-2?(me(yt.right,yt.top,null,yt.bottom),me(B,Nt.top,Nt.left,Nt.bottom)):me(yt.right,yt.top,Nt.left-yt.right,yt.bottom)),yt.bottom<Nt.top&&me(B,yt.bottom,null,Nt.top)}p.appendChild(C)}function Ar(i){if(!!i.state.focused){var s=i.display;clearInterval(s.blinker);var p=!0;s.cursorDiv.style.visibility="",i.options.cursorBlinkRate>0?s.blinker=setInterval(function(){i.hasFocus()||al(i),s.cursorDiv.style.visibility=(p=!p)?"":"hidden"},i.options.cursorBlinkRate):i.options.cursorBlinkRate<0&&(s.cursorDiv.style.visibility="hidden")}}function Vr(i){i.hasFocus()||(i.display.input.focus(),i.state.focused||ea(i))}function zr(i){i.state.delayingBlurEvent=!0,setTimeout(function(){i.state.delayingBlurEvent&&(i.state.delayingBlurEvent=!1,i.state.focused&&al(i))},100)}function ea(i,s){i.state.delayingBlurEvent&&!i.state.draggingText&&(i.state.delayingBlurEvent=!1),i.options.readOnly!="nocursor"&&(i.state.focused||(wt(i,"focus",i,s),i.state.focused=!0,ve(i.display.wrapper,"CodeMirror-focused"),!i.curOp&&i.display.selForContextMenu!=i.doc.sel&&(i.display.input.reset(),S&&setTimeout(function(){return i.display.input.reset(!0)},20)),i.display.input.receivedFocus()),Ar(i))}function al(i,s){i.state.delayingBlurEvent||(i.state.focused&&(wt(i,"blur",i,s),i.state.focused=!1,ue(i.display.wrapper,"CodeMirror-focused")),clearInterval(i.display.blinker),setTimeout(function(){i.state.focused||(i.display.shift=!1)},150))}function Cc(i){for(var s=i.display,p=s.lineDiv.offsetTop,f=Math.max(0,s.scroller.getBoundingClientRect().top),m=s.lineDiv.getBoundingClientRect().top,C=0,w=0;w<s.view.length;w++){var B=s.view[w],Y=i.options.lineWrapping,J=void 0,me=0;if(!B.hidden){if(m+=B.line.height,c&&d<8){var Te=B.node.offsetTop+B.node.offsetHeight;J=Te-p,p=Te}else{var qe=B.node.getBoundingClientRect();J=qe.bottom-qe.top,!Y&&B.text.firstChild&&(me=B.text.firstChild.getBoundingClientRect().right-qe.left-1)}var Me=B.line.height-J;if((Me>.005||Me<-.005)&&(m<f&&(C-=Me),cr(B.line,J),xS(B.line),B.rest))for(var Je=0;Je<B.rest.length;Je++)xS(B.rest[Je]);if(me>i.display.sizerWidth){var ut=Math.ceil(me/tr(i.display));ut>i.display.maxLineLength&&(i.display.maxLineLength=ut,i.display.maxLine=B.line,i.display.maxLineChanged=!0)}}}Math.abs(C)>2&&(s.scroller.scrollTop+=C)}function xS(i){if(i.widgets)for(var s=0;s<i.widgets.length;++s){var p=i.widgets[s],f=p.node.parentNode;f&&(p.height=f.offsetHeight)}}function Ac(i,s,p){var f=p&&p.top!=null?Math.max(0,p.top):i.scroller.scrollTop;f=Math.floor(f-ma(i));var m=p&&p.bottom!=null?p.bottom:f+i.wrapper.clientHeight,C=Br(s,f),w=Br(s,m);if(p&&p.ensure){var B=p.ensure.from.line,Y=p.ensure.to.line;B<C?(C=B,w=Br(s,b(Mt(s,B))+i.wrapper.clientHeight)):Math.min(Y,s.lastLine())>=w&&(C=Br(s,b(Mt(s,Y))-i.wrapper.clientHeight),w=Y)}return{from:C,to:Math.max(w,C+1)}}function SI(i,s){if(!Lt(i,"scrollCursorIntoView")){var p=i.display,f=p.sizer.getBoundingClientRect(),m=null,C=p.wrapper.ownerDocument;if(s.top+f.top<0?m=!0:s.bottom+f.top>(C.defaultView.innerHeight||C.documentElement.clientHeight)&&(m=!1),m!=null&&!A){var w=V("div","\u200B",null,`position: absolute;
                          top: `+(s.top-p.viewOffset-ma(i.display))+`px;
                          height: `+(s.bottom-s.top+Yr(i)+p.barHeight)+`px;
-                         left: `+s.left+"px; width: "+Math.max(2,s.right-s.left)+"px;");i.display.lineSpace.appendChild(w),w.scrollIntoView(m),i.display.lineSpace.removeChild(w)}}}function EI(i,s,p,f){f==null&&(f=0);var m;!i.options.lineWrapping&&s==p&&(p=s.sticky=="before"?st(s.line,s.ch+1,"before"):s,s=s.ch?st(s.line,s.sticky=="before"?s.ch-1:s.ch,"after"):s);for(var C=0;C<5;C++){var w=!1,B=St(i,s),Y=!p||p==s?B:St(i,p);m={left:Math.min(B.left,Y.left),top:Math.min(B.top,Y.top)-f,right:Math.max(B.left,Y.left),bottom:Math.max(B.bottom,Y.bottom)+f};var J=kf(i,m),me=i.doc.scrollTop,Te=i.doc.scrollLeft;if(J.scrollTop!=null&&(ou(i,J.scrollTop),Math.abs(i.doc.scrollTop-me)>1&&(w=!0)),J.scrollLeft!=null&&(ms(i,J.scrollLeft),Math.abs(i.doc.scrollLeft-Te)>1&&(w=!0)),!w)break}return m}function SI(i,s){var p=kf(i,s);p.scrollTop!=null&&ou(i,p.scrollTop),p.scrollLeft!=null&&ms(i,p.scrollLeft)}function kf(i,s){var p=i.display,f=Hn(i.display);s.top<0&&(s.top=0);var m=i.curOp&&i.curOp.scrollTop!=null?i.curOp.scrollTop:p.scroller.scrollTop,C=Mo(i),w={};s.bottom-s.top>C&&(s.bottom=s.top+C);var B=i.doc.height+yr(p),Y=s.top<f,J=s.bottom>B-f;if(s.top<m)w.scrollTop=Y?0:s.top;else if(s.bottom>m+C){var me=Math.min(s.top,(J?B:s.bottom)-C);me!=m&&(w.scrollTop=me)}var Te=i.options.fixedGutter?0:p.gutters.offsetWidth,qe=i.curOp&&i.curOp.scrollLeft!=null?i.curOp.scrollLeft:p.scroller.scrollLeft-Te,Me=Xi(i)-p.gutters.offsetWidth,Je=s.right-s.left>Me;return Je&&(s.right=s.left+Me),s.left<10?w.scrollLeft=0:s.left<qe?w.scrollLeft=Math.max(0,s.left+Te-(Je?0:10)):s.right>Me+qe-3&&(w.scrollLeft=s.right+(Je?0:10)-Me),w}function Pf(i,s){s!=null&&(Oc(i),i.curOp.scrollTop=(i.curOp.scrollTop==null?i.doc.scrollTop:i.curOp.scrollTop)+s)}function ol(i){Oc(i);var s=i.getCursor();i.curOp.scrollToPos={from:s,to:s,margin:i.options.cursorScrollMargin}}function au(i,s,p){(s!=null||p!=null)&&Oc(i),s!=null&&(i.curOp.scrollLeft=s),p!=null&&(i.curOp.scrollTop=p)}function bI(i,s){Oc(i),i.curOp.scrollToPos=s}function Oc(i){var s=i.curOp.scrollToPos;if(s){i.curOp.scrollToPos=null;var p=Dt(i,s.from),f=Dt(i,s.to);xS(i,p,f,s.margin)}}function xS(i,s,p,f){var m=kf(i,{left:Math.min(s.left,p.left),top:Math.min(s.top,p.top)-f,right:Math.max(s.right,p.right),bottom:Math.max(s.bottom,p.bottom)+f});au(i,m.scrollLeft,m.scrollTop)}function ou(i,s){Math.abs(i.doc.scrollTop-s)<2||(a||Bf(i,{top:s}),wS(i,s,!0),a&&Bf(i),uu(i,100))}function wS(i,s,p){s=Math.max(0,Math.min(i.display.scroller.scrollHeight-i.display.scroller.clientHeight,s)),!(i.display.scroller.scrollTop==s&&!p)&&(i.doc.scrollTop=s,i.display.scrollbars.setScrollTop(s),i.display.scroller.scrollTop!=s&&(i.display.scroller.scrollTop=s))}function ms(i,s,p,f){s=Math.max(0,Math.min(s,i.display.scroller.scrollWidth-i.display.scroller.clientWidth)),!((p?s==i.doc.scrollLeft:Math.abs(i.doc.scrollLeft-s)<2)&&!f)&&(i.doc.scrollLeft=s,FS(i),i.display.scroller.scrollLeft!=s&&(i.display.scroller.scrollLeft=s),i.display.scrollbars.setScrollLeft(s))}function su(i){var s=i.display,p=s.gutters.offsetWidth,f=Math.round(i.doc.height+yr(i.display));return{clientHeight:s.scroller.clientHeight,viewHeight:s.wrapper.clientHeight,scrollWidth:s.scroller.scrollWidth,clientWidth:s.scroller.clientWidth,viewWidth:s.wrapper.clientWidth,barLeft:i.options.fixedGutter?p:0,docHeight:f,scrollHeight:f+Yr(i)+s.barHeight,nativeBarWidth:s.nativeBarWidth,gutterWidth:p}}var gs=function(i,s,p){this.cm=p;var f=this.vert=V("div",[V("div",null,null,"min-width: 1px")],"CodeMirror-vscrollbar"),m=this.horiz=V("div",[V("div",null,null,"height: 100%; min-height: 1px")],"CodeMirror-hscrollbar");f.tabIndex=m.tabIndex=-1,i(f),i(m),De(f,"scroll",function(){f.clientHeight&&s(f.scrollTop,"vertical")}),De(m,"scroll",function(){m.clientWidth&&s(m.scrollLeft,"horizontal")}),this.checkedZeroWidth=!1,c&&d<8&&(this.horiz.style.minHeight=this.vert.style.minWidth="18px")};gs.prototype.update=function(i){var s=i.scrollWidth>i.clientWidth+1,p=i.scrollHeight>i.clientHeight+1,f=i.nativeBarWidth;if(p){this.vert.style.display="block",this.vert.style.bottom=s?f+"px":"0";var m=i.viewHeight-(s?f:0);this.vert.firstChild.style.height=Math.max(0,i.scrollHeight-i.clientHeight+m)+"px"}else this.vert.scrollTop=0,this.vert.style.display="",this.vert.firstChild.style.height="0";if(s){this.horiz.style.display="block",this.horiz.style.right=p?f+"px":"0",this.horiz.style.left=i.barLeft+"px";var C=i.viewWidth-i.barLeft-(p?f:0);this.horiz.firstChild.style.width=Math.max(0,i.scrollWidth-i.clientWidth+C)+"px"}else this.horiz.style.display="",this.horiz.firstChild.style.width="0";return!this.checkedZeroWidth&&i.clientHeight>0&&(f==0&&this.zeroWidthHack(),this.checkedZeroWidth=!0),{right:p?f:0,bottom:s?f:0}},gs.prototype.setScrollLeft=function(i){this.horiz.scrollLeft!=i&&(this.horiz.scrollLeft=i),this.disableHoriz&&this.enableZeroWidthBar(this.horiz,this.disableHoriz,"horiz")},gs.prototype.setScrollTop=function(i){this.vert.scrollTop!=i&&(this.vert.scrollTop=i),this.disableVert&&this.enableZeroWidthBar(this.vert,this.disableVert,"vert")},gs.prototype.zeroWidthHack=function(){var i=L&&!v?"12px":"18px";this.horiz.style.height=this.vert.style.width=i,this.horiz.style.visibility=this.vert.style.visibility="hidden",this.disableHoriz=new Ze,this.disableVert=new Ze},gs.prototype.enableZeroWidthBar=function(i,s,p){i.style.visibility="";function f(){var m=i.getBoundingClientRect(),C=p=="vert"?document.elementFromPoint(m.right-1,(m.top+m.bottom)/2):document.elementFromPoint((m.right+m.left)/2,m.bottom-1);C!=i?i.style.visibility="hidden":s.set(1e3,f)}s.set(1e3,f)},gs.prototype.clear=function(){var i=this.horiz.parentNode;i.removeChild(this.horiz),i.removeChild(this.vert)};var lu=function(){};lu.prototype.update=function(){return{bottom:0,right:0}},lu.prototype.setScrollLeft=function(){},lu.prototype.setScrollTop=function(){},lu.prototype.clear=function(){};function sl(i,s){s||(s=su(i));var p=i.display.barWidth,f=i.display.barHeight;LS(i,s);for(var m=0;m<4&&p!=i.display.barWidth||f!=i.display.barHeight;m++)p!=i.display.barWidth&&i.options.lineWrapping&&Cc(i),LS(i,su(i)),p=i.display.barWidth,f=i.display.barHeight}function LS(i,s){var p=i.display,f=p.scrollbars.update(s);p.sizer.style.paddingRight=(p.barWidth=f.right)+"px",p.sizer.style.paddingBottom=(p.barHeight=f.bottom)+"px",p.heightForcer.style.borderBottom=f.bottom+"px solid transparent",f.right&&f.bottom?(p.scrollbarFiller.style.display="block",p.scrollbarFiller.style.height=f.bottom+"px",p.scrollbarFiller.style.width=f.right+"px"):p.scrollbarFiller.style.display="",f.bottom&&i.options.coverGutterNextToScrollbar&&i.options.fixedGutter?(p.gutterFiller.style.display="block",p.gutterFiller.style.height=f.bottom+"px",p.gutterFiller.style.width=s.gutterWidth+"px"):p.gutterFiller.style.display=""}var MS={native:gs,null:lu};function kS(i){i.display.scrollbars&&(i.display.scrollbars.clear(),i.display.scrollbars.addClass&&ue(i.display.wrapper,i.display.scrollbars.addClass)),i.display.scrollbars=new MS[i.options.scrollbarStyle](function(s){i.display.wrapper.insertBefore(s,i.display.scrollbarFiller),De(s,"mousedown",function(){i.state.focused&&setTimeout(function(){return i.display.input.focus()},0)}),s.setAttribute("cm-not-content","true")},function(s,p){p=="horizontal"?ms(i,s):ou(i,s)},i),i.display.scrollbars.addClass&&ve(i.display.wrapper,i.display.scrollbars.addClass)}var vI=0;function hs(i){i.curOp={cm:i,viewChanged:!1,startHeight:i.doc.height,forceUpdate:!1,updateInput:0,typing:!1,changeObjs:null,cursorActivityHandlers:null,cursorActivityCalled:0,selectionChanged:!1,updateMaxLine:!1,scrollLeft:null,scrollTop:null,scrollToPos:null,focus:!1,id:++vI,markArrays:null},kn(i.curOp)}function Es(i){var s=i.curOp;s&&ji(s,function(p){for(var f=0;f<p.ops.length;f++)p.ops[f].cm.curOp=null;TI(p)})}function TI(i){for(var s=i.ops,p=0;p<s.length;p++)yI(s[p]);for(var f=0;f<s.length;f++)CI(s[f]);for(var m=0;m<s.length;m++)AI(s[m]);for(var C=0;C<s.length;C++)OI(s[C]);for(var w=0;w<s.length;w++)RI(s[w])}function yI(i){var s=i.cm,p=s.display;II(s),i.updateMaxLine&&P(s),i.mustUpdate=i.viewChanged||i.forceUpdate||i.scrollTop!=null||i.scrollToPos&&(i.scrollToPos.from.line<p.viewFrom||i.scrollToPos.to.line>=p.viewTo)||p.maxLineChanged&&s.options.lineWrapping,i.update=i.mustUpdate&&new Rc(s,i.mustUpdate&&{top:i.scrollTop,ensure:i.scrollToPos},i.forceUpdate)}function CI(i){i.updatedDisplay=i.mustUpdate&&Ff(i.cm,i.update)}function AI(i){var s=i.cm,p=s.display;i.updatedDisplay&&Cc(s),i.barMeasure=su(s),p.maxLineChanged&&!s.options.lineWrapping&&(i.adjustWidthTo=xa(s,p.maxLine,p.maxLine.text.length).left+3,s.display.sizerWidth=i.adjustWidthTo,i.barMeasure.scrollWidth=Math.max(p.scroller.clientWidth,p.sizer.offsetLeft+i.adjustWidthTo+Yr(s)+s.display.barWidth),i.maxScrollLeft=Math.max(0,p.sizer.offsetLeft+i.adjustWidthTo-Xi(s))),(i.updatedDisplay||i.selectionChanged)&&(i.preparedSelection=p.input.prepareSelection())}function OI(i){var s=i.cm;i.adjustWidthTo!=null&&(s.display.sizer.style.minWidth=i.adjustWidthTo+"px",i.maxScrollLeft<s.doc.scrollLeft&&ms(s,Math.min(s.display.scroller.scrollLeft,i.maxScrollLeft),!0),s.display.maxLineChanged=!1);var p=i.focus&&i.focus==se(Oe(s));i.preparedSelection&&s.display.input.showSelection(i.preparedSelection,p),(i.updatedDisplay||i.startHeight!=s.doc.height)&&sl(s,i.barMeasure),i.updatedDisplay&&Gf(s,i.barMeasure),i.selectionChanged&&Ar(s),s.state.focused&&i.updateInput&&s.display.input.reset(i.typing),p&&Vr(i.cm)}function RI(i){var s=i.cm,p=s.display,f=s.doc;if(i.updatedDisplay&&PS(s,i.update),p.wheelStartX!=null&&(i.scrollTop!=null||i.scrollLeft!=null||i.scrollToPos)&&(p.wheelStartX=p.wheelStartY=null),i.scrollTop!=null&&wS(s,i.scrollTop,i.forceScroll),i.scrollLeft!=null&&ms(s,i.scrollLeft,!0,!0),i.scrollToPos){var m=EI(s,Ht(f,i.scrollToPos.from),Ht(f,i.scrollToPos.to),i.scrollToPos.margin);hI(s,m)}var C=i.maybeHiddenMarkers,w=i.maybeUnhiddenMarkers;if(C)for(var B=0;B<C.length;++B)C[B].lines.length||wt(C[B],"hide");if(w)for(var Y=0;Y<w.length;++Y)w[Y].lines.length&&wt(w[Y],"unhide");p.wrapper.offsetHeight&&(f.scrollTop=s.display.scroller.scrollTop),i.changeObjs&&wt(s,"changes",s,i.changeObjs),i.update&&i.update.finish()}function gi(i,s){if(i.curOp)return s();hs(i);try{return s()}finally{Es(i)}}function nr(i,s){return function(){if(i.curOp)return s.apply(i,arguments);hs(i);try{return s.apply(i,arguments)}finally{Es(i)}}}function Lr(i){return function(){if(this.curOp)return i.apply(this,arguments);hs(this);try{return i.apply(this,arguments)}finally{Es(this)}}}function rr(i){return function(){var s=this.cm;if(!s||s.curOp)return i.apply(this,arguments);hs(s);try{return i.apply(this,arguments)}finally{Es(s)}}}function uu(i,s){i.doc.highlightFrontier<i.display.viewTo&&i.state.highlight.set(s,bt(NI,i))}function NI(i){var s=i.doc;if(!(s.highlightFrontier>=i.display.viewTo)){var p=+new Date+i.options.workTime,f=zi(i,s.highlightFrontier),m=[];s.iter(f.line,Math.min(s.first+s.size,i.display.viewTo+500),function(C){if(f.line>=i.display.viewFrom){var w=C.styles,B=C.text.length>i.options.maxHighlightLength?br(s.mode,f.state):null,Y=Ja(i,C,f,!0);B&&(f.state=B),C.styles=Y.styles;var J=C.styleClasses,me=Y.classes;me?C.styleClasses=me:J&&(C.styleClasses=null);for(var Te=!w||w.length!=C.styles.length||J!=me&&(!J||!me||J.bgClass!=me.bgClass||J.textClass!=me.textClass),qe=0;!Te&&qe<w.length;++qe)Te=w[qe]!=C.styles[qe];Te&&m.push(f.line),C.stateAfter=f.save(),f.nextLine()}else C.text.length<=i.options.maxHighlightLength&&ua(i,C.text,f),C.stateAfter=f.line%5==0?f.save():null,f.nextLine();if(+new Date>p)return uu(i,i.options.workDelay),!0}),s.highlightFrontier=f.line,s.modeFrontier=Math.max(s.modeFrontier,f.line),m.length&&gi(i,function(){for(var C=0;C<m.length;C++)Ae(i,m[C],"text")})}}var Rc=function(i,s,p){var f=i.display;this.viewport=s,this.visible=Ac(f,i.doc,s),this.editorIsHidden=!f.wrapper.offsetWidth,this.wrapperHeight=f.wrapper.clientHeight,this.wrapperWidth=f.wrapper.clientWidth,this.oldDisplayWidth=Xi(i),this.force=p,this.dims=Wr(i),this.events=[]};Rc.prototype.signal=function(i,s){Xt(i,s)&&this.events.push(arguments)},Rc.prototype.finish=function(){for(var i=0;i<this.events.length;i++)wt.apply(null,this.events[i])};function II(i){var s=i.display;!s.scrollbarsClipped&&s.scroller.offsetWidth&&(s.nativeBarWidth=s.scroller.offsetWidth-s.scroller.clientWidth,s.heightForcer.style.height=Yr(i)+"px",s.sizer.style.marginBottom=-s.nativeBarWidth+"px",s.sizer.style.borderRightWidth=Yr(i)+"px",s.scrollbarsClipped=!0)}function DI(i){if(i.hasFocus())return null;var s=se(Oe(i));if(!s||!G(i.display.lineDiv,s))return null;var p={activeElt:s};if(window.getSelection){var f=rt(i).getSelection();f.anchorNode&&f.extend&&G(i.display.lineDiv,f.anchorNode)&&(p.anchorNode=f.anchorNode,p.anchorOffset=f.anchorOffset,p.focusNode=f.focusNode,p.focusOffset=f.focusOffset)}return p}function xI(i){if(!(!i||!i.activeElt||i.activeElt==se(tt(i.activeElt)))&&(i.activeElt.focus(),!/^(INPUT|TEXTAREA)$/.test(i.activeElt.nodeName)&&i.anchorNode&&G(document.body,i.anchorNode)&&G(document.body,i.focusNode))){var s=i.activeElt.ownerDocument,p=s.defaultView.getSelection(),f=s.createRange();f.setEnd(i.anchorNode,i.anchorOffset),f.collapse(!1),p.removeAllRanges(),p.addRange(f),p.extend(i.focusNode,i.focusOffset)}}function Ff(i,s){var p=i.display,f=i.doc;if(s.editorIsHidden)return Pe(i),!1;if(!s.force&&s.visible.from>=p.viewFrom&&s.visible.to<=p.viewTo&&(p.updateLineNumbers==null||p.updateLineNumbers>=p.viewTo)&&p.renderedView==p.view&&Tt(i)==0)return!1;BS(i)&&(Pe(i),s.dims=Wr(i));var m=f.first+f.size,C=Math.max(s.visible.from-i.options.viewportMargin,f.first),w=Math.min(m,s.visible.to+i.options.viewportMargin);p.viewFrom<C&&C-p.viewFrom<20&&(C=Math.max(f.first,p.viewFrom)),p.viewTo>w&&p.viewTo-w<20&&(w=Math.min(m,p.viewTo)),Tr&&(C=Qi(i.doc,C),w=rl(i.doc,w));var B=C!=p.viewFrom||w!=p.viewTo||p.lastWrapHeight!=s.wrapperHeight||p.lastWrapWidth!=s.wrapperWidth;ft(i,C,w),p.viewOffset=b(Mt(i.doc,p.viewFrom)),i.display.mover.style.top=p.viewOffset+"px";var Y=Tt(i);if(!B&&Y==0&&!s.force&&p.renderedView==p.view&&(p.updateLineNumbers==null||p.updateLineNumbers>=p.viewTo))return!1;var J=DI(i);return Y>4&&(p.lineDiv.style.display="none"),wI(i,p.updateLineNumbers,s.dims),Y>4&&(p.lineDiv.style.display=""),p.renderedView=p.view,xI(J),Z(p.cursorDiv),Z(p.selectionDiv),p.gutters.style.height=p.sizer.style.minHeight=0,B&&(p.lastWrapHeight=s.wrapperHeight,p.lastWrapWidth=s.wrapperWidth,uu(i,400)),p.updateLineNumbers=null,!0}function PS(i,s){for(var p=s.viewport,f=!0;;f=!1){if(!f||!i.options.lineWrapping||s.oldDisplayWidth==Xi(i)){if(p&&p.top!=null&&(p={top:Math.min(i.doc.height+yr(i.display)-Mo(i),p.top)}),s.visible=Ac(i.display,i.doc,p),s.visible.from>=i.display.viewFrom&&s.visible.to<=i.display.viewTo)break}else f&&(s.visible=Ac(i.display,i.doc,p));if(!Ff(i,s))break;Cc(i);var m=su(i);ht(i),sl(i,m),Gf(i,m),s.force=!1}s.signal(i,"update",i),(i.display.viewFrom!=i.display.reportedViewFrom||i.display.viewTo!=i.display.reportedViewTo)&&(s.signal(i,"viewportChange",i,i.display.viewFrom,i.display.viewTo),i.display.reportedViewFrom=i.display.viewFrom,i.display.reportedViewTo=i.display.viewTo)}function Bf(i,s){var p=new Rc(i,s);if(Ff(i,p)){Cc(i),PS(i,p);var f=su(i);ht(i),sl(i,f),Gf(i,f),p.finish()}}function wI(i,s,p){var f=i.display,m=i.options.lineNumbers,C=f.lineDiv,w=C.firstChild;function B(Je){var ut=Je.nextSibling;return S&&L&&i.display.currentWheelTarget==Je?Je.style.display="none":Je.parentNode.removeChild(Je),ut}for(var Y=f.view,J=f.viewFrom,me=0;me<Y.length;me++){var Te=Y[me];if(!Te.hidden)if(!Te.node||Te.node.parentNode!=C){var qe=pr(i,Te,J,p);C.insertBefore(qe,w)}else{for(;w!=Te.node;)w=B(w);var Me=m&&s!=null&&s<=J&&Te.lineNumber;Te.changes&&(nt(Te.changes,"gutter")>-1&&(Me=!1),Lo(i,Te,J,p)),Me&&(Z(Te.lineNumber),Te.lineNumber.appendChild(document.createTextNode(Ia(i.options,J)))),w=Te.node.nextSibling}J+=Te.size}for(;w;)w=B(w)}function Uf(i){var s=i.gutters.offsetWidth;i.sizer.style.marginLeft=s+"px",jt(i,"gutterChanged",i)}function Gf(i,s){i.display.sizer.style.minHeight=s.docHeight+"px",i.display.heightForcer.style.top=s.docHeight+"px",i.display.gutters.style.height=s.docHeight+i.display.barHeight+Yr(i)+"px"}function FS(i){var s=i.display,p=s.view;if(!(!s.alignWidgets&&(!s.gutters.firstChild||!i.options.fixedGutter))){for(var f=q(s)-s.scroller.scrollLeft+i.doc.scrollLeft,m=s.gutters.offsetWidth,C=f+"px",w=0;w<p.length;w++)if(!p[w].hidden){i.options.fixedGutter&&(p[w].gutter&&(p[w].gutter.style.left=C),p[w].gutterBackground&&(p[w].gutterBackground.style.left=C));var B=p[w].alignable;if(B)for(var Y=0;Y<B.length;Y++)B[Y].style.left=C}i.options.fixedGutter&&(s.gutters.style.left=f+m+"px")}}function BS(i){if(!i.options.lineNumbers)return!1;var s=i.doc,p=Ia(i.options,s.first+s.size-1),f=i.display;if(p.length!=f.lineNumChars){var m=f.measure.appendChild(V("div",[V("div",p)],"CodeMirror-linenumber CodeMirror-gutter-elt")),C=m.firstChild.offsetWidth,w=m.offsetWidth-C;return f.lineGutter.style.width="",f.lineNumInnerWidth=Math.max(C,f.lineGutter.offsetWidth-w)+1,f.lineNumWidth=f.lineNumInnerWidth+w,f.lineNumChars=f.lineNumInnerWidth?p.length:-1,f.lineGutter.style.width=f.lineNumWidth+"px",Uf(i.display),!0}return!1}function Hf(i,s){for(var p=[],f=!1,m=0;m<i.length;m++){var C=i[m],w=null;if(typeof C!="string"&&(w=C.style,C=C.className),C=="CodeMirror-linenumbers")if(s)f=!0;else continue;p.push({className:C,style:w})}return s&&!f&&p.push({className:"CodeMirror-linenumbers",style:null}),p}function US(i){var s=i.gutters,p=i.gutterSpecs;Z(s),i.lineGutter=null;for(var f=0;f<p.length;++f){var m=p[f],C=m.className,w=m.style,B=s.appendChild(V("div",null,"CodeMirror-gutter "+C));w&&(B.style.cssText=w),C=="CodeMirror-linenumbers"&&(i.lineGutter=B,B.style.width=(i.lineNumWidth||1)+"px")}s.style.display=p.length?"":"none",Uf(i)}function cu(i){US(i.display),le(i),FS(i)}function LI(i,s,p,f){var m=this;this.input=p,m.scrollbarFiller=V("div",null,"CodeMirror-scrollbar-filler"),m.scrollbarFiller.setAttribute("cm-not-content","true"),m.gutterFiller=V("div",null,"CodeMirror-gutter-filler"),m.gutterFiller.setAttribute("cm-not-content","true"),m.lineDiv=ne("div",null,"CodeMirror-code"),m.selectionDiv=V("div",null,null,"position: relative; z-index: 1"),m.cursorDiv=V("div",null,"CodeMirror-cursors"),m.measure=V("div",null,"CodeMirror-measure"),m.lineMeasure=V("div",null,"CodeMirror-measure"),m.lineSpace=ne("div",[m.measure,m.lineMeasure,m.selectionDiv,m.cursorDiv,m.lineDiv],null,"position: relative; outline: none");var C=ne("div",[m.lineSpace],"CodeMirror-lines");m.mover=V("div",[C],null,"position: relative"),m.sizer=V("div",[m.mover],"CodeMirror-sizer"),m.sizerWidth=null,m.heightForcer=V("div",null,null,"position: absolute; height: "+ce+"px; width: 1px;"),m.gutters=V("div",null,"CodeMirror-gutters"),m.lineGutter=null,m.scroller=V("div",[m.sizer,m.heightForcer,m.gutters],"CodeMirror-scroll"),m.scroller.setAttribute("tabIndex","-1"),m.wrapper=V("div",[m.scrollbarFiller,m.gutterFiller,m.scroller],"CodeMirror"),E&&T>=105&&(m.wrapper.style.clipPath="inset(0px)"),m.wrapper.setAttribute("translate","no"),c&&d<8&&(m.gutters.style.zIndex=-1,m.scroller.style.paddingRight=0),!S&&!(a&&R)&&(m.scroller.draggable=!0),i&&(i.appendChild?i.appendChild(m.wrapper):i(m.wrapper)),m.viewFrom=m.viewTo=s.first,m.reportedViewFrom=m.reportedViewTo=s.first,m.view=[],m.renderedView=null,m.externalMeasured=null,m.viewOffset=0,m.lastWrapHeight=m.lastWrapWidth=0,m.updateLineNumbers=null,m.nativeBarWidth=m.barHeight=m.barWidth=0,m.scrollbarsClipped=!1,m.lineNumWidth=m.lineNumInnerWidth=m.lineNumChars=null,m.alignWidgets=!1,m.cachedCharWidth=m.cachedTextHeight=m.cachedPaddingH=null,m.maxLine=null,m.maxLineLength=0,m.maxLineChanged=!1,m.wheelDX=m.wheelDY=m.wheelStartX=m.wheelStartY=null,m.shift=!1,m.selForContextMenu=null,m.activeTouch=null,m.gutterSpecs=Hf(f.gutters,f.lineNumbers),US(m),p.init(m)}var Nc=0,po=null;c?po=-.53:a?po=15:E?po=-.7:M&&(po=-1/3);function GS(i){var s=i.wheelDeltaX,p=i.wheelDeltaY;return s==null&&i.detail&&i.axis==i.HORIZONTAL_AXIS&&(s=i.detail),p==null&&i.detail&&i.axis==i.VERTICAL_AXIS?p=i.detail:p==null&&(p=i.wheelDelta),{x:s,y:p}}function MI(i){var s=GS(i);return s.x*=po,s.y*=po,s}function HS(i,s){E&&T==102&&(i.display.chromeScrollHack==null?i.display.sizer.style.pointerEvents="none":clearTimeout(i.display.chromeScrollHack),i.display.chromeScrollHack=setTimeout(function(){i.display.chromeScrollHack=null,i.display.sizer.style.pointerEvents=""},100));var p=GS(s),f=p.x,m=p.y,C=po;s.deltaMode===0&&(f=s.deltaX,m=s.deltaY,C=1);var w=i.display,B=w.scroller,Y=B.scrollWidth>B.clientWidth,J=B.scrollHeight>B.clientHeight;if(!!(f&&Y||m&&J)){if(m&&L&&S){e:for(var me=s.target,Te=w.view;me!=B;me=me.parentNode)for(var qe=0;qe<Te.length;qe++)if(Te[qe].node==me){i.display.currentWheelTarget=me;break e}}if(f&&!a&&!y&&C!=null){m&&J&&ou(i,Math.max(0,B.scrollTop+m*C)),ms(i,Math.max(0,B.scrollLeft+f*C)),(!m||m&&J)&&Zt(s),w.wheelStartX=null;return}if(m&&C!=null){var Me=m*C,Je=i.doc.scrollTop,ut=Je+w.wrapper.clientHeight;Me<0?Je=Math.max(0,Je+Me-50):ut=Math.min(i.doc.height,ut+Me+50),Bf(i,{top:Je,bottom:ut})}Nc<20&&s.deltaMode!==0&&(w.wheelStartX==null?(w.wheelStartX=B.scrollLeft,w.wheelStartY=B.scrollTop,w.wheelDX=f,w.wheelDY=m,setTimeout(function(){if(w.wheelStartX!=null){var gt=B.scrollLeft-w.wheelStartX,yt=B.scrollTop-w.wheelStartY,Nt=yt&&w.wheelDY&&yt/w.wheelDY||gt&&w.wheelDX&&gt/w.wheelDX;w.wheelStartX=w.wheelStartY=null,Nt&&(po=(po*Nc+Nt)/(Nc+1),++Nc)}},200)):(w.wheelDX+=f,w.wheelDY+=m))}}var Li=function(i,s){this.ranges=i,this.primIndex=s};Li.prototype.primary=function(){return this.ranges[this.primIndex]},Li.prototype.equals=function(i){if(i==this)return!0;if(i.primIndex!=this.primIndex||i.ranges.length!=this.ranges.length)return!1;for(var s=0;s<this.ranges.length;s++){var p=this.ranges[s],f=i.ranges[s];if(!qi(p.anchor,f.anchor)||!qi(p.head,f.head))return!1}return!0},Li.prototype.deepCopy=function(){for(var i=[],s=0;s<this.ranges.length;s++)i[s]=new mn(la(this.ranges[s].anchor),la(this.ranges[s].head));return new Li(i,this.primIndex)},Li.prototype.somethingSelected=function(){for(var i=0;i<this.ranges.length;i++)if(!this.ranges[i].empty())return!0;return!1},Li.prototype.contains=function(i,s){s||(s=i);for(var p=0;p<this.ranges.length;p++){var f=this.ranges[p];if(Bt(s,f.from())>=0&&Bt(i,f.to())<=0)return p}return-1};var mn=function(i,s){this.anchor=i,this.head=s};mn.prototype.from=function(){return Wi(this.anchor,this.head)},mn.prototype.to=function(){return Yi(this.anchor,this.head)},mn.prototype.empty=function(){return this.head.line==this.anchor.line&&this.head.ch==this.anchor.ch};function ha(i,s,p){var f=i&&i.options.selectionsMayTouch,m=s[p];s.sort(function(qe,Me){return Bt(qe.from(),Me.from())}),p=nt(s,m);for(var C=1;C<s.length;C++){var w=s[C],B=s[C-1],Y=Bt(B.to(),w.from());if(f&&!w.empty()?Y>0:Y>=0){var J=Wi(B.from(),w.from()),me=Yi(B.to(),w.to()),Te=B.empty()?w.from()==w.head:B.from()==B.head;C<=p&&--p,s.splice(--C,2,new mn(Te?me:J,Te?J:me))}}return new Li(s,p)}function Po(i,s){return new Li([new mn(i,s||i)],0)}function Fo(i){return i.text?st(i.from.line+i.text.length-1,Ie(i.text).length+(i.text.length==1?i.from.ch:0)):i.to}function qS(i,s){if(Bt(i,s.from)<0)return i;if(Bt(i,s.to)<=0)return Fo(s);var p=i.line+s.text.length-(s.to.line-s.from.line)-1,f=i.ch;return i.line==s.to.line&&(f+=Fo(s).ch-s.to.ch),st(p,f)}function qf(i,s){for(var p=[],f=0;f<i.sel.ranges.length;f++){var m=i.sel.ranges[f];p.push(new mn(qS(m.anchor,s),qS(m.head,s)))}return ha(i.cm,p,i.sel.primIndex)}function YS(i,s,p){return i.line==s.line?st(p.line,i.ch-s.ch+p.ch):st(p.line+(i.line-s.line),i.ch)}function kI(i,s,p){for(var f=[],m=st(i.first,0),C=m,w=0;w<s.length;w++){var B=s[w],Y=YS(B.from,m,C),J=YS(Fo(B),m,C);if(m=B.to,C=J,p=="around"){var me=i.sel.ranges[w],Te=Bt(me.head,me.anchor)<0;f[w]=new mn(Te?J:Y,Te?Y:J)}else f[w]=new mn(Y,Y)}return new Li(f,i.sel.primIndex)}function Yf(i){i.doc.mode=oa(i.options,i.doc.modeOption),du(i)}function du(i){i.doc.iter(function(s){s.stateAfter&&(s.stateAfter=null),s.styles&&(s.styles=null)}),i.doc.modeFrontier=i.doc.highlightFrontier=i.doc.first,uu(i,100),i.state.modeGen++,i.curOp&&le(i)}function WS(i,s){return s.from.ch==0&&s.to.ch==0&&Ie(s.text)==""&&(!i.cm||i.cm.options.wholeLineUpdateBefore)}function Wf(i,s,p,f){function m(Nt){return p?p[Nt]:null}function C(Nt,Ct,xt){X(Nt,Ct,xt,f),jt(Nt,"change",Nt,s)}function w(Nt,Ct){for(var xt=[],Gt=Nt;Gt<Ct;++Gt)xt.push(new j(J[Gt],m(Gt),f));return xt}var B=s.from,Y=s.to,J=s.text,me=Mt(i,B.line),Te=Mt(i,Y.line),qe=Ie(J),Me=m(J.length-1),Je=Y.line-B.line;if(s.full)i.insert(0,w(0,J.length)),i.remove(J.length,i.size-J.length);else if(WS(i,s)){var ut=w(0,J.length-1);C(Te,Te.text,Me),Je&&i.remove(B.line,Je),ut.length&&i.insert(B.line,ut)}else if(me==Te)if(J.length==1)C(me,me.text.slice(0,B.ch)+qe+me.text.slice(Y.ch),Me);else{var gt=w(1,J.length-1);gt.push(new j(qe+me.text.slice(Y.ch),Me,f)),C(me,me.text.slice(0,B.ch)+J[0],m(0)),i.insert(B.line+1,gt)}else if(J.length==1)C(me,me.text.slice(0,B.ch)+J[0]+Te.text.slice(Y.ch),m(0)),i.remove(B.line+1,Je);else{C(me,me.text.slice(0,B.ch)+J[0],m(0)),C(Te,qe+Te.text.slice(Y.ch),Me);var yt=w(1,J.length-1);Je>1&&i.remove(B.line+1,Je-1),i.insert(B.line+1,yt)}jt(i,"change",i,s)}function Bo(i,s,p){function f(m,C,w){if(m.linked)for(var B=0;B<m.linked.length;++B){var Y=m.linked[B];if(Y.doc!=C){var J=w&&Y.sharedHist;p&&!J||(s(Y.doc,J),f(Y.doc,m,J))}}}f(i,null,!0)}function VS(i,s){if(s.cm)throw new Error("This document is already in use.");i.doc=s,s.cm=i,re(i),Yf(i),zS(i),i.options.direction=s.direction,i.options.lineWrapping||P(i),i.options.mode=s.modeOption,le(i)}function zS(i){(i.doc.direction=="rtl"?ve:ue)(i.display.lineDiv,"CodeMirror-rtl")}function PI(i){gi(i,function(){zS(i),le(i)})}function Ic(i){this.done=[],this.undone=[],this.undoDepth=i?i.undoDepth:1/0,this.lastModTime=this.lastSelTime=0,this.lastOp=this.lastSelOp=null,this.lastOrigin=this.lastSelOrigin=null,this.generation=this.maxGeneration=i?i.maxGeneration:1}function Vf(i,s){var p={from:la(s.from),to:Fo(s),text:Fr(i,s.from,s.to)};return QS(i,p,s.from.line,s.to.line+1),Bo(i,function(f){return QS(f,p,s.from.line,s.to.line+1)},!0),p}function KS(i){for(;i.length;){var s=Ie(i);if(s.ranges)i.pop();else break}}function FI(i,s){if(s)return KS(i.done),Ie(i.done);if(i.done.length&&!Ie(i.done).ranges)return Ie(i.done);if(i.done.length>1&&!i.done[i.done.length-2].ranges)return i.done.pop(),Ie(i.done)}function $S(i,s,p,f){var m=i.history;m.undone.length=0;var C=+new Date,w,B;if((m.lastOp==f||m.lastOrigin==s.origin&&s.origin&&(s.origin.charAt(0)=="+"&&m.lastModTime>C-(i.cm?i.cm.options.historyEventDelay:500)||s.origin.charAt(0)=="*"))&&(w=FI(m,m.lastOp==f)))B=Ie(w.changes),Bt(s.from,s.to)==0&&Bt(s.from,B.to)==0?B.to=Fo(s):w.changes.push(Vf(i,s));else{var Y=Ie(m.done);for((!Y||!Y.ranges)&&Dc(i.sel,m.done),w={changes:[Vf(i,s)],generation:m.generation},m.done.push(w);m.done.length>m.undoDepth;)m.done.shift(),m.done[0].ranges||m.done.shift()}m.done.push(p),m.generation=++m.maxGeneration,m.lastModTime=m.lastSelTime=C,m.lastOp=m.lastSelOp=f,m.lastOrigin=m.lastSelOrigin=s.origin,B||wt(i,"historyAdded")}function BI(i,s,p,f){var m=s.charAt(0);return m=="*"||m=="+"&&p.ranges.length==f.ranges.length&&p.somethingSelected()==f.somethingSelected()&&new Date-i.history.lastSelTime<=(i.cm?i.cm.options.historyEventDelay:500)}function UI(i,s,p,f){var m=i.history,C=f&&f.origin;p==m.lastSelOp||C&&m.lastSelOrigin==C&&(m.lastModTime==m.lastSelTime&&m.lastOrigin==C||BI(i,C,Ie(m.done),s))?m.done[m.done.length-1]=s:Dc(s,m.done),m.lastSelTime=+new Date,m.lastSelOrigin=C,m.lastSelOp=p,f&&f.clearRedo!==!1&&KS(m.undone)}function Dc(i,s){var p=Ie(s);p&&p.ranges&&p.equals(i)||s.push(i)}function QS(i,s,p,f){var m=s["spans_"+i.id],C=0;i.iter(Math.max(i.first,p),Math.min(i.first+i.size,f),function(w){w.markedSpans&&((m||(m=s["spans_"+i.id]={}))[C]=w.markedSpans),++C})}function GI(i){if(!i)return null;for(var s,p=0;p<i.length;++p)i[p].marker.explicitlyCleared?s||(s=i.slice(0,p)):s&&s.push(i[p]);return s?s.length?s:null:i}function HI(i,s){var p=s["spans_"+i.id];if(!p)return null;for(var f=[],m=0;m<s.text.length;++m)f.push(GI(p[m]));return f}function jS(i,s){var p=HI(i,s),f=oo(i,s);if(!p)return f;if(!f)return p;for(var m=0;m<p.length;++m){var C=p[m],w=f[m];if(C&&w){e:for(var B=0;B<w.length;++B){for(var Y=w[B],J=0;J<C.length;++J)if(C[J].marker==Y.marker)continue e;C.push(Y)}}else w&&(p[m]=w)}return p}function ll(i,s,p){for(var f=[],m=0;m<i.length;++m){var C=i[m];if(C.ranges){f.push(p?Li.prototype.deepCopy.call(C):C);continue}var w=C.changes,B=[];f.push({changes:B});for(var Y=0;Y<w.length;++Y){var J=w[Y],me=void 0;if(B.push({from:J.from,to:J.to,text:J.text}),s)for(var Te in J)(me=Te.match(/^spans_(\d+)$/))&&nt(s,Number(me[1]))>-1&&(Ie(B)[Te]=J[Te],delete J[Te])}}return f}function zf(i,s,p,f){if(f){var m=i.anchor;if(p){var C=Bt(s,m)<0;C!=Bt(p,m)<0?(m=s,s=p):C!=Bt(s,p)<0&&(s=p)}return new mn(m,s)}else return new mn(p||s,s)}function xc(i,s,p,f,m){m==null&&(m=i.cm&&(i.cm.display.shift||i.extend)),Or(i,new Li([zf(i.sel.primary(),s,p,m)],0),f)}function XS(i,s,p){for(var f=[],m=i.cm&&(i.cm.display.shift||i.extend),C=0;C<i.sel.ranges.length;C++)f[C]=zf(i.sel.ranges[C],s[C],null,m);var w=ha(i.cm,f,i.sel.primIndex);Or(i,w,p)}function Kf(i,s,p,f){var m=i.sel.ranges.slice(0);m[s]=p,Or(i,ha(i.cm,m,i.sel.primIndex),f)}function ZS(i,s,p,f){Or(i,Po(s,p),f)}function qI(i,s,p){var f={ranges:s.ranges,update:function(m){this.ranges=[];for(var C=0;C<m.length;C++)this.ranges[C]=new mn(Ht(i,m[C].anchor),Ht(i,m[C].head))},origin:p&&p.origin};return wt(i,"beforeSelectionChange",i,f),i.cm&&wt(i.cm,"beforeSelectionChange",i.cm,f),f.ranges!=s.ranges?ha(i.cm,f.ranges,f.ranges.length-1):s}function JS(i,s,p){var f=i.history.done,m=Ie(f);m&&m.ranges?(f[f.length-1]=s,wc(i,s,p)):Or(i,s,p)}function Or(i,s,p){wc(i,s,p),UI(i,i.sel,i.cm?i.cm.curOp.id:NaN,p)}function wc(i,s,p){(Xt(i,"beforeSelectionChange")||i.cm&&Xt(i.cm,"beforeSelectionChange"))&&(s=qI(i,s,p));var f=p&&p.bias||(Bt(s.primary().head,i.sel.primary().head)<0?-1:1);eb(i,nb(i,s,f,!0)),!(p&&p.scroll===!1)&&i.cm&&i.cm.getOption("readOnly")!="nocursor"&&ol(i.cm)}function eb(i,s){s.equals(i.sel)||(i.sel=s,i.cm&&(i.cm.curOp.updateInput=1,i.cm.curOp.selectionChanged=!0,cn(i.cm)),jt(i,"cursorActivity",i))}function tb(i){eb(i,nb(i,i.sel,null,!1))}function nb(i,s,p,f){for(var m,C=0;C<s.ranges.length;C++){var w=s.ranges[C],B=s.ranges.length==i.sel.ranges.length&&i.sel.ranges[C],Y=Lc(i,w.anchor,B&&B.anchor,p,f),J=w.head==w.anchor?Y:Lc(i,w.head,B&&B.head,p,f);(m||Y!=w.anchor||J!=w.head)&&(m||(m=s.ranges.slice(0,C)),m[C]=new mn(Y,J))}return m?ha(i.cm,m,s.primIndex):s}function ul(i,s,p,f,m){var C=Mt(i,s.line);if(C.markedSpans)for(var w=0;w<C.markedSpans.length;++w){var B=C.markedSpans[w],Y=B.marker,J="selectLeft"in Y?!Y.selectLeft:Y.inclusiveLeft,me="selectRight"in Y?!Y.selectRight:Y.inclusiveRight;if((B.from==null||(J?B.from<=s.ch:B.from<s.ch))&&(B.to==null||(me?B.to>=s.ch:B.to>s.ch))){if(m&&(wt(Y,"beforeCursorEnter"),Y.explicitlyCleared))if(C.markedSpans){--w;continue}else break;if(!Y.atomic)continue;if(p){var Te=Y.find(f<0?1:-1),qe=void 0;if((f<0?me:J)&&(Te=rb(i,Te,-f,Te&&Te.line==s.line?C:null)),Te&&Te.line==s.line&&(qe=Bt(Te,p))&&(f<0?qe<0:qe>0))return ul(i,Te,s,f,m)}var Me=Y.find(f<0?-1:1);return(f<0?J:me)&&(Me=rb(i,Me,f,Me.line==s.line?C:null)),Me?ul(i,Me,s,f,m):null}}return s}function Lc(i,s,p,f,m){var C=f||1,w=ul(i,s,p,C,m)||!m&&ul(i,s,p,C,!0)||ul(i,s,p,-C,m)||!m&&ul(i,s,p,-C,!0);return w||(i.cantEdit=!0,st(i.first,0))}function rb(i,s,p,f){return p<0&&s.ch==0?s.line>i.first?Ht(i,st(s.line-1)):null:p>0&&s.ch==(f||Mt(i,s.line)).text.length?s.line<i.first+i.size-1?st(s.line+1,0):null:new st(s.line,s.ch+p)}function ib(i){i.setSelection(st(i.firstLine(),0),st(i.lastLine()),He)}function ab(i,s,p){var f={canceled:!1,from:s.from,to:s.to,text:s.text,origin:s.origin,cancel:function(){return f.canceled=!0}};return p&&(f.update=function(m,C,w,B){m&&(f.from=Ht(i,m)),C&&(f.to=Ht(i,C)),w&&(f.text=w),B!==void 0&&(f.origin=B)}),wt(i,"beforeChange",i,f),i.cm&&wt(i.cm,"beforeChange",i.cm,f),f.canceled?(i.cm&&(i.cm.curOp.updateInput=2),null):{from:f.from,to:f.to,text:f.text,origin:f.origin}}function cl(i,s,p){if(i.cm){if(!i.cm.curOp)return nr(i.cm,cl)(i,s,p);if(i.cm.state.suppressEdits)return}if(!((Xt(i,"beforeChange")||i.cm&&Xt(i.cm,"beforeChange"))&&(s=ab(i,s,!0),!s))){var f=Ki&&!p&&Do(i,s.from,s.to);if(f)for(var m=f.length-1;m>=0;--m)ob(i,{from:f[m].from,to:f[m].to,text:m?[""]:s.text,origin:s.origin});else ob(i,s)}}function ob(i,s){if(!(s.text.length==1&&s.text[0]==""&&Bt(s.from,s.to)==0)){var p=qf(i,s);$S(i,s,p,i.cm?i.cm.curOp.id:NaN),fu(i,s,p,oo(i,s));var f=[];Bo(i,function(m,C){!C&&nt(f,m.history)==-1&&(cb(m.history,s),f.push(m.history)),fu(m,s,null,oo(m,s))})}}function Mc(i,s,p){var f=i.cm&&i.cm.state.suppressEdits;if(!(f&&!p)){for(var m=i.history,C,w=i.sel,B=s=="undo"?m.done:m.undone,Y=s=="undo"?m.undone:m.done,J=0;J<B.length&&(C=B[J],!(p?C.ranges&&!C.equals(i.sel):!C.ranges));J++);if(J!=B.length){for(m.lastOrigin=m.lastSelOrigin=null;;)if(C=B.pop(),C.ranges){if(Dc(C,Y),p&&!C.equals(i.sel)){Or(i,C,{clearRedo:!1});return}w=C}else if(f){B.push(C);return}else break;var me=[];Dc(w,Y),Y.push({changes:me,generation:m.generation}),m.generation=C.generation||++m.maxGeneration;for(var Te=Xt(i,"beforeChange")||i.cm&&Xt(i.cm,"beforeChange"),qe=function(ut){var gt=C.changes[ut];if(gt.origin=s,Te&&!ab(i,gt,!1))return B.length=0,{};me.push(Vf(i,gt));var yt=ut?qf(i,gt):Ie(B);fu(i,gt,yt,jS(i,gt)),!ut&&i.cm&&i.cm.scrollIntoView({from:gt.from,to:Fo(gt)});var Nt=[];Bo(i,function(Ct,xt){!xt&&nt(Nt,Ct.history)==-1&&(cb(Ct.history,gt),Nt.push(Ct.history)),fu(Ct,gt,null,jS(Ct,gt))})},Me=C.changes.length-1;Me>=0;--Me){var Je=qe(Me);if(Je)return Je.v}}}}function sb(i,s){if(s!=0&&(i.first+=s,i.sel=new Li(Ue(i.sel.ranges,function(m){return new mn(st(m.anchor.line+s,m.anchor.ch),st(m.head.line+s,m.head.ch))}),i.sel.primIndex),i.cm)){le(i.cm,i.first,i.first-s,s);for(var p=i.cm.display,f=p.viewFrom;f<p.viewTo;f++)Ae(i.cm,f,"gutter")}}function fu(i,s,p,f){if(i.cm&&!i.cm.curOp)return nr(i.cm,fu)(i,s,p,f);if(s.to.line<i.first){sb(i,s.text.length-1-(s.to.line-s.from.line));return}if(!(s.from.line>i.lastLine())){if(s.from.line<i.first){var m=s.text.length-1-(i.first-s.from.line);sb(i,m),s={from:st(i.first,0),to:st(s.to.line+m,s.to.ch),text:[Ie(s.text)],origin:s.origin}}var C=i.lastLine();s.to.line>C&&(s={from:s.from,to:st(C,Mt(i,C).text.length),text:[s.text[0]],origin:s.origin}),s.removed=Fr(i,s.from,s.to),p||(p=qf(i,s)),i.cm?YI(i.cm,s,f):Wf(i,s,f),wc(i,p,He),i.cantEdit&&Lc(i,st(i.firstLine(),0))&&(i.cantEdit=!1)}}function YI(i,s,p){var f=i.doc,m=i.display,C=s.from,w=s.to,B=!1,Y=C.line;i.options.lineWrapping||(Y=un(er(Mt(f,C.line))),f.iter(Y,w.line+1,function(Me){if(Me==m.maxLine)return B=!0,!0})),f.sel.contains(s.from,s.to)>-1&&cn(i),Wf(f,s,p,ie(i)),i.options.lineWrapping||(f.iter(Y,C.line+s.text.length,function(Me){var Je=x(Me);Je>m.maxLineLength&&(m.maxLine=Me,m.maxLineLength=Je,m.maxLineChanged=!0,B=!1)}),B&&(i.curOp.updateMaxLine=!0)),ro(f,C.line),uu(i,400);var J=s.text.length-(w.line-C.line)-1;s.full?le(i):C.line==w.line&&s.text.length==1&&!WS(i.doc,s)?Ae(i,C.line,"text"):le(i,C.line,w.line+1,J);var me=Xt(i,"changes"),Te=Xt(i,"change");if(Te||me){var qe={from:C,to:w,text:s.text,removed:s.removed,origin:s.origin};Te&&jt(i,"change",i,qe),me&&(i.curOp.changeObjs||(i.curOp.changeObjs=[])).push(qe)}i.display.selForContextMenu=null}function dl(i,s,p,f,m){var C;f||(f=p),Bt(f,p)<0&&(C=[f,p],p=C[0],f=C[1]),typeof s=="string"&&(s=i.splitLines(s)),cl(i,{from:p,to:f,text:s,origin:m})}function lb(i,s,p,f){p<i.line?i.line+=f:s<i.line&&(i.line=s,i.ch=0)}function ub(i,s,p,f){for(var m=0;m<i.length;++m){var C=i[m],w=!0;if(C.ranges){C.copied||(C=i[m]=C.deepCopy(),C.copied=!0);for(var B=0;B<C.ranges.length;B++)lb(C.ranges[B].anchor,s,p,f),lb(C.ranges[B].head,s,p,f);continue}for(var Y=0;Y<C.changes.length;++Y){var J=C.changes[Y];if(p<J.from.line)J.from=st(J.from.line+f,J.from.ch),J.to=st(J.to.line+f,J.to.ch);else if(s<=J.to.line){w=!1;break}}w||(i.splice(0,m+1),m=0)}}function cb(i,s){var p=s.from.line,f=s.to.line,m=s.text.length-(f-p)-1;ub(i.done,p,f,m),ub(i.undone,p,f,m)}function pu(i,s,p,f){var m=s,C=s;return typeof s=="number"?C=Mt(i,Za(i,s)):m=un(s),m==null?null:(f(C,m)&&i.cm&&Ae(i.cm,m,p),C)}function _u(i){this.lines=i,this.parent=null;for(var s=0,p=0;p<i.length;++p)i[p].parent=this,s+=i[p].height;this.height=s}_u.prototype={chunkSize:function(){return this.lines.length},removeInner:function(i,s){for(var p=i,f=i+s;p<f;++p){var m=this.lines[p];this.height-=m.height,ae(m),jt(m,"delete")}this.lines.splice(i,s)},collapse:function(i){i.push.apply(i,this.lines)},insertInner:function(i,s,p){this.height+=p,this.lines=this.lines.slice(0,i).concat(s).concat(this.lines.slice(i));for(var f=0;f<s.length;++f)s[f].parent=this},iterN:function(i,s,p){for(var f=i+s;i<f;++i)if(p(this.lines[i]))return!0}};function mu(i){this.children=i;for(var s=0,p=0,f=0;f<i.length;++f){var m=i[f];s+=m.chunkSize(),p+=m.height,m.parent=this}this.size=s,this.height=p,this.parent=null}mu.prototype={chunkSize:function(){return this.size},removeInner:function(i,s){this.size-=s;for(var p=0;p<this.children.length;++p){var f=this.children[p],m=f.chunkSize();if(i<m){var C=Math.min(s,m-i),w=f.height;if(f.removeInner(i,C),this.height-=w-f.height,m==C&&(this.children.splice(p--,1),f.parent=null),(s-=C)==0)break;i=0}else i-=m}if(this.size-s<25&&(this.children.length>1||!(this.children[0]instanceof _u))){var B=[];this.collapse(B),this.children=[new _u(B)],this.children[0].parent=this}},collapse:function(i){for(var s=0;s<this.children.length;++s)this.children[s].collapse(i)},insertInner:function(i,s,p){this.size+=s.length,this.height+=p;for(var f=0;f<this.children.length;++f){var m=this.children[f],C=m.chunkSize();if(i<=C){if(m.insertInner(i,s,p),m.lines&&m.lines.length>50){for(var w=m.lines.length%25+25,B=w;B<m.lines.length;){var Y=new _u(m.lines.slice(B,B+=25));m.height-=Y.height,this.children.splice(++f,0,Y),Y.parent=this}m.lines=m.lines.slice(0,w),this.maybeSpill()}break}i-=C}},maybeSpill:function(){if(!(this.children.length<=10)){var i=this;do{var s=i.children.splice(i.children.length-5,5),p=new mu(s);if(i.parent){i.size-=p.size,i.height-=p.height;var m=nt(i.parent.children,i);i.parent.children.splice(m+1,0,p)}else{var f=new mu(i.children);f.parent=i,i.children=[f,p],i=f}p.parent=i.parent}while(i.children.length>10);i.parent.maybeSpill()}},iterN:function(i,s,p){for(var f=0;f<this.children.length;++f){var m=this.children[f],C=m.chunkSize();if(i<C){var w=Math.min(s,C-i);if(m.iterN(i,w,p))return!0;if((s-=w)==0)break;i=0}else i-=C}}};var gu=function(i,s,p){if(p)for(var f in p)p.hasOwnProperty(f)&&(this[f]=p[f]);this.doc=i,this.node=s};gu.prototype.clear=function(){var i=this.doc.cm,s=this.line.widgets,p=this.line,f=un(p);if(!(f==null||!s)){for(var m=0;m<s.length;++m)s[m]==this&&s.splice(m--,1);s.length||(p.widgets=null);var C=co(this);cr(p,Math.max(0,p.height-C)),i&&(gi(i,function(){db(i,p,-C),Ae(i,f,"widget")}),jt(i,"lineWidgetCleared",i,this,f))}},gu.prototype.changed=function(){var i=this,s=this.height,p=this.doc.cm,f=this.line;this.height=null;var m=co(this)-s;!m||(xr(this.doc,f)||cr(f,f.height+m),p&&gi(p,function(){p.curOp.forceUpdate=!0,db(p,f,m),jt(p,"lineWidgetChanged",p,i,un(f))}))},an(gu);function db(i,s,p){b(s)<(i.curOp&&i.curOp.scrollTop||i.doc.scrollTop)&&Pf(i,p)}function WI(i,s,p,f){var m=new gu(i,p,f),C=i.cm;return C&&m.noHScroll&&(C.display.alignWidgets=!0),pu(i,s,"widget",function(w){var B=w.widgets||(w.widgets=[]);if(m.insertAt==null?B.push(m):B.splice(Math.min(B.length,Math.max(0,m.insertAt)),0,m),m.line=w,C&&!xr(i,w)){var Y=b(w)<i.scrollTop;cr(w,w.height+co(m)),Y&&Pf(C,m.height),C.curOp.forceUpdate=!0}return!0}),C&&jt(C,"lineWidgetAdded",C,m,typeof s=="number"?s:un(s)),m}var fb=0,Uo=function(i,s){this.lines=[],this.type=s,this.doc=i,this.id=++fb};Uo.prototype.clear=function(){if(!this.explicitlyCleared){var i=this.doc.cm,s=i&&!i.curOp;if(s&&hs(i),Xt(this,"clear")){var p=this.find();p&&jt(this,"clear",p.from,p.to)}for(var f=null,m=null,C=0;C<this.lines.length;++C){var w=this.lines[C],B=dr(w.markedSpans,this);i&&!this.collapsed?Ae(i,un(w),"text"):i&&(B.to!=null&&(m=un(w)),B.from!=null&&(f=un(w))),w.markedSpans=fa(w.markedSpans,B),B.from==null&&this.collapsed&&!xr(this.doc,w)&&i&&cr(w,Hn(i.display))}if(i&&this.collapsed&&!i.options.lineWrapping)for(var Y=0;Y<this.lines.length;++Y){var J=er(this.lines[Y]),me=x(J);me>i.display.maxLineLength&&(i.display.maxLine=J,i.display.maxLineLength=me,i.display.maxLineChanged=!0)}f!=null&&i&&this.collapsed&&le(i,f,m+1),this.lines.length=0,this.explicitlyCleared=!0,this.atomic&&this.doc.cantEdit&&(this.doc.cantEdit=!1,i&&tb(i.doc)),i&&jt(i,"markerCleared",i,this,f,m),s&&Es(i),this.parent&&this.parent.clear()}},Uo.prototype.find=function(i,s){i==null&&this.type=="bookmark"&&(i=1);for(var p,f,m=0;m<this.lines.length;++m){var C=this.lines[m],w=dr(C.markedSpans,this);if(w.from!=null&&(p=st(s?C:un(C),w.from),i==-1))return p;if(w.to!=null&&(f=st(s?C:un(C),w.to),i==1))return f}return p&&{from:p,to:f}},Uo.prototype.changed=function(){var i=this,s=this.find(-1,!0),p=this,f=this.doc.cm;!s||!f||gi(f,function(){var m=s.line,C=un(s.line),w=pi(f,C);if(w&&(ko(w),f.curOp.selectionChanged=f.curOp.forceUpdate=!0),f.curOp.updateMaxLine=!0,!xr(p.doc,m)&&p.height!=null){var B=p.height;p.height=null;var Y=co(p)-B;Y&&cr(m,m.height+Y)}jt(f,"markerChanged",f,i)})},Uo.prototype.attachLine=function(i){if(!this.lines.length&&this.doc.cm){var s=this.doc.cm.curOp;(!s.maybeHiddenMarkers||nt(s.maybeHiddenMarkers,this)==-1)&&(s.maybeUnhiddenMarkers||(s.maybeUnhiddenMarkers=[])).push(this)}this.lines.push(i)},Uo.prototype.detachLine=function(i){if(this.lines.splice(nt(this.lines,i),1),!this.lines.length&&this.doc.cm){var s=this.doc.cm.curOp;(s.maybeHiddenMarkers||(s.maybeHiddenMarkers=[])).push(this)}},an(Uo);function fl(i,s,p,f,m){if(f&&f.shared)return VI(i,s,p,f,m);if(i.cm&&!i.cm.curOp)return nr(i.cm,fl)(i,s,p,f,m);var C=new Uo(i,m),w=Bt(s,p);if(f&&dt(f,C,!1),w>0||w==0&&C.clearWhenEmpty!==!1)return C;if(C.replacedWith&&(C.collapsed=!0,C.widgetNode=ne("span",[C.replacedWith],"CodeMirror-widget"),f.handleMouseEvents||C.widgetNode.setAttribute("cm-ignore-events","true"),f.insertLeft&&(C.widgetNode.insertLeft=!0)),C.collapsed){if(_a(i,s.line,s,p,C)||s.line!=p.line&&_a(i,p.line,s,p,C))throw new Error("Inserting collapsed marker partially overlapping an existing one");Io()}C.addToHistory&&$S(i,{from:s,to:p,origin:"markText"},i.sel,NaN);var B=s.line,Y=i.cm,J;if(i.iter(B,p.line+1,function(Te){Y&&C.collapsed&&!Y.options.lineWrapping&&er(Te)==Y.display.maxLine&&(J=!0),C.collapsed&&B!=s.line&&cr(Te,0),iu(Te,new da(C,B==s.line?s.ch:null,B==p.line?p.ch:null),i.cm&&i.cm.curOp),++B}),C.collapsed&&i.iter(s.line,p.line+1,function(Te){xr(i,Te)&&cr(Te,0)}),C.clearOnEnter&&De(C,"beforeCursorEnter",function(){return C.clear()}),C.readOnly&&(io(),(i.history.done.length||i.history.undone.length)&&i.clearHistory()),C.collapsed&&(C.id=++fb,C.atomic=!0),Y){if(J&&(Y.curOp.updateMaxLine=!0),C.collapsed)le(Y,s.line,p.line+1);else if(C.className||C.startStyle||C.endStyle||C.css||C.attributes||C.title)for(var me=s.line;me<=p.line;me++)Ae(Y,me,"text");C.atomic&&tb(Y.doc),jt(Y,"markerAdded",Y,C)}return C}var hu=function(i,s){this.markers=i,this.primary=s;for(var p=0;p<i.length;++p)i[p].parent=this};hu.prototype.clear=function(){if(!this.explicitlyCleared){this.explicitlyCleared=!0;for(var i=0;i<this.markers.length;++i)this.markers[i].clear();jt(this,"clear")}},hu.prototype.find=function(i,s){return this.primary.find(i,s)},an(hu);function VI(i,s,p,f,m){f=dt(f),f.shared=!1;var C=[fl(i,s,p,f,m)],w=C[0],B=f.widgetNode;return Bo(i,function(Y){B&&(f.widgetNode=B.cloneNode(!0)),C.push(fl(Y,Ht(Y,s),Ht(Y,p),f,m));for(var J=0;J<Y.linked.length;++J)if(Y.linked[J].isParent)return;w=Ie(C)}),new hu(C,w)}function pb(i){return i.findMarks(st(i.first,0),i.clipPos(st(i.lastLine())),function(s){return s.parent})}function zI(i,s){for(var p=0;p<s.length;p++){var f=s[p],m=f.find(),C=i.clipPos(m.from),w=i.clipPos(m.to);if(Bt(C,w)){var B=fl(i,C,w,f.primary,f.primary.type);f.markers.push(B),B.parent=f}}}function KI(i){for(var s=function(f){var m=i[f],C=[m.primary.doc];Bo(m.primary.doc,function(Y){return C.push(Y)});for(var w=0;w<m.markers.length;w++){var B=m.markers[w];nt(C,B.doc)==-1&&(B.parent=null,m.markers.splice(w--,1))}},p=0;p<i.length;p++)s(p)}var $I=0,Kr=function(i,s,p,f,m){if(!(this instanceof Kr))return new Kr(i,s,p,f,m);p==null&&(p=0),mu.call(this,[new _u([new j("",null)])]),this.first=p,this.scrollTop=this.scrollLeft=0,this.cantEdit=!1,this.cleanGeneration=1,this.modeFrontier=this.highlightFrontier=p;var C=st(p,0);this.sel=Po(C),this.history=new Ic(null),this.id=++$I,this.modeOption=s,this.lineSep=f,this.direction=m=="rtl"?"rtl":"ltr",this.extend=!1,typeof i=="string"&&(i=this.splitLines(i)),Wf(this,{from:C,to:C,text:i}),Or(this,Po(C),He)};Kr.prototype=ge(mu.prototype,{constructor:Kr,iter:function(i,s,p){p?this.iterN(i-this.first,s-i,p):this.iterN(this.first,this.first+this.size,i)},insert:function(i,s){for(var p=0,f=0;f<s.length;++f)p+=s[f].height;this.insertInner(i-this.first,s,p)},remove:function(i,s){this.removeInner(i-this.first,s)},getValue:function(i){var s=Na(this,this.first,this.first+this.size);return i===!1?s:s.join(i||this.lineSeparator())},setValue:rr(function(i){var s=st(this.first,0),p=this.first+this.size-1;cl(this,{from:s,to:st(p,Mt(this,p).text.length),text:this.splitLines(i),origin:"setValue",full:!0},!0),this.cm&&au(this.cm,0,0),Or(this,Po(s),He)}),replaceRange:function(i,s,p,f){s=Ht(this,s),p=p?Ht(this,p):s,dl(this,i,s,p,f)},getRange:function(i,s,p){var f=Fr(this,Ht(this,i),Ht(this,s));return p===!1?f:p===""?f.join(""):f.join(p||this.lineSeparator())},getLine:function(i){var s=this.getLineHandle(i);return s&&s.text},getLineHandle:function(i){if(si(this,i))return Mt(this,i)},getLineNumber:function(i){return un(i)},getLineHandleVisualStart:function(i){return typeof i=="number"&&(i=Mt(this,i)),er(i)},lineCount:function(){return this.size},firstLine:function(){return this.first},lastLine:function(){return this.first+this.size-1},clipPos:function(i){return Ht(this,i)},getCursor:function(i){var s=this.sel.primary(),p;return i==null||i=="head"?p=s.head:i=="anchor"?p=s.anchor:i=="end"||i=="to"||i===!1?p=s.to():p=s.from(),p},listSelections:function(){return this.sel.ranges},somethingSelected:function(){return this.sel.somethingSelected()},setCursor:rr(function(i,s,p){ZS(this,Ht(this,typeof i=="number"?st(i,s||0):i),null,p)}),setSelection:rr(function(i,s,p){ZS(this,Ht(this,i),Ht(this,s||i),p)}),extendSelection:rr(function(i,s,p){xc(this,Ht(this,i),s&&Ht(this,s),p)}),extendSelections:rr(function(i,s){XS(this,No(this,i),s)}),extendSelectionsBy:rr(function(i,s){var p=Ue(this.sel.ranges,i);XS(this,No(this,p),s)}),setSelections:rr(function(i,s,p){if(!!i.length){for(var f=[],m=0;m<i.length;m++)f[m]=new mn(Ht(this,i[m].anchor),Ht(this,i[m].head||i[m].anchor));s==null&&(s=Math.min(i.length-1,this.sel.primIndex)),Or(this,ha(this.cm,f,s),p)}}),addSelection:rr(function(i,s,p){var f=this.sel.ranges.slice(0);f.push(new mn(Ht(this,i),Ht(this,s||i))),Or(this,ha(this.cm,f,f.length-1),p)}),getSelection:function(i){for(var s=this.sel.ranges,p,f=0;f<s.length;f++){var m=Fr(this,s[f].from(),s[f].to());p=p?p.concat(m):m}return i===!1?p:p.join(i||this.lineSeparator())},getSelections:function(i){for(var s=[],p=this.sel.ranges,f=0;f<p.length;f++){var m=Fr(this,p[f].from(),p[f].to());i!==!1&&(m=m.join(i||this.lineSeparator())),s[f]=m}return s},replaceSelection:function(i,s,p){for(var f=[],m=0;m<this.sel.ranges.length;m++)f[m]=i;this.replaceSelections(f,s,p||"+input")},replaceSelections:rr(function(i,s,p){for(var f=[],m=this.sel,C=0;C<m.ranges.length;C++){var w=m.ranges[C];f[C]={from:w.from(),to:w.to(),text:this.splitLines(i[C]),origin:p}}for(var B=s&&s!="end"&&kI(this,f,s),Y=f.length-1;Y>=0;Y--)cl(this,f[Y]);B?JS(this,B):this.cm&&ol(this.cm)}),undo:rr(function(){Mc(this,"undo")}),redo:rr(function(){Mc(this,"redo")}),undoSelection:rr(function(){Mc(this,"undo",!0)}),redoSelection:rr(function(){Mc(this,"redo",!0)}),setExtending:function(i){this.extend=i},getExtending:function(){return this.extend},historySize:function(){for(var i=this.history,s=0,p=0,f=0;f<i.done.length;f++)i.done[f].ranges||++s;for(var m=0;m<i.undone.length;m++)i.undone[m].ranges||++p;return{undo:s,redo:p}},clearHistory:function(){var i=this;this.history=new Ic(this.history),Bo(this,function(s){return s.history=i.history},!0)},markClean:function(){this.cleanGeneration=this.changeGeneration(!0)},changeGeneration:function(i){return i&&(this.history.lastOp=this.history.lastSelOp=this.history.lastOrigin=null),this.history.generation},isClean:function(i){return this.history.generation==(i||this.cleanGeneration)},getHistory:function(){return{done:ll(this.history.done),undone:ll(this.history.undone)}},setHistory:function(i){var s=this.history=new Ic(this.history);s.done=ll(i.done.slice(0),null,!0),s.undone=ll(i.undone.slice(0),null,!0)},setGutterMarker:rr(function(i,s,p){return pu(this,i,"gutter",function(f){var m=f.gutterMarkers||(f.gutterMarkers={});return m[s]=p,!p&&ee(m)&&(f.gutterMarkers=null),!0})}),clearGutter:rr(function(i){var s=this;this.iter(function(p){p.gutterMarkers&&p.gutterMarkers[i]&&pu(s,p,"gutter",function(){return p.gutterMarkers[i]=null,ee(p.gutterMarkers)&&(p.gutterMarkers=null),!0})})}),lineInfo:function(i){var s;if(typeof i=="number"){if(!si(this,i)||(s=i,i=Mt(this,i),!i))return null}else if(s=un(i),s==null)return null;return{line:s,handle:i,text:i.text,gutterMarkers:i.gutterMarkers,textClass:i.textClass,bgClass:i.bgClass,wrapClass:i.wrapClass,widgets:i.widgets}},addLineClass:rr(function(i,s,p){return pu(this,i,s=="gutter"?"gutter":"class",function(f){var m=s=="text"?"textClass":s=="background"?"bgClass":s=="gutter"?"gutterClass":"wrapClass";if(!f[m])f[m]=p;else{if(K(p).test(f[m]))return!1;f[m]+=" "+p}return!0})}),removeLineClass:rr(function(i,s,p){return pu(this,i,s=="gutter"?"gutter":"class",function(f){var m=s=="text"?"textClass":s=="background"?"bgClass":s=="gutter"?"gutterClass":"wrapClass",C=f[m];if(C)if(p==null)f[m]=null;else{var w=C.match(K(p));if(!w)return!1;var B=w.index+w[0].length;f[m]=C.slice(0,w.index)+(!w.index||B==C.length?"":" ")+C.slice(B)||null}else return!1;return!0})}),addLineWidget:rr(function(i,s,p){return WI(this,i,s,p)}),removeLineWidget:function(i){i.clear()},markText:function(i,s,p){return fl(this,Ht(this,i),Ht(this,s),p,p&&p.type||"range")},setBookmark:function(i,s){var p={replacedWith:s&&(s.nodeType==null?s.widget:s),insertLeft:s&&s.insertLeft,clearWhenEmpty:!1,shared:s&&s.shared,handleMouseEvents:s&&s.handleMouseEvents};return i=Ht(this,i),fl(this,i,i,p,"bookmark")},findMarksAt:function(i){i=Ht(this,i);var s=[],p=Mt(this,i.line).markedSpans;if(p)for(var f=0;f<p.length;++f){var m=p[f];(m.from==null||m.from<=i.ch)&&(m.to==null||m.to>=i.ch)&&s.push(m.marker.parent||m.marker)}return s},findMarks:function(i,s,p){i=Ht(this,i),s=Ht(this,s);var f=[],m=i.line;return this.iter(i.line,s.line+1,function(C){var w=C.markedSpans;if(w)for(var B=0;B<w.length;B++){var Y=w[B];!(Y.to!=null&&m==i.line&&i.ch>=Y.to||Y.from==null&&m!=i.line||Y.from!=null&&m==s.line&&Y.from>=s.ch)&&(!p||p(Y.marker))&&f.push(Y.marker.parent||Y.marker)}++m}),f},getAllMarks:function(){var i=[];return this.iter(function(s){var p=s.markedSpans;if(p)for(var f=0;f<p.length;++f)p[f].from!=null&&i.push(p[f].marker)}),i},posFromIndex:function(i){var s,p=this.first,f=this.lineSeparator().length;return this.iter(function(m){var C=m.text.length+f;if(C>i)return s=i,!0;i-=C,++p}),Ht(this,st(p,s))},indexFromPos:function(i){i=Ht(this,i);var s=i.ch;if(i.line<this.first||i.ch<0)return 0;var p=this.lineSeparator().length;return this.iter(this.first,i.line,function(f){s+=f.text.length+p}),s},copy:function(i){var s=new Kr(Na(this,this.first,this.first+this.size),this.modeOption,this.first,this.lineSep,this.direction);return s.scrollTop=this.scrollTop,s.scrollLeft=this.scrollLeft,s.sel=this.sel,s.extend=!1,i&&(s.history.undoDepth=this.history.undoDepth,s.setHistory(this.getHistory())),s},linkedDoc:function(i){i||(i={});var s=this.first,p=this.first+this.size;i.from!=null&&i.from>s&&(s=i.from),i.to!=null&&i.to<p&&(p=i.to);var f=new Kr(Na(this,s,p),i.mode||this.modeOption,s,this.lineSep,this.direction);return i.sharedHist&&(f.history=this.history),(this.linked||(this.linked=[])).push({doc:f,sharedHist:i.sharedHist}),f.linked=[{doc:this,isParent:!0,sharedHist:i.sharedHist}],zI(f,pb(this)),f},unlinkDoc:function(i){if(i instanceof Ln&&(i=i.doc),this.linked)for(var s=0;s<this.linked.length;++s){var p=this.linked[s];if(p.doc==i){this.linked.splice(s,1),i.unlinkDoc(this),KI(pb(this));break}}if(i.history==this.history){var f=[i.id];Bo(i,function(m){return f.push(m.id)},!0),i.history=new Ic(null),i.history.done=ll(this.history.done,f),i.history.undone=ll(this.history.undone,f)}},iterLinkedDocs:function(i){Bo(this,i)},getMode:function(){return this.mode},getEditor:function(){return this.cm},splitLines:function(i){return this.lineSep?i.split(this.lineSep):Pr(i)},lineSeparator:function(){return this.lineSep||`
-`},setDirection:rr(function(i){i!="rtl"&&(i="ltr"),i!=this.direction&&(this.direction=i,this.iter(function(s){return s.order=null}),this.cm&&PI(this.cm))})}),Kr.prototype.eachLine=Kr.prototype.iter;var _b=0;function QI(i){var s=this;if(mb(s),!(Lt(s,i)||Jt(s.display,i))){Zt(i),c&&(_b=+new Date);var p=D(s,i,!0),f=i.dataTransfer.files;if(!(!p||s.isReadOnly()))if(f&&f.length&&window.FileReader&&window.File)for(var m=f.length,C=Array(m),w=0,B=function(){++w==m&&nr(s,function(){p=Ht(s.doc,p);var Me={from:p,to:p,text:s.doc.splitLines(C.filter(function(Je){return Je!=null}).join(s.doc.lineSeparator())),origin:"paste"};cl(s.doc,Me),JS(s.doc,Po(Ht(s.doc,p),Ht(s.doc,Fo(Me))))})()},Y=function(Me,Je){if(s.options.allowDropFileTypes&&nt(s.options.allowDropFileTypes,Me.type)==-1){B();return}var ut=new FileReader;ut.onerror=function(){return B()},ut.onload=function(){var gt=ut.result;if(/[\x00-\x08\x0e-\x1f]{2}/.test(gt)){B();return}C[Je]=gt,B()},ut.readAsText(Me)},J=0;J<f.length;J++)Y(f[J],J);else{if(s.state.draggingText&&s.doc.sel.contains(p)>-1){s.state.draggingText(i),setTimeout(function(){return s.display.input.focus()},20);return}try{var me=i.dataTransfer.getData("Text");if(me){var Te;if(s.state.draggingText&&!s.state.draggingText.copy&&(Te=s.listSelections()),wc(s.doc,Po(p,p)),Te)for(var qe=0;qe<Te.length;++qe)dl(s.doc,"",Te[qe].anchor,Te[qe].head,"drag");s.replaceSelection(me,"around","paste"),s.display.input.focus()}}catch{}}}}function jI(i,s){if(c&&(!i.state.draggingText||+new Date-_b<100)){wn(s);return}if(!(Lt(i,s)||Jt(i.display,s))&&(s.dataTransfer.setData("Text",i.getSelection()),s.dataTransfer.effectAllowed="copyMove",s.dataTransfer.setDragImage&&!M)){var p=V("img",null,null,"position: fixed; left: 0; top: 0;");p.src="data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==",y&&(p.width=p.height=1,i.display.wrapper.appendChild(p),p._top=p.offsetTop),s.dataTransfer.setDragImage(p,0,0),y&&p.parentNode.removeChild(p)}}function XI(i,s){var p=D(i,s);if(!!p){var f=document.createDocumentFragment();Yt(i,p,f),i.display.dragCursor||(i.display.dragCursor=V("div",null,"CodeMirror-cursors CodeMirror-dragcursors"),i.display.lineSpace.insertBefore(i.display.dragCursor,i.display.cursorDiv)),fe(i.display.dragCursor,f)}}function mb(i){i.display.dragCursor&&(i.display.lineSpace.removeChild(i.display.dragCursor),i.display.dragCursor=null)}function gb(i){if(!!document.getElementsByClassName){for(var s=document.getElementsByClassName("CodeMirror"),p=[],f=0;f<s.length;f++){var m=s[f].CodeMirror;m&&p.push(m)}p.length&&p[0].operation(function(){for(var C=0;C<p.length;C++)i(p[C])})}}var hb=!1;function ZI(){hb||(JI(),hb=!0)}function JI(){var i;De(window,"resize",function(){i==null&&(i=setTimeout(function(){i=null,gb(eD)},100))}),De(window,"blur",function(){return gb(al)})}function eD(i){var s=i.display;s.cachedCharWidth=s.cachedTextHeight=s.cachedPaddingH=null,s.scrollbarsClipped=!1,i.setSize()}for(var Go={3:"Pause",8:"Backspace",9:"Tab",13:"Enter",16:"Shift",17:"Ctrl",18:"Alt",19:"Pause",20:"CapsLock",27:"Esc",32:"Space",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"Left",38:"Up",39:"Right",40:"Down",44:"PrintScrn",45:"Insert",46:"Delete",59:";",61:"=",91:"Mod",92:"Mod",93:"Mod",106:"*",107:"=",109:"-",110:".",111:"/",145:"ScrollLock",173:"-",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'",224:"Mod",63232:"Up",63233:"Down",63234:"Left",63235:"Right",63272:"Delete",63273:"Home",63275:"End",63276:"PageUp",63277:"PageDown",63302:"Insert"},Eu=0;Eu<10;Eu++)Go[Eu+48]=Go[Eu+96]=String(Eu);for(var kc=65;kc<=90;kc++)Go[kc]=String.fromCharCode(kc);for(var Su=1;Su<=12;Su++)Go[Su+111]=Go[Su+63235]="F"+Su;var _o={};_o.basic={Left:"goCharLeft",Right:"goCharRight",Up:"goLineUp",Down:"goLineDown",End:"goLineEnd",Home:"goLineStartSmart",PageUp:"goPageUp",PageDown:"goPageDown",Delete:"delCharAfter",Backspace:"delCharBefore","Shift-Backspace":"delCharBefore",Tab:"defaultTab","Shift-Tab":"indentAuto",Enter:"newlineAndIndent",Insert:"toggleOverwrite",Esc:"singleSelection"},_o.pcDefault={"Ctrl-A":"selectAll","Ctrl-D":"deleteLine","Ctrl-Z":"undo","Shift-Ctrl-Z":"redo","Ctrl-Y":"redo","Ctrl-Home":"goDocStart","Ctrl-End":"goDocEnd","Ctrl-Up":"goLineUp","Ctrl-Down":"goLineDown","Ctrl-Left":"goGroupLeft","Ctrl-Right":"goGroupRight","Alt-Left":"goLineStart","Alt-Right":"goLineEnd","Ctrl-Backspace":"delGroupBefore","Ctrl-Delete":"delGroupAfter","Ctrl-S":"save","Ctrl-F":"find","Ctrl-G":"findNext","Shift-Ctrl-G":"findPrev","Shift-Ctrl-F":"replace","Shift-Ctrl-R":"replaceAll","Ctrl-[":"indentLess","Ctrl-]":"indentMore","Ctrl-U":"undoSelection","Shift-Ctrl-U":"redoSelection","Alt-U":"redoSelection",fallthrough:"basic"},_o.emacsy={"Ctrl-F":"goCharRight","Ctrl-B":"goCharLeft","Ctrl-P":"goLineUp","Ctrl-N":"goLineDown","Ctrl-A":"goLineStart","Ctrl-E":"goLineEnd","Ctrl-V":"goPageDown","Shift-Ctrl-V":"goPageUp","Ctrl-D":"delCharAfter","Ctrl-H":"delCharBefore","Alt-Backspace":"delWordBefore","Ctrl-K":"killLine","Ctrl-T":"transposeChars","Ctrl-O":"openLine"},_o.macDefault={"Cmd-A":"selectAll","Cmd-D":"deleteLine","Cmd-Z":"undo","Shift-Cmd-Z":"redo","Cmd-Y":"redo","Cmd-Home":"goDocStart","Cmd-Up":"goDocStart","Cmd-End":"goDocEnd","Cmd-Down":"goDocEnd","Alt-Left":"goGroupLeft","Alt-Right":"goGroupRight","Cmd-Left":"goLineLeft","Cmd-Right":"goLineRight","Alt-Backspace":"delGroupBefore","Ctrl-Alt-Backspace":"delGroupAfter","Alt-Delete":"delGroupAfter","Cmd-S":"save","Cmd-F":"find","Cmd-G":"findNext","Shift-Cmd-G":"findPrev","Cmd-Alt-F":"replace","Shift-Cmd-Alt-F":"replaceAll","Cmd-[":"indentLess","Cmd-]":"indentMore","Cmd-Backspace":"delWrappedLineLeft","Cmd-Delete":"delWrappedLineRight","Cmd-U":"undoSelection","Shift-Cmd-U":"redoSelection","Ctrl-Up":"goDocStart","Ctrl-Down":"goDocEnd",fallthrough:["basic","emacsy"]},_o.default=L?_o.macDefault:_o.pcDefault;function tD(i){var s=i.split(/-(?!$)/);i=s[s.length-1];for(var p,f,m,C,w=0;w<s.length-1;w++){var B=s[w];if(/^(cmd|meta|m)$/i.test(B))C=!0;else if(/^a(lt)?$/i.test(B))p=!0;else if(/^(c|ctrl|control)$/i.test(B))f=!0;else if(/^s(hift)?$/i.test(B))m=!0;else throw new Error("Unrecognized modifier name: "+B)}return p&&(i="Alt-"+i),f&&(i="Ctrl-"+i),C&&(i="Cmd-"+i),m&&(i="Shift-"+i),i}function nD(i){var s={};for(var p in i)if(i.hasOwnProperty(p)){var f=i[p];if(/^(name|fallthrough|(de|at)tach)$/.test(p))continue;if(f=="..."){delete i[p];continue}for(var m=Ue(p.split(" "),tD),C=0;C<m.length;C++){var w=void 0,B=void 0;C==m.length-1?(B=m.join(" "),w=f):(B=m.slice(0,C+1).join(" "),w="...");var Y=s[B];if(!Y)s[B]=w;else if(Y!=w)throw new Error("Inconsistent bindings for "+B)}delete i[p]}for(var J in s)i[J]=s[J];return i}function pl(i,s,p,f){s=Pc(s);var m=s.call?s.call(i,f):s[i];if(m===!1)return"nothing";if(m==="...")return"multi";if(m!=null&&p(m))return"handled";if(s.fallthrough){if(Object.prototype.toString.call(s.fallthrough)!="[object Array]")return pl(i,s.fallthrough,p,f);for(var C=0;C<s.fallthrough.length;C++){var w=pl(i,s.fallthrough[C],p,f);if(w)return w}}}function Eb(i){var s=typeof i=="string"?i:Go[i.keyCode];return s=="Ctrl"||s=="Alt"||s=="Shift"||s=="Mod"}function Sb(i,s,p){var f=i;return s.altKey&&f!="Alt"&&(i="Alt-"+i),(F?s.metaKey:s.ctrlKey)&&f!="Ctrl"&&(i="Ctrl-"+i),(F?s.ctrlKey:s.metaKey)&&f!="Mod"&&(i="Cmd-"+i),!p&&s.shiftKey&&f!="Shift"&&(i="Shift-"+i),i}function bb(i,s){if(y&&i.keyCode==34&&i.char)return!1;var p=Go[i.keyCode];return p==null||i.altGraphKey?!1:(i.keyCode==3&&i.code&&(p=i.code),Sb(p,i,s))}function Pc(i){return typeof i=="string"?_o[i]:i}function _l(i,s){for(var p=i.doc.sel.ranges,f=[],m=0;m<p.length;m++){for(var C=s(p[m]);f.length&&Bt(C.from,Ie(f).to)<=0;){var w=f.pop();if(Bt(w.from,C.from)<0){C.from=w.from;break}}f.push(C)}gi(i,function(){for(var B=f.length-1;B>=0;B--)dl(i.doc,"",f[B].from,f[B].to,"+delete");ol(i)})}function $f(i,s,p){var f=Q(i.text,s+p,p);return f<0||f>i.text.length?null:f}function Qf(i,s,p){var f=$f(i,s.ch,p);return f==null?null:new st(s.line,f,p<0?"after":"before")}function jf(i,s,p,f,m){if(i){s.doc.direction=="rtl"&&(m=-m);var C=ke(p,s.doc.direction);if(C){var w=m<0?Ie(C):C[0],B=m<0==(w.level==1),Y=B?"after":"before",J;if(w.level>0||s.doc.direction=="rtl"){var me=wi(s,p);J=m<0?p.text.length-1:0;var Te=Cr(s,me,J).top;J=he(function(qe){return Cr(s,me,qe).top==Te},m<0==(w.level==1)?w.from:w.to-1,J),Y=="before"&&(J=$f(p,J,1))}else J=m<0?w.to:w.from;return new st(f,J,Y)}}return new st(f,m<0?p.text.length:0,m<0?"before":"after")}function rD(i,s,p,f){var m=ke(s,i.doc.direction);if(!m)return Qf(s,p,f);p.ch>=s.text.length?(p.ch=s.text.length,p.sticky="before"):p.ch<=0&&(p.ch=0,p.sticky="after");var C=je(m,p.ch,p.sticky),w=m[C];if(i.doc.direction=="ltr"&&w.level%2==0&&(f>0?w.to>p.ch:w.from<p.ch))return Qf(s,p,f);var B=function(yt,Nt){return $f(s,yt instanceof st?yt.ch:yt,Nt)},Y,J=function(yt){return i.options.lineWrapping?(Y=Y||wi(i,s),Vt(i,s,Y,yt)):{begin:0,end:s.text.length}},me=J(p.sticky=="before"?B(p,-1):p.ch);if(i.doc.direction=="rtl"||w.level==1){var Te=w.level==1==f<0,qe=B(p,Te?1:-1);if(qe!=null&&(Te?qe<=w.to&&qe<=me.end:qe>=w.from&&qe>=me.begin)){var Me=Te?"before":"after";return new st(p.line,qe,Me)}}var Je=function(yt,Nt,Ct){for(var xt=function(Tn,ir){return ir?new st(p.line,B(Tn,1),"before"):new st(p.line,Tn,"after")};yt>=0&&yt<m.length;yt+=Nt){var Gt=m[yt],Pt=Nt>0==(Gt.level!=1),en=Pt?Ct.begin:B(Ct.end,-1);if(Gt.from<=en&&en<Gt.to||(en=Pt?Gt.from:B(Gt.to,-1),Ct.begin<=en&&en<Ct.end))return xt(en,Pt)}},ut=Je(C+f,f,me);if(ut)return ut;var gt=f>0?me.end:B(me.begin,-1);return gt!=null&&!(f>0&&gt==s.text.length)&&(ut=Je(f>0?0:m.length-1,f,J(gt)),ut)?ut:null}var bu={selectAll:ib,singleSelection:function(i){return i.setSelection(i.getCursor("anchor"),i.getCursor("head"),He)},killLine:function(i){return _l(i,function(s){if(s.empty()){var p=Mt(i.doc,s.head.line).text.length;return s.head.ch==p&&s.head.line<i.lastLine()?{from:s.head,to:st(s.head.line+1,0)}:{from:s.head,to:st(s.head.line,p)}}else return{from:s.from(),to:s.to()}})},deleteLine:function(i){return _l(i,function(s){return{from:st(s.from().line,0),to:Ht(i.doc,st(s.to().line+1,0))}})},delLineLeft:function(i){return _l(i,function(s){return{from:st(s.from().line,0),to:s.from()}})},delWrappedLineLeft:function(i){return _l(i,function(s){var p=i.charCoords(s.head,"div").top+5,f=i.coordsChar({left:0,top:p},"div");return{from:f,to:s.from()}})},delWrappedLineRight:function(i){return _l(i,function(s){var p=i.charCoords(s.head,"div").top+5,f=i.coordsChar({left:i.display.lineDiv.offsetWidth+100,top:p},"div");return{from:s.from(),to:f}})},undo:function(i){return i.undo()},redo:function(i){return i.redo()},undoSelection:function(i){return i.undoSelection()},redoSelection:function(i){return i.redoSelection()},goDocStart:function(i){return i.extendSelection(st(i.firstLine(),0))},goDocEnd:function(i){return i.extendSelection(st(i.lastLine()))},goLineStart:function(i){return i.extendSelectionsBy(function(s){return vb(i,s.head.line)},{origin:"+move",bias:1})},goLineStartSmart:function(i){return i.extendSelectionsBy(function(s){return Tb(i,s.head)},{origin:"+move",bias:1})},goLineEnd:function(i){return i.extendSelectionsBy(function(s){return iD(i,s.head.line)},{origin:"+move",bias:-1})},goLineRight:function(i){return i.extendSelectionsBy(function(s){var p=i.cursorCoords(s.head,"div").top+5;return i.coordsChar({left:i.display.lineDiv.offsetWidth+100,top:p},"div")},ze)},goLineLeft:function(i){return i.extendSelectionsBy(function(s){var p=i.cursorCoords(s.head,"div").top+5;return i.coordsChar({left:0,top:p},"div")},ze)},goLineLeftSmart:function(i){return i.extendSelectionsBy(function(s){var p=i.cursorCoords(s.head,"div").top+5,f=i.coordsChar({left:0,top:p},"div");return f.ch<i.getLine(f.line).search(/\S/)?Tb(i,s.head):f},ze)},goLineUp:function(i){return i.moveV(-1,"line")},goLineDown:function(i){return i.moveV(1,"line")},goPageUp:function(i){return i.moveV(-1,"page")},goPageDown:function(i){return i.moveV(1,"page")},goCharLeft:function(i){return i.moveH(-1,"char")},goCharRight:function(i){return i.moveH(1,"char")},goColumnLeft:function(i){return i.moveH(-1,"column")},goColumnRight:function(i){return i.moveH(1,"column")},goWordLeft:function(i){return i.moveH(-1,"word")},goGroupRight:function(i){return i.moveH(1,"group")},goGroupLeft:function(i){return i.moveH(-1,"group")},goWordRight:function(i){return i.moveH(1,"word")},delCharBefore:function(i){return i.deleteH(-1,"codepoint")},delCharAfter:function(i){return i.deleteH(1,"char")},delWordBefore:function(i){return i.deleteH(-1,"word")},delWordAfter:function(i){return i.deleteH(1,"word")},delGroupBefore:function(i){return i.deleteH(-1,"group")},delGroupAfter:function(i){return i.deleteH(1,"group")},indentAuto:function(i){return i.indentSelection("smart")},indentMore:function(i){return i.indentSelection("add")},indentLess:function(i){return i.indentSelection("subtract")},insertTab:function(i){return i.replaceSelection("	")},insertSoftTab:function(i){for(var s=[],p=i.listSelections(),f=i.options.tabSize,m=0;m<p.length;m++){var C=p[m].from(),w=ct(i.getLine(C.line),C.ch,f);s.push(Ne(f-w%f))}i.replaceSelections(s)},defaultTab:function(i){i.somethingSelected()?i.indentSelection("add"):i.execCommand("insertTab")},transposeChars:function(i){return gi(i,function(){for(var s=i.listSelections(),p=[],f=0;f<s.length;f++)if(!!s[f].empty()){var m=s[f].head,C=Mt(i.doc,m.line).text;if(C){if(m.ch==C.length&&(m=new st(m.line,m.ch-1)),m.ch>0)m=new st(m.line,m.ch+1),i.replaceRange(C.charAt(m.ch-1)+C.charAt(m.ch-2),st(m.line,m.ch-2),m,"+transpose");else if(m.line>i.doc.first){var w=Mt(i.doc,m.line-1).text;w&&(m=new st(m.line,1),i.replaceRange(C.charAt(0)+i.doc.lineSeparator()+w.charAt(w.length-1),st(m.line-1,w.length-1),m,"+transpose"))}}p.push(new mn(m,m))}i.setSelections(p)})},newlineAndIndent:function(i){return gi(i,function(){for(var s=i.listSelections(),p=s.length-1;p>=0;p--)i.replaceRange(i.doc.lineSeparator(),s[p].anchor,s[p].head,"+input");s=i.listSelections();for(var f=0;f<s.length;f++)i.indentLine(s[f].from().line,null,!0);ol(i)})},openLine:function(i){return i.replaceSelection(`
-`,"start")},toggleOverwrite:function(i){return i.toggleOverwrite()}};function vb(i,s){var p=Mt(i.doc,s),f=er(p);return f!=p&&(s=un(f)),jf(!0,i,f,s,1)}function iD(i,s){var p=Mt(i.doc,s),f=nl(p);return f!=p&&(s=un(f)),jf(!0,i,p,s,-1)}function Tb(i,s){var p=vb(i,s.line),f=Mt(i.doc,p.line),m=ke(f,i.doc.direction);if(!m||m[0].level==0){var C=Math.max(p.ch,f.text.search(/\S/)),w=s.line==p.line&&s.ch<=C&&s.ch;return st(p.line,w?0:C,p.sticky)}return p}function Fc(i,s,p){if(typeof s=="string"&&(s=bu[s],!s))return!1;i.display.input.ensurePolled();var f=i.display.shift,m=!1;try{i.isReadOnly()&&(i.state.suppressEdits=!0),p&&(i.display.shift=!1),m=s(i)!=Ee}finally{i.display.shift=f,i.state.suppressEdits=!1}return m}function aD(i,s,p){for(var f=0;f<i.state.keyMaps.length;f++){var m=pl(s,i.state.keyMaps[f],p,i);if(m)return m}return i.options.extraKeys&&pl(s,i.options.extraKeys,p,i)||pl(s,i.options.keyMap,p,i)}var oD=new Ze;function vu(i,s,p,f){var m=i.state.keySeq;if(m){if(Eb(s))return"handled";if(/\'$/.test(s)?i.state.keySeq=null:oD.set(50,function(){i.state.keySeq==m&&(i.state.keySeq=null,i.display.input.reset())}),yb(i,m+" "+s,p,f))return!0}return yb(i,s,p,f)}function yb(i,s,p,f){var m=aD(i,s,f);return m=="multi"&&(i.state.keySeq=s),m=="handled"&&jt(i,"keyHandled",i,s,p),(m=="handled"||m=="multi")&&(Zt(p),Ar(i)),!!m}function Cb(i,s){var p=bb(s,!0);return p?s.shiftKey&&!i.state.keySeq?vu(i,"Shift-"+p,s,function(f){return Fc(i,f,!0)})||vu(i,p,s,function(f){if(typeof f=="string"?/^go[A-Z]/.test(f):f.motion)return Fc(i,f)}):vu(i,p,s,function(f){return Fc(i,f)}):!1}function sD(i,s,p){return vu(i,"'"+p+"'",s,function(f){return Fc(i,f,!0)})}var Xf=null;function Ab(i){var s=this;if(!(i.target&&i.target!=s.display.input.getField())&&(s.curOp.focus=se(Oe(s)),!Lt(s,i))){c&&d<11&&i.keyCode==27&&(i.returnValue=!1);var p=i.keyCode;s.display.shift=p==16||i.shiftKey;var f=Cb(s,i);y&&(Xf=f?p:null,!f&&p==88&&!ii&&(L?i.metaKey:i.ctrlKey)&&s.replaceSelection("",null,"cut")),a&&!L&&!f&&p==46&&i.shiftKey&&!i.ctrlKey&&document.execCommand&&document.execCommand("cut"),p==18&&!/\bCodeMirror-crosshair\b/.test(s.display.lineDiv.className)&&lD(s)}}function lD(i){var s=i.display.lineDiv;ve(s,"CodeMirror-crosshair");function p(f){(f.keyCode==18||!f.altKey)&&(ue(s,"CodeMirror-crosshair"),_t(document,"keyup",p),_t(document,"mouseover",p))}De(document,"keyup",p),De(document,"mouseover",p)}function Ob(i){i.keyCode==16&&(this.doc.sel.shift=!1),Lt(this,i)}function Rb(i){var s=this;if(!(i.target&&i.target!=s.display.input.getField())&&!(Jt(s.display,i)||Lt(s,i)||i.ctrlKey&&!i.altKey||L&&i.metaKey)){var p=i.keyCode,f=i.charCode;if(y&&p==Xf){Xf=null,Zt(i);return}if(!(y&&(!i.which||i.which<10)&&Cb(s,i))){var m=String.fromCharCode(f==null?p:f);m!="\b"&&(sD(s,i,m)||s.display.input.onKeyPress(i))}}}var uD=400,Zf=function(i,s,p){this.time=i,this.pos=s,this.button=p};Zf.prototype.compare=function(i,s,p){return this.time+uD>i&&Bt(s,this.pos)==0&&p==this.button};var Tu,yu;function cD(i,s){var p=+new Date;return yu&&yu.compare(p,i,s)?(Tu=yu=null,"triple"):Tu&&Tu.compare(p,i,s)?(yu=new Zf(p,i,s),Tu=null,"double"):(Tu=new Zf(p,i,s),yu=null,"single")}function Nb(i){var s=this,p=s.display;if(!(Lt(s,i)||p.activeTouch&&p.input.supportsTouch())){if(p.input.ensurePolled(),p.shift=i.shiftKey,Jt(p,i)){S||(p.scroller.draggable=!1,setTimeout(function(){return p.scroller.draggable=!0},100));return}if(!Jf(s,i)){var f=D(s,i),m=Jn(i),C=f?cD(f,m):"single";rt(s).focus(),m==1&&s.state.selectingText&&s.state.selectingText(i),!(f&&dD(s,m,f,C,i))&&(m==1?f?pD(s,f,C,i):Wn(i)==p.scroller&&Zt(i):m==2?(f&&xc(s.doc,f),setTimeout(function(){return p.input.focus()},20)):m==3&&(z?s.display.input.onContextMenu(i):zr(s)))}}}function dD(i,s,p,f,m){var C="Click";return f=="double"?C="Double"+C:f=="triple"&&(C="Triple"+C),C=(s==1?"Left":s==2?"Middle":"Right")+C,vu(i,Sb(C,m),m,function(w){if(typeof w=="string"&&(w=bu[w]),!w)return!1;var B=!1;try{i.isReadOnly()&&(i.state.suppressEdits=!0),B=w(i,p)!=Ee}finally{i.state.suppressEdits=!1}return B})}function fD(i,s,p){var f=i.getOption("configureMouse"),m=f?f(i,s,p):{};if(m.unit==null){var C=I?p.shiftKey&&p.metaKey:p.altKey;m.unit=C?"rectangle":s=="single"?"char":s=="double"?"word":"line"}return(m.extend==null||i.doc.extend)&&(m.extend=i.doc.extend||p.shiftKey),m.addNew==null&&(m.addNew=L?p.metaKey:p.ctrlKey),m.moveOnDrag==null&&(m.moveOnDrag=!(L?p.altKey:p.ctrlKey)),m}function pD(i,s,p,f){c?setTimeout(bt(Vr,i),0):i.curOp.focus=se(Oe(i));var m=fD(i,p,f),C=i.doc.sel,w;i.options.dragDrop&&Oa&&!i.isReadOnly()&&p=="single"&&(w=C.contains(s))>-1&&(Bt((w=C.ranges[w]).from(),s)<0||s.xRel>0)&&(Bt(w.to(),s)>0||s.xRel<0)?_D(i,f,s,m):mD(i,f,s,m)}function _D(i,s,p,f){var m=i.display,C=!1,w=nr(i,function(J){S&&(m.scroller.draggable=!1),i.state.draggingText=!1,i.state.delayingBlurEvent&&(i.hasFocus()?i.state.delayingBlurEvent=!1:zr(i)),_t(m.wrapper.ownerDocument,"mouseup",w),_t(m.wrapper.ownerDocument,"mousemove",B),_t(m.scroller,"dragstart",Y),_t(m.scroller,"drop",w),C||(Zt(J),f.addNew||xc(i.doc,p,null,null,f.extend),S&&!M||c&&d==9?setTimeout(function(){m.wrapper.ownerDocument.body.focus({preventScroll:!0}),m.input.focus()},20):m.input.focus())}),B=function(J){C=C||Math.abs(s.clientX-J.clientX)+Math.abs(s.clientY-J.clientY)>=10},Y=function(){return C=!0};S&&(m.scroller.draggable=!0),i.state.draggingText=w,w.copy=!f.moveOnDrag,De(m.wrapper.ownerDocument,"mouseup",w),De(m.wrapper.ownerDocument,"mousemove",B),De(m.scroller,"dragstart",Y),De(m.scroller,"drop",w),i.state.delayingBlurEvent=!0,setTimeout(function(){return m.input.focus()},20),m.scroller.dragDrop&&m.scroller.dragDrop()}function Ib(i,s,p){if(p=="char")return new mn(s,s);if(p=="word")return i.findWordAt(s);if(p=="line")return new mn(st(s.line,0),Ht(i.doc,st(s.line+1,0)));var f=p(i,s);return new mn(f.from,f.to)}function mD(i,s,p,f){c&&zr(i);var m=i.display,C=i.doc;Zt(s);var w,B,Y=C.sel,J=Y.ranges;if(f.addNew&&!f.extend?(B=C.sel.contains(p),B>-1?w=J[B]:w=new mn(p,p)):(w=C.sel.primary(),B=C.sel.primIndex),f.unit=="rectangle")f.addNew||(w=new mn(p,p)),p=D(i,s,!0,!0),B=-1;else{var me=Ib(i,p,f.unit);f.extend?w=zf(w,me.anchor,me.head,f.extend):w=me}f.addNew?B==-1?(B=J.length,Or(C,ha(i,J.concat([w]),B),{scroll:!1,origin:"*mouse"})):J.length>1&&J[B].empty()&&f.unit=="char"&&!f.extend?(Or(C,ha(i,J.slice(0,B).concat(J.slice(B+1)),0),{scroll:!1,origin:"*mouse"}),Y=C.sel):Kf(C,B,w,we):(B=0,Or(C,new Li([w],0),we),Y=C.sel);var Te=p;function qe(Ct){if(Bt(Te,Ct)!=0)if(Te=Ct,f.unit=="rectangle"){for(var xt=[],Gt=i.options.tabSize,Pt=ct(Mt(C,p.line).text,p.ch,Gt),en=ct(Mt(C,Ct.line).text,Ct.ch,Gt),Tn=Math.min(Pt,en),ir=Math.max(Pt,en),Pn=Math.min(p.line,Ct.line),hi=Math.min(i.lastLine(),Math.max(p.line,Ct.line));Pn<=hi;Pn++){var $r=Mt(C,Pn).text,zn=pe($r,Tn,Gt);Tn==ir?xt.push(new mn(st(Pn,zn),st(Pn,zn))):$r.length>zn&&xt.push(new mn(st(Pn,zn),st(Pn,pe($r,ir,Gt))))}xt.length||xt.push(new mn(p,p)),Or(C,ha(i,Y.ranges.slice(0,B).concat(xt),B),{origin:"*mouse",scroll:!1}),i.scrollIntoView(Ct)}else{var Qr=w,mr=Ib(i,Ct,f.unit),jn=Qr.anchor,Kn;Bt(mr.anchor,jn)>0?(Kn=mr.head,jn=Wi(Qr.from(),mr.anchor)):(Kn=mr.anchor,jn=Yi(Qr.to(),mr.head));var Bn=Y.ranges.slice(0);Bn[B]=gD(i,new mn(Ht(C,jn),Kn)),Or(C,ha(i,Bn,B),we)}}var Me=m.wrapper.getBoundingClientRect(),Je=0;function ut(Ct){var xt=++Je,Gt=D(i,Ct,!0,f.unit=="rectangle");if(!!Gt)if(Bt(Gt,Te)!=0){i.curOp.focus=se(Oe(i)),qe(Gt);var Pt=Ac(m,C);(Gt.line>=Pt.to||Gt.line<Pt.from)&&setTimeout(nr(i,function(){Je==xt&&ut(Ct)}),150)}else{var en=Ct.clientY<Me.top?-20:Ct.clientY>Me.bottom?20:0;en&&setTimeout(nr(i,function(){Je==xt&&(m.scroller.scrollTop+=en,ut(Ct))}),50)}}function gt(Ct){i.state.selectingText=!1,Je=1/0,Ct&&(Zt(Ct),m.input.focus()),_t(m.wrapper.ownerDocument,"mousemove",yt),_t(m.wrapper.ownerDocument,"mouseup",Nt),C.history.lastSelOrigin=null}var yt=nr(i,function(Ct){Ct.buttons===0||!Jn(Ct)?gt(Ct):ut(Ct)}),Nt=nr(i,gt);i.state.selectingText=Nt,De(m.wrapper.ownerDocument,"mousemove",yt),De(m.wrapper.ownerDocument,"mouseup",Nt)}function gD(i,s){var p=s.anchor,f=s.head,m=Mt(i.doc,p.line);if(Bt(p,f)==0&&p.sticky==f.sticky)return s;var C=ke(m);if(!C)return s;var w=je(C,p.ch,p.sticky),B=C[w];if(B.from!=p.ch&&B.to!=p.ch)return s;var Y=w+(B.from==p.ch==(B.level!=1)?0:1);if(Y==0||Y==C.length)return s;var J;if(f.line!=p.line)J=(f.line-p.line)*(i.doc.direction=="ltr"?1:-1)>0;else{var me=je(C,f.ch,f.sticky),Te=me-w||(f.ch-p.ch)*(B.level==1?-1:1);me==Y-1||me==Y?J=Te<0:J=Te>0}var qe=C[Y+(J?-1:0)],Me=J==(qe.level==1),Je=Me?qe.from:qe.to,ut=Me?"after":"before";return p.ch==Je&&p.sticky==ut?s:new mn(new st(p.line,Je,ut),f)}function Db(i,s,p,f){var m,C;if(s.touches)m=s.touches[0].clientX,C=s.touches[0].clientY;else try{m=s.clientX,C=s.clientY}catch{return!1}if(m>=Math.floor(i.display.gutters.getBoundingClientRect().right))return!1;f&&Zt(s);var w=i.display,B=w.lineDiv.getBoundingClientRect();if(C>B.bottom||!Xt(i,p))return Qn(s);C-=B.top-w.viewOffset;for(var Y=0;Y<i.display.gutterSpecs.length;++Y){var J=w.gutters.childNodes[Y];if(J&&J.getBoundingClientRect().right>=m){var me=Br(i.doc,C),Te=i.display.gutterSpecs[Y];return wt(i,p,i,me,Te.className,s),Qn(s)}}}function Jf(i,s){return Db(i,s,"gutterClick",!0)}function xb(i,s){Jt(i.display,s)||hD(i,s)||Lt(i,s,"contextmenu")||z||i.display.input.onContextMenu(s)}function hD(i,s){return Xt(i,"gutterContextMenu")?Db(i,s,"gutterContextMenu",!1):!1}function wb(i){i.display.wrapper.className=i.display.wrapper.className.replace(/\s*cm-s-\S+/g,"")+i.options.theme.replace(/(^|\s)\s*/g," cm-s-"),mi(i)}var ml={toString:function(){return"CodeMirror.Init"}},Lb={},Bc={};function ED(i){var s=i.optionHandlers;function p(f,m,C,w){i.defaults[f]=m,C&&(s[f]=w?function(B,Y,J){J!=ml&&C(B,Y,J)}:C)}i.defineOption=p,i.Init=ml,p("value","",function(f,m){return f.setValue(m)},!0),p("mode",null,function(f,m){f.doc.modeOption=m,Yf(f)},!0),p("indentUnit",2,Yf,!0),p("indentWithTabs",!1),p("smartIndent",!0),p("tabSize",4,function(f){du(f),mi(f),le(f)},!0),p("lineSeparator",null,function(f,m){if(f.doc.lineSep=m,!!m){var C=[],w=f.doc.first;f.doc.iter(function(Y){for(var J=0;;){var me=Y.text.indexOf(m,J);if(me==-1)break;J=me+m.length,C.push(st(w,me))}w++});for(var B=C.length-1;B>=0;B--)dl(f.doc,m,C[B],st(C[B].line,C[B].ch+m.length))}}),p("specialChars",/[\u0000-\u001f\u007f-\u009f\u00ad\u061c\u200b\u200e\u200f\u2028\u2029\u202d\u202e\u2066\u2067\u2069\ufeff\ufff9-\ufffc]/g,function(f,m,C){f.state.specialChars=new RegExp(m.source+(m.test("	")?"":"|	"),"g"),C!=ml&&f.refresh()}),p("specialCharPlaceholder",ot,function(f){return f.refresh()},!0),p("electricChars",!0),p("inputStyle",R?"contenteditable":"textarea",function(){throw new Error("inputStyle can not (yet) be changed in a running editor")},!0),p("spellcheck",!1,function(f,m){return f.getInputField().spellcheck=m},!0),p("autocorrect",!1,function(f,m){return f.getInputField().autocorrect=m},!0),p("autocapitalize",!1,function(f,m){return f.getInputField().autocapitalize=m},!0),p("rtlMoveVisually",!h),p("wholeLineUpdateBefore",!0),p("theme","default",function(f){wb(f),cu(f)},!0),p("keyMap","default",function(f,m,C){var w=Pc(m),B=C!=ml&&Pc(C);B&&B.detach&&B.detach(f,w),w.attach&&w.attach(f,B||null)}),p("extraKeys",null),p("configureMouse",null),p("lineWrapping",!1,bD,!0),p("gutters",[],function(f,m){f.display.gutterSpecs=Hf(m,f.options.lineNumbers),cu(f)},!0),p("fixedGutter",!0,function(f,m){f.display.gutters.style.left=m?q(f.display)+"px":"0",f.refresh()},!0),p("coverGutterNextToScrollbar",!1,function(f){return sl(f)},!0),p("scrollbarStyle","native",function(f){kS(f),sl(f),f.display.scrollbars.setScrollTop(f.doc.scrollTop),f.display.scrollbars.setScrollLeft(f.doc.scrollLeft)},!0),p("lineNumbers",!1,function(f,m){f.display.gutterSpecs=Hf(f.options.gutters,m),cu(f)},!0),p("firstLineNumber",1,cu,!0),p("lineNumberFormatter",function(f){return f},cu,!0),p("showCursorWhenSelecting",!1,ht,!0),p("resetSelectionOnContextMenu",!0),p("lineWiseCopyCut",!0),p("pasteLinesPerSelection",!0),p("selectionsMayTouch",!1),p("readOnly",!1,function(f,m){m=="nocursor"&&(al(f),f.display.input.blur()),f.display.input.readOnlyChanged(m)}),p("screenReaderLabel",null,function(f,m){m=m===""?null:m,f.display.input.screenReaderLabelChanged(m)}),p("disableInput",!1,function(f,m){m||f.display.input.reset()},!0),p("dragDrop",!0,SD),p("allowDropFileTypes",null),p("cursorBlinkRate",530),p("cursorScrollMargin",0),p("cursorHeight",1,ht,!0),p("singleCursorHeightPerLine",!0,ht,!0),p("workTime",100),p("workDelay",100),p("flattenSpans",!0,du,!0),p("addModeClass",!1,du,!0),p("pollInterval",100),p("undoDepth",200,function(f,m){return f.doc.history.undoDepth=m}),p("historyEventDelay",1250),p("viewportMargin",10,function(f){return f.refresh()},!0),p("maxHighlightLength",1e4,du,!0),p("moveInputWithCursor",!0,function(f,m){m||f.display.input.resetPosition()}),p("tabindex",null,function(f,m){return f.display.input.getField().tabIndex=m||""}),p("autofocus",null),p("direction","ltr",function(f,m){return f.doc.setDirection(m)},!0),p("phrases",null)}function SD(i,s,p){var f=p&&p!=ml;if(!s!=!f){var m=i.display.dragFunctions,C=s?De:_t;C(i.display.scroller,"dragstart",m.start),C(i.display.scroller,"dragenter",m.enter),C(i.display.scroller,"dragover",m.over),C(i.display.scroller,"dragleave",m.leave),C(i.display.scroller,"drop",m.drop)}}function bD(i){i.options.lineWrapping?(ve(i.display.wrapper,"CodeMirror-wrap"),i.display.sizer.style.minWidth="",i.display.sizerWidth=null):(ue(i.display.wrapper,"CodeMirror-wrap"),P(i)),re(i),le(i),mi(i),setTimeout(function(){return sl(i)},100)}function Ln(i,s){var p=this;if(!(this instanceof Ln))return new Ln(i,s);this.options=s=s?dt(s):{},dt(Lb,s,!1);var f=s.value;typeof f=="string"?f=new Kr(f,s.mode,null,s.lineSeparator,s.direction):s.mode&&(f.modeOption=s.mode),this.doc=f;var m=new Ln.inputStyles[s.inputStyle](this),C=this.display=new LI(i,f,m,s);C.wrapper.CodeMirror=this,wb(this),s.lineWrapping&&(this.display.wrapper.className+=" CodeMirror-wrap"),kS(this),this.state={keyMaps:[],overlays:[],modeGen:0,overwrite:!1,delayingBlurEvent:!1,focused:!1,suppressEdits:!1,pasteIncoming:-1,cutIncoming:-1,selectingText:!1,draggingText:!1,highlight:new Ze,keySeq:null,specialChars:null},s.autofocus&&!R&&C.input.focus(),c&&d<11&&setTimeout(function(){return p.display.input.reset(!0)},20),vD(this),ZI(),hs(this),this.curOp.forceUpdate=!0,VS(this,f),s.autofocus&&!R||this.hasFocus()?setTimeout(function(){p.hasFocus()&&!p.state.focused&&ea(p)},20):al(this);for(var w in Bc)Bc.hasOwnProperty(w)&&Bc[w](this,s[w],ml);BS(this),s.finishInit&&s.finishInit(this);for(var B=0;B<ep.length;++B)ep[B](this);Es(this),S&&s.lineWrapping&&getComputedStyle(C.lineDiv).textRendering=="optimizelegibility"&&(C.lineDiv.style.textRendering="auto")}Ln.defaults=Lb,Ln.optionHandlers=Bc;function vD(i){var s=i.display;De(s.scroller,"mousedown",nr(i,Nb)),c&&d<11?De(s.scroller,"dblclick",nr(i,function(Y){if(!Lt(i,Y)){var J=D(i,Y);if(!(!J||Jf(i,Y)||Jt(i.display,Y))){Zt(Y);var me=i.findWordAt(J);xc(i.doc,me.anchor,me.head)}}})):De(s.scroller,"dblclick",function(Y){return Lt(i,Y)||Zt(Y)}),De(s.scroller,"contextmenu",function(Y){return xb(i,Y)}),De(s.input.getField(),"contextmenu",function(Y){s.scroller.contains(Y.target)||xb(i,Y)});var p,f={end:0};function m(){s.activeTouch&&(p=setTimeout(function(){return s.activeTouch=null},1e3),f=s.activeTouch,f.end=+new Date)}function C(Y){if(Y.touches.length!=1)return!1;var J=Y.touches[0];return J.radiusX<=1&&J.radiusY<=1}function w(Y,J){if(J.left==null)return!0;var me=J.left-Y.left,Te=J.top-Y.top;return me*me+Te*Te>20*20}De(s.scroller,"touchstart",function(Y){if(!Lt(i,Y)&&!C(Y)&&!Jf(i,Y)){s.input.ensurePolled(),clearTimeout(p);var J=+new Date;s.activeTouch={start:J,moved:!1,prev:J-f.end<=300?f:null},Y.touches.length==1&&(s.activeTouch.left=Y.touches[0].pageX,s.activeTouch.top=Y.touches[0].pageY)}}),De(s.scroller,"touchmove",function(){s.activeTouch&&(s.activeTouch.moved=!0)}),De(s.scroller,"touchend",function(Y){var J=s.activeTouch;if(J&&!Jt(s,Y)&&J.left!=null&&!J.moved&&new Date-J.start<300){var me=i.coordsChar(s.activeTouch,"page"),Te;!J.prev||w(J,J.prev)?Te=new mn(me,me):!J.prev.prev||w(J,J.prev.prev)?Te=i.findWordAt(me):Te=new mn(st(me.line,0),Ht(i.doc,st(me.line+1,0))),i.setSelection(Te.anchor,Te.head),i.focus(),Zt(Y)}m()}),De(s.scroller,"touchcancel",m),De(s.scroller,"scroll",function(){s.scroller.clientHeight&&(ou(i,s.scroller.scrollTop),ms(i,s.scroller.scrollLeft,!0),wt(i,"scroll",i))}),De(s.scroller,"mousewheel",function(Y){return HS(i,Y)}),De(s.scroller,"DOMMouseScroll",function(Y){return HS(i,Y)}),De(s.wrapper,"scroll",function(){return s.wrapper.scrollTop=s.wrapper.scrollLeft=0}),s.dragFunctions={enter:function(Y){Lt(i,Y)||wn(Y)},over:function(Y){Lt(i,Y)||(XI(i,Y),wn(Y))},start:function(Y){return jI(i,Y)},drop:nr(i,QI),leave:function(Y){Lt(i,Y)||mb(i)}};var B=s.input.getField();De(B,"keyup",function(Y){return Ob.call(i,Y)}),De(B,"keydown",nr(i,Ab)),De(B,"keypress",nr(i,Rb)),De(B,"focus",function(Y){return ea(i,Y)}),De(B,"blur",function(Y){return al(i,Y)})}var ep=[];Ln.defineInitHook=function(i){return ep.push(i)};function Cu(i,s,p,f){var m=i.doc,C;p==null&&(p="add"),p=="smart"&&(m.mode.indent?C=zi(i,s).state:p="prev");var w=i.options.tabSize,B=Mt(m,s),Y=ct(B.text,null,w);B.stateAfter&&(B.stateAfter=null);var J=B.text.match(/^\s*/)[0],me;if(!f&&!/\S/.test(B.text))me=0,p="not";else if(p=="smart"&&(me=m.mode.indent(C,B.text.slice(J.length),B.text),me==Ee||me>150)){if(!f)return;p="prev"}p=="prev"?s>m.first?me=ct(Mt(m,s-1).text,null,w):me=0:p=="add"?me=Y+i.options.indentUnit:p=="subtract"?me=Y-i.options.indentUnit:typeof p=="number"&&(me=Y+p),me=Math.max(0,me);var Te="",qe=0;if(i.options.indentWithTabs)for(var Me=Math.floor(me/w);Me;--Me)qe+=w,Te+="	";if(qe<me&&(Te+=Ne(me-qe)),Te!=J)return dl(m,Te,st(s,0),st(s,J.length),"+input"),B.stateAfter=null,!0;for(var Je=0;Je<m.sel.ranges.length;Je++){var ut=m.sel.ranges[Je];if(ut.head.line==s&&ut.head.ch<J.length){var gt=st(s,J.length);Kf(m,Je,new mn(gt,gt));break}}}var Ea=null;function Uc(i){Ea=i}function tp(i,s,p,f,m){var C=i.doc;i.display.shift=!1,f||(f=C.sel);var w=+new Date-200,B=m=="paste"||i.state.pasteIncoming>w,Y=Pr(s),J=null;if(B&&f.ranges.length>1)if(Ea&&Ea.text.join(`
+                         left: `+s.left+"px; width: "+Math.max(2,s.right-s.left)+"px;");i.display.lineSpace.appendChild(w),w.scrollIntoView(m),i.display.lineSpace.removeChild(w)}}}function bI(i,s,p,f){f==null&&(f=0);var m;!i.options.lineWrapping&&s==p&&(p=s.sticky=="before"?st(s.line,s.ch+1,"before"):s,s=s.ch?st(s.line,s.sticky=="before"?s.ch-1:s.ch,"after"):s);for(var C=0;C<5;C++){var w=!1,B=St(i,s),Y=!p||p==s?B:St(i,p);m={left:Math.min(B.left,Y.left),top:Math.min(B.top,Y.top)-f,right:Math.max(B.left,Y.left),bottom:Math.max(B.bottom,Y.bottom)+f};var J=kf(i,m),me=i.doc.scrollTop,Te=i.doc.scrollLeft;if(J.scrollTop!=null&&(au(i,J.scrollTop),Math.abs(i.doc.scrollTop-me)>1&&(w=!0)),J.scrollLeft!=null&&(ms(i,J.scrollLeft),Math.abs(i.doc.scrollLeft-Te)>1&&(w=!0)),!w)break}return m}function vI(i,s){var p=kf(i,s);p.scrollTop!=null&&au(i,p.scrollTop),p.scrollLeft!=null&&ms(i,p.scrollLeft)}function kf(i,s){var p=i.display,f=Hn(i.display);s.top<0&&(s.top=0);var m=i.curOp&&i.curOp.scrollTop!=null?i.curOp.scrollTop:p.scroller.scrollTop,C=Mo(i),w={};s.bottom-s.top>C&&(s.bottom=s.top+C);var B=i.doc.height+yr(p),Y=s.top<f,J=s.bottom>B-f;if(s.top<m)w.scrollTop=Y?0:s.top;else if(s.bottom>m+C){var me=Math.min(s.top,(J?B:s.bottom)-C);me!=m&&(w.scrollTop=me)}var Te=i.options.fixedGutter?0:p.gutters.offsetWidth,qe=i.curOp&&i.curOp.scrollLeft!=null?i.curOp.scrollLeft:p.scroller.scrollLeft-Te,Me=Xi(i)-p.gutters.offsetWidth,Je=s.right-s.left>Me;return Je&&(s.right=s.left+Me),s.left<10?w.scrollLeft=0:s.left<qe?w.scrollLeft=Math.max(0,s.left+Te-(Je?0:10)):s.right>Me+qe-3&&(w.scrollLeft=s.right+(Je?0:10)-Me),w}function Pf(i,s){s!=null&&(Oc(i),i.curOp.scrollTop=(i.curOp.scrollTop==null?i.doc.scrollTop:i.curOp.scrollTop)+s)}function ol(i){Oc(i);var s=i.getCursor();i.curOp.scrollToPos={from:s,to:s,margin:i.options.cursorScrollMargin}}function iu(i,s,p){(s!=null||p!=null)&&Oc(i),s!=null&&(i.curOp.scrollLeft=s),p!=null&&(i.curOp.scrollTop=p)}function TI(i,s){Oc(i),i.curOp.scrollToPos=s}function Oc(i){var s=i.curOp.scrollToPos;if(s){i.curOp.scrollToPos=null;var p=Dt(i,s.from),f=Dt(i,s.to);wS(i,p,f,s.margin)}}function wS(i,s,p,f){var m=kf(i,{left:Math.min(s.left,p.left),top:Math.min(s.top,p.top)-f,right:Math.max(s.right,p.right),bottom:Math.max(s.bottom,p.bottom)+f});iu(i,m.scrollLeft,m.scrollTop)}function au(i,s){Math.abs(i.doc.scrollTop-s)<2||(a||Bf(i,{top:s}),LS(i,s,!0),a&&Bf(i),lu(i,100))}function LS(i,s,p){s=Math.max(0,Math.min(i.display.scroller.scrollHeight-i.display.scroller.clientHeight,s)),!(i.display.scroller.scrollTop==s&&!p)&&(i.doc.scrollTop=s,i.display.scrollbars.setScrollTop(s),i.display.scroller.scrollTop!=s&&(i.display.scroller.scrollTop=s))}function ms(i,s,p,f){s=Math.max(0,Math.min(s,i.display.scroller.scrollWidth-i.display.scroller.clientWidth)),!((p?s==i.doc.scrollLeft:Math.abs(i.doc.scrollLeft-s)<2)&&!f)&&(i.doc.scrollLeft=s,BS(i),i.display.scroller.scrollLeft!=s&&(i.display.scroller.scrollLeft=s),i.display.scrollbars.setScrollLeft(s))}function ou(i){var s=i.display,p=s.gutters.offsetWidth,f=Math.round(i.doc.height+yr(i.display));return{clientHeight:s.scroller.clientHeight,viewHeight:s.wrapper.clientHeight,scrollWidth:s.scroller.scrollWidth,clientWidth:s.scroller.clientWidth,viewWidth:s.wrapper.clientWidth,barLeft:i.options.fixedGutter?p:0,docHeight:f,scrollHeight:f+Yr(i)+s.barHeight,nativeBarWidth:s.nativeBarWidth,gutterWidth:p}}var gs=function(i,s,p){this.cm=p;var f=this.vert=V("div",[V("div",null,null,"min-width: 1px")],"CodeMirror-vscrollbar"),m=this.horiz=V("div",[V("div",null,null,"height: 100%; min-height: 1px")],"CodeMirror-hscrollbar");f.tabIndex=m.tabIndex=-1,i(f),i(m),De(f,"scroll",function(){f.clientHeight&&s(f.scrollTop,"vertical")}),De(m,"scroll",function(){m.clientWidth&&s(m.scrollLeft,"horizontal")}),this.checkedZeroWidth=!1,c&&d<8&&(this.horiz.style.minHeight=this.vert.style.minWidth="18px")};gs.prototype.update=function(i){var s=i.scrollWidth>i.clientWidth+1,p=i.scrollHeight>i.clientHeight+1,f=i.nativeBarWidth;if(p){this.vert.style.display="block",this.vert.style.bottom=s?f+"px":"0";var m=i.viewHeight-(s?f:0);this.vert.firstChild.style.height=Math.max(0,i.scrollHeight-i.clientHeight+m)+"px"}else this.vert.scrollTop=0,this.vert.style.display="",this.vert.firstChild.style.height="0";if(s){this.horiz.style.display="block",this.horiz.style.right=p?f+"px":"0",this.horiz.style.left=i.barLeft+"px";var C=i.viewWidth-i.barLeft-(p?f:0);this.horiz.firstChild.style.width=Math.max(0,i.scrollWidth-i.clientWidth+C)+"px"}else this.horiz.style.display="",this.horiz.firstChild.style.width="0";return!this.checkedZeroWidth&&i.clientHeight>0&&(f==0&&this.zeroWidthHack(),this.checkedZeroWidth=!0),{right:p?f:0,bottom:s?f:0}},gs.prototype.setScrollLeft=function(i){this.horiz.scrollLeft!=i&&(this.horiz.scrollLeft=i),this.disableHoriz&&this.enableZeroWidthBar(this.horiz,this.disableHoriz,"horiz")},gs.prototype.setScrollTop=function(i){this.vert.scrollTop!=i&&(this.vert.scrollTop=i),this.disableVert&&this.enableZeroWidthBar(this.vert,this.disableVert,"vert")},gs.prototype.zeroWidthHack=function(){var i=L&&!v?"12px":"18px";this.horiz.style.height=this.vert.style.width=i,this.horiz.style.visibility=this.vert.style.visibility="hidden",this.disableHoriz=new Ze,this.disableVert=new Ze},gs.prototype.enableZeroWidthBar=function(i,s,p){i.style.visibility="";function f(){var m=i.getBoundingClientRect(),C=p=="vert"?document.elementFromPoint(m.right-1,(m.top+m.bottom)/2):document.elementFromPoint((m.right+m.left)/2,m.bottom-1);C!=i?i.style.visibility="hidden":s.set(1e3,f)}s.set(1e3,f)},gs.prototype.clear=function(){var i=this.horiz.parentNode;i.removeChild(this.horiz),i.removeChild(this.vert)};var su=function(){};su.prototype.update=function(){return{bottom:0,right:0}},su.prototype.setScrollLeft=function(){},su.prototype.setScrollTop=function(){},su.prototype.clear=function(){};function sl(i,s){s||(s=ou(i));var p=i.display.barWidth,f=i.display.barHeight;MS(i,s);for(var m=0;m<4&&p!=i.display.barWidth||f!=i.display.barHeight;m++)p!=i.display.barWidth&&i.options.lineWrapping&&Cc(i),MS(i,ou(i)),p=i.display.barWidth,f=i.display.barHeight}function MS(i,s){var p=i.display,f=p.scrollbars.update(s);p.sizer.style.paddingRight=(p.barWidth=f.right)+"px",p.sizer.style.paddingBottom=(p.barHeight=f.bottom)+"px",p.heightForcer.style.borderBottom=f.bottom+"px solid transparent",f.right&&f.bottom?(p.scrollbarFiller.style.display="block",p.scrollbarFiller.style.height=f.bottom+"px",p.scrollbarFiller.style.width=f.right+"px"):p.scrollbarFiller.style.display="",f.bottom&&i.options.coverGutterNextToScrollbar&&i.options.fixedGutter?(p.gutterFiller.style.display="block",p.gutterFiller.style.height=f.bottom+"px",p.gutterFiller.style.width=s.gutterWidth+"px"):p.gutterFiller.style.display=""}var kS={native:gs,null:su};function PS(i){i.display.scrollbars&&(i.display.scrollbars.clear(),i.display.scrollbars.addClass&&ue(i.display.wrapper,i.display.scrollbars.addClass)),i.display.scrollbars=new kS[i.options.scrollbarStyle](function(s){i.display.wrapper.insertBefore(s,i.display.scrollbarFiller),De(s,"mousedown",function(){i.state.focused&&setTimeout(function(){return i.display.input.focus()},0)}),s.setAttribute("cm-not-content","true")},function(s,p){p=="horizontal"?ms(i,s):au(i,s)},i),i.display.scrollbars.addClass&&ve(i.display.wrapper,i.display.scrollbars.addClass)}var yI=0;function hs(i){i.curOp={cm:i,viewChanged:!1,startHeight:i.doc.height,forceUpdate:!1,updateInput:0,typing:!1,changeObjs:null,cursorActivityHandlers:null,cursorActivityCalled:0,selectionChanged:!1,updateMaxLine:!1,scrollLeft:null,scrollTop:null,scrollToPos:null,focus:!1,id:++yI,markArrays:null},kn(i.curOp)}function Es(i){var s=i.curOp;s&&ji(s,function(p){for(var f=0;f<p.ops.length;f++)p.ops[f].cm.curOp=null;CI(p)})}function CI(i){for(var s=i.ops,p=0;p<s.length;p++)AI(s[p]);for(var f=0;f<s.length;f++)OI(s[f]);for(var m=0;m<s.length;m++)RI(s[m]);for(var C=0;C<s.length;C++)NI(s[C]);for(var w=0;w<s.length;w++)II(s[w])}function AI(i){var s=i.cm,p=s.display;xI(s),i.updateMaxLine&&P(s),i.mustUpdate=i.viewChanged||i.forceUpdate||i.scrollTop!=null||i.scrollToPos&&(i.scrollToPos.from.line<p.viewFrom||i.scrollToPos.to.line>=p.viewTo)||p.maxLineChanged&&s.options.lineWrapping,i.update=i.mustUpdate&&new Rc(s,i.mustUpdate&&{top:i.scrollTop,ensure:i.scrollToPos},i.forceUpdate)}function OI(i){i.updatedDisplay=i.mustUpdate&&Ff(i.cm,i.update)}function RI(i){var s=i.cm,p=s.display;i.updatedDisplay&&Cc(s),i.barMeasure=ou(s),p.maxLineChanged&&!s.options.lineWrapping&&(i.adjustWidthTo=xa(s,p.maxLine,p.maxLine.text.length).left+3,s.display.sizerWidth=i.adjustWidthTo,i.barMeasure.scrollWidth=Math.max(p.scroller.clientWidth,p.sizer.offsetLeft+i.adjustWidthTo+Yr(s)+s.display.barWidth),i.maxScrollLeft=Math.max(0,p.sizer.offsetLeft+i.adjustWidthTo-Xi(s))),(i.updatedDisplay||i.selectionChanged)&&(i.preparedSelection=p.input.prepareSelection())}function NI(i){var s=i.cm;i.adjustWidthTo!=null&&(s.display.sizer.style.minWidth=i.adjustWidthTo+"px",i.maxScrollLeft<s.doc.scrollLeft&&ms(s,Math.min(s.display.scroller.scrollLeft,i.maxScrollLeft),!0),s.display.maxLineChanged=!1);var p=i.focus&&i.focus==se(Oe(s));i.preparedSelection&&s.display.input.showSelection(i.preparedSelection,p),(i.updatedDisplay||i.startHeight!=s.doc.height)&&sl(s,i.barMeasure),i.updatedDisplay&&Gf(s,i.barMeasure),i.selectionChanged&&Ar(s),s.state.focused&&i.updateInput&&s.display.input.reset(i.typing),p&&Vr(i.cm)}function II(i){var s=i.cm,p=s.display,f=s.doc;if(i.updatedDisplay&&FS(s,i.update),p.wheelStartX!=null&&(i.scrollTop!=null||i.scrollLeft!=null||i.scrollToPos)&&(p.wheelStartX=p.wheelStartY=null),i.scrollTop!=null&&LS(s,i.scrollTop,i.forceScroll),i.scrollLeft!=null&&ms(s,i.scrollLeft,!0,!0),i.scrollToPos){var m=bI(s,Ht(f,i.scrollToPos.from),Ht(f,i.scrollToPos.to),i.scrollToPos.margin);SI(s,m)}var C=i.maybeHiddenMarkers,w=i.maybeUnhiddenMarkers;if(C)for(var B=0;B<C.length;++B)C[B].lines.length||wt(C[B],"hide");if(w)for(var Y=0;Y<w.length;++Y)w[Y].lines.length&&wt(w[Y],"unhide");p.wrapper.offsetHeight&&(f.scrollTop=s.display.scroller.scrollTop),i.changeObjs&&wt(s,"changes",s,i.changeObjs),i.update&&i.update.finish()}function gi(i,s){if(i.curOp)return s();hs(i);try{return s()}finally{Es(i)}}function nr(i,s){return function(){if(i.curOp)return s.apply(i,arguments);hs(i);try{return s.apply(i,arguments)}finally{Es(i)}}}function Lr(i){return function(){if(this.curOp)return i.apply(this,arguments);hs(this);try{return i.apply(this,arguments)}finally{Es(this)}}}function rr(i){return function(){var s=this.cm;if(!s||s.curOp)return i.apply(this,arguments);hs(s);try{return i.apply(this,arguments)}finally{Es(s)}}}function lu(i,s){i.doc.highlightFrontier<i.display.viewTo&&i.state.highlight.set(s,bt(DI,i))}function DI(i){var s=i.doc;if(!(s.highlightFrontier>=i.display.viewTo)){var p=+new Date+i.options.workTime,f=zi(i,s.highlightFrontier),m=[];s.iter(f.line,Math.min(s.first+s.size,i.display.viewTo+500),function(C){if(f.line>=i.display.viewFrom){var w=C.styles,B=C.text.length>i.options.maxHighlightLength?br(s.mode,f.state):null,Y=Ja(i,C,f,!0);B&&(f.state=B),C.styles=Y.styles;var J=C.styleClasses,me=Y.classes;me?C.styleClasses=me:J&&(C.styleClasses=null);for(var Te=!w||w.length!=C.styles.length||J!=me&&(!J||!me||J.bgClass!=me.bgClass||J.textClass!=me.textClass),qe=0;!Te&&qe<w.length;++qe)Te=w[qe]!=C.styles[qe];Te&&m.push(f.line),C.stateAfter=f.save(),f.nextLine()}else C.text.length<=i.options.maxHighlightLength&&ua(i,C.text,f),C.stateAfter=f.line%5==0?f.save():null,f.nextLine();if(+new Date>p)return lu(i,i.options.workDelay),!0}),s.highlightFrontier=f.line,s.modeFrontier=Math.max(s.modeFrontier,f.line),m.length&&gi(i,function(){for(var C=0;C<m.length;C++)Ae(i,m[C],"text")})}}var Rc=function(i,s,p){var f=i.display;this.viewport=s,this.visible=Ac(f,i.doc,s),this.editorIsHidden=!f.wrapper.offsetWidth,this.wrapperHeight=f.wrapper.clientHeight,this.wrapperWidth=f.wrapper.clientWidth,this.oldDisplayWidth=Xi(i),this.force=p,this.dims=Wr(i),this.events=[]};Rc.prototype.signal=function(i,s){Xt(i,s)&&this.events.push(arguments)},Rc.prototype.finish=function(){for(var i=0;i<this.events.length;i++)wt.apply(null,this.events[i])};function xI(i){var s=i.display;!s.scrollbarsClipped&&s.scroller.offsetWidth&&(s.nativeBarWidth=s.scroller.offsetWidth-s.scroller.clientWidth,s.heightForcer.style.height=Yr(i)+"px",s.sizer.style.marginBottom=-s.nativeBarWidth+"px",s.sizer.style.borderRightWidth=Yr(i)+"px",s.scrollbarsClipped=!0)}function wI(i){if(i.hasFocus())return null;var s=se(Oe(i));if(!s||!G(i.display.lineDiv,s))return null;var p={activeElt:s};if(window.getSelection){var f=rt(i).getSelection();f.anchorNode&&f.extend&&G(i.display.lineDiv,f.anchorNode)&&(p.anchorNode=f.anchorNode,p.anchorOffset=f.anchorOffset,p.focusNode=f.focusNode,p.focusOffset=f.focusOffset)}return p}function LI(i){if(!(!i||!i.activeElt||i.activeElt==se(tt(i.activeElt)))&&(i.activeElt.focus(),!/^(INPUT|TEXTAREA)$/.test(i.activeElt.nodeName)&&i.anchorNode&&G(document.body,i.anchorNode)&&G(document.body,i.focusNode))){var s=i.activeElt.ownerDocument,p=s.defaultView.getSelection(),f=s.createRange();f.setEnd(i.anchorNode,i.anchorOffset),f.collapse(!1),p.removeAllRanges(),p.addRange(f),p.extend(i.focusNode,i.focusOffset)}}function Ff(i,s){var p=i.display,f=i.doc;if(s.editorIsHidden)return Pe(i),!1;if(!s.force&&s.visible.from>=p.viewFrom&&s.visible.to<=p.viewTo&&(p.updateLineNumbers==null||p.updateLineNumbers>=p.viewTo)&&p.renderedView==p.view&&Tt(i)==0)return!1;US(i)&&(Pe(i),s.dims=Wr(i));var m=f.first+f.size,C=Math.max(s.visible.from-i.options.viewportMargin,f.first),w=Math.min(m,s.visible.to+i.options.viewportMargin);p.viewFrom<C&&C-p.viewFrom<20&&(C=Math.max(f.first,p.viewFrom)),p.viewTo>w&&p.viewTo-w<20&&(w=Math.min(m,p.viewTo)),Tr&&(C=Qi(i.doc,C),w=rl(i.doc,w));var B=C!=p.viewFrom||w!=p.viewTo||p.lastWrapHeight!=s.wrapperHeight||p.lastWrapWidth!=s.wrapperWidth;ft(i,C,w),p.viewOffset=b(Mt(i.doc,p.viewFrom)),i.display.mover.style.top=p.viewOffset+"px";var Y=Tt(i);if(!B&&Y==0&&!s.force&&p.renderedView==p.view&&(p.updateLineNumbers==null||p.updateLineNumbers>=p.viewTo))return!1;var J=wI(i);return Y>4&&(p.lineDiv.style.display="none"),MI(i,p.updateLineNumbers,s.dims),Y>4&&(p.lineDiv.style.display=""),p.renderedView=p.view,LI(J),Z(p.cursorDiv),Z(p.selectionDiv),p.gutters.style.height=p.sizer.style.minHeight=0,B&&(p.lastWrapHeight=s.wrapperHeight,p.lastWrapWidth=s.wrapperWidth,lu(i,400)),p.updateLineNumbers=null,!0}function FS(i,s){for(var p=s.viewport,f=!0;;f=!1){if(!f||!i.options.lineWrapping||s.oldDisplayWidth==Xi(i)){if(p&&p.top!=null&&(p={top:Math.min(i.doc.height+yr(i.display)-Mo(i),p.top)}),s.visible=Ac(i.display,i.doc,p),s.visible.from>=i.display.viewFrom&&s.visible.to<=i.display.viewTo)break}else f&&(s.visible=Ac(i.display,i.doc,p));if(!Ff(i,s))break;Cc(i);var m=ou(i);ht(i),sl(i,m),Gf(i,m),s.force=!1}s.signal(i,"update",i),(i.display.viewFrom!=i.display.reportedViewFrom||i.display.viewTo!=i.display.reportedViewTo)&&(s.signal(i,"viewportChange",i,i.display.viewFrom,i.display.viewTo),i.display.reportedViewFrom=i.display.viewFrom,i.display.reportedViewTo=i.display.viewTo)}function Bf(i,s){var p=new Rc(i,s);if(Ff(i,p)){Cc(i),FS(i,p);var f=ou(i);ht(i),sl(i,f),Gf(i,f),p.finish()}}function MI(i,s,p){var f=i.display,m=i.options.lineNumbers,C=f.lineDiv,w=C.firstChild;function B(Je){var ut=Je.nextSibling;return S&&L&&i.display.currentWheelTarget==Je?Je.style.display="none":Je.parentNode.removeChild(Je),ut}for(var Y=f.view,J=f.viewFrom,me=0;me<Y.length;me++){var Te=Y[me];if(!Te.hidden)if(!Te.node||Te.node.parentNode!=C){var qe=pr(i,Te,J,p);C.insertBefore(qe,w)}else{for(;w!=Te.node;)w=B(w);var Me=m&&s!=null&&s<=J&&Te.lineNumber;Te.changes&&(nt(Te.changes,"gutter")>-1&&(Me=!1),Lo(i,Te,J,p)),Me&&(Z(Te.lineNumber),Te.lineNumber.appendChild(document.createTextNode(Ia(i.options,J)))),w=Te.node.nextSibling}J+=Te.size}for(;w;)w=B(w)}function Uf(i){var s=i.gutters.offsetWidth;i.sizer.style.marginLeft=s+"px",jt(i,"gutterChanged",i)}function Gf(i,s){i.display.sizer.style.minHeight=s.docHeight+"px",i.display.heightForcer.style.top=s.docHeight+"px",i.display.gutters.style.height=s.docHeight+i.display.barHeight+Yr(i)+"px"}function BS(i){var s=i.display,p=s.view;if(!(!s.alignWidgets&&(!s.gutters.firstChild||!i.options.fixedGutter))){for(var f=q(s)-s.scroller.scrollLeft+i.doc.scrollLeft,m=s.gutters.offsetWidth,C=f+"px",w=0;w<p.length;w++)if(!p[w].hidden){i.options.fixedGutter&&(p[w].gutter&&(p[w].gutter.style.left=C),p[w].gutterBackground&&(p[w].gutterBackground.style.left=C));var B=p[w].alignable;if(B)for(var Y=0;Y<B.length;Y++)B[Y].style.left=C}i.options.fixedGutter&&(s.gutters.style.left=f+m+"px")}}function US(i){if(!i.options.lineNumbers)return!1;var s=i.doc,p=Ia(i.options,s.first+s.size-1),f=i.display;if(p.length!=f.lineNumChars){var m=f.measure.appendChild(V("div",[V("div",p)],"CodeMirror-linenumber CodeMirror-gutter-elt")),C=m.firstChild.offsetWidth,w=m.offsetWidth-C;return f.lineGutter.style.width="",f.lineNumInnerWidth=Math.max(C,f.lineGutter.offsetWidth-w)+1,f.lineNumWidth=f.lineNumInnerWidth+w,f.lineNumChars=f.lineNumInnerWidth?p.length:-1,f.lineGutter.style.width=f.lineNumWidth+"px",Uf(i.display),!0}return!1}function Hf(i,s){for(var p=[],f=!1,m=0;m<i.length;m++){var C=i[m],w=null;if(typeof C!="string"&&(w=C.style,C=C.className),C=="CodeMirror-linenumbers")if(s)f=!0;else continue;p.push({className:C,style:w})}return s&&!f&&p.push({className:"CodeMirror-linenumbers",style:null}),p}function GS(i){var s=i.gutters,p=i.gutterSpecs;Z(s),i.lineGutter=null;for(var f=0;f<p.length;++f){var m=p[f],C=m.className,w=m.style,B=s.appendChild(V("div",null,"CodeMirror-gutter "+C));w&&(B.style.cssText=w),C=="CodeMirror-linenumbers"&&(i.lineGutter=B,B.style.width=(i.lineNumWidth||1)+"px")}s.style.display=p.length?"":"none",Uf(i)}function uu(i){GS(i.display),le(i),BS(i)}function kI(i,s,p,f){var m=this;this.input=p,m.scrollbarFiller=V("div",null,"CodeMirror-scrollbar-filler"),m.scrollbarFiller.setAttribute("cm-not-content","true"),m.gutterFiller=V("div",null,"CodeMirror-gutter-filler"),m.gutterFiller.setAttribute("cm-not-content","true"),m.lineDiv=ne("div",null,"CodeMirror-code"),m.selectionDiv=V("div",null,null,"position: relative; z-index: 1"),m.cursorDiv=V("div",null,"CodeMirror-cursors"),m.measure=V("div",null,"CodeMirror-measure"),m.lineMeasure=V("div",null,"CodeMirror-measure"),m.lineSpace=ne("div",[m.measure,m.lineMeasure,m.selectionDiv,m.cursorDiv,m.lineDiv],null,"position: relative; outline: none");var C=ne("div",[m.lineSpace],"CodeMirror-lines");m.mover=V("div",[C],null,"position: relative"),m.sizer=V("div",[m.mover],"CodeMirror-sizer"),m.sizerWidth=null,m.heightForcer=V("div",null,null,"position: absolute; height: "+ce+"px; width: 1px;"),m.gutters=V("div",null,"CodeMirror-gutters"),m.lineGutter=null,m.scroller=V("div",[m.sizer,m.heightForcer,m.gutters],"CodeMirror-scroll"),m.scroller.setAttribute("tabIndex","-1"),m.wrapper=V("div",[m.scrollbarFiller,m.gutterFiller,m.scroller],"CodeMirror"),E&&T>=105&&(m.wrapper.style.clipPath="inset(0px)"),m.wrapper.setAttribute("translate","no"),c&&d<8&&(m.gutters.style.zIndex=-1,m.scroller.style.paddingRight=0),!S&&!(a&&R)&&(m.scroller.draggable=!0),i&&(i.appendChild?i.appendChild(m.wrapper):i(m.wrapper)),m.viewFrom=m.viewTo=s.first,m.reportedViewFrom=m.reportedViewTo=s.first,m.view=[],m.renderedView=null,m.externalMeasured=null,m.viewOffset=0,m.lastWrapHeight=m.lastWrapWidth=0,m.updateLineNumbers=null,m.nativeBarWidth=m.barHeight=m.barWidth=0,m.scrollbarsClipped=!1,m.lineNumWidth=m.lineNumInnerWidth=m.lineNumChars=null,m.alignWidgets=!1,m.cachedCharWidth=m.cachedTextHeight=m.cachedPaddingH=null,m.maxLine=null,m.maxLineLength=0,m.maxLineChanged=!1,m.wheelDX=m.wheelDY=m.wheelStartX=m.wheelStartY=null,m.shift=!1,m.selForContextMenu=null,m.activeTouch=null,m.gutterSpecs=Hf(f.gutters,f.lineNumbers),GS(m),p.init(m)}var Nc=0,po=null;c?po=-.53:a?po=15:E?po=-.7:M&&(po=-1/3);function HS(i){var s=i.wheelDeltaX,p=i.wheelDeltaY;return s==null&&i.detail&&i.axis==i.HORIZONTAL_AXIS&&(s=i.detail),p==null&&i.detail&&i.axis==i.VERTICAL_AXIS?p=i.detail:p==null&&(p=i.wheelDelta),{x:s,y:p}}function PI(i){var s=HS(i);return s.x*=po,s.y*=po,s}function qS(i,s){E&&T==102&&(i.display.chromeScrollHack==null?i.display.sizer.style.pointerEvents="none":clearTimeout(i.display.chromeScrollHack),i.display.chromeScrollHack=setTimeout(function(){i.display.chromeScrollHack=null,i.display.sizer.style.pointerEvents=""},100));var p=HS(s),f=p.x,m=p.y,C=po;s.deltaMode===0&&(f=s.deltaX,m=s.deltaY,C=1);var w=i.display,B=w.scroller,Y=B.scrollWidth>B.clientWidth,J=B.scrollHeight>B.clientHeight;if(!!(f&&Y||m&&J)){if(m&&L&&S){e:for(var me=s.target,Te=w.view;me!=B;me=me.parentNode)for(var qe=0;qe<Te.length;qe++)if(Te[qe].node==me){i.display.currentWheelTarget=me;break e}}if(f&&!a&&!y&&C!=null){m&&J&&au(i,Math.max(0,B.scrollTop+m*C)),ms(i,Math.max(0,B.scrollLeft+f*C)),(!m||m&&J)&&Zt(s),w.wheelStartX=null;return}if(m&&C!=null){var Me=m*C,Je=i.doc.scrollTop,ut=Je+w.wrapper.clientHeight;Me<0?Je=Math.max(0,Je+Me-50):ut=Math.min(i.doc.height,ut+Me+50),Bf(i,{top:Je,bottom:ut})}Nc<20&&s.deltaMode!==0&&(w.wheelStartX==null?(w.wheelStartX=B.scrollLeft,w.wheelStartY=B.scrollTop,w.wheelDX=f,w.wheelDY=m,setTimeout(function(){if(w.wheelStartX!=null){var gt=B.scrollLeft-w.wheelStartX,yt=B.scrollTop-w.wheelStartY,Nt=yt&&w.wheelDY&&yt/w.wheelDY||gt&&w.wheelDX&&gt/w.wheelDX;w.wheelStartX=w.wheelStartY=null,Nt&&(po=(po*Nc+Nt)/(Nc+1),++Nc)}},200)):(w.wheelDX+=f,w.wheelDY+=m))}}var Li=function(i,s){this.ranges=i,this.primIndex=s};Li.prototype.primary=function(){return this.ranges[this.primIndex]},Li.prototype.equals=function(i){if(i==this)return!0;if(i.primIndex!=this.primIndex||i.ranges.length!=this.ranges.length)return!1;for(var s=0;s<this.ranges.length;s++){var p=this.ranges[s],f=i.ranges[s];if(!qi(p.anchor,f.anchor)||!qi(p.head,f.head))return!1}return!0},Li.prototype.deepCopy=function(){for(var i=[],s=0;s<this.ranges.length;s++)i[s]=new mn(la(this.ranges[s].anchor),la(this.ranges[s].head));return new Li(i,this.primIndex)},Li.prototype.somethingSelected=function(){for(var i=0;i<this.ranges.length;i++)if(!this.ranges[i].empty())return!0;return!1},Li.prototype.contains=function(i,s){s||(s=i);for(var p=0;p<this.ranges.length;p++){var f=this.ranges[p];if(Bt(s,f.from())>=0&&Bt(i,f.to())<=0)return p}return-1};var mn=function(i,s){this.anchor=i,this.head=s};mn.prototype.from=function(){return Wi(this.anchor,this.head)},mn.prototype.to=function(){return Yi(this.anchor,this.head)},mn.prototype.empty=function(){return this.head.line==this.anchor.line&&this.head.ch==this.anchor.ch};function ha(i,s,p){var f=i&&i.options.selectionsMayTouch,m=s[p];s.sort(function(qe,Me){return Bt(qe.from(),Me.from())}),p=nt(s,m);for(var C=1;C<s.length;C++){var w=s[C],B=s[C-1],Y=Bt(B.to(),w.from());if(f&&!w.empty()?Y>0:Y>=0){var J=Wi(B.from(),w.from()),me=Yi(B.to(),w.to()),Te=B.empty()?w.from()==w.head:B.from()==B.head;C<=p&&--p,s.splice(--C,2,new mn(Te?me:J,Te?J:me))}}return new Li(s,p)}function Po(i,s){return new Li([new mn(i,s||i)],0)}function Fo(i){return i.text?st(i.from.line+i.text.length-1,Ie(i.text).length+(i.text.length==1?i.from.ch:0)):i.to}function YS(i,s){if(Bt(i,s.from)<0)return i;if(Bt(i,s.to)<=0)return Fo(s);var p=i.line+s.text.length-(s.to.line-s.from.line)-1,f=i.ch;return i.line==s.to.line&&(f+=Fo(s).ch-s.to.ch),st(p,f)}function qf(i,s){for(var p=[],f=0;f<i.sel.ranges.length;f++){var m=i.sel.ranges[f];p.push(new mn(YS(m.anchor,s),YS(m.head,s)))}return ha(i.cm,p,i.sel.primIndex)}function WS(i,s,p){return i.line==s.line?st(p.line,i.ch-s.ch+p.ch):st(p.line+(i.line-s.line),i.ch)}function FI(i,s,p){for(var f=[],m=st(i.first,0),C=m,w=0;w<s.length;w++){var B=s[w],Y=WS(B.from,m,C),J=WS(Fo(B),m,C);if(m=B.to,C=J,p=="around"){var me=i.sel.ranges[w],Te=Bt(me.head,me.anchor)<0;f[w]=new mn(Te?J:Y,Te?Y:J)}else f[w]=new mn(Y,Y)}return new Li(f,i.sel.primIndex)}function Yf(i){i.doc.mode=oa(i.options,i.doc.modeOption),cu(i)}function cu(i){i.doc.iter(function(s){s.stateAfter&&(s.stateAfter=null),s.styles&&(s.styles=null)}),i.doc.modeFrontier=i.doc.highlightFrontier=i.doc.first,lu(i,100),i.state.modeGen++,i.curOp&&le(i)}function VS(i,s){return s.from.ch==0&&s.to.ch==0&&Ie(s.text)==""&&(!i.cm||i.cm.options.wholeLineUpdateBefore)}function Wf(i,s,p,f){function m(Nt){return p?p[Nt]:null}function C(Nt,Ct,xt){X(Nt,Ct,xt,f),jt(Nt,"change",Nt,s)}function w(Nt,Ct){for(var xt=[],Gt=Nt;Gt<Ct;++Gt)xt.push(new j(J[Gt],m(Gt),f));return xt}var B=s.from,Y=s.to,J=s.text,me=Mt(i,B.line),Te=Mt(i,Y.line),qe=Ie(J),Me=m(J.length-1),Je=Y.line-B.line;if(s.full)i.insert(0,w(0,J.length)),i.remove(J.length,i.size-J.length);else if(VS(i,s)){var ut=w(0,J.length-1);C(Te,Te.text,Me),Je&&i.remove(B.line,Je),ut.length&&i.insert(B.line,ut)}else if(me==Te)if(J.length==1)C(me,me.text.slice(0,B.ch)+qe+me.text.slice(Y.ch),Me);else{var gt=w(1,J.length-1);gt.push(new j(qe+me.text.slice(Y.ch),Me,f)),C(me,me.text.slice(0,B.ch)+J[0],m(0)),i.insert(B.line+1,gt)}else if(J.length==1)C(me,me.text.slice(0,B.ch)+J[0]+Te.text.slice(Y.ch),m(0)),i.remove(B.line+1,Je);else{C(me,me.text.slice(0,B.ch)+J[0],m(0)),C(Te,qe+Te.text.slice(Y.ch),Me);var yt=w(1,J.length-1);Je>1&&i.remove(B.line+1,Je-1),i.insert(B.line+1,yt)}jt(i,"change",i,s)}function Bo(i,s,p){function f(m,C,w){if(m.linked)for(var B=0;B<m.linked.length;++B){var Y=m.linked[B];if(Y.doc!=C){var J=w&&Y.sharedHist;p&&!J||(s(Y.doc,J),f(Y.doc,m,J))}}}f(i,null,!0)}function zS(i,s){if(s.cm)throw new Error("This document is already in use.");i.doc=s,s.cm=i,re(i),Yf(i),KS(i),i.options.direction=s.direction,i.options.lineWrapping||P(i),i.options.mode=s.modeOption,le(i)}function KS(i){(i.doc.direction=="rtl"?ve:ue)(i.display.lineDiv,"CodeMirror-rtl")}function BI(i){gi(i,function(){KS(i),le(i)})}function Ic(i){this.done=[],this.undone=[],this.undoDepth=i?i.undoDepth:1/0,this.lastModTime=this.lastSelTime=0,this.lastOp=this.lastSelOp=null,this.lastOrigin=this.lastSelOrigin=null,this.generation=this.maxGeneration=i?i.maxGeneration:1}function Vf(i,s){var p={from:la(s.from),to:Fo(s),text:Fr(i,s.from,s.to)};return jS(i,p,s.from.line,s.to.line+1),Bo(i,function(f){return jS(f,p,s.from.line,s.to.line+1)},!0),p}function $S(i){for(;i.length;){var s=Ie(i);if(s.ranges)i.pop();else break}}function UI(i,s){if(s)return $S(i.done),Ie(i.done);if(i.done.length&&!Ie(i.done).ranges)return Ie(i.done);if(i.done.length>1&&!i.done[i.done.length-2].ranges)return i.done.pop(),Ie(i.done)}function QS(i,s,p,f){var m=i.history;m.undone.length=0;var C=+new Date,w,B;if((m.lastOp==f||m.lastOrigin==s.origin&&s.origin&&(s.origin.charAt(0)=="+"&&m.lastModTime>C-(i.cm?i.cm.options.historyEventDelay:500)||s.origin.charAt(0)=="*"))&&(w=UI(m,m.lastOp==f)))B=Ie(w.changes),Bt(s.from,s.to)==0&&Bt(s.from,B.to)==0?B.to=Fo(s):w.changes.push(Vf(i,s));else{var Y=Ie(m.done);for((!Y||!Y.ranges)&&Dc(i.sel,m.done),w={changes:[Vf(i,s)],generation:m.generation},m.done.push(w);m.done.length>m.undoDepth;)m.done.shift(),m.done[0].ranges||m.done.shift()}m.done.push(p),m.generation=++m.maxGeneration,m.lastModTime=m.lastSelTime=C,m.lastOp=m.lastSelOp=f,m.lastOrigin=m.lastSelOrigin=s.origin,B||wt(i,"historyAdded")}function GI(i,s,p,f){var m=s.charAt(0);return m=="*"||m=="+"&&p.ranges.length==f.ranges.length&&p.somethingSelected()==f.somethingSelected()&&new Date-i.history.lastSelTime<=(i.cm?i.cm.options.historyEventDelay:500)}function HI(i,s,p,f){var m=i.history,C=f&&f.origin;p==m.lastSelOp||C&&m.lastSelOrigin==C&&(m.lastModTime==m.lastSelTime&&m.lastOrigin==C||GI(i,C,Ie(m.done),s))?m.done[m.done.length-1]=s:Dc(s,m.done),m.lastSelTime=+new Date,m.lastSelOrigin=C,m.lastSelOp=p,f&&f.clearRedo!==!1&&$S(m.undone)}function Dc(i,s){var p=Ie(s);p&&p.ranges&&p.equals(i)||s.push(i)}function jS(i,s,p,f){var m=s["spans_"+i.id],C=0;i.iter(Math.max(i.first,p),Math.min(i.first+i.size,f),function(w){w.markedSpans&&((m||(m=s["spans_"+i.id]={}))[C]=w.markedSpans),++C})}function qI(i){if(!i)return null;for(var s,p=0;p<i.length;++p)i[p].marker.explicitlyCleared?s||(s=i.slice(0,p)):s&&s.push(i[p]);return s?s.length?s:null:i}function YI(i,s){var p=s["spans_"+i.id];if(!p)return null;for(var f=[],m=0;m<s.text.length;++m)f.push(qI(p[m]));return f}function XS(i,s){var p=YI(i,s),f=oo(i,s);if(!p)return f;if(!f)return p;for(var m=0;m<p.length;++m){var C=p[m],w=f[m];if(C&&w){e:for(var B=0;B<w.length;++B){for(var Y=w[B],J=0;J<C.length;++J)if(C[J].marker==Y.marker)continue e;C.push(Y)}}else w&&(p[m]=w)}return p}function ll(i,s,p){for(var f=[],m=0;m<i.length;++m){var C=i[m];if(C.ranges){f.push(p?Li.prototype.deepCopy.call(C):C);continue}var w=C.changes,B=[];f.push({changes:B});for(var Y=0;Y<w.length;++Y){var J=w[Y],me=void 0;if(B.push({from:J.from,to:J.to,text:J.text}),s)for(var Te in J)(me=Te.match(/^spans_(\d+)$/))&&nt(s,Number(me[1]))>-1&&(Ie(B)[Te]=J[Te],delete J[Te])}}return f}function zf(i,s,p,f){if(f){var m=i.anchor;if(p){var C=Bt(s,m)<0;C!=Bt(p,m)<0?(m=s,s=p):C!=Bt(s,p)<0&&(s=p)}return new mn(m,s)}else return new mn(p||s,s)}function xc(i,s,p,f,m){m==null&&(m=i.cm&&(i.cm.display.shift||i.extend)),Or(i,new Li([zf(i.sel.primary(),s,p,m)],0),f)}function ZS(i,s,p){for(var f=[],m=i.cm&&(i.cm.display.shift||i.extend),C=0;C<i.sel.ranges.length;C++)f[C]=zf(i.sel.ranges[C],s[C],null,m);var w=ha(i.cm,f,i.sel.primIndex);Or(i,w,p)}function Kf(i,s,p,f){var m=i.sel.ranges.slice(0);m[s]=p,Or(i,ha(i.cm,m,i.sel.primIndex),f)}function JS(i,s,p,f){Or(i,Po(s,p),f)}function WI(i,s,p){var f={ranges:s.ranges,update:function(m){this.ranges=[];for(var C=0;C<m.length;C++)this.ranges[C]=new mn(Ht(i,m[C].anchor),Ht(i,m[C].head))},origin:p&&p.origin};return wt(i,"beforeSelectionChange",i,f),i.cm&&wt(i.cm,"beforeSelectionChange",i.cm,f),f.ranges!=s.ranges?ha(i.cm,f.ranges,f.ranges.length-1):s}function eb(i,s,p){var f=i.history.done,m=Ie(f);m&&m.ranges?(f[f.length-1]=s,wc(i,s,p)):Or(i,s,p)}function Or(i,s,p){wc(i,s,p),HI(i,i.sel,i.cm?i.cm.curOp.id:NaN,p)}function wc(i,s,p){(Xt(i,"beforeSelectionChange")||i.cm&&Xt(i.cm,"beforeSelectionChange"))&&(s=WI(i,s,p));var f=p&&p.bias||(Bt(s.primary().head,i.sel.primary().head)<0?-1:1);tb(i,rb(i,s,f,!0)),!(p&&p.scroll===!1)&&i.cm&&i.cm.getOption("readOnly")!="nocursor"&&ol(i.cm)}function tb(i,s){s.equals(i.sel)||(i.sel=s,i.cm&&(i.cm.curOp.updateInput=1,i.cm.curOp.selectionChanged=!0,cn(i.cm)),jt(i,"cursorActivity",i))}function nb(i){tb(i,rb(i,i.sel,null,!1))}function rb(i,s,p,f){for(var m,C=0;C<s.ranges.length;C++){var w=s.ranges[C],B=s.ranges.length==i.sel.ranges.length&&i.sel.ranges[C],Y=Lc(i,w.anchor,B&&B.anchor,p,f),J=w.head==w.anchor?Y:Lc(i,w.head,B&&B.head,p,f);(m||Y!=w.anchor||J!=w.head)&&(m||(m=s.ranges.slice(0,C)),m[C]=new mn(Y,J))}return m?ha(i.cm,m,s.primIndex):s}function ul(i,s,p,f,m){var C=Mt(i,s.line);if(C.markedSpans)for(var w=0;w<C.markedSpans.length;++w){var B=C.markedSpans[w],Y=B.marker,J="selectLeft"in Y?!Y.selectLeft:Y.inclusiveLeft,me="selectRight"in Y?!Y.selectRight:Y.inclusiveRight;if((B.from==null||(J?B.from<=s.ch:B.from<s.ch))&&(B.to==null||(me?B.to>=s.ch:B.to>s.ch))){if(m&&(wt(Y,"beforeCursorEnter"),Y.explicitlyCleared))if(C.markedSpans){--w;continue}else break;if(!Y.atomic)continue;if(p){var Te=Y.find(f<0?1:-1),qe=void 0;if((f<0?me:J)&&(Te=ib(i,Te,-f,Te&&Te.line==s.line?C:null)),Te&&Te.line==s.line&&(qe=Bt(Te,p))&&(f<0?qe<0:qe>0))return ul(i,Te,s,f,m)}var Me=Y.find(f<0?-1:1);return(f<0?J:me)&&(Me=ib(i,Me,f,Me.line==s.line?C:null)),Me?ul(i,Me,s,f,m):null}}return s}function Lc(i,s,p,f,m){var C=f||1,w=ul(i,s,p,C,m)||!m&&ul(i,s,p,C,!0)||ul(i,s,p,-C,m)||!m&&ul(i,s,p,-C,!0);return w||(i.cantEdit=!0,st(i.first,0))}function ib(i,s,p,f){return p<0&&s.ch==0?s.line>i.first?Ht(i,st(s.line-1)):null:p>0&&s.ch==(f||Mt(i,s.line)).text.length?s.line<i.first+i.size-1?st(s.line+1,0):null:new st(s.line,s.ch+p)}function ab(i){i.setSelection(st(i.firstLine(),0),st(i.lastLine()),He)}function ob(i,s,p){var f={canceled:!1,from:s.from,to:s.to,text:s.text,origin:s.origin,cancel:function(){return f.canceled=!0}};return p&&(f.update=function(m,C,w,B){m&&(f.from=Ht(i,m)),C&&(f.to=Ht(i,C)),w&&(f.text=w),B!==void 0&&(f.origin=B)}),wt(i,"beforeChange",i,f),i.cm&&wt(i.cm,"beforeChange",i.cm,f),f.canceled?(i.cm&&(i.cm.curOp.updateInput=2),null):{from:f.from,to:f.to,text:f.text,origin:f.origin}}function cl(i,s,p){if(i.cm){if(!i.cm.curOp)return nr(i.cm,cl)(i,s,p);if(i.cm.state.suppressEdits)return}if(!((Xt(i,"beforeChange")||i.cm&&Xt(i.cm,"beforeChange"))&&(s=ob(i,s,!0),!s))){var f=Ki&&!p&&Do(i,s.from,s.to);if(f)for(var m=f.length-1;m>=0;--m)sb(i,{from:f[m].from,to:f[m].to,text:m?[""]:s.text,origin:s.origin});else sb(i,s)}}function sb(i,s){if(!(s.text.length==1&&s.text[0]==""&&Bt(s.from,s.to)==0)){var p=qf(i,s);QS(i,s,p,i.cm?i.cm.curOp.id:NaN),du(i,s,p,oo(i,s));var f=[];Bo(i,function(m,C){!C&&nt(f,m.history)==-1&&(db(m.history,s),f.push(m.history)),du(m,s,null,oo(m,s))})}}function Mc(i,s,p){var f=i.cm&&i.cm.state.suppressEdits;if(!(f&&!p)){for(var m=i.history,C,w=i.sel,B=s=="undo"?m.done:m.undone,Y=s=="undo"?m.undone:m.done,J=0;J<B.length&&(C=B[J],!(p?C.ranges&&!C.equals(i.sel):!C.ranges));J++);if(J!=B.length){for(m.lastOrigin=m.lastSelOrigin=null;;)if(C=B.pop(),C.ranges){if(Dc(C,Y),p&&!C.equals(i.sel)){Or(i,C,{clearRedo:!1});return}w=C}else if(f){B.push(C);return}else break;var me=[];Dc(w,Y),Y.push({changes:me,generation:m.generation}),m.generation=C.generation||++m.maxGeneration;for(var Te=Xt(i,"beforeChange")||i.cm&&Xt(i.cm,"beforeChange"),qe=function(ut){var gt=C.changes[ut];if(gt.origin=s,Te&&!ob(i,gt,!1))return B.length=0,{};me.push(Vf(i,gt));var yt=ut?qf(i,gt):Ie(B);du(i,gt,yt,XS(i,gt)),!ut&&i.cm&&i.cm.scrollIntoView({from:gt.from,to:Fo(gt)});var Nt=[];Bo(i,function(Ct,xt){!xt&&nt(Nt,Ct.history)==-1&&(db(Ct.history,gt),Nt.push(Ct.history)),du(Ct,gt,null,XS(Ct,gt))})},Me=C.changes.length-1;Me>=0;--Me){var Je=qe(Me);if(Je)return Je.v}}}}function lb(i,s){if(s!=0&&(i.first+=s,i.sel=new Li(Ue(i.sel.ranges,function(m){return new mn(st(m.anchor.line+s,m.anchor.ch),st(m.head.line+s,m.head.ch))}),i.sel.primIndex),i.cm)){le(i.cm,i.first,i.first-s,s);for(var p=i.cm.display,f=p.viewFrom;f<p.viewTo;f++)Ae(i.cm,f,"gutter")}}function du(i,s,p,f){if(i.cm&&!i.cm.curOp)return nr(i.cm,du)(i,s,p,f);if(s.to.line<i.first){lb(i,s.text.length-1-(s.to.line-s.from.line));return}if(!(s.from.line>i.lastLine())){if(s.from.line<i.first){var m=s.text.length-1-(i.first-s.from.line);lb(i,m),s={from:st(i.first,0),to:st(s.to.line+m,s.to.ch),text:[Ie(s.text)],origin:s.origin}}var C=i.lastLine();s.to.line>C&&(s={from:s.from,to:st(C,Mt(i,C).text.length),text:[s.text[0]],origin:s.origin}),s.removed=Fr(i,s.from,s.to),p||(p=qf(i,s)),i.cm?VI(i.cm,s,f):Wf(i,s,f),wc(i,p,He),i.cantEdit&&Lc(i,st(i.firstLine(),0))&&(i.cantEdit=!1)}}function VI(i,s,p){var f=i.doc,m=i.display,C=s.from,w=s.to,B=!1,Y=C.line;i.options.lineWrapping||(Y=un(er(Mt(f,C.line))),f.iter(Y,w.line+1,function(Me){if(Me==m.maxLine)return B=!0,!0})),f.sel.contains(s.from,s.to)>-1&&cn(i),Wf(f,s,p,ie(i)),i.options.lineWrapping||(f.iter(Y,C.line+s.text.length,function(Me){var Je=x(Me);Je>m.maxLineLength&&(m.maxLine=Me,m.maxLineLength=Je,m.maxLineChanged=!0,B=!1)}),B&&(i.curOp.updateMaxLine=!0)),ro(f,C.line),lu(i,400);var J=s.text.length-(w.line-C.line)-1;s.full?le(i):C.line==w.line&&s.text.length==1&&!VS(i.doc,s)?Ae(i,C.line,"text"):le(i,C.line,w.line+1,J);var me=Xt(i,"changes"),Te=Xt(i,"change");if(Te||me){var qe={from:C,to:w,text:s.text,removed:s.removed,origin:s.origin};Te&&jt(i,"change",i,qe),me&&(i.curOp.changeObjs||(i.curOp.changeObjs=[])).push(qe)}i.display.selForContextMenu=null}function dl(i,s,p,f,m){var C;f||(f=p),Bt(f,p)<0&&(C=[f,p],p=C[0],f=C[1]),typeof s=="string"&&(s=i.splitLines(s)),cl(i,{from:p,to:f,text:s,origin:m})}function ub(i,s,p,f){p<i.line?i.line+=f:s<i.line&&(i.line=s,i.ch=0)}function cb(i,s,p,f){for(var m=0;m<i.length;++m){var C=i[m],w=!0;if(C.ranges){C.copied||(C=i[m]=C.deepCopy(),C.copied=!0);for(var B=0;B<C.ranges.length;B++)ub(C.ranges[B].anchor,s,p,f),ub(C.ranges[B].head,s,p,f);continue}for(var Y=0;Y<C.changes.length;++Y){var J=C.changes[Y];if(p<J.from.line)J.from=st(J.from.line+f,J.from.ch),J.to=st(J.to.line+f,J.to.ch);else if(s<=J.to.line){w=!1;break}}w||(i.splice(0,m+1),m=0)}}function db(i,s){var p=s.from.line,f=s.to.line,m=s.text.length-(f-p)-1;cb(i.done,p,f,m),cb(i.undone,p,f,m)}function fu(i,s,p,f){var m=s,C=s;return typeof s=="number"?C=Mt(i,Za(i,s)):m=un(s),m==null?null:(f(C,m)&&i.cm&&Ae(i.cm,m,p),C)}function pu(i){this.lines=i,this.parent=null;for(var s=0,p=0;p<i.length;++p)i[p].parent=this,s+=i[p].height;this.height=s}pu.prototype={chunkSize:function(){return this.lines.length},removeInner:function(i,s){for(var p=i,f=i+s;p<f;++p){var m=this.lines[p];this.height-=m.height,ae(m),jt(m,"delete")}this.lines.splice(i,s)},collapse:function(i){i.push.apply(i,this.lines)},insertInner:function(i,s,p){this.height+=p,this.lines=this.lines.slice(0,i).concat(s).concat(this.lines.slice(i));for(var f=0;f<s.length;++f)s[f].parent=this},iterN:function(i,s,p){for(var f=i+s;i<f;++i)if(p(this.lines[i]))return!0}};function _u(i){this.children=i;for(var s=0,p=0,f=0;f<i.length;++f){var m=i[f];s+=m.chunkSize(),p+=m.height,m.parent=this}this.size=s,this.height=p,this.parent=null}_u.prototype={chunkSize:function(){return this.size},removeInner:function(i,s){this.size-=s;for(var p=0;p<this.children.length;++p){var f=this.children[p],m=f.chunkSize();if(i<m){var C=Math.min(s,m-i),w=f.height;if(f.removeInner(i,C),this.height-=w-f.height,m==C&&(this.children.splice(p--,1),f.parent=null),(s-=C)==0)break;i=0}else i-=m}if(this.size-s<25&&(this.children.length>1||!(this.children[0]instanceof pu))){var B=[];this.collapse(B),this.children=[new pu(B)],this.children[0].parent=this}},collapse:function(i){for(var s=0;s<this.children.length;++s)this.children[s].collapse(i)},insertInner:function(i,s,p){this.size+=s.length,this.height+=p;for(var f=0;f<this.children.length;++f){var m=this.children[f],C=m.chunkSize();if(i<=C){if(m.insertInner(i,s,p),m.lines&&m.lines.length>50){for(var w=m.lines.length%25+25,B=w;B<m.lines.length;){var Y=new pu(m.lines.slice(B,B+=25));m.height-=Y.height,this.children.splice(++f,0,Y),Y.parent=this}m.lines=m.lines.slice(0,w),this.maybeSpill()}break}i-=C}},maybeSpill:function(){if(!(this.children.length<=10)){var i=this;do{var s=i.children.splice(i.children.length-5,5),p=new _u(s);if(i.parent){i.size-=p.size,i.height-=p.height;var m=nt(i.parent.children,i);i.parent.children.splice(m+1,0,p)}else{var f=new _u(i.children);f.parent=i,i.children=[f,p],i=f}p.parent=i.parent}while(i.children.length>10);i.parent.maybeSpill()}},iterN:function(i,s,p){for(var f=0;f<this.children.length;++f){var m=this.children[f],C=m.chunkSize();if(i<C){var w=Math.min(s,C-i);if(m.iterN(i,w,p))return!0;if((s-=w)==0)break;i=0}else i-=C}}};var mu=function(i,s,p){if(p)for(var f in p)p.hasOwnProperty(f)&&(this[f]=p[f]);this.doc=i,this.node=s};mu.prototype.clear=function(){var i=this.doc.cm,s=this.line.widgets,p=this.line,f=un(p);if(!(f==null||!s)){for(var m=0;m<s.length;++m)s[m]==this&&s.splice(m--,1);s.length||(p.widgets=null);var C=co(this);cr(p,Math.max(0,p.height-C)),i&&(gi(i,function(){fb(i,p,-C),Ae(i,f,"widget")}),jt(i,"lineWidgetCleared",i,this,f))}},mu.prototype.changed=function(){var i=this,s=this.height,p=this.doc.cm,f=this.line;this.height=null;var m=co(this)-s;!m||(xr(this.doc,f)||cr(f,f.height+m),p&&gi(p,function(){p.curOp.forceUpdate=!0,fb(p,f,m),jt(p,"lineWidgetChanged",p,i,un(f))}))},an(mu);function fb(i,s,p){b(s)<(i.curOp&&i.curOp.scrollTop||i.doc.scrollTop)&&Pf(i,p)}function zI(i,s,p,f){var m=new mu(i,p,f),C=i.cm;return C&&m.noHScroll&&(C.display.alignWidgets=!0),fu(i,s,"widget",function(w){var B=w.widgets||(w.widgets=[]);if(m.insertAt==null?B.push(m):B.splice(Math.min(B.length,Math.max(0,m.insertAt)),0,m),m.line=w,C&&!xr(i,w)){var Y=b(w)<i.scrollTop;cr(w,w.height+co(m)),Y&&Pf(C,m.height),C.curOp.forceUpdate=!0}return!0}),C&&jt(C,"lineWidgetAdded",C,m,typeof s=="number"?s:un(s)),m}var pb=0,Uo=function(i,s){this.lines=[],this.type=s,this.doc=i,this.id=++pb};Uo.prototype.clear=function(){if(!this.explicitlyCleared){var i=this.doc.cm,s=i&&!i.curOp;if(s&&hs(i),Xt(this,"clear")){var p=this.find();p&&jt(this,"clear",p.from,p.to)}for(var f=null,m=null,C=0;C<this.lines.length;++C){var w=this.lines[C],B=dr(w.markedSpans,this);i&&!this.collapsed?Ae(i,un(w),"text"):i&&(B.to!=null&&(m=un(w)),B.from!=null&&(f=un(w))),w.markedSpans=fa(w.markedSpans,B),B.from==null&&this.collapsed&&!xr(this.doc,w)&&i&&cr(w,Hn(i.display))}if(i&&this.collapsed&&!i.options.lineWrapping)for(var Y=0;Y<this.lines.length;++Y){var J=er(this.lines[Y]),me=x(J);me>i.display.maxLineLength&&(i.display.maxLine=J,i.display.maxLineLength=me,i.display.maxLineChanged=!0)}f!=null&&i&&this.collapsed&&le(i,f,m+1),this.lines.length=0,this.explicitlyCleared=!0,this.atomic&&this.doc.cantEdit&&(this.doc.cantEdit=!1,i&&nb(i.doc)),i&&jt(i,"markerCleared",i,this,f,m),s&&Es(i),this.parent&&this.parent.clear()}},Uo.prototype.find=function(i,s){i==null&&this.type=="bookmark"&&(i=1);for(var p,f,m=0;m<this.lines.length;++m){var C=this.lines[m],w=dr(C.markedSpans,this);if(w.from!=null&&(p=st(s?C:un(C),w.from),i==-1))return p;if(w.to!=null&&(f=st(s?C:un(C),w.to),i==1))return f}return p&&{from:p,to:f}},Uo.prototype.changed=function(){var i=this,s=this.find(-1,!0),p=this,f=this.doc.cm;!s||!f||gi(f,function(){var m=s.line,C=un(s.line),w=pi(f,C);if(w&&(ko(w),f.curOp.selectionChanged=f.curOp.forceUpdate=!0),f.curOp.updateMaxLine=!0,!xr(p.doc,m)&&p.height!=null){var B=p.height;p.height=null;var Y=co(p)-B;Y&&cr(m,m.height+Y)}jt(f,"markerChanged",f,i)})},Uo.prototype.attachLine=function(i){if(!this.lines.length&&this.doc.cm){var s=this.doc.cm.curOp;(!s.maybeHiddenMarkers||nt(s.maybeHiddenMarkers,this)==-1)&&(s.maybeUnhiddenMarkers||(s.maybeUnhiddenMarkers=[])).push(this)}this.lines.push(i)},Uo.prototype.detachLine=function(i){if(this.lines.splice(nt(this.lines,i),1),!this.lines.length&&this.doc.cm){var s=this.doc.cm.curOp;(s.maybeHiddenMarkers||(s.maybeHiddenMarkers=[])).push(this)}},an(Uo);function fl(i,s,p,f,m){if(f&&f.shared)return KI(i,s,p,f,m);if(i.cm&&!i.cm.curOp)return nr(i.cm,fl)(i,s,p,f,m);var C=new Uo(i,m),w=Bt(s,p);if(f&&dt(f,C,!1),w>0||w==0&&C.clearWhenEmpty!==!1)return C;if(C.replacedWith&&(C.collapsed=!0,C.widgetNode=ne("span",[C.replacedWith],"CodeMirror-widget"),f.handleMouseEvents||C.widgetNode.setAttribute("cm-ignore-events","true"),f.insertLeft&&(C.widgetNode.insertLeft=!0)),C.collapsed){if(_a(i,s.line,s,p,C)||s.line!=p.line&&_a(i,p.line,s,p,C))throw new Error("Inserting collapsed marker partially overlapping an existing one");Io()}C.addToHistory&&QS(i,{from:s,to:p,origin:"markText"},i.sel,NaN);var B=s.line,Y=i.cm,J;if(i.iter(B,p.line+1,function(Te){Y&&C.collapsed&&!Y.options.lineWrapping&&er(Te)==Y.display.maxLine&&(J=!0),C.collapsed&&B!=s.line&&cr(Te,0),ru(Te,new da(C,B==s.line?s.ch:null,B==p.line?p.ch:null),i.cm&&i.cm.curOp),++B}),C.collapsed&&i.iter(s.line,p.line+1,function(Te){xr(i,Te)&&cr(Te,0)}),C.clearOnEnter&&De(C,"beforeCursorEnter",function(){return C.clear()}),C.readOnly&&(io(),(i.history.done.length||i.history.undone.length)&&i.clearHistory()),C.collapsed&&(C.id=++pb,C.atomic=!0),Y){if(J&&(Y.curOp.updateMaxLine=!0),C.collapsed)le(Y,s.line,p.line+1);else if(C.className||C.startStyle||C.endStyle||C.css||C.attributes||C.title)for(var me=s.line;me<=p.line;me++)Ae(Y,me,"text");C.atomic&&nb(Y.doc),jt(Y,"markerAdded",Y,C)}return C}var gu=function(i,s){this.markers=i,this.primary=s;for(var p=0;p<i.length;++p)i[p].parent=this};gu.prototype.clear=function(){if(!this.explicitlyCleared){this.explicitlyCleared=!0;for(var i=0;i<this.markers.length;++i)this.markers[i].clear();jt(this,"clear")}},gu.prototype.find=function(i,s){return this.primary.find(i,s)},an(gu);function KI(i,s,p,f,m){f=dt(f),f.shared=!1;var C=[fl(i,s,p,f,m)],w=C[0],B=f.widgetNode;return Bo(i,function(Y){B&&(f.widgetNode=B.cloneNode(!0)),C.push(fl(Y,Ht(Y,s),Ht(Y,p),f,m));for(var J=0;J<Y.linked.length;++J)if(Y.linked[J].isParent)return;w=Ie(C)}),new gu(C,w)}function _b(i){return i.findMarks(st(i.first,0),i.clipPos(st(i.lastLine())),function(s){return s.parent})}function $I(i,s){for(var p=0;p<s.length;p++){var f=s[p],m=f.find(),C=i.clipPos(m.from),w=i.clipPos(m.to);if(Bt(C,w)){var B=fl(i,C,w,f.primary,f.primary.type);f.markers.push(B),B.parent=f}}}function QI(i){for(var s=function(f){var m=i[f],C=[m.primary.doc];Bo(m.primary.doc,function(Y){return C.push(Y)});for(var w=0;w<m.markers.length;w++){var B=m.markers[w];nt(C,B.doc)==-1&&(B.parent=null,m.markers.splice(w--,1))}},p=0;p<i.length;p++)s(p)}var jI=0,Kr=function(i,s,p,f,m){if(!(this instanceof Kr))return new Kr(i,s,p,f,m);p==null&&(p=0),_u.call(this,[new pu([new j("",null)])]),this.first=p,this.scrollTop=this.scrollLeft=0,this.cantEdit=!1,this.cleanGeneration=1,this.modeFrontier=this.highlightFrontier=p;var C=st(p,0);this.sel=Po(C),this.history=new Ic(null),this.id=++jI,this.modeOption=s,this.lineSep=f,this.direction=m=="rtl"?"rtl":"ltr",this.extend=!1,typeof i=="string"&&(i=this.splitLines(i)),Wf(this,{from:C,to:C,text:i}),Or(this,Po(C),He)};Kr.prototype=ge(_u.prototype,{constructor:Kr,iter:function(i,s,p){p?this.iterN(i-this.first,s-i,p):this.iterN(this.first,this.first+this.size,i)},insert:function(i,s){for(var p=0,f=0;f<s.length;++f)p+=s[f].height;this.insertInner(i-this.first,s,p)},remove:function(i,s){this.removeInner(i-this.first,s)},getValue:function(i){var s=Na(this,this.first,this.first+this.size);return i===!1?s:s.join(i||this.lineSeparator())},setValue:rr(function(i){var s=st(this.first,0),p=this.first+this.size-1;cl(this,{from:s,to:st(p,Mt(this,p).text.length),text:this.splitLines(i),origin:"setValue",full:!0},!0),this.cm&&iu(this.cm,0,0),Or(this,Po(s),He)}),replaceRange:function(i,s,p,f){s=Ht(this,s),p=p?Ht(this,p):s,dl(this,i,s,p,f)},getRange:function(i,s,p){var f=Fr(this,Ht(this,i),Ht(this,s));return p===!1?f:p===""?f.join(""):f.join(p||this.lineSeparator())},getLine:function(i){var s=this.getLineHandle(i);return s&&s.text},getLineHandle:function(i){if(si(this,i))return Mt(this,i)},getLineNumber:function(i){return un(i)},getLineHandleVisualStart:function(i){return typeof i=="number"&&(i=Mt(this,i)),er(i)},lineCount:function(){return this.size},firstLine:function(){return this.first},lastLine:function(){return this.first+this.size-1},clipPos:function(i){return Ht(this,i)},getCursor:function(i){var s=this.sel.primary(),p;return i==null||i=="head"?p=s.head:i=="anchor"?p=s.anchor:i=="end"||i=="to"||i===!1?p=s.to():p=s.from(),p},listSelections:function(){return this.sel.ranges},somethingSelected:function(){return this.sel.somethingSelected()},setCursor:rr(function(i,s,p){JS(this,Ht(this,typeof i=="number"?st(i,s||0):i),null,p)}),setSelection:rr(function(i,s,p){JS(this,Ht(this,i),Ht(this,s||i),p)}),extendSelection:rr(function(i,s,p){xc(this,Ht(this,i),s&&Ht(this,s),p)}),extendSelections:rr(function(i,s){ZS(this,No(this,i),s)}),extendSelectionsBy:rr(function(i,s){var p=Ue(this.sel.ranges,i);ZS(this,No(this,p),s)}),setSelections:rr(function(i,s,p){if(!!i.length){for(var f=[],m=0;m<i.length;m++)f[m]=new mn(Ht(this,i[m].anchor),Ht(this,i[m].head||i[m].anchor));s==null&&(s=Math.min(i.length-1,this.sel.primIndex)),Or(this,ha(this.cm,f,s),p)}}),addSelection:rr(function(i,s,p){var f=this.sel.ranges.slice(0);f.push(new mn(Ht(this,i),Ht(this,s||i))),Or(this,ha(this.cm,f,f.length-1),p)}),getSelection:function(i){for(var s=this.sel.ranges,p,f=0;f<s.length;f++){var m=Fr(this,s[f].from(),s[f].to());p=p?p.concat(m):m}return i===!1?p:p.join(i||this.lineSeparator())},getSelections:function(i){for(var s=[],p=this.sel.ranges,f=0;f<p.length;f++){var m=Fr(this,p[f].from(),p[f].to());i!==!1&&(m=m.join(i||this.lineSeparator())),s[f]=m}return s},replaceSelection:function(i,s,p){for(var f=[],m=0;m<this.sel.ranges.length;m++)f[m]=i;this.replaceSelections(f,s,p||"+input")},replaceSelections:rr(function(i,s,p){for(var f=[],m=this.sel,C=0;C<m.ranges.length;C++){var w=m.ranges[C];f[C]={from:w.from(),to:w.to(),text:this.splitLines(i[C]),origin:p}}for(var B=s&&s!="end"&&FI(this,f,s),Y=f.length-1;Y>=0;Y--)cl(this,f[Y]);B?eb(this,B):this.cm&&ol(this.cm)}),undo:rr(function(){Mc(this,"undo")}),redo:rr(function(){Mc(this,"redo")}),undoSelection:rr(function(){Mc(this,"undo",!0)}),redoSelection:rr(function(){Mc(this,"redo",!0)}),setExtending:function(i){this.extend=i},getExtending:function(){return this.extend},historySize:function(){for(var i=this.history,s=0,p=0,f=0;f<i.done.length;f++)i.done[f].ranges||++s;for(var m=0;m<i.undone.length;m++)i.undone[m].ranges||++p;return{undo:s,redo:p}},clearHistory:function(){var i=this;this.history=new Ic(this.history),Bo(this,function(s){return s.history=i.history},!0)},markClean:function(){this.cleanGeneration=this.changeGeneration(!0)},changeGeneration:function(i){return i&&(this.history.lastOp=this.history.lastSelOp=this.history.lastOrigin=null),this.history.generation},isClean:function(i){return this.history.generation==(i||this.cleanGeneration)},getHistory:function(){return{done:ll(this.history.done),undone:ll(this.history.undone)}},setHistory:function(i){var s=this.history=new Ic(this.history);s.done=ll(i.done.slice(0),null,!0),s.undone=ll(i.undone.slice(0),null,!0)},setGutterMarker:rr(function(i,s,p){return fu(this,i,"gutter",function(f){var m=f.gutterMarkers||(f.gutterMarkers={});return m[s]=p,!p&&ee(m)&&(f.gutterMarkers=null),!0})}),clearGutter:rr(function(i){var s=this;this.iter(function(p){p.gutterMarkers&&p.gutterMarkers[i]&&fu(s,p,"gutter",function(){return p.gutterMarkers[i]=null,ee(p.gutterMarkers)&&(p.gutterMarkers=null),!0})})}),lineInfo:function(i){var s;if(typeof i=="number"){if(!si(this,i)||(s=i,i=Mt(this,i),!i))return null}else if(s=un(i),s==null)return null;return{line:s,handle:i,text:i.text,gutterMarkers:i.gutterMarkers,textClass:i.textClass,bgClass:i.bgClass,wrapClass:i.wrapClass,widgets:i.widgets}},addLineClass:rr(function(i,s,p){return fu(this,i,s=="gutter"?"gutter":"class",function(f){var m=s=="text"?"textClass":s=="background"?"bgClass":s=="gutter"?"gutterClass":"wrapClass";if(!f[m])f[m]=p;else{if(K(p).test(f[m]))return!1;f[m]+=" "+p}return!0})}),removeLineClass:rr(function(i,s,p){return fu(this,i,s=="gutter"?"gutter":"class",function(f){var m=s=="text"?"textClass":s=="background"?"bgClass":s=="gutter"?"gutterClass":"wrapClass",C=f[m];if(C)if(p==null)f[m]=null;else{var w=C.match(K(p));if(!w)return!1;var B=w.index+w[0].length;f[m]=C.slice(0,w.index)+(!w.index||B==C.length?"":" ")+C.slice(B)||null}else return!1;return!0})}),addLineWidget:rr(function(i,s,p){return zI(this,i,s,p)}),removeLineWidget:function(i){i.clear()},markText:function(i,s,p){return fl(this,Ht(this,i),Ht(this,s),p,p&&p.type||"range")},setBookmark:function(i,s){var p={replacedWith:s&&(s.nodeType==null?s.widget:s),insertLeft:s&&s.insertLeft,clearWhenEmpty:!1,shared:s&&s.shared,handleMouseEvents:s&&s.handleMouseEvents};return i=Ht(this,i),fl(this,i,i,p,"bookmark")},findMarksAt:function(i){i=Ht(this,i);var s=[],p=Mt(this,i.line).markedSpans;if(p)for(var f=0;f<p.length;++f){var m=p[f];(m.from==null||m.from<=i.ch)&&(m.to==null||m.to>=i.ch)&&s.push(m.marker.parent||m.marker)}return s},findMarks:function(i,s,p){i=Ht(this,i),s=Ht(this,s);var f=[],m=i.line;return this.iter(i.line,s.line+1,function(C){var w=C.markedSpans;if(w)for(var B=0;B<w.length;B++){var Y=w[B];!(Y.to!=null&&m==i.line&&i.ch>=Y.to||Y.from==null&&m!=i.line||Y.from!=null&&m==s.line&&Y.from>=s.ch)&&(!p||p(Y.marker))&&f.push(Y.marker.parent||Y.marker)}++m}),f},getAllMarks:function(){var i=[];return this.iter(function(s){var p=s.markedSpans;if(p)for(var f=0;f<p.length;++f)p[f].from!=null&&i.push(p[f].marker)}),i},posFromIndex:function(i){var s,p=this.first,f=this.lineSeparator().length;return this.iter(function(m){var C=m.text.length+f;if(C>i)return s=i,!0;i-=C,++p}),Ht(this,st(p,s))},indexFromPos:function(i){i=Ht(this,i);var s=i.ch;if(i.line<this.first||i.ch<0)return 0;var p=this.lineSeparator().length;return this.iter(this.first,i.line,function(f){s+=f.text.length+p}),s},copy:function(i){var s=new Kr(Na(this,this.first,this.first+this.size),this.modeOption,this.first,this.lineSep,this.direction);return s.scrollTop=this.scrollTop,s.scrollLeft=this.scrollLeft,s.sel=this.sel,s.extend=!1,i&&(s.history.undoDepth=this.history.undoDepth,s.setHistory(this.getHistory())),s},linkedDoc:function(i){i||(i={});var s=this.first,p=this.first+this.size;i.from!=null&&i.from>s&&(s=i.from),i.to!=null&&i.to<p&&(p=i.to);var f=new Kr(Na(this,s,p),i.mode||this.modeOption,s,this.lineSep,this.direction);return i.sharedHist&&(f.history=this.history),(this.linked||(this.linked=[])).push({doc:f,sharedHist:i.sharedHist}),f.linked=[{doc:this,isParent:!0,sharedHist:i.sharedHist}],$I(f,_b(this)),f},unlinkDoc:function(i){if(i instanceof Ln&&(i=i.doc),this.linked)for(var s=0;s<this.linked.length;++s){var p=this.linked[s];if(p.doc==i){this.linked.splice(s,1),i.unlinkDoc(this),QI(_b(this));break}}if(i.history==this.history){var f=[i.id];Bo(i,function(m){return f.push(m.id)},!0),i.history=new Ic(null),i.history.done=ll(this.history.done,f),i.history.undone=ll(this.history.undone,f)}},iterLinkedDocs:function(i){Bo(this,i)},getMode:function(){return this.mode},getEditor:function(){return this.cm},splitLines:function(i){return this.lineSep?i.split(this.lineSep):Pr(i)},lineSeparator:function(){return this.lineSep||`
+`},setDirection:rr(function(i){i!="rtl"&&(i="ltr"),i!=this.direction&&(this.direction=i,this.iter(function(s){return s.order=null}),this.cm&&BI(this.cm))})}),Kr.prototype.eachLine=Kr.prototype.iter;var mb=0;function XI(i){var s=this;if(gb(s),!(Lt(s,i)||Jt(s.display,i))){Zt(i),c&&(mb=+new Date);var p=D(s,i,!0),f=i.dataTransfer.files;if(!(!p||s.isReadOnly()))if(f&&f.length&&window.FileReader&&window.File)for(var m=f.length,C=Array(m),w=0,B=function(){++w==m&&nr(s,function(){p=Ht(s.doc,p);var Me={from:p,to:p,text:s.doc.splitLines(C.filter(function(Je){return Je!=null}).join(s.doc.lineSeparator())),origin:"paste"};cl(s.doc,Me),eb(s.doc,Po(Ht(s.doc,p),Ht(s.doc,Fo(Me))))})()},Y=function(Me,Je){if(s.options.allowDropFileTypes&&nt(s.options.allowDropFileTypes,Me.type)==-1){B();return}var ut=new FileReader;ut.onerror=function(){return B()},ut.onload=function(){var gt=ut.result;if(/[\x00-\x08\x0e-\x1f]{2}/.test(gt)){B();return}C[Je]=gt,B()},ut.readAsText(Me)},J=0;J<f.length;J++)Y(f[J],J);else{if(s.state.draggingText&&s.doc.sel.contains(p)>-1){s.state.draggingText(i),setTimeout(function(){return s.display.input.focus()},20);return}try{var me=i.dataTransfer.getData("Text");if(me){var Te;if(s.state.draggingText&&!s.state.draggingText.copy&&(Te=s.listSelections()),wc(s.doc,Po(p,p)),Te)for(var qe=0;qe<Te.length;++qe)dl(s.doc,"",Te[qe].anchor,Te[qe].head,"drag");s.replaceSelection(me,"around","paste"),s.display.input.focus()}}catch{}}}}function ZI(i,s){if(c&&(!i.state.draggingText||+new Date-mb<100)){wn(s);return}if(!(Lt(i,s)||Jt(i.display,s))&&(s.dataTransfer.setData("Text",i.getSelection()),s.dataTransfer.effectAllowed="copyMove",s.dataTransfer.setDragImage&&!M)){var p=V("img",null,null,"position: fixed; left: 0; top: 0;");p.src="data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==",y&&(p.width=p.height=1,i.display.wrapper.appendChild(p),p._top=p.offsetTop),s.dataTransfer.setDragImage(p,0,0),y&&p.parentNode.removeChild(p)}}function JI(i,s){var p=D(i,s);if(!!p){var f=document.createDocumentFragment();Yt(i,p,f),i.display.dragCursor||(i.display.dragCursor=V("div",null,"CodeMirror-cursors CodeMirror-dragcursors"),i.display.lineSpace.insertBefore(i.display.dragCursor,i.display.cursorDiv)),fe(i.display.dragCursor,f)}}function gb(i){i.display.dragCursor&&(i.display.lineSpace.removeChild(i.display.dragCursor),i.display.dragCursor=null)}function hb(i){if(!!document.getElementsByClassName){for(var s=document.getElementsByClassName("CodeMirror"),p=[],f=0;f<s.length;f++){var m=s[f].CodeMirror;m&&p.push(m)}p.length&&p[0].operation(function(){for(var C=0;C<p.length;C++)i(p[C])})}}var Eb=!1;function eD(){Eb||(tD(),Eb=!0)}function tD(){var i;De(window,"resize",function(){i==null&&(i=setTimeout(function(){i=null,hb(nD)},100))}),De(window,"blur",function(){return hb(al)})}function nD(i){var s=i.display;s.cachedCharWidth=s.cachedTextHeight=s.cachedPaddingH=null,s.scrollbarsClipped=!1,i.setSize()}for(var Go={3:"Pause",8:"Backspace",9:"Tab",13:"Enter",16:"Shift",17:"Ctrl",18:"Alt",19:"Pause",20:"CapsLock",27:"Esc",32:"Space",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"Left",38:"Up",39:"Right",40:"Down",44:"PrintScrn",45:"Insert",46:"Delete",59:";",61:"=",91:"Mod",92:"Mod",93:"Mod",106:"*",107:"=",109:"-",110:".",111:"/",145:"ScrollLock",173:"-",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'",224:"Mod",63232:"Up",63233:"Down",63234:"Left",63235:"Right",63272:"Delete",63273:"Home",63275:"End",63276:"PageUp",63277:"PageDown",63302:"Insert"},hu=0;hu<10;hu++)Go[hu+48]=Go[hu+96]=String(hu);for(var kc=65;kc<=90;kc++)Go[kc]=String.fromCharCode(kc);for(var Eu=1;Eu<=12;Eu++)Go[Eu+111]=Go[Eu+63235]="F"+Eu;var _o={};_o.basic={Left:"goCharLeft",Right:"goCharRight",Up:"goLineUp",Down:"goLineDown",End:"goLineEnd",Home:"goLineStartSmart",PageUp:"goPageUp",PageDown:"goPageDown",Delete:"delCharAfter",Backspace:"delCharBefore","Shift-Backspace":"delCharBefore",Tab:"defaultTab","Shift-Tab":"indentAuto",Enter:"newlineAndIndent",Insert:"toggleOverwrite",Esc:"singleSelection"},_o.pcDefault={"Ctrl-A":"selectAll","Ctrl-D":"deleteLine","Ctrl-Z":"undo","Shift-Ctrl-Z":"redo","Ctrl-Y":"redo","Ctrl-Home":"goDocStart","Ctrl-End":"goDocEnd","Ctrl-Up":"goLineUp","Ctrl-Down":"goLineDown","Ctrl-Left":"goGroupLeft","Ctrl-Right":"goGroupRight","Alt-Left":"goLineStart","Alt-Right":"goLineEnd","Ctrl-Backspace":"delGroupBefore","Ctrl-Delete":"delGroupAfter","Ctrl-S":"save","Ctrl-F":"find","Ctrl-G":"findNext","Shift-Ctrl-G":"findPrev","Shift-Ctrl-F":"replace","Shift-Ctrl-R":"replaceAll","Ctrl-[":"indentLess","Ctrl-]":"indentMore","Ctrl-U":"undoSelection","Shift-Ctrl-U":"redoSelection","Alt-U":"redoSelection",fallthrough:"basic"},_o.emacsy={"Ctrl-F":"goCharRight","Ctrl-B":"goCharLeft","Ctrl-P":"goLineUp","Ctrl-N":"goLineDown","Ctrl-A":"goLineStart","Ctrl-E":"goLineEnd","Ctrl-V":"goPageDown","Shift-Ctrl-V":"goPageUp","Ctrl-D":"delCharAfter","Ctrl-H":"delCharBefore","Alt-Backspace":"delWordBefore","Ctrl-K":"killLine","Ctrl-T":"transposeChars","Ctrl-O":"openLine"},_o.macDefault={"Cmd-A":"selectAll","Cmd-D":"deleteLine","Cmd-Z":"undo","Shift-Cmd-Z":"redo","Cmd-Y":"redo","Cmd-Home":"goDocStart","Cmd-Up":"goDocStart","Cmd-End":"goDocEnd","Cmd-Down":"goDocEnd","Alt-Left":"goGroupLeft","Alt-Right":"goGroupRight","Cmd-Left":"goLineLeft","Cmd-Right":"goLineRight","Alt-Backspace":"delGroupBefore","Ctrl-Alt-Backspace":"delGroupAfter","Alt-Delete":"delGroupAfter","Cmd-S":"save","Cmd-F":"find","Cmd-G":"findNext","Shift-Cmd-G":"findPrev","Cmd-Alt-F":"replace","Shift-Cmd-Alt-F":"replaceAll","Cmd-[":"indentLess","Cmd-]":"indentMore","Cmd-Backspace":"delWrappedLineLeft","Cmd-Delete":"delWrappedLineRight","Cmd-U":"undoSelection","Shift-Cmd-U":"redoSelection","Ctrl-Up":"goDocStart","Ctrl-Down":"goDocEnd",fallthrough:["basic","emacsy"]},_o.default=L?_o.macDefault:_o.pcDefault;function rD(i){var s=i.split(/-(?!$)/);i=s[s.length-1];for(var p,f,m,C,w=0;w<s.length-1;w++){var B=s[w];if(/^(cmd|meta|m)$/i.test(B))C=!0;else if(/^a(lt)?$/i.test(B))p=!0;else if(/^(c|ctrl|control)$/i.test(B))f=!0;else if(/^s(hift)?$/i.test(B))m=!0;else throw new Error("Unrecognized modifier name: "+B)}return p&&(i="Alt-"+i),f&&(i="Ctrl-"+i),C&&(i="Cmd-"+i),m&&(i="Shift-"+i),i}function iD(i){var s={};for(var p in i)if(i.hasOwnProperty(p)){var f=i[p];if(/^(name|fallthrough|(de|at)tach)$/.test(p))continue;if(f=="..."){delete i[p];continue}for(var m=Ue(p.split(" "),rD),C=0;C<m.length;C++){var w=void 0,B=void 0;C==m.length-1?(B=m.join(" "),w=f):(B=m.slice(0,C+1).join(" "),w="...");var Y=s[B];if(!Y)s[B]=w;else if(Y!=w)throw new Error("Inconsistent bindings for "+B)}delete i[p]}for(var J in s)i[J]=s[J];return i}function pl(i,s,p,f){s=Pc(s);var m=s.call?s.call(i,f):s[i];if(m===!1)return"nothing";if(m==="...")return"multi";if(m!=null&&p(m))return"handled";if(s.fallthrough){if(Object.prototype.toString.call(s.fallthrough)!="[object Array]")return pl(i,s.fallthrough,p,f);for(var C=0;C<s.fallthrough.length;C++){var w=pl(i,s.fallthrough[C],p,f);if(w)return w}}}function Sb(i){var s=typeof i=="string"?i:Go[i.keyCode];return s=="Ctrl"||s=="Alt"||s=="Shift"||s=="Mod"}function bb(i,s,p){var f=i;return s.altKey&&f!="Alt"&&(i="Alt-"+i),(F?s.metaKey:s.ctrlKey)&&f!="Ctrl"&&(i="Ctrl-"+i),(F?s.ctrlKey:s.metaKey)&&f!="Mod"&&(i="Cmd-"+i),!p&&s.shiftKey&&f!="Shift"&&(i="Shift-"+i),i}function vb(i,s){if(y&&i.keyCode==34&&i.char)return!1;var p=Go[i.keyCode];return p==null||i.altGraphKey?!1:(i.keyCode==3&&i.code&&(p=i.code),bb(p,i,s))}function Pc(i){return typeof i=="string"?_o[i]:i}function _l(i,s){for(var p=i.doc.sel.ranges,f=[],m=0;m<p.length;m++){for(var C=s(p[m]);f.length&&Bt(C.from,Ie(f).to)<=0;){var w=f.pop();if(Bt(w.from,C.from)<0){C.from=w.from;break}}f.push(C)}gi(i,function(){for(var B=f.length-1;B>=0;B--)dl(i.doc,"",f[B].from,f[B].to,"+delete");ol(i)})}function $f(i,s,p){var f=Q(i.text,s+p,p);return f<0||f>i.text.length?null:f}function Qf(i,s,p){var f=$f(i,s.ch,p);return f==null?null:new st(s.line,f,p<0?"after":"before")}function jf(i,s,p,f,m){if(i){s.doc.direction=="rtl"&&(m=-m);var C=ke(p,s.doc.direction);if(C){var w=m<0?Ie(C):C[0],B=m<0==(w.level==1),Y=B?"after":"before",J;if(w.level>0||s.doc.direction=="rtl"){var me=wi(s,p);J=m<0?p.text.length-1:0;var Te=Cr(s,me,J).top;J=he(function(qe){return Cr(s,me,qe).top==Te},m<0==(w.level==1)?w.from:w.to-1,J),Y=="before"&&(J=$f(p,J,1))}else J=m<0?w.to:w.from;return new st(f,J,Y)}}return new st(f,m<0?p.text.length:0,m<0?"before":"after")}function aD(i,s,p,f){var m=ke(s,i.doc.direction);if(!m)return Qf(s,p,f);p.ch>=s.text.length?(p.ch=s.text.length,p.sticky="before"):p.ch<=0&&(p.ch=0,p.sticky="after");var C=je(m,p.ch,p.sticky),w=m[C];if(i.doc.direction=="ltr"&&w.level%2==0&&(f>0?w.to>p.ch:w.from<p.ch))return Qf(s,p,f);var B=function(yt,Nt){return $f(s,yt instanceof st?yt.ch:yt,Nt)},Y,J=function(yt){return i.options.lineWrapping?(Y=Y||wi(i,s),Vt(i,s,Y,yt)):{begin:0,end:s.text.length}},me=J(p.sticky=="before"?B(p,-1):p.ch);if(i.doc.direction=="rtl"||w.level==1){var Te=w.level==1==f<0,qe=B(p,Te?1:-1);if(qe!=null&&(Te?qe<=w.to&&qe<=me.end:qe>=w.from&&qe>=me.begin)){var Me=Te?"before":"after";return new st(p.line,qe,Me)}}var Je=function(yt,Nt,Ct){for(var xt=function(Tn,ir){return ir?new st(p.line,B(Tn,1),"before"):new st(p.line,Tn,"after")};yt>=0&&yt<m.length;yt+=Nt){var Gt=m[yt],Pt=Nt>0==(Gt.level!=1),en=Pt?Ct.begin:B(Ct.end,-1);if(Gt.from<=en&&en<Gt.to||(en=Pt?Gt.from:B(Gt.to,-1),Ct.begin<=en&&en<Ct.end))return xt(en,Pt)}},ut=Je(C+f,f,me);if(ut)return ut;var gt=f>0?me.end:B(me.begin,-1);return gt!=null&&!(f>0&&gt==s.text.length)&&(ut=Je(f>0?0:m.length-1,f,J(gt)),ut)?ut:null}var Su={selectAll:ab,singleSelection:function(i){return i.setSelection(i.getCursor("anchor"),i.getCursor("head"),He)},killLine:function(i){return _l(i,function(s){if(s.empty()){var p=Mt(i.doc,s.head.line).text.length;return s.head.ch==p&&s.head.line<i.lastLine()?{from:s.head,to:st(s.head.line+1,0)}:{from:s.head,to:st(s.head.line,p)}}else return{from:s.from(),to:s.to()}})},deleteLine:function(i){return _l(i,function(s){return{from:st(s.from().line,0),to:Ht(i.doc,st(s.to().line+1,0))}})},delLineLeft:function(i){return _l(i,function(s){return{from:st(s.from().line,0),to:s.from()}})},delWrappedLineLeft:function(i){return _l(i,function(s){var p=i.charCoords(s.head,"div").top+5,f=i.coordsChar({left:0,top:p},"div");return{from:f,to:s.from()}})},delWrappedLineRight:function(i){return _l(i,function(s){var p=i.charCoords(s.head,"div").top+5,f=i.coordsChar({left:i.display.lineDiv.offsetWidth+100,top:p},"div");return{from:s.from(),to:f}})},undo:function(i){return i.undo()},redo:function(i){return i.redo()},undoSelection:function(i){return i.undoSelection()},redoSelection:function(i){return i.redoSelection()},goDocStart:function(i){return i.extendSelection(st(i.firstLine(),0))},goDocEnd:function(i){return i.extendSelection(st(i.lastLine()))},goLineStart:function(i){return i.extendSelectionsBy(function(s){return Tb(i,s.head.line)},{origin:"+move",bias:1})},goLineStartSmart:function(i){return i.extendSelectionsBy(function(s){return yb(i,s.head)},{origin:"+move",bias:1})},goLineEnd:function(i){return i.extendSelectionsBy(function(s){return oD(i,s.head.line)},{origin:"+move",bias:-1})},goLineRight:function(i){return i.extendSelectionsBy(function(s){var p=i.cursorCoords(s.head,"div").top+5;return i.coordsChar({left:i.display.lineDiv.offsetWidth+100,top:p},"div")},ze)},goLineLeft:function(i){return i.extendSelectionsBy(function(s){var p=i.cursorCoords(s.head,"div").top+5;return i.coordsChar({left:0,top:p},"div")},ze)},goLineLeftSmart:function(i){return i.extendSelectionsBy(function(s){var p=i.cursorCoords(s.head,"div").top+5,f=i.coordsChar({left:0,top:p},"div");return f.ch<i.getLine(f.line).search(/\S/)?yb(i,s.head):f},ze)},goLineUp:function(i){return i.moveV(-1,"line")},goLineDown:function(i){return i.moveV(1,"line")},goPageUp:function(i){return i.moveV(-1,"page")},goPageDown:function(i){return i.moveV(1,"page")},goCharLeft:function(i){return i.moveH(-1,"char")},goCharRight:function(i){return i.moveH(1,"char")},goColumnLeft:function(i){return i.moveH(-1,"column")},goColumnRight:function(i){return i.moveH(1,"column")},goWordLeft:function(i){return i.moveH(-1,"word")},goGroupRight:function(i){return i.moveH(1,"group")},goGroupLeft:function(i){return i.moveH(-1,"group")},goWordRight:function(i){return i.moveH(1,"word")},delCharBefore:function(i){return i.deleteH(-1,"codepoint")},delCharAfter:function(i){return i.deleteH(1,"char")},delWordBefore:function(i){return i.deleteH(-1,"word")},delWordAfter:function(i){return i.deleteH(1,"word")},delGroupBefore:function(i){return i.deleteH(-1,"group")},delGroupAfter:function(i){return i.deleteH(1,"group")},indentAuto:function(i){return i.indentSelection("smart")},indentMore:function(i){return i.indentSelection("add")},indentLess:function(i){return i.indentSelection("subtract")},insertTab:function(i){return i.replaceSelection("	")},insertSoftTab:function(i){for(var s=[],p=i.listSelections(),f=i.options.tabSize,m=0;m<p.length;m++){var C=p[m].from(),w=ct(i.getLine(C.line),C.ch,f);s.push(Ne(f-w%f))}i.replaceSelections(s)},defaultTab:function(i){i.somethingSelected()?i.indentSelection("add"):i.execCommand("insertTab")},transposeChars:function(i){return gi(i,function(){for(var s=i.listSelections(),p=[],f=0;f<s.length;f++)if(!!s[f].empty()){var m=s[f].head,C=Mt(i.doc,m.line).text;if(C){if(m.ch==C.length&&(m=new st(m.line,m.ch-1)),m.ch>0)m=new st(m.line,m.ch+1),i.replaceRange(C.charAt(m.ch-1)+C.charAt(m.ch-2),st(m.line,m.ch-2),m,"+transpose");else if(m.line>i.doc.first){var w=Mt(i.doc,m.line-1).text;w&&(m=new st(m.line,1),i.replaceRange(C.charAt(0)+i.doc.lineSeparator()+w.charAt(w.length-1),st(m.line-1,w.length-1),m,"+transpose"))}}p.push(new mn(m,m))}i.setSelections(p)})},newlineAndIndent:function(i){return gi(i,function(){for(var s=i.listSelections(),p=s.length-1;p>=0;p--)i.replaceRange(i.doc.lineSeparator(),s[p].anchor,s[p].head,"+input");s=i.listSelections();for(var f=0;f<s.length;f++)i.indentLine(s[f].from().line,null,!0);ol(i)})},openLine:function(i){return i.replaceSelection(`
+`,"start")},toggleOverwrite:function(i){return i.toggleOverwrite()}};function Tb(i,s){var p=Mt(i.doc,s),f=er(p);return f!=p&&(s=un(f)),jf(!0,i,f,s,1)}function oD(i,s){var p=Mt(i.doc,s),f=nl(p);return f!=p&&(s=un(f)),jf(!0,i,p,s,-1)}function yb(i,s){var p=Tb(i,s.line),f=Mt(i.doc,p.line),m=ke(f,i.doc.direction);if(!m||m[0].level==0){var C=Math.max(p.ch,f.text.search(/\S/)),w=s.line==p.line&&s.ch<=C&&s.ch;return st(p.line,w?0:C,p.sticky)}return p}function Fc(i,s,p){if(typeof s=="string"&&(s=Su[s],!s))return!1;i.display.input.ensurePolled();var f=i.display.shift,m=!1;try{i.isReadOnly()&&(i.state.suppressEdits=!0),p&&(i.display.shift=!1),m=s(i)!=Ee}finally{i.display.shift=f,i.state.suppressEdits=!1}return m}function sD(i,s,p){for(var f=0;f<i.state.keyMaps.length;f++){var m=pl(s,i.state.keyMaps[f],p,i);if(m)return m}return i.options.extraKeys&&pl(s,i.options.extraKeys,p,i)||pl(s,i.options.keyMap,p,i)}var lD=new Ze;function bu(i,s,p,f){var m=i.state.keySeq;if(m){if(Sb(s))return"handled";if(/\'$/.test(s)?i.state.keySeq=null:lD.set(50,function(){i.state.keySeq==m&&(i.state.keySeq=null,i.display.input.reset())}),Cb(i,m+" "+s,p,f))return!0}return Cb(i,s,p,f)}function Cb(i,s,p,f){var m=sD(i,s,f);return m=="multi"&&(i.state.keySeq=s),m=="handled"&&jt(i,"keyHandled",i,s,p),(m=="handled"||m=="multi")&&(Zt(p),Ar(i)),!!m}function Ab(i,s){var p=vb(s,!0);return p?s.shiftKey&&!i.state.keySeq?bu(i,"Shift-"+p,s,function(f){return Fc(i,f,!0)})||bu(i,p,s,function(f){if(typeof f=="string"?/^go[A-Z]/.test(f):f.motion)return Fc(i,f)}):bu(i,p,s,function(f){return Fc(i,f)}):!1}function uD(i,s,p){return bu(i,"'"+p+"'",s,function(f){return Fc(i,f,!0)})}var Xf=null;function Ob(i){var s=this;if(!(i.target&&i.target!=s.display.input.getField())&&(s.curOp.focus=se(Oe(s)),!Lt(s,i))){c&&d<11&&i.keyCode==27&&(i.returnValue=!1);var p=i.keyCode;s.display.shift=p==16||i.shiftKey;var f=Ab(s,i);y&&(Xf=f?p:null,!f&&p==88&&!ii&&(L?i.metaKey:i.ctrlKey)&&s.replaceSelection("",null,"cut")),a&&!L&&!f&&p==46&&i.shiftKey&&!i.ctrlKey&&document.execCommand&&document.execCommand("cut"),p==18&&!/\bCodeMirror-crosshair\b/.test(s.display.lineDiv.className)&&cD(s)}}function cD(i){var s=i.display.lineDiv;ve(s,"CodeMirror-crosshair");function p(f){(f.keyCode==18||!f.altKey)&&(ue(s,"CodeMirror-crosshair"),_t(document,"keyup",p),_t(document,"mouseover",p))}De(document,"keyup",p),De(document,"mouseover",p)}function Rb(i){i.keyCode==16&&(this.doc.sel.shift=!1),Lt(this,i)}function Nb(i){var s=this;if(!(i.target&&i.target!=s.display.input.getField())&&!(Jt(s.display,i)||Lt(s,i)||i.ctrlKey&&!i.altKey||L&&i.metaKey)){var p=i.keyCode,f=i.charCode;if(y&&p==Xf){Xf=null,Zt(i);return}if(!(y&&(!i.which||i.which<10)&&Ab(s,i))){var m=String.fromCharCode(f==null?p:f);m!="\b"&&(uD(s,i,m)||s.display.input.onKeyPress(i))}}}var dD=400,Zf=function(i,s,p){this.time=i,this.pos=s,this.button=p};Zf.prototype.compare=function(i,s,p){return this.time+dD>i&&Bt(s,this.pos)==0&&p==this.button};var vu,Tu;function fD(i,s){var p=+new Date;return Tu&&Tu.compare(p,i,s)?(vu=Tu=null,"triple"):vu&&vu.compare(p,i,s)?(Tu=new Zf(p,i,s),vu=null,"double"):(vu=new Zf(p,i,s),Tu=null,"single")}function Ib(i){var s=this,p=s.display;if(!(Lt(s,i)||p.activeTouch&&p.input.supportsTouch())){if(p.input.ensurePolled(),p.shift=i.shiftKey,Jt(p,i)){S||(p.scroller.draggable=!1,setTimeout(function(){return p.scroller.draggable=!0},100));return}if(!Jf(s,i)){var f=D(s,i),m=Jn(i),C=f?fD(f,m):"single";rt(s).focus(),m==1&&s.state.selectingText&&s.state.selectingText(i),!(f&&pD(s,m,f,C,i))&&(m==1?f?mD(s,f,C,i):Wn(i)==p.scroller&&Zt(i):m==2?(f&&xc(s.doc,f),setTimeout(function(){return p.input.focus()},20)):m==3&&(z?s.display.input.onContextMenu(i):zr(s)))}}}function pD(i,s,p,f,m){var C="Click";return f=="double"?C="Double"+C:f=="triple"&&(C="Triple"+C),C=(s==1?"Left":s==2?"Middle":"Right")+C,bu(i,bb(C,m),m,function(w){if(typeof w=="string"&&(w=Su[w]),!w)return!1;var B=!1;try{i.isReadOnly()&&(i.state.suppressEdits=!0),B=w(i,p)!=Ee}finally{i.state.suppressEdits=!1}return B})}function _D(i,s,p){var f=i.getOption("configureMouse"),m=f?f(i,s,p):{};if(m.unit==null){var C=I?p.shiftKey&&p.metaKey:p.altKey;m.unit=C?"rectangle":s=="single"?"char":s=="double"?"word":"line"}return(m.extend==null||i.doc.extend)&&(m.extend=i.doc.extend||p.shiftKey),m.addNew==null&&(m.addNew=L?p.metaKey:p.ctrlKey),m.moveOnDrag==null&&(m.moveOnDrag=!(L?p.altKey:p.ctrlKey)),m}function mD(i,s,p,f){c?setTimeout(bt(Vr,i),0):i.curOp.focus=se(Oe(i));var m=_D(i,p,f),C=i.doc.sel,w;i.options.dragDrop&&Oa&&!i.isReadOnly()&&p=="single"&&(w=C.contains(s))>-1&&(Bt((w=C.ranges[w]).from(),s)<0||s.xRel>0)&&(Bt(w.to(),s)>0||s.xRel<0)?gD(i,f,s,m):hD(i,f,s,m)}function gD(i,s,p,f){var m=i.display,C=!1,w=nr(i,function(J){S&&(m.scroller.draggable=!1),i.state.draggingText=!1,i.state.delayingBlurEvent&&(i.hasFocus()?i.state.delayingBlurEvent=!1:zr(i)),_t(m.wrapper.ownerDocument,"mouseup",w),_t(m.wrapper.ownerDocument,"mousemove",B),_t(m.scroller,"dragstart",Y),_t(m.scroller,"drop",w),C||(Zt(J),f.addNew||xc(i.doc,p,null,null,f.extend),S&&!M||c&&d==9?setTimeout(function(){m.wrapper.ownerDocument.body.focus({preventScroll:!0}),m.input.focus()},20):m.input.focus())}),B=function(J){C=C||Math.abs(s.clientX-J.clientX)+Math.abs(s.clientY-J.clientY)>=10},Y=function(){return C=!0};S&&(m.scroller.draggable=!0),i.state.draggingText=w,w.copy=!f.moveOnDrag,De(m.wrapper.ownerDocument,"mouseup",w),De(m.wrapper.ownerDocument,"mousemove",B),De(m.scroller,"dragstart",Y),De(m.scroller,"drop",w),i.state.delayingBlurEvent=!0,setTimeout(function(){return m.input.focus()},20),m.scroller.dragDrop&&m.scroller.dragDrop()}function Db(i,s,p){if(p=="char")return new mn(s,s);if(p=="word")return i.findWordAt(s);if(p=="line")return new mn(st(s.line,0),Ht(i.doc,st(s.line+1,0)));var f=p(i,s);return new mn(f.from,f.to)}function hD(i,s,p,f){c&&zr(i);var m=i.display,C=i.doc;Zt(s);var w,B,Y=C.sel,J=Y.ranges;if(f.addNew&&!f.extend?(B=C.sel.contains(p),B>-1?w=J[B]:w=new mn(p,p)):(w=C.sel.primary(),B=C.sel.primIndex),f.unit=="rectangle")f.addNew||(w=new mn(p,p)),p=D(i,s,!0,!0),B=-1;else{var me=Db(i,p,f.unit);f.extend?w=zf(w,me.anchor,me.head,f.extend):w=me}f.addNew?B==-1?(B=J.length,Or(C,ha(i,J.concat([w]),B),{scroll:!1,origin:"*mouse"})):J.length>1&&J[B].empty()&&f.unit=="char"&&!f.extend?(Or(C,ha(i,J.slice(0,B).concat(J.slice(B+1)),0),{scroll:!1,origin:"*mouse"}),Y=C.sel):Kf(C,B,w,we):(B=0,Or(C,new Li([w],0),we),Y=C.sel);var Te=p;function qe(Ct){if(Bt(Te,Ct)!=0)if(Te=Ct,f.unit=="rectangle"){for(var xt=[],Gt=i.options.tabSize,Pt=ct(Mt(C,p.line).text,p.ch,Gt),en=ct(Mt(C,Ct.line).text,Ct.ch,Gt),Tn=Math.min(Pt,en),ir=Math.max(Pt,en),Pn=Math.min(p.line,Ct.line),hi=Math.min(i.lastLine(),Math.max(p.line,Ct.line));Pn<=hi;Pn++){var $r=Mt(C,Pn).text,zn=pe($r,Tn,Gt);Tn==ir?xt.push(new mn(st(Pn,zn),st(Pn,zn))):$r.length>zn&&xt.push(new mn(st(Pn,zn),st(Pn,pe($r,ir,Gt))))}xt.length||xt.push(new mn(p,p)),Or(C,ha(i,Y.ranges.slice(0,B).concat(xt),B),{origin:"*mouse",scroll:!1}),i.scrollIntoView(Ct)}else{var Qr=w,mr=Db(i,Ct,f.unit),jn=Qr.anchor,Kn;Bt(mr.anchor,jn)>0?(Kn=mr.head,jn=Wi(Qr.from(),mr.anchor)):(Kn=mr.anchor,jn=Yi(Qr.to(),mr.head));var Bn=Y.ranges.slice(0);Bn[B]=ED(i,new mn(Ht(C,jn),Kn)),Or(C,ha(i,Bn,B),we)}}var Me=m.wrapper.getBoundingClientRect(),Je=0;function ut(Ct){var xt=++Je,Gt=D(i,Ct,!0,f.unit=="rectangle");if(!!Gt)if(Bt(Gt,Te)!=0){i.curOp.focus=se(Oe(i)),qe(Gt);var Pt=Ac(m,C);(Gt.line>=Pt.to||Gt.line<Pt.from)&&setTimeout(nr(i,function(){Je==xt&&ut(Ct)}),150)}else{var en=Ct.clientY<Me.top?-20:Ct.clientY>Me.bottom?20:0;en&&setTimeout(nr(i,function(){Je==xt&&(m.scroller.scrollTop+=en,ut(Ct))}),50)}}function gt(Ct){i.state.selectingText=!1,Je=1/0,Ct&&(Zt(Ct),m.input.focus()),_t(m.wrapper.ownerDocument,"mousemove",yt),_t(m.wrapper.ownerDocument,"mouseup",Nt),C.history.lastSelOrigin=null}var yt=nr(i,function(Ct){Ct.buttons===0||!Jn(Ct)?gt(Ct):ut(Ct)}),Nt=nr(i,gt);i.state.selectingText=Nt,De(m.wrapper.ownerDocument,"mousemove",yt),De(m.wrapper.ownerDocument,"mouseup",Nt)}function ED(i,s){var p=s.anchor,f=s.head,m=Mt(i.doc,p.line);if(Bt(p,f)==0&&p.sticky==f.sticky)return s;var C=ke(m);if(!C)return s;var w=je(C,p.ch,p.sticky),B=C[w];if(B.from!=p.ch&&B.to!=p.ch)return s;var Y=w+(B.from==p.ch==(B.level!=1)?0:1);if(Y==0||Y==C.length)return s;var J;if(f.line!=p.line)J=(f.line-p.line)*(i.doc.direction=="ltr"?1:-1)>0;else{var me=je(C,f.ch,f.sticky),Te=me-w||(f.ch-p.ch)*(B.level==1?-1:1);me==Y-1||me==Y?J=Te<0:J=Te>0}var qe=C[Y+(J?-1:0)],Me=J==(qe.level==1),Je=Me?qe.from:qe.to,ut=Me?"after":"before";return p.ch==Je&&p.sticky==ut?s:new mn(new st(p.line,Je,ut),f)}function xb(i,s,p,f){var m,C;if(s.touches)m=s.touches[0].clientX,C=s.touches[0].clientY;else try{m=s.clientX,C=s.clientY}catch{return!1}if(m>=Math.floor(i.display.gutters.getBoundingClientRect().right))return!1;f&&Zt(s);var w=i.display,B=w.lineDiv.getBoundingClientRect();if(C>B.bottom||!Xt(i,p))return Qn(s);C-=B.top-w.viewOffset;for(var Y=0;Y<i.display.gutterSpecs.length;++Y){var J=w.gutters.childNodes[Y];if(J&&J.getBoundingClientRect().right>=m){var me=Br(i.doc,C),Te=i.display.gutterSpecs[Y];return wt(i,p,i,me,Te.className,s),Qn(s)}}}function Jf(i,s){return xb(i,s,"gutterClick",!0)}function wb(i,s){Jt(i.display,s)||SD(i,s)||Lt(i,s,"contextmenu")||z||i.display.input.onContextMenu(s)}function SD(i,s){return Xt(i,"gutterContextMenu")?xb(i,s,"gutterContextMenu",!1):!1}function Lb(i){i.display.wrapper.className=i.display.wrapper.className.replace(/\s*cm-s-\S+/g,"")+i.options.theme.replace(/(^|\s)\s*/g," cm-s-"),mi(i)}var ml={toString:function(){return"CodeMirror.Init"}},Mb={},Bc={};function bD(i){var s=i.optionHandlers;function p(f,m,C,w){i.defaults[f]=m,C&&(s[f]=w?function(B,Y,J){J!=ml&&C(B,Y,J)}:C)}i.defineOption=p,i.Init=ml,p("value","",function(f,m){return f.setValue(m)},!0),p("mode",null,function(f,m){f.doc.modeOption=m,Yf(f)},!0),p("indentUnit",2,Yf,!0),p("indentWithTabs",!1),p("smartIndent",!0),p("tabSize",4,function(f){cu(f),mi(f),le(f)},!0),p("lineSeparator",null,function(f,m){if(f.doc.lineSep=m,!!m){var C=[],w=f.doc.first;f.doc.iter(function(Y){for(var J=0;;){var me=Y.text.indexOf(m,J);if(me==-1)break;J=me+m.length,C.push(st(w,me))}w++});for(var B=C.length-1;B>=0;B--)dl(f.doc,m,C[B],st(C[B].line,C[B].ch+m.length))}}),p("specialChars",/[\u0000-\u001f\u007f-\u009f\u00ad\u061c\u200b\u200e\u200f\u2028\u2029\u202d\u202e\u2066\u2067\u2069\ufeff\ufff9-\ufffc]/g,function(f,m,C){f.state.specialChars=new RegExp(m.source+(m.test("	")?"":"|	"),"g"),C!=ml&&f.refresh()}),p("specialCharPlaceholder",ot,function(f){return f.refresh()},!0),p("electricChars",!0),p("inputStyle",R?"contenteditable":"textarea",function(){throw new Error("inputStyle can not (yet) be changed in a running editor")},!0),p("spellcheck",!1,function(f,m){return f.getInputField().spellcheck=m},!0),p("autocorrect",!1,function(f,m){return f.getInputField().autocorrect=m},!0),p("autocapitalize",!1,function(f,m){return f.getInputField().autocapitalize=m},!0),p("rtlMoveVisually",!h),p("wholeLineUpdateBefore",!0),p("theme","default",function(f){Lb(f),uu(f)},!0),p("keyMap","default",function(f,m,C){var w=Pc(m),B=C!=ml&&Pc(C);B&&B.detach&&B.detach(f,w),w.attach&&w.attach(f,B||null)}),p("extraKeys",null),p("configureMouse",null),p("lineWrapping",!1,TD,!0),p("gutters",[],function(f,m){f.display.gutterSpecs=Hf(m,f.options.lineNumbers),uu(f)},!0),p("fixedGutter",!0,function(f,m){f.display.gutters.style.left=m?q(f.display)+"px":"0",f.refresh()},!0),p("coverGutterNextToScrollbar",!1,function(f){return sl(f)},!0),p("scrollbarStyle","native",function(f){PS(f),sl(f),f.display.scrollbars.setScrollTop(f.doc.scrollTop),f.display.scrollbars.setScrollLeft(f.doc.scrollLeft)},!0),p("lineNumbers",!1,function(f,m){f.display.gutterSpecs=Hf(f.options.gutters,m),uu(f)},!0),p("firstLineNumber",1,uu,!0),p("lineNumberFormatter",function(f){return f},uu,!0),p("showCursorWhenSelecting",!1,ht,!0),p("resetSelectionOnContextMenu",!0),p("lineWiseCopyCut",!0),p("pasteLinesPerSelection",!0),p("selectionsMayTouch",!1),p("readOnly",!1,function(f,m){m=="nocursor"&&(al(f),f.display.input.blur()),f.display.input.readOnlyChanged(m)}),p("screenReaderLabel",null,function(f,m){m=m===""?null:m,f.display.input.screenReaderLabelChanged(m)}),p("disableInput",!1,function(f,m){m||f.display.input.reset()},!0),p("dragDrop",!0,vD),p("allowDropFileTypes",null),p("cursorBlinkRate",530),p("cursorScrollMargin",0),p("cursorHeight",1,ht,!0),p("singleCursorHeightPerLine",!0,ht,!0),p("workTime",100),p("workDelay",100),p("flattenSpans",!0,cu,!0),p("addModeClass",!1,cu,!0),p("pollInterval",100),p("undoDepth",200,function(f,m){return f.doc.history.undoDepth=m}),p("historyEventDelay",1250),p("viewportMargin",10,function(f){return f.refresh()},!0),p("maxHighlightLength",1e4,cu,!0),p("moveInputWithCursor",!0,function(f,m){m||f.display.input.resetPosition()}),p("tabindex",null,function(f,m){return f.display.input.getField().tabIndex=m||""}),p("autofocus",null),p("direction","ltr",function(f,m){return f.doc.setDirection(m)},!0),p("phrases",null)}function vD(i,s,p){var f=p&&p!=ml;if(!s!=!f){var m=i.display.dragFunctions,C=s?De:_t;C(i.display.scroller,"dragstart",m.start),C(i.display.scroller,"dragenter",m.enter),C(i.display.scroller,"dragover",m.over),C(i.display.scroller,"dragleave",m.leave),C(i.display.scroller,"drop",m.drop)}}function TD(i){i.options.lineWrapping?(ve(i.display.wrapper,"CodeMirror-wrap"),i.display.sizer.style.minWidth="",i.display.sizerWidth=null):(ue(i.display.wrapper,"CodeMirror-wrap"),P(i)),re(i),le(i),mi(i),setTimeout(function(){return sl(i)},100)}function Ln(i,s){var p=this;if(!(this instanceof Ln))return new Ln(i,s);this.options=s=s?dt(s):{},dt(Mb,s,!1);var f=s.value;typeof f=="string"?f=new Kr(f,s.mode,null,s.lineSeparator,s.direction):s.mode&&(f.modeOption=s.mode),this.doc=f;var m=new Ln.inputStyles[s.inputStyle](this),C=this.display=new kI(i,f,m,s);C.wrapper.CodeMirror=this,Lb(this),s.lineWrapping&&(this.display.wrapper.className+=" CodeMirror-wrap"),PS(this),this.state={keyMaps:[],overlays:[],modeGen:0,overwrite:!1,delayingBlurEvent:!1,focused:!1,suppressEdits:!1,pasteIncoming:-1,cutIncoming:-1,selectingText:!1,draggingText:!1,highlight:new Ze,keySeq:null,specialChars:null},s.autofocus&&!R&&C.input.focus(),c&&d<11&&setTimeout(function(){return p.display.input.reset(!0)},20),yD(this),eD(),hs(this),this.curOp.forceUpdate=!0,zS(this,f),s.autofocus&&!R||this.hasFocus()?setTimeout(function(){p.hasFocus()&&!p.state.focused&&ea(p)},20):al(this);for(var w in Bc)Bc.hasOwnProperty(w)&&Bc[w](this,s[w],ml);US(this),s.finishInit&&s.finishInit(this);for(var B=0;B<ep.length;++B)ep[B](this);Es(this),S&&s.lineWrapping&&getComputedStyle(C.lineDiv).textRendering=="optimizelegibility"&&(C.lineDiv.style.textRendering="auto")}Ln.defaults=Mb,Ln.optionHandlers=Bc;function yD(i){var s=i.display;De(s.scroller,"mousedown",nr(i,Ib)),c&&d<11?De(s.scroller,"dblclick",nr(i,function(Y){if(!Lt(i,Y)){var J=D(i,Y);if(!(!J||Jf(i,Y)||Jt(i.display,Y))){Zt(Y);var me=i.findWordAt(J);xc(i.doc,me.anchor,me.head)}}})):De(s.scroller,"dblclick",function(Y){return Lt(i,Y)||Zt(Y)}),De(s.scroller,"contextmenu",function(Y){return wb(i,Y)}),De(s.input.getField(),"contextmenu",function(Y){s.scroller.contains(Y.target)||wb(i,Y)});var p,f={end:0};function m(){s.activeTouch&&(p=setTimeout(function(){return s.activeTouch=null},1e3),f=s.activeTouch,f.end=+new Date)}function C(Y){if(Y.touches.length!=1)return!1;var J=Y.touches[0];return J.radiusX<=1&&J.radiusY<=1}function w(Y,J){if(J.left==null)return!0;var me=J.left-Y.left,Te=J.top-Y.top;return me*me+Te*Te>20*20}De(s.scroller,"touchstart",function(Y){if(!Lt(i,Y)&&!C(Y)&&!Jf(i,Y)){s.input.ensurePolled(),clearTimeout(p);var J=+new Date;s.activeTouch={start:J,moved:!1,prev:J-f.end<=300?f:null},Y.touches.length==1&&(s.activeTouch.left=Y.touches[0].pageX,s.activeTouch.top=Y.touches[0].pageY)}}),De(s.scroller,"touchmove",function(){s.activeTouch&&(s.activeTouch.moved=!0)}),De(s.scroller,"touchend",function(Y){var J=s.activeTouch;if(J&&!Jt(s,Y)&&J.left!=null&&!J.moved&&new Date-J.start<300){var me=i.coordsChar(s.activeTouch,"page"),Te;!J.prev||w(J,J.prev)?Te=new mn(me,me):!J.prev.prev||w(J,J.prev.prev)?Te=i.findWordAt(me):Te=new mn(st(me.line,0),Ht(i.doc,st(me.line+1,0))),i.setSelection(Te.anchor,Te.head),i.focus(),Zt(Y)}m()}),De(s.scroller,"touchcancel",m),De(s.scroller,"scroll",function(){s.scroller.clientHeight&&(au(i,s.scroller.scrollTop),ms(i,s.scroller.scrollLeft,!0),wt(i,"scroll",i))}),De(s.scroller,"mousewheel",function(Y){return qS(i,Y)}),De(s.scroller,"DOMMouseScroll",function(Y){return qS(i,Y)}),De(s.wrapper,"scroll",function(){return s.wrapper.scrollTop=s.wrapper.scrollLeft=0}),s.dragFunctions={enter:function(Y){Lt(i,Y)||wn(Y)},over:function(Y){Lt(i,Y)||(JI(i,Y),wn(Y))},start:function(Y){return ZI(i,Y)},drop:nr(i,XI),leave:function(Y){Lt(i,Y)||gb(i)}};var B=s.input.getField();De(B,"keyup",function(Y){return Rb.call(i,Y)}),De(B,"keydown",nr(i,Ob)),De(B,"keypress",nr(i,Nb)),De(B,"focus",function(Y){return ea(i,Y)}),De(B,"blur",function(Y){return al(i,Y)})}var ep=[];Ln.defineInitHook=function(i){return ep.push(i)};function yu(i,s,p,f){var m=i.doc,C;p==null&&(p="add"),p=="smart"&&(m.mode.indent?C=zi(i,s).state:p="prev");var w=i.options.tabSize,B=Mt(m,s),Y=ct(B.text,null,w);B.stateAfter&&(B.stateAfter=null);var J=B.text.match(/^\s*/)[0],me;if(!f&&!/\S/.test(B.text))me=0,p="not";else if(p=="smart"&&(me=m.mode.indent(C,B.text.slice(J.length),B.text),me==Ee||me>150)){if(!f)return;p="prev"}p=="prev"?s>m.first?me=ct(Mt(m,s-1).text,null,w):me=0:p=="add"?me=Y+i.options.indentUnit:p=="subtract"?me=Y-i.options.indentUnit:typeof p=="number"&&(me=Y+p),me=Math.max(0,me);var Te="",qe=0;if(i.options.indentWithTabs)for(var Me=Math.floor(me/w);Me;--Me)qe+=w,Te+="	";if(qe<me&&(Te+=Ne(me-qe)),Te!=J)return dl(m,Te,st(s,0),st(s,J.length),"+input"),B.stateAfter=null,!0;for(var Je=0;Je<m.sel.ranges.length;Je++){var ut=m.sel.ranges[Je];if(ut.head.line==s&&ut.head.ch<J.length){var gt=st(s,J.length);Kf(m,Je,new mn(gt,gt));break}}}var Ea=null;function Uc(i){Ea=i}function tp(i,s,p,f,m){var C=i.doc;i.display.shift=!1,f||(f=C.sel);var w=+new Date-200,B=m=="paste"||i.state.pasteIncoming>w,Y=Pr(s),J=null;if(B&&f.ranges.length>1)if(Ea&&Ea.text.join(`
 `)==s){if(f.ranges.length%Ea.text.length==0){J=[];for(var me=0;me<Ea.text.length;me++)J.push(C.splitLines(Ea.text[me]))}}else Y.length==f.ranges.length&&i.options.pasteLinesPerSelection&&(J=Ue(Y,function(yt){return[yt]}));for(var Te=i.curOp.updateInput,qe=f.ranges.length-1;qe>=0;qe--){var Me=f.ranges[qe],Je=Me.from(),ut=Me.to();Me.empty()&&(p&&p>0?Je=st(Je.line,Je.ch-p):i.state.overwrite&&!B?ut=st(ut.line,Math.min(Mt(C,ut.line).text.length,ut.ch+Ie(Y).length)):B&&Ea&&Ea.lineWise&&Ea.text.join(`
 `)==Y.join(`
-`)&&(Je=ut=st(Je.line,0)));var gt={from:Je,to:ut,text:J?J[qe%J.length]:Y,origin:m||(B?"paste":i.state.cutIncoming>w?"cut":"+input")};cl(i.doc,gt),jt(i,"inputRead",i,gt)}s&&!B&&kb(i,s),ol(i),i.curOp.updateInput<2&&(i.curOp.updateInput=Te),i.curOp.typing=!0,i.state.pasteIncoming=i.state.cutIncoming=-1}function Mb(i,s){var p=i.clipboardData&&i.clipboardData.getData("Text");if(p)return i.preventDefault(),!s.isReadOnly()&&!s.options.disableInput&&s.hasFocus()&&gi(s,function(){return tp(s,p,0,null,"paste")}),!0}function kb(i,s){if(!(!i.options.electricChars||!i.options.smartIndent))for(var p=i.doc.sel,f=p.ranges.length-1;f>=0;f--){var m=p.ranges[f];if(!(m.head.ch>100||f&&p.ranges[f-1].head.line==m.head.line)){var C=i.getModeAt(m.head),w=!1;if(C.electricChars){for(var B=0;B<C.electricChars.length;B++)if(s.indexOf(C.electricChars.charAt(B))>-1){w=Cu(i,m.head.line,"smart");break}}else C.electricInput&&C.electricInput.test(Mt(i.doc,m.head.line).text.slice(0,m.head.ch))&&(w=Cu(i,m.head.line,"smart"));w&&jt(i,"electricInput",i,m.head.line)}}}function Pb(i){for(var s=[],p=[],f=0;f<i.doc.sel.ranges.length;f++){var m=i.doc.sel.ranges[f].head.line,C={anchor:st(m,0),head:st(m+1,0)};p.push(C),s.push(i.getRange(C.anchor,C.head))}return{text:s,ranges:p}}function np(i,s,p,f){i.setAttribute("autocorrect",p?"on":"off"),i.setAttribute("autocapitalize",f?"on":"off"),i.setAttribute("spellcheck",!!s)}function Fb(){var i=V("textarea",null,null,"position: absolute; bottom: -1em; padding: 0; width: 1px; height: 1em; min-height: 1em; outline: none"),s=V("div",[i],null,"overflow: hidden; position: relative; width: 3px; height: 0px;");return S?i.style.width="1000px":i.setAttribute("wrap","off"),O&&(i.style.border="1px solid black"),s}function TD(i){var s=i.optionHandlers,p=i.helpers={};i.prototype={constructor:i,focus:function(){rt(this).focus(),this.display.input.focus()},setOption:function(f,m){var C=this.options,w=C[f];C[f]==m&&f!="mode"||(C[f]=m,s.hasOwnProperty(f)&&nr(this,s[f])(this,m,w),wt(this,"optionChange",this,f))},getOption:function(f){return this.options[f]},getDoc:function(){return this.doc},addKeyMap:function(f,m){this.state.keyMaps[m?"push":"unshift"](Pc(f))},removeKeyMap:function(f){for(var m=this.state.keyMaps,C=0;C<m.length;++C)if(m[C]==f||m[C].name==f)return m.splice(C,1),!0},addOverlay:Lr(function(f,m){var C=f.token?f:i.getMode(this.options,f);if(C.startState)throw new Error("Overlays may not be stateful.");Ve(this.state.overlays,{mode:C,modeSpec:f,opaque:m&&m.opaque,priority:m&&m.priority||0},function(w){return w.priority}),this.state.modeGen++,le(this)}),removeOverlay:Lr(function(f){for(var m=this.state.overlays,C=0;C<m.length;++C){var w=m[C].modeSpec;if(w==f||typeof f=="string"&&w.name==f){m.splice(C,1),this.state.modeGen++,le(this);return}}}),indentLine:Lr(function(f,m,C){typeof m!="string"&&typeof m!="number"&&(m==null?m=this.options.smartIndent?"smart":"prev":m=m?"add":"subtract"),si(this.doc,f)&&Cu(this,f,m,C)}),indentSelection:Lr(function(f){for(var m=this.doc.sel.ranges,C=-1,w=0;w<m.length;w++){var B=m[w];if(B.empty())B.head.line>C&&(Cu(this,B.head.line,f,!0),C=B.head.line,w==this.doc.sel.primIndex&&ol(this));else{var Y=B.from(),J=B.to(),me=Math.max(C,Y.line);C=Math.min(this.lastLine(),J.line-(J.ch?0:1))+1;for(var Te=me;Te<C;++Te)Cu(this,Te,f);var qe=this.doc.sel.ranges;Y.ch==0&&m.length==qe.length&&qe[w].from().ch>0&&Kf(this.doc,w,new mn(Y,qe[w].to()),He)}}}),getTokenAt:function(f,m){return eo(this,f,m)},getLineTokens:function(f,m){return eo(this,st(f),m,!0)},getTokenTypeAt:function(f){f=Ht(this.doc,f);var m=Vi(this,Mt(this.doc,f.line)),C=0,w=(m.length-1)/2,B=f.ch,Y;if(B==0)Y=m[2];else for(;;){var J=C+w>>1;if((J?m[J*2-1]:0)>=B)w=J;else if(m[J*2+1]<B)C=J+1;else{Y=m[J*2+2];break}}var me=Y?Y.indexOf("overlay "):-1;return me<0?Y:me==0?null:Y.slice(0,me-1)},getModeAt:function(f){var m=this.doc.mode;return m.innerMode?i.innerMode(m,this.getTokenAt(f).state).mode:m},getHelper:function(f,m){return this.getHelpers(f,m)[0]},getHelpers:function(f,m){var C=[];if(!p.hasOwnProperty(m))return C;var w=p[m],B=this.getModeAt(f);if(typeof B[m]=="string")w[B[m]]&&C.push(w[B[m]]);else if(B[m])for(var Y=0;Y<B[m].length;Y++){var J=w[B[m][Y]];J&&C.push(J)}else B.helperType&&w[B.helperType]?C.push(w[B.helperType]):w[B.name]&&C.push(w[B.name]);for(var me=0;me<w._global.length;me++){var Te=w._global[me];Te.pred(B,this)&&nt(C,Te.val)==-1&&C.push(Te.val)}return C},getStateAfter:function(f,m){var C=this.doc;return f=Za(C,f==null?C.first+C.size-1:f),zi(this,f+1,m).state},cursorCoords:function(f,m){var C,w=this.doc.sel.primary();return f==null?C=w.head:typeof f=="object"?C=Ht(this.doc,f):C=f?w.from():w.to(),St(this,C,m||"page")},charCoords:function(f,m){return vt(this,Ht(this.doc,f),m||"page")},coordsChar:function(f,m){return f=it(this,f,m||"page"),Kt(this,f.left,f.top)},lineAtHeight:function(f,m){return f=it(this,{top:f,left:0},m||"page").top,Br(this.doc,f+this.display.viewOffset)},heightAtLine:function(f,m,C){var w=!1,B;if(typeof f=="number"){var Y=this.doc.first+this.doc.size-1;f<this.doc.first?f=this.doc.first:f>Y&&(f=Y,w=!0),B=Mt(this.doc,f)}else B=f;return Qe(this,B,{top:0,left:0},m||"page",C||w).top+(w?this.doc.height-b(B):0)},defaultTextHeight:function(){return Hn(this.display)},defaultCharWidth:function(){return tr(this.display)},getViewport:function(){return{from:this.display.viewFrom,to:this.display.viewTo}},addWidget:function(f,m,C,w,B){var Y=this.display;f=St(this,Ht(this.doc,f));var J=f.bottom,me=f.left;if(m.style.position="absolute",m.setAttribute("cm-ignore-events","true"),this.display.input.setUneditable(m),Y.sizer.appendChild(m),w=="over")J=f.top;else if(w=="above"||w=="near"){var Te=Math.max(Y.wrapper.clientHeight,this.doc.height),qe=Math.max(Y.sizer.clientWidth,Y.lineSpace.clientWidth);(w=="above"||f.bottom+m.offsetHeight>Te)&&f.top>m.offsetHeight?J=f.top-m.offsetHeight:f.bottom+m.offsetHeight<=Te&&(J=f.bottom),me+m.offsetWidth>qe&&(me=qe-m.offsetWidth)}m.style.top=J+"px",m.style.left=m.style.right="",B=="right"?(me=Y.sizer.clientWidth-m.offsetWidth,m.style.right="0px"):(B=="left"?me=0:B=="middle"&&(me=(Y.sizer.clientWidth-m.offsetWidth)/2),m.style.left=me+"px"),C&&SI(this,{left:me,top:J,right:me+m.offsetWidth,bottom:J+m.offsetHeight})},triggerOnKeyDown:Lr(Ab),triggerOnKeyPress:Lr(Rb),triggerOnKeyUp:Ob,triggerOnMouseDown:Lr(Nb),execCommand:function(f){if(bu.hasOwnProperty(f))return bu[f].call(null,this)},triggerElectric:Lr(function(f){kb(this,f)}),findPosH:function(f,m,C,w){var B=1;m<0&&(B=-1,m=-m);for(var Y=Ht(this.doc,f),J=0;J<m&&(Y=rp(this.doc,Y,B,C,w),!Y.hitSide);++J);return Y},moveH:Lr(function(f,m){var C=this;this.extendSelectionsBy(function(w){return C.display.shift||C.doc.extend||w.empty()?rp(C.doc,w.head,f,m,C.options.rtlMoveVisually):f<0?w.from():w.to()},ze)}),deleteH:Lr(function(f,m){var C=this.doc.sel,w=this.doc;C.somethingSelected()?w.replaceSelection("",null,"+delete"):_l(this,function(B){var Y=rp(w,B.head,f,m,!1);return f<0?{from:Y,to:B.head}:{from:B.head,to:Y}})}),findPosV:function(f,m,C,w){var B=1,Y=w;m<0&&(B=-1,m=-m);for(var J=Ht(this.doc,f),me=0;me<m;++me){var Te=St(this,J,"div");if(Y==null?Y=Te.left:Te.left=Y,J=Bb(this,Te,B,C),J.hitSide)break}return J},moveV:Lr(function(f,m){var C=this,w=this.doc,B=[],Y=!this.display.shift&&!w.extend&&w.sel.somethingSelected();if(w.extendSelectionsBy(function(me){if(Y)return f<0?me.from():me.to();var Te=St(C,me.head,"div");me.goalColumn!=null&&(Te.left=me.goalColumn),B.push(Te.left);var qe=Bb(C,Te,f,m);return m=="page"&&me==w.sel.primary()&&Pf(C,vt(C,qe,"div").top-Te.top),qe},ze),B.length)for(var J=0;J<w.sel.ranges.length;J++)w.sel.ranges[J].goalColumn=B[J]}),findWordAt:function(f){var m=this.doc,C=Mt(m,f.line).text,w=f.ch,B=f.ch;if(C){var Y=this.getHelper(f,"wordChars");(f.sticky=="before"||B==C.length)&&w?--w:++B;for(var J=C.charAt(w),me=H(J,Y)?function(Te){return H(Te,Y)}:/\s/.test(J)?function(Te){return/\s/.test(Te)}:function(Te){return!/\s/.test(Te)&&!H(Te)};w>0&&me(C.charAt(w-1));)--w;for(;B<C.length&&me(C.charAt(B));)++B}return new mn(st(f.line,w),st(f.line,B))},toggleOverwrite:function(f){f!=null&&f==this.state.overwrite||((this.state.overwrite=!this.state.overwrite)?ve(this.display.cursorDiv,"CodeMirror-overwrite"):ue(this.display.cursorDiv,"CodeMirror-overwrite"),wt(this,"overwriteToggle",this,this.state.overwrite))},hasFocus:function(){return this.display.input.getField()==se(Oe(this))},isReadOnly:function(){return!!(this.options.readOnly||this.doc.cantEdit)},scrollTo:Lr(function(f,m){au(this,f,m)}),getScrollInfo:function(){var f=this.display.scroller;return{left:f.scrollLeft,top:f.scrollTop,height:f.scrollHeight-Yr(this)-this.display.barHeight,width:f.scrollWidth-Yr(this)-this.display.barWidth,clientHeight:Mo(this),clientWidth:Xi(this)}},scrollIntoView:Lr(function(f,m){f==null?(f={from:this.doc.sel.primary().head,to:null},m==null&&(m=this.options.cursorScrollMargin)):typeof f=="number"?f={from:st(f,0),to:null}:f.from==null&&(f={from:f,to:null}),f.to||(f.to=f.from),f.margin=m||0,f.from.line!=null?bI(this,f):xS(this,f.from,f.to,f.margin)}),setSize:Lr(function(f,m){var C=this,w=function(Y){return typeof Y=="number"||/^\d+$/.test(String(Y))?Y+"px":Y};f!=null&&(this.display.wrapper.style.width=w(f)),m!=null&&(this.display.wrapper.style.height=w(m)),this.options.lineWrapping&&Ji(this);var B=this.display.viewFrom;this.doc.iter(B,this.display.viewTo,function(Y){if(Y.widgets){for(var J=0;J<Y.widgets.length;J++)if(Y.widgets[J].noHScroll){Ae(C,B,"widget");break}}++B}),this.curOp.forceUpdate=!0,wt(this,"refresh",this)}),operation:function(f){return gi(this,f)},startOperation:function(){return hs(this)},endOperation:function(){return Es(this)},refresh:Lr(function(){var f=this.display.cachedTextHeight;le(this),this.curOp.forceUpdate=!0,mi(this),au(this,this.doc.scrollLeft,this.doc.scrollTop),Uf(this.display),(f==null||Math.abs(f-Hn(this.display))>.5||this.options.lineWrapping)&&re(this),wt(this,"refresh",this)}),swapDoc:Lr(function(f){var m=this.doc;return m.cm=null,this.state.selectingText&&this.state.selectingText(),VS(this,f),mi(this),this.display.input.reset(),au(this,f.scrollLeft,f.scrollTop),this.curOp.forceScroll=!0,jt(this,"swapDoc",this,m),m}),phrase:function(f){var m=this.options.phrases;return m&&Object.prototype.hasOwnProperty.call(m,f)?m[f]:f},getInputField:function(){return this.display.input.getField()},getWrapperElement:function(){return this.display.wrapper},getScrollerElement:function(){return this.display.scroller},getGutterElement:function(){return this.display.gutters}},an(i),i.registerHelper=function(f,m,C){p.hasOwnProperty(f)||(p[f]=i[f]={_global:[]}),p[f][m]=C},i.registerGlobalHelper=function(f,m,C,w){i.registerHelper(f,m,w),p[f]._global.push({pred:C,val:w})}}function rp(i,s,p,f,m){var C=s,w=p,B=Mt(i,s.line),Y=m&&i.direction=="rtl"?-p:p;function J(){var Nt=s.line+Y;return Nt<i.first||Nt>=i.first+i.size?!1:(s=new st(Nt,s.ch,s.sticky),B=Mt(i,Nt))}function me(Nt){var Ct;if(f=="codepoint"){var xt=B.text.charCodeAt(s.ch+(p>0?0:-1));if(isNaN(xt))Ct=null;else{var Gt=p>0?xt>=55296&&xt<56320:xt>=56320&&xt<57343;Ct=new st(s.line,Math.max(0,Math.min(B.text.length,s.ch+p*(Gt?2:1))),-p)}}else m?Ct=rD(i.cm,B,s,p):Ct=Qf(B,s,p);if(Ct==null)if(!Nt&&J())s=jf(m,i.cm,B,s.line,Y);else return!1;else s=Ct;return!0}if(f=="char"||f=="codepoint")me();else if(f=="column")me(!0);else if(f=="word"||f=="group")for(var Te=null,qe=f=="group",Me=i.cm&&i.cm.getHelper(s,"wordChars"),Je=!0;!(p<0&&!me(!Je));Je=!1){var ut=B.text.charAt(s.ch)||`
+`)&&(Je=ut=st(Je.line,0)));var gt={from:Je,to:ut,text:J?J[qe%J.length]:Y,origin:m||(B?"paste":i.state.cutIncoming>w?"cut":"+input")};cl(i.doc,gt),jt(i,"inputRead",i,gt)}s&&!B&&Pb(i,s),ol(i),i.curOp.updateInput<2&&(i.curOp.updateInput=Te),i.curOp.typing=!0,i.state.pasteIncoming=i.state.cutIncoming=-1}function kb(i,s){var p=i.clipboardData&&i.clipboardData.getData("Text");if(p)return i.preventDefault(),!s.isReadOnly()&&!s.options.disableInput&&s.hasFocus()&&gi(s,function(){return tp(s,p,0,null,"paste")}),!0}function Pb(i,s){if(!(!i.options.electricChars||!i.options.smartIndent))for(var p=i.doc.sel,f=p.ranges.length-1;f>=0;f--){var m=p.ranges[f];if(!(m.head.ch>100||f&&p.ranges[f-1].head.line==m.head.line)){var C=i.getModeAt(m.head),w=!1;if(C.electricChars){for(var B=0;B<C.electricChars.length;B++)if(s.indexOf(C.electricChars.charAt(B))>-1){w=yu(i,m.head.line,"smart");break}}else C.electricInput&&C.electricInput.test(Mt(i.doc,m.head.line).text.slice(0,m.head.ch))&&(w=yu(i,m.head.line,"smart"));w&&jt(i,"electricInput",i,m.head.line)}}}function Fb(i){for(var s=[],p=[],f=0;f<i.doc.sel.ranges.length;f++){var m=i.doc.sel.ranges[f].head.line,C={anchor:st(m,0),head:st(m+1,0)};p.push(C),s.push(i.getRange(C.anchor,C.head))}return{text:s,ranges:p}}function np(i,s,p,f){i.setAttribute("autocorrect",p?"on":"off"),i.setAttribute("autocapitalize",f?"on":"off"),i.setAttribute("spellcheck",!!s)}function Bb(){var i=V("textarea",null,null,"position: absolute; bottom: -1em; padding: 0; width: 1px; height: 1em; min-height: 1em; outline: none"),s=V("div",[i],null,"overflow: hidden; position: relative; width: 3px; height: 0px;");return S?i.style.width="1000px":i.setAttribute("wrap","off"),O&&(i.style.border="1px solid black"),s}function CD(i){var s=i.optionHandlers,p=i.helpers={};i.prototype={constructor:i,focus:function(){rt(this).focus(),this.display.input.focus()},setOption:function(f,m){var C=this.options,w=C[f];C[f]==m&&f!="mode"||(C[f]=m,s.hasOwnProperty(f)&&nr(this,s[f])(this,m,w),wt(this,"optionChange",this,f))},getOption:function(f){return this.options[f]},getDoc:function(){return this.doc},addKeyMap:function(f,m){this.state.keyMaps[m?"push":"unshift"](Pc(f))},removeKeyMap:function(f){for(var m=this.state.keyMaps,C=0;C<m.length;++C)if(m[C]==f||m[C].name==f)return m.splice(C,1),!0},addOverlay:Lr(function(f,m){var C=f.token?f:i.getMode(this.options,f);if(C.startState)throw new Error("Overlays may not be stateful.");Ve(this.state.overlays,{mode:C,modeSpec:f,opaque:m&&m.opaque,priority:m&&m.priority||0},function(w){return w.priority}),this.state.modeGen++,le(this)}),removeOverlay:Lr(function(f){for(var m=this.state.overlays,C=0;C<m.length;++C){var w=m[C].modeSpec;if(w==f||typeof f=="string"&&w.name==f){m.splice(C,1),this.state.modeGen++,le(this);return}}}),indentLine:Lr(function(f,m,C){typeof m!="string"&&typeof m!="number"&&(m==null?m=this.options.smartIndent?"smart":"prev":m=m?"add":"subtract"),si(this.doc,f)&&yu(this,f,m,C)}),indentSelection:Lr(function(f){for(var m=this.doc.sel.ranges,C=-1,w=0;w<m.length;w++){var B=m[w];if(B.empty())B.head.line>C&&(yu(this,B.head.line,f,!0),C=B.head.line,w==this.doc.sel.primIndex&&ol(this));else{var Y=B.from(),J=B.to(),me=Math.max(C,Y.line);C=Math.min(this.lastLine(),J.line-(J.ch?0:1))+1;for(var Te=me;Te<C;++Te)yu(this,Te,f);var qe=this.doc.sel.ranges;Y.ch==0&&m.length==qe.length&&qe[w].from().ch>0&&Kf(this.doc,w,new mn(Y,qe[w].to()),He)}}}),getTokenAt:function(f,m){return eo(this,f,m)},getLineTokens:function(f,m){return eo(this,st(f),m,!0)},getTokenTypeAt:function(f){f=Ht(this.doc,f);var m=Vi(this,Mt(this.doc,f.line)),C=0,w=(m.length-1)/2,B=f.ch,Y;if(B==0)Y=m[2];else for(;;){var J=C+w>>1;if((J?m[J*2-1]:0)>=B)w=J;else if(m[J*2+1]<B)C=J+1;else{Y=m[J*2+2];break}}var me=Y?Y.indexOf("overlay "):-1;return me<0?Y:me==0?null:Y.slice(0,me-1)},getModeAt:function(f){var m=this.doc.mode;return m.innerMode?i.innerMode(m,this.getTokenAt(f).state).mode:m},getHelper:function(f,m){return this.getHelpers(f,m)[0]},getHelpers:function(f,m){var C=[];if(!p.hasOwnProperty(m))return C;var w=p[m],B=this.getModeAt(f);if(typeof B[m]=="string")w[B[m]]&&C.push(w[B[m]]);else if(B[m])for(var Y=0;Y<B[m].length;Y++){var J=w[B[m][Y]];J&&C.push(J)}else B.helperType&&w[B.helperType]?C.push(w[B.helperType]):w[B.name]&&C.push(w[B.name]);for(var me=0;me<w._global.length;me++){var Te=w._global[me];Te.pred(B,this)&&nt(C,Te.val)==-1&&C.push(Te.val)}return C},getStateAfter:function(f,m){var C=this.doc;return f=Za(C,f==null?C.first+C.size-1:f),zi(this,f+1,m).state},cursorCoords:function(f,m){var C,w=this.doc.sel.primary();return f==null?C=w.head:typeof f=="object"?C=Ht(this.doc,f):C=f?w.from():w.to(),St(this,C,m||"page")},charCoords:function(f,m){return vt(this,Ht(this.doc,f),m||"page")},coordsChar:function(f,m){return f=it(this,f,m||"page"),Kt(this,f.left,f.top)},lineAtHeight:function(f,m){return f=it(this,{top:f,left:0},m||"page").top,Br(this.doc,f+this.display.viewOffset)},heightAtLine:function(f,m,C){var w=!1,B;if(typeof f=="number"){var Y=this.doc.first+this.doc.size-1;f<this.doc.first?f=this.doc.first:f>Y&&(f=Y,w=!0),B=Mt(this.doc,f)}else B=f;return Qe(this,B,{top:0,left:0},m||"page",C||w).top+(w?this.doc.height-b(B):0)},defaultTextHeight:function(){return Hn(this.display)},defaultCharWidth:function(){return tr(this.display)},getViewport:function(){return{from:this.display.viewFrom,to:this.display.viewTo}},addWidget:function(f,m,C,w,B){var Y=this.display;f=St(this,Ht(this.doc,f));var J=f.bottom,me=f.left;if(m.style.position="absolute",m.setAttribute("cm-ignore-events","true"),this.display.input.setUneditable(m),Y.sizer.appendChild(m),w=="over")J=f.top;else if(w=="above"||w=="near"){var Te=Math.max(Y.wrapper.clientHeight,this.doc.height),qe=Math.max(Y.sizer.clientWidth,Y.lineSpace.clientWidth);(w=="above"||f.bottom+m.offsetHeight>Te)&&f.top>m.offsetHeight?J=f.top-m.offsetHeight:f.bottom+m.offsetHeight<=Te&&(J=f.bottom),me+m.offsetWidth>qe&&(me=qe-m.offsetWidth)}m.style.top=J+"px",m.style.left=m.style.right="",B=="right"?(me=Y.sizer.clientWidth-m.offsetWidth,m.style.right="0px"):(B=="left"?me=0:B=="middle"&&(me=(Y.sizer.clientWidth-m.offsetWidth)/2),m.style.left=me+"px"),C&&vI(this,{left:me,top:J,right:me+m.offsetWidth,bottom:J+m.offsetHeight})},triggerOnKeyDown:Lr(Ob),triggerOnKeyPress:Lr(Nb),triggerOnKeyUp:Rb,triggerOnMouseDown:Lr(Ib),execCommand:function(f){if(Su.hasOwnProperty(f))return Su[f].call(null,this)},triggerElectric:Lr(function(f){Pb(this,f)}),findPosH:function(f,m,C,w){var B=1;m<0&&(B=-1,m=-m);for(var Y=Ht(this.doc,f),J=0;J<m&&(Y=rp(this.doc,Y,B,C,w),!Y.hitSide);++J);return Y},moveH:Lr(function(f,m){var C=this;this.extendSelectionsBy(function(w){return C.display.shift||C.doc.extend||w.empty()?rp(C.doc,w.head,f,m,C.options.rtlMoveVisually):f<0?w.from():w.to()},ze)}),deleteH:Lr(function(f,m){var C=this.doc.sel,w=this.doc;C.somethingSelected()?w.replaceSelection("",null,"+delete"):_l(this,function(B){var Y=rp(w,B.head,f,m,!1);return f<0?{from:Y,to:B.head}:{from:B.head,to:Y}})}),findPosV:function(f,m,C,w){var B=1,Y=w;m<0&&(B=-1,m=-m);for(var J=Ht(this.doc,f),me=0;me<m;++me){var Te=St(this,J,"div");if(Y==null?Y=Te.left:Te.left=Y,J=Ub(this,Te,B,C),J.hitSide)break}return J},moveV:Lr(function(f,m){var C=this,w=this.doc,B=[],Y=!this.display.shift&&!w.extend&&w.sel.somethingSelected();if(w.extendSelectionsBy(function(me){if(Y)return f<0?me.from():me.to();var Te=St(C,me.head,"div");me.goalColumn!=null&&(Te.left=me.goalColumn),B.push(Te.left);var qe=Ub(C,Te,f,m);return m=="page"&&me==w.sel.primary()&&Pf(C,vt(C,qe,"div").top-Te.top),qe},ze),B.length)for(var J=0;J<w.sel.ranges.length;J++)w.sel.ranges[J].goalColumn=B[J]}),findWordAt:function(f){var m=this.doc,C=Mt(m,f.line).text,w=f.ch,B=f.ch;if(C){var Y=this.getHelper(f,"wordChars");(f.sticky=="before"||B==C.length)&&w?--w:++B;for(var J=C.charAt(w),me=H(J,Y)?function(Te){return H(Te,Y)}:/\s/.test(J)?function(Te){return/\s/.test(Te)}:function(Te){return!/\s/.test(Te)&&!H(Te)};w>0&&me(C.charAt(w-1));)--w;for(;B<C.length&&me(C.charAt(B));)++B}return new mn(st(f.line,w),st(f.line,B))},toggleOverwrite:function(f){f!=null&&f==this.state.overwrite||((this.state.overwrite=!this.state.overwrite)?ve(this.display.cursorDiv,"CodeMirror-overwrite"):ue(this.display.cursorDiv,"CodeMirror-overwrite"),wt(this,"overwriteToggle",this,this.state.overwrite))},hasFocus:function(){return this.display.input.getField()==se(Oe(this))},isReadOnly:function(){return!!(this.options.readOnly||this.doc.cantEdit)},scrollTo:Lr(function(f,m){iu(this,f,m)}),getScrollInfo:function(){var f=this.display.scroller;return{left:f.scrollLeft,top:f.scrollTop,height:f.scrollHeight-Yr(this)-this.display.barHeight,width:f.scrollWidth-Yr(this)-this.display.barWidth,clientHeight:Mo(this),clientWidth:Xi(this)}},scrollIntoView:Lr(function(f,m){f==null?(f={from:this.doc.sel.primary().head,to:null},m==null&&(m=this.options.cursorScrollMargin)):typeof f=="number"?f={from:st(f,0),to:null}:f.from==null&&(f={from:f,to:null}),f.to||(f.to=f.from),f.margin=m||0,f.from.line!=null?TI(this,f):wS(this,f.from,f.to,f.margin)}),setSize:Lr(function(f,m){var C=this,w=function(Y){return typeof Y=="number"||/^\d+$/.test(String(Y))?Y+"px":Y};f!=null&&(this.display.wrapper.style.width=w(f)),m!=null&&(this.display.wrapper.style.height=w(m)),this.options.lineWrapping&&Ji(this);var B=this.display.viewFrom;this.doc.iter(B,this.display.viewTo,function(Y){if(Y.widgets){for(var J=0;J<Y.widgets.length;J++)if(Y.widgets[J].noHScroll){Ae(C,B,"widget");break}}++B}),this.curOp.forceUpdate=!0,wt(this,"refresh",this)}),operation:function(f){return gi(this,f)},startOperation:function(){return hs(this)},endOperation:function(){return Es(this)},refresh:Lr(function(){var f=this.display.cachedTextHeight;le(this),this.curOp.forceUpdate=!0,mi(this),iu(this,this.doc.scrollLeft,this.doc.scrollTop),Uf(this.display),(f==null||Math.abs(f-Hn(this.display))>.5||this.options.lineWrapping)&&re(this),wt(this,"refresh",this)}),swapDoc:Lr(function(f){var m=this.doc;return m.cm=null,this.state.selectingText&&this.state.selectingText(),zS(this,f),mi(this),this.display.input.reset(),iu(this,f.scrollLeft,f.scrollTop),this.curOp.forceScroll=!0,jt(this,"swapDoc",this,m),m}),phrase:function(f){var m=this.options.phrases;return m&&Object.prototype.hasOwnProperty.call(m,f)?m[f]:f},getInputField:function(){return this.display.input.getField()},getWrapperElement:function(){return this.display.wrapper},getScrollerElement:function(){return this.display.scroller},getGutterElement:function(){return this.display.gutters}},an(i),i.registerHelper=function(f,m,C){p.hasOwnProperty(f)||(p[f]=i[f]={_global:[]}),p[f][m]=C},i.registerGlobalHelper=function(f,m,C,w){i.registerHelper(f,m,w),p[f]._global.push({pred:C,val:w})}}function rp(i,s,p,f,m){var C=s,w=p,B=Mt(i,s.line),Y=m&&i.direction=="rtl"?-p:p;function J(){var Nt=s.line+Y;return Nt<i.first||Nt>=i.first+i.size?!1:(s=new st(Nt,s.ch,s.sticky),B=Mt(i,Nt))}function me(Nt){var Ct;if(f=="codepoint"){var xt=B.text.charCodeAt(s.ch+(p>0?0:-1));if(isNaN(xt))Ct=null;else{var Gt=p>0?xt>=55296&&xt<56320:xt>=56320&&xt<57343;Ct=new st(s.line,Math.max(0,Math.min(B.text.length,s.ch+p*(Gt?2:1))),-p)}}else m?Ct=aD(i.cm,B,s,p):Ct=Qf(B,s,p);if(Ct==null)if(!Nt&&J())s=jf(m,i.cm,B,s.line,Y);else return!1;else s=Ct;return!0}if(f=="char"||f=="codepoint")me();else if(f=="column")me(!0);else if(f=="word"||f=="group")for(var Te=null,qe=f=="group",Me=i.cm&&i.cm.getHelper(s,"wordChars"),Je=!0;!(p<0&&!me(!Je));Je=!1){var ut=B.text.charAt(s.ch)||`
 `,gt=H(ut,Me)?"w":qe&&ut==`
-`?"n":!qe||/\s/.test(ut)?null:"p";if(qe&&!Je&&!gt&&(gt="s"),Te&&Te!=gt){p<0&&(p=1,me(),s.sticky="after");break}if(gt&&(Te=gt),p>0&&!me(!Je))break}var yt=Lc(i,s,C,w,!0);return qi(C,yt)&&(yt.hitSide=!0),yt}function Bb(i,s,p,f){var m=i.doc,C=s.left,w;if(f=="page"){var B=Math.min(i.display.wrapper.clientHeight,rt(i).innerHeight||m(i).documentElement.clientHeight),Y=Math.max(B-.5*Hn(i.display),3);w=(p>0?s.bottom:s.top)+p*Y}else f=="line"&&(w=p>0?s.bottom+3:s.top-3);for(var J;J=Kt(i,C,w),!!J.outside;){if(p<0?w<=0:w>=m.height){J.hitSide=!0;break}w+=p*5}return J}var hn=function(i){this.cm=i,this.lastAnchorNode=this.lastAnchorOffset=this.lastFocusNode=this.lastFocusOffset=null,this.polling=new Ze,this.composing=null,this.gracePeriod=!1,this.readDOMTimeout=null};hn.prototype.init=function(i){var s=this,p=this,f=p.cm,m=p.div=i.lineDiv;m.contentEditable=!0,np(m,f.options.spellcheck,f.options.autocorrect,f.options.autocapitalize);function C(B){for(var Y=B.target;Y;Y=Y.parentNode){if(Y==m)return!0;if(/\bCodeMirror-(?:line)?widget\b/.test(Y.className))break}return!1}De(m,"paste",function(B){!C(B)||Lt(f,B)||Mb(B,f)||d<=11&&setTimeout(nr(f,function(){return s.updateFromDOM()}),20)}),De(m,"compositionstart",function(B){s.composing={data:B.data,done:!1}}),De(m,"compositionupdate",function(B){s.composing||(s.composing={data:B.data,done:!1})}),De(m,"compositionend",function(B){s.composing&&(B.data!=s.composing.data&&s.readFromDOMSoon(),s.composing.done=!0)}),De(m,"touchstart",function(){return p.forceCompositionEnd()}),De(m,"input",function(){s.composing||s.readFromDOMSoon()});function w(B){if(!(!C(B)||Lt(f,B))){if(f.somethingSelected())Uc({lineWise:!1,text:f.getSelections()}),B.type=="cut"&&f.replaceSelection("",null,"cut");else if(f.options.lineWiseCopyCut){var Y=Pb(f);Uc({lineWise:!0,text:Y.text}),B.type=="cut"&&f.operation(function(){f.setSelections(Y.ranges,0,He),f.replaceSelection("",null,"cut")})}else return;if(B.clipboardData){B.clipboardData.clearData();var J=Ea.text.join(`
-`);if(B.clipboardData.setData("Text",J),B.clipboardData.getData("Text")==J){B.preventDefault();return}}var me=Fb(),Te=me.firstChild;np(Te),f.display.lineSpace.insertBefore(me,f.display.lineSpace.firstChild),Te.value=Ea.text.join(`
-`);var qe=se(tt(m));oe(Te),setTimeout(function(){f.display.lineSpace.removeChild(me),qe.focus(),qe==m&&p.showPrimarySelection()},50)}}De(m,"copy",w),De(m,"cut",w)},hn.prototype.screenReaderLabelChanged=function(i){i?this.div.setAttribute("aria-label",i):this.div.removeAttribute("aria-label")},hn.prototype.prepareSelection=function(){var i=kt(this.cm,!1);return i.focus=se(tt(this.div))==this.div,i},hn.prototype.showSelection=function(i,s){!i||!this.cm.display.view.length||((i.focus||s)&&this.showPrimarySelection(),this.showMultipleSelections(i))},hn.prototype.getSelection=function(){return this.cm.display.wrapper.ownerDocument.getSelection()},hn.prototype.showPrimarySelection=function(){var i=this.getSelection(),s=this.cm,p=s.doc.sel.primary(),f=p.from(),m=p.to();if(s.display.viewTo==s.display.viewFrom||f.line>=s.display.viewTo||m.line<s.display.viewFrom){i.removeAllRanges();return}var C=Gc(s,i.anchorNode,i.anchorOffset),w=Gc(s,i.focusNode,i.focusOffset);if(!(C&&!C.bad&&w&&!w.bad&&Bt(Wi(C,w),f)==0&&Bt(Yi(C,w),m)==0)){var B=s.display.view,Y=f.line>=s.display.viewFrom&&Ub(s,f)||{node:B[0].measure.map[2],offset:0},J=m.line<s.display.viewTo&&Ub(s,m);if(!J){var me=B[B.length-1].measure,Te=me.maps?me.maps[me.maps.length-1]:me.map;J={node:Te[Te.length-1],offset:Te[Te.length-2]-Te[Te.length-3]}}if(!Y||!J){i.removeAllRanges();return}var qe=i.rangeCount&&i.getRangeAt(0),Me;try{Me=te(Y.node,Y.offset,J.offset,J.node)}catch{}Me&&(!a&&s.state.focused?(i.collapse(Y.node,Y.offset),Me.collapsed||(i.removeAllRanges(),i.addRange(Me))):(i.removeAllRanges(),i.addRange(Me)),qe&&i.anchorNode==null?i.addRange(qe):a&&this.startGracePeriod()),this.rememberSelection()}},hn.prototype.startGracePeriod=function(){var i=this;clearTimeout(this.gracePeriod),this.gracePeriod=setTimeout(function(){i.gracePeriod=!1,i.selectionChanged()&&i.cm.operation(function(){return i.cm.curOp.selectionChanged=!0})},20)},hn.prototype.showMultipleSelections=function(i){fe(this.cm.display.cursorDiv,i.cursors),fe(this.cm.display.selectionDiv,i.selection)},hn.prototype.rememberSelection=function(){var i=this.getSelection();this.lastAnchorNode=i.anchorNode,this.lastAnchorOffset=i.anchorOffset,this.lastFocusNode=i.focusNode,this.lastFocusOffset=i.focusOffset},hn.prototype.selectionInEditor=function(){var i=this.getSelection();if(!i.rangeCount)return!1;var s=i.getRangeAt(0).commonAncestorContainer;return G(this.div,s)},hn.prototype.focus=function(){this.cm.options.readOnly!="nocursor"&&((!this.selectionInEditor()||se(tt(this.div))!=this.div)&&this.showSelection(this.prepareSelection(),!0),this.div.focus())},hn.prototype.blur=function(){this.div.blur()},hn.prototype.getField=function(){return this.div},hn.prototype.supportsTouch=function(){return!0},hn.prototype.receivedFocus=function(){var i=this,s=this;this.selectionInEditor()?setTimeout(function(){return i.pollSelection()},20):gi(this.cm,function(){return s.cm.curOp.selectionChanged=!0});function p(){s.cm.state.focused&&(s.pollSelection(),s.polling.set(s.cm.options.pollInterval,p))}this.polling.set(this.cm.options.pollInterval,p)},hn.prototype.selectionChanged=function(){var i=this.getSelection();return i.anchorNode!=this.lastAnchorNode||i.anchorOffset!=this.lastAnchorOffset||i.focusNode!=this.lastFocusNode||i.focusOffset!=this.lastFocusOffset},hn.prototype.pollSelection=function(){if(!(this.readDOMTimeout!=null||this.gracePeriod||!this.selectionChanged())){var i=this.getSelection(),s=this.cm;if(N&&E&&this.cm.display.gutterSpecs.length&&yD(i.anchorNode)){this.cm.triggerOnKeyDown({type:"keydown",keyCode:8,preventDefault:Math.abs}),this.blur(),this.focus();return}if(!this.composing){this.rememberSelection();var p=Gc(s,i.anchorNode,i.anchorOffset),f=Gc(s,i.focusNode,i.focusOffset);p&&f&&gi(s,function(){Or(s.doc,Po(p,f),He),(p.bad||f.bad)&&(s.curOp.selectionChanged=!0)})}}},hn.prototype.pollContent=function(){this.readDOMTimeout!=null&&(clearTimeout(this.readDOMTimeout),this.readDOMTimeout=null);var i=this.cm,s=i.display,p=i.doc.sel.primary(),f=p.from(),m=p.to();if(f.ch==0&&f.line>i.firstLine()&&(f=st(f.line-1,Mt(i.doc,f.line-1).length)),m.ch==Mt(i.doc,m.line).text.length&&m.line<i.lastLine()&&(m=st(m.line+1,0)),f.line<s.viewFrom||m.line>s.viewTo-1)return!1;var C,w,B;f.line==s.viewFrom||(C=$(i,f.line))==0?(w=un(s.view[0].line),B=s.view[0].node):(w=un(s.view[C].line),B=s.view[C-1].node.nextSibling);var Y=$(i,m.line),J,me;if(Y==s.view.length-1?(J=s.viewTo-1,me=s.lineDiv.lastChild):(J=un(s.view[Y+1].line)-1,me=s.view[Y+1].node.previousSibling),!B)return!1;for(var Te=i.doc.splitLines(CD(i,B,me,w,J)),qe=Fr(i.doc,st(w,0),st(J,Mt(i.doc,J).text.length));Te.length>1&&qe.length>1;)if(Ie(Te)==Ie(qe))Te.pop(),qe.pop(),J--;else if(Te[0]==qe[0])Te.shift(),qe.shift(),w++;else break;for(var Me=0,Je=0,ut=Te[0],gt=qe[0],yt=Math.min(ut.length,gt.length);Me<yt&&ut.charCodeAt(Me)==gt.charCodeAt(Me);)++Me;for(var Nt=Ie(Te),Ct=Ie(qe),xt=Math.min(Nt.length-(Te.length==1?Me:0),Ct.length-(qe.length==1?Me:0));Je<xt&&Nt.charCodeAt(Nt.length-Je-1)==Ct.charCodeAt(Ct.length-Je-1);)++Je;if(Te.length==1&&qe.length==1&&w==f.line)for(;Me&&Me>f.ch&&Nt.charCodeAt(Nt.length-Je-1)==Ct.charCodeAt(Ct.length-Je-1);)Me--,Je++;Te[Te.length-1]=Nt.slice(0,Nt.length-Je).replace(/^\u200b+/,""),Te[0]=Te[0].slice(Me).replace(/\u200b+$/,"");var Gt=st(w,Me),Pt=st(J,qe.length?Ie(qe).length-Je:0);if(Te.length>1||Te[0]||Bt(Gt,Pt))return dl(i.doc,Te,Gt,Pt,"+input"),!0},hn.prototype.ensurePolled=function(){this.forceCompositionEnd()},hn.prototype.reset=function(){this.forceCompositionEnd()},hn.prototype.forceCompositionEnd=function(){!this.composing||(clearTimeout(this.readDOMTimeout),this.composing=null,this.updateFromDOM(),this.div.blur(),this.div.focus())},hn.prototype.readFromDOMSoon=function(){var i=this;this.readDOMTimeout==null&&(this.readDOMTimeout=setTimeout(function(){if(i.readDOMTimeout=null,i.composing)if(i.composing.done)i.composing=null;else return;i.updateFromDOM()},80))},hn.prototype.updateFromDOM=function(){var i=this;(this.cm.isReadOnly()||!this.pollContent())&&gi(this.cm,function(){return le(i.cm)})},hn.prototype.setUneditable=function(i){i.contentEditable="false"},hn.prototype.onKeyPress=function(i){i.charCode==0||this.composing||(i.preventDefault(),this.cm.isReadOnly()||nr(this.cm,tp)(this.cm,String.fromCharCode(i.charCode==null?i.keyCode:i.charCode),0))},hn.prototype.readOnlyChanged=function(i){this.div.contentEditable=String(i!="nocursor")},hn.prototype.onContextMenu=function(){},hn.prototype.resetPosition=function(){},hn.prototype.needsContentAttribute=!0;function Ub(i,s){var p=pi(i,s.line);if(!p||p.hidden)return null;var f=Mt(i.doc,s.line),m=fi(p,f,s.line),C=ke(f,i.doc.direction),w="left";if(C){var B=je(C,s.ch);w=B%2?"right":"left"}var Y=il(m.map,s.ch,w);return Y.offset=Y.collapse=="right"?Y.end:Y.start,Y}function yD(i){for(var s=i;s;s=s.parentNode)if(/CodeMirror-gutter-wrapper/.test(s.className))return!0;return!1}function gl(i,s){return s&&(i.bad=!0),i}function CD(i,s,p,f,m){var C="",w=!1,B=i.doc.lineSeparator(),Y=!1;function J(Me){return function(Je){return Je.id==Me}}function me(){w&&(C+=B,Y&&(C+=B),w=Y=!1)}function Te(Me){Me&&(me(),C+=Me)}function qe(Me){if(Me.nodeType==1){var Je=Me.getAttribute("cm-text");if(Je){Te(Je);return}var ut=Me.getAttribute("cm-marker"),gt;if(ut){var yt=i.findMarks(st(f,0),st(m+1,0),J(+ut));yt.length&&(gt=yt[0].find(0))&&Te(Fr(i.doc,gt.from,gt.to).join(B));return}if(Me.getAttribute("contenteditable")=="false")return;var Nt=/^(pre|div|p|li|table|br)$/i.test(Me.nodeName);if(!/^br$/i.test(Me.nodeName)&&Me.textContent.length==0)return;Nt&&me();for(var Ct=0;Ct<Me.childNodes.length;Ct++)qe(Me.childNodes[Ct]);/^(pre|p)$/i.test(Me.nodeName)&&(Y=!0),Nt&&(w=!0)}else Me.nodeType==3&&Te(Me.nodeValue.replace(/\u200b/g,"").replace(/\u00a0/g," "))}for(;qe(s),s!=p;)s=s.nextSibling,Y=!1;return C}function Gc(i,s,p){var f;if(s==i.display.lineDiv){if(f=i.display.lineDiv.childNodes[p],!f)return gl(i.clipPos(st(i.display.viewTo-1)),!0);s=null,p=0}else for(f=s;;f=f.parentNode){if(!f||f==i.display.lineDiv)return null;if(f.parentNode&&f.parentNode==i.display.lineDiv)break}for(var m=0;m<i.display.view.length;m++){var C=i.display.view[m];if(C.node==f)return AD(C,s,p)}}function AD(i,s,p){var f=i.text.firstChild,m=!1;if(!s||!G(f,s))return gl(st(un(i.line),0),!0);if(s==f&&(m=!0,s=f.childNodes[p],p=0,!s)){var C=i.rest?Ie(i.rest):i.line;return gl(st(un(C),C.text.length),m)}var w=s.nodeType==3?s:null,B=s;for(!w&&s.childNodes.length==1&&s.firstChild.nodeType==3&&(w=s.firstChild,p&&(p=w.nodeValue.length));B.parentNode!=f;)B=B.parentNode;var Y=i.measure,J=Y.maps;function me(gt,yt,Nt){for(var Ct=-1;Ct<(J?J.length:0);Ct++)for(var xt=Ct<0?Y.map:J[Ct],Gt=0;Gt<xt.length;Gt+=3){var Pt=xt[Gt+2];if(Pt==gt||Pt==yt){var en=un(Ct<0?i.line:i.rest[Ct]),Tn=xt[Gt]+Nt;return(Nt<0||Pt!=gt)&&(Tn=xt[Gt+(Nt?1:0)]),st(en,Tn)}}}var Te=me(w,B,p);if(Te)return gl(Te,m);for(var qe=B.nextSibling,Me=w?w.nodeValue.length-p:0;qe;qe=qe.nextSibling){if(Te=me(qe,qe.firstChild,0),Te)return gl(st(Te.line,Te.ch-Me),m);Me+=qe.textContent.length}for(var Je=B.previousSibling,ut=p;Je;Je=Je.previousSibling){if(Te=me(Je,Je.firstChild,-1),Te)return gl(st(Te.line,Te.ch+ut),m);ut+=Je.textContent.length}}var qn=function(i){this.cm=i,this.prevInput="",this.pollingFast=!1,this.polling=new Ze,this.hasSelection=!1,this.composing=null,this.resetting=!1};qn.prototype.init=function(i){var s=this,p=this,f=this.cm;this.createField(i);var m=this.textarea;i.wrapper.insertBefore(this.wrapper,i.wrapper.firstChild),O&&(m.style.width="0px"),De(m,"input",function(){c&&d>=9&&s.hasSelection&&(s.hasSelection=null),p.poll()}),De(m,"paste",function(w){Lt(f,w)||Mb(w,f)||(f.state.pasteIncoming=+new Date,p.fastPoll())});function C(w){if(!Lt(f,w)){if(f.somethingSelected())Uc({lineWise:!1,text:f.getSelections()});else if(f.options.lineWiseCopyCut){var B=Pb(f);Uc({lineWise:!0,text:B.text}),w.type=="cut"?f.setSelections(B.ranges,null,He):(p.prevInput="",m.value=B.text.join(`
-`),oe(m))}else return;w.type=="cut"&&(f.state.cutIncoming=+new Date)}}De(m,"cut",C),De(m,"copy",C),De(i.scroller,"paste",function(w){if(!(Jt(i,w)||Lt(f,w))){if(!m.dispatchEvent){f.state.pasteIncoming=+new Date,p.focus();return}var B=new Event("paste");B.clipboardData=w.clipboardData,m.dispatchEvent(B)}}),De(i.lineSpace,"selectstart",function(w){Jt(i,w)||Zt(w)}),De(m,"compositionstart",function(){var w=f.getCursor("from");p.composing&&p.composing.range.clear(),p.composing={start:w,range:f.markText(w,f.getCursor("to"),{className:"CodeMirror-composing"})}}),De(m,"compositionend",function(){p.composing&&(p.poll(),p.composing.range.clear(),p.composing=null)})},qn.prototype.createField=function(i){this.wrapper=Fb(),this.textarea=this.wrapper.firstChild;var s=this.cm.options;np(this.textarea,s.spellcheck,s.autocorrect,s.autocapitalize)},qn.prototype.screenReaderLabelChanged=function(i){i?this.textarea.setAttribute("aria-label",i):this.textarea.removeAttribute("aria-label")},qn.prototype.prepareSelection=function(){var i=this.cm,s=i.display,p=i.doc,f=kt(i);if(i.options.moveInputWithCursor){var m=St(i,p.sel.primary().head,"div"),C=s.wrapper.getBoundingClientRect(),w=s.lineDiv.getBoundingClientRect();f.teTop=Math.max(0,Math.min(s.wrapper.clientHeight-10,m.top+w.top-C.top)),f.teLeft=Math.max(0,Math.min(s.wrapper.clientWidth-10,m.left+w.left-C.left))}return f},qn.prototype.showSelection=function(i){var s=this.cm,p=s.display;fe(p.cursorDiv,i.cursors),fe(p.selectionDiv,i.selection),i.teTop!=null&&(this.wrapper.style.top=i.teTop+"px",this.wrapper.style.left=i.teLeft+"px")},qn.prototype.reset=function(i){if(!(this.contextMenuPending||this.composing&&i)){var s=this.cm;if(this.resetting=!0,s.somethingSelected()){this.prevInput="";var p=s.getSelection();this.textarea.value=p,s.state.focused&&oe(this.textarea),c&&d>=9&&(this.hasSelection=p)}else i||(this.prevInput=this.textarea.value="",c&&d>=9&&(this.hasSelection=null));this.resetting=!1}},qn.prototype.getField=function(){return this.textarea},qn.prototype.supportsTouch=function(){return!1},qn.prototype.focus=function(){if(this.cm.options.readOnly!="nocursor"&&(!R||se(tt(this.textarea))!=this.textarea))try{this.textarea.focus()}catch{}},qn.prototype.blur=function(){this.textarea.blur()},qn.prototype.resetPosition=function(){this.wrapper.style.top=this.wrapper.style.left=0},qn.prototype.receivedFocus=function(){this.slowPoll()},qn.prototype.slowPoll=function(){var i=this;this.pollingFast||this.polling.set(this.cm.options.pollInterval,function(){i.poll(),i.cm.state.focused&&i.slowPoll()})},qn.prototype.fastPoll=function(){var i=!1,s=this;s.pollingFast=!0;function p(){var f=s.poll();!f&&!i?(i=!0,s.polling.set(60,p)):(s.pollingFast=!1,s.slowPoll())}s.polling.set(20,p)},qn.prototype.poll=function(){var i=this,s=this.cm,p=this.textarea,f=this.prevInput;if(this.contextMenuPending||this.resetting||!s.state.focused||ur(p)&&!f&&!this.composing||s.isReadOnly()||s.options.disableInput||s.state.keySeq)return!1;var m=p.value;if(m==f&&!s.somethingSelected())return!1;if(c&&d>=9&&this.hasSelection===m||L&&/[\uf700-\uf7ff]/.test(m))return s.display.input.reset(),!1;if(s.doc.sel==s.display.selForContextMenu){var C=m.charCodeAt(0);if(C==8203&&!f&&(f="\u200B"),C==8666)return this.reset(),this.cm.execCommand("undo")}for(var w=0,B=Math.min(f.length,m.length);w<B&&f.charCodeAt(w)==m.charCodeAt(w);)++w;return gi(s,function(){tp(s,m.slice(w),f.length-w,null,i.composing?"*compose":null),m.length>1e3||m.indexOf(`
+`?"n":!qe||/\s/.test(ut)?null:"p";if(qe&&!Je&&!gt&&(gt="s"),Te&&Te!=gt){p<0&&(p=1,me(),s.sticky="after");break}if(gt&&(Te=gt),p>0&&!me(!Je))break}var yt=Lc(i,s,C,w,!0);return qi(C,yt)&&(yt.hitSide=!0),yt}function Ub(i,s,p,f){var m=i.doc,C=s.left,w;if(f=="page"){var B=Math.min(i.display.wrapper.clientHeight,rt(i).innerHeight||m(i).documentElement.clientHeight),Y=Math.max(B-.5*Hn(i.display),3);w=(p>0?s.bottom:s.top)+p*Y}else f=="line"&&(w=p>0?s.bottom+3:s.top-3);for(var J;J=Kt(i,C,w),!!J.outside;){if(p<0?w<=0:w>=m.height){J.hitSide=!0;break}w+=p*5}return J}var hn=function(i){this.cm=i,this.lastAnchorNode=this.lastAnchorOffset=this.lastFocusNode=this.lastFocusOffset=null,this.polling=new Ze,this.composing=null,this.gracePeriod=!1,this.readDOMTimeout=null};hn.prototype.init=function(i){var s=this,p=this,f=p.cm,m=p.div=i.lineDiv;m.contentEditable=!0,np(m,f.options.spellcheck,f.options.autocorrect,f.options.autocapitalize);function C(B){for(var Y=B.target;Y;Y=Y.parentNode){if(Y==m)return!0;if(/\bCodeMirror-(?:line)?widget\b/.test(Y.className))break}return!1}De(m,"paste",function(B){!C(B)||Lt(f,B)||kb(B,f)||d<=11&&setTimeout(nr(f,function(){return s.updateFromDOM()}),20)}),De(m,"compositionstart",function(B){s.composing={data:B.data,done:!1}}),De(m,"compositionupdate",function(B){s.composing||(s.composing={data:B.data,done:!1})}),De(m,"compositionend",function(B){s.composing&&(B.data!=s.composing.data&&s.readFromDOMSoon(),s.composing.done=!0)}),De(m,"touchstart",function(){return p.forceCompositionEnd()}),De(m,"input",function(){s.composing||s.readFromDOMSoon()});function w(B){if(!(!C(B)||Lt(f,B))){if(f.somethingSelected())Uc({lineWise:!1,text:f.getSelections()}),B.type=="cut"&&f.replaceSelection("",null,"cut");else if(f.options.lineWiseCopyCut){var Y=Fb(f);Uc({lineWise:!0,text:Y.text}),B.type=="cut"&&f.operation(function(){f.setSelections(Y.ranges,0,He),f.replaceSelection("",null,"cut")})}else return;if(B.clipboardData){B.clipboardData.clearData();var J=Ea.text.join(`
+`);if(B.clipboardData.setData("Text",J),B.clipboardData.getData("Text")==J){B.preventDefault();return}}var me=Bb(),Te=me.firstChild;np(Te),f.display.lineSpace.insertBefore(me,f.display.lineSpace.firstChild),Te.value=Ea.text.join(`
+`);var qe=se(tt(m));oe(Te),setTimeout(function(){f.display.lineSpace.removeChild(me),qe.focus(),qe==m&&p.showPrimarySelection()},50)}}De(m,"copy",w),De(m,"cut",w)},hn.prototype.screenReaderLabelChanged=function(i){i?this.div.setAttribute("aria-label",i):this.div.removeAttribute("aria-label")},hn.prototype.prepareSelection=function(){var i=kt(this.cm,!1);return i.focus=se(tt(this.div))==this.div,i},hn.prototype.showSelection=function(i,s){!i||!this.cm.display.view.length||((i.focus||s)&&this.showPrimarySelection(),this.showMultipleSelections(i))},hn.prototype.getSelection=function(){return this.cm.display.wrapper.ownerDocument.getSelection()},hn.prototype.showPrimarySelection=function(){var i=this.getSelection(),s=this.cm,p=s.doc.sel.primary(),f=p.from(),m=p.to();if(s.display.viewTo==s.display.viewFrom||f.line>=s.display.viewTo||m.line<s.display.viewFrom){i.removeAllRanges();return}var C=Gc(s,i.anchorNode,i.anchorOffset),w=Gc(s,i.focusNode,i.focusOffset);if(!(C&&!C.bad&&w&&!w.bad&&Bt(Wi(C,w),f)==0&&Bt(Yi(C,w),m)==0)){var B=s.display.view,Y=f.line>=s.display.viewFrom&&Gb(s,f)||{node:B[0].measure.map[2],offset:0},J=m.line<s.display.viewTo&&Gb(s,m);if(!J){var me=B[B.length-1].measure,Te=me.maps?me.maps[me.maps.length-1]:me.map;J={node:Te[Te.length-1],offset:Te[Te.length-2]-Te[Te.length-3]}}if(!Y||!J){i.removeAllRanges();return}var qe=i.rangeCount&&i.getRangeAt(0),Me;try{Me=te(Y.node,Y.offset,J.offset,J.node)}catch{}Me&&(!a&&s.state.focused?(i.collapse(Y.node,Y.offset),Me.collapsed||(i.removeAllRanges(),i.addRange(Me))):(i.removeAllRanges(),i.addRange(Me)),qe&&i.anchorNode==null?i.addRange(qe):a&&this.startGracePeriod()),this.rememberSelection()}},hn.prototype.startGracePeriod=function(){var i=this;clearTimeout(this.gracePeriod),this.gracePeriod=setTimeout(function(){i.gracePeriod=!1,i.selectionChanged()&&i.cm.operation(function(){return i.cm.curOp.selectionChanged=!0})},20)},hn.prototype.showMultipleSelections=function(i){fe(this.cm.display.cursorDiv,i.cursors),fe(this.cm.display.selectionDiv,i.selection)},hn.prototype.rememberSelection=function(){var i=this.getSelection();this.lastAnchorNode=i.anchorNode,this.lastAnchorOffset=i.anchorOffset,this.lastFocusNode=i.focusNode,this.lastFocusOffset=i.focusOffset},hn.prototype.selectionInEditor=function(){var i=this.getSelection();if(!i.rangeCount)return!1;var s=i.getRangeAt(0).commonAncestorContainer;return G(this.div,s)},hn.prototype.focus=function(){this.cm.options.readOnly!="nocursor"&&((!this.selectionInEditor()||se(tt(this.div))!=this.div)&&this.showSelection(this.prepareSelection(),!0),this.div.focus())},hn.prototype.blur=function(){this.div.blur()},hn.prototype.getField=function(){return this.div},hn.prototype.supportsTouch=function(){return!0},hn.prototype.receivedFocus=function(){var i=this,s=this;this.selectionInEditor()?setTimeout(function(){return i.pollSelection()},20):gi(this.cm,function(){return s.cm.curOp.selectionChanged=!0});function p(){s.cm.state.focused&&(s.pollSelection(),s.polling.set(s.cm.options.pollInterval,p))}this.polling.set(this.cm.options.pollInterval,p)},hn.prototype.selectionChanged=function(){var i=this.getSelection();return i.anchorNode!=this.lastAnchorNode||i.anchorOffset!=this.lastAnchorOffset||i.focusNode!=this.lastFocusNode||i.focusOffset!=this.lastFocusOffset},hn.prototype.pollSelection=function(){if(!(this.readDOMTimeout!=null||this.gracePeriod||!this.selectionChanged())){var i=this.getSelection(),s=this.cm;if(N&&E&&this.cm.display.gutterSpecs.length&&AD(i.anchorNode)){this.cm.triggerOnKeyDown({type:"keydown",keyCode:8,preventDefault:Math.abs}),this.blur(),this.focus();return}if(!this.composing){this.rememberSelection();var p=Gc(s,i.anchorNode,i.anchorOffset),f=Gc(s,i.focusNode,i.focusOffset);p&&f&&gi(s,function(){Or(s.doc,Po(p,f),He),(p.bad||f.bad)&&(s.curOp.selectionChanged=!0)})}}},hn.prototype.pollContent=function(){this.readDOMTimeout!=null&&(clearTimeout(this.readDOMTimeout),this.readDOMTimeout=null);var i=this.cm,s=i.display,p=i.doc.sel.primary(),f=p.from(),m=p.to();if(f.ch==0&&f.line>i.firstLine()&&(f=st(f.line-1,Mt(i.doc,f.line-1).length)),m.ch==Mt(i.doc,m.line).text.length&&m.line<i.lastLine()&&(m=st(m.line+1,0)),f.line<s.viewFrom||m.line>s.viewTo-1)return!1;var C,w,B;f.line==s.viewFrom||(C=$(i,f.line))==0?(w=un(s.view[0].line),B=s.view[0].node):(w=un(s.view[C].line),B=s.view[C-1].node.nextSibling);var Y=$(i,m.line),J,me;if(Y==s.view.length-1?(J=s.viewTo-1,me=s.lineDiv.lastChild):(J=un(s.view[Y+1].line)-1,me=s.view[Y+1].node.previousSibling),!B)return!1;for(var Te=i.doc.splitLines(OD(i,B,me,w,J)),qe=Fr(i.doc,st(w,0),st(J,Mt(i.doc,J).text.length));Te.length>1&&qe.length>1;)if(Ie(Te)==Ie(qe))Te.pop(),qe.pop(),J--;else if(Te[0]==qe[0])Te.shift(),qe.shift(),w++;else break;for(var Me=0,Je=0,ut=Te[0],gt=qe[0],yt=Math.min(ut.length,gt.length);Me<yt&&ut.charCodeAt(Me)==gt.charCodeAt(Me);)++Me;for(var Nt=Ie(Te),Ct=Ie(qe),xt=Math.min(Nt.length-(Te.length==1?Me:0),Ct.length-(qe.length==1?Me:0));Je<xt&&Nt.charCodeAt(Nt.length-Je-1)==Ct.charCodeAt(Ct.length-Je-1);)++Je;if(Te.length==1&&qe.length==1&&w==f.line)for(;Me&&Me>f.ch&&Nt.charCodeAt(Nt.length-Je-1)==Ct.charCodeAt(Ct.length-Je-1);)Me--,Je++;Te[Te.length-1]=Nt.slice(0,Nt.length-Je).replace(/^\u200b+/,""),Te[0]=Te[0].slice(Me).replace(/\u200b+$/,"");var Gt=st(w,Me),Pt=st(J,qe.length?Ie(qe).length-Je:0);if(Te.length>1||Te[0]||Bt(Gt,Pt))return dl(i.doc,Te,Gt,Pt,"+input"),!0},hn.prototype.ensurePolled=function(){this.forceCompositionEnd()},hn.prototype.reset=function(){this.forceCompositionEnd()},hn.prototype.forceCompositionEnd=function(){!this.composing||(clearTimeout(this.readDOMTimeout),this.composing=null,this.updateFromDOM(),this.div.blur(),this.div.focus())},hn.prototype.readFromDOMSoon=function(){var i=this;this.readDOMTimeout==null&&(this.readDOMTimeout=setTimeout(function(){if(i.readDOMTimeout=null,i.composing)if(i.composing.done)i.composing=null;else return;i.updateFromDOM()},80))},hn.prototype.updateFromDOM=function(){var i=this;(this.cm.isReadOnly()||!this.pollContent())&&gi(this.cm,function(){return le(i.cm)})},hn.prototype.setUneditable=function(i){i.contentEditable="false"},hn.prototype.onKeyPress=function(i){i.charCode==0||this.composing||(i.preventDefault(),this.cm.isReadOnly()||nr(this.cm,tp)(this.cm,String.fromCharCode(i.charCode==null?i.keyCode:i.charCode),0))},hn.prototype.readOnlyChanged=function(i){this.div.contentEditable=String(i!="nocursor")},hn.prototype.onContextMenu=function(){},hn.prototype.resetPosition=function(){},hn.prototype.needsContentAttribute=!0;function Gb(i,s){var p=pi(i,s.line);if(!p||p.hidden)return null;var f=Mt(i.doc,s.line),m=fi(p,f,s.line),C=ke(f,i.doc.direction),w="left";if(C){var B=je(C,s.ch);w=B%2?"right":"left"}var Y=il(m.map,s.ch,w);return Y.offset=Y.collapse=="right"?Y.end:Y.start,Y}function AD(i){for(var s=i;s;s=s.parentNode)if(/CodeMirror-gutter-wrapper/.test(s.className))return!0;return!1}function gl(i,s){return s&&(i.bad=!0),i}function OD(i,s,p,f,m){var C="",w=!1,B=i.doc.lineSeparator(),Y=!1;function J(Me){return function(Je){return Je.id==Me}}function me(){w&&(C+=B,Y&&(C+=B),w=Y=!1)}function Te(Me){Me&&(me(),C+=Me)}function qe(Me){if(Me.nodeType==1){var Je=Me.getAttribute("cm-text");if(Je){Te(Je);return}var ut=Me.getAttribute("cm-marker"),gt;if(ut){var yt=i.findMarks(st(f,0),st(m+1,0),J(+ut));yt.length&&(gt=yt[0].find(0))&&Te(Fr(i.doc,gt.from,gt.to).join(B));return}if(Me.getAttribute("contenteditable")=="false")return;var Nt=/^(pre|div|p|li|table|br)$/i.test(Me.nodeName);if(!/^br$/i.test(Me.nodeName)&&Me.textContent.length==0)return;Nt&&me();for(var Ct=0;Ct<Me.childNodes.length;Ct++)qe(Me.childNodes[Ct]);/^(pre|p)$/i.test(Me.nodeName)&&(Y=!0),Nt&&(w=!0)}else Me.nodeType==3&&Te(Me.nodeValue.replace(/\u200b/g,"").replace(/\u00a0/g," "))}for(;qe(s),s!=p;)s=s.nextSibling,Y=!1;return C}function Gc(i,s,p){var f;if(s==i.display.lineDiv){if(f=i.display.lineDiv.childNodes[p],!f)return gl(i.clipPos(st(i.display.viewTo-1)),!0);s=null,p=0}else for(f=s;;f=f.parentNode){if(!f||f==i.display.lineDiv)return null;if(f.parentNode&&f.parentNode==i.display.lineDiv)break}for(var m=0;m<i.display.view.length;m++){var C=i.display.view[m];if(C.node==f)return RD(C,s,p)}}function RD(i,s,p){var f=i.text.firstChild,m=!1;if(!s||!G(f,s))return gl(st(un(i.line),0),!0);if(s==f&&(m=!0,s=f.childNodes[p],p=0,!s)){var C=i.rest?Ie(i.rest):i.line;return gl(st(un(C),C.text.length),m)}var w=s.nodeType==3?s:null,B=s;for(!w&&s.childNodes.length==1&&s.firstChild.nodeType==3&&(w=s.firstChild,p&&(p=w.nodeValue.length));B.parentNode!=f;)B=B.parentNode;var Y=i.measure,J=Y.maps;function me(gt,yt,Nt){for(var Ct=-1;Ct<(J?J.length:0);Ct++)for(var xt=Ct<0?Y.map:J[Ct],Gt=0;Gt<xt.length;Gt+=3){var Pt=xt[Gt+2];if(Pt==gt||Pt==yt){var en=un(Ct<0?i.line:i.rest[Ct]),Tn=xt[Gt]+Nt;return(Nt<0||Pt!=gt)&&(Tn=xt[Gt+(Nt?1:0)]),st(en,Tn)}}}var Te=me(w,B,p);if(Te)return gl(Te,m);for(var qe=B.nextSibling,Me=w?w.nodeValue.length-p:0;qe;qe=qe.nextSibling){if(Te=me(qe,qe.firstChild,0),Te)return gl(st(Te.line,Te.ch-Me),m);Me+=qe.textContent.length}for(var Je=B.previousSibling,ut=p;Je;Je=Je.previousSibling){if(Te=me(Je,Je.firstChild,-1),Te)return gl(st(Te.line,Te.ch+ut),m);ut+=Je.textContent.length}}var qn=function(i){this.cm=i,this.prevInput="",this.pollingFast=!1,this.polling=new Ze,this.hasSelection=!1,this.composing=null,this.resetting=!1};qn.prototype.init=function(i){var s=this,p=this,f=this.cm;this.createField(i);var m=this.textarea;i.wrapper.insertBefore(this.wrapper,i.wrapper.firstChild),O&&(m.style.width="0px"),De(m,"input",function(){c&&d>=9&&s.hasSelection&&(s.hasSelection=null),p.poll()}),De(m,"paste",function(w){Lt(f,w)||kb(w,f)||(f.state.pasteIncoming=+new Date,p.fastPoll())});function C(w){if(!Lt(f,w)){if(f.somethingSelected())Uc({lineWise:!1,text:f.getSelections()});else if(f.options.lineWiseCopyCut){var B=Fb(f);Uc({lineWise:!0,text:B.text}),w.type=="cut"?f.setSelections(B.ranges,null,He):(p.prevInput="",m.value=B.text.join(`
+`),oe(m))}else return;w.type=="cut"&&(f.state.cutIncoming=+new Date)}}De(m,"cut",C),De(m,"copy",C),De(i.scroller,"paste",function(w){if(!(Jt(i,w)||Lt(f,w))){if(!m.dispatchEvent){f.state.pasteIncoming=+new Date,p.focus();return}var B=new Event("paste");B.clipboardData=w.clipboardData,m.dispatchEvent(B)}}),De(i.lineSpace,"selectstart",function(w){Jt(i,w)||Zt(w)}),De(m,"compositionstart",function(){var w=f.getCursor("from");p.composing&&p.composing.range.clear(),p.composing={start:w,range:f.markText(w,f.getCursor("to"),{className:"CodeMirror-composing"})}}),De(m,"compositionend",function(){p.composing&&(p.poll(),p.composing.range.clear(),p.composing=null)})},qn.prototype.createField=function(i){this.wrapper=Bb(),this.textarea=this.wrapper.firstChild;var s=this.cm.options;np(this.textarea,s.spellcheck,s.autocorrect,s.autocapitalize)},qn.prototype.screenReaderLabelChanged=function(i){i?this.textarea.setAttribute("aria-label",i):this.textarea.removeAttribute("aria-label")},qn.prototype.prepareSelection=function(){var i=this.cm,s=i.display,p=i.doc,f=kt(i);if(i.options.moveInputWithCursor){var m=St(i,p.sel.primary().head,"div"),C=s.wrapper.getBoundingClientRect(),w=s.lineDiv.getBoundingClientRect();f.teTop=Math.max(0,Math.min(s.wrapper.clientHeight-10,m.top+w.top-C.top)),f.teLeft=Math.max(0,Math.min(s.wrapper.clientWidth-10,m.left+w.left-C.left))}return f},qn.prototype.showSelection=function(i){var s=this.cm,p=s.display;fe(p.cursorDiv,i.cursors),fe(p.selectionDiv,i.selection),i.teTop!=null&&(this.wrapper.style.top=i.teTop+"px",this.wrapper.style.left=i.teLeft+"px")},qn.prototype.reset=function(i){if(!(this.contextMenuPending||this.composing&&i)){var s=this.cm;if(this.resetting=!0,s.somethingSelected()){this.prevInput="";var p=s.getSelection();this.textarea.value=p,s.state.focused&&oe(this.textarea),c&&d>=9&&(this.hasSelection=p)}else i||(this.prevInput=this.textarea.value="",c&&d>=9&&(this.hasSelection=null));this.resetting=!1}},qn.prototype.getField=function(){return this.textarea},qn.prototype.supportsTouch=function(){return!1},qn.prototype.focus=function(){if(this.cm.options.readOnly!="nocursor"&&(!R||se(tt(this.textarea))!=this.textarea))try{this.textarea.focus()}catch{}},qn.prototype.blur=function(){this.textarea.blur()},qn.prototype.resetPosition=function(){this.wrapper.style.top=this.wrapper.style.left=0},qn.prototype.receivedFocus=function(){this.slowPoll()},qn.prototype.slowPoll=function(){var i=this;this.pollingFast||this.polling.set(this.cm.options.pollInterval,function(){i.poll(),i.cm.state.focused&&i.slowPoll()})},qn.prototype.fastPoll=function(){var i=!1,s=this;s.pollingFast=!0;function p(){var f=s.poll();!f&&!i?(i=!0,s.polling.set(60,p)):(s.pollingFast=!1,s.slowPoll())}s.polling.set(20,p)},qn.prototype.poll=function(){var i=this,s=this.cm,p=this.textarea,f=this.prevInput;if(this.contextMenuPending||this.resetting||!s.state.focused||ur(p)&&!f&&!this.composing||s.isReadOnly()||s.options.disableInput||s.state.keySeq)return!1;var m=p.value;if(m==f&&!s.somethingSelected())return!1;if(c&&d>=9&&this.hasSelection===m||L&&/[\uf700-\uf7ff]/.test(m))return s.display.input.reset(),!1;if(s.doc.sel==s.display.selForContextMenu){var C=m.charCodeAt(0);if(C==8203&&!f&&(f="\u200B"),C==8666)return this.reset(),this.cm.execCommand("undo")}for(var w=0,B=Math.min(f.length,m.length);w<B&&f.charCodeAt(w)==m.charCodeAt(w);)++w;return gi(s,function(){tp(s,m.slice(w),f.length-w,null,i.composing?"*compose":null),m.length>1e3||m.indexOf(`
 `)>-1?p.value=i.prevInput="":i.prevInput=m,i.composing&&(i.composing.range.clear(),i.composing.range=s.markText(i.composing.start,s.getCursor("to"),{className:"CodeMirror-composing"}))}),!0},qn.prototype.ensurePolled=function(){this.pollingFast&&this.poll()&&(this.pollingFast=!1)},qn.prototype.onKeyPress=function(){c&&d>=9&&(this.hasSelection=null),this.fastPoll()},qn.prototype.onContextMenu=function(i){var s=this,p=s.cm,f=p.display,m=s.textarea;s.contextMenuPending&&s.contextMenuPending();var C=D(p,i),w=f.scroller.scrollTop;if(!C||y)return;var B=p.options.resetSelectionOnContextMenu;B&&p.doc.sel.contains(C)==-1&&nr(p,Or)(p.doc,Po(C),He);var Y=m.style.cssText,J=s.wrapper.style.cssText,me=s.wrapper.offsetParent.getBoundingClientRect();s.wrapper.style.cssText="position: static",m.style.cssText=`position: absolute; width: 30px; height: 30px;
       top: `+(i.clientY-me.top-5)+"px; left: "+(i.clientX-me.left-5)+`px;
       z-index: 1000; background: `+(c?"rgba(255, 255, 255, .05)":"transparent")+`;
-      outline: none; border-width: 0; outline: none; overflow: hidden; opacity: .05; filter: alpha(opacity=5);`;var Te;S&&(Te=m.ownerDocument.defaultView.scrollY),f.input.focus(),S&&m.ownerDocument.defaultView.scrollTo(null,Te),f.input.reset(),p.somethingSelected()||(m.value=s.prevInput=" "),s.contextMenuPending=Me,f.selForContextMenu=p.doc.sel,clearTimeout(f.detectingSelectAll);function qe(){if(m.selectionStart!=null){var ut=p.somethingSelected(),gt="\u200B"+(ut?m.value:"");m.value="\u21DA",m.value=gt,s.prevInput=ut?"":"\u200B",m.selectionStart=1,m.selectionEnd=gt.length,f.selForContextMenu=p.doc.sel}}function Me(){if(s.contextMenuPending==Me&&(s.contextMenuPending=!1,s.wrapper.style.cssText=J,m.style.cssText=Y,c&&d<9&&f.scrollbars.setScrollTop(f.scroller.scrollTop=w),m.selectionStart!=null)){(!c||c&&d<9)&&qe();var ut=0,gt=function(){f.selForContextMenu==p.doc.sel&&m.selectionStart==0&&m.selectionEnd>0&&s.prevInput=="\u200B"?nr(p,ib)(p):ut++<10?f.detectingSelectAll=setTimeout(gt,500):(f.selForContextMenu=null,f.input.reset())};f.detectingSelectAll=setTimeout(gt,200)}}if(c&&d>=9&&qe(),z){wn(i);var Je=function(){_t(window,"mouseup",Je),setTimeout(Me,20)};De(window,"mouseup",Je)}else setTimeout(Me,50)},qn.prototype.readOnlyChanged=function(i){i||this.reset(),this.textarea.disabled=i=="nocursor",this.textarea.readOnly=!!i},qn.prototype.setUneditable=function(){},qn.prototype.needsContentAttribute=!1;function OD(i,s){if(s=s?dt(s):{},s.value=i.value,!s.tabindex&&i.tabIndex&&(s.tabindex=i.tabIndex),!s.placeholder&&i.placeholder&&(s.placeholder=i.placeholder),s.autofocus==null){var p=se(tt(i));s.autofocus=p==i||i.getAttribute("autofocus")!=null&&p==document.body}function f(){i.value=B.getValue()}var m;if(i.form&&(De(i.form,"submit",f),!s.leaveSubmitMethodAlone)){var C=i.form;m=C.submit;try{var w=C.submit=function(){f(),C.submit=m,C.submit(),C.submit=w}}catch{}}s.finishInit=function(Y){Y.save=f,Y.getTextArea=function(){return i},Y.toTextArea=function(){Y.toTextArea=isNaN,f(),i.parentNode.removeChild(Y.getWrapperElement()),i.style.display="",i.form&&(_t(i.form,"submit",f),!s.leaveSubmitMethodAlone&&typeof i.form.submit=="function"&&(i.form.submit=m))}},i.style.display="none";var B=Ln(function(Y){return i.parentNode.insertBefore(Y,i.nextSibling)},s);return B}function RD(i){i.off=_t,i.on=De,i.wheelEventPixels=MI,i.Doc=Kr,i.splitLines=Pr,i.countColumn=ct,i.findColumn=pe,i.isWordChar=be,i.Pass=Ee,i.signal=wt,i.Line=j,i.changeEnd=Fo,i.scrollbarModel=MS,i.Pos=st,i.cmpPos=Bt,i.modes=ai,i.mimeModes=oi,i.resolveMode=Oi,i.getMode=oa,i.modeExtensions=Ri,i.extendMode=Hi,i.copyState=br,i.startState=Ni,i.innerMode=sa,i.commands=bu,i.keyMap=_o,i.keyName=bb,i.isModifierKey=Eb,i.lookupKey=pl,i.normalizeKeyMap=nD,i.StringStream=bn,i.SharedTextMarker=hu,i.TextMarker=Uo,i.LineWidget=gu,i.e_preventDefault=Zt,i.e_stopPropagation=Sr,i.e_stop=wn,i.addClass=ve,i.contains=G,i.rmClass=ue,i.keyNames=Go}ED(Ln),TD(Ln);var ND="iter insert remove copy getEditor constructor".split(" ");for(var Hc in Kr.prototype)Kr.prototype.hasOwnProperty(Hc)&&nt(ND,Hc)<0&&(Ln.prototype[Hc]=function(i){return function(){return i.apply(this.doc,arguments)}}(Kr.prototype[Hc]));return an(Kr),Ln.inputStyles={textarea:qn,contenteditable:hn},Ln.defineMode=function(i){!Ln.defaults.mode&&i!="null"&&(Ln.defaults.mode=i),Ra.apply(this,arguments)},Ln.defineMIME=aa,Ln.defineMode("null",function(){return{token:function(i){return i.skipToEnd()}}}),Ln.defineMIME("text/plain","null"),Ln.defineExtension=function(i,s){Ln.prototype[i]=s},Ln.defineDocExtension=function(i,s){Kr.prototype[i]=s},Ln.fromTextArea=OD,RD(Ln),Ln.version="5.65.16",Ln})})(Ci);(function(e,t){(function(n){n(Ci.exports)})(function(n){var r=/^(\s*)(>[> ]*|[*+-] \[[x ]\]\s|[*+-]\s|(\d+)([.)]))(\s*)/,a=/^(\s*)(>[> ]*|[*+-] \[[x ]\]|[*+-]|(\d+)[.)])(\s*)$/,o=/[*+-]\s/;n.commands.newlineAndIndentContinueMarkdownList=function(u){if(u.getOption("disableInput"))return n.Pass;for(var c=u.listSelections(),d=[],S=0;S<c.length;S++){var _=c[S].head,E=u.getStateAfter(_.line),T=n.innerMode(u.getMode(),E);if(T.mode.name!=="markdown"&&T.mode.helperType!=="markdown"){u.execCommand("newlineAndIndent");return}else E=T.state;var y=E.list!==!1,M=E.quote!==0,v=u.getLine(_.line),A=r.exec(v),O=/^\s*$/.test(v.slice(0,_.ch));if(!c[S].empty()||!y&&!M||!A||O){u.execCommand("newlineAndIndent");return}if(a.test(v)){var N=M&&/>\s*$/.test(v),R=!/>\s*$/.test(v);(N||R)&&u.replaceRange("",{line:_.line,ch:0},{line:_.line,ch:_.ch+1}),d[S]=`
+      outline: none; border-width: 0; outline: none; overflow: hidden; opacity: .05; filter: alpha(opacity=5);`;var Te;S&&(Te=m.ownerDocument.defaultView.scrollY),f.input.focus(),S&&m.ownerDocument.defaultView.scrollTo(null,Te),f.input.reset(),p.somethingSelected()||(m.value=s.prevInput=" "),s.contextMenuPending=Me,f.selForContextMenu=p.doc.sel,clearTimeout(f.detectingSelectAll);function qe(){if(m.selectionStart!=null){var ut=p.somethingSelected(),gt="\u200B"+(ut?m.value:"");m.value="\u21DA",m.value=gt,s.prevInput=ut?"":"\u200B",m.selectionStart=1,m.selectionEnd=gt.length,f.selForContextMenu=p.doc.sel}}function Me(){if(s.contextMenuPending==Me&&(s.contextMenuPending=!1,s.wrapper.style.cssText=J,m.style.cssText=Y,c&&d<9&&f.scrollbars.setScrollTop(f.scroller.scrollTop=w),m.selectionStart!=null)){(!c||c&&d<9)&&qe();var ut=0,gt=function(){f.selForContextMenu==p.doc.sel&&m.selectionStart==0&&m.selectionEnd>0&&s.prevInput=="\u200B"?nr(p,ab)(p):ut++<10?f.detectingSelectAll=setTimeout(gt,500):(f.selForContextMenu=null,f.input.reset())};f.detectingSelectAll=setTimeout(gt,200)}}if(c&&d>=9&&qe(),z){wn(i);var Je=function(){_t(window,"mouseup",Je),setTimeout(Me,20)};De(window,"mouseup",Je)}else setTimeout(Me,50)},qn.prototype.readOnlyChanged=function(i){i||this.reset(),this.textarea.disabled=i=="nocursor",this.textarea.readOnly=!!i},qn.prototype.setUneditable=function(){},qn.prototype.needsContentAttribute=!1;function ND(i,s){if(s=s?dt(s):{},s.value=i.value,!s.tabindex&&i.tabIndex&&(s.tabindex=i.tabIndex),!s.placeholder&&i.placeholder&&(s.placeholder=i.placeholder),s.autofocus==null){var p=se(tt(i));s.autofocus=p==i||i.getAttribute("autofocus")!=null&&p==document.body}function f(){i.value=B.getValue()}var m;if(i.form&&(De(i.form,"submit",f),!s.leaveSubmitMethodAlone)){var C=i.form;m=C.submit;try{var w=C.submit=function(){f(),C.submit=m,C.submit(),C.submit=w}}catch{}}s.finishInit=function(Y){Y.save=f,Y.getTextArea=function(){return i},Y.toTextArea=function(){Y.toTextArea=isNaN,f(),i.parentNode.removeChild(Y.getWrapperElement()),i.style.display="",i.form&&(_t(i.form,"submit",f),!s.leaveSubmitMethodAlone&&typeof i.form.submit=="function"&&(i.form.submit=m))}},i.style.display="none";var B=Ln(function(Y){return i.parentNode.insertBefore(Y,i.nextSibling)},s);return B}function ID(i){i.off=_t,i.on=De,i.wheelEventPixels=PI,i.Doc=Kr,i.splitLines=Pr,i.countColumn=ct,i.findColumn=pe,i.isWordChar=be,i.Pass=Ee,i.signal=wt,i.Line=j,i.changeEnd=Fo,i.scrollbarModel=kS,i.Pos=st,i.cmpPos=Bt,i.modes=ai,i.mimeModes=oi,i.resolveMode=Oi,i.getMode=oa,i.modeExtensions=Ri,i.extendMode=Hi,i.copyState=br,i.startState=Ni,i.innerMode=sa,i.commands=Su,i.keyMap=_o,i.keyName=vb,i.isModifierKey=Sb,i.lookupKey=pl,i.normalizeKeyMap=iD,i.StringStream=bn,i.SharedTextMarker=gu,i.TextMarker=Uo,i.LineWidget=mu,i.e_preventDefault=Zt,i.e_stopPropagation=Sr,i.e_stop=wn,i.addClass=ve,i.contains=G,i.rmClass=ue,i.keyNames=Go}bD(Ln),CD(Ln);var DD="iter insert remove copy getEditor constructor".split(" ");for(var Hc in Kr.prototype)Kr.prototype.hasOwnProperty(Hc)&&nt(DD,Hc)<0&&(Ln.prototype[Hc]=function(i){return function(){return i.apply(this.doc,arguments)}}(Kr.prototype[Hc]));return an(Kr),Ln.inputStyles={textarea:qn,contenteditable:hn},Ln.defineMode=function(i){!Ln.defaults.mode&&i!="null"&&(Ln.defaults.mode=i),Ra.apply(this,arguments)},Ln.defineMIME=aa,Ln.defineMode("null",function(){return{token:function(i){return i.skipToEnd()}}}),Ln.defineMIME("text/plain","null"),Ln.defineExtension=function(i,s){Ln.prototype[i]=s},Ln.defineDocExtension=function(i,s){Kr.prototype[i]=s},Ln.fromTextArea=ND,ID(Ln),Ln.version="5.65.16",Ln})})(Ci);(function(e,t){(function(n){n(Ci.exports)})(function(n){var r=/^(\s*)(>[> ]*|[*+-] \[[x ]\]\s|[*+-]\s|(\d+)([.)]))(\s*)/,a=/^(\s*)(>[> ]*|[*+-] \[[x ]\]|[*+-]|(\d+)[.)])(\s*)$/,o=/[*+-]\s/;n.commands.newlineAndIndentContinueMarkdownList=function(u){if(u.getOption("disableInput"))return n.Pass;for(var c=u.listSelections(),d=[],S=0;S<c.length;S++){var _=c[S].head,E=u.getStateAfter(_.line),T=n.innerMode(u.getMode(),E);if(T.mode.name!=="markdown"&&T.mode.helperType!=="markdown"){u.execCommand("newlineAndIndent");return}else E=T.state;var y=E.list!==!1,M=E.quote!==0,v=u.getLine(_.line),A=r.exec(v),O=/^\s*$/.test(v.slice(0,_.ch));if(!c[S].empty()||!y&&!M||!A||O){u.execCommand("newlineAndIndent");return}if(a.test(v)){var N=M&&/>\s*$/.test(v),R=!/>\s*$/.test(v);(N||R)&&u.replaceRange("",{line:_.line,ch:0},{line:_.line,ch:_.ch+1}),d[S]=`
 `}else{var L=A[1],I=A[5],h=!(o.test(A[2])||A[2].indexOf(">")>=0),k=h?parseInt(A[3],10)+1+A[4]:A[2].replace("x"," ");d[S]=`
-`+L+k+I,h&&l(u,_)}}u.replaceSelections(d)};function l(u,c){var d=c.line,S=0,_=0,E=r.exec(u.getLine(d)),T=E[1];do{S+=1;var y=d+S,M=u.getLine(y),v=r.exec(M);if(v){var A=v[1],O=parseInt(E[3],10)+S-_,N=parseInt(v[3],10),R=N;if(T===A&&!isNaN(N))O===N&&(R=N+1),O>N&&(R=O+1),u.replaceRange(M.replace(r,A+R+v[4]+v[5]),{line:y,ch:0},{line:y,ch:M.length});else{if(T.length>A.length||T.length<A.length&&S===1)return;_+=1}}}while(v)}})})();var lR=Ci.exports;lR.commands.tabAndIndentMarkdownList=function(e){var t=e.listSelections(),n=t[0].head,r=e.getStateAfter(n.line),a=r.list!==!1;if(a){e.execCommand("indentMore");return}if(e.options.indentWithTabs)e.execCommand("insertTab");else{var o=Array(e.options.tabSize+1).join(" ");e.replaceSelection(o)}};lR.commands.shiftTabAndUnindentMarkdownList=function(e){var t=e.listSelections(),n=t[0].head,r=e.getStateAfter(n.line),a=r.list!==!1;if(a){e.execCommand("indentLess");return}if(e.options.indentWithTabs)e.execCommand("insertTab");else{var o=Array(e.options.tabSize+1).join(" ");e.replaceSelection(o)}};(function(e,t){(function(n){n(Ci.exports)})(function(n){n.defineOption("fullScreen",!1,function(o,l,u){u==n.Init&&(u=!1),!u!=!l&&(l?r(o):a(o))});function r(o){var l=o.getWrapperElement();o.state.fullScreenRestore={scrollTop:window.pageYOffset,scrollLeft:window.pageXOffset,width:l.style.width,height:l.style.height},l.style.width="",l.style.height="auto",l.className+=" CodeMirror-fullscreen",document.documentElement.style.overflow="hidden",o.refresh()}function a(o){var l=o.getWrapperElement();l.className=l.className.replace(/\s*CodeMirror-fullscreen\b/,""),document.documentElement.style.overflow="";var u=o.state.fullScreenRestore;l.style.width=u.width,l.style.height=u.height,window.scrollTo(u.scrollLeft,u.scrollTop),o.refresh()}})})();var xB={exports:{}},wB={exports:{}};(function(e,t){(function(n){n(Ci.exports)})(function(n){var r={autoSelfClosers:{area:!0,base:!0,br:!0,col:!0,command:!0,embed:!0,frame:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0,menuitem:!0},implicitlyClosed:{dd:!0,li:!0,optgroup:!0,option:!0,p:!0,rp:!0,rt:!0,tbody:!0,td:!0,tfoot:!0,th:!0,tr:!0},contextGrabbers:{dd:{dd:!0,dt:!0},dt:{dd:!0,dt:!0},li:{li:!0},option:{option:!0,optgroup:!0},optgroup:{optgroup:!0},p:{address:!0,article:!0,aside:!0,blockquote:!0,dir:!0,div:!0,dl:!0,fieldset:!0,footer:!0,form:!0,h1:!0,h2:!0,h3:!0,h4:!0,h5:!0,h6:!0,header:!0,hgroup:!0,hr:!0,menu:!0,nav:!0,ol:!0,p:!0,pre:!0,section:!0,table:!0,ul:!0},rp:{rp:!0,rt:!0},rt:{rp:!0,rt:!0},tbody:{tbody:!0,tfoot:!0},td:{td:!0,th:!0},tfoot:{tbody:!0},th:{td:!0,th:!0},thead:{tbody:!0,tfoot:!0},tr:{tr:!0}},doNotIndent:{pre:!0},allowUnquoted:!0,allowMissing:!0,caseFold:!0},a={autoSelfClosers:{},implicitlyClosed:{},contextGrabbers:{},doNotIndent:{},allowUnquoted:!1,allowMissing:!1,allowMissingTagName:!1,caseFold:!1};n.defineMode("xml",function(o,l){var u=o.indentUnit,c={},d=l.htmlMode?r:a;for(var S in d)c[S]=d[S];for(var S in l)c[S]=l[S];var _,E;function T(V,ne){function te(ve){return ne.tokenize=ve,ve(V,ne)}var G=V.next();if(G=="<")return V.eat("!")?V.eat("[")?V.match("CDATA[")?te(v("atom","]]>")):null:V.match("--")?te(v("comment","-->")):V.match("DOCTYPE",!0,!0)?(V.eatWhile(/[\w\._\-]/),te(A(1))):null:V.eat("?")?(V.eatWhile(/[\w\._\-]/),ne.tokenize=v("meta","?>"),"meta"):(_=V.eat("/")?"closeTag":"openTag",ne.tokenize=y,"tag bracket");if(G=="&"){var se;return V.eat("#")?V.eat("x")?se=V.eatWhile(/[a-fA-F\d]/)&&V.eat(";"):se=V.eatWhile(/[\d]/)&&V.eat(";"):se=V.eatWhile(/[\w\.\-:]/)&&V.eat(";"),se?"atom":"error"}else return V.eatWhile(/[^&<]/),null}T.isInText=!0;function y(V,ne){var te=V.next();if(te==">"||te=="/"&&V.eat(">"))return ne.tokenize=T,_=te==">"?"endTag":"selfcloseTag","tag bracket";if(te=="=")return _="equals",null;if(te=="<"){ne.tokenize=T,ne.state=I,ne.tagName=ne.tagStart=null;var G=ne.tokenize(V,ne);return G?G+" tag error":"tag error"}else return/[\'\"]/.test(te)?(ne.tokenize=M(te),ne.stringStartCol=V.column(),ne.tokenize(V,ne)):(V.match(/^[^\s\u00a0=<>\"\']*[^\s\u00a0=<>\"\'\/]/),"word")}function M(V){var ne=function(te,G){for(;!te.eol();)if(te.next()==V){G.tokenize=y;break}return"string"};return ne.isInAttribute=!0,ne}function v(V,ne){return function(te,G){for(;!te.eol();){if(te.match(ne)){G.tokenize=T;break}te.next()}return V}}function A(V){return function(ne,te){for(var G;(G=ne.next())!=null;){if(G=="<")return te.tokenize=A(V+1),te.tokenize(ne,te);if(G==">")if(V==1){te.tokenize=T;break}else return te.tokenize=A(V-1),te.tokenize(ne,te)}return"meta"}}function O(V){return V&&V.toLowerCase()}function N(V,ne,te){this.prev=V.context,this.tagName=ne||"",this.indent=V.indented,this.startOfLine=te,(c.doNotIndent.hasOwnProperty(ne)||V.context&&V.context.noIndent)&&(this.noIndent=!0)}function R(V){V.context&&(V.context=V.context.prev)}function L(V,ne){for(var te;;){if(!V.context||(te=V.context.tagName,!c.contextGrabbers.hasOwnProperty(O(te))||!c.contextGrabbers[O(te)].hasOwnProperty(O(ne))))return;R(V)}}function I(V,ne,te){return V=="openTag"?(te.tagStart=ne.column(),h):V=="closeTag"?k:I}function h(V,ne,te){return V=="word"?(te.tagName=ne.current(),E="tag",K):c.allowMissingTagName&&V=="endTag"?(E="tag bracket",K(V,ne,te)):(E="error",h)}function k(V,ne,te){if(V=="word"){var G=ne.current();return te.context&&te.context.tagName!=G&&c.implicitlyClosed.hasOwnProperty(O(te.context.tagName))&&R(te),te.context&&te.context.tagName==G||c.matchClosing===!1?(E="tag",F):(E="tag error",z)}else return c.allowMissingTagName&&V=="endTag"?(E="tag bracket",F(V,ne,te)):(E="error",z)}function F(V,ne,te){return V!="endTag"?(E="error",F):(R(te),I)}function z(V,ne,te){return E="error",F(V,ne,te)}function K(V,ne,te){if(V=="word")return E="attribute",ue;if(V=="endTag"||V=="selfcloseTag"){var G=te.tagName,se=te.tagStart;return te.tagName=te.tagStart=null,V=="selfcloseTag"||c.autoSelfClosers.hasOwnProperty(O(G))?L(te,G):(L(te,G),te.context=new N(te,G,se==te.indented)),I}return E="error",K}function ue(V,ne,te){return V=="equals"?Z:(c.allowMissing||(E="error"),K(V,ne,te))}function Z(V,ne,te){return V=="string"?fe:V=="word"&&c.allowUnquoted?(E="string",K):(E="error",K(V,ne,te))}function fe(V,ne,te){return V=="string"?fe:K(V,ne,te)}return{startState:function(V){var ne={tokenize:T,state:I,indented:V||0,tagName:null,tagStart:null,context:null};return V!=null&&(ne.baseIndent=V),ne},token:function(V,ne){if(!ne.tagName&&V.sol()&&(ne.indented=V.indentation()),V.eatSpace())return null;_=null;var te=ne.tokenize(V,ne);return(te||_)&&te!="comment"&&(E=null,ne.state=ne.state(_||te,V,ne),E&&(te=E=="error"?te+" error":E)),te},indent:function(V,ne,te){var G=V.context;if(V.tokenize.isInAttribute)return V.tagStart==V.indented?V.stringStartCol+1:V.indented+u;if(G&&G.noIndent)return n.Pass;if(V.tokenize!=y&&V.tokenize!=T)return te?te.match(/^(\s*)/)[0].length:0;if(V.tagName)return c.multilineTagIndentPastTag!==!1?V.tagStart+V.tagName.length+2:V.tagStart+u*(c.multilineTagIndentFactor||1);if(c.alignCDATA&&/<!\[CDATA\[/.test(ne))return 0;var se=ne&&/^<(\/)?([\w_:\.-]*)/.exec(ne);if(se&&se[1])for(;G;)if(G.tagName==se[2]){G=G.prev;break}else if(c.implicitlyClosed.hasOwnProperty(O(G.tagName)))G=G.prev;else break;else if(se)for(;G;){var ve=c.contextGrabbers[O(G.tagName)];if(ve&&ve.hasOwnProperty(O(se[2])))G=G.prev;else break}for(;G&&G.prev&&!G.startOfLine;)G=G.prev;return G?G.indent+u:V.baseIndent||0},electricInput:/<\/[\s\w:]+>$/,blockCommentStart:"<!--",blockCommentEnd:"-->",configuration:c.htmlMode?"html":"xml",helperType:c.htmlMode?"html":"xml",skipAttribute:function(V){V.state==Z&&(V.state=K)},xmlCurrentTag:function(V){return V.tagName?{name:V.tagName,close:V.type=="closeTag"}:null},xmlCurrentContext:function(V){for(var ne=[],te=V.context;te;te=te.prev)ne.push(te.tagName);return ne.reverse()}}}),n.defineMIME("text/xml","xml"),n.defineMIME("application/xml","xml"),n.mimeModes.hasOwnProperty("text/html")||n.defineMIME("text/html",{name:"xml",htmlMode:!0})})})();var aC={exports:{}},oC;function LB(){return oC||(oC=1,function(e,t){(function(n){n(Ci.exports)})(function(n){n.modeInfo=[{name:"APL",mime:"text/apl",mode:"apl",ext:["dyalog","apl"]},{name:"PGP",mimes:["application/pgp","application/pgp-encrypted","application/pgp-keys","application/pgp-signature"],mode:"asciiarmor",ext:["asc","pgp","sig"]},{name:"ASN.1",mime:"text/x-ttcn-asn",mode:"asn.1",ext:["asn","asn1"]},{name:"Asterisk",mime:"text/x-asterisk",mode:"asterisk",file:/^extensions\.conf$/i},{name:"Brainfuck",mime:"text/x-brainfuck",mode:"brainfuck",ext:["b","bf"]},{name:"C",mime:"text/x-csrc",mode:"clike",ext:["c","h","ino"]},{name:"C++",mime:"text/x-c++src",mode:"clike",ext:["cpp","c++","cc","cxx","hpp","h++","hh","hxx"],alias:["cpp"]},{name:"Cobol",mime:"text/x-cobol",mode:"cobol",ext:["cob","cpy","cbl"]},{name:"C#",mime:"text/x-csharp",mode:"clike",ext:["cs"],alias:["csharp","cs"]},{name:"Clojure",mime:"text/x-clojure",mode:"clojure",ext:["clj","cljc","cljx"]},{name:"ClojureScript",mime:"text/x-clojurescript",mode:"clojure",ext:["cljs"]},{name:"Closure Stylesheets (GSS)",mime:"text/x-gss",mode:"css",ext:["gss"]},{name:"CMake",mime:"text/x-cmake",mode:"cmake",ext:["cmake","cmake.in"],file:/^CMakeLists\.txt$/},{name:"CoffeeScript",mimes:["application/vnd.coffeescript","text/coffeescript","text/x-coffeescript"],mode:"coffeescript",ext:["coffee"],alias:["coffee","coffee-script"]},{name:"Common Lisp",mime:"text/x-common-lisp",mode:"commonlisp",ext:["cl","lisp","el"],alias:["lisp"]},{name:"Cypher",mime:"application/x-cypher-query",mode:"cypher",ext:["cyp","cypher"]},{name:"Cython",mime:"text/x-cython",mode:"python",ext:["pyx","pxd","pxi"]},{name:"Crystal",mime:"text/x-crystal",mode:"crystal",ext:["cr"]},{name:"CSS",mime:"text/css",mode:"css",ext:["css"]},{name:"CQL",mime:"text/x-cassandra",mode:"sql",ext:["cql"]},{name:"D",mime:"text/x-d",mode:"d",ext:["d"]},{name:"Dart",mimes:["application/dart","text/x-dart"],mode:"dart",ext:["dart"]},{name:"diff",mime:"text/x-diff",mode:"diff",ext:["diff","patch"]},{name:"Django",mime:"text/x-django",mode:"django"},{name:"Dockerfile",mime:"text/x-dockerfile",mode:"dockerfile",file:/^Dockerfile$/},{name:"DTD",mime:"application/xml-dtd",mode:"dtd",ext:["dtd"]},{name:"Dylan",mime:"text/x-dylan",mode:"dylan",ext:["dylan","dyl","intr"]},{name:"EBNF",mime:"text/x-ebnf",mode:"ebnf"},{name:"ECL",mime:"text/x-ecl",mode:"ecl",ext:["ecl"]},{name:"edn",mime:"application/edn",mode:"clojure",ext:["edn"]},{name:"Eiffel",mime:"text/x-eiffel",mode:"eiffel",ext:["e"]},{name:"Elm",mime:"text/x-elm",mode:"elm",ext:["elm"]},{name:"Embedded JavaScript",mime:"application/x-ejs",mode:"htmlembedded",ext:["ejs"]},{name:"Embedded Ruby",mime:"application/x-erb",mode:"htmlembedded",ext:["erb"]},{name:"Erlang",mime:"text/x-erlang",mode:"erlang",ext:["erl"]},{name:"Esper",mime:"text/x-esper",mode:"sql"},{name:"Factor",mime:"text/x-factor",mode:"factor",ext:["factor"]},{name:"FCL",mime:"text/x-fcl",mode:"fcl"},{name:"Forth",mime:"text/x-forth",mode:"forth",ext:["forth","fth","4th"]},{name:"Fortran",mime:"text/x-fortran",mode:"fortran",ext:["f","for","f77","f90","f95"]},{name:"F#",mime:"text/x-fsharp",mode:"mllike",ext:["fs"],alias:["fsharp"]},{name:"Gas",mime:"text/x-gas",mode:"gas",ext:["s"]},{name:"Gherkin",mime:"text/x-feature",mode:"gherkin",ext:["feature"]},{name:"GitHub Flavored Markdown",mime:"text/x-gfm",mode:"gfm",file:/^(readme|contributing|history)\.md$/i},{name:"Go",mime:"text/x-go",mode:"go",ext:["go"]},{name:"Groovy",mime:"text/x-groovy",mode:"groovy",ext:["groovy","gradle"],file:/^Jenkinsfile$/},{name:"HAML",mime:"text/x-haml",mode:"haml",ext:["haml"]},{name:"Haskell",mime:"text/x-haskell",mode:"haskell",ext:["hs"]},{name:"Haskell (Literate)",mime:"text/x-literate-haskell",mode:"haskell-literate",ext:["lhs"]},{name:"Haxe",mime:"text/x-haxe",mode:"haxe",ext:["hx"]},{name:"HXML",mime:"text/x-hxml",mode:"haxe",ext:["hxml"]},{name:"ASP.NET",mime:"application/x-aspx",mode:"htmlembedded",ext:["aspx"],alias:["asp","aspx"]},{name:"HTML",mime:"text/html",mode:"htmlmixed",ext:["html","htm","handlebars","hbs"],alias:["xhtml"]},{name:"HTTP",mime:"message/http",mode:"http"},{name:"IDL",mime:"text/x-idl",mode:"idl",ext:["pro"]},{name:"Pug",mime:"text/x-pug",mode:"pug",ext:["jade","pug"],alias:["jade"]},{name:"Java",mime:"text/x-java",mode:"clike",ext:["java"]},{name:"Java Server Pages",mime:"application/x-jsp",mode:"htmlembedded",ext:["jsp"],alias:["jsp"]},{name:"JavaScript",mimes:["text/javascript","text/ecmascript","application/javascript","application/x-javascript","application/ecmascript"],mode:"javascript",ext:["js"],alias:["ecmascript","js","node"]},{name:"JSON",mimes:["application/json","application/x-json"],mode:"javascript",ext:["json","map"],alias:["json5"]},{name:"JSON-LD",mime:"application/ld+json",mode:"javascript",ext:["jsonld"],alias:["jsonld"]},{name:"JSX",mime:"text/jsx",mode:"jsx",ext:["jsx"]},{name:"Jinja2",mime:"text/jinja2",mode:"jinja2",ext:["j2","jinja","jinja2"]},{name:"Julia",mime:"text/x-julia",mode:"julia",ext:["jl"],alias:["jl"]},{name:"Kotlin",mime:"text/x-kotlin",mode:"clike",ext:["kt"]},{name:"LESS",mime:"text/x-less",mode:"css",ext:["less"]},{name:"LiveScript",mime:"text/x-livescript",mode:"livescript",ext:["ls"],alias:["ls"]},{name:"Lua",mime:"text/x-lua",mode:"lua",ext:["lua"]},{name:"Markdown",mime:"text/x-markdown",mode:"markdown",ext:["markdown","md","mkd"]},{name:"mIRC",mime:"text/mirc",mode:"mirc"},{name:"MariaDB SQL",mime:"text/x-mariadb",mode:"sql"},{name:"Mathematica",mime:"text/x-mathematica",mode:"mathematica",ext:["m","nb","wl","wls"]},{name:"Modelica",mime:"text/x-modelica",mode:"modelica",ext:["mo"]},{name:"MUMPS",mime:"text/x-mumps",mode:"mumps",ext:["mps"]},{name:"MS SQL",mime:"text/x-mssql",mode:"sql"},{name:"mbox",mime:"application/mbox",mode:"mbox",ext:["mbox"]},{name:"MySQL",mime:"text/x-mysql",mode:"sql"},{name:"Nginx",mime:"text/x-nginx-conf",mode:"nginx",file:/nginx.*\.conf$/i},{name:"NSIS",mime:"text/x-nsis",mode:"nsis",ext:["nsh","nsi"]},{name:"NTriples",mimes:["application/n-triples","application/n-quads","text/n-triples"],mode:"ntriples",ext:["nt","nq"]},{name:"Objective-C",mime:"text/x-objectivec",mode:"clike",ext:["m"],alias:["objective-c","objc"]},{name:"Objective-C++",mime:"text/x-objectivec++",mode:"clike",ext:["mm"],alias:["objective-c++","objc++"]},{name:"OCaml",mime:"text/x-ocaml",mode:"mllike",ext:["ml","mli","mll","mly"]},{name:"Octave",mime:"text/x-octave",mode:"octave",ext:["m"]},{name:"Oz",mime:"text/x-oz",mode:"oz",ext:["oz"]},{name:"Pascal",mime:"text/x-pascal",mode:"pascal",ext:["p","pas"]},{name:"PEG.js",mime:"null",mode:"pegjs",ext:["jsonld"]},{name:"Perl",mime:"text/x-perl",mode:"perl",ext:["pl","pm"]},{name:"PHP",mimes:["text/x-php","application/x-httpd-php","application/x-httpd-php-open"],mode:"php",ext:["php","php3","php4","php5","php7","phtml"]},{name:"Pig",mime:"text/x-pig",mode:"pig",ext:["pig"]},{name:"Plain Text",mime:"text/plain",mode:"null",ext:["txt","text","conf","def","list","log"]},{name:"PLSQL",mime:"text/x-plsql",mode:"sql",ext:["pls"]},{name:"PostgreSQL",mime:"text/x-pgsql",mode:"sql"},{name:"PowerShell",mime:"application/x-powershell",mode:"powershell",ext:["ps1","psd1","psm1"]},{name:"Properties files",mime:"text/x-properties",mode:"properties",ext:["properties","ini","in"],alias:["ini","properties"]},{name:"ProtoBuf",mime:"text/x-protobuf",mode:"protobuf",ext:["proto"]},{name:"Python",mime:"text/x-python",mode:"python",ext:["BUILD","bzl","py","pyw"],file:/^(BUCK|BUILD)$/},{name:"Puppet",mime:"text/x-puppet",mode:"puppet",ext:["pp"]},{name:"Q",mime:"text/x-q",mode:"q",ext:["q"]},{name:"R",mime:"text/x-rsrc",mode:"r",ext:["r","R"],alias:["rscript"]},{name:"reStructuredText",mime:"text/x-rst",mode:"rst",ext:["rst"],alias:["rst"]},{name:"RPM Changes",mime:"text/x-rpm-changes",mode:"rpm"},{name:"RPM Spec",mime:"text/x-rpm-spec",mode:"rpm",ext:["spec"]},{name:"Ruby",mime:"text/x-ruby",mode:"ruby",ext:["rb"],alias:["jruby","macruby","rake","rb","rbx"]},{name:"Rust",mime:"text/x-rustsrc",mode:"rust",ext:["rs"]},{name:"SAS",mime:"text/x-sas",mode:"sas",ext:["sas"]},{name:"Sass",mime:"text/x-sass",mode:"sass",ext:["sass"]},{name:"Scala",mime:"text/x-scala",mode:"clike",ext:["scala"]},{name:"Scheme",mime:"text/x-scheme",mode:"scheme",ext:["scm","ss"]},{name:"SCSS",mime:"text/x-scss",mode:"css",ext:["scss"]},{name:"Shell",mimes:["text/x-sh","application/x-sh"],mode:"shell",ext:["sh","ksh","bash"],alias:["bash","sh","zsh"],file:/^PKGBUILD$/},{name:"Sieve",mime:"application/sieve",mode:"sieve",ext:["siv","sieve"]},{name:"Slim",mimes:["text/x-slim","application/x-slim"],mode:"slim",ext:["slim"]},{name:"Smalltalk",mime:"text/x-stsrc",mode:"smalltalk",ext:["st"]},{name:"Smarty",mime:"text/x-smarty",mode:"smarty",ext:["tpl"]},{name:"Solr",mime:"text/x-solr",mode:"solr"},{name:"SML",mime:"text/x-sml",mode:"mllike",ext:["sml","sig","fun","smackspec"]},{name:"Soy",mime:"text/x-soy",mode:"soy",ext:["soy"],alias:["closure template"]},{name:"SPARQL",mime:"application/sparql-query",mode:"sparql",ext:["rq","sparql"],alias:["sparul"]},{name:"Spreadsheet",mime:"text/x-spreadsheet",mode:"spreadsheet",alias:["excel","formula"]},{name:"SQL",mime:"text/x-sql",mode:"sql",ext:["sql"]},{name:"SQLite",mime:"text/x-sqlite",mode:"sql"},{name:"Squirrel",mime:"text/x-squirrel",mode:"clike",ext:["nut"]},{name:"Stylus",mime:"text/x-styl",mode:"stylus",ext:["styl"]},{name:"Swift",mime:"text/x-swift",mode:"swift",ext:["swift"]},{name:"sTeX",mime:"text/x-stex",mode:"stex"},{name:"LaTeX",mime:"text/x-latex",mode:"stex",ext:["text","ltx","tex"],alias:["tex"]},{name:"SystemVerilog",mime:"text/x-systemverilog",mode:"verilog",ext:["v","sv","svh"]},{name:"Tcl",mime:"text/x-tcl",mode:"tcl",ext:["tcl"]},{name:"Textile",mime:"text/x-textile",mode:"textile",ext:["textile"]},{name:"TiddlyWiki",mime:"text/x-tiddlywiki",mode:"tiddlywiki"},{name:"Tiki wiki",mime:"text/tiki",mode:"tiki"},{name:"TOML",mime:"text/x-toml",mode:"toml",ext:["toml"]},{name:"Tornado",mime:"text/x-tornado",mode:"tornado"},{name:"troff",mime:"text/troff",mode:"troff",ext:["1","2","3","4","5","6","7","8","9"]},{name:"TTCN",mime:"text/x-ttcn",mode:"ttcn",ext:["ttcn","ttcn3","ttcnpp"]},{name:"TTCN_CFG",mime:"text/x-ttcn-cfg",mode:"ttcn-cfg",ext:["cfg"]},{name:"Turtle",mime:"text/turtle",mode:"turtle",ext:["ttl"]},{name:"TypeScript",mime:"application/typescript",mode:"javascript",ext:["ts"],alias:["ts"]},{name:"TypeScript-JSX",mime:"text/typescript-jsx",mode:"jsx",ext:["tsx"],alias:["tsx"]},{name:"Twig",mime:"text/x-twig",mode:"twig"},{name:"Web IDL",mime:"text/x-webidl",mode:"webidl",ext:["webidl"]},{name:"VB.NET",mime:"text/x-vb",mode:"vb",ext:["vb"]},{name:"VBScript",mime:"text/vbscript",mode:"vbscript",ext:["vbs"]},{name:"Velocity",mime:"text/velocity",mode:"velocity",ext:["vtl"]},{name:"Verilog",mime:"text/x-verilog",mode:"verilog",ext:["v"]},{name:"VHDL",mime:"text/x-vhdl",mode:"vhdl",ext:["vhd","vhdl"]},{name:"Vue.js Component",mimes:["script/x-vue","text/x-vue"],mode:"vue",ext:["vue"]},{name:"XML",mimes:["application/xml","text/xml"],mode:"xml",ext:["xml","xsl","xsd","svg"],alias:["rss","wsdl","xsd"]},{name:"XQuery",mime:"application/xquery",mode:"xquery",ext:["xy","xquery"]},{name:"Yacas",mime:"text/x-yacas",mode:"yacas",ext:["ys"]},{name:"YAML",mimes:["text/x-yaml","text/yaml"],mode:"yaml",ext:["yaml","yml"],alias:["yml"]},{name:"Z80",mime:"text/x-z80",mode:"z80",ext:["z80"]},{name:"mscgen",mime:"text/x-mscgen",mode:"mscgen",ext:["mscgen","mscin","msc"]},{name:"xu",mime:"text/x-xu",mode:"mscgen",ext:["xu"]},{name:"msgenny",mime:"text/x-msgenny",mode:"mscgen",ext:["msgenny"]},{name:"WebAssembly",mime:"text/webassembly",mode:"wast",ext:["wat","wast"]}];for(var r=0;r<n.modeInfo.length;r++){var a=n.modeInfo[r];a.mimes&&(a.mime=a.mimes[0])}n.findModeByMIME=function(o){o=o.toLowerCase();for(var l=0;l<n.modeInfo.length;l++){var u=n.modeInfo[l];if(u.mime==o)return u;if(u.mimes){for(var c=0;c<u.mimes.length;c++)if(u.mimes[c]==o)return u}}if(/\+xml$/.test(o))return n.findModeByMIME("application/xml");if(/\+json$/.test(o))return n.findModeByMIME("application/json")},n.findModeByExtension=function(o){o=o.toLowerCase();for(var l=0;l<n.modeInfo.length;l++){var u=n.modeInfo[l];if(u.ext){for(var c=0;c<u.ext.length;c++)if(u.ext[c]==o)return u}}},n.findModeByFileName=function(o){for(var l=0;l<n.modeInfo.length;l++){var u=n.modeInfo[l];if(u.file&&u.file.test(o))return u}var c=o.lastIndexOf("."),d=c>-1&&o.substring(c+1,o.length);if(d)return n.findModeByExtension(d)},n.findModeByName=function(o){o=o.toLowerCase();for(var l=0;l<n.modeInfo.length;l++){var u=n.modeInfo[l];if(u.name.toLowerCase()==o)return u;if(u.alias){for(var c=0;c<u.alias.length;c++)if(u.alias[c].toLowerCase()==o)return u}}}})}()),aC.exports}(function(e,t){(function(n){n(Ci.exports,wB.exports,LB())})(function(n){n.defineMode("markdown",function(r,a){var o=n.getMode(r,"text/html"),l=o.name=="null";function u(oe){if(n.findModeByName){var W=n.findModeByName(oe);W&&(oe=W.mime||W.mimes[0])}var Oe=n.getMode(r,oe);return Oe.name=="null"?null:Oe}a.highlightFormatting===void 0&&(a.highlightFormatting=!1),a.maxBlockquoteDepth===void 0&&(a.maxBlockquoteDepth=0),a.taskLists===void 0&&(a.taskLists=!1),a.strikethrough===void 0&&(a.strikethrough=!1),a.emoji===void 0&&(a.emoji=!1),a.fencedCodeBlockHighlighting===void 0&&(a.fencedCodeBlockHighlighting=!0),a.fencedCodeBlockDefaultMode===void 0&&(a.fencedCodeBlockDefaultMode="text/plain"),a.xml===void 0&&(a.xml=!0),a.tokenTypeOverrides===void 0&&(a.tokenTypeOverrides={});var c={header:"header",code:"comment",quote:"quote",list1:"variable-2",list2:"variable-3",list3:"keyword",hr:"hr",image:"image",imageAltText:"image-alt-text",imageMarker:"image-marker",formatting:"formatting",linkInline:"link",linkEmail:"link",linkText:"link",linkHref:"string",em:"em",strong:"strong",strikethrough:"strikethrough",emoji:"builtin"};for(var d in c)c.hasOwnProperty(d)&&a.tokenTypeOverrides[d]&&(c[d]=a.tokenTypeOverrides[d]);var S=/^([*\-_])(?:\s*\1){2,}\s*$/,_=/^(?:[*\-+]|^[0-9]+([.)]))\s+/,E=/^\[(x| )\](?=\s)/i,T=a.allowAtxHeaderWithoutSpace?/^(#+)/:/^(#+)(?: |$)/,y=/^ {0,3}(?:\={1,}|-{2,})\s*$/,M=/^[^#!\[\]*_\\<>` "'(~:]+/,v=/^(~~~+|```+)[ \t]*([\w\/+#-]*)[^\n`]*$/,A=/^\s*\[[^\]]+?\]:.*$/,O=/[!"#$%&'()*+,\-.\/:;<=>?@\[\\\]^_`{|}~\xA1\xA7\xAB\xB6\xB7\xBB\xBF\u037E\u0387\u055A-\u055F\u0589\u058A\u05BE\u05C0\u05C3\u05C6\u05F3\u05F4\u0609\u060A\u060C\u060D\u061B\u061E\u061F\u066A-\u066D\u06D4\u0700-\u070D\u07F7-\u07F9\u0830-\u083E\u085E\u0964\u0965\u0970\u0AF0\u0DF4\u0E4F\u0E5A\u0E5B\u0F04-\u0F12\u0F14\u0F3A-\u0F3D\u0F85\u0FD0-\u0FD4\u0FD9\u0FDA\u104A-\u104F\u10FB\u1360-\u1368\u1400\u166D\u166E\u169B\u169C\u16EB-\u16ED\u1735\u1736\u17D4-\u17D6\u17D8-\u17DA\u1800-\u180A\u1944\u1945\u1A1E\u1A1F\u1AA0-\u1AA6\u1AA8-\u1AAD\u1B5A-\u1B60\u1BFC-\u1BFF\u1C3B-\u1C3F\u1C7E\u1C7F\u1CC0-\u1CC7\u1CD3\u2010-\u2027\u2030-\u2043\u2045-\u2051\u2053-\u205E\u207D\u207E\u208D\u208E\u2308-\u230B\u2329\u232A\u2768-\u2775\u27C5\u27C6\u27E6-\u27EF\u2983-\u2998\u29D8-\u29DB\u29FC\u29FD\u2CF9-\u2CFC\u2CFE\u2CFF\u2D70\u2E00-\u2E2E\u2E30-\u2E42\u3001-\u3003\u3008-\u3011\u3014-\u301F\u3030\u303D\u30A0\u30FB\uA4FE\uA4FF\uA60D-\uA60F\uA673\uA67E\uA6F2-\uA6F7\uA874-\uA877\uA8CE\uA8CF\uA8F8-\uA8FA\uA8FC\uA92E\uA92F\uA95F\uA9C1-\uA9CD\uA9DE\uA9DF\uAA5C-\uAA5F\uAADE\uAADF\uAAF0\uAAF1\uABEB\uFD3E\uFD3F\uFE10-\uFE19\uFE30-\uFE52\uFE54-\uFE61\uFE63\uFE68\uFE6A\uFE6B\uFF01-\uFF03\uFF05-\uFF0A\uFF0C-\uFF0F\uFF1A\uFF1B\uFF1F\uFF20\uFF3B-\uFF3D\uFF3F\uFF5B\uFF5D\uFF5F-\uFF65]|\uD800[\uDD00-\uDD02\uDF9F\uDFD0]|\uD801\uDD6F|\uD802[\uDC57\uDD1F\uDD3F\uDE50-\uDE58\uDE7F\uDEF0-\uDEF6\uDF39-\uDF3F\uDF99-\uDF9C]|\uD804[\uDC47-\uDC4D\uDCBB\uDCBC\uDCBE-\uDCC1\uDD40-\uDD43\uDD74\uDD75\uDDC5-\uDDC9\uDDCD\uDDDB\uDDDD-\uDDDF\uDE38-\uDE3D\uDEA9]|\uD805[\uDCC6\uDDC1-\uDDD7\uDE41-\uDE43\uDF3C-\uDF3E]|\uD809[\uDC70-\uDC74]|\uD81A[\uDE6E\uDE6F\uDEF5\uDF37-\uDF3B\uDF44]|\uD82F\uDC9F|\uD836[\uDE87-\uDE8B]/,N="    ";function R(oe,W,Oe){return W.f=W.inline=Oe,Oe(oe,W)}function L(oe,W,Oe){return W.f=W.block=Oe,Oe(oe,W)}function I(oe){return!oe||!/\S/.test(oe.string)}function h(oe){if(oe.linkTitle=!1,oe.linkHref=!1,oe.linkText=!1,oe.em=!1,oe.strong=!1,oe.strikethrough=!1,oe.quote=0,oe.indentedCode=!1,oe.f==F){var W=l;if(!W){var Oe=n.innerMode(o,oe.htmlState);W=Oe.mode.name=="xml"&&Oe.state.tagStart===null&&!Oe.state.context&&Oe.state.tokenize.isInText}W&&(oe.f=Z,oe.block=k,oe.htmlState=null)}return oe.trailingSpace=0,oe.trailingSpaceNewLine=!1,oe.prevLine=oe.thisLine,oe.thisLine={stream:null},null}function k(oe,W){var Oe=oe.column()===W.indentation,tt=I(W.prevLine.stream),rt=W.indentedCode,bt=W.prevLine.hr,dt=W.list!==!1,ct=(W.listStack[W.listStack.length-1]||0)+3;W.indentedCode=!1;var Ze=W.indentation;if(W.indentationDiff===null&&(W.indentationDiff=W.indentation,dt)){for(W.list=null;Ze<W.listStack[W.listStack.length-1];)W.listStack.pop(),W.listStack.length?W.indentation=W.listStack[W.listStack.length-1]:W.list=!1;W.list!==!1&&(W.indentationDiff=Ze-W.listStack[W.listStack.length-1])}var nt=!tt&&!bt&&!W.prevLine.header&&(!dt||!rt)&&!W.prevLine.fencedCodeEnd,ce=(W.list===!1||bt||tt)&&W.indentation<=ct&&oe.match(S),Ee=null;if(W.indentationDiff>=4&&(rt||W.prevLine.fencedCodeEnd||W.prevLine.header||tt))return oe.skipToEnd(),W.indentedCode=!0,c.code;if(oe.eatSpace())return null;if(Oe&&W.indentation<=ct&&(Ee=oe.match(T))&&Ee[1].length<=6)return W.quote=0,W.header=Ee[1].length,W.thisLine.header=!0,a.highlightFormatting&&(W.formatting="header"),W.f=W.inline,K(W);if(W.indentation<=ct&&oe.eat(">"))return W.quote=Oe?1:W.quote+1,a.highlightFormatting&&(W.formatting="quote"),oe.eatSpace(),K(W);if(!ce&&!W.setext&&Oe&&W.indentation<=ct&&(Ee=oe.match(_))){var He=Ee[1]?"ol":"ul";return W.indentation=Ze+oe.current().length,W.list=!0,W.quote=0,W.listStack.push(W.indentation),W.em=!1,W.strong=!1,W.code=!1,W.strikethrough=!1,a.taskLists&&oe.match(E,!1)&&(W.taskList=!0),W.f=W.inline,a.highlightFormatting&&(W.formatting=["list","list-"+He]),K(W)}else{if(Oe&&W.indentation<=ct&&(Ee=oe.match(v,!0)))return W.quote=0,W.fencedEndRE=new RegExp(Ee[1]+"+ *$"),W.localMode=a.fencedCodeBlockHighlighting&&u(Ee[2]||a.fencedCodeBlockDefaultMode),W.localMode&&(W.localState=n.startState(W.localMode)),W.f=W.block=z,a.highlightFormatting&&(W.formatting="code-block"),W.code=-1,K(W);if(W.setext||(!nt||!dt)&&!W.quote&&W.list===!1&&!W.code&&!ce&&!A.test(oe.string)&&(Ee=oe.lookAhead(1))&&(Ee=Ee.match(y)))return W.setext?(W.header=W.setext,W.setext=0,oe.skipToEnd(),a.highlightFormatting&&(W.formatting="header")):(W.header=Ee[0].charAt(0)=="="?1:2,W.setext=W.header),W.thisLine.header=!0,W.f=W.inline,K(W);if(ce)return oe.skipToEnd(),W.hr=!0,W.thisLine.hr=!0,c.hr;if(oe.peek()==="[")return R(oe,W,G)}return R(oe,W,W.inline)}function F(oe,W){var Oe=o.token(oe,W.htmlState);if(!l){var tt=n.innerMode(o,W.htmlState);(tt.mode.name=="xml"&&tt.state.tagStart===null&&!tt.state.context&&tt.state.tokenize.isInText||W.md_inside&&oe.current().indexOf(">")>-1)&&(W.f=Z,W.block=k,W.htmlState=null)}return Oe}function z(oe,W){var Oe=W.listStack[W.listStack.length-1]||0,tt=W.indentation<Oe,rt=Oe+3;if(W.fencedEndRE&&W.indentation<=rt&&(tt||oe.match(W.fencedEndRE))){a.highlightFormatting&&(W.formatting="code-block");var bt;return tt||(bt=K(W)),W.localMode=W.localState=null,W.block=k,W.f=Z,W.fencedEndRE=null,W.code=0,W.thisLine.fencedCodeEnd=!0,tt?L(oe,W,W.block):bt}else return W.localMode?W.localMode.token(oe,W.localState):(oe.skipToEnd(),c.code)}function K(oe){var W=[];if(oe.formatting){W.push(c.formatting),typeof oe.formatting=="string"&&(oe.formatting=[oe.formatting]);for(var Oe=0;Oe<oe.formatting.length;Oe++)W.push(c.formatting+"-"+oe.formatting[Oe]),oe.formatting[Oe]==="header"&&W.push(c.formatting+"-"+oe.formatting[Oe]+"-"+oe.header),oe.formatting[Oe]==="quote"&&(!a.maxBlockquoteDepth||a.maxBlockquoteDepth>=oe.quote?W.push(c.formatting+"-"+oe.formatting[Oe]+"-"+oe.quote):W.push("error"))}if(oe.taskOpen)return W.push("meta"),W.length?W.join(" "):null;if(oe.taskClosed)return W.push("property"),W.length?W.join(" "):null;if(oe.linkHref?W.push(c.linkHref,"url"):(oe.strong&&W.push(c.strong),oe.em&&W.push(c.em),oe.strikethrough&&W.push(c.strikethrough),oe.emoji&&W.push(c.emoji),oe.linkText&&W.push(c.linkText),oe.code&&W.push(c.code),oe.image&&W.push(c.image),oe.imageAltText&&W.push(c.imageAltText,"link"),oe.imageMarker&&W.push(c.imageMarker)),oe.header&&W.push(c.header,c.header+"-"+oe.header),oe.quote&&(W.push(c.quote),!a.maxBlockquoteDepth||a.maxBlockquoteDepth>=oe.quote?W.push(c.quote+"-"+oe.quote):W.push(c.quote+"-"+a.maxBlockquoteDepth)),oe.list!==!1){var tt=(oe.listStack.length-1)%3;tt?tt===1?W.push(c.list2):W.push(c.list3):W.push(c.list1)}return oe.trailingSpaceNewLine?W.push("trailing-space-new-line"):oe.trailingSpace&&W.push("trailing-space-"+(oe.trailingSpace%2?"a":"b")),W.length?W.join(" "):null}function ue(oe,W){if(oe.match(M,!0))return K(W)}function Z(oe,W){var Oe=W.text(oe,W);if(typeof Oe<"u")return Oe;if(W.list)return W.list=null,K(W);if(W.taskList){var tt=oe.match(E,!0)[1]===" ";return tt?W.taskOpen=!0:W.taskClosed=!0,a.highlightFormatting&&(W.formatting="task"),W.taskList=!1,K(W)}if(W.taskOpen=!1,W.taskClosed=!1,W.header&&oe.match(/^#+$/,!0))return a.highlightFormatting&&(W.formatting="header"),K(W);var rt=oe.next();if(W.linkTitle){W.linkTitle=!1;var bt=rt;rt==="("&&(bt=")"),bt=(bt+"").replace(/([.?*+^\[\]\\(){}|-])/g,"\\$1");var dt="^\\s*(?:[^"+bt+"\\\\]+|\\\\\\\\|\\\\.)"+bt;if(oe.match(new RegExp(dt),!0))return c.linkHref}if(rt==="`"){var ct=W.formatting;a.highlightFormatting&&(W.formatting="code"),oe.eatWhile("`");var Ze=oe.current().length;if(W.code==0&&(!W.quote||Ze==1))return W.code=Ze,K(W);if(Ze==W.code){var nt=K(W);return W.code=0,nt}else return W.formatting=ct,K(W)}else if(W.code)return K(W);if(rt==="\\"&&(oe.next(),a.highlightFormatting)){var ce=K(W),Ee=c.formatting+"-escape";return ce?ce+" "+Ee:Ee}if(rt==="!"&&oe.match(/\[[^\]]*\] ?(?:\(|\[)/,!1))return W.imageMarker=!0,W.image=!0,a.highlightFormatting&&(W.formatting="image"),K(W);if(rt==="["&&W.imageMarker&&oe.match(/[^\]]*\](\(.*?\)| ?\[.*?\])/,!1))return W.imageMarker=!1,W.imageAltText=!0,a.highlightFormatting&&(W.formatting="image"),K(W);if(rt==="]"&&W.imageAltText){a.highlightFormatting&&(W.formatting="image");var ce=K(W);return W.imageAltText=!1,W.image=!1,W.inline=W.f=V,ce}if(rt==="["&&!W.image)return W.linkText&&oe.match(/^.*?\]/)||(W.linkText=!0,a.highlightFormatting&&(W.formatting="link")),K(W);if(rt==="]"&&W.linkText){a.highlightFormatting&&(W.formatting="link");var ce=K(W);return W.linkText=!1,W.inline=W.f=oe.match(/\(.*?\)| ?\[.*?\]/,!1)?V:Z,ce}if(rt==="<"&&oe.match(/^(https?|ftps?):\/\/(?:[^\\>]|\\.)+>/,!1)){W.f=W.inline=fe,a.highlightFormatting&&(W.formatting="link");var ce=K(W);return ce?ce+=" ":ce="",ce+c.linkInline}if(rt==="<"&&oe.match(/^[^> \\]+@(?:[^\\>]|\\.)+>/,!1)){W.f=W.inline=fe,a.highlightFormatting&&(W.formatting="link");var ce=K(W);return ce?ce+=" ":ce="",ce+c.linkEmail}if(a.xml&&rt==="<"&&oe.match(/^(!--|\?|!\[CDATA\[|[a-z][a-z0-9-]*(?:\s+[a-z_:.\-]+(?:\s*=\s*[^>]+)?)*\s*(?:>|$))/i,!1)){var He=oe.string.indexOf(">",oe.pos);if(He!=-1){var we=oe.string.substring(oe.start,He);/markdown\s*=\s*('|"){0,1}1('|"){0,1}/.test(we)&&(W.md_inside=!0)}return oe.backUp(1),W.htmlState=n.startState(o),L(oe,W,F)}if(a.xml&&rt==="<"&&oe.match(/^\/\w*?>/))return W.md_inside=!1,"tag";if(rt==="*"||rt==="_"){for(var ze=1,pe=oe.pos==1?" ":oe.string.charAt(oe.pos-2);ze<3&&oe.eat(rt);)ze++;var Re=oe.peek()||" ",Ne=!/\s/.test(Re)&&(!O.test(Re)||/\s/.test(pe)||O.test(pe)),Ie=!/\s/.test(pe)&&(!O.test(pe)||/\s/.test(Re)||O.test(Re)),Ue=null,Ve=null;if(ze%2&&(!W.em&&Ne&&(rt==="*"||!Ie||O.test(pe))?Ue=!0:W.em==rt&&Ie&&(rt==="*"||!Ne||O.test(Re))&&(Ue=!1)),ze>1&&(!W.strong&&Ne&&(rt==="*"||!Ie||O.test(pe))?Ve=!0:W.strong==rt&&Ie&&(rt==="*"||!Ne||O.test(Re))&&(Ve=!1)),Ve!=null||Ue!=null){a.highlightFormatting&&(W.formatting=Ue==null?"strong":Ve==null?"em":"strong em"),Ue===!0&&(W.em=rt),Ve===!0&&(W.strong=rt);var nt=K(W);return Ue===!1&&(W.em=!1),Ve===!1&&(W.strong=!1),nt}}else if(rt===" "&&(oe.eat("*")||oe.eat("_"))){if(oe.peek()===" ")return K(W);oe.backUp(1)}if(a.strikethrough){if(rt==="~"&&oe.eatWhile(rt)){if(W.strikethrough){a.highlightFormatting&&(W.formatting="strikethrough");var nt=K(W);return W.strikethrough=!1,nt}else if(oe.match(/^[^\s]/,!1))return W.strikethrough=!0,a.highlightFormatting&&(W.formatting="strikethrough"),K(W)}else if(rt===" "&&oe.match("~~",!0)){if(oe.peek()===" ")return K(W);oe.backUp(2)}}if(a.emoji&&rt===":"&&oe.match(/^(?:[a-z_\d+][a-z_\d+-]*|\-[a-z_\d+][a-z_\d+-]*):/)){W.emoji=!0,a.highlightFormatting&&(W.formatting="emoji");var lt=K(W);return W.emoji=!1,lt}return rt===" "&&(oe.match(/^ +$/,!1)?W.trailingSpace++:W.trailingSpace&&(W.trailingSpaceNewLine=!0)),K(W)}function fe(oe,W){var Oe=oe.next();if(Oe===">"){W.f=W.inline=Z,a.highlightFormatting&&(W.formatting="link");var tt=K(W);return tt?tt+=" ":tt="",tt+c.linkInline}return oe.match(/^[^>]+/,!0),c.linkInline}function V(oe,W){if(oe.eatSpace())return null;var Oe=oe.next();return Oe==="("||Oe==="["?(W.f=W.inline=te(Oe==="("?")":"]"),a.highlightFormatting&&(W.formatting="link-string"),W.linkHref=!0,K(W)):"error"}var ne={")":/^(?:[^\\\(\)]|\\.|\((?:[^\\\(\)]|\\.)*\))*?(?=\))/,"]":/^(?:[^\\\[\]]|\\.|\[(?:[^\\\[\]]|\\.)*\])*?(?=\])/};function te(oe){return function(W,Oe){var tt=W.next();if(tt===oe){Oe.f=Oe.inline=Z,a.highlightFormatting&&(Oe.formatting="link-string");var rt=K(Oe);return Oe.linkHref=!1,rt}return W.match(ne[oe]),Oe.linkHref=!0,K(Oe)}}function G(oe,W){return oe.match(/^([^\]\\]|\\.)*\]:/,!1)?(W.f=se,oe.next(),a.highlightFormatting&&(W.formatting="link"),W.linkText=!0,K(W)):R(oe,W,Z)}function se(oe,W){if(oe.match("]:",!0)){W.f=W.inline=ve,a.highlightFormatting&&(W.formatting="link");var Oe=K(W);return W.linkText=!1,Oe}return oe.match(/^([^\]\\]|\\.)+/,!0),c.linkText}function ve(oe,W){return oe.eatSpace()?null:(oe.match(/^[^\s]+/,!0),oe.peek()===void 0?W.linkTitle=!0:oe.match(/^(?:\s+(?:"(?:[^"\\]|\\.)+"|'(?:[^'\\]|\\.)+'|\((?:[^)\\]|\\.)+\)))?/,!0),W.f=W.inline=Z,c.linkHref+" url")}var Ge={startState:function(){return{f:k,prevLine:{stream:null},thisLine:{stream:null},block:k,htmlState:null,indentation:0,inline:Z,text:ue,formatting:!1,linkText:!1,linkHref:!1,linkTitle:!1,code:0,em:!1,strong:!1,header:0,setext:0,hr:!1,taskList:!1,list:!1,listStack:[],quote:0,trailingSpace:0,trailingSpaceNewLine:!1,strikethrough:!1,emoji:!1,fencedEndRE:null}},copyState:function(oe){return{f:oe.f,prevLine:oe.prevLine,thisLine:oe.thisLine,block:oe.block,htmlState:oe.htmlState&&n.copyState(o,oe.htmlState),indentation:oe.indentation,localMode:oe.localMode,localState:oe.localMode?n.copyState(oe.localMode,oe.localState):null,inline:oe.inline,text:oe.text,formatting:!1,linkText:oe.linkText,linkTitle:oe.linkTitle,linkHref:oe.linkHref,code:oe.code,em:oe.em,strong:oe.strong,strikethrough:oe.strikethrough,emoji:oe.emoji,header:oe.header,setext:oe.setext,hr:oe.hr,taskList:oe.taskList,list:oe.list,listStack:oe.listStack.slice(0),quote:oe.quote,indentedCode:oe.indentedCode,trailingSpace:oe.trailingSpace,trailingSpaceNewLine:oe.trailingSpaceNewLine,md_inside:oe.md_inside,fencedEndRE:oe.fencedEndRE}},token:function(oe,W){if(W.formatting=!1,oe!=W.thisLine.stream){if(W.header=0,W.hr=!1,oe.match(/^\s*$/,!0))return h(W),null;if(W.prevLine=W.thisLine,W.thisLine={stream:oe},W.taskList=!1,W.trailingSpace=0,W.trailingSpaceNewLine=!1,!W.localState&&(W.f=W.block,W.f!=F)){var Oe=oe.match(/^\s*/,!0)[0].replace(/\t/g,N).length;if(W.indentation=Oe,W.indentationDiff=null,Oe>0)return null}}return W.f(oe,W)},innerMode:function(oe){return oe.block==F?{state:oe.htmlState,mode:o}:oe.localState?{state:oe.localState,mode:oe.localMode}:{state:oe,mode:Ge}},indent:function(oe,W,Oe){return oe.block==F&&o.indent?o.indent(oe.htmlState,W,Oe):oe.localState&&oe.localMode.indent?oe.localMode.indent(oe.localState,W,Oe):n.Pass},blankLine:h,getType:K,blockCommentStart:"<!--",blockCommentEnd:"-->",closeBrackets:"()[]{}''\"\"``",fold:"markdown"};return Ge},"xml"),n.defineMIME("text/markdown","markdown"),n.defineMIME("text/x-markdown","markdown")})})();var MB={exports:{}};(function(e,t){(function(n){n(Ci.exports)})(function(n){n.overlayMode=function(r,a,o){return{startState:function(){return{base:n.startState(r),overlay:n.startState(a),basePos:0,baseCur:null,overlayPos:0,overlayCur:null,streamSeen:null}},copyState:function(l){return{base:n.copyState(r,l.base),overlay:n.copyState(a,l.overlay),basePos:l.basePos,baseCur:null,overlayPos:l.overlayPos,overlayCur:null}},token:function(l,u){return(l!=u.streamSeen||Math.min(u.basePos,u.overlayPos)<l.start)&&(u.streamSeen=l,u.basePos=u.overlayPos=l.start),l.start==u.basePos&&(u.baseCur=r.token(l,u.base),u.basePos=l.pos),l.start==u.overlayPos&&(l.pos=l.start,u.overlayCur=a.token(l,u.overlay),u.overlayPos=l.pos),l.pos=Math.min(u.basePos,u.overlayPos),u.overlayCur==null?u.baseCur:u.baseCur!=null&&u.overlay.combineTokens||o&&u.overlay.combineTokens==null?u.baseCur+" "+u.overlayCur:u.overlayCur},indent:r.indent&&function(l,u,c){return r.indent(l.base,u,c)},electricChars:r.electricChars,innerMode:function(l){return{state:l.base,mode:r}},blankLine:function(l){var u,c;return r.blankLine&&(u=r.blankLine(l.base)),a.blankLine&&(c=a.blankLine(l.overlay)),c==null?u:o&&u!=null?u+" "+c:c}}}})})();(function(e,t){(function(n){n(Ci.exports)})(function(n){n.defineOption("placeholder","",function(d,S,_){var E=_&&_!=n.Init;if(S&&!E)d.on("blur",l),d.on("change",u),d.on("swapDoc",u),n.on(d.getInputField(),"compositionupdate",d.state.placeholderCompose=function(){o(d)}),u(d);else if(!S&&E){d.off("blur",l),d.off("change",u),d.off("swapDoc",u),n.off(d.getInputField(),"compositionupdate",d.state.placeholderCompose),r(d);var T=d.getWrapperElement();T.className=T.className.replace(" CodeMirror-empty","")}S&&!d.hasFocus()&&l(d)});function r(d){d.state.placeholder&&(d.state.placeholder.parentNode.removeChild(d.state.placeholder),d.state.placeholder=null)}function a(d){r(d);var S=d.state.placeholder=document.createElement("pre");S.style.cssText="height: 0; overflow: visible",S.style.direction=d.getOption("direction"),S.className="CodeMirror-placeholder CodeMirror-line-like";var _=d.getOption("placeholder");typeof _=="string"&&(_=document.createTextNode(_)),S.appendChild(_),d.display.lineSpace.insertBefore(S,d.display.lineSpace.firstChild)}function o(d){setTimeout(function(){var S=!1;if(d.lineCount()==1){var _=d.getInputField();S=_.nodeName=="TEXTAREA"?!d.getLine(0).length:!/[^\u200b]/.test(_.querySelector(".CodeMirror-line").textContent)}S?a(d):r(d)},20)}function l(d){c(d)&&a(d)}function u(d){var S=d.getWrapperElement(),_=c(d);S.className=S.className.replace(" CodeMirror-empty","")+(_?" CodeMirror-empty":""),_?a(d):r(d)}function c(d){return d.lineCount()===1&&d.getLine(0)===""}})})();(function(e,t){(function(n){n(Ci.exports)})(function(n){n.defineOption("autoRefresh",!1,function(o,l){o.state.autoRefresh&&(a(o,o.state.autoRefresh),o.state.autoRefresh=null),l&&o.display.wrapper.offsetHeight==0&&r(o,o.state.autoRefresh={delay:l.delay||250})});function r(o,l){function u(){o.display.wrapper.offsetHeight?(a(o,l),o.display.lastWrapHeight!=o.display.wrapper.clientHeight&&o.refresh()):l.timeout=setTimeout(u,l.delay)}l.timeout=setTimeout(u,l.delay),l.hurry=function(){clearTimeout(l.timeout),l.timeout=setTimeout(u,50)},n.on(window,"mouseup",l.hurry),n.on(window,"keyup",l.hurry)}function a(o,l){clearTimeout(l.timeout),n.off(window,"mouseup",l.hurry),n.off(window,"keyup",l.hurry)}})})();(function(e,t){(function(n){n(Ci.exports)})(function(n){n.defineOption("styleSelectedText",!1,function(E,T,y){var M=y&&y!=n.Init;T&&!M?(E.state.markedSelection=[],E.state.markedSelectionStyle=typeof T=="string"?T:"CodeMirror-selectedtext",S(E),E.on("cursorActivity",r),E.on("change",a)):!T&&M&&(E.off("cursorActivity",r),E.off("change",a),d(E),E.state.markedSelection=E.state.markedSelectionStyle=null)});function r(E){E.state.markedSelection&&E.operation(function(){_(E)})}function a(E){E.state.markedSelection&&E.state.markedSelection.length&&E.operation(function(){d(E)})}var o=8,l=n.Pos,u=n.cmpPos;function c(E,T,y,M){if(u(T,y)!=0)for(var v=E.state.markedSelection,A=E.state.markedSelectionStyle,O=T.line;;){var N=O==T.line?T:l(O,0),R=O+o,L=R>=y.line,I=L?y:l(R,0),h=E.markText(N,I,{className:A});if(M==null?v.push(h):v.splice(M++,0,h),L)break;O=R}}function d(E){for(var T=E.state.markedSelection,y=0;y<T.length;++y)T[y].clear();T.length=0}function S(E){d(E);for(var T=E.listSelections(),y=0;y<T.length;y++)c(E,T[y].from(),T[y].to())}function _(E){if(!E.somethingSelected())return d(E);if(E.listSelections().length>1)return S(E);var T=E.getCursor("start"),y=E.getCursor("end"),M=E.state.markedSelection;if(!M.length)return c(E,T,y);var v=M[0].find(),A=M[M.length-1].find();if(!v||!A||y.line-T.line<=o||u(T,A.to)>=0||u(y,v.from)<=0)return S(E);for(;u(T,v.from)>0;)M.shift().clear(),v=M[0].find();for(u(T,v.from)<0&&(v.to.line-T.line<o?(M.shift().clear(),c(E,T,v.to,0)):c(E,T,v.from,0));u(y,A.to)<0;)M.pop().clear(),A=M[M.length-1].find();u(y,A.to)>0&&(y.line-A.from.line<o?(M.pop().clear(),c(E,A.from,y)):c(E,A.to,y))}})})();(function(e,t){(function(n){n(Ci.exports)})(function(n){var r=n.Pos;function a(O){var N=O.flags;return N!=null?N:(O.ignoreCase?"i":"")+(O.global?"g":"")+(O.multiline?"m":"")}function o(O,N){for(var R=a(O),L=R,I=0;I<N.length;I++)L.indexOf(N.charAt(I))==-1&&(L+=N.charAt(I));return R==L?O:new RegExp(O.source,L)}function l(O){return/\\s|\\n|\n|\\W|\\D|\[\^/.test(O.source)}function u(O,N,R){N=o(N,"g");for(var L=R.line,I=R.ch,h=O.lastLine();L<=h;L++,I=0){N.lastIndex=I;var k=O.getLine(L),F=N.exec(k);if(F)return{from:r(L,F.index),to:r(L,F.index+F[0].length),match:F}}}function c(O,N,R){if(!l(N))return u(O,N,R);N=o(N,"gm");for(var L,I=1,h=R.line,k=O.lastLine();h<=k;){for(var F=0;F<I&&!(h>k);F++){var z=O.getLine(h++);L=L==null?z:L+`
+`+L+k+I,h&&l(u,_)}}u.replaceSelections(d)};function l(u,c){var d=c.line,S=0,_=0,E=r.exec(u.getLine(d)),T=E[1];do{S+=1;var y=d+S,M=u.getLine(y),v=r.exec(M);if(v){var A=v[1],O=parseInt(E[3],10)+S-_,N=parseInt(v[3],10),R=N;if(T===A&&!isNaN(N))O===N&&(R=N+1),O>N&&(R=O+1),u.replaceRange(M.replace(r,A+R+v[4]+v[5]),{line:y,ch:0},{line:y,ch:M.length});else{if(T.length>A.length||T.length<A.length&&S===1)return;_+=1}}}while(v)}})})();var cR=Ci.exports;cR.commands.tabAndIndentMarkdownList=function(e){var t=e.listSelections(),n=t[0].head,r=e.getStateAfter(n.line),a=r.list!==!1;if(a){e.execCommand("indentMore");return}if(e.options.indentWithTabs)e.execCommand("insertTab");else{var o=Array(e.options.tabSize+1).join(" ");e.replaceSelection(o)}};cR.commands.shiftTabAndUnindentMarkdownList=function(e){var t=e.listSelections(),n=t[0].head,r=e.getStateAfter(n.line),a=r.list!==!1;if(a){e.execCommand("indentLess");return}if(e.options.indentWithTabs)e.execCommand("insertTab");else{var o=Array(e.options.tabSize+1).join(" ");e.replaceSelection(o)}};(function(e,t){(function(n){n(Ci.exports)})(function(n){n.defineOption("fullScreen",!1,function(o,l,u){u==n.Init&&(u=!1),!u!=!l&&(l?r(o):a(o))});function r(o){var l=o.getWrapperElement();o.state.fullScreenRestore={scrollTop:window.pageYOffset,scrollLeft:window.pageXOffset,width:l.style.width,height:l.style.height},l.style.width="",l.style.height="auto",l.className+=" CodeMirror-fullscreen",document.documentElement.style.overflow="hidden",o.refresh()}function a(o){var l=o.getWrapperElement();l.className=l.className.replace(/\s*CodeMirror-fullscreen\b/,""),document.documentElement.style.overflow="";var u=o.state.fullScreenRestore;l.style.width=u.width,l.style.height=u.height,window.scrollTo(u.scrollLeft,u.scrollTop),o.refresh()}})})();var LB={exports:{}},MB={exports:{}};(function(e,t){(function(n){n(Ci.exports)})(function(n){var r={autoSelfClosers:{area:!0,base:!0,br:!0,col:!0,command:!0,embed:!0,frame:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0,menuitem:!0},implicitlyClosed:{dd:!0,li:!0,optgroup:!0,option:!0,p:!0,rp:!0,rt:!0,tbody:!0,td:!0,tfoot:!0,th:!0,tr:!0},contextGrabbers:{dd:{dd:!0,dt:!0},dt:{dd:!0,dt:!0},li:{li:!0},option:{option:!0,optgroup:!0},optgroup:{optgroup:!0},p:{address:!0,article:!0,aside:!0,blockquote:!0,dir:!0,div:!0,dl:!0,fieldset:!0,footer:!0,form:!0,h1:!0,h2:!0,h3:!0,h4:!0,h5:!0,h6:!0,header:!0,hgroup:!0,hr:!0,menu:!0,nav:!0,ol:!0,p:!0,pre:!0,section:!0,table:!0,ul:!0},rp:{rp:!0,rt:!0},rt:{rp:!0,rt:!0},tbody:{tbody:!0,tfoot:!0},td:{td:!0,th:!0},tfoot:{tbody:!0},th:{td:!0,th:!0},thead:{tbody:!0,tfoot:!0},tr:{tr:!0}},doNotIndent:{pre:!0},allowUnquoted:!0,allowMissing:!0,caseFold:!0},a={autoSelfClosers:{},implicitlyClosed:{},contextGrabbers:{},doNotIndent:{},allowUnquoted:!1,allowMissing:!1,allowMissingTagName:!1,caseFold:!1};n.defineMode("xml",function(o,l){var u=o.indentUnit,c={},d=l.htmlMode?r:a;for(var S in d)c[S]=d[S];for(var S in l)c[S]=l[S];var _,E;function T(V,ne){function te(ve){return ne.tokenize=ve,ve(V,ne)}var G=V.next();if(G=="<")return V.eat("!")?V.eat("[")?V.match("CDATA[")?te(v("atom","]]>")):null:V.match("--")?te(v("comment","-->")):V.match("DOCTYPE",!0,!0)?(V.eatWhile(/[\w\._\-]/),te(A(1))):null:V.eat("?")?(V.eatWhile(/[\w\._\-]/),ne.tokenize=v("meta","?>"),"meta"):(_=V.eat("/")?"closeTag":"openTag",ne.tokenize=y,"tag bracket");if(G=="&"){var se;return V.eat("#")?V.eat("x")?se=V.eatWhile(/[a-fA-F\d]/)&&V.eat(";"):se=V.eatWhile(/[\d]/)&&V.eat(";"):se=V.eatWhile(/[\w\.\-:]/)&&V.eat(";"),se?"atom":"error"}else return V.eatWhile(/[^&<]/),null}T.isInText=!0;function y(V,ne){var te=V.next();if(te==">"||te=="/"&&V.eat(">"))return ne.tokenize=T,_=te==">"?"endTag":"selfcloseTag","tag bracket";if(te=="=")return _="equals",null;if(te=="<"){ne.tokenize=T,ne.state=I,ne.tagName=ne.tagStart=null;var G=ne.tokenize(V,ne);return G?G+" tag error":"tag error"}else return/[\'\"]/.test(te)?(ne.tokenize=M(te),ne.stringStartCol=V.column(),ne.tokenize(V,ne)):(V.match(/^[^\s\u00a0=<>\"\']*[^\s\u00a0=<>\"\'\/]/),"word")}function M(V){var ne=function(te,G){for(;!te.eol();)if(te.next()==V){G.tokenize=y;break}return"string"};return ne.isInAttribute=!0,ne}function v(V,ne){return function(te,G){for(;!te.eol();){if(te.match(ne)){G.tokenize=T;break}te.next()}return V}}function A(V){return function(ne,te){for(var G;(G=ne.next())!=null;){if(G=="<")return te.tokenize=A(V+1),te.tokenize(ne,te);if(G==">")if(V==1){te.tokenize=T;break}else return te.tokenize=A(V-1),te.tokenize(ne,te)}return"meta"}}function O(V){return V&&V.toLowerCase()}function N(V,ne,te){this.prev=V.context,this.tagName=ne||"",this.indent=V.indented,this.startOfLine=te,(c.doNotIndent.hasOwnProperty(ne)||V.context&&V.context.noIndent)&&(this.noIndent=!0)}function R(V){V.context&&(V.context=V.context.prev)}function L(V,ne){for(var te;;){if(!V.context||(te=V.context.tagName,!c.contextGrabbers.hasOwnProperty(O(te))||!c.contextGrabbers[O(te)].hasOwnProperty(O(ne))))return;R(V)}}function I(V,ne,te){return V=="openTag"?(te.tagStart=ne.column(),h):V=="closeTag"?k:I}function h(V,ne,te){return V=="word"?(te.tagName=ne.current(),E="tag",K):c.allowMissingTagName&&V=="endTag"?(E="tag bracket",K(V,ne,te)):(E="error",h)}function k(V,ne,te){if(V=="word"){var G=ne.current();return te.context&&te.context.tagName!=G&&c.implicitlyClosed.hasOwnProperty(O(te.context.tagName))&&R(te),te.context&&te.context.tagName==G||c.matchClosing===!1?(E="tag",F):(E="tag error",z)}else return c.allowMissingTagName&&V=="endTag"?(E="tag bracket",F(V,ne,te)):(E="error",z)}function F(V,ne,te){return V!="endTag"?(E="error",F):(R(te),I)}function z(V,ne,te){return E="error",F(V,ne,te)}function K(V,ne,te){if(V=="word")return E="attribute",ue;if(V=="endTag"||V=="selfcloseTag"){var G=te.tagName,se=te.tagStart;return te.tagName=te.tagStart=null,V=="selfcloseTag"||c.autoSelfClosers.hasOwnProperty(O(G))?L(te,G):(L(te,G),te.context=new N(te,G,se==te.indented)),I}return E="error",K}function ue(V,ne,te){return V=="equals"?Z:(c.allowMissing||(E="error"),K(V,ne,te))}function Z(V,ne,te){return V=="string"?fe:V=="word"&&c.allowUnquoted?(E="string",K):(E="error",K(V,ne,te))}function fe(V,ne,te){return V=="string"?fe:K(V,ne,te)}return{startState:function(V){var ne={tokenize:T,state:I,indented:V||0,tagName:null,tagStart:null,context:null};return V!=null&&(ne.baseIndent=V),ne},token:function(V,ne){if(!ne.tagName&&V.sol()&&(ne.indented=V.indentation()),V.eatSpace())return null;_=null;var te=ne.tokenize(V,ne);return(te||_)&&te!="comment"&&(E=null,ne.state=ne.state(_||te,V,ne),E&&(te=E=="error"?te+" error":E)),te},indent:function(V,ne,te){var G=V.context;if(V.tokenize.isInAttribute)return V.tagStart==V.indented?V.stringStartCol+1:V.indented+u;if(G&&G.noIndent)return n.Pass;if(V.tokenize!=y&&V.tokenize!=T)return te?te.match(/^(\s*)/)[0].length:0;if(V.tagName)return c.multilineTagIndentPastTag!==!1?V.tagStart+V.tagName.length+2:V.tagStart+u*(c.multilineTagIndentFactor||1);if(c.alignCDATA&&/<!\[CDATA\[/.test(ne))return 0;var se=ne&&/^<(\/)?([\w_:\.-]*)/.exec(ne);if(se&&se[1])for(;G;)if(G.tagName==se[2]){G=G.prev;break}else if(c.implicitlyClosed.hasOwnProperty(O(G.tagName)))G=G.prev;else break;else if(se)for(;G;){var ve=c.contextGrabbers[O(G.tagName)];if(ve&&ve.hasOwnProperty(O(se[2])))G=G.prev;else break}for(;G&&G.prev&&!G.startOfLine;)G=G.prev;return G?G.indent+u:V.baseIndent||0},electricInput:/<\/[\s\w:]+>$/,blockCommentStart:"<!--",blockCommentEnd:"-->",configuration:c.htmlMode?"html":"xml",helperType:c.htmlMode?"html":"xml",skipAttribute:function(V){V.state==Z&&(V.state=K)},xmlCurrentTag:function(V){return V.tagName?{name:V.tagName,close:V.type=="closeTag"}:null},xmlCurrentContext:function(V){for(var ne=[],te=V.context;te;te=te.prev)ne.push(te.tagName);return ne.reverse()}}}),n.defineMIME("text/xml","xml"),n.defineMIME("application/xml","xml"),n.mimeModes.hasOwnProperty("text/html")||n.defineMIME("text/html",{name:"xml",htmlMode:!0})})})();var sC={exports:{}},lC;function kB(){return lC||(lC=1,function(e,t){(function(n){n(Ci.exports)})(function(n){n.modeInfo=[{name:"APL",mime:"text/apl",mode:"apl",ext:["dyalog","apl"]},{name:"PGP",mimes:["application/pgp","application/pgp-encrypted","application/pgp-keys","application/pgp-signature"],mode:"asciiarmor",ext:["asc","pgp","sig"]},{name:"ASN.1",mime:"text/x-ttcn-asn",mode:"asn.1",ext:["asn","asn1"]},{name:"Asterisk",mime:"text/x-asterisk",mode:"asterisk",file:/^extensions\.conf$/i},{name:"Brainfuck",mime:"text/x-brainfuck",mode:"brainfuck",ext:["b","bf"]},{name:"C",mime:"text/x-csrc",mode:"clike",ext:["c","h","ino"]},{name:"C++",mime:"text/x-c++src",mode:"clike",ext:["cpp","c++","cc","cxx","hpp","h++","hh","hxx"],alias:["cpp"]},{name:"Cobol",mime:"text/x-cobol",mode:"cobol",ext:["cob","cpy","cbl"]},{name:"C#",mime:"text/x-csharp",mode:"clike",ext:["cs"],alias:["csharp","cs"]},{name:"Clojure",mime:"text/x-clojure",mode:"clojure",ext:["clj","cljc","cljx"]},{name:"ClojureScript",mime:"text/x-clojurescript",mode:"clojure",ext:["cljs"]},{name:"Closure Stylesheets (GSS)",mime:"text/x-gss",mode:"css",ext:["gss"]},{name:"CMake",mime:"text/x-cmake",mode:"cmake",ext:["cmake","cmake.in"],file:/^CMakeLists\.txt$/},{name:"CoffeeScript",mimes:["application/vnd.coffeescript","text/coffeescript","text/x-coffeescript"],mode:"coffeescript",ext:["coffee"],alias:["coffee","coffee-script"]},{name:"Common Lisp",mime:"text/x-common-lisp",mode:"commonlisp",ext:["cl","lisp","el"],alias:["lisp"]},{name:"Cypher",mime:"application/x-cypher-query",mode:"cypher",ext:["cyp","cypher"]},{name:"Cython",mime:"text/x-cython",mode:"python",ext:["pyx","pxd","pxi"]},{name:"Crystal",mime:"text/x-crystal",mode:"crystal",ext:["cr"]},{name:"CSS",mime:"text/css",mode:"css",ext:["css"]},{name:"CQL",mime:"text/x-cassandra",mode:"sql",ext:["cql"]},{name:"D",mime:"text/x-d",mode:"d",ext:["d"]},{name:"Dart",mimes:["application/dart","text/x-dart"],mode:"dart",ext:["dart"]},{name:"diff",mime:"text/x-diff",mode:"diff",ext:["diff","patch"]},{name:"Django",mime:"text/x-django",mode:"django"},{name:"Dockerfile",mime:"text/x-dockerfile",mode:"dockerfile",file:/^Dockerfile$/},{name:"DTD",mime:"application/xml-dtd",mode:"dtd",ext:["dtd"]},{name:"Dylan",mime:"text/x-dylan",mode:"dylan",ext:["dylan","dyl","intr"]},{name:"EBNF",mime:"text/x-ebnf",mode:"ebnf"},{name:"ECL",mime:"text/x-ecl",mode:"ecl",ext:["ecl"]},{name:"edn",mime:"application/edn",mode:"clojure",ext:["edn"]},{name:"Eiffel",mime:"text/x-eiffel",mode:"eiffel",ext:["e"]},{name:"Elm",mime:"text/x-elm",mode:"elm",ext:["elm"]},{name:"Embedded JavaScript",mime:"application/x-ejs",mode:"htmlembedded",ext:["ejs"]},{name:"Embedded Ruby",mime:"application/x-erb",mode:"htmlembedded",ext:["erb"]},{name:"Erlang",mime:"text/x-erlang",mode:"erlang",ext:["erl"]},{name:"Esper",mime:"text/x-esper",mode:"sql"},{name:"Factor",mime:"text/x-factor",mode:"factor",ext:["factor"]},{name:"FCL",mime:"text/x-fcl",mode:"fcl"},{name:"Forth",mime:"text/x-forth",mode:"forth",ext:["forth","fth","4th"]},{name:"Fortran",mime:"text/x-fortran",mode:"fortran",ext:["f","for","f77","f90","f95"]},{name:"F#",mime:"text/x-fsharp",mode:"mllike",ext:["fs"],alias:["fsharp"]},{name:"Gas",mime:"text/x-gas",mode:"gas",ext:["s"]},{name:"Gherkin",mime:"text/x-feature",mode:"gherkin",ext:["feature"]},{name:"GitHub Flavored Markdown",mime:"text/x-gfm",mode:"gfm",file:/^(readme|contributing|history)\.md$/i},{name:"Go",mime:"text/x-go",mode:"go",ext:["go"]},{name:"Groovy",mime:"text/x-groovy",mode:"groovy",ext:["groovy","gradle"],file:/^Jenkinsfile$/},{name:"HAML",mime:"text/x-haml",mode:"haml",ext:["haml"]},{name:"Haskell",mime:"text/x-haskell",mode:"haskell",ext:["hs"]},{name:"Haskell (Literate)",mime:"text/x-literate-haskell",mode:"haskell-literate",ext:["lhs"]},{name:"Haxe",mime:"text/x-haxe",mode:"haxe",ext:["hx"]},{name:"HXML",mime:"text/x-hxml",mode:"haxe",ext:["hxml"]},{name:"ASP.NET",mime:"application/x-aspx",mode:"htmlembedded",ext:["aspx"],alias:["asp","aspx"]},{name:"HTML",mime:"text/html",mode:"htmlmixed",ext:["html","htm","handlebars","hbs"],alias:["xhtml"]},{name:"HTTP",mime:"message/http",mode:"http"},{name:"IDL",mime:"text/x-idl",mode:"idl",ext:["pro"]},{name:"Pug",mime:"text/x-pug",mode:"pug",ext:["jade","pug"],alias:["jade"]},{name:"Java",mime:"text/x-java",mode:"clike",ext:["java"]},{name:"Java Server Pages",mime:"application/x-jsp",mode:"htmlembedded",ext:["jsp"],alias:["jsp"]},{name:"JavaScript",mimes:["text/javascript","text/ecmascript","application/javascript","application/x-javascript","application/ecmascript"],mode:"javascript",ext:["js"],alias:["ecmascript","js","node"]},{name:"JSON",mimes:["application/json","application/x-json"],mode:"javascript",ext:["json","map"],alias:["json5"]},{name:"JSON-LD",mime:"application/ld+json",mode:"javascript",ext:["jsonld"],alias:["jsonld"]},{name:"JSX",mime:"text/jsx",mode:"jsx",ext:["jsx"]},{name:"Jinja2",mime:"text/jinja2",mode:"jinja2",ext:["j2","jinja","jinja2"]},{name:"Julia",mime:"text/x-julia",mode:"julia",ext:["jl"],alias:["jl"]},{name:"Kotlin",mime:"text/x-kotlin",mode:"clike",ext:["kt"]},{name:"LESS",mime:"text/x-less",mode:"css",ext:["less"]},{name:"LiveScript",mime:"text/x-livescript",mode:"livescript",ext:["ls"],alias:["ls"]},{name:"Lua",mime:"text/x-lua",mode:"lua",ext:["lua"]},{name:"Markdown",mime:"text/x-markdown",mode:"markdown",ext:["markdown","md","mkd"]},{name:"mIRC",mime:"text/mirc",mode:"mirc"},{name:"MariaDB SQL",mime:"text/x-mariadb",mode:"sql"},{name:"Mathematica",mime:"text/x-mathematica",mode:"mathematica",ext:["m","nb","wl","wls"]},{name:"Modelica",mime:"text/x-modelica",mode:"modelica",ext:["mo"]},{name:"MUMPS",mime:"text/x-mumps",mode:"mumps",ext:["mps"]},{name:"MS SQL",mime:"text/x-mssql",mode:"sql"},{name:"mbox",mime:"application/mbox",mode:"mbox",ext:["mbox"]},{name:"MySQL",mime:"text/x-mysql",mode:"sql"},{name:"Nginx",mime:"text/x-nginx-conf",mode:"nginx",file:/nginx.*\.conf$/i},{name:"NSIS",mime:"text/x-nsis",mode:"nsis",ext:["nsh","nsi"]},{name:"NTriples",mimes:["application/n-triples","application/n-quads","text/n-triples"],mode:"ntriples",ext:["nt","nq"]},{name:"Objective-C",mime:"text/x-objectivec",mode:"clike",ext:["m"],alias:["objective-c","objc"]},{name:"Objective-C++",mime:"text/x-objectivec++",mode:"clike",ext:["mm"],alias:["objective-c++","objc++"]},{name:"OCaml",mime:"text/x-ocaml",mode:"mllike",ext:["ml","mli","mll","mly"]},{name:"Octave",mime:"text/x-octave",mode:"octave",ext:["m"]},{name:"Oz",mime:"text/x-oz",mode:"oz",ext:["oz"]},{name:"Pascal",mime:"text/x-pascal",mode:"pascal",ext:["p","pas"]},{name:"PEG.js",mime:"null",mode:"pegjs",ext:["jsonld"]},{name:"Perl",mime:"text/x-perl",mode:"perl",ext:["pl","pm"]},{name:"PHP",mimes:["text/x-php","application/x-httpd-php","application/x-httpd-php-open"],mode:"php",ext:["php","php3","php4","php5","php7","phtml"]},{name:"Pig",mime:"text/x-pig",mode:"pig",ext:["pig"]},{name:"Plain Text",mime:"text/plain",mode:"null",ext:["txt","text","conf","def","list","log"]},{name:"PLSQL",mime:"text/x-plsql",mode:"sql",ext:["pls"]},{name:"PostgreSQL",mime:"text/x-pgsql",mode:"sql"},{name:"PowerShell",mime:"application/x-powershell",mode:"powershell",ext:["ps1","psd1","psm1"]},{name:"Properties files",mime:"text/x-properties",mode:"properties",ext:["properties","ini","in"],alias:["ini","properties"]},{name:"ProtoBuf",mime:"text/x-protobuf",mode:"protobuf",ext:["proto"]},{name:"Python",mime:"text/x-python",mode:"python",ext:["BUILD","bzl","py","pyw"],file:/^(BUCK|BUILD)$/},{name:"Puppet",mime:"text/x-puppet",mode:"puppet",ext:["pp"]},{name:"Q",mime:"text/x-q",mode:"q",ext:["q"]},{name:"R",mime:"text/x-rsrc",mode:"r",ext:["r","R"],alias:["rscript"]},{name:"reStructuredText",mime:"text/x-rst",mode:"rst",ext:["rst"],alias:["rst"]},{name:"RPM Changes",mime:"text/x-rpm-changes",mode:"rpm"},{name:"RPM Spec",mime:"text/x-rpm-spec",mode:"rpm",ext:["spec"]},{name:"Ruby",mime:"text/x-ruby",mode:"ruby",ext:["rb"],alias:["jruby","macruby","rake","rb","rbx"]},{name:"Rust",mime:"text/x-rustsrc",mode:"rust",ext:["rs"]},{name:"SAS",mime:"text/x-sas",mode:"sas",ext:["sas"]},{name:"Sass",mime:"text/x-sass",mode:"sass",ext:["sass"]},{name:"Scala",mime:"text/x-scala",mode:"clike",ext:["scala"]},{name:"Scheme",mime:"text/x-scheme",mode:"scheme",ext:["scm","ss"]},{name:"SCSS",mime:"text/x-scss",mode:"css",ext:["scss"]},{name:"Shell",mimes:["text/x-sh","application/x-sh"],mode:"shell",ext:["sh","ksh","bash"],alias:["bash","sh","zsh"],file:/^PKGBUILD$/},{name:"Sieve",mime:"application/sieve",mode:"sieve",ext:["siv","sieve"]},{name:"Slim",mimes:["text/x-slim","application/x-slim"],mode:"slim",ext:["slim"]},{name:"Smalltalk",mime:"text/x-stsrc",mode:"smalltalk",ext:["st"]},{name:"Smarty",mime:"text/x-smarty",mode:"smarty",ext:["tpl"]},{name:"Solr",mime:"text/x-solr",mode:"solr"},{name:"SML",mime:"text/x-sml",mode:"mllike",ext:["sml","sig","fun","smackspec"]},{name:"Soy",mime:"text/x-soy",mode:"soy",ext:["soy"],alias:["closure template"]},{name:"SPARQL",mime:"application/sparql-query",mode:"sparql",ext:["rq","sparql"],alias:["sparul"]},{name:"Spreadsheet",mime:"text/x-spreadsheet",mode:"spreadsheet",alias:["excel","formula"]},{name:"SQL",mime:"text/x-sql",mode:"sql",ext:["sql"]},{name:"SQLite",mime:"text/x-sqlite",mode:"sql"},{name:"Squirrel",mime:"text/x-squirrel",mode:"clike",ext:["nut"]},{name:"Stylus",mime:"text/x-styl",mode:"stylus",ext:["styl"]},{name:"Swift",mime:"text/x-swift",mode:"swift",ext:["swift"]},{name:"sTeX",mime:"text/x-stex",mode:"stex"},{name:"LaTeX",mime:"text/x-latex",mode:"stex",ext:["text","ltx","tex"],alias:["tex"]},{name:"SystemVerilog",mime:"text/x-systemverilog",mode:"verilog",ext:["v","sv","svh"]},{name:"Tcl",mime:"text/x-tcl",mode:"tcl",ext:["tcl"]},{name:"Textile",mime:"text/x-textile",mode:"textile",ext:["textile"]},{name:"TiddlyWiki",mime:"text/x-tiddlywiki",mode:"tiddlywiki"},{name:"Tiki wiki",mime:"text/tiki",mode:"tiki"},{name:"TOML",mime:"text/x-toml",mode:"toml",ext:["toml"]},{name:"Tornado",mime:"text/x-tornado",mode:"tornado"},{name:"troff",mime:"text/troff",mode:"troff",ext:["1","2","3","4","5","6","7","8","9"]},{name:"TTCN",mime:"text/x-ttcn",mode:"ttcn",ext:["ttcn","ttcn3","ttcnpp"]},{name:"TTCN_CFG",mime:"text/x-ttcn-cfg",mode:"ttcn-cfg",ext:["cfg"]},{name:"Turtle",mime:"text/turtle",mode:"turtle",ext:["ttl"]},{name:"TypeScript",mime:"application/typescript",mode:"javascript",ext:["ts"],alias:["ts"]},{name:"TypeScript-JSX",mime:"text/typescript-jsx",mode:"jsx",ext:["tsx"],alias:["tsx"]},{name:"Twig",mime:"text/x-twig",mode:"twig"},{name:"Web IDL",mime:"text/x-webidl",mode:"webidl",ext:["webidl"]},{name:"VB.NET",mime:"text/x-vb",mode:"vb",ext:["vb"]},{name:"VBScript",mime:"text/vbscript",mode:"vbscript",ext:["vbs"]},{name:"Velocity",mime:"text/velocity",mode:"velocity",ext:["vtl"]},{name:"Verilog",mime:"text/x-verilog",mode:"verilog",ext:["v"]},{name:"VHDL",mime:"text/x-vhdl",mode:"vhdl",ext:["vhd","vhdl"]},{name:"Vue.js Component",mimes:["script/x-vue","text/x-vue"],mode:"vue",ext:["vue"]},{name:"XML",mimes:["application/xml","text/xml"],mode:"xml",ext:["xml","xsl","xsd","svg"],alias:["rss","wsdl","xsd"]},{name:"XQuery",mime:"application/xquery",mode:"xquery",ext:["xy","xquery"]},{name:"Yacas",mime:"text/x-yacas",mode:"yacas",ext:["ys"]},{name:"YAML",mimes:["text/x-yaml","text/yaml"],mode:"yaml",ext:["yaml","yml"],alias:["yml"]},{name:"Z80",mime:"text/x-z80",mode:"z80",ext:["z80"]},{name:"mscgen",mime:"text/x-mscgen",mode:"mscgen",ext:["mscgen","mscin","msc"]},{name:"xu",mime:"text/x-xu",mode:"mscgen",ext:["xu"]},{name:"msgenny",mime:"text/x-msgenny",mode:"mscgen",ext:["msgenny"]},{name:"WebAssembly",mime:"text/webassembly",mode:"wast",ext:["wat","wast"]}];for(var r=0;r<n.modeInfo.length;r++){var a=n.modeInfo[r];a.mimes&&(a.mime=a.mimes[0])}n.findModeByMIME=function(o){o=o.toLowerCase();for(var l=0;l<n.modeInfo.length;l++){var u=n.modeInfo[l];if(u.mime==o)return u;if(u.mimes){for(var c=0;c<u.mimes.length;c++)if(u.mimes[c]==o)return u}}if(/\+xml$/.test(o))return n.findModeByMIME("application/xml");if(/\+json$/.test(o))return n.findModeByMIME("application/json")},n.findModeByExtension=function(o){o=o.toLowerCase();for(var l=0;l<n.modeInfo.length;l++){var u=n.modeInfo[l];if(u.ext){for(var c=0;c<u.ext.length;c++)if(u.ext[c]==o)return u}}},n.findModeByFileName=function(o){for(var l=0;l<n.modeInfo.length;l++){var u=n.modeInfo[l];if(u.file&&u.file.test(o))return u}var c=o.lastIndexOf("."),d=c>-1&&o.substring(c+1,o.length);if(d)return n.findModeByExtension(d)},n.findModeByName=function(o){o=o.toLowerCase();for(var l=0;l<n.modeInfo.length;l++){var u=n.modeInfo[l];if(u.name.toLowerCase()==o)return u;if(u.alias){for(var c=0;c<u.alias.length;c++)if(u.alias[c].toLowerCase()==o)return u}}}})}()),sC.exports}(function(e,t){(function(n){n(Ci.exports,MB.exports,kB())})(function(n){n.defineMode("markdown",function(r,a){var o=n.getMode(r,"text/html"),l=o.name=="null";function u(oe){if(n.findModeByName){var W=n.findModeByName(oe);W&&(oe=W.mime||W.mimes[0])}var Oe=n.getMode(r,oe);return Oe.name=="null"?null:Oe}a.highlightFormatting===void 0&&(a.highlightFormatting=!1),a.maxBlockquoteDepth===void 0&&(a.maxBlockquoteDepth=0),a.taskLists===void 0&&(a.taskLists=!1),a.strikethrough===void 0&&(a.strikethrough=!1),a.emoji===void 0&&(a.emoji=!1),a.fencedCodeBlockHighlighting===void 0&&(a.fencedCodeBlockHighlighting=!0),a.fencedCodeBlockDefaultMode===void 0&&(a.fencedCodeBlockDefaultMode="text/plain"),a.xml===void 0&&(a.xml=!0),a.tokenTypeOverrides===void 0&&(a.tokenTypeOverrides={});var c={header:"header",code:"comment",quote:"quote",list1:"variable-2",list2:"variable-3",list3:"keyword",hr:"hr",image:"image",imageAltText:"image-alt-text",imageMarker:"image-marker",formatting:"formatting",linkInline:"link",linkEmail:"link",linkText:"link",linkHref:"string",em:"em",strong:"strong",strikethrough:"strikethrough",emoji:"builtin"};for(var d in c)c.hasOwnProperty(d)&&a.tokenTypeOverrides[d]&&(c[d]=a.tokenTypeOverrides[d]);var S=/^([*\-_])(?:\s*\1){2,}\s*$/,_=/^(?:[*\-+]|^[0-9]+([.)]))\s+/,E=/^\[(x| )\](?=\s)/i,T=a.allowAtxHeaderWithoutSpace?/^(#+)/:/^(#+)(?: |$)/,y=/^ {0,3}(?:\={1,}|-{2,})\s*$/,M=/^[^#!\[\]*_\\<>` "'(~:]+/,v=/^(~~~+|```+)[ \t]*([\w\/+#-]*)[^\n`]*$/,A=/^\s*\[[^\]]+?\]:.*$/,O=/[!"#$%&'()*+,\-.\/:;<=>?@\[\\\]^_`{|}~\xA1\xA7\xAB\xB6\xB7\xBB\xBF\u037E\u0387\u055A-\u055F\u0589\u058A\u05BE\u05C0\u05C3\u05C6\u05F3\u05F4\u0609\u060A\u060C\u060D\u061B\u061E\u061F\u066A-\u066D\u06D4\u0700-\u070D\u07F7-\u07F9\u0830-\u083E\u085E\u0964\u0965\u0970\u0AF0\u0DF4\u0E4F\u0E5A\u0E5B\u0F04-\u0F12\u0F14\u0F3A-\u0F3D\u0F85\u0FD0-\u0FD4\u0FD9\u0FDA\u104A-\u104F\u10FB\u1360-\u1368\u1400\u166D\u166E\u169B\u169C\u16EB-\u16ED\u1735\u1736\u17D4-\u17D6\u17D8-\u17DA\u1800-\u180A\u1944\u1945\u1A1E\u1A1F\u1AA0-\u1AA6\u1AA8-\u1AAD\u1B5A-\u1B60\u1BFC-\u1BFF\u1C3B-\u1C3F\u1C7E\u1C7F\u1CC0-\u1CC7\u1CD3\u2010-\u2027\u2030-\u2043\u2045-\u2051\u2053-\u205E\u207D\u207E\u208D\u208E\u2308-\u230B\u2329\u232A\u2768-\u2775\u27C5\u27C6\u27E6-\u27EF\u2983-\u2998\u29D8-\u29DB\u29FC\u29FD\u2CF9-\u2CFC\u2CFE\u2CFF\u2D70\u2E00-\u2E2E\u2E30-\u2E42\u3001-\u3003\u3008-\u3011\u3014-\u301F\u3030\u303D\u30A0\u30FB\uA4FE\uA4FF\uA60D-\uA60F\uA673\uA67E\uA6F2-\uA6F7\uA874-\uA877\uA8CE\uA8CF\uA8F8-\uA8FA\uA8FC\uA92E\uA92F\uA95F\uA9C1-\uA9CD\uA9DE\uA9DF\uAA5C-\uAA5F\uAADE\uAADF\uAAF0\uAAF1\uABEB\uFD3E\uFD3F\uFE10-\uFE19\uFE30-\uFE52\uFE54-\uFE61\uFE63\uFE68\uFE6A\uFE6B\uFF01-\uFF03\uFF05-\uFF0A\uFF0C-\uFF0F\uFF1A\uFF1B\uFF1F\uFF20\uFF3B-\uFF3D\uFF3F\uFF5B\uFF5D\uFF5F-\uFF65]|\uD800[\uDD00-\uDD02\uDF9F\uDFD0]|\uD801\uDD6F|\uD802[\uDC57\uDD1F\uDD3F\uDE50-\uDE58\uDE7F\uDEF0-\uDEF6\uDF39-\uDF3F\uDF99-\uDF9C]|\uD804[\uDC47-\uDC4D\uDCBB\uDCBC\uDCBE-\uDCC1\uDD40-\uDD43\uDD74\uDD75\uDDC5-\uDDC9\uDDCD\uDDDB\uDDDD-\uDDDF\uDE38-\uDE3D\uDEA9]|\uD805[\uDCC6\uDDC1-\uDDD7\uDE41-\uDE43\uDF3C-\uDF3E]|\uD809[\uDC70-\uDC74]|\uD81A[\uDE6E\uDE6F\uDEF5\uDF37-\uDF3B\uDF44]|\uD82F\uDC9F|\uD836[\uDE87-\uDE8B]/,N="    ";function R(oe,W,Oe){return W.f=W.inline=Oe,Oe(oe,W)}function L(oe,W,Oe){return W.f=W.block=Oe,Oe(oe,W)}function I(oe){return!oe||!/\S/.test(oe.string)}function h(oe){if(oe.linkTitle=!1,oe.linkHref=!1,oe.linkText=!1,oe.em=!1,oe.strong=!1,oe.strikethrough=!1,oe.quote=0,oe.indentedCode=!1,oe.f==F){var W=l;if(!W){var Oe=n.innerMode(o,oe.htmlState);W=Oe.mode.name=="xml"&&Oe.state.tagStart===null&&!Oe.state.context&&Oe.state.tokenize.isInText}W&&(oe.f=Z,oe.block=k,oe.htmlState=null)}return oe.trailingSpace=0,oe.trailingSpaceNewLine=!1,oe.prevLine=oe.thisLine,oe.thisLine={stream:null},null}function k(oe,W){var Oe=oe.column()===W.indentation,tt=I(W.prevLine.stream),rt=W.indentedCode,bt=W.prevLine.hr,dt=W.list!==!1,ct=(W.listStack[W.listStack.length-1]||0)+3;W.indentedCode=!1;var Ze=W.indentation;if(W.indentationDiff===null&&(W.indentationDiff=W.indentation,dt)){for(W.list=null;Ze<W.listStack[W.listStack.length-1];)W.listStack.pop(),W.listStack.length?W.indentation=W.listStack[W.listStack.length-1]:W.list=!1;W.list!==!1&&(W.indentationDiff=Ze-W.listStack[W.listStack.length-1])}var nt=!tt&&!bt&&!W.prevLine.header&&(!dt||!rt)&&!W.prevLine.fencedCodeEnd,ce=(W.list===!1||bt||tt)&&W.indentation<=ct&&oe.match(S),Ee=null;if(W.indentationDiff>=4&&(rt||W.prevLine.fencedCodeEnd||W.prevLine.header||tt))return oe.skipToEnd(),W.indentedCode=!0,c.code;if(oe.eatSpace())return null;if(Oe&&W.indentation<=ct&&(Ee=oe.match(T))&&Ee[1].length<=6)return W.quote=0,W.header=Ee[1].length,W.thisLine.header=!0,a.highlightFormatting&&(W.formatting="header"),W.f=W.inline,K(W);if(W.indentation<=ct&&oe.eat(">"))return W.quote=Oe?1:W.quote+1,a.highlightFormatting&&(W.formatting="quote"),oe.eatSpace(),K(W);if(!ce&&!W.setext&&Oe&&W.indentation<=ct&&(Ee=oe.match(_))){var He=Ee[1]?"ol":"ul";return W.indentation=Ze+oe.current().length,W.list=!0,W.quote=0,W.listStack.push(W.indentation),W.em=!1,W.strong=!1,W.code=!1,W.strikethrough=!1,a.taskLists&&oe.match(E,!1)&&(W.taskList=!0),W.f=W.inline,a.highlightFormatting&&(W.formatting=["list","list-"+He]),K(W)}else{if(Oe&&W.indentation<=ct&&(Ee=oe.match(v,!0)))return W.quote=0,W.fencedEndRE=new RegExp(Ee[1]+"+ *$"),W.localMode=a.fencedCodeBlockHighlighting&&u(Ee[2]||a.fencedCodeBlockDefaultMode),W.localMode&&(W.localState=n.startState(W.localMode)),W.f=W.block=z,a.highlightFormatting&&(W.formatting="code-block"),W.code=-1,K(W);if(W.setext||(!nt||!dt)&&!W.quote&&W.list===!1&&!W.code&&!ce&&!A.test(oe.string)&&(Ee=oe.lookAhead(1))&&(Ee=Ee.match(y)))return W.setext?(W.header=W.setext,W.setext=0,oe.skipToEnd(),a.highlightFormatting&&(W.formatting="header")):(W.header=Ee[0].charAt(0)=="="?1:2,W.setext=W.header),W.thisLine.header=!0,W.f=W.inline,K(W);if(ce)return oe.skipToEnd(),W.hr=!0,W.thisLine.hr=!0,c.hr;if(oe.peek()==="[")return R(oe,W,G)}return R(oe,W,W.inline)}function F(oe,W){var Oe=o.token(oe,W.htmlState);if(!l){var tt=n.innerMode(o,W.htmlState);(tt.mode.name=="xml"&&tt.state.tagStart===null&&!tt.state.context&&tt.state.tokenize.isInText||W.md_inside&&oe.current().indexOf(">")>-1)&&(W.f=Z,W.block=k,W.htmlState=null)}return Oe}function z(oe,W){var Oe=W.listStack[W.listStack.length-1]||0,tt=W.indentation<Oe,rt=Oe+3;if(W.fencedEndRE&&W.indentation<=rt&&(tt||oe.match(W.fencedEndRE))){a.highlightFormatting&&(W.formatting="code-block");var bt;return tt||(bt=K(W)),W.localMode=W.localState=null,W.block=k,W.f=Z,W.fencedEndRE=null,W.code=0,W.thisLine.fencedCodeEnd=!0,tt?L(oe,W,W.block):bt}else return W.localMode?W.localMode.token(oe,W.localState):(oe.skipToEnd(),c.code)}function K(oe){var W=[];if(oe.formatting){W.push(c.formatting),typeof oe.formatting=="string"&&(oe.formatting=[oe.formatting]);for(var Oe=0;Oe<oe.formatting.length;Oe++)W.push(c.formatting+"-"+oe.formatting[Oe]),oe.formatting[Oe]==="header"&&W.push(c.formatting+"-"+oe.formatting[Oe]+"-"+oe.header),oe.formatting[Oe]==="quote"&&(!a.maxBlockquoteDepth||a.maxBlockquoteDepth>=oe.quote?W.push(c.formatting+"-"+oe.formatting[Oe]+"-"+oe.quote):W.push("error"))}if(oe.taskOpen)return W.push("meta"),W.length?W.join(" "):null;if(oe.taskClosed)return W.push("property"),W.length?W.join(" "):null;if(oe.linkHref?W.push(c.linkHref,"url"):(oe.strong&&W.push(c.strong),oe.em&&W.push(c.em),oe.strikethrough&&W.push(c.strikethrough),oe.emoji&&W.push(c.emoji),oe.linkText&&W.push(c.linkText),oe.code&&W.push(c.code),oe.image&&W.push(c.image),oe.imageAltText&&W.push(c.imageAltText,"link"),oe.imageMarker&&W.push(c.imageMarker)),oe.header&&W.push(c.header,c.header+"-"+oe.header),oe.quote&&(W.push(c.quote),!a.maxBlockquoteDepth||a.maxBlockquoteDepth>=oe.quote?W.push(c.quote+"-"+oe.quote):W.push(c.quote+"-"+a.maxBlockquoteDepth)),oe.list!==!1){var tt=(oe.listStack.length-1)%3;tt?tt===1?W.push(c.list2):W.push(c.list3):W.push(c.list1)}return oe.trailingSpaceNewLine?W.push("trailing-space-new-line"):oe.trailingSpace&&W.push("trailing-space-"+(oe.trailingSpace%2?"a":"b")),W.length?W.join(" "):null}function ue(oe,W){if(oe.match(M,!0))return K(W)}function Z(oe,W){var Oe=W.text(oe,W);if(typeof Oe<"u")return Oe;if(W.list)return W.list=null,K(W);if(W.taskList){var tt=oe.match(E,!0)[1]===" ";return tt?W.taskOpen=!0:W.taskClosed=!0,a.highlightFormatting&&(W.formatting="task"),W.taskList=!1,K(W)}if(W.taskOpen=!1,W.taskClosed=!1,W.header&&oe.match(/^#+$/,!0))return a.highlightFormatting&&(W.formatting="header"),K(W);var rt=oe.next();if(W.linkTitle){W.linkTitle=!1;var bt=rt;rt==="("&&(bt=")"),bt=(bt+"").replace(/([.?*+^\[\]\\(){}|-])/g,"\\$1");var dt="^\\s*(?:[^"+bt+"\\\\]+|\\\\\\\\|\\\\.)"+bt;if(oe.match(new RegExp(dt),!0))return c.linkHref}if(rt==="`"){var ct=W.formatting;a.highlightFormatting&&(W.formatting="code"),oe.eatWhile("`");var Ze=oe.current().length;if(W.code==0&&(!W.quote||Ze==1))return W.code=Ze,K(W);if(Ze==W.code){var nt=K(W);return W.code=0,nt}else return W.formatting=ct,K(W)}else if(W.code)return K(W);if(rt==="\\"&&(oe.next(),a.highlightFormatting)){var ce=K(W),Ee=c.formatting+"-escape";return ce?ce+" "+Ee:Ee}if(rt==="!"&&oe.match(/\[[^\]]*\] ?(?:\(|\[)/,!1))return W.imageMarker=!0,W.image=!0,a.highlightFormatting&&(W.formatting="image"),K(W);if(rt==="["&&W.imageMarker&&oe.match(/[^\]]*\](\(.*?\)| ?\[.*?\])/,!1))return W.imageMarker=!1,W.imageAltText=!0,a.highlightFormatting&&(W.formatting="image"),K(W);if(rt==="]"&&W.imageAltText){a.highlightFormatting&&(W.formatting="image");var ce=K(W);return W.imageAltText=!1,W.image=!1,W.inline=W.f=V,ce}if(rt==="["&&!W.image)return W.linkText&&oe.match(/^.*?\]/)||(W.linkText=!0,a.highlightFormatting&&(W.formatting="link")),K(W);if(rt==="]"&&W.linkText){a.highlightFormatting&&(W.formatting="link");var ce=K(W);return W.linkText=!1,W.inline=W.f=oe.match(/\(.*?\)| ?\[.*?\]/,!1)?V:Z,ce}if(rt==="<"&&oe.match(/^(https?|ftps?):\/\/(?:[^\\>]|\\.)+>/,!1)){W.f=W.inline=fe,a.highlightFormatting&&(W.formatting="link");var ce=K(W);return ce?ce+=" ":ce="",ce+c.linkInline}if(rt==="<"&&oe.match(/^[^> \\]+@(?:[^\\>]|\\.)+>/,!1)){W.f=W.inline=fe,a.highlightFormatting&&(W.formatting="link");var ce=K(W);return ce?ce+=" ":ce="",ce+c.linkEmail}if(a.xml&&rt==="<"&&oe.match(/^(!--|\?|!\[CDATA\[|[a-z][a-z0-9-]*(?:\s+[a-z_:.\-]+(?:\s*=\s*[^>]+)?)*\s*(?:>|$))/i,!1)){var He=oe.string.indexOf(">",oe.pos);if(He!=-1){var we=oe.string.substring(oe.start,He);/markdown\s*=\s*('|"){0,1}1('|"){0,1}/.test(we)&&(W.md_inside=!0)}return oe.backUp(1),W.htmlState=n.startState(o),L(oe,W,F)}if(a.xml&&rt==="<"&&oe.match(/^\/\w*?>/))return W.md_inside=!1,"tag";if(rt==="*"||rt==="_"){for(var ze=1,pe=oe.pos==1?" ":oe.string.charAt(oe.pos-2);ze<3&&oe.eat(rt);)ze++;var Re=oe.peek()||" ",Ne=!/\s/.test(Re)&&(!O.test(Re)||/\s/.test(pe)||O.test(pe)),Ie=!/\s/.test(pe)&&(!O.test(pe)||/\s/.test(Re)||O.test(Re)),Ue=null,Ve=null;if(ze%2&&(!W.em&&Ne&&(rt==="*"||!Ie||O.test(pe))?Ue=!0:W.em==rt&&Ie&&(rt==="*"||!Ne||O.test(Re))&&(Ue=!1)),ze>1&&(!W.strong&&Ne&&(rt==="*"||!Ie||O.test(pe))?Ve=!0:W.strong==rt&&Ie&&(rt==="*"||!Ne||O.test(Re))&&(Ve=!1)),Ve!=null||Ue!=null){a.highlightFormatting&&(W.formatting=Ue==null?"strong":Ve==null?"em":"strong em"),Ue===!0&&(W.em=rt),Ve===!0&&(W.strong=rt);var nt=K(W);return Ue===!1&&(W.em=!1),Ve===!1&&(W.strong=!1),nt}}else if(rt===" "&&(oe.eat("*")||oe.eat("_"))){if(oe.peek()===" ")return K(W);oe.backUp(1)}if(a.strikethrough){if(rt==="~"&&oe.eatWhile(rt)){if(W.strikethrough){a.highlightFormatting&&(W.formatting="strikethrough");var nt=K(W);return W.strikethrough=!1,nt}else if(oe.match(/^[^\s]/,!1))return W.strikethrough=!0,a.highlightFormatting&&(W.formatting="strikethrough"),K(W)}else if(rt===" "&&oe.match("~~",!0)){if(oe.peek()===" ")return K(W);oe.backUp(2)}}if(a.emoji&&rt===":"&&oe.match(/^(?:[a-z_\d+][a-z_\d+-]*|\-[a-z_\d+][a-z_\d+-]*):/)){W.emoji=!0,a.highlightFormatting&&(W.formatting="emoji");var lt=K(W);return W.emoji=!1,lt}return rt===" "&&(oe.match(/^ +$/,!1)?W.trailingSpace++:W.trailingSpace&&(W.trailingSpaceNewLine=!0)),K(W)}function fe(oe,W){var Oe=oe.next();if(Oe===">"){W.f=W.inline=Z,a.highlightFormatting&&(W.formatting="link");var tt=K(W);return tt?tt+=" ":tt="",tt+c.linkInline}return oe.match(/^[^>]+/,!0),c.linkInline}function V(oe,W){if(oe.eatSpace())return null;var Oe=oe.next();return Oe==="("||Oe==="["?(W.f=W.inline=te(Oe==="("?")":"]"),a.highlightFormatting&&(W.formatting="link-string"),W.linkHref=!0,K(W)):"error"}var ne={")":/^(?:[^\\\(\)]|\\.|\((?:[^\\\(\)]|\\.)*\))*?(?=\))/,"]":/^(?:[^\\\[\]]|\\.|\[(?:[^\\\[\]]|\\.)*\])*?(?=\])/};function te(oe){return function(W,Oe){var tt=W.next();if(tt===oe){Oe.f=Oe.inline=Z,a.highlightFormatting&&(Oe.formatting="link-string");var rt=K(Oe);return Oe.linkHref=!1,rt}return W.match(ne[oe]),Oe.linkHref=!0,K(Oe)}}function G(oe,W){return oe.match(/^([^\]\\]|\\.)*\]:/,!1)?(W.f=se,oe.next(),a.highlightFormatting&&(W.formatting="link"),W.linkText=!0,K(W)):R(oe,W,Z)}function se(oe,W){if(oe.match("]:",!0)){W.f=W.inline=ve,a.highlightFormatting&&(W.formatting="link");var Oe=K(W);return W.linkText=!1,Oe}return oe.match(/^([^\]\\]|\\.)+/,!0),c.linkText}function ve(oe,W){return oe.eatSpace()?null:(oe.match(/^[^\s]+/,!0),oe.peek()===void 0?W.linkTitle=!0:oe.match(/^(?:\s+(?:"(?:[^"\\]|\\.)+"|'(?:[^'\\]|\\.)+'|\((?:[^)\\]|\\.)+\)))?/,!0),W.f=W.inline=Z,c.linkHref+" url")}var Ge={startState:function(){return{f:k,prevLine:{stream:null},thisLine:{stream:null},block:k,htmlState:null,indentation:0,inline:Z,text:ue,formatting:!1,linkText:!1,linkHref:!1,linkTitle:!1,code:0,em:!1,strong:!1,header:0,setext:0,hr:!1,taskList:!1,list:!1,listStack:[],quote:0,trailingSpace:0,trailingSpaceNewLine:!1,strikethrough:!1,emoji:!1,fencedEndRE:null}},copyState:function(oe){return{f:oe.f,prevLine:oe.prevLine,thisLine:oe.thisLine,block:oe.block,htmlState:oe.htmlState&&n.copyState(o,oe.htmlState),indentation:oe.indentation,localMode:oe.localMode,localState:oe.localMode?n.copyState(oe.localMode,oe.localState):null,inline:oe.inline,text:oe.text,formatting:!1,linkText:oe.linkText,linkTitle:oe.linkTitle,linkHref:oe.linkHref,code:oe.code,em:oe.em,strong:oe.strong,strikethrough:oe.strikethrough,emoji:oe.emoji,header:oe.header,setext:oe.setext,hr:oe.hr,taskList:oe.taskList,list:oe.list,listStack:oe.listStack.slice(0),quote:oe.quote,indentedCode:oe.indentedCode,trailingSpace:oe.trailingSpace,trailingSpaceNewLine:oe.trailingSpaceNewLine,md_inside:oe.md_inside,fencedEndRE:oe.fencedEndRE}},token:function(oe,W){if(W.formatting=!1,oe!=W.thisLine.stream){if(W.header=0,W.hr=!1,oe.match(/^\s*$/,!0))return h(W),null;if(W.prevLine=W.thisLine,W.thisLine={stream:oe},W.taskList=!1,W.trailingSpace=0,W.trailingSpaceNewLine=!1,!W.localState&&(W.f=W.block,W.f!=F)){var Oe=oe.match(/^\s*/,!0)[0].replace(/\t/g,N).length;if(W.indentation=Oe,W.indentationDiff=null,Oe>0)return null}}return W.f(oe,W)},innerMode:function(oe){return oe.block==F?{state:oe.htmlState,mode:o}:oe.localState?{state:oe.localState,mode:oe.localMode}:{state:oe,mode:Ge}},indent:function(oe,W,Oe){return oe.block==F&&o.indent?o.indent(oe.htmlState,W,Oe):oe.localState&&oe.localMode.indent?oe.localMode.indent(oe.localState,W,Oe):n.Pass},blankLine:h,getType:K,blockCommentStart:"<!--",blockCommentEnd:"-->",closeBrackets:"()[]{}''\"\"``",fold:"markdown"};return Ge},"xml"),n.defineMIME("text/markdown","markdown"),n.defineMIME("text/x-markdown","markdown")})})();var PB={exports:{}};(function(e,t){(function(n){n(Ci.exports)})(function(n){n.overlayMode=function(r,a,o){return{startState:function(){return{base:n.startState(r),overlay:n.startState(a),basePos:0,baseCur:null,overlayPos:0,overlayCur:null,streamSeen:null}},copyState:function(l){return{base:n.copyState(r,l.base),overlay:n.copyState(a,l.overlay),basePos:l.basePos,baseCur:null,overlayPos:l.overlayPos,overlayCur:null}},token:function(l,u){return(l!=u.streamSeen||Math.min(u.basePos,u.overlayPos)<l.start)&&(u.streamSeen=l,u.basePos=u.overlayPos=l.start),l.start==u.basePos&&(u.baseCur=r.token(l,u.base),u.basePos=l.pos),l.start==u.overlayPos&&(l.pos=l.start,u.overlayCur=a.token(l,u.overlay),u.overlayPos=l.pos),l.pos=Math.min(u.basePos,u.overlayPos),u.overlayCur==null?u.baseCur:u.baseCur!=null&&u.overlay.combineTokens||o&&u.overlay.combineTokens==null?u.baseCur+" "+u.overlayCur:u.overlayCur},indent:r.indent&&function(l,u,c){return r.indent(l.base,u,c)},electricChars:r.electricChars,innerMode:function(l){return{state:l.base,mode:r}},blankLine:function(l){var u,c;return r.blankLine&&(u=r.blankLine(l.base)),a.blankLine&&(c=a.blankLine(l.overlay)),c==null?u:o&&u!=null?u+" "+c:c}}}})})();(function(e,t){(function(n){n(Ci.exports)})(function(n){n.defineOption("placeholder","",function(d,S,_){var E=_&&_!=n.Init;if(S&&!E)d.on("blur",l),d.on("change",u),d.on("swapDoc",u),n.on(d.getInputField(),"compositionupdate",d.state.placeholderCompose=function(){o(d)}),u(d);else if(!S&&E){d.off("blur",l),d.off("change",u),d.off("swapDoc",u),n.off(d.getInputField(),"compositionupdate",d.state.placeholderCompose),r(d);var T=d.getWrapperElement();T.className=T.className.replace(" CodeMirror-empty","")}S&&!d.hasFocus()&&l(d)});function r(d){d.state.placeholder&&(d.state.placeholder.parentNode.removeChild(d.state.placeholder),d.state.placeholder=null)}function a(d){r(d);var S=d.state.placeholder=document.createElement("pre");S.style.cssText="height: 0; overflow: visible",S.style.direction=d.getOption("direction"),S.className="CodeMirror-placeholder CodeMirror-line-like";var _=d.getOption("placeholder");typeof _=="string"&&(_=document.createTextNode(_)),S.appendChild(_),d.display.lineSpace.insertBefore(S,d.display.lineSpace.firstChild)}function o(d){setTimeout(function(){var S=!1;if(d.lineCount()==1){var _=d.getInputField();S=_.nodeName=="TEXTAREA"?!d.getLine(0).length:!/[^\u200b]/.test(_.querySelector(".CodeMirror-line").textContent)}S?a(d):r(d)},20)}function l(d){c(d)&&a(d)}function u(d){var S=d.getWrapperElement(),_=c(d);S.className=S.className.replace(" CodeMirror-empty","")+(_?" CodeMirror-empty":""),_?a(d):r(d)}function c(d){return d.lineCount()===1&&d.getLine(0)===""}})})();(function(e,t){(function(n){n(Ci.exports)})(function(n){n.defineOption("autoRefresh",!1,function(o,l){o.state.autoRefresh&&(a(o,o.state.autoRefresh),o.state.autoRefresh=null),l&&o.display.wrapper.offsetHeight==0&&r(o,o.state.autoRefresh={delay:l.delay||250})});function r(o,l){function u(){o.display.wrapper.offsetHeight?(a(o,l),o.display.lastWrapHeight!=o.display.wrapper.clientHeight&&o.refresh()):l.timeout=setTimeout(u,l.delay)}l.timeout=setTimeout(u,l.delay),l.hurry=function(){clearTimeout(l.timeout),l.timeout=setTimeout(u,50)},n.on(window,"mouseup",l.hurry),n.on(window,"keyup",l.hurry)}function a(o,l){clearTimeout(l.timeout),n.off(window,"mouseup",l.hurry),n.off(window,"keyup",l.hurry)}})})();(function(e,t){(function(n){n(Ci.exports)})(function(n){n.defineOption("styleSelectedText",!1,function(E,T,y){var M=y&&y!=n.Init;T&&!M?(E.state.markedSelection=[],E.state.markedSelectionStyle=typeof T=="string"?T:"CodeMirror-selectedtext",S(E),E.on("cursorActivity",r),E.on("change",a)):!T&&M&&(E.off("cursorActivity",r),E.off("change",a),d(E),E.state.markedSelection=E.state.markedSelectionStyle=null)});function r(E){E.state.markedSelection&&E.operation(function(){_(E)})}function a(E){E.state.markedSelection&&E.state.markedSelection.length&&E.operation(function(){d(E)})}var o=8,l=n.Pos,u=n.cmpPos;function c(E,T,y,M){if(u(T,y)!=0)for(var v=E.state.markedSelection,A=E.state.markedSelectionStyle,O=T.line;;){var N=O==T.line?T:l(O,0),R=O+o,L=R>=y.line,I=L?y:l(R,0),h=E.markText(N,I,{className:A});if(M==null?v.push(h):v.splice(M++,0,h),L)break;O=R}}function d(E){for(var T=E.state.markedSelection,y=0;y<T.length;++y)T[y].clear();T.length=0}function S(E){d(E);for(var T=E.listSelections(),y=0;y<T.length;y++)c(E,T[y].from(),T[y].to())}function _(E){if(!E.somethingSelected())return d(E);if(E.listSelections().length>1)return S(E);var T=E.getCursor("start"),y=E.getCursor("end"),M=E.state.markedSelection;if(!M.length)return c(E,T,y);var v=M[0].find(),A=M[M.length-1].find();if(!v||!A||y.line-T.line<=o||u(T,A.to)>=0||u(y,v.from)<=0)return S(E);for(;u(T,v.from)>0;)M.shift().clear(),v=M[0].find();for(u(T,v.from)<0&&(v.to.line-T.line<o?(M.shift().clear(),c(E,T,v.to,0)):c(E,T,v.from,0));u(y,A.to)<0;)M.pop().clear(),A=M[M.length-1].find();u(y,A.to)>0&&(y.line-A.from.line<o?(M.pop().clear(),c(E,A.from,y)):c(E,A.to,y))}})})();(function(e,t){(function(n){n(Ci.exports)})(function(n){var r=n.Pos;function a(O){var N=O.flags;return N!=null?N:(O.ignoreCase?"i":"")+(O.global?"g":"")+(O.multiline?"m":"")}function o(O,N){for(var R=a(O),L=R,I=0;I<N.length;I++)L.indexOf(N.charAt(I))==-1&&(L+=N.charAt(I));return R==L?O:new RegExp(O.source,L)}function l(O){return/\\s|\\n|\n|\\W|\\D|\[\^/.test(O.source)}function u(O,N,R){N=o(N,"g");for(var L=R.line,I=R.ch,h=O.lastLine();L<=h;L++,I=0){N.lastIndex=I;var k=O.getLine(L),F=N.exec(k);if(F)return{from:r(L,F.index),to:r(L,F.index+F[0].length),match:F}}}function c(O,N,R){if(!l(N))return u(O,N,R);N=o(N,"gm");for(var L,I=1,h=R.line,k=O.lastLine();h<=k;){for(var F=0;F<I&&!(h>k);F++){var z=O.getLine(h++);L=L==null?z:L+`
 `+z}I=I*2,N.lastIndex=R.ch;var K=N.exec(L);if(K){var ue=L.slice(0,K.index).split(`
 `),Z=K[0].split(`
 `),fe=R.line+ue.length-1,V=ue[ue.length-1].length;return{from:r(fe,V),to:r(fe+Z.length-1,Z.length==1?V+Z[0].length:Z[Z.length-1].length),match:K}}}}function d(O,N,R){for(var L,I=0;I<=O.length;){N.lastIndex=I;var h=N.exec(O);if(!h)break;var k=h.index+h[0].length;if(k>O.length-R)break;(!L||k>L.index+L[0].length)&&(L=h),I=h.index+1}return L}function S(O,N,R){N=o(N,"g");for(var L=R.line,I=R.ch,h=O.firstLine();L>=h;L--,I=-1){var k=O.getLine(L),F=d(k,N,I<0?0:k.length-I);if(F)return{from:r(L,F.index),to:r(L,F.index+F[0].length),match:F}}}function _(O,N,R){if(!l(N))return S(O,N,R);N=o(N,"gm");for(var L,I=1,h=O.getLine(R.line).length-R.ch,k=R.line,F=O.firstLine();k>=F;){for(var z=0;z<I&&k>=F;z++){var K=O.getLine(k--);L=L==null?K:K+`
 `+L}I*=2;var ue=d(L,N,h);if(ue){var Z=L.slice(0,ue.index).split(`
 `),fe=ue[0].split(`
-`),V=k+Z.length,ne=Z[Z.length-1].length;return{from:r(V,ne),to:r(V+fe.length-1,fe.length==1?ne+fe[0].length:fe[fe.length-1].length),match:ue}}}}var E,T;String.prototype.normalize?(E=function(O){return O.normalize("NFD").toLowerCase()},T=function(O){return O.normalize("NFD")}):(E=function(O){return O.toLowerCase()},T=function(O){return O});function y(O,N,R,L){if(O.length==N.length)return R;for(var I=0,h=R+Math.max(0,O.length-N.length);;){if(I==h)return I;var k=I+h>>1,F=L(O.slice(0,k)).length;if(F==R)return k;F>R?h=k:I=k+1}}function M(O,N,R,L){if(!N.length)return null;var I=L?E:T,h=I(N).split(/\r|\n\r?/);e:for(var k=R.line,F=R.ch,z=O.lastLine()+1-h.length;k<=z;k++,F=0){var K=O.getLine(k).slice(F),ue=I(K);if(h.length==1){var Z=ue.indexOf(h[0]);if(Z==-1)continue e;var R=y(K,ue,Z,I)+F;return{from:r(k,y(K,ue,Z,I)+F),to:r(k,y(K,ue,Z+h[0].length,I)+F)}}else{var fe=ue.length-h[0].length;if(ue.slice(fe)!=h[0])continue e;for(var V=1;V<h.length-1;V++)if(I(O.getLine(k+V))!=h[V])continue e;var ne=O.getLine(k+h.length-1),te=I(ne),G=h[h.length-1];if(te.slice(0,G.length)!=G)continue e;return{from:r(k,y(K,ue,fe,I)+F),to:r(k+h.length-1,y(ne,te,G.length,I))}}}}function v(O,N,R,L){if(!N.length)return null;var I=L?E:T,h=I(N).split(/\r|\n\r?/);e:for(var k=R.line,F=R.ch,z=O.firstLine()-1+h.length;k>=z;k--,F=-1){var K=O.getLine(k);F>-1&&(K=K.slice(0,F));var ue=I(K);if(h.length==1){var Z=ue.lastIndexOf(h[0]);if(Z==-1)continue e;return{from:r(k,y(K,ue,Z,I)),to:r(k,y(K,ue,Z+h[0].length,I))}}else{var fe=h[h.length-1];if(ue.slice(0,fe.length)!=fe)continue e;for(var V=1,R=k-h.length+1;V<h.length-1;V++)if(I(O.getLine(R+V))!=h[V])continue e;var ne=O.getLine(k+1-h.length),te=I(ne);if(te.slice(te.length-h[0].length)!=h[0])continue e;return{from:r(k+1-h.length,y(ne,te,ne.length-h[0].length,I)),to:r(k,y(K,ue,fe.length,I))}}}}function A(O,N,R,L){this.atOccurrence=!1,this.afterEmptyMatch=!1,this.doc=O,R=R?O.clipPos(R):r(0,0),this.pos={from:R,to:R};var I;typeof L=="object"?I=L.caseFold:(I=L,L=null),typeof N=="string"?(I==null&&(I=!1),this.matches=function(h,k){return(h?v:M)(O,N,k,I)}):(N=o(N,"gm"),!L||L.multiline!==!1?this.matches=function(h,k){return(h?_:c)(O,N,k)}:this.matches=function(h,k){return(h?S:u)(O,N,k)})}A.prototype={findNext:function(){return this.find(!1)},findPrevious:function(){return this.find(!0)},find:function(O){var N=this.doc.clipPos(O?this.pos.from:this.pos.to);if(this.afterEmptyMatch&&this.atOccurrence&&(N=r(N.line,N.ch),O?(N.ch--,N.ch<0&&(N.line--,N.ch=(this.doc.getLine(N.line)||"").length)):(N.ch++,N.ch>(this.doc.getLine(N.line)||"").length&&(N.ch=0,N.line++)),n.cmpPos(N,this.doc.clipPos(N))!=0))return this.atOccurrence=!1;var R=this.matches(O,N);if(this.afterEmptyMatch=R&&n.cmpPos(R.from,R.to)==0,R)return this.pos=R,this.atOccurrence=!0,this.pos.match||!0;var L=r(O?this.doc.firstLine():this.doc.lastLine()+1,0);return this.pos={from:L,to:L},this.atOccurrence=!1},from:function(){if(this.atOccurrence)return this.pos.from},to:function(){if(this.atOccurrence)return this.pos.to},replace:function(O,N){if(!!this.atOccurrence){var R=n.splitLines(O);this.doc.replaceRange(R,this.pos.from,this.pos.to,N),this.pos.to=r(this.pos.from.line+R.length-1,R[R.length-1].length+(R.length==1?this.pos.from.ch:0))}}},n.defineExtension("getSearchCursor",function(O,N,R){return new A(this.doc,O,N,R)}),n.defineDocExtension("getSearchCursor",function(O,N,R){return new A(this,O,N,R)}),n.defineExtension("selectMatches",function(O,N){for(var R=[],L=this.getSearchCursor(O,this.getCursor("from"),N);L.findNext()&&!(n.cmpPos(L.to(),this.getCursor("to"))>0);)R.push({anchor:L.from(),head:L.to()});R.length&&this.setSelections(R,0)})})})();(function(e,t){(function(n){n(Ci.exports,xB.exports,MB.exports)})(function(n){var r=/^((?:(?:aaas?|about|acap|adiumxtra|af[ps]|aim|apt|attachment|aw|beshare|bitcoin|bolo|callto|cap|chrome(?:-extension)?|cid|coap|com-eventbrite-attendee|content|crid|cvs|data|dav|dict|dlna-(?:playcontainer|playsingle)|dns|doi|dtn|dvb|ed2k|facetime|feed|file|finger|fish|ftp|geo|gg|git|gizmoproject|go|gopher|gtalk|h323|hcp|https?|iax|icap|icon|im|imap|info|ipn|ipp|irc[6s]?|iris(?:\.beep|\.lwz|\.xpc|\.xpcs)?|itms|jar|javascript|jms|keyparc|lastfm|ldaps?|magnet|mailto|maps|market|message|mid|mms|ms-help|msnim|msrps?|mtqp|mumble|mupdate|mvn|news|nfs|nih?|nntp|notes|oid|opaquelocktoken|palm|paparazzi|platform|pop|pres|proxy|psyc|query|res(?:ource)?|rmi|rsync|rtmp|rtsp|secondlife|service|session|sftp|sgn|shttp|sieve|sips?|skype|sm[bs]|snmp|soap\.beeps?|soldat|spotify|ssh|steam|svn|tag|teamspeak|tel(?:net)?|tftp|things|thismessage|tip|tn3270|tv|udp|unreal|urn|ut2004|vemmi|ventrilo|view-source|webcal|wss?|wtai|wyciwyg|xcon(?:-userid)?|xfire|xmlrpc\.beeps?|xmpp|xri|ymsgr|z39\.50[rs]?):(?:\/{1,3}|[a-z0-9%])|www\d{0,3}[.]|[a-z0-9.\-]+[.][a-z]{2,4}\/)(?:[^\s()<>]|\([^\s()<>]*\))+(?:\([^\s()<>]*\)|[^\s`*!()\[\]{};:'".,<>?«»“”‘’]))/i;n.defineMode("gfm",function(a,o){var l=0;function u(_){return _.code=!1,null}var c={startState:function(){return{code:!1,codeBlock:!1,ateSpace:!1}},copyState:function(_){return{code:_.code,codeBlock:_.codeBlock,ateSpace:_.ateSpace}},token:function(_,E){if(E.combineTokens=null,E.codeBlock)return _.match(/^```+/)?(E.codeBlock=!1,null):(_.skipToEnd(),null);if(_.sol()&&(E.code=!1),_.sol()&&_.match(/^```+/))return _.skipToEnd(),E.codeBlock=!0,null;if(_.peek()==="`"){_.next();var T=_.pos;_.eatWhile("`");var y=1+_.pos-T;return E.code?y===l&&(E.code=!1):(l=y,E.code=!0),null}else if(E.code)return _.next(),null;if(_.eatSpace())return E.ateSpace=!0,null;if((_.sol()||E.ateSpace)&&(E.ateSpace=!1,o.gitHubSpice!==!1)){if(_.match(/^(?:[a-zA-Z0-9\-_]+\/)?(?:[a-zA-Z0-9\-_]+@)?(?=.{0,6}\d)(?:[a-f0-9]{7,40}\b)/))return E.combineTokens=!0,"link";if(_.match(/^(?:[a-zA-Z0-9\-_]+\/)?(?:[a-zA-Z0-9\-_]+)?#[0-9]+\b/))return E.combineTokens=!0,"link"}return _.match(r)&&_.string.slice(_.start-2,_.start)!="]("&&(_.start==0||/\W/.test(_.string.charAt(_.start-1)))?(E.combineTokens=!0,"link"):(_.next(),null)},blankLine:u},d={taskLists:!0,strikethrough:!0,emoji:!0};for(var S in o)d[S]=o[S];return d.name="markdown",n.overlayMode(n.getMode(a,d),c)},"markdown"),n.defineMIME("text/x-gfm","gfm")})})();function kB(e){throw new Error('Could not dynamically require "'+e+'". Please configure the dynamicRequireTargets or/and ignoreDynamicRequires option of @rollup/plugin-commonjs appropriately for this require call to work.')}var uR={exports:{}};const PB={},FB=Object.freeze(Object.defineProperty({__proto__:null,default:PB},Symbol.toStringTag,{value:"Module"})),BB=DD(FB);(function(e){var t;(function(){t=function(n,r,a,o){o=o||{},this.dictionary=null,this.rules={},this.dictionaryTable={},this.compoundRules=[],this.compoundRuleCodes={},this.replacementTable=[],this.flags=o.flags||{},this.memoized={},this.loaded=!1;var l=this,u,c,d,S,_;n&&(l.dictionary=n,r&&a?M():typeof window<"u"&&"chrome"in window&&"extension"in window.chrome&&"getURL"in window.chrome.extension?(o.dictionaryPath?u=o.dictionaryPath:u="typo/dictionaries",r||E(chrome.extension.getURL(u+"/"+n+"/"+n+".aff"),T),a||E(chrome.extension.getURL(u+"/"+n+"/"+n+".dic"),y)):(o.dictionaryPath?u=o.dictionaryPath:typeof __dirname<"u"?u=__dirname+"/dictionaries":u="./dictionaries",r||E(u+"/"+n+"/"+n+".aff",T),a||E(u+"/"+n+"/"+n+".dic",y)));function E(v,A){var O=l._readFile(v,null,o.asyncLoad);o.asyncLoad?O.then(function(N){A(N)}):A(O)}function T(v){r=v,a&&M()}function y(v){a=v,r&&M()}function M(){for(l.rules=l._parseAFF(r),l.compoundRuleCodes={},c=0,S=l.compoundRules.length;c<S;c++){var v=l.compoundRules[c];for(d=0,_=v.length;d<_;d++)l.compoundRuleCodes[v[d]]=[]}"ONLYINCOMPOUND"in l.flags&&(l.compoundRuleCodes[l.flags.ONLYINCOMPOUND]=[]),l.dictionaryTable=l._parseDIC(a);for(c in l.compoundRuleCodes)l.compoundRuleCodes[c].length===0&&delete l.compoundRuleCodes[c];for(c=0,S=l.compoundRules.length;c<S;c++){var A=l.compoundRules[c],O="";for(d=0,_=A.length;d<_;d++){var N=A[d];N in l.compoundRuleCodes?O+="("+l.compoundRuleCodes[N].join("|")+")":O+=N}l.compoundRules[c]=new RegExp(O,"i")}l.loaded=!0,o.asyncLoad&&o.loadedCallback&&o.loadedCallback(l)}return this},t.prototype={load:function(n){for(var r in n)n.hasOwnProperty(r)&&(this[r]=n[r]);return this},_readFile:function(n,r,a){if(r=r||"utf8",typeof XMLHttpRequest<"u"){var o,l=new XMLHttpRequest;return l.open("GET",n,a),a&&(o=new Promise(function(c,d){l.onload=function(){l.status===200?c(l.responseText):d(l.statusText)},l.onerror=function(){d(l.statusText)}})),l.overrideMimeType&&l.overrideMimeType("text/plain; charset="+r),l.send(null),a?o:l.responseText}else if(typeof kB<"u"){var u=BB;try{if(u.existsSync(n))return u.readFileSync(n,r);console.log("Path "+n+" does not exist.")}catch(c){return console.log(c),""}}},_parseAFF:function(n){var r={},a,o,l,u,c,d,S,_,E=n.split(/\r?\n/);for(c=0,S=E.length;c<S;c++)if(a=this._removeAffixComments(E[c]),a=a.trim(),!!a){var T=a.split(/\s+/),y=T[0];if(y=="PFX"||y=="SFX"){var M=T[1],v=T[2];l=parseInt(T[3],10);var A=[];for(d=c+1,_=c+1+l;d<_;d++){o=E[d],u=o.split(/\s+/);var O=u[2],N=u[3].split("/"),R=N[0];R==="0"&&(R="");var L=this.parseRuleCodes(N[1]),I=u[4],h={};h.add=R,L.length>0&&(h.continuationClasses=L),I!=="."&&(y==="SFX"?h.match=new RegExp(I+"$"):h.match=new RegExp("^"+I)),O!="0"&&(y==="SFX"?h.remove=new RegExp(O+"$"):h.remove=O),A.push(h)}r[M]={type:y,combineable:v=="Y",entries:A},c+=l}else if(y==="COMPOUNDRULE"){for(l=parseInt(T[1],10),d=c+1,_=c+1+l;d<_;d++)a=E[d],u=a.split(/\s+/),this.compoundRules.push(u[1]);c+=l}else y==="REP"?(u=a.split(/\s+/),u.length===3&&this.replacementTable.push([u[1],u[2]])):this.flags[y]=T[1]}return r},_removeAffixComments:function(n){return n.match(/^\s*#/,"")?"":n},_parseDIC:function(n){n=this._removeDicComments(n);var r=n.split(/\r?\n/),a={};function o(K,ue){a.hasOwnProperty(K)||(a[K]=null),ue.length>0&&(a[K]===null&&(a[K]=[]),a[K].push(ue))}for(var l=1,u=r.length;l<u;l++){var c=r[l];if(!!c){var d=c.split("/",2),S=d[0];if(d.length>1){var _=this.parseRuleCodes(d[1]);(!("NEEDAFFIX"in this.flags)||_.indexOf(this.flags.NEEDAFFIX)==-1)&&o(S,_);for(var E=0,T=_.length;E<T;E++){var y=_[E],M=this.rules[y];if(M)for(var v=this._applyRule(S,M),A=0,O=v.length;A<O;A++){var N=v[A];if(o(N,[]),M.combineable)for(var R=E+1;R<T;R++){var L=_[R],I=this.rules[L];if(I&&I.combineable&&M.type!=I.type)for(var h=this._applyRule(N,I),k=0,F=h.length;k<F;k++){var z=h[k];o(z,[])}}}y in this.compoundRuleCodes&&this.compoundRuleCodes[y].push(S)}}else o(S.trim(),[])}}return a},_removeDicComments:function(n){return n=n.replace(/^\t.*$/mg,""),n},parseRuleCodes:function(n){if(n)if("FLAG"in this.flags)if(this.flags.FLAG==="long"){for(var r=[],a=0,o=n.length;a<o;a+=2)r.push(n.substr(a,2));return r}else return this.flags.FLAG==="num"?n.split(","):this.flags.FLAG==="UTF-8"?Array.from(n):n.split("");else return n.split("");else return[]},_applyRule:function(n,r){for(var a=r.entries,o=[],l=0,u=a.length;l<u;l++){var c=a[l];if(!c.match||n.match(c.match)){var d=n;if(c.remove&&(d=d.replace(c.remove,"")),r.type==="SFX"?d=d+c.add:d=c.add+d,o.push(d),"continuationClasses"in c)for(var S=0,_=c.continuationClasses.length;S<_;S++){var E=this.rules[c.continuationClasses[S]];E&&(o=o.concat(this._applyRule(d,E)))}}}return o},check:function(n){if(!this.loaded)throw"Dictionary not loaded.";var r=n.replace(/^\s\s*/,"").replace(/\s\s*$/,"");if(this.checkExact(r))return!0;if(r.toUpperCase()===r){var a=r[0]+r.substring(1).toLowerCase();if(this.hasFlag(a,"KEEPCASE"))return!1;if(this.checkExact(a)||this.checkExact(r.toLowerCase()))return!0}var o=r[0].toLowerCase()+r.substring(1);if(o!==r){if(this.hasFlag(o,"KEEPCASE"))return!1;if(this.checkExact(o))return!0}return!1},checkExact:function(n){if(!this.loaded)throw"Dictionary not loaded.";var r=this.dictionaryTable[n],a,o;if(typeof r>"u"){if("COMPOUNDMIN"in this.flags&&n.length>=this.flags.COMPOUNDMIN){for(a=0,o=this.compoundRules.length;a<o;a++)if(n.match(this.compoundRules[a]))return!0}}else{if(r===null)return!0;if(typeof r=="object"){for(a=0,o=r.length;a<o;a++)if(!this.hasFlag(n,"ONLYINCOMPOUND",r[a]))return!0}}return!1},hasFlag:function(n,r,a){if(!this.loaded)throw"Dictionary not loaded.";return!!(r in this.flags&&(typeof a>"u"&&(a=Array.prototype.concat.apply([],this.dictionaryTable[n])),a&&a.indexOf(this.flags[r])!==-1))},alphabet:"",suggest:function(n,r){if(!this.loaded)throw"Dictionary not loaded.";if(r=r||5,this.memoized.hasOwnProperty(n)){var a=this.memoized[n].limit;if(r<=a||this.memoized[n].suggestions.length<a)return this.memoized[n].suggestions.slice(0,r)}if(this.check(n))return[];for(var o=0,l=this.replacementTable.length;o<l;o++){var u=this.replacementTable[o];if(n.indexOf(u[0])!==-1){var c=n.replace(u[0],u[1]);if(this.check(c))return[c]}}if(!this.alphabet){this.alphabet="abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ","TRY"in this.flags&&(this.alphabet+=this.flags.TRY),"WORDCHARS"in this.flags&&(this.alphabet+=this.flags.WORDCHARS);var d=this.alphabet.split("");d.sort();for(var S={},o=0;o<d.length;o++)S[d[o]]=!0;this.alphabet="";for(var o in S)this.alphabet+=o}var _=this;function E(y,M){var v={},A,O,N,R,L=_.alphabet.length;if(typeof y=="string"){var I=y;y={},y[I]=!0}for(var I in y)for(A=0,N=I.length+1;A<N;A++){var h=[I.substring(0,A),I.substring(A)];if(h[1]&&(R=h[0]+h[1].substring(1),(!M||_.check(R))&&(R in v?v[R]+=1:v[R]=1)),h[1].length>1&&h[1][1]!==h[1][0]&&(R=h[0]+h[1][1]+h[1][0]+h[1].substring(2),(!M||_.check(R))&&(R in v?v[R]+=1:v[R]=1)),h[1]){var k=h[1].substring(0,1).toUpperCase()===h[1].substring(0,1)?"uppercase":"lowercase";for(O=0;O<L;O++){var F=_.alphabet[O];k==="uppercase"&&(F=F.toUpperCase()),F!=h[1].substring(0,1)&&(R=h[0]+F+h[1].substring(1),(!M||_.check(R))&&(R in v?v[R]+=1:v[R]=1))}}if(h[1])for(O=0;O<L;O++){var k=h[0].substring(-1).toUpperCase()===h[0].substring(-1)&&h[1].substring(0,1).toUpperCase()===h[1].substring(0,1)?"uppercase":"lowercase",F=_.alphabet[O];k==="uppercase"&&(F=F.toUpperCase()),R=h[0]+F+h[1],(!M||_.check(R))&&(R in v?v[R]+=1:v[R]=1)}}return v}function T(y){var M=E(y),v=E(M,!0),A=v;for(var O in M)!_.check(O)||(O in A?A[O]+=M[O]:A[O]=M[O]);var N,R=[];for(N in A)A.hasOwnProperty(N)&&R.push([N,A[N]]);function L(F,z){var K=F[1],ue=z[1];return K<ue?-1:K>ue?1:z[0].localeCompare(F[0])}R.sort(L).reverse();var I=[],h="lowercase";y.toUpperCase()===y?h="uppercase":y.substr(0,1).toUpperCase()+y.substr(1).toLowerCase()===y&&(h="capitalized");var k=r;for(N=0;N<Math.min(k,R.length);N++)h==="uppercase"?R[N][0]=R[N][0].toUpperCase():h==="capitalized"&&(R[N][0]=R[N][0].substr(0,1).toUpperCase()+R[N][0].substr(1)),!_.hasFlag(R[N][0],"NOSUGGEST")&&I.indexOf(R[N][0])==-1?I.push(R[N][0]):k++;return I}return this.memoized[n]={suggestions:T(n),limit:r},this.memoized[n].suggestions}}})(),e.exports=t})(uR);var sC=uR.exports;function Fn(e){if(e=e||{},typeof e.codeMirrorInstance!="function"||typeof e.codeMirrorInstance.defineMode!="function"){console.log("CodeMirror Spell Checker: You must provide an instance of CodeMirror via the option `codeMirrorInstance`");return}String.prototype.includes||(String.prototype.includes=function(){return String.prototype.indexOf.apply(this,arguments)!==-1}),e.codeMirrorInstance.defineMode("spell-checker",function(t){if(!Fn.aff_loading){Fn.aff_loading=!0;var n=new XMLHttpRequest;n.open("GET","https://cdn.jsdelivr.net/codemirror.spell-checker/latest/en_US.aff",!0),n.onload=function(){n.readyState===4&&n.status===200&&(Fn.aff_data=n.responseText,Fn.num_loaded++,Fn.num_loaded==2&&(Fn.typo=new sC("en_US",Fn.aff_data,Fn.dic_data,{platform:"any"})))},n.send(null)}if(!Fn.dic_loading){Fn.dic_loading=!0;var r=new XMLHttpRequest;r.open("GET","https://cdn.jsdelivr.net/codemirror.spell-checker/latest/en_US.dic",!0),r.onload=function(){r.readyState===4&&r.status===200&&(Fn.dic_data=r.responseText,Fn.num_loaded++,Fn.num_loaded==2&&(Fn.typo=new sC("en_US",Fn.aff_data,Fn.dic_data,{platform:"any"})))},r.send(null)}var a='!"#$%&()*+,-./:;<=>?@[\\]^_`{|}~ ',o={token:function(u){var c=u.peek(),d="";if(a.includes(c))return u.next(),null;for(;(c=u.peek())!=null&&!a.includes(c);)d+=c,u.next();return Fn.typo&&!Fn.typo.check(d)?"spell-error":null}},l=e.codeMirrorInstance.getMode(t,t.backdrop||"text/plain");return e.codeMirrorInstance.overlayMode(l,o,!0)})}Fn.num_loaded=0;Fn.aff_loading=!1;Fn.dic_loading=!1;Fn.aff_data="";Fn.dic_data="";var UB=Fn,cR={};(function(e){function t(ge,de){for(var be=0;be<de.length;be++){var H=de[be];H.enumerable=H.enumerable||!1,H.configurable=!0,"value"in H&&(H.writable=!0),Object.defineProperty(ge,c(H.key),H)}}function n(ge,de,be){return de&&t(ge.prototype,de),be&&t(ge,be),Object.defineProperty(ge,"prototype",{writable:!1}),ge}function r(){return r=Object.assign?Object.assign.bind():function(ge){for(var de=1;de<arguments.length;de++){var be=arguments[de];for(var H in be)Object.prototype.hasOwnProperty.call(be,H)&&(ge[H]=be[H])}return ge},r.apply(this,arguments)}function a(ge,de){if(!!ge){if(typeof ge=="string")return o(ge,de);var be=Object.prototype.toString.call(ge).slice(8,-1);if(be==="Object"&&ge.constructor&&(be=ge.constructor.name),be==="Map"||be==="Set")return Array.from(ge);if(be==="Arguments"||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(be))return o(ge,de)}}function o(ge,de){(de==null||de>ge.length)&&(de=ge.length);for(var be=0,H=new Array(de);be<de;be++)H[be]=ge[be];return H}function l(ge,de){var be=typeof Symbol<"u"&&ge[Symbol.iterator]||ge["@@iterator"];if(be)return(be=be.call(ge)).next.bind(be);if(Array.isArray(ge)||(be=a(ge))||de&&ge&&typeof ge.length=="number"){be&&(ge=be);var H=0;return function(){return H>=ge.length?{done:!0}:{done:!1,value:ge[H++]}}}throw new TypeError(`Invalid attempt to iterate non-iterable instance.
+`),V=k+Z.length,ne=Z[Z.length-1].length;return{from:r(V,ne),to:r(V+fe.length-1,fe.length==1?ne+fe[0].length:fe[fe.length-1].length),match:ue}}}}var E,T;String.prototype.normalize?(E=function(O){return O.normalize("NFD").toLowerCase()},T=function(O){return O.normalize("NFD")}):(E=function(O){return O.toLowerCase()},T=function(O){return O});function y(O,N,R,L){if(O.length==N.length)return R;for(var I=0,h=R+Math.max(0,O.length-N.length);;){if(I==h)return I;var k=I+h>>1,F=L(O.slice(0,k)).length;if(F==R)return k;F>R?h=k:I=k+1}}function M(O,N,R,L){if(!N.length)return null;var I=L?E:T,h=I(N).split(/\r|\n\r?/);e:for(var k=R.line,F=R.ch,z=O.lastLine()+1-h.length;k<=z;k++,F=0){var K=O.getLine(k).slice(F),ue=I(K);if(h.length==1){var Z=ue.indexOf(h[0]);if(Z==-1)continue e;var R=y(K,ue,Z,I)+F;return{from:r(k,y(K,ue,Z,I)+F),to:r(k,y(K,ue,Z+h[0].length,I)+F)}}else{var fe=ue.length-h[0].length;if(ue.slice(fe)!=h[0])continue e;for(var V=1;V<h.length-1;V++)if(I(O.getLine(k+V))!=h[V])continue e;var ne=O.getLine(k+h.length-1),te=I(ne),G=h[h.length-1];if(te.slice(0,G.length)!=G)continue e;return{from:r(k,y(K,ue,fe,I)+F),to:r(k+h.length-1,y(ne,te,G.length,I))}}}}function v(O,N,R,L){if(!N.length)return null;var I=L?E:T,h=I(N).split(/\r|\n\r?/);e:for(var k=R.line,F=R.ch,z=O.firstLine()-1+h.length;k>=z;k--,F=-1){var K=O.getLine(k);F>-1&&(K=K.slice(0,F));var ue=I(K);if(h.length==1){var Z=ue.lastIndexOf(h[0]);if(Z==-1)continue e;return{from:r(k,y(K,ue,Z,I)),to:r(k,y(K,ue,Z+h[0].length,I))}}else{var fe=h[h.length-1];if(ue.slice(0,fe.length)!=fe)continue e;for(var V=1,R=k-h.length+1;V<h.length-1;V++)if(I(O.getLine(R+V))!=h[V])continue e;var ne=O.getLine(k+1-h.length),te=I(ne);if(te.slice(te.length-h[0].length)!=h[0])continue e;return{from:r(k+1-h.length,y(ne,te,ne.length-h[0].length,I)),to:r(k,y(K,ue,fe.length,I))}}}}function A(O,N,R,L){this.atOccurrence=!1,this.afterEmptyMatch=!1,this.doc=O,R=R?O.clipPos(R):r(0,0),this.pos={from:R,to:R};var I;typeof L=="object"?I=L.caseFold:(I=L,L=null),typeof N=="string"?(I==null&&(I=!1),this.matches=function(h,k){return(h?v:M)(O,N,k,I)}):(N=o(N,"gm"),!L||L.multiline!==!1?this.matches=function(h,k){return(h?_:c)(O,N,k)}:this.matches=function(h,k){return(h?S:u)(O,N,k)})}A.prototype={findNext:function(){return this.find(!1)},findPrevious:function(){return this.find(!0)},find:function(O){var N=this.doc.clipPos(O?this.pos.from:this.pos.to);if(this.afterEmptyMatch&&this.atOccurrence&&(N=r(N.line,N.ch),O?(N.ch--,N.ch<0&&(N.line--,N.ch=(this.doc.getLine(N.line)||"").length)):(N.ch++,N.ch>(this.doc.getLine(N.line)||"").length&&(N.ch=0,N.line++)),n.cmpPos(N,this.doc.clipPos(N))!=0))return this.atOccurrence=!1;var R=this.matches(O,N);if(this.afterEmptyMatch=R&&n.cmpPos(R.from,R.to)==0,R)return this.pos=R,this.atOccurrence=!0,this.pos.match||!0;var L=r(O?this.doc.firstLine():this.doc.lastLine()+1,0);return this.pos={from:L,to:L},this.atOccurrence=!1},from:function(){if(this.atOccurrence)return this.pos.from},to:function(){if(this.atOccurrence)return this.pos.to},replace:function(O,N){if(!!this.atOccurrence){var R=n.splitLines(O);this.doc.replaceRange(R,this.pos.from,this.pos.to,N),this.pos.to=r(this.pos.from.line+R.length-1,R[R.length-1].length+(R.length==1?this.pos.from.ch:0))}}},n.defineExtension("getSearchCursor",function(O,N,R){return new A(this.doc,O,N,R)}),n.defineDocExtension("getSearchCursor",function(O,N,R){return new A(this,O,N,R)}),n.defineExtension("selectMatches",function(O,N){for(var R=[],L=this.getSearchCursor(O,this.getCursor("from"),N);L.findNext()&&!(n.cmpPos(L.to(),this.getCursor("to"))>0);)R.push({anchor:L.from(),head:L.to()});R.length&&this.setSelections(R,0)})})})();(function(e,t){(function(n){n(Ci.exports,LB.exports,PB.exports)})(function(n){var r=/^((?:(?:aaas?|about|acap|adiumxtra|af[ps]|aim|apt|attachment|aw|beshare|bitcoin|bolo|callto|cap|chrome(?:-extension)?|cid|coap|com-eventbrite-attendee|content|crid|cvs|data|dav|dict|dlna-(?:playcontainer|playsingle)|dns|doi|dtn|dvb|ed2k|facetime|feed|file|finger|fish|ftp|geo|gg|git|gizmoproject|go|gopher|gtalk|h323|hcp|https?|iax|icap|icon|im|imap|info|ipn|ipp|irc[6s]?|iris(?:\.beep|\.lwz|\.xpc|\.xpcs)?|itms|jar|javascript|jms|keyparc|lastfm|ldaps?|magnet|mailto|maps|market|message|mid|mms|ms-help|msnim|msrps?|mtqp|mumble|mupdate|mvn|news|nfs|nih?|nntp|notes|oid|opaquelocktoken|palm|paparazzi|platform|pop|pres|proxy|psyc|query|res(?:ource)?|rmi|rsync|rtmp|rtsp|secondlife|service|session|sftp|sgn|shttp|sieve|sips?|skype|sm[bs]|snmp|soap\.beeps?|soldat|spotify|ssh|steam|svn|tag|teamspeak|tel(?:net)?|tftp|things|thismessage|tip|tn3270|tv|udp|unreal|urn|ut2004|vemmi|ventrilo|view-source|webcal|wss?|wtai|wyciwyg|xcon(?:-userid)?|xfire|xmlrpc\.beeps?|xmpp|xri|ymsgr|z39\.50[rs]?):(?:\/{1,3}|[a-z0-9%])|www\d{0,3}[.]|[a-z0-9.\-]+[.][a-z]{2,4}\/)(?:[^\s()<>]|\([^\s()<>]*\))+(?:\([^\s()<>]*\)|[^\s`*!()\[\]{};:'".,<>?«»“”‘’]))/i;n.defineMode("gfm",function(a,o){var l=0;function u(_){return _.code=!1,null}var c={startState:function(){return{code:!1,codeBlock:!1,ateSpace:!1}},copyState:function(_){return{code:_.code,codeBlock:_.codeBlock,ateSpace:_.ateSpace}},token:function(_,E){if(E.combineTokens=null,E.codeBlock)return _.match(/^```+/)?(E.codeBlock=!1,null):(_.skipToEnd(),null);if(_.sol()&&(E.code=!1),_.sol()&&_.match(/^```+/))return _.skipToEnd(),E.codeBlock=!0,null;if(_.peek()==="`"){_.next();var T=_.pos;_.eatWhile("`");var y=1+_.pos-T;return E.code?y===l&&(E.code=!1):(l=y,E.code=!0),null}else if(E.code)return _.next(),null;if(_.eatSpace())return E.ateSpace=!0,null;if((_.sol()||E.ateSpace)&&(E.ateSpace=!1,o.gitHubSpice!==!1)){if(_.match(/^(?:[a-zA-Z0-9\-_]+\/)?(?:[a-zA-Z0-9\-_]+@)?(?=.{0,6}\d)(?:[a-f0-9]{7,40}\b)/))return E.combineTokens=!0,"link";if(_.match(/^(?:[a-zA-Z0-9\-_]+\/)?(?:[a-zA-Z0-9\-_]+)?#[0-9]+\b/))return E.combineTokens=!0,"link"}return _.match(r)&&_.string.slice(_.start-2,_.start)!="]("&&(_.start==0||/\W/.test(_.string.charAt(_.start-1)))?(E.combineTokens=!0,"link"):(_.next(),null)},blankLine:u},d={taskLists:!0,strikethrough:!0,emoji:!0};for(var S in o)d[S]=o[S];return d.name="markdown",n.overlayMode(n.getMode(a,d),c)},"markdown"),n.defineMIME("text/x-gfm","gfm")})})();function FB(e){throw new Error('Could not dynamically require "'+e+'". Please configure the dynamicRequireTargets or/and ignoreDynamicRequires option of @rollup/plugin-commonjs appropriately for this require call to work.')}var dR={exports:{}};const BB={},UB=Object.freeze(Object.defineProperty({__proto__:null,default:BB},Symbol.toStringTag,{value:"Module"})),GB=wD(UB);(function(e){var t;(function(){t=function(n,r,a,o){o=o||{},this.dictionary=null,this.rules={},this.dictionaryTable={},this.compoundRules=[],this.compoundRuleCodes={},this.replacementTable=[],this.flags=o.flags||{},this.memoized={},this.loaded=!1;var l=this,u,c,d,S,_;n&&(l.dictionary=n,r&&a?M():typeof window<"u"&&"chrome"in window&&"extension"in window.chrome&&"getURL"in window.chrome.extension?(o.dictionaryPath?u=o.dictionaryPath:u="typo/dictionaries",r||E(chrome.extension.getURL(u+"/"+n+"/"+n+".aff"),T),a||E(chrome.extension.getURL(u+"/"+n+"/"+n+".dic"),y)):(o.dictionaryPath?u=o.dictionaryPath:typeof __dirname<"u"?u=__dirname+"/dictionaries":u="./dictionaries",r||E(u+"/"+n+"/"+n+".aff",T),a||E(u+"/"+n+"/"+n+".dic",y)));function E(v,A){var O=l._readFile(v,null,o.asyncLoad);o.asyncLoad?O.then(function(N){A(N)}):A(O)}function T(v){r=v,a&&M()}function y(v){a=v,r&&M()}function M(){for(l.rules=l._parseAFF(r),l.compoundRuleCodes={},c=0,S=l.compoundRules.length;c<S;c++){var v=l.compoundRules[c];for(d=0,_=v.length;d<_;d++)l.compoundRuleCodes[v[d]]=[]}"ONLYINCOMPOUND"in l.flags&&(l.compoundRuleCodes[l.flags.ONLYINCOMPOUND]=[]),l.dictionaryTable=l._parseDIC(a);for(c in l.compoundRuleCodes)l.compoundRuleCodes[c].length===0&&delete l.compoundRuleCodes[c];for(c=0,S=l.compoundRules.length;c<S;c++){var A=l.compoundRules[c],O="";for(d=0,_=A.length;d<_;d++){var N=A[d];N in l.compoundRuleCodes?O+="("+l.compoundRuleCodes[N].join("|")+")":O+=N}l.compoundRules[c]=new RegExp(O,"i")}l.loaded=!0,o.asyncLoad&&o.loadedCallback&&o.loadedCallback(l)}return this},t.prototype={load:function(n){for(var r in n)n.hasOwnProperty(r)&&(this[r]=n[r]);return this},_readFile:function(n,r,a){if(r=r||"utf8",typeof XMLHttpRequest<"u"){var o,l=new XMLHttpRequest;return l.open("GET",n,a),a&&(o=new Promise(function(c,d){l.onload=function(){l.status===200?c(l.responseText):d(l.statusText)},l.onerror=function(){d(l.statusText)}})),l.overrideMimeType&&l.overrideMimeType("text/plain; charset="+r),l.send(null),a?o:l.responseText}else if(typeof FB<"u"){var u=GB;try{if(u.existsSync(n))return u.readFileSync(n,r);console.log("Path "+n+" does not exist.")}catch(c){return console.log(c),""}}},_parseAFF:function(n){var r={},a,o,l,u,c,d,S,_,E=n.split(/\r?\n/);for(c=0,S=E.length;c<S;c++)if(a=this._removeAffixComments(E[c]),a=a.trim(),!!a){var T=a.split(/\s+/),y=T[0];if(y=="PFX"||y=="SFX"){var M=T[1],v=T[2];l=parseInt(T[3],10);var A=[];for(d=c+1,_=c+1+l;d<_;d++){o=E[d],u=o.split(/\s+/);var O=u[2],N=u[3].split("/"),R=N[0];R==="0"&&(R="");var L=this.parseRuleCodes(N[1]),I=u[4],h={};h.add=R,L.length>0&&(h.continuationClasses=L),I!=="."&&(y==="SFX"?h.match=new RegExp(I+"$"):h.match=new RegExp("^"+I)),O!="0"&&(y==="SFX"?h.remove=new RegExp(O+"$"):h.remove=O),A.push(h)}r[M]={type:y,combineable:v=="Y",entries:A},c+=l}else if(y==="COMPOUNDRULE"){for(l=parseInt(T[1],10),d=c+1,_=c+1+l;d<_;d++)a=E[d],u=a.split(/\s+/),this.compoundRules.push(u[1]);c+=l}else y==="REP"?(u=a.split(/\s+/),u.length===3&&this.replacementTable.push([u[1],u[2]])):this.flags[y]=T[1]}return r},_removeAffixComments:function(n){return n.match(/^\s*#/,"")?"":n},_parseDIC:function(n){n=this._removeDicComments(n);var r=n.split(/\r?\n/),a={};function o(K,ue){a.hasOwnProperty(K)||(a[K]=null),ue.length>0&&(a[K]===null&&(a[K]=[]),a[K].push(ue))}for(var l=1,u=r.length;l<u;l++){var c=r[l];if(!!c){var d=c.split("/",2),S=d[0];if(d.length>1){var _=this.parseRuleCodes(d[1]);(!("NEEDAFFIX"in this.flags)||_.indexOf(this.flags.NEEDAFFIX)==-1)&&o(S,_);for(var E=0,T=_.length;E<T;E++){var y=_[E],M=this.rules[y];if(M)for(var v=this._applyRule(S,M),A=0,O=v.length;A<O;A++){var N=v[A];if(o(N,[]),M.combineable)for(var R=E+1;R<T;R++){var L=_[R],I=this.rules[L];if(I&&I.combineable&&M.type!=I.type)for(var h=this._applyRule(N,I),k=0,F=h.length;k<F;k++){var z=h[k];o(z,[])}}}y in this.compoundRuleCodes&&this.compoundRuleCodes[y].push(S)}}else o(S.trim(),[])}}return a},_removeDicComments:function(n){return n=n.replace(/^\t.*$/mg,""),n},parseRuleCodes:function(n){if(n)if("FLAG"in this.flags)if(this.flags.FLAG==="long"){for(var r=[],a=0,o=n.length;a<o;a+=2)r.push(n.substr(a,2));return r}else return this.flags.FLAG==="num"?n.split(","):this.flags.FLAG==="UTF-8"?Array.from(n):n.split("");else return n.split("");else return[]},_applyRule:function(n,r){for(var a=r.entries,o=[],l=0,u=a.length;l<u;l++){var c=a[l];if(!c.match||n.match(c.match)){var d=n;if(c.remove&&(d=d.replace(c.remove,"")),r.type==="SFX"?d=d+c.add:d=c.add+d,o.push(d),"continuationClasses"in c)for(var S=0,_=c.continuationClasses.length;S<_;S++){var E=this.rules[c.continuationClasses[S]];E&&(o=o.concat(this._applyRule(d,E)))}}}return o},check:function(n){if(!this.loaded)throw"Dictionary not loaded.";var r=n.replace(/^\s\s*/,"").replace(/\s\s*$/,"");if(this.checkExact(r))return!0;if(r.toUpperCase()===r){var a=r[0]+r.substring(1).toLowerCase();if(this.hasFlag(a,"KEEPCASE"))return!1;if(this.checkExact(a)||this.checkExact(r.toLowerCase()))return!0}var o=r[0].toLowerCase()+r.substring(1);if(o!==r){if(this.hasFlag(o,"KEEPCASE"))return!1;if(this.checkExact(o))return!0}return!1},checkExact:function(n){if(!this.loaded)throw"Dictionary not loaded.";var r=this.dictionaryTable[n],a,o;if(typeof r>"u"){if("COMPOUNDMIN"in this.flags&&n.length>=this.flags.COMPOUNDMIN){for(a=0,o=this.compoundRules.length;a<o;a++)if(n.match(this.compoundRules[a]))return!0}}else{if(r===null)return!0;if(typeof r=="object"){for(a=0,o=r.length;a<o;a++)if(!this.hasFlag(n,"ONLYINCOMPOUND",r[a]))return!0}}return!1},hasFlag:function(n,r,a){if(!this.loaded)throw"Dictionary not loaded.";return!!(r in this.flags&&(typeof a>"u"&&(a=Array.prototype.concat.apply([],this.dictionaryTable[n])),a&&a.indexOf(this.flags[r])!==-1))},alphabet:"",suggest:function(n,r){if(!this.loaded)throw"Dictionary not loaded.";if(r=r||5,this.memoized.hasOwnProperty(n)){var a=this.memoized[n].limit;if(r<=a||this.memoized[n].suggestions.length<a)return this.memoized[n].suggestions.slice(0,r)}if(this.check(n))return[];for(var o=0,l=this.replacementTable.length;o<l;o++){var u=this.replacementTable[o];if(n.indexOf(u[0])!==-1){var c=n.replace(u[0],u[1]);if(this.check(c))return[c]}}if(!this.alphabet){this.alphabet="abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ","TRY"in this.flags&&(this.alphabet+=this.flags.TRY),"WORDCHARS"in this.flags&&(this.alphabet+=this.flags.WORDCHARS);var d=this.alphabet.split("");d.sort();for(var S={},o=0;o<d.length;o++)S[d[o]]=!0;this.alphabet="";for(var o in S)this.alphabet+=o}var _=this;function E(y,M){var v={},A,O,N,R,L=_.alphabet.length;if(typeof y=="string"){var I=y;y={},y[I]=!0}for(var I in y)for(A=0,N=I.length+1;A<N;A++){var h=[I.substring(0,A),I.substring(A)];if(h[1]&&(R=h[0]+h[1].substring(1),(!M||_.check(R))&&(R in v?v[R]+=1:v[R]=1)),h[1].length>1&&h[1][1]!==h[1][0]&&(R=h[0]+h[1][1]+h[1][0]+h[1].substring(2),(!M||_.check(R))&&(R in v?v[R]+=1:v[R]=1)),h[1]){var k=h[1].substring(0,1).toUpperCase()===h[1].substring(0,1)?"uppercase":"lowercase";for(O=0;O<L;O++){var F=_.alphabet[O];k==="uppercase"&&(F=F.toUpperCase()),F!=h[1].substring(0,1)&&(R=h[0]+F+h[1].substring(1),(!M||_.check(R))&&(R in v?v[R]+=1:v[R]=1))}}if(h[1])for(O=0;O<L;O++){var k=h[0].substring(-1).toUpperCase()===h[0].substring(-1)&&h[1].substring(0,1).toUpperCase()===h[1].substring(0,1)?"uppercase":"lowercase",F=_.alphabet[O];k==="uppercase"&&(F=F.toUpperCase()),R=h[0]+F+h[1],(!M||_.check(R))&&(R in v?v[R]+=1:v[R]=1)}}return v}function T(y){var M=E(y),v=E(M,!0),A=v;for(var O in M)!_.check(O)||(O in A?A[O]+=M[O]:A[O]=M[O]);var N,R=[];for(N in A)A.hasOwnProperty(N)&&R.push([N,A[N]]);function L(F,z){var K=F[1],ue=z[1];return K<ue?-1:K>ue?1:z[0].localeCompare(F[0])}R.sort(L).reverse();var I=[],h="lowercase";y.toUpperCase()===y?h="uppercase":y.substr(0,1).toUpperCase()+y.substr(1).toLowerCase()===y&&(h="capitalized");var k=r;for(N=0;N<Math.min(k,R.length);N++)h==="uppercase"?R[N][0]=R[N][0].toUpperCase():h==="capitalized"&&(R[N][0]=R[N][0].substr(0,1).toUpperCase()+R[N][0].substr(1)),!_.hasFlag(R[N][0],"NOSUGGEST")&&I.indexOf(R[N][0])==-1?I.push(R[N][0]):k++;return I}return this.memoized[n]={suggestions:T(n),limit:r},this.memoized[n].suggestions}}})(),e.exports=t})(dR);var uC=dR.exports;function Fn(e){if(e=e||{},typeof e.codeMirrorInstance!="function"||typeof e.codeMirrorInstance.defineMode!="function"){console.log("CodeMirror Spell Checker: You must provide an instance of CodeMirror via the option `codeMirrorInstance`");return}String.prototype.includes||(String.prototype.includes=function(){return String.prototype.indexOf.apply(this,arguments)!==-1}),e.codeMirrorInstance.defineMode("spell-checker",function(t){if(!Fn.aff_loading){Fn.aff_loading=!0;var n=new XMLHttpRequest;n.open("GET","https://cdn.jsdelivr.net/codemirror.spell-checker/latest/en_US.aff",!0),n.onload=function(){n.readyState===4&&n.status===200&&(Fn.aff_data=n.responseText,Fn.num_loaded++,Fn.num_loaded==2&&(Fn.typo=new uC("en_US",Fn.aff_data,Fn.dic_data,{platform:"any"})))},n.send(null)}if(!Fn.dic_loading){Fn.dic_loading=!0;var r=new XMLHttpRequest;r.open("GET","https://cdn.jsdelivr.net/codemirror.spell-checker/latest/en_US.dic",!0),r.onload=function(){r.readyState===4&&r.status===200&&(Fn.dic_data=r.responseText,Fn.num_loaded++,Fn.num_loaded==2&&(Fn.typo=new uC("en_US",Fn.aff_data,Fn.dic_data,{platform:"any"})))},r.send(null)}var a='!"#$%&()*+,-./:;<=>?@[\\]^_`{|}~ ',o={token:function(u){var c=u.peek(),d="";if(a.includes(c))return u.next(),null;for(;(c=u.peek())!=null&&!a.includes(c);)d+=c,u.next();return Fn.typo&&!Fn.typo.check(d)?"spell-error":null}},l=e.codeMirrorInstance.getMode(t,t.backdrop||"text/plain");return e.codeMirrorInstance.overlayMode(l,o,!0)})}Fn.num_loaded=0;Fn.aff_loading=!1;Fn.dic_loading=!1;Fn.aff_data="";Fn.dic_data="";var HB=Fn,fR={};(function(e){function t(ge,de){for(var be=0;be<de.length;be++){var H=de[be];H.enumerable=H.enumerable||!1,H.configurable=!0,"value"in H&&(H.writable=!0),Object.defineProperty(ge,c(H.key),H)}}function n(ge,de,be){return de&&t(ge.prototype,de),be&&t(ge,be),Object.defineProperty(ge,"prototype",{writable:!1}),ge}function r(){return r=Object.assign?Object.assign.bind():function(ge){for(var de=1;de<arguments.length;de++){var be=arguments[de];for(var H in be)Object.prototype.hasOwnProperty.call(be,H)&&(ge[H]=be[H])}return ge},r.apply(this,arguments)}function a(ge,de){if(!!ge){if(typeof ge=="string")return o(ge,de);var be=Object.prototype.toString.call(ge).slice(8,-1);if(be==="Object"&&ge.constructor&&(be=ge.constructor.name),be==="Map"||be==="Set")return Array.from(ge);if(be==="Arguments"||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(be))return o(ge,de)}}function o(ge,de){(de==null||de>ge.length)&&(de=ge.length);for(var be=0,H=new Array(de);be<de;be++)H[be]=ge[be];return H}function l(ge,de){var be=typeof Symbol<"u"&&ge[Symbol.iterator]||ge["@@iterator"];if(be)return(be=be.call(ge)).next.bind(be);if(Array.isArray(ge)||(be=a(ge))||de&&ge&&typeof ge.length=="number"){be&&(ge=be);var H=0;return function(){return H>=ge.length?{done:!0}:{done:!1,value:ge[H++]}}}throw new TypeError(`Invalid attempt to iterate non-iterable instance.
 In order to be iterable, non-array objects must have a [Symbol.iterator]() method.`)}function u(ge,de){if(typeof ge!="object"||ge===null)return ge;var be=ge[Symbol.toPrimitive];if(be!==void 0){var H=be.call(ge,de||"default");if(typeof H!="object")return H;throw new TypeError("@@toPrimitive must return a primitive value.")}return(de==="string"?String:Number)(ge)}function c(ge){var de=u(ge,"string");return typeof de=="symbol"?de:String(de)}function d(){return{async:!1,baseUrl:null,breaks:!1,extensions:null,gfm:!0,headerIds:!0,headerPrefix:"",highlight:null,hooks:null,langPrefix:"language-",mangle:!0,pedantic:!1,renderer:null,sanitize:!1,sanitizer:null,silent:!1,smartypants:!1,tokenizer:null,walkTokens:null,xhtml:!1}}e.defaults=d();function S(ge){e.defaults=ge}var _=/[&<>"']/,E=new RegExp(_.source,"g"),T=/[<>"']|&(?!(#\d{1,7}|#[Xx][a-fA-F0-9]{1,6}|\w+);)/,y=new RegExp(T.source,"g"),M={"&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#39;"},v=function(de){return M[de]};function A(ge,de){if(de){if(_.test(ge))return ge.replace(E,v)}else if(T.test(ge))return ge.replace(y,v);return ge}var O=/&(#(?:\d+)|(?:#x[0-9A-Fa-f]+)|(?:\w+));?/ig;function N(ge){return ge.replace(O,function(de,be){return be=be.toLowerCase(),be==="colon"?":":be.charAt(0)==="#"?be.charAt(1)==="x"?String.fromCharCode(parseInt(be.substring(2),16)):String.fromCharCode(+be.substring(1)):""})}var R=/(^|[^\[])\^/g;function L(ge,de){ge=typeof ge=="string"?ge:ge.source,de=de||"";var be={replace:function(ee,_e){return _e=_e.source||_e,_e=_e.replace(R,"$1"),ge=ge.replace(ee,_e),be},getRegex:function(){return new RegExp(ge,de)}};return be}var I=/[^\w:]/g,h=/^$|^[a-z][a-z0-9+.-]*:|^[?#]/i;function k(ge,de,be){if(ge){var H;try{H=decodeURIComponent(N(be)).replace(I,"").toLowerCase()}catch{return null}if(H.indexOf("javascript:")===0||H.indexOf("vbscript:")===0||H.indexOf("data:")===0)return null}de&&!h.test(be)&&(be=Z(de,be));try{be=encodeURI(be).replace(/%25/g,"%")}catch{return null}return be}var F={},z=/^[^:]+:\/*[^/]*$/,K=/^([^:]+:)[\s\S]*$/,ue=/^([^:]+:\/*[^/]*)[\s\S]*$/;function Z(ge,de){F[" "+ge]||(z.test(ge)?F[" "+ge]=ge+"/":F[" "+ge]=ne(ge,"/",!0)),ge=F[" "+ge];var be=ge.indexOf(":")===-1;return de.substring(0,2)==="//"?be?de:ge.replace(K,"$1")+de:de.charAt(0)==="/"?be?de:ge.replace(ue,"$1")+de:ge+de}var fe={exec:function(){}};function V(ge,de){var be=ge.replace(/\|/g,function(_e,U,Q){for(var he=!1,Le=U;--Le>=0&&Q[Le]==="\\";)he=!he;return he?"|":" |"}),H=be.split(/ \|/),ee=0;if(H[0].trim()||H.shift(),H.length>0&&!H[H.length-1].trim()&&H.pop(),H.length>de)H.splice(de);else for(;H.length<de;)H.push("");for(;ee<H.length;ee++)H[ee]=H[ee].trim().replace(/\\\|/g,"|");return H}function ne(ge,de,be){var H=ge.length;if(H===0)return"";for(var ee=0;ee<H;){var _e=ge.charAt(H-ee-1);if(_e===de&&!be)ee++;else if(_e!==de&&be)ee++;else break}return ge.slice(0,H-ee)}function te(ge,de){if(ge.indexOf(de[1])===-1)return-1;for(var be=ge.length,H=0,ee=0;ee<be;ee++)if(ge[ee]==="\\")ee++;else if(ge[ee]===de[0])H++;else if(ge[ee]===de[1]&&(H--,H<0))return ee;return-1}function G(ge){ge&&ge.sanitize&&!ge.silent&&console.warn("marked(): sanitize and sanitizer parameters are deprecated since version 0.7.0, should not be used and will be removed in the future. Read more here: https://marked.js.org/#/USING_ADVANCED.md#options")}function se(ge,de){if(de<1)return"";for(var be="";de>1;)de&1&&(be+=ge),de>>=1,ge+=ge;return be+ge}function ve(ge,de,be,H){var ee=de.href,_e=de.title?A(de.title):null,U=ge[1].replace(/\\([\[\]])/g,"$1");if(ge[0].charAt(0)!=="!"){H.state.inLink=!0;var Q={type:"link",raw:be,href:ee,title:_e,text:U,tokens:H.inlineTokens(U)};return H.state.inLink=!1,Q}return{type:"image",raw:be,href:ee,title:_e,text:A(U)}}function Ge(ge,de){var be=ge.match(/^(\s+)(?:```)/);if(be===null)return de;var H=be[1];return de.split(`
 `).map(function(ee){var _e=ee.match(/^\s+/);if(_e===null)return ee;var U=_e[0];return U.length>=H.length?ee.slice(H.length):ee}).join(`
 `)}var oe=function(){function ge(be){this.options=be||e.defaults}var de=ge.prototype;return de.space=function(H){var ee=this.rules.block.newline.exec(H);if(ee&&ee[0].length>0)return{type:"space",raw:ee[0]}},de.code=function(H){var ee=this.rules.block.code.exec(H);if(ee){var _e=ee[0].replace(/^ {1,4}/gm,"");return{type:"code",raw:ee[0],codeBlockStyle:"indented",text:this.options.pedantic?_e:ne(_e,`
@@ -243,13 +243,13 @@ In order to be iterable, non-array objects must have a [Symbol.iterator]() metho
 `},de.tablecell=function(H,ee){var _e=ee.header?"th":"td",U=ee.align?"<"+_e+' align="'+ee.align+'">':"<"+_e+">";return U+H+("</"+_e+`>
 `)},de.strong=function(H){return"<strong>"+H+"</strong>"},de.em=function(H){return"<em>"+H+"</em>"},de.codespan=function(H){return"<code>"+H+"</code>"},de.br=function(){return this.options.xhtml?"<br/>":"<br>"},de.del=function(H){return"<del>"+H+"</del>"},de.link=function(H,ee,_e){if(H=k(this.options.sanitize,this.options.baseUrl,H),H===null)return _e;var U='<a href="'+H+'"';return ee&&(U+=' title="'+ee+'"'),U+=">"+_e+"</a>",U},de.image=function(H,ee,_e){if(H=k(this.options.sanitize,this.options.baseUrl,H),H===null)return _e;var U='<img src="'+H+'" alt="'+_e+'"';return ee&&(U+=' title="'+ee+'"'),U+=this.options.xhtml?"/>":">",U},de.text=function(H){return H},ge}(),ct=function(){function ge(){}var de=ge.prototype;return de.strong=function(H){return H},de.em=function(H){return H},de.codespan=function(H){return H},de.del=function(H){return H},de.html=function(H){return H},de.text=function(H){return H},de.link=function(H,ee,_e){return""+_e},de.image=function(H,ee,_e){return""+_e},de.br=function(){return""},ge}(),Ze=function(){function ge(){this.seen={}}var de=ge.prototype;return de.serialize=function(H){return H.toLowerCase().trim().replace(/<[!\/a-z].*?>/ig,"").replace(/[\u2000-\u206F\u2E00-\u2E7F\\'!"#$%&()*+,./:;<=>?@[\]^`{|}~]/g,"").replace(/\s/g,"-")},de.getNextSafeSlug=function(H,ee){var _e=H,U=0;if(this.seen.hasOwnProperty(_e)){U=this.seen[H];do U++,_e=H+"-"+U;while(this.seen.hasOwnProperty(_e))}return ee||(this.seen[H]=U,this.seen[_e]=0),_e},de.slug=function(H,ee){ee===void 0&&(ee={});var _e=this.serialize(H);return this.getNextSafeSlug(_e,ee.dryrun)},ge}(),nt=function(){function ge(be){this.options=be||e.defaults,this.options.renderer=this.options.renderer||new dt,this.renderer=this.options.renderer,this.renderer.options=this.options,this.textRenderer=new ct,this.slugger=new Ze}ge.parse=function(H,ee){var _e=new ge(ee);return _e.parse(H)},ge.parseInline=function(H,ee){var _e=new ge(ee);return _e.parseInline(H)};var de=ge.prototype;return de.parse=function(H,ee){ee===void 0&&(ee=!0);var _e="",U,Q,he,Le,Xe,je,at,ke,$e,De,pt,_t,wt,Lt,cn,Xt,an,Zt,Sr,Qn=H.length;for(U=0;U<Qn;U++){if(De=H[U],this.options.extensions&&this.options.extensions.renderers&&this.options.extensions.renderers[De.type]&&(Sr=this.options.extensions.renderers[De.type].call({parser:this},De),Sr!==!1||!["space","hr","heading","code","table","blockquote","list","html","paragraph","text"].includes(De.type))){_e+=Sr||"";continue}switch(De.type){case"space":continue;case"hr":{_e+=this.renderer.hr();continue}case"heading":{_e+=this.renderer.heading(this.parseInline(De.tokens),De.depth,N(this.parseInline(De.tokens,this.textRenderer)),this.slugger);continue}case"code":{_e+=this.renderer.code(De.text,De.lang,De.escaped);continue}case"table":{for(ke="",at="",Le=De.header.length,Q=0;Q<Le;Q++)at+=this.renderer.tablecell(this.parseInline(De.header[Q].tokens),{header:!0,align:De.align[Q]});for(ke+=this.renderer.tablerow(at),$e="",Le=De.rows.length,Q=0;Q<Le;Q++){for(je=De.rows[Q],at="",Xe=je.length,he=0;he<Xe;he++)at+=this.renderer.tablecell(this.parseInline(je[he].tokens),{header:!1,align:De.align[he]});$e+=this.renderer.tablerow(at)}_e+=this.renderer.table(ke,$e);continue}case"blockquote":{$e=this.parse(De.tokens),_e+=this.renderer.blockquote($e);continue}case"list":{for(pt=De.ordered,_t=De.start,wt=De.loose,Le=De.items.length,$e="",Q=0;Q<Le;Q++)cn=De.items[Q],Xt=cn.checked,an=cn.task,Lt="",cn.task&&(Zt=this.renderer.checkbox(Xt),wt?cn.tokens.length>0&&cn.tokens[0].type==="paragraph"?(cn.tokens[0].text=Zt+" "+cn.tokens[0].text,cn.tokens[0].tokens&&cn.tokens[0].tokens.length>0&&cn.tokens[0].tokens[0].type==="text"&&(cn.tokens[0].tokens[0].text=Zt+" "+cn.tokens[0].tokens[0].text)):cn.tokens.unshift({type:"text",text:Zt}):Lt+=Zt),Lt+=this.parse(cn.tokens,wt),$e+=this.renderer.listitem(Lt,an,Xt);_e+=this.renderer.list($e,pt,_t);continue}case"html":{_e+=this.renderer.html(De.text);continue}case"paragraph":{_e+=this.renderer.paragraph(this.parseInline(De.tokens));continue}case"text":{for($e=De.tokens?this.parseInline(De.tokens):De.text;U+1<Qn&&H[U+1].type==="text";)De=H[++U],$e+=`
 `+(De.tokens?this.parseInline(De.tokens):De.text);_e+=ee?this.renderer.paragraph($e):$e;continue}default:{var wn='Token with "'+De.type+'" type was not found.';if(this.options.silent){console.error(wn);return}else throw new Error(wn)}}}return _e},de.parseInline=function(H,ee){ee=ee||this.renderer;var _e="",U,Q,he,Le=H.length;for(U=0;U<Le;U++){if(Q=H[U],this.options.extensions&&this.options.extensions.renderers&&this.options.extensions.renderers[Q.type]&&(he=this.options.extensions.renderers[Q.type].call({parser:this},Q),he!==!1||!["escape","html","link","image","strong","em","codespan","br","del","text"].includes(Q.type))){_e+=he||"";continue}switch(Q.type){case"escape":{_e+=ee.text(Q.text);break}case"html":{_e+=ee.html(Q.text);break}case"link":{_e+=ee.link(Q.href,Q.title,this.parseInline(Q.tokens,ee));break}case"image":{_e+=ee.image(Q.href,Q.title,Q.text);break}case"strong":{_e+=ee.strong(this.parseInline(Q.tokens,ee));break}case"em":{_e+=ee.em(this.parseInline(Q.tokens,ee));break}case"codespan":{_e+=ee.codespan(Q.text);break}case"br":{_e+=ee.br();break}case"del":{_e+=ee.del(this.parseInline(Q.tokens,ee));break}case"text":{_e+=ee.text(Q.text);break}default:{var Xe='Token with "'+Q.type+'" type was not found.';if(this.options.silent){console.error(Xe);return}else throw new Error(Xe)}}}return _e},ge}(),ce=function(){function ge(be){this.options=be||e.defaults}var de=ge.prototype;return de.preprocess=function(H){return H},de.postprocess=function(H){return H},ge}();ce.passThroughHooks=new Set(["preprocess","postprocess"]);function Ee(ge,de,be){return function(H){if(H.message+=`
-Please report this to https://github.com/markedjs/marked.`,ge){var ee="<p>An error occurred:</p><pre>"+A(H.message+"",!0)+"</pre>";if(de)return Promise.resolve(ee);if(be){be(null,ee);return}return ee}if(de)return Promise.reject(H);if(be){be(H);return}throw H}}function He(ge,de){return function(be,H,ee){typeof H=="function"&&(ee=H,H=null);var _e=r({},H);H=r({},we.defaults,_e);var U=Ee(H.silent,H.async,ee);if(typeof be>"u"||be===null)return U(new Error("marked(): input parameter is undefined or null"));if(typeof be!="string")return U(new Error("marked(): input parameter is of type "+Object.prototype.toString.call(be)+", string expected"));if(G(H),H.hooks&&(H.hooks.options=H),ee){var Q=H.highlight,he;try{H.hooks&&(be=H.hooks.preprocess(be)),he=ge(be,H)}catch(ke){return U(ke)}var Le=function($e){var De;if(!$e)try{H.walkTokens&&we.walkTokens(he,H.walkTokens),De=de(he,H),H.hooks&&(De=H.hooks.postprocess(De))}catch(pt){$e=pt}return H.highlight=Q,$e?U($e):ee(null,De)};if(!Q||Q.length<3||(delete H.highlight,!he.length))return Le();var Xe=0;we.walkTokens(he,function(ke){ke.type==="code"&&(Xe++,setTimeout(function(){Q(ke.text,ke.lang,function($e,De){if($e)return Le($e);De!=null&&De!==ke.text&&(ke.text=De,ke.escaped=!0),Xe--,Xe===0&&Le()})},0))}),Xe===0&&Le();return}if(H.async)return Promise.resolve(H.hooks?H.hooks.preprocess(be):be).then(function(ke){return ge(ke,H)}).then(function(ke){return H.walkTokens?Promise.all(we.walkTokens(ke,H.walkTokens)).then(function(){return ke}):ke}).then(function(ke){return de(ke,H)}).then(function(ke){return H.hooks?H.hooks.postprocess(ke):ke}).catch(U);try{H.hooks&&(be=H.hooks.preprocess(be));var je=ge(be,H);H.walkTokens&&we.walkTokens(je,H.walkTokens);var at=de(je,H);return H.hooks&&(at=H.hooks.postprocess(at)),at}catch(ke){return U(ke)}}}function we(ge,de,be){return He(bt.lex,nt.parse)(ge,de,be)}we.options=we.setOptions=function(ge){return we.defaults=r({},we.defaults,ge),S(we.defaults),we},we.getDefaults=d,we.defaults=e.defaults,we.use=function(){for(var ge=we.defaults.extensions||{renderers:{},childTokens:{}},de=arguments.length,be=new Array(de),H=0;H<de;H++)be[H]=arguments[H];be.forEach(function(ee){var _e=r({},ee);if(_e.async=we.defaults.async||_e.async||!1,ee.extensions&&(ee.extensions.forEach(function(Q){if(!Q.name)throw new Error("extension name required");if(Q.renderer){var he=ge.renderers[Q.name];he?ge.renderers[Q.name]=function(){for(var Le=arguments.length,Xe=new Array(Le),je=0;je<Le;je++)Xe[je]=arguments[je];var at=Q.renderer.apply(this,Xe);return at===!1&&(at=he.apply(this,Xe)),at}:ge.renderers[Q.name]=Q.renderer}if(Q.tokenizer){if(!Q.level||Q.level!=="block"&&Q.level!=="inline")throw new Error("extension level must be 'block' or 'inline'");ge[Q.level]?ge[Q.level].unshift(Q.tokenizer):ge[Q.level]=[Q.tokenizer],Q.start&&(Q.level==="block"?ge.startBlock?ge.startBlock.push(Q.start):ge.startBlock=[Q.start]:Q.level==="inline"&&(ge.startInline?ge.startInline.push(Q.start):ge.startInline=[Q.start]))}Q.childTokens&&(ge.childTokens[Q.name]=Q.childTokens)}),_e.extensions=ge),ee.renderer&&function(){var Q=we.defaults.renderer||new dt,he=function(je){var at=Q[je];Q[je]=function(){for(var ke=arguments.length,$e=new Array(ke),De=0;De<ke;De++)$e[De]=arguments[De];var pt=ee.renderer[je].apply(Q,$e);return pt===!1&&(pt=at.apply(Q,$e)),pt}};for(var Le in ee.renderer)he(Le);_e.renderer=Q}(),ee.tokenizer&&function(){var Q=we.defaults.tokenizer||new oe,he=function(je){var at=Q[je];Q[je]=function(){for(var ke=arguments.length,$e=new Array(ke),De=0;De<ke;De++)$e[De]=arguments[De];var pt=ee.tokenizer[je].apply(Q,$e);return pt===!1&&(pt=at.apply(Q,$e)),pt}};for(var Le in ee.tokenizer)he(Le);_e.tokenizer=Q}(),ee.hooks&&function(){var Q=we.defaults.hooks||new ce,he=function(je){var at=Q[je];ce.passThroughHooks.has(je)?Q[je]=function(ke){if(we.defaults.async)return Promise.resolve(ee.hooks[je].call(Q,ke)).then(function(De){return at.call(Q,De)});var $e=ee.hooks[je].call(Q,ke);return at.call(Q,$e)}:Q[je]=function(){for(var ke=arguments.length,$e=new Array(ke),De=0;De<ke;De++)$e[De]=arguments[De];var pt=ee.hooks[je].apply(Q,$e);return pt===!1&&(pt=at.apply(Q,$e)),pt}};for(var Le in ee.hooks)he(Le);_e.hooks=Q}(),ee.walkTokens){var U=we.defaults.walkTokens;_e.walkTokens=function(Q){var he=[];return he.push(ee.walkTokens.call(this,Q)),U&&(he=he.concat(U.call(this,Q))),he}}we.setOptions(_e)})},we.walkTokens=function(ge,de){for(var be=[],H=function(){var Q=_e.value;switch(be=be.concat(de.call(we,Q)),Q.type){case"table":{for(var he=l(Q.header),Le;!(Le=he()).done;){var Xe=Le.value;be=be.concat(we.walkTokens(Xe.tokens,de))}for(var je=l(Q.rows),at;!(at=je()).done;)for(var ke=at.value,$e=l(ke),De;!(De=$e()).done;){var pt=De.value;be=be.concat(we.walkTokens(pt.tokens,de))}break}case"list":{be=be.concat(we.walkTokens(Q.items,de));break}default:we.defaults.extensions&&we.defaults.extensions.childTokens&&we.defaults.extensions.childTokens[Q.type]?we.defaults.extensions.childTokens[Q.type].forEach(function(_t){be=be.concat(we.walkTokens(Q[_t],de))}):Q.tokens&&(be=be.concat(we.walkTokens(Q.tokens,de)))}},ee=l(ge),_e;!(_e=ee()).done;)H();return be},we.parseInline=He(bt.lexInline,nt.parseInline),we.Parser=nt,we.parser=nt.parse,we.Renderer=dt,we.TextRenderer=ct,we.Lexer=bt,we.lexer=bt.lex,we.Tokenizer=oe,we.Slugger=Ze,we.Hooks=ce,we.parse=we;var ze=we.options,pe=we.setOptions,Re=we.use,Ne=we.walkTokens,Ie=we.parseInline,Ue=we,Ve=nt.parse,lt=bt.lex;e.Hooks=ce,e.Lexer=bt,e.Parser=nt,e.Renderer=dt,e.Slugger=Ze,e.TextRenderer=ct,e.Tokenizer=oe,e.getDefaults=d,e.lexer=lt,e.marked=we,e.options=ze,e.parse=Ue,e.parseInline=Ie,e.parser=Ve,e.setOptions=pe,e.use=Re,e.walkTokens=Ne})(cR);var vl=Ci.exports,GB=UB,Zg=cR.marked,dR=/Mac/.test(navigator.platform),HB=new RegExp(/(<a.*?https?:\/\/.*?[^a]>)+?/g),Ku={toggleBold:jd,toggleItalic:Xd,drawLink:uf,toggleHeadingSmaller:$u,toggleHeadingBigger:tf,drawImage:cf,toggleBlockquote:ef,toggleOrderedList:sf,toggleUnorderedList:of,toggleCodeBlock:Jd,togglePreview:mf,toggleStrikethrough:Zd,toggleHeading1:nf,toggleHeading2:rf,toggleHeading3:af,toggleHeading4:FE,toggleHeading5:BE,toggleHeading6:UE,cleanBlock:lf,drawTable:df,drawHorizontalRule:ff,undo:pf,redo:_f,toggleSideBySide:Zl,toggleFullScreen:zs},qB={toggleBold:"Cmd-B",toggleItalic:"Cmd-I",drawLink:"Cmd-K",toggleHeadingSmaller:"Cmd-H",toggleHeadingBigger:"Shift-Cmd-H",toggleHeading1:"Ctrl+Alt+1",toggleHeading2:"Ctrl+Alt+2",toggleHeading3:"Ctrl+Alt+3",toggleHeading4:"Ctrl+Alt+4",toggleHeading5:"Ctrl+Alt+5",toggleHeading6:"Ctrl+Alt+6",cleanBlock:"Cmd-E",drawImage:"Cmd-Alt-I",toggleBlockquote:"Cmd-'",toggleOrderedList:"Cmd-Alt-L",toggleUnorderedList:"Cmd-L",toggleCodeBlock:"Cmd-Alt-C",togglePreview:"Cmd-P",toggleSideBySide:"F9",toggleFullScreen:"F11"},YB=function(e){for(var t in Ku)if(Ku[t]===e)return t;return null},wh=function(){var e=!1;return function(t){(/(android|bb\d+|meego).+mobile|avantgo|bada\/|blackberry|blazer|compal|elaine|fennec|hiptop|iemobile|ip(hone|od)|iris|kindle|lge |maemo|midp|mmp|mobile.+firefox|netfront|opera m(ob|in)i|palm( os)?|phone|p(ixi|re)\/|plucker|pocket|psp|series(4|6)0|symbian|treo|up\.(browser|link)|vodafone|wap|windows ce|xda|xiino|android|ipad|playbook|silk/i.test(t)||/1207|6310|6590|3gso|4thp|50[1-6]i|770s|802s|a wa|abac|ac(er|oo|s-)|ai(ko|rn)|al(av|ca|co)|amoi|an(ex|ny|yw)|aptu|ar(ch|go)|as(te|us)|attw|au(di|-m|r |s )|avan|be(ck|ll|nq)|bi(lb|rd)|bl(ac|az)|br(e|v)w|bumb|bw-(n|u)|c55\/|capi|ccwa|cdm-|cell|chtm|cldc|cmd-|co(mp|nd)|craw|da(it|ll|ng)|dbte|dc-s|devi|dica|dmob|do(c|p)o|ds(12|-d)|el(49|ai)|em(l2|ul)|er(ic|k0)|esl8|ez([4-7]0|os|wa|ze)|fetc|fly(-|_)|g1 u|g560|gene|gf-5|g-mo|go(\.w|od)|gr(ad|un)|haie|hcit|hd-(m|p|t)|hei-|hi(pt|ta)|hp( i|ip)|hs-c|ht(c(-| |_|a|g|p|s|t)|tp)|hu(aw|tc)|i-(20|go|ma)|i230|iac( |-|\/)|ibro|idea|ig01|ikom|im1k|inno|ipaq|iris|ja(t|v)a|jbro|jemu|jigs|kddi|keji|kgt( |\/)|klon|kpt |kwc-|kyo(c|k)|le(no|xi)|lg( g|\/(k|l|u)|50|54|-[a-w])|libw|lynx|m1-w|m3ga|m50\/|ma(te|ui|xo)|mc(01|21|ca)|m-cr|me(rc|ri)|mi(o8|oa|ts)|mmef|mo(01|02|bi|de|do|t(-| |o|v)|zz)|mt(50|p1|v )|mwbp|mywa|n10[0-2]|n20[2-3]|n30(0|2)|n50(0|2|5)|n7(0(0|1)|10)|ne((c|m)-|on|tf|wf|wg|wt)|nok(6|i)|nzph|o2im|op(ti|wv)|oran|owg1|p800|pan(a|d|t)|pdxg|pg(13|-([1-8]|c))|phil|pire|pl(ay|uc)|pn-2|po(ck|rt|se)|prox|psio|pt-g|qa-a|qc(07|12|21|32|60|-[2-7]|i-)|qtek|r380|r600|raks|rim9|ro(ve|zo)|s55\/|sa(ge|ma|mm|ms|ny|va)|sc(01|h-|oo|p-)|sdk\/|se(c(-|0|1)|47|mc|nd|ri)|sgh-|shar|sie(-|m)|sk-0|sl(45|id)|sm(al|ar|b3|it|t5)|so(ft|ny)|sp(01|h-|v-|v )|sy(01|mb)|t2(18|50)|t6(00|10|18)|ta(gt|lk)|tcl-|tdg-|tel(i|m)|tim-|t-mo|to(pl|sh)|ts(70|m-|m3|m5)|tx-9|up(\.b|g1|si)|utst|v400|v750|veri|vi(rg|te)|vk(40|5[0-3]|-v)|vm40|voda|vulc|vx(52|53|60|61|70|80|81|83|85|98)|w3c(-| )|webc|whit|wi(g |nc|nw)|wmlb|wonu|x700|yas-|your|zeto|zte-/i.test(t.substr(0,4)))&&(e=!0)}(navigator.userAgent||navigator.vendor||window.opera),e};function WB(e){for(var t;(t=HB.exec(e))!==null;){var n=t[0];if(n.indexOf("target=")===-1){var r=n.replace(/>$/,' target="_blank">');e=e.replace(n,r)}}return e}function VB(e){for(var t=new DOMParser,n=t.parseFromString(e,"text/html"),r=n.getElementsByTagName("li"),a=0;a<r.length;a++)for(var o=r[a],l=0;l<o.children.length;l++){var u=o.children[l];u instanceof HTMLInputElement&&u.type==="checkbox"&&(o.style.marginLeft="-1.5em",o.style.listStyleType="none")}return n.documentElement.innerHTML}function fR(e){return dR?e=e.replace("Ctrl","Cmd"):e=e.replace("Cmd","Ctrl"),e}function zB(e,t,n,r){var a=fd(e,!1,t,n,"button",r);a.classList.add("easymde-dropdown"),a.onclick=function(){a.focus()};var o=document.createElement("div");o.className="easymde-dropdown-content";for(var l=0;l<e.children.length;l++){var u=e.children[l],c;typeof u=="string"&&u in Ms?c=fd(Ms[u],!0,t,n,"button",r):c=fd(u,!0,t,n,"button",r),c.addEventListener("click",function(d){d.stopPropagation()},!1),o.appendChild(c)}return a.appendChild(o),a}function fd(e,t,n,r,a,o){e=e||{};var l=document.createElement(a);if(e.attributes)for(var u in e.attributes)Object.prototype.hasOwnProperty.call(e.attributes,u)&&l.setAttribute(u,e.attributes[u]);var c=o.options.toolbarButtonClassPrefix?o.options.toolbarButtonClassPrefix+"-":"";l.className=c+e.name,l.setAttribute("type",a),n=n==null?!0:n,e.text&&(l.innerText=e.text),e.name&&e.name in r&&(Ku[e.name]=e.action),e.title&&n&&(l.title=$B(e.title,e.action,r),dR&&(l.title=l.title.replace("Ctrl","\u2318"),l.title=l.title.replace("Alt","\u2325"))),e.title&&l.setAttribute("aria-label",e.title),e.noDisable&&l.classList.add("no-disable"),e.noMobile&&l.classList.add("no-mobile");var d=[];typeof e.className<"u"&&(d=e.className.split(" "));for(var S=[],_=0;_<d.length;_++){var E=d[_];E.match(/^fa([srlb]|(-[\w-]*)|$)/)?S.push(E):l.classList.add(E)}if(l.tabIndex=-1,S.length>0){for(var T=document.createElement("i"),y=0;y<S.length;y++){var M=S[y];T.classList.add(M)}l.appendChild(T)}return typeof e.icon<"u"&&(l.innerHTML=e.icon),e.action&&t&&(typeof e.action=="function"?l.onclick=function(v){v.preventDefault(),e.action(o)}:typeof e.action=="string"&&(l.onclick=function(v){v.preventDefault(),window.open(e.action,"_blank")})),l}function KB(){var e=document.createElement("i");return e.className="separator",e.innerHTML="|",e}function $B(e,t,n){var r,a=e;return t&&(r=YB(t),n[r]&&(a+=" ("+fR(n[r])+")")),a}function ds(e,t){t=t||e.getCursor("start");var n=e.getTokenAt(t);if(!n.type)return{};for(var r=n.type.split(" "),a={},o,l,u=0;u<r.length;u++)o=r[u],o==="strong"?a.bold=!0:o==="variable-2"?(l=e.getLine(t.line),/^\s*\d+\.\s/.test(l)?a["ordered-list"]=!0:a["unordered-list"]=!0):o==="atom"?a.quote=!0:o==="em"?a.italic=!0:o==="quote"?a.quote=!0:o==="strikethrough"?a.strikethrough=!0:o==="comment"?a.code=!0:o==="link"&&!a.image?a.link=!0:o==="image"?a.image=!0:o.match(/^header(-[1-6])?$/)&&(a[o.replace("header","heading")]=!0);return a}var lC="";function zs(e){var t=e.codemirror;t.setOption("fullScreen",!t.getOption("fullScreen")),t.getOption("fullScreen")?(lC=document.body.style.overflow,document.body.style.overflow="hidden"):document.body.style.overflow=lC;var n=t.getWrapperElement(),r=n.nextSibling;if(r.classList.contains("editor-preview-active-side"))if(e.options.sideBySideFullscreen===!1){var a=n.parentNode;t.getOption("fullScreen")?a.classList.remove("sided--no-fullscreen"):a.classList.add("sided--no-fullscreen")}else Zl(e);if(e.options.onToggleFullScreen&&e.options.onToggleFullScreen(t.getOption("fullScreen")||!1),typeof e.options.maxHeight<"u"&&(t.getOption("fullScreen")?(t.getScrollerElement().style.removeProperty("height"),r.style.removeProperty("height")):(t.getScrollerElement().style.height=e.options.maxHeight,e.setPreviewMaxHeight())),e.toolbar_div.classList.toggle("fullscreen"),e.toolbarElements&&e.toolbarElements.fullscreen){var o=e.toolbarElements.fullscreen;o.classList.toggle("active")}}function jd(e){qE(e,"bold",e.options.blockStyles.bold)}function Xd(e){qE(e,"italic",e.options.blockStyles.italic)}function Zd(e){qE(e,"strikethrough","~~")}function Jd(e){var t=e.options.blockStyles.code;function n(fe){if(typeof fe!="object")throw"fencing_line() takes a 'line' object (not a line number, or line text).  Got: "+typeof fe+": "+fe;return fe.styles&&fe.styles[2]&&fe.styles[2].indexOf("formatting-code-block")!==-1}function r(fe){return fe.state.base.base||fe.state.base}function a(fe,V,ne,te,G){ne=ne||fe.getLineHandle(V),te=te||fe.getTokenAt({line:V,ch:1}),G=G||!!ne.text&&fe.getTokenAt({line:V,ch:ne.text.length-1});var se=te.type?te.type.split(" "):[];return G&&r(G).indentedCode?"indented":se.indexOf("comment")===-1?!1:r(te).fencedChars||r(G).fencedChars||n(ne)?"fenced":"single"}function o(fe,V,ne,te){var G=V.line+1,se=ne.line+1,ve=V.line!==ne.line,Ge=te+`
+Please report this to https://github.com/markedjs/marked.`,ge){var ee="<p>An error occurred:</p><pre>"+A(H.message+"",!0)+"</pre>";if(de)return Promise.resolve(ee);if(be){be(null,ee);return}return ee}if(de)return Promise.reject(H);if(be){be(H);return}throw H}}function He(ge,de){return function(be,H,ee){typeof H=="function"&&(ee=H,H=null);var _e=r({},H);H=r({},we.defaults,_e);var U=Ee(H.silent,H.async,ee);if(typeof be>"u"||be===null)return U(new Error("marked(): input parameter is undefined or null"));if(typeof be!="string")return U(new Error("marked(): input parameter is of type "+Object.prototype.toString.call(be)+", string expected"));if(G(H),H.hooks&&(H.hooks.options=H),ee){var Q=H.highlight,he;try{H.hooks&&(be=H.hooks.preprocess(be)),he=ge(be,H)}catch(ke){return U(ke)}var Le=function($e){var De;if(!$e)try{H.walkTokens&&we.walkTokens(he,H.walkTokens),De=de(he,H),H.hooks&&(De=H.hooks.postprocess(De))}catch(pt){$e=pt}return H.highlight=Q,$e?U($e):ee(null,De)};if(!Q||Q.length<3||(delete H.highlight,!he.length))return Le();var Xe=0;we.walkTokens(he,function(ke){ke.type==="code"&&(Xe++,setTimeout(function(){Q(ke.text,ke.lang,function($e,De){if($e)return Le($e);De!=null&&De!==ke.text&&(ke.text=De,ke.escaped=!0),Xe--,Xe===0&&Le()})},0))}),Xe===0&&Le();return}if(H.async)return Promise.resolve(H.hooks?H.hooks.preprocess(be):be).then(function(ke){return ge(ke,H)}).then(function(ke){return H.walkTokens?Promise.all(we.walkTokens(ke,H.walkTokens)).then(function(){return ke}):ke}).then(function(ke){return de(ke,H)}).then(function(ke){return H.hooks?H.hooks.postprocess(ke):ke}).catch(U);try{H.hooks&&(be=H.hooks.preprocess(be));var je=ge(be,H);H.walkTokens&&we.walkTokens(je,H.walkTokens);var at=de(je,H);return H.hooks&&(at=H.hooks.postprocess(at)),at}catch(ke){return U(ke)}}}function we(ge,de,be){return He(bt.lex,nt.parse)(ge,de,be)}we.options=we.setOptions=function(ge){return we.defaults=r({},we.defaults,ge),S(we.defaults),we},we.getDefaults=d,we.defaults=e.defaults,we.use=function(){for(var ge=we.defaults.extensions||{renderers:{},childTokens:{}},de=arguments.length,be=new Array(de),H=0;H<de;H++)be[H]=arguments[H];be.forEach(function(ee){var _e=r({},ee);if(_e.async=we.defaults.async||_e.async||!1,ee.extensions&&(ee.extensions.forEach(function(Q){if(!Q.name)throw new Error("extension name required");if(Q.renderer){var he=ge.renderers[Q.name];he?ge.renderers[Q.name]=function(){for(var Le=arguments.length,Xe=new Array(Le),je=0;je<Le;je++)Xe[je]=arguments[je];var at=Q.renderer.apply(this,Xe);return at===!1&&(at=he.apply(this,Xe)),at}:ge.renderers[Q.name]=Q.renderer}if(Q.tokenizer){if(!Q.level||Q.level!=="block"&&Q.level!=="inline")throw new Error("extension level must be 'block' or 'inline'");ge[Q.level]?ge[Q.level].unshift(Q.tokenizer):ge[Q.level]=[Q.tokenizer],Q.start&&(Q.level==="block"?ge.startBlock?ge.startBlock.push(Q.start):ge.startBlock=[Q.start]:Q.level==="inline"&&(ge.startInline?ge.startInline.push(Q.start):ge.startInline=[Q.start]))}Q.childTokens&&(ge.childTokens[Q.name]=Q.childTokens)}),_e.extensions=ge),ee.renderer&&function(){var Q=we.defaults.renderer||new dt,he=function(je){var at=Q[je];Q[je]=function(){for(var ke=arguments.length,$e=new Array(ke),De=0;De<ke;De++)$e[De]=arguments[De];var pt=ee.renderer[je].apply(Q,$e);return pt===!1&&(pt=at.apply(Q,$e)),pt}};for(var Le in ee.renderer)he(Le);_e.renderer=Q}(),ee.tokenizer&&function(){var Q=we.defaults.tokenizer||new oe,he=function(je){var at=Q[je];Q[je]=function(){for(var ke=arguments.length,$e=new Array(ke),De=0;De<ke;De++)$e[De]=arguments[De];var pt=ee.tokenizer[je].apply(Q,$e);return pt===!1&&(pt=at.apply(Q,$e)),pt}};for(var Le in ee.tokenizer)he(Le);_e.tokenizer=Q}(),ee.hooks&&function(){var Q=we.defaults.hooks||new ce,he=function(je){var at=Q[je];ce.passThroughHooks.has(je)?Q[je]=function(ke){if(we.defaults.async)return Promise.resolve(ee.hooks[je].call(Q,ke)).then(function(De){return at.call(Q,De)});var $e=ee.hooks[je].call(Q,ke);return at.call(Q,$e)}:Q[je]=function(){for(var ke=arguments.length,$e=new Array(ke),De=0;De<ke;De++)$e[De]=arguments[De];var pt=ee.hooks[je].apply(Q,$e);return pt===!1&&(pt=at.apply(Q,$e)),pt}};for(var Le in ee.hooks)he(Le);_e.hooks=Q}(),ee.walkTokens){var U=we.defaults.walkTokens;_e.walkTokens=function(Q){var he=[];return he.push(ee.walkTokens.call(this,Q)),U&&(he=he.concat(U.call(this,Q))),he}}we.setOptions(_e)})},we.walkTokens=function(ge,de){for(var be=[],H=function(){var Q=_e.value;switch(be=be.concat(de.call(we,Q)),Q.type){case"table":{for(var he=l(Q.header),Le;!(Le=he()).done;){var Xe=Le.value;be=be.concat(we.walkTokens(Xe.tokens,de))}for(var je=l(Q.rows),at;!(at=je()).done;)for(var ke=at.value,$e=l(ke),De;!(De=$e()).done;){var pt=De.value;be=be.concat(we.walkTokens(pt.tokens,de))}break}case"list":{be=be.concat(we.walkTokens(Q.items,de));break}default:we.defaults.extensions&&we.defaults.extensions.childTokens&&we.defaults.extensions.childTokens[Q.type]?we.defaults.extensions.childTokens[Q.type].forEach(function(_t){be=be.concat(we.walkTokens(Q[_t],de))}):Q.tokens&&(be=be.concat(we.walkTokens(Q.tokens,de)))}},ee=l(ge),_e;!(_e=ee()).done;)H();return be},we.parseInline=He(bt.lexInline,nt.parseInline),we.Parser=nt,we.parser=nt.parse,we.Renderer=dt,we.TextRenderer=ct,we.Lexer=bt,we.lexer=bt.lex,we.Tokenizer=oe,we.Slugger=Ze,we.Hooks=ce,we.parse=we;var ze=we.options,pe=we.setOptions,Re=we.use,Ne=we.walkTokens,Ie=we.parseInline,Ue=we,Ve=nt.parse,lt=bt.lex;e.Hooks=ce,e.Lexer=bt,e.Parser=nt,e.Renderer=dt,e.Slugger=Ze,e.TextRenderer=ct,e.Tokenizer=oe,e.getDefaults=d,e.lexer=lt,e.marked=we,e.options=ze,e.parse=Ue,e.parseInline=Ie,e.parser=Ve,e.setOptions=pe,e.use=Re,e.walkTokens=Ne})(fR);var vl=Ci.exports,qB=HB,Jg=fR.marked,pR=/Mac/.test(navigator.platform),YB=new RegExp(/(<a.*?https?:\/\/.*?[^a]>)+?/g),zu={toggleBold:jd,toggleItalic:Xd,drawLink:uf,toggleHeadingSmaller:Ku,toggleHeadingBigger:tf,drawImage:cf,toggleBlockquote:ef,toggleOrderedList:sf,toggleUnorderedList:of,toggleCodeBlock:Jd,togglePreview:mf,toggleStrikethrough:Zd,toggleHeading1:nf,toggleHeading2:rf,toggleHeading3:af,toggleHeading4:BE,toggleHeading5:UE,toggleHeading6:GE,cleanBlock:lf,drawTable:df,drawHorizontalRule:ff,undo:pf,redo:_f,toggleSideBySide:Xl,toggleFullScreen:zs},WB={toggleBold:"Cmd-B",toggleItalic:"Cmd-I",drawLink:"Cmd-K",toggleHeadingSmaller:"Cmd-H",toggleHeadingBigger:"Shift-Cmd-H",toggleHeading1:"Ctrl+Alt+1",toggleHeading2:"Ctrl+Alt+2",toggleHeading3:"Ctrl+Alt+3",toggleHeading4:"Ctrl+Alt+4",toggleHeading5:"Ctrl+Alt+5",toggleHeading6:"Ctrl+Alt+6",cleanBlock:"Cmd-E",drawImage:"Cmd-Alt-I",toggleBlockquote:"Cmd-'",toggleOrderedList:"Cmd-Alt-L",toggleUnorderedList:"Cmd-L",toggleCodeBlock:"Cmd-Alt-C",togglePreview:"Cmd-P",toggleSideBySide:"F9",toggleFullScreen:"F11"},VB=function(e){for(var t in zu)if(zu[t]===e)return t;return null},Lh=function(){var e=!1;return function(t){(/(android|bb\d+|meego).+mobile|avantgo|bada\/|blackberry|blazer|compal|elaine|fennec|hiptop|iemobile|ip(hone|od)|iris|kindle|lge |maemo|midp|mmp|mobile.+firefox|netfront|opera m(ob|in)i|palm( os)?|phone|p(ixi|re)\/|plucker|pocket|psp|series(4|6)0|symbian|treo|up\.(browser|link)|vodafone|wap|windows ce|xda|xiino|android|ipad|playbook|silk/i.test(t)||/1207|6310|6590|3gso|4thp|50[1-6]i|770s|802s|a wa|abac|ac(er|oo|s-)|ai(ko|rn)|al(av|ca|co)|amoi|an(ex|ny|yw)|aptu|ar(ch|go)|as(te|us)|attw|au(di|-m|r |s )|avan|be(ck|ll|nq)|bi(lb|rd)|bl(ac|az)|br(e|v)w|bumb|bw-(n|u)|c55\/|capi|ccwa|cdm-|cell|chtm|cldc|cmd-|co(mp|nd)|craw|da(it|ll|ng)|dbte|dc-s|devi|dica|dmob|do(c|p)o|ds(12|-d)|el(49|ai)|em(l2|ul)|er(ic|k0)|esl8|ez([4-7]0|os|wa|ze)|fetc|fly(-|_)|g1 u|g560|gene|gf-5|g-mo|go(\.w|od)|gr(ad|un)|haie|hcit|hd-(m|p|t)|hei-|hi(pt|ta)|hp( i|ip)|hs-c|ht(c(-| |_|a|g|p|s|t)|tp)|hu(aw|tc)|i-(20|go|ma)|i230|iac( |-|\/)|ibro|idea|ig01|ikom|im1k|inno|ipaq|iris|ja(t|v)a|jbro|jemu|jigs|kddi|keji|kgt( |\/)|klon|kpt |kwc-|kyo(c|k)|le(no|xi)|lg( g|\/(k|l|u)|50|54|-[a-w])|libw|lynx|m1-w|m3ga|m50\/|ma(te|ui|xo)|mc(01|21|ca)|m-cr|me(rc|ri)|mi(o8|oa|ts)|mmef|mo(01|02|bi|de|do|t(-| |o|v)|zz)|mt(50|p1|v )|mwbp|mywa|n10[0-2]|n20[2-3]|n30(0|2)|n50(0|2|5)|n7(0(0|1)|10)|ne((c|m)-|on|tf|wf|wg|wt)|nok(6|i)|nzph|o2im|op(ti|wv)|oran|owg1|p800|pan(a|d|t)|pdxg|pg(13|-([1-8]|c))|phil|pire|pl(ay|uc)|pn-2|po(ck|rt|se)|prox|psio|pt-g|qa-a|qc(07|12|21|32|60|-[2-7]|i-)|qtek|r380|r600|raks|rim9|ro(ve|zo)|s55\/|sa(ge|ma|mm|ms|ny|va)|sc(01|h-|oo|p-)|sdk\/|se(c(-|0|1)|47|mc|nd|ri)|sgh-|shar|sie(-|m)|sk-0|sl(45|id)|sm(al|ar|b3|it|t5)|so(ft|ny)|sp(01|h-|v-|v )|sy(01|mb)|t2(18|50)|t6(00|10|18)|ta(gt|lk)|tcl-|tdg-|tel(i|m)|tim-|t-mo|to(pl|sh)|ts(70|m-|m3|m5)|tx-9|up(\.b|g1|si)|utst|v400|v750|veri|vi(rg|te)|vk(40|5[0-3]|-v)|vm40|voda|vulc|vx(52|53|60|61|70|80|81|83|85|98)|w3c(-| )|webc|whit|wi(g |nc|nw)|wmlb|wonu|x700|yas-|your|zeto|zte-/i.test(t.substr(0,4)))&&(e=!0)}(navigator.userAgent||navigator.vendor||window.opera),e};function zB(e){for(var t;(t=YB.exec(e))!==null;){var n=t[0];if(n.indexOf("target=")===-1){var r=n.replace(/>$/,' target="_blank">');e=e.replace(n,r)}}return e}function KB(e){for(var t=new DOMParser,n=t.parseFromString(e,"text/html"),r=n.getElementsByTagName("li"),a=0;a<r.length;a++)for(var o=r[a],l=0;l<o.children.length;l++){var u=o.children[l];u instanceof HTMLInputElement&&u.type==="checkbox"&&(o.style.marginLeft="-1.5em",o.style.listStyleType="none")}return n.documentElement.innerHTML}function _R(e){return pR?e=e.replace("Ctrl","Cmd"):e=e.replace("Cmd","Ctrl"),e}function $B(e,t,n,r){var a=fd(e,!1,t,n,"button",r);a.classList.add("easymde-dropdown"),a.onclick=function(){a.focus()};var o=document.createElement("div");o.className="easymde-dropdown-content";for(var l=0;l<e.children.length;l++){var u=e.children[l],c;typeof u=="string"&&u in Ms?c=fd(Ms[u],!0,t,n,"button",r):c=fd(u,!0,t,n,"button",r),c.addEventListener("click",function(d){d.stopPropagation()},!1),o.appendChild(c)}return a.appendChild(o),a}function fd(e,t,n,r,a,o){e=e||{};var l=document.createElement(a);if(e.attributes)for(var u in e.attributes)Object.prototype.hasOwnProperty.call(e.attributes,u)&&l.setAttribute(u,e.attributes[u]);var c=o.options.toolbarButtonClassPrefix?o.options.toolbarButtonClassPrefix+"-":"";l.className=c+e.name,l.setAttribute("type",a),n=n==null?!0:n,e.text&&(l.innerText=e.text),e.name&&e.name in r&&(zu[e.name]=e.action),e.title&&n&&(l.title=jB(e.title,e.action,r),pR&&(l.title=l.title.replace("Ctrl","\u2318"),l.title=l.title.replace("Alt","\u2325"))),e.title&&l.setAttribute("aria-label",e.title),e.noDisable&&l.classList.add("no-disable"),e.noMobile&&l.classList.add("no-mobile");var d=[];typeof e.className<"u"&&(d=e.className.split(" "));for(var S=[],_=0;_<d.length;_++){var E=d[_];E.match(/^fa([srlb]|(-[\w-]*)|$)/)?S.push(E):l.classList.add(E)}if(l.tabIndex=-1,S.length>0){for(var T=document.createElement("i"),y=0;y<S.length;y++){var M=S[y];T.classList.add(M)}l.appendChild(T)}return typeof e.icon<"u"&&(l.innerHTML=e.icon),e.action&&t&&(typeof e.action=="function"?l.onclick=function(v){v.preventDefault(),e.action(o)}:typeof e.action=="string"&&(l.onclick=function(v){v.preventDefault(),window.open(e.action,"_blank")})),l}function QB(){var e=document.createElement("i");return e.className="separator",e.innerHTML="|",e}function jB(e,t,n){var r,a=e;return t&&(r=VB(t),n[r]&&(a+=" ("+_R(n[r])+")")),a}function ds(e,t){t=t||e.getCursor("start");var n=e.getTokenAt(t);if(!n.type)return{};for(var r=n.type.split(" "),a={},o,l,u=0;u<r.length;u++)o=r[u],o==="strong"?a.bold=!0:o==="variable-2"?(l=e.getLine(t.line),/^\s*\d+\.\s/.test(l)?a["ordered-list"]=!0:a["unordered-list"]=!0):o==="atom"?a.quote=!0:o==="em"?a.italic=!0:o==="quote"?a.quote=!0:o==="strikethrough"?a.strikethrough=!0:o==="comment"?a.code=!0:o==="link"&&!a.image?a.link=!0:o==="image"?a.image=!0:o.match(/^header(-[1-6])?$/)&&(a[o.replace("header","heading")]=!0);return a}var cC="";function zs(e){var t=e.codemirror;t.setOption("fullScreen",!t.getOption("fullScreen")),t.getOption("fullScreen")?(cC=document.body.style.overflow,document.body.style.overflow="hidden"):document.body.style.overflow=cC;var n=t.getWrapperElement(),r=n.nextSibling;if(r.classList.contains("editor-preview-active-side"))if(e.options.sideBySideFullscreen===!1){var a=n.parentNode;t.getOption("fullScreen")?a.classList.remove("sided--no-fullscreen"):a.classList.add("sided--no-fullscreen")}else Xl(e);if(e.options.onToggleFullScreen&&e.options.onToggleFullScreen(t.getOption("fullScreen")||!1),typeof e.options.maxHeight<"u"&&(t.getOption("fullScreen")?(t.getScrollerElement().style.removeProperty("height"),r.style.removeProperty("height")):(t.getScrollerElement().style.height=e.options.maxHeight,e.setPreviewMaxHeight())),e.toolbar_div.classList.toggle("fullscreen"),e.toolbarElements&&e.toolbarElements.fullscreen){var o=e.toolbarElements.fullscreen;o.classList.toggle("active")}}function jd(e){YE(e,"bold",e.options.blockStyles.bold)}function Xd(e){YE(e,"italic",e.options.blockStyles.italic)}function Zd(e){YE(e,"strikethrough","~~")}function Jd(e){var t=e.options.blockStyles.code;function n(fe){if(typeof fe!="object")throw"fencing_line() takes a 'line' object (not a line number, or line text).  Got: "+typeof fe+": "+fe;return fe.styles&&fe.styles[2]&&fe.styles[2].indexOf("formatting-code-block")!==-1}function r(fe){return fe.state.base.base||fe.state.base}function a(fe,V,ne,te,G){ne=ne||fe.getLineHandle(V),te=te||fe.getTokenAt({line:V,ch:1}),G=G||!!ne.text&&fe.getTokenAt({line:V,ch:ne.text.length-1});var se=te.type?te.type.split(" "):[];return G&&r(G).indentedCode?"indented":se.indexOf("comment")===-1?!1:r(te).fencedChars||r(G).fencedChars||n(ne)?"fenced":"single"}function o(fe,V,ne,te){var G=V.line+1,se=ne.line+1,ve=V.line!==ne.line,Ge=te+`
 `,oe=`
 `+te;ve&&se++,ve&&ne.ch===0&&(oe=te+`
 `,se--),Ks(fe,!1,[Ge,oe]),fe.setSelection({line:G,ch:0},{line:se,ch:0})}var l=e.codemirror,u=l.getCursor("start"),c=l.getCursor("end"),d=l.getTokenAt({line:u.line,ch:u.ch||1}),S=l.getLineHandle(u.line),_=a(l,u.line,S,d),E,T,y;if(_==="single"){var M=S.text.slice(0,u.ch).replace("`",""),v=S.text.slice(u.ch).replace("`","");l.replaceRange(M+v,{line:u.line,ch:0},{line:u.line,ch:99999999999999}),u.ch--,u!==c&&c.ch--,l.setSelection(u,c),l.focus()}else if(_==="fenced")if(u.line!==c.line||u.ch!==c.ch){for(E=u.line;E>=0&&(S=l.getLineHandle(E),!n(S));E--);var A=l.getTokenAt({line:E,ch:1}),O=r(A).fencedChars,N,R,L,I;n(l.getLineHandle(u.line))?(N="",R=u.line):n(l.getLineHandle(u.line-1))?(N="",R=u.line-1):(N=O+`
 `,R=u.line),n(l.getLineHandle(c.line))?(L="",I=c.line,c.ch===0&&(I+=1)):c.ch!==0&&n(l.getLineHandle(c.line+1))?(L="",I=c.line+1):(L=O+`
 `,I=c.line+1),c.ch===0&&(I-=1),l.operation(function(){l.replaceRange(L,{line:I,ch:0},{line:I+(L?0:1),ch:0}),l.replaceRange(N,{line:R,ch:0},{line:R+(N?0:1),ch:0})}),l.setSelection({line:R+(N?1:0),ch:0},{line:I+(N?1:-1),ch:0}),l.focus()}else{var h=u.line;if(n(l.getLineHandle(u.line))&&(a(l,u.line+1)==="fenced"?(E=u.line,h=u.line+1):(T=u.line,h=u.line-1)),E===void 0)for(E=h;E>=0&&(S=l.getLineHandle(E),!n(S));E--);if(T===void 0)for(y=l.lineCount(),T=h;T<y&&(S=l.getLineHandle(T),!n(S));T++);l.operation(function(){l.replaceRange("",{line:E,ch:0},{line:E+1,ch:0}),l.replaceRange("",{line:T-1,ch:0},{line:T,ch:0})}),l.focus()}else if(_==="indented"){if(u.line!==c.line||u.ch!==c.ch)E=u.line,T=c.line,c.ch===0&&T--;else{for(E=u.line;E>=0;E--)if(S=l.getLineHandle(E),!S.text.match(/^\s*$/)&&a(l,E,S)!=="indented"){E+=1;break}for(y=l.lineCount(),T=u.line;T<y;T++)if(S=l.getLineHandle(T),!S.text.match(/^\s*$/)&&a(l,T,S)!=="indented"){T-=1;break}}var k=l.getLineHandle(T+1),F=k&&l.getTokenAt({line:T+1,ch:k.text.length-1}),z=F&&r(F).indentedCode;z&&l.replaceRange(`
-`,{line:T+1,ch:0});for(var K=E;K<=T;K++)l.indentLine(K,"subtract");l.focus()}else{var ue=u.line===c.line&&u.ch===c.ch&&u.ch===0,Z=u.line!==c.line;ue||Z?o(l,u,c,t):Ks(l,!1,["`","`"])}}function ef(e){HE(e.codemirror,"quote")}function $u(e){fs(e.codemirror,"smaller")}function tf(e){fs(e.codemirror,"bigger")}function nf(e){fs(e.codemirror,void 0,1)}function rf(e){fs(e.codemirror,void 0,2)}function af(e){fs(e.codemirror,void 0,3)}function FE(e){fs(e.codemirror,void 0,4)}function BE(e){fs(e.codemirror,void 0,5)}function UE(e){fs(e.codemirror,void 0,6)}function of(e){var t=e.codemirror,n="*";["-","+","*"].includes(e.options.unorderedListStyle)&&(n=e.options.unorderedListStyle),HE(t,"unordered-list",n)}function sf(e){HE(e.codemirror,"ordered-list")}function lf(e){QB(e.codemirror)}function uf(e){var t=e.options,n="https://";if(t.promptURLs){var r=prompt(t.promptTexts.link,n);if(!r)return!1;n=pR(r)}mR(e,"link",t.insertTexts.link,n)}function cf(e){var t=e.options,n="https://";if(t.promptURLs){var r=prompt(t.promptTexts.image,n);if(!r)return!1;n=pR(r)}mR(e,"image",t.insertTexts.image,n)}function pR(e){return encodeURI(e).replace(/([\\()])/g,"\\$1")}function GE(e){e.openBrowseFileWindow()}function _R(e,t){var n=e.codemirror,r=ds(n),a=e.options,o=t.substr(t.lastIndexOf("/")+1),l=o.substring(o.lastIndexOf(".")+1).replace(/\?.*$/,"").toLowerCase();if(["png","jpg","jpeg","gif","svg","apng","avif","webp"].includes(l))Ks(n,r.image,a.insertTexts.uploadedImage,t);else{var u=a.insertTexts.link;u[0]="["+o,Ks(n,r.link,u,t)}e.updateStatusBar("upload-image",e.options.imageTexts.sbOnUploaded.replace("#image_name#",o)),setTimeout(function(){e.updateStatusBar("upload-image",e.options.imageTexts.sbInit)},1e3)}function df(e){var t=e.codemirror,n=ds(t),r=e.options;Ks(t,n.table,r.insertTexts.table)}function ff(e){var t=e.codemirror,n=ds(t),r=e.options;Ks(t,n.image,r.insertTexts.horizontalRule)}function pf(e){var t=e.codemirror;t.undo(),t.focus()}function _f(e){var t=e.codemirror;t.redo(),t.focus()}function Zl(e){var t=e.codemirror,n=t.getWrapperElement(),r=n.nextSibling,a=e.toolbarElements&&e.toolbarElements["side-by-side"],o=!1,l=n.parentNode;r.classList.contains("editor-preview-active-side")?(e.options.sideBySideFullscreen===!1&&l.classList.remove("sided--no-fullscreen"),r.classList.remove("editor-preview-active-side"),a&&a.classList.remove("active"),n.classList.remove("CodeMirror-sided")):(setTimeout(function(){t.getOption("fullScreen")||(e.options.sideBySideFullscreen===!1?l.classList.add("sided--no-fullscreen"):zs(e)),r.classList.add("editor-preview-active-side")},1),a&&a.classList.add("active"),n.classList.add("CodeMirror-sided"),o=!0);var u=n.lastChild;if(u.classList.contains("editor-preview-active")){u.classList.remove("editor-preview-active");var c=e.toolbarElements.preview,d=e.toolbar_div;c.classList.remove("active"),d.classList.remove("disabled-for-preview")}var S=function(){var E=e.options.previewRender(e.value(),r);E!=null&&(r.innerHTML=E)};if(t.sideBySideRenderingFunction||(t.sideBySideRenderingFunction=S),o){var _=e.options.previewRender(e.value(),r);_!=null&&(r.innerHTML=_),t.on("update",t.sideBySideRenderingFunction)}else t.off("update",t.sideBySideRenderingFunction);t.refresh()}function mf(e){var t=e.codemirror,n=t.getWrapperElement(),r=e.toolbar_div,a=e.options.toolbar?e.toolbarElements.preview:!1,o=n.lastChild,l=t.getWrapperElement().nextSibling;if(l.classList.contains("editor-preview-active-side")&&Zl(e),!o||!o.classList.contains("editor-preview-full")){if(o=document.createElement("div"),o.className="editor-preview-full",e.options.previewClass)if(Array.isArray(e.options.previewClass))for(var u=0;u<e.options.previewClass.length;u++)o.classList.add(e.options.previewClass[u]);else typeof e.options.previewClass=="string"&&o.classList.add(e.options.previewClass);n.appendChild(o)}o.classList.contains("editor-preview-active")?(o.classList.remove("editor-preview-active"),a&&(a.classList.remove("active"),r.classList.remove("disabled-for-preview"))):(setTimeout(function(){o.classList.add("editor-preview-active")},1),a&&(a.classList.add("active"),r.classList.add("disabled-for-preview")));var c=e.options.previewRender(e.value(),o);c!==null&&(o.innerHTML=c)}function Ks(e,t,n,r){if(!e.getWrapperElement().lastChild.classList.contains("editor-preview-active")){var a,o=n[0],l=n[1],u={},c={};Object.assign(u,e.getCursor("start")),Object.assign(c,e.getCursor("end")),r&&(o=o.replace("#url#",r),l=l.replace("#url#",r)),t?(a=e.getLine(u.line),o=a.slice(0,u.ch),l=a.slice(u.ch),e.replaceRange(o+l,{line:u.line,ch:0})):(a=e.getSelection(),e.replaceSelection(o+a+l),u.ch+=o.length,u!==c&&(c.ch+=o.length)),e.setSelection(u,c),e.focus()}}function fs(e,t,n){if(!e.getWrapperElement().lastChild.classList.contains("editor-preview-active")){for(var r=e.getCursor("start"),a=e.getCursor("end"),o=r.line;o<=a.line;o++)(function(l){var u=e.getLine(l),c=u.search(/[^#]/);t!==void 0?c<=0?t=="bigger"?u="###### "+u:u="# "+u:c==6&&t=="smaller"?u=u.substr(7):c==1&&t=="bigger"?u=u.substr(2):t=="bigger"?u=u.substr(1):u="#"+u:c<=0?u="#".repeat(n)+" "+u:c==n?u=u.substr(c+1):u="#".repeat(n)+" "+u.substr(c+1),e.replaceRange(u,{line:l,ch:0},{line:l,ch:99999999999999})})(o);e.focus()}}function HE(e,t,n){if(!e.getWrapperElement().lastChild.classList.contains("editor-preview-active")){for(var r=/^(\s*)(\*|-|\+|\d*\.)(\s+)/,a=/^\s*/,o=ds(e),l=e.getCursor("start"),u=e.getCursor("end"),c={quote:/^(\s*)>\s+/,"unordered-list":r,"ordered-list":r},d=function(y,M){var v={quote:">","unordered-list":n,"ordered-list":"%%i."};return v[y].replace("%%i",M)},S=function(y,M){var v={quote:">","unordered-list":"\\"+n,"ordered-list":"\\d+."},A=new RegExp(v[y]);return M&&A.test(M)},_=function(y,M,v){var A=r.exec(M),O=d(y,E);return A!==null?(S(y,A[2])&&(O=""),M=A[1]+O+A[3]+M.replace(a,"").replace(c[y],"$1")):v==!1&&(M=O+" "+M),M},E=1,T=l.line;T<=u.line;T++)(function(y){var M=e.getLine(y);o[t]?M=M.replace(c[t],"$1"):(t=="unordered-list"&&(M=_("ordered-list",M,!0)),M=_(t,M,!1),E+=1),e.replaceRange(M,{line:y,ch:0},{line:y,ch:99999999999999})})(T);e.focus()}}function mR(e,t,n,r){if(!(!e.codemirror||e.isPreviewActive())){var a=e.codemirror,o=ds(a),l=o[t];if(!l){Ks(a,l,n,r);return}var u=a.getCursor("start"),c=a.getCursor("end"),d=a.getLine(u.line),S=d.slice(0,u.ch),_=d.slice(u.ch);t=="link"?S=S.replace(/(.*)[^!]\[/,"$1"):t=="image"&&(S=S.replace(/(.*)!\[$/,"$1")),_=_.replace(/]\(.*?\)/,""),a.replaceRange(S+_,{line:u.line,ch:0},{line:u.line,ch:99999999999999}),u.ch-=n[0].length,u!==c&&(c.ch-=n[0].length),a.setSelection(u,c),a.focus()}}function qE(e,t,n,r){if(!(!e.codemirror||e.isPreviewActive())){r=typeof r>"u"?n:r;var a=e.codemirror,o=ds(a),l,u=n,c=r,d=a.getCursor("start"),S=a.getCursor("end");o[t]?(l=a.getLine(d.line),u=l.slice(0,d.ch),c=l.slice(d.ch),t=="bold"?(u=u.replace(/(\*\*|__)(?![\s\S]*(\*\*|__))/,""),c=c.replace(/(\*\*|__)/,"")):t=="italic"?(u=u.replace(/(\*|_)(?![\s\S]*(\*|_))/,""),c=c.replace(/(\*|_)/,"")):t=="strikethrough"&&(u=u.replace(/(\*\*|~~)(?![\s\S]*(\*\*|~~))/,""),c=c.replace(/(\*\*|~~)/,"")),a.replaceRange(u+c,{line:d.line,ch:0},{line:d.line,ch:99999999999999}),t=="bold"||t=="strikethrough"?(d.ch-=2,d!==S&&(S.ch-=2)):t=="italic"&&(d.ch-=1,d!==S&&(S.ch-=1))):(l=a.getSelection(),t=="bold"?(l=l.split("**").join(""),l=l.split("__").join("")):t=="italic"?(l=l.split("*").join(""),l=l.split("_").join("")):t=="strikethrough"&&(l=l.split("~~").join("")),a.replaceSelection(u+l+c),d.ch+=n.length,S.ch=d.ch+l.length),a.setSelection(d,S),a.focus()}}function QB(e){if(!e.getWrapperElement().lastChild.classList.contains("editor-preview-active"))for(var t=e.getCursor("start"),n=e.getCursor("end"),r,a=t.line;a<=n.line;a++)r=e.getLine(a),r=r.replace(/^[ ]*([# ]+|\*|-|[> ]+|[0-9]+(.|\)))[ ]*/,""),e.replaceRange(r,{line:a,ch:0},{line:a,ch:99999999999999})}function yd(e,t){if(Math.abs(e)<1024)return""+e+t[0];var n=0;do e/=1024,++n;while(Math.abs(e)>=1024&&n<t.length);return""+e.toFixed(1)+t[n]}function gR(e,t){for(var n in t)Object.prototype.hasOwnProperty.call(t,n)&&(t[n]instanceof Array?e[n]=t[n].concat(e[n]instanceof Array?e[n]:[]):t[n]!==null&&typeof t[n]=="object"&&t[n].constructor===Object?e[n]=gR(e[n]||{},t[n]):e[n]=t[n]);return e}function go(e){for(var t=1;t<arguments.length;t++)e=gR(e,arguments[t]);return e}function uC(e){var t=/[a-zA-Z0-9_\u00A0-\u02AF\u0392-\u03c9\u0410-\u04F9]+|[\u4E00-\u9FFF\u3400-\u4dbf\uf900-\ufaff\u3040-\u309f\uac00-\ud7af]+/g,n=e.match(t),r=0;if(n===null)return r;for(var a=0;a<n.length;a++)n[a].charCodeAt(0)>=19968?r+=n[a].length:r+=1;return r}var In={bold:"fa fa-bold",italic:"fa fa-italic",strikethrough:"fa fa-strikethrough",heading:"fa fa-header fa-heading","heading-smaller":"fa fa-header fa-heading header-smaller","heading-bigger":"fa fa-header fa-heading header-bigger","heading-1":"fa fa-header fa-heading header-1","heading-2":"fa fa-header fa-heading header-2","heading-3":"fa fa-header fa-heading header-3",code:"fa fa-code",quote:"fa fa-quote-left","ordered-list":"fa fa-list-ol","unordered-list":"fa fa-list-ul","clean-block":"fa fa-eraser",link:"fa fa-link",image:"fa fa-image","upload-image":"fa fa-image",table:"fa fa-table","horizontal-rule":"fa fa-minus",preview:"fa fa-eye","side-by-side":"fa fa-columns",fullscreen:"fa fa-arrows-alt",guide:"fa fa-question-circle",undo:"fa fa-undo",redo:"fa fa-repeat fa-redo"},Ms={bold:{name:"bold",action:jd,className:In.bold,title:"Bold",default:!0},italic:{name:"italic",action:Xd,className:In.italic,title:"Italic",default:!0},strikethrough:{name:"strikethrough",action:Zd,className:In.strikethrough,title:"Strikethrough"},heading:{name:"heading",action:$u,className:In.heading,title:"Heading",default:!0},"heading-smaller":{name:"heading-smaller",action:$u,className:In["heading-smaller"],title:"Smaller Heading"},"heading-bigger":{name:"heading-bigger",action:tf,className:In["heading-bigger"],title:"Bigger Heading"},"heading-1":{name:"heading-1",action:nf,className:In["heading-1"],title:"Big Heading"},"heading-2":{name:"heading-2",action:rf,className:In["heading-2"],title:"Medium Heading"},"heading-3":{name:"heading-3",action:af,className:In["heading-3"],title:"Small Heading"},"separator-1":{name:"separator-1"},code:{name:"code",action:Jd,className:In.code,title:"Code"},quote:{name:"quote",action:ef,className:In.quote,title:"Quote",default:!0},"unordered-list":{name:"unordered-list",action:of,className:In["unordered-list"],title:"Generic List",default:!0},"ordered-list":{name:"ordered-list",action:sf,className:In["ordered-list"],title:"Numbered List",default:!0},"clean-block":{name:"clean-block",action:lf,className:In["clean-block"],title:"Clean block"},"separator-2":{name:"separator-2"},link:{name:"link",action:uf,className:In.link,title:"Create Link",default:!0},image:{name:"image",action:cf,className:In.image,title:"Insert Image",default:!0},"upload-image":{name:"upload-image",action:GE,className:In["upload-image"],title:"Import an image"},table:{name:"table",action:df,className:In.table,title:"Insert Table"},"horizontal-rule":{name:"horizontal-rule",action:ff,className:In["horizontal-rule"],title:"Insert Horizontal Line"},"separator-3":{name:"separator-3"},preview:{name:"preview",action:mf,className:In.preview,noDisable:!0,title:"Toggle Preview",default:!0},"side-by-side":{name:"side-by-side",action:Zl,className:In["side-by-side"],noDisable:!0,noMobile:!0,title:"Toggle Side by Side",default:!0},fullscreen:{name:"fullscreen",action:zs,className:In.fullscreen,noDisable:!0,noMobile:!0,title:"Toggle Fullscreen",default:!0},"separator-4":{name:"separator-4"},guide:{name:"guide",action:"https://www.markdownguide.org/basic-syntax/",className:In.guide,noDisable:!0,title:"Markdown Guide",default:!0},"separator-5":{name:"separator-5"},undo:{name:"undo",action:pf,className:In.undo,noDisable:!0,title:"Undo"},redo:{name:"redo",action:_f,className:In.redo,noDisable:!0,title:"Redo"}},jB={link:["[","](#url#)"],image:["![","](#url#)"],uploadedImage:["![](#url#)",""],table:["",`
+`,{line:T+1,ch:0});for(var K=E;K<=T;K++)l.indentLine(K,"subtract");l.focus()}else{var ue=u.line===c.line&&u.ch===c.ch&&u.ch===0,Z=u.line!==c.line;ue||Z?o(l,u,c,t):Ks(l,!1,["`","`"])}}function ef(e){qE(e.codemirror,"quote")}function Ku(e){fs(e.codemirror,"smaller")}function tf(e){fs(e.codemirror,"bigger")}function nf(e){fs(e.codemirror,void 0,1)}function rf(e){fs(e.codemirror,void 0,2)}function af(e){fs(e.codemirror,void 0,3)}function BE(e){fs(e.codemirror,void 0,4)}function UE(e){fs(e.codemirror,void 0,5)}function GE(e){fs(e.codemirror,void 0,6)}function of(e){var t=e.codemirror,n="*";["-","+","*"].includes(e.options.unorderedListStyle)&&(n=e.options.unorderedListStyle),qE(t,"unordered-list",n)}function sf(e){qE(e.codemirror,"ordered-list")}function lf(e){XB(e.codemirror)}function uf(e){var t=e.options,n="https://";if(t.promptURLs){var r=prompt(t.promptTexts.link,n);if(!r)return!1;n=mR(r)}hR(e,"link",t.insertTexts.link,n)}function cf(e){var t=e.options,n="https://";if(t.promptURLs){var r=prompt(t.promptTexts.image,n);if(!r)return!1;n=mR(r)}hR(e,"image",t.insertTexts.image,n)}function mR(e){return encodeURI(e).replace(/([\\()])/g,"\\$1")}function HE(e){e.openBrowseFileWindow()}function gR(e,t){var n=e.codemirror,r=ds(n),a=e.options,o=t.substr(t.lastIndexOf("/")+1),l=o.substring(o.lastIndexOf(".")+1).replace(/\?.*$/,"").toLowerCase();if(["png","jpg","jpeg","gif","svg","apng","avif","webp"].includes(l))Ks(n,r.image,a.insertTexts.uploadedImage,t);else{var u=a.insertTexts.link;u[0]="["+o,Ks(n,r.link,u,t)}e.updateStatusBar("upload-image",e.options.imageTexts.sbOnUploaded.replace("#image_name#",o)),setTimeout(function(){e.updateStatusBar("upload-image",e.options.imageTexts.sbInit)},1e3)}function df(e){var t=e.codemirror,n=ds(t),r=e.options;Ks(t,n.table,r.insertTexts.table)}function ff(e){var t=e.codemirror,n=ds(t),r=e.options;Ks(t,n.image,r.insertTexts.horizontalRule)}function pf(e){var t=e.codemirror;t.undo(),t.focus()}function _f(e){var t=e.codemirror;t.redo(),t.focus()}function Xl(e){var t=e.codemirror,n=t.getWrapperElement(),r=n.nextSibling,a=e.toolbarElements&&e.toolbarElements["side-by-side"],o=!1,l=n.parentNode;r.classList.contains("editor-preview-active-side")?(e.options.sideBySideFullscreen===!1&&l.classList.remove("sided--no-fullscreen"),r.classList.remove("editor-preview-active-side"),a&&a.classList.remove("active"),n.classList.remove("CodeMirror-sided")):(setTimeout(function(){t.getOption("fullScreen")||(e.options.sideBySideFullscreen===!1?l.classList.add("sided--no-fullscreen"):zs(e)),r.classList.add("editor-preview-active-side")},1),a&&a.classList.add("active"),n.classList.add("CodeMirror-sided"),o=!0);var u=n.lastChild;if(u.classList.contains("editor-preview-active")){u.classList.remove("editor-preview-active");var c=e.toolbarElements.preview,d=e.toolbar_div;c.classList.remove("active"),d.classList.remove("disabled-for-preview")}var S=function(){var E=e.options.previewRender(e.value(),r);E!=null&&(r.innerHTML=E)};if(t.sideBySideRenderingFunction||(t.sideBySideRenderingFunction=S),o){var _=e.options.previewRender(e.value(),r);_!=null&&(r.innerHTML=_),t.on("update",t.sideBySideRenderingFunction)}else t.off("update",t.sideBySideRenderingFunction);t.refresh()}function mf(e){var t=e.codemirror,n=t.getWrapperElement(),r=e.toolbar_div,a=e.options.toolbar?e.toolbarElements.preview:!1,o=n.lastChild,l=t.getWrapperElement().nextSibling;if(l.classList.contains("editor-preview-active-side")&&Xl(e),!o||!o.classList.contains("editor-preview-full")){if(o=document.createElement("div"),o.className="editor-preview-full",e.options.previewClass)if(Array.isArray(e.options.previewClass))for(var u=0;u<e.options.previewClass.length;u++)o.classList.add(e.options.previewClass[u]);else typeof e.options.previewClass=="string"&&o.classList.add(e.options.previewClass);n.appendChild(o)}o.classList.contains("editor-preview-active")?(o.classList.remove("editor-preview-active"),a&&(a.classList.remove("active"),r.classList.remove("disabled-for-preview"))):(setTimeout(function(){o.classList.add("editor-preview-active")},1),a&&(a.classList.add("active"),r.classList.add("disabled-for-preview")));var c=e.options.previewRender(e.value(),o);c!==null&&(o.innerHTML=c)}function Ks(e,t,n,r){if(!e.getWrapperElement().lastChild.classList.contains("editor-preview-active")){var a,o=n[0],l=n[1],u={},c={};Object.assign(u,e.getCursor("start")),Object.assign(c,e.getCursor("end")),r&&(o=o.replace("#url#",r),l=l.replace("#url#",r)),t?(a=e.getLine(u.line),o=a.slice(0,u.ch),l=a.slice(u.ch),e.replaceRange(o+l,{line:u.line,ch:0})):(a=e.getSelection(),e.replaceSelection(o+a+l),u.ch+=o.length,u!==c&&(c.ch+=o.length)),e.setSelection(u,c),e.focus()}}function fs(e,t,n){if(!e.getWrapperElement().lastChild.classList.contains("editor-preview-active")){for(var r=e.getCursor("start"),a=e.getCursor("end"),o=r.line;o<=a.line;o++)(function(l){var u=e.getLine(l),c=u.search(/[^#]/);t!==void 0?c<=0?t=="bigger"?u="###### "+u:u="# "+u:c==6&&t=="smaller"?u=u.substr(7):c==1&&t=="bigger"?u=u.substr(2):t=="bigger"?u=u.substr(1):u="#"+u:c<=0?u="#".repeat(n)+" "+u:c==n?u=u.substr(c+1):u="#".repeat(n)+" "+u.substr(c+1),e.replaceRange(u,{line:l,ch:0},{line:l,ch:99999999999999})})(o);e.focus()}}function qE(e,t,n){if(!e.getWrapperElement().lastChild.classList.contains("editor-preview-active")){for(var r=/^(\s*)(\*|-|\+|\d*\.)(\s+)/,a=/^\s*/,o=ds(e),l=e.getCursor("start"),u=e.getCursor("end"),c={quote:/^(\s*)>\s+/,"unordered-list":r,"ordered-list":r},d=function(y,M){var v={quote:">","unordered-list":n,"ordered-list":"%%i."};return v[y].replace("%%i",M)},S=function(y,M){var v={quote:">","unordered-list":"\\"+n,"ordered-list":"\\d+."},A=new RegExp(v[y]);return M&&A.test(M)},_=function(y,M,v){var A=r.exec(M),O=d(y,E);return A!==null?(S(y,A[2])&&(O=""),M=A[1]+O+A[3]+M.replace(a,"").replace(c[y],"$1")):v==!1&&(M=O+" "+M),M},E=1,T=l.line;T<=u.line;T++)(function(y){var M=e.getLine(y);o[t]?M=M.replace(c[t],"$1"):(t=="unordered-list"&&(M=_("ordered-list",M,!0)),M=_(t,M,!1),E+=1),e.replaceRange(M,{line:y,ch:0},{line:y,ch:99999999999999})})(T);e.focus()}}function hR(e,t,n,r){if(!(!e.codemirror||e.isPreviewActive())){var a=e.codemirror,o=ds(a),l=o[t];if(!l){Ks(a,l,n,r);return}var u=a.getCursor("start"),c=a.getCursor("end"),d=a.getLine(u.line),S=d.slice(0,u.ch),_=d.slice(u.ch);t=="link"?S=S.replace(/(.*)[^!]\[/,"$1"):t=="image"&&(S=S.replace(/(.*)!\[$/,"$1")),_=_.replace(/]\(.*?\)/,""),a.replaceRange(S+_,{line:u.line,ch:0},{line:u.line,ch:99999999999999}),u.ch-=n[0].length,u!==c&&(c.ch-=n[0].length),a.setSelection(u,c),a.focus()}}function YE(e,t,n,r){if(!(!e.codemirror||e.isPreviewActive())){r=typeof r>"u"?n:r;var a=e.codemirror,o=ds(a),l,u=n,c=r,d=a.getCursor("start"),S=a.getCursor("end");o[t]?(l=a.getLine(d.line),u=l.slice(0,d.ch),c=l.slice(d.ch),t=="bold"?(u=u.replace(/(\*\*|__)(?![\s\S]*(\*\*|__))/,""),c=c.replace(/(\*\*|__)/,"")):t=="italic"?(u=u.replace(/(\*|_)(?![\s\S]*(\*|_))/,""),c=c.replace(/(\*|_)/,"")):t=="strikethrough"&&(u=u.replace(/(\*\*|~~)(?![\s\S]*(\*\*|~~))/,""),c=c.replace(/(\*\*|~~)/,"")),a.replaceRange(u+c,{line:d.line,ch:0},{line:d.line,ch:99999999999999}),t=="bold"||t=="strikethrough"?(d.ch-=2,d!==S&&(S.ch-=2)):t=="italic"&&(d.ch-=1,d!==S&&(S.ch-=1))):(l=a.getSelection(),t=="bold"?(l=l.split("**").join(""),l=l.split("__").join("")):t=="italic"?(l=l.split("*").join(""),l=l.split("_").join("")):t=="strikethrough"&&(l=l.split("~~").join("")),a.replaceSelection(u+l+c),d.ch+=n.length,S.ch=d.ch+l.length),a.setSelection(d,S),a.focus()}}function XB(e){if(!e.getWrapperElement().lastChild.classList.contains("editor-preview-active"))for(var t=e.getCursor("start"),n=e.getCursor("end"),r,a=t.line;a<=n.line;a++)r=e.getLine(a),r=r.replace(/^[ ]*([# ]+|\*|-|[> ]+|[0-9]+(.|\)))[ ]*/,""),e.replaceRange(r,{line:a,ch:0},{line:a,ch:99999999999999})}function yd(e,t){if(Math.abs(e)<1024)return""+e+t[0];var n=0;do e/=1024,++n;while(Math.abs(e)>=1024&&n<t.length);return""+e.toFixed(1)+t[n]}function ER(e,t){for(var n in t)Object.prototype.hasOwnProperty.call(t,n)&&(t[n]instanceof Array?e[n]=t[n].concat(e[n]instanceof Array?e[n]:[]):t[n]!==null&&typeof t[n]=="object"&&t[n].constructor===Object?e[n]=ER(e[n]||{},t[n]):e[n]=t[n]);return e}function go(e){for(var t=1;t<arguments.length;t++)e=ER(e,arguments[t]);return e}function dC(e){var t=/[a-zA-Z0-9_\u00A0-\u02AF\u0392-\u03c9\u0410-\u04F9]+|[\u4E00-\u9FFF\u3400-\u4dbf\uf900-\ufaff\u3040-\u309f\uac00-\ud7af]+/g,n=e.match(t),r=0;if(n===null)return r;for(var a=0;a<n.length;a++)n[a].charCodeAt(0)>=19968?r+=n[a].length:r+=1;return r}var In={bold:"fa fa-bold",italic:"fa fa-italic",strikethrough:"fa fa-strikethrough",heading:"fa fa-header fa-heading","heading-smaller":"fa fa-header fa-heading header-smaller","heading-bigger":"fa fa-header fa-heading header-bigger","heading-1":"fa fa-header fa-heading header-1","heading-2":"fa fa-header fa-heading header-2","heading-3":"fa fa-header fa-heading header-3",code:"fa fa-code",quote:"fa fa-quote-left","ordered-list":"fa fa-list-ol","unordered-list":"fa fa-list-ul","clean-block":"fa fa-eraser",link:"fa fa-link",image:"fa fa-image","upload-image":"fa fa-image",table:"fa fa-table","horizontal-rule":"fa fa-minus",preview:"fa fa-eye","side-by-side":"fa fa-columns",fullscreen:"fa fa-arrows-alt",guide:"fa fa-question-circle",undo:"fa fa-undo",redo:"fa fa-repeat fa-redo"},Ms={bold:{name:"bold",action:jd,className:In.bold,title:"Bold",default:!0},italic:{name:"italic",action:Xd,className:In.italic,title:"Italic",default:!0},strikethrough:{name:"strikethrough",action:Zd,className:In.strikethrough,title:"Strikethrough"},heading:{name:"heading",action:Ku,className:In.heading,title:"Heading",default:!0},"heading-smaller":{name:"heading-smaller",action:Ku,className:In["heading-smaller"],title:"Smaller Heading"},"heading-bigger":{name:"heading-bigger",action:tf,className:In["heading-bigger"],title:"Bigger Heading"},"heading-1":{name:"heading-1",action:nf,className:In["heading-1"],title:"Big Heading"},"heading-2":{name:"heading-2",action:rf,className:In["heading-2"],title:"Medium Heading"},"heading-3":{name:"heading-3",action:af,className:In["heading-3"],title:"Small Heading"},"separator-1":{name:"separator-1"},code:{name:"code",action:Jd,className:In.code,title:"Code"},quote:{name:"quote",action:ef,className:In.quote,title:"Quote",default:!0},"unordered-list":{name:"unordered-list",action:of,className:In["unordered-list"],title:"Generic List",default:!0},"ordered-list":{name:"ordered-list",action:sf,className:In["ordered-list"],title:"Numbered List",default:!0},"clean-block":{name:"clean-block",action:lf,className:In["clean-block"],title:"Clean block"},"separator-2":{name:"separator-2"},link:{name:"link",action:uf,className:In.link,title:"Create Link",default:!0},image:{name:"image",action:cf,className:In.image,title:"Insert Image",default:!0},"upload-image":{name:"upload-image",action:HE,className:In["upload-image"],title:"Import an image"},table:{name:"table",action:df,className:In.table,title:"Insert Table"},"horizontal-rule":{name:"horizontal-rule",action:ff,className:In["horizontal-rule"],title:"Insert Horizontal Line"},"separator-3":{name:"separator-3"},preview:{name:"preview",action:mf,className:In.preview,noDisable:!0,title:"Toggle Preview",default:!0},"side-by-side":{name:"side-by-side",action:Xl,className:In["side-by-side"],noDisable:!0,noMobile:!0,title:"Toggle Side by Side",default:!0},fullscreen:{name:"fullscreen",action:zs,className:In.fullscreen,noDisable:!0,noMobile:!0,title:"Toggle Fullscreen",default:!0},"separator-4":{name:"separator-4"},guide:{name:"guide",action:"https://www.markdownguide.org/basic-syntax/",className:In.guide,noDisable:!0,title:"Markdown Guide",default:!0},"separator-5":{name:"separator-5"},undo:{name:"undo",action:pf,className:In.undo,noDisable:!0,title:"Undo"},redo:{name:"redo",action:_f,className:In.redo,noDisable:!0,title:"Redo"}},ZB={link:["[","](#url#)"],image:["![","](#url#)"],uploadedImage:["![](#url#)",""],table:["",`
 
 | Column 1 | Column 2 | Column 3 |
 | -------- | -------- | -------- |
@@ -259,5 +259,5 @@ Please report this to https://github.com/markedjs/marked.`,ge){var ee="<p>An err
 
 -----
 
-`]},XB={link:"URL for the link:",image:"URL of the image:"},ZB={locale:"en-US",format:{hour:"2-digit",minute:"2-digit"}},JB={bold:"**",code:"```",italic:"*"},eU={sbInit:"Attach files by drag and dropping or pasting from clipboard.",sbOnDragEnter:"Drop image to upload it.",sbOnDrop:"Uploading image #images_names#...",sbProgress:"Uploading #file_name#: #progress#%",sbOnUploaded:"Uploaded #image_name#",sizeUnits:" B, KB, MB"},tU={noFileGiven:"You must select a file.",typeNotAllowed:"This image type is not allowed.",fileTooLarge:`Image #image_name# is too big (#image_size#).
-Maximum file size is #image_max_size#.`,importError:"Something went wrong when uploading the image #image_name#."};function It(e){e=e||{},e.parent=this;var t=!0;if(e.autoDownloadFontAwesome===!1&&(t=!1),e.autoDownloadFontAwesome!==!0)for(var n=document.styleSheets,r=0;r<n.length;r++)!n[r].href||n[r].href.indexOf("//maxcdn.bootstrapcdn.com/font-awesome/")>-1&&(t=!1);if(t){var a=document.createElement("link");a.rel="stylesheet",a.href="https://maxcdn.bootstrapcdn.com/font-awesome/latest/css/font-awesome.min.css",document.getElementsByTagName("head")[0].appendChild(a)}if(e.element)this.element=e.element;else if(e.element===null){console.log("EasyMDE: Error. No element was found.");return}if(e.toolbar===void 0){e.toolbar=[];for(var o in Ms)Object.prototype.hasOwnProperty.call(Ms,o)&&(o.indexOf("separator-")!=-1&&e.toolbar.push("|"),(Ms[o].default===!0||e.showIcons&&e.showIcons.constructor===Array&&e.showIcons.indexOf(o)!=-1)&&e.toolbar.push(o))}if(Object.prototype.hasOwnProperty.call(e,"previewClass")||(e.previewClass="editor-preview"),Object.prototype.hasOwnProperty.call(e,"status")||(e.status=["autosave","lines","words","cursor"],e.uploadImage&&e.status.unshift("upload-image")),e.previewRender||(e.previewRender=function(u){return this.parent.markdown(u)}),e.parsingConfig=go({highlightFormatting:!0},e.parsingConfig||{}),e.insertTexts=go({},jB,e.insertTexts||{}),e.promptTexts=go({},XB,e.promptTexts||{}),e.blockStyles=go({},JB,e.blockStyles||{}),e.autosave!=null&&(e.autosave.timeFormat=go({},ZB,e.autosave.timeFormat||{})),e.iconClassMap=go({},In,e.iconClassMap||{}),e.shortcuts=go({},qB,e.shortcuts||{}),e.maxHeight=e.maxHeight||void 0,e.direction=e.direction||"ltr",typeof e.maxHeight<"u"?e.minHeight=e.maxHeight:e.minHeight=e.minHeight||"300px",e.errorCallback=e.errorCallback||function(u){alert(u)},e.uploadImage=e.uploadImage||!1,e.imageMaxSize=e.imageMaxSize||2097152,e.imageAccept=e.imageAccept||"image/png, image/jpeg, image/gif, image/avif",e.imageTexts=go({},eU,e.imageTexts||{}),e.errorMessages=go({},tU,e.errorMessages||{}),e.imagePathAbsolute=e.imagePathAbsolute||!1,e.imageCSRFName=e.imageCSRFName||"csrfmiddlewaretoken",e.imageCSRFHeader=e.imageCSRFHeader||!1,e.autosave!=null&&e.autosave.unique_id!=null&&e.autosave.unique_id!=""&&(e.autosave.uniqueId=e.autosave.unique_id),e.overlayMode&&e.overlayMode.combine===void 0&&(e.overlayMode.combine=!0),this.options=e,this.render(),e.initialValue&&(!this.options.autosave||this.options.autosave.foundSavedValue!==!0)&&this.value(e.initialValue),e.uploadImage){var l=this;this.codemirror.on("dragenter",function(u,c){l.updateStatusBar("upload-image",l.options.imageTexts.sbOnDragEnter),c.stopPropagation(),c.preventDefault()}),this.codemirror.on("dragend",function(u,c){l.updateStatusBar("upload-image",l.options.imageTexts.sbInit),c.stopPropagation(),c.preventDefault()}),this.codemirror.on("dragleave",function(u,c){l.updateStatusBar("upload-image",l.options.imageTexts.sbInit),c.stopPropagation(),c.preventDefault()}),this.codemirror.on("dragover",function(u,c){l.updateStatusBar("upload-image",l.options.imageTexts.sbOnDragEnter),c.stopPropagation(),c.preventDefault()}),this.codemirror.on("drop",function(u,c){c.stopPropagation(),c.preventDefault(),e.imageUploadFunction?l.uploadImagesUsingCustomFunction(e.imageUploadFunction,c.dataTransfer.files):l.uploadImages(c.dataTransfer.files)}),this.codemirror.on("paste",function(u,c){e.imageUploadFunction?l.uploadImagesUsingCustomFunction(e.imageUploadFunction,c.clipboardData.files):l.uploadImages(c.clipboardData.files)})}}It.prototype.uploadImages=function(e,t,n){if(e.length!==0){for(var r=[],a=0;a<e.length;a++)r.push(e[a].name),this.uploadImage(e[a],t,n);this.updateStatusBar("upload-image",this.options.imageTexts.sbOnDrop.replace("#images_names#",r.join(", ")))}};It.prototype.uploadImagesUsingCustomFunction=function(e,t){if(t.length!==0){for(var n=[],r=0;r<t.length;r++)n.push(t[r].name),this.uploadImageUsingCustomFunction(e,t[r]);this.updateStatusBar("upload-image",this.options.imageTexts.sbOnDrop.replace("#images_names#",n.join(", ")))}};It.prototype.updateStatusBar=function(e,t){if(!!this.gui.statusbar){var n=this.gui.statusbar.getElementsByClassName(e);n.length===1?this.gui.statusbar.getElementsByClassName(e)[0].textContent=t:n.length===0?console.log("EasyMDE: status bar item "+e+" was not found."):console.log("EasyMDE: Several status bar items named "+e+" was found.")}};It.prototype.markdown=function(e){if(Zg){var t;if(this.options&&this.options.renderingConfig&&this.options.renderingConfig.markedOptions?t=this.options.renderingConfig.markedOptions:t={},this.options&&this.options.renderingConfig&&this.options.renderingConfig.singleLineBreaks===!1?t.breaks=!1:t.breaks=!0,this.options&&this.options.renderingConfig&&this.options.renderingConfig.codeSyntaxHighlighting===!0){var n=this.options.renderingConfig.hljs||window.hljs;n&&(t.highlight=function(a,o){return o&&n.getLanguage(o)?n.highlight(o,a).value:n.highlightAuto(a).value})}Zg.setOptions(t);var r=Zg.parse(e);return this.options.renderingConfig&&typeof this.options.renderingConfig.sanitizerFunction=="function"&&(r=this.options.renderingConfig.sanitizerFunction.call(this,r)),r=WB(r),r=VB(r),r}};It.prototype.render=function(e){if(e||(e=this.element||document.getElementsByTagName("textarea")[0]),this._rendered&&this._rendered===e)return;this.element=e;var t=this.options,n=this,r={};for(var a in t.shortcuts)t.shortcuts[a]!==null&&Ku[a]!==null&&function(v){r[fR(t.shortcuts[v])]=function(){var A=Ku[v];typeof A=="function"?A(n):typeof A=="string"&&window.open(A,"_blank")}}(a);r.Enter="newlineAndIndentContinueMarkdownList",r.Tab="tabAndIndentMarkdownList",r["Shift-Tab"]="shiftTabAndUnindentMarkdownList",r.Esc=function(v){v.getOption("fullScreen")&&zs(n)},this.documentOnKeyDown=function(v){v=v||window.event,v.keyCode==27&&n.codemirror.getOption("fullScreen")&&zs(n)},document.addEventListener("keydown",this.documentOnKeyDown,!1);var o,l;t.overlayMode?(vl.defineMode("overlay-mode",function(v){return vl.overlayMode(vl.getMode(v,t.spellChecker!==!1?"spell-checker":"gfm"),t.overlayMode.mode,t.overlayMode.combine)}),o="overlay-mode",l=t.parsingConfig,l.gitHubSpice=!1):(o=t.parsingConfig,o.name="gfm",o.gitHubSpice=!1),t.spellChecker!==!1&&(o="spell-checker",l=t.parsingConfig,l.name="gfm",l.gitHubSpice=!1,typeof t.spellChecker=="function"?t.spellChecker({codeMirrorInstance:vl}):GB({codeMirrorInstance:vl}));function u(v,A,O){return{addNew:!1}}if(this.codemirror=vl.fromTextArea(e,{mode:o,backdrop:l,theme:t.theme!=null?t.theme:"easymde",tabSize:t.tabSize!=null?t.tabSize:2,indentUnit:t.tabSize!=null?t.tabSize:2,indentWithTabs:t.indentWithTabs!==!1,lineNumbers:t.lineNumbers===!0,autofocus:t.autofocus===!0,extraKeys:r,direction:t.direction,lineWrapping:t.lineWrapping!==!1,allowDropFileTypes:["text/plain"],placeholder:t.placeholder||e.getAttribute("placeholder")||"",styleSelectedText:t.styleSelectedText!=null?t.styleSelectedText:!wh(),scrollbarStyle:t.scrollbarStyle!=null?t.scrollbarStyle:"native",configureMouse:u,inputStyle:t.inputStyle!=null?t.inputStyle:wh()?"contenteditable":"textarea",spellcheck:t.nativeSpellcheck!=null?t.nativeSpellcheck:!0,autoRefresh:t.autoRefresh!=null?t.autoRefresh:!1}),this.codemirror.getScrollerElement().style.minHeight=t.minHeight,typeof t.maxHeight<"u"&&(this.codemirror.getScrollerElement().style.height=t.maxHeight),t.forceSync===!0){var c=this.codemirror;c.on("change",function(){c.save()})}this.gui={};var d=document.createElement("div");d.classList.add("EasyMDEContainer"),d.setAttribute("role","application");var S=this.codemirror.getWrapperElement();S.parentNode.insertBefore(d,S),d.appendChild(S),t.toolbar!==!1&&(this.gui.toolbar=this.createToolbar()),t.status!==!1&&(this.gui.statusbar=this.createStatusbar()),t.autosave!=null&&t.autosave.enabled===!0&&(this.autosave(),this.codemirror.on("change",function(){clearTimeout(n._autosave_timeout),n._autosave_timeout=setTimeout(function(){n.autosave()},n.options.autosave.submit_delay||n.options.autosave.delay||1e3)}));function _(v,A){var O,N=window.getComputedStyle(document.querySelector(".CodeMirror-sizer")).width.replace("px","");return v<N?O=A+"px":O=A/v*100+"%",O}var E=this;function T(v,A){v.setAttribute("data-img-src",A.url),v.setAttribute("style","--bg-image:url("+A.url+");--width:"+A.naturalWidth+"px;--height:"+_(A.naturalWidth,A.naturalHeight)),E.codemirror.setSize()}function y(){!t.previewImagesInEditor||d.querySelectorAll(".cm-image-marker").forEach(function(v){var A=v.parentElement;if(!!A.innerText.match(/^!\[.*?\]\(.*\)/g)&&!A.hasAttribute("data-img-src")){var O=A.innerText.match("\\((.*)\\)");if(window.EMDEimagesCache||(window.EMDEimagesCache={}),O&&O.length>=2){var N=O[1];if(t.imagesPreviewHandler){var R=t.imagesPreviewHandler(O[1]);typeof R=="string"&&(N=R)}if(window.EMDEimagesCache[N])T(A,window.EMDEimagesCache[N]);else{var L=document.createElement("img");L.onload=function(){window.EMDEimagesCache[N]={naturalWidth:L.naturalWidth,naturalHeight:L.naturalHeight,url:N},T(A,window.EMDEimagesCache[N])},L.src=N}}}})}this.codemirror.on("update",function(){y()}),this.gui.sideBySide=this.createSideBySide(),this._rendered=this.element,(t.autofocus===!0||e.autofocus)&&this.codemirror.focus();var M=this.codemirror;setTimeout(function(){M.refresh()}.bind(M),0)};It.prototype.cleanup=function(){document.removeEventListener("keydown",this.documentOnKeyDown)};function hR(){if(typeof localStorage=="object")try{localStorage.setItem("smde_localStorage",1),localStorage.removeItem("smde_localStorage")}catch{return!1}else return!1;return!0}It.prototype.autosave=function(){if(hR()){var e=this;if(this.options.autosave.uniqueId==null||this.options.autosave.uniqueId==""){console.log("EasyMDE: You must set a uniqueId to use the autosave feature");return}this.options.autosave.binded!==!0&&(e.element.form!=null&&e.element.form!=null&&e.element.form.addEventListener("submit",function(){clearTimeout(e.autosaveTimeoutId),e.autosaveTimeoutId=void 0,localStorage.removeItem("smde_"+e.options.autosave.uniqueId)}),this.options.autosave.binded=!0),this.options.autosave.loaded!==!0&&(typeof localStorage.getItem("smde_"+this.options.autosave.uniqueId)=="string"&&localStorage.getItem("smde_"+this.options.autosave.uniqueId)!=""&&(this.codemirror.setValue(localStorage.getItem("smde_"+this.options.autosave.uniqueId)),this.options.autosave.foundSavedValue=!0),this.options.autosave.loaded=!0);var t=e.value();t!==""?localStorage.setItem("smde_"+this.options.autosave.uniqueId,t):localStorage.removeItem("smde_"+this.options.autosave.uniqueId);var n=document.getElementById("autosaved");if(n!=null&&n!=null&&n!=""){var r=new Date,a=new Intl.DateTimeFormat([this.options.autosave.timeFormat.locale,"en-US"],this.options.autosave.timeFormat.format).format(r),o=this.options.autosave.text==null?"Autosaved: ":this.options.autosave.text;n.innerHTML=o+a}}else console.log("EasyMDE: localStorage not available, cannot autosave")};It.prototype.clearAutosavedValue=function(){if(hR()){if(this.options.autosave==null||this.options.autosave.uniqueId==null||this.options.autosave.uniqueId==""){console.log("EasyMDE: You must set a uniqueId to clear the autosave value");return}localStorage.removeItem("smde_"+this.options.autosave.uniqueId)}else console.log("EasyMDE: localStorage not available, cannot autosave")};It.prototype.openBrowseFileWindow=function(e,t){var n=this,r=this.gui.toolbar.getElementsByClassName("imageInput")[0];r.click();function a(o){n.options.imageUploadFunction?n.uploadImagesUsingCustomFunction(n.options.imageUploadFunction,o.target.files):n.uploadImages(o.target.files,e,t),r.removeEventListener("change",a)}r.addEventListener("change",a)};It.prototype.uploadImage=function(e,t,n){var r=this;t=t||function(d){_R(r,d)};function a(c){r.updateStatusBar("upload-image",c),setTimeout(function(){r.updateStatusBar("upload-image",r.options.imageTexts.sbInit)},1e4),n&&typeof n=="function"&&n(c),r.options.errorCallback(c)}function o(c){var d=r.options.imageTexts.sizeUnits.split(",");return c.replace("#image_name#",e.name).replace("#image_size#",yd(e.size,d)).replace("#image_max_size#",yd(r.options.imageMaxSize,d))}if(e.size>this.options.imageMaxSize){a(o(this.options.errorMessages.fileTooLarge));return}var l=new FormData;l.append("image",e),r.options.imageCSRFToken&&!r.options.imageCSRFHeader&&l.append(r.options.imageCSRFName,r.options.imageCSRFToken);var u=new XMLHttpRequest;u.upload.onprogress=function(c){if(c.lengthComputable){var d=""+Math.round(c.loaded*100/c.total);r.updateStatusBar("upload-image",r.options.imageTexts.sbProgress.replace("#file_name#",e.name).replace("#progress#",d))}},u.open("POST",this.options.imageUploadEndpoint),r.options.imageCSRFToken&&r.options.imageCSRFHeader&&u.setRequestHeader(r.options.imageCSRFName,r.options.imageCSRFToken),u.onload=function(){try{var c=JSON.parse(this.responseText)}catch{console.error("EasyMDE: The server did not return a valid json."),a(o(r.options.errorMessages.importError));return}this.status===200&&c&&!c.error&&c.data&&c.data.filePath?t((r.options.imagePathAbsolute?"":window.location.origin+"/")+c.data.filePath):c.error&&c.error in r.options.errorMessages?a(o(r.options.errorMessages[c.error])):c.error?a(o(c.error)):(console.error("EasyMDE: Received an unexpected response after uploading the image."+this.status+" ("+this.statusText+")"),a(o(r.options.errorMessages.importError)))},u.onerror=function(c){console.error("EasyMDE: An unexpected error occurred when trying to upload the image."+c.target.status+" ("+c.target.statusText+")"),a(r.options.errorMessages.importError)},u.send(l)};It.prototype.uploadImageUsingCustomFunction=function(e,t){var n=this;function r(l){_R(n,l)}function a(l){var u=o(l);n.updateStatusBar("upload-image",u),setTimeout(function(){n.updateStatusBar("upload-image",n.options.imageTexts.sbInit)},1e4),n.options.errorCallback(u)}function o(l){var u=n.options.imageTexts.sizeUnits.split(",");return l.replace("#image_name#",t.name).replace("#image_size#",yd(t.size,u)).replace("#image_max_size#",yd(n.options.imageMaxSize,u))}e.apply(this,[t,r,a])};It.prototype.setPreviewMaxHeight=function(){var e=this.codemirror,t=e.getWrapperElement(),n=t.nextSibling,r=parseInt(window.getComputedStyle(t).paddingTop),a=parseInt(window.getComputedStyle(t).borderTopWidth),o=parseInt(this.options.maxHeight),l=o+r*2+a*2,u=l.toString()+"px";n.style.height=u};It.prototype.createSideBySide=function(){var e=this.codemirror,t=e.getWrapperElement(),n=t.nextSibling;if(!n||!n.classList.contains("editor-preview-side")){if(n=document.createElement("div"),n.className="editor-preview-side",this.options.previewClass)if(Array.isArray(this.options.previewClass))for(var r=0;r<this.options.previewClass.length;r++)n.classList.add(this.options.previewClass[r]);else typeof this.options.previewClass=="string"&&n.classList.add(this.options.previewClass);t.parentNode.insertBefore(n,t.nextSibling)}if(typeof this.options.maxHeight<"u"&&this.setPreviewMaxHeight(),this.options.syncSideBySidePreviewScroll===!1)return n;var a=!1,o=!1;return e.on("scroll",function(l){if(a){a=!1;return}o=!0;var u=l.getScrollInfo().height-l.getScrollInfo().clientHeight,c=parseFloat(l.getScrollInfo().top)/u,d=(n.scrollHeight-n.clientHeight)*c;n.scrollTop=d}),n.onscroll=function(){if(o){o=!1;return}a=!0;var l=n.scrollHeight-n.clientHeight,u=parseFloat(n.scrollTop)/l,c=(e.getScrollInfo().height-e.getScrollInfo().clientHeight)*u;e.scrollTo(0,c)},n};It.prototype.createToolbar=function(e){if(e=e||this.options.toolbar,!(!e||e.length===0)){var t;for(t=0;t<e.length;t++)Ms[e[t]]!=null&&(e[t]=Ms[e[t]]);var n=document.createElement("div");n.className="editor-toolbar",n.setAttribute("role","toolbar");var r=this,a={};for(r.toolbar=e,t=0;t<e.length;t++)if(!(e[t].name=="guide"&&r.options.toolbarGuideIcon===!1)&&!(r.options.hideIcons&&r.options.hideIcons.indexOf(e[t].name)!=-1)&&!((e[t].name=="fullscreen"||e[t].name=="side-by-side")&&wh())){if(e[t]==="|"){for(var o=!1,l=t+1;l<e.length;l++)e[l]!=="|"&&(!r.options.hideIcons||r.options.hideIcons.indexOf(e[l].name)==-1)&&(o=!0);if(!o)continue}(function(d){var S;if(d==="|"?S=KB():d.children?S=zB(d,r.options.toolbarTips,r.options.shortcuts,r):S=fd(d,!0,r.options.toolbarTips,r.options.shortcuts,"button",r),a[d.name||d]=S,n.appendChild(S),d.name==="upload-image"){var _=document.createElement("input");_.className="imageInput",_.type="file",_.multiple=!0,_.name="image",_.accept=r.options.imageAccept,_.style.display="none",_.style.opacity=0,n.appendChild(_)}})(e[t])}r.toolbar_div=n,r.toolbarElements=a;var u=this.codemirror;u.on("cursorActivity",function(){var d=ds(u);for(var S in a)(function(_){var E=a[_];d[_]?E.classList.add("active"):_!="fullscreen"&&_!="side-by-side"&&E.classList.remove("active")})(S)});var c=u.getWrapperElement();return c.parentNode.insertBefore(n,c),n}};It.prototype.createStatusbar=function(e){e=e||this.options.status;var t=this.options,n=this.codemirror;if(!(!e||e.length===0)){var r=[],a,o,l,u;for(a=0;a<e.length;a++)if(o=void 0,l=void 0,u=void 0,typeof e[a]=="object")r.push({className:e[a].className,defaultValue:e[a].defaultValue,onUpdate:e[a].onUpdate,onActivity:e[a].onActivity});else{var c=e[a];c==="words"?(u=function(T){T.innerHTML=uC(n.getValue())},o=function(T){T.innerHTML=uC(n.getValue())}):c==="lines"?(u=function(T){T.innerHTML=n.lineCount()},o=function(T){T.innerHTML=n.lineCount()}):c==="cursor"?(u=function(T){T.innerHTML="1:1"},l=function(T){var y=n.getCursor(),M=y.line+1,v=y.ch+1;T.innerHTML=M+":"+v}):c==="autosave"?u=function(T){t.autosave!=null&&t.autosave.enabled===!0&&T.setAttribute("id","autosaved")}:c==="upload-image"&&(u=function(T){T.innerHTML=t.imageTexts.sbInit}),r.push({className:c,defaultValue:u,onUpdate:o,onActivity:l})}var d=document.createElement("div");for(d.className="editor-statusbar",a=0;a<r.length;a++){var S=r[a],_=document.createElement("span");_.className=S.className,typeof S.defaultValue=="function"&&S.defaultValue(_),typeof S.onUpdate=="function"&&this.codemirror.on("update",function(T,y){return function(){y.onUpdate(T)}}(_,S)),typeof S.onActivity=="function"&&this.codemirror.on("cursorActivity",function(T,y){return function(){y.onActivity(T)}}(_,S)),d.appendChild(_)}var E=this.codemirror.getWrapperElement();return E.parentNode.insertBefore(d,E.nextSibling),d}};It.prototype.value=function(e){var t=this.codemirror;if(e===void 0)return t.getValue();if(t.getDoc().setValue(e),this.isPreviewActive()){var n=t.getWrapperElement(),r=n.lastChild,a=this.options.previewRender(e,r);a!==null&&(r.innerHTML=a)}return this};It.toggleBold=jd;It.toggleItalic=Xd;It.toggleStrikethrough=Zd;It.toggleBlockquote=ef;It.toggleHeadingSmaller=$u;It.toggleHeadingBigger=tf;It.toggleHeading1=nf;It.toggleHeading2=rf;It.toggleHeading3=af;It.toggleHeading4=FE;It.toggleHeading5=BE;It.toggleHeading6=UE;It.toggleCodeBlock=Jd;It.toggleUnorderedList=of;It.toggleOrderedList=sf;It.cleanBlock=lf;It.drawLink=uf;It.drawImage=cf;It.drawUploadedImage=GE;It.drawTable=df;It.drawHorizontalRule=ff;It.undo=pf;It.redo=_f;It.togglePreview=mf;It.toggleSideBySide=Zl;It.toggleFullScreen=zs;It.prototype.toggleBold=function(){jd(this)};It.prototype.toggleItalic=function(){Xd(this)};It.prototype.toggleStrikethrough=function(){Zd(this)};It.prototype.toggleBlockquote=function(){ef(this)};It.prototype.toggleHeadingSmaller=function(){$u(this)};It.prototype.toggleHeadingBigger=function(){tf(this)};It.prototype.toggleHeading1=function(){nf(this)};It.prototype.toggleHeading2=function(){rf(this)};It.prototype.toggleHeading3=function(){af(this)};It.prototype.toggleHeading4=function(){FE(this)};It.prototype.toggleHeading5=function(){BE(this)};It.prototype.toggleHeading6=function(){UE(this)};It.prototype.toggleCodeBlock=function(){Jd(this)};It.prototype.toggleUnorderedList=function(){of(this)};It.prototype.toggleOrderedList=function(){sf(this)};It.prototype.cleanBlock=function(){lf(this)};It.prototype.drawLink=function(){uf(this)};It.prototype.drawImage=function(){cf(this)};It.prototype.drawUploadedImage=function(){GE(this)};It.prototype.drawTable=function(){df(this)};It.prototype.drawHorizontalRule=function(){ff(this)};It.prototype.undo=function(){pf(this)};It.prototype.redo=function(){_f(this)};It.prototype.togglePreview=function(){mf(this)};It.prototype.toggleSideBySide=function(){Zl(this)};It.prototype.toggleFullScreen=function(){zs(this)};It.prototype.isPreviewActive=function(){var e=this.codemirror,t=e.getWrapperElement(),n=t.lastChild;return n.classList.contains("editor-preview-active")};It.prototype.isSideBySideActive=function(){var e=this.codemirror,t=e.getWrapperElement(),n=t.nextSibling;return n.classList.contains("editor-preview-active-side")};It.prototype.isFullscreenActive=function(){var e=this.codemirror;return e.getOption("fullScreen")};It.prototype.getState=function(){var e=this.codemirror;return ds(e)};It.prototype.toTextArea=function(){var e=this.codemirror,t=e.getWrapperElement(),n=t.parentNode;n&&(this.gui.toolbar&&n.removeChild(this.gui.toolbar),this.gui.statusbar&&n.removeChild(this.gui.statusbar),this.gui.sideBySide&&n.removeChild(this.gui.sideBySide)),n.parentNode.insertBefore(t,n),n.remove(),e.toTextArea(),this.autosaveTimeoutId&&(clearTimeout(this.autosaveTimeoutId),this.autosaveTimeoutId=void 0,this.clearAutosavedValue())};var nU=It;function Jl(e,t){const n=Object.create(null),r=e.split(",");for(let a=0;a<r.length;a++)n[r[a]]=!0;return t?a=>!!n[a.toLowerCase()]:a=>!!n[a]}const yn={},Ol=[],vi=()=>{},rU=()=>!1,iU=/^on[^a-z]/,Co=e=>iU.test(e),YE=e=>e.startsWith("onUpdate:"),sn=Object.assign,WE=(e,t)=>{const n=e.indexOf(t);n>-1&&e.splice(n,1)},aU=Object.prototype.hasOwnProperty,_n=(e,t)=>aU.call(e,t),Rt=Array.isArray,Rl=e=>eu(e)==="[object Map]",Js=e=>eu(e)==="[object Set]",cC=e=>eu(e)==="[object Date]",oU=e=>eu(e)==="[object RegExp]",Ft=e=>typeof e=="function",xn=e=>typeof e=="string",Ul=e=>typeof e=="symbol",ln=e=>e!==null&&typeof e=="object",gf=e=>(ln(e)||Ft(e))&&Ft(e.then)&&Ft(e.catch),ER=Object.prototype.toString,eu=e=>ER.call(e),sU=e=>eu(e).slice(8,-1),Cd=e=>eu(e)==="[object Object]",VE=e=>xn(e)&&e!=="NaN"&&e[0]!=="-"&&""+parseInt(e,10)===e,Nl=Jl(",key,ref,ref_for,ref_key,onVnodeBeforeMount,onVnodeMounted,onVnodeBeforeUpdate,onVnodeUpdated,onVnodeBeforeUnmount,onVnodeUnmounted"),hf=e=>{const t=Object.create(null);return n=>t[n]||(t[n]=e(n))},lU=/-(\w)/g,ni=hf(e=>e.replace(lU,(t,n)=>n?n.toUpperCase():"")),uU=/\B([A-Z])/g,ei=hf(e=>e.replace(uU,"-$1").toLowerCase()),gc=hf(e=>e.charAt(0).toUpperCase()+e.slice(1)),Il=hf(e=>e?`on${gc(e)}`:""),os=(e,t)=>!Object.is(e,t),Jo=(e,t)=>{for(let n=0;n<e.length;n++)e[n](t)},Ad=(e,t,n)=>{Object.defineProperty(e,t,{configurable:!0,enumerable:!1,value:n})},Qu=e=>{const t=parseFloat(e);return isNaN(t)?e:t},Od=e=>{const t=xn(e)?Number(e):NaN;return isNaN(t)?e:t};let dC;const Lh=()=>dC||(dC=typeof globalThis<"u"?globalThis:typeof self<"u"?self:typeof window<"u"?window:typeof global<"u"?global:{}),cU="Infinity,undefined,NaN,isFinite,isNaN,parseFloat,parseInt,decodeURI,decodeURIComponent,encodeURI,encodeURIComponent,Math,Number,Date,Array,Object,Boolean,String,RegExp,Map,Set,JSON,Intl,BigInt,console",dU=Jl(cU);function tu(e){if(Rt(e)){const t={};for(let n=0;n<e.length;n++){const r=e[n],a=xn(r)?mU(r):tu(r);if(a)for(const o in a)t[o]=a[o]}return t}else if(xn(e)||ln(e))return e}const fU=/;(?![^(]*\))/g,pU=/:([^]+)/,_U=/\/\*[^]*?\*\//g;function mU(e){const t={};return e.replace(_U,"").split(fU).forEach(n=>{if(n){const r=n.split(pU);r.length>1&&(t[r[0].trim()]=r[1].trim())}}),t}function Va(e){let t="";if(xn(e))t=e;else if(Rt(e))for(let n=0;n<e.length;n++){const r=Va(e[n]);r&&(t+=r+" ")}else if(ln(e))for(const n in e)e[n]&&(t+=n+" ");return t.trim()}function gU(e){if(!e)return null;let{class:t,style:n}=e;return t&&!xn(t)&&(e.class=Va(t)),n&&(e.style=tu(n)),e}const hU="itemscope,allowfullscreen,formnovalidate,ismap,nomodule,novalidate,readonly",SR=Jl(hU);function bR(e){return!!e||e===""}function EU(e,t){if(e.length!==t.length)return!1;let n=!0;for(let r=0;n&&r<e.length;r++)n=To(e[r],t[r]);return n}function To(e,t){if(e===t)return!0;let n=cC(e),r=cC(t);if(n||r)return n&&r?e.getTime()===t.getTime():!1;if(n=Ul(e),r=Ul(t),n||r)return e===t;if(n=Rt(e),r=Rt(t),n||r)return n&&r?EU(e,t):!1;if(n=ln(e),r=ln(t),n||r){if(!n||!r)return!1;const a=Object.keys(e).length,o=Object.keys(t).length;if(a!==o)return!1;for(const l in e){const u=e.hasOwnProperty(l),c=t.hasOwnProperty(l);if(u&&!c||!u&&c||!To(e[l],t[l]))return!1}}return String(e)===String(t)}function hc(e,t){return e.findIndex(n=>To(n,t))}const Rd=e=>xn(e)?e:e==null?"":Rt(e)||ln(e)&&(e.toString===ER||!Ft(e.toString))?JSON.stringify(e,vR,2):String(e),vR=(e,t)=>t&&t.__v_isRef?vR(e,t.value):Rl(t)?{[`Map(${t.size})`]:[...t.entries()].reduce((n,[r,a])=>(n[`${r} =>`]=a,n),{})}:Js(t)?{[`Set(${t.size})`]:[...t.values()]}:ln(t)&&!Rt(t)&&!Cd(t)?String(t):t;let Mi;class zE{constructor(t=!1){this.detached=t,this._active=!0,this.effects=[],this.cleanups=[],this.parent=Mi,!t&&Mi&&(this.index=(Mi.scopes||(Mi.scopes=[])).push(this)-1)}get active(){return this._active}run(t){if(this._active){const n=Mi;try{return Mi=this,t()}finally{Mi=n}}}on(){Mi=this}off(){Mi=this.parent}stop(t){if(this._active){let n,r;for(n=0,r=this.effects.length;n<r;n++)this.effects[n].stop();for(n=0,r=this.cleanups.length;n<r;n++)this.cleanups[n]();if(this.scopes)for(n=0,r=this.scopes.length;n<r;n++)this.scopes[n].stop(!0);if(!this.detached&&this.parent&&!t){const a=this.parent.scopes.pop();a&&a!==this&&(this.parent.scopes[this.index]=a,a.index=this.index)}this.parent=void 0,this._active=!1}}}function SU(e){return new zE(e)}function TR(e,t=Mi){t&&t.active&&t.effects.push(e)}function yR(){return Mi}function bU(e){Mi&&Mi.cleanups.push(e)}const KE=e=>{const t=new Set(e);return t.w=0,t.n=0,t},CR=e=>(e.w&ss)>0,AR=e=>(e.n&ss)>0,vU=({deps:e})=>{if(e.length)for(let t=0;t<e.length;t++)e[t].w|=ss},TU=e=>{const{deps:t}=e;if(t.length){let n=0;for(let r=0;r<t.length;r++){const a=t[r];CR(a)&&!AR(a)?a.delete(e):t[n++]=a,a.w&=~ss,a.n&=~ss}t.length=n}},Nd=new WeakMap;let Du=0,ss=1;const Mh=30;let Sa;const ks=Symbol(""),kh=Symbol("");class Gl{constructor(t,n=null,r){this.fn=t,this.scheduler=n,this.active=!0,this.deps=[],this.parent=void 0,TR(this,r)}run(){if(!this.active)return this.fn();let t=Sa,n=es;for(;t;){if(t===this)return;t=t.parent}try{return this.parent=Sa,Sa=this,es=!0,ss=1<<++Du,Du<=Mh?vU(this):fC(this),this.fn()}finally{Du<=Mh&&TU(this),ss=1<<--Du,Sa=this.parent,es=n,this.parent=void 0,this.deferStop&&this.stop()}}stop(){Sa===this?this.deferStop=!0:this.active&&(fC(this),this.onStop&&this.onStop(),this.active=!1)}}function fC(e){const{deps:t}=e;if(t.length){for(let n=0;n<t.length;n++)t[n].delete(e);t.length=0}}function yU(e,t){e.effect instanceof Gl&&(e=e.effect.fn);const n=new Gl(e);t&&(sn(n,t),t.scope&&TR(n,t.scope)),(!t||!t.lazy)&&n.run();const r=n.run.bind(n);return r.effect=n,r}function CU(e){e.effect.stop()}let es=!0;const OR=[];function nu(){OR.push(es),es=!1}function ru(){const e=OR.pop();es=e===void 0?!0:e}function ri(e,t,n){if(es&&Sa){let r=Nd.get(e);r||Nd.set(e,r=new Map);let a=r.get(n);a||r.set(n,a=KE()),RR(a)}}function RR(e,t){let n=!1;Du<=Mh?AR(e)||(e.n|=ss,n=!CR(e)):n=!e.has(Sa),n&&(e.add(Sa),Sa.deps.push(e))}function qa(e,t,n,r,a,o){const l=Nd.get(e);if(!l)return;let u=[];if(t==="clear")u=[...l.values()];else if(n==="length"&&Rt(e)){const c=Number(r);l.forEach((d,S)=>{(S==="length"||!Ul(S)&&S>=c)&&u.push(d)})}else switch(n!==void 0&&u.push(l.get(n)),t){case"add":Rt(e)?VE(n)&&u.push(l.get("length")):(u.push(l.get(ks)),Rl(e)&&u.push(l.get(kh)));break;case"delete":Rt(e)||(u.push(l.get(ks)),Rl(e)&&u.push(l.get(kh)));break;case"set":Rl(e)&&u.push(l.get(ks));break}if(u.length===1)u[0]&&Ph(u[0]);else{const c=[];for(const d of u)d&&c.push(...d);Ph(KE(c))}}function Ph(e,t){const n=Rt(e)?e:[...e];for(const r of n)r.computed&&pC(r);for(const r of n)r.computed||pC(r)}function pC(e,t){(e!==Sa||e.allowRecurse)&&(e.scheduler?e.scheduler():e.run())}function AU(e,t){var n;return(n=Nd.get(e))==null?void 0:n.get(t)}const OU=Jl("__proto__,__v_isRef,__isVue"),NR=new Set(Object.getOwnPropertyNames(Symbol).filter(e=>e!=="arguments"&&e!=="caller").map(e=>Symbol[e]).filter(Ul)),_C=RU();function RU(){const e={};return["includes","indexOf","lastIndexOf"].forEach(t=>{e[t]=function(...n){const r=pn(this);for(let o=0,l=this.length;o<l;o++)ri(r,"get",o+"");const a=r[t](...n);return a===-1||a===!1?r[t](...n.map(pn)):a}}),["push","pop","shift","unshift","splice"].forEach(t=>{e[t]=function(...n){nu();const r=pn(this)[t].apply(this,n);return ru(),r}}),e}function NU(e){const t=pn(this);return ri(t,"has",e),t.hasOwnProperty(e)}class IR{constructor(t=!1,n=!1){this._isReadonly=t,this._shallow=n}get(t,n,r){const a=this._isReadonly,o=this._shallow;if(n==="__v_isReactive")return!a;if(n==="__v_isReadonly")return a;if(n==="__v_isShallow")return o;if(n==="__v_raw"&&r===(a?o?kR:MR:o?LR:wR).get(t))return t;const l=Rt(t);if(!a){if(l&&_n(_C,n))return Reflect.get(_C,n,r);if(n==="hasOwnProperty")return NU}const u=Reflect.get(t,n,r);return(Ul(n)?NR.has(n):OU(n))||(a||ri(t,"get",n),o)?u:sr(u)?l&&VE(n)?u:u.value:ln(u)?a?QE(u):ls(u):u}}class DR extends IR{constructor(t=!1){super(!1,t)}set(t,n,r,a){let o=t[n];if($s(o)&&sr(o)&&!sr(r))return!1;if(!this._shallow&&(!ju(r)&&!$s(r)&&(o=pn(o),r=pn(r)),!Rt(t)&&sr(o)&&!sr(r)))return o.value=r,!0;const l=Rt(t)&&VE(n)?Number(n)<t.length:_n(t,n),u=Reflect.set(t,n,r,a);return t===pn(a)&&(l?os(r,o)&&qa(t,"set",n,r):qa(t,"add",n,r)),u}deleteProperty(t,n){const r=_n(t,n);t[n];const a=Reflect.deleteProperty(t,n);return a&&r&&qa(t,"delete",n,void 0),a}has(t,n){const r=Reflect.has(t,n);return(!Ul(n)||!NR.has(n))&&ri(t,"has",n),r}ownKeys(t){return ri(t,"iterate",Rt(t)?"length":ks),Reflect.ownKeys(t)}}class xR extends IR{constructor(t=!1){super(!0,t)}set(t,n){return!0}deleteProperty(t,n){return!0}}const IU=new DR,DU=new xR,xU=new DR(!0),wU=new xR(!0),$E=e=>e,Ef=e=>Reflect.getPrototypeOf(e);function Xc(e,t,n=!1,r=!1){e=e.__v_raw;const a=pn(e),o=pn(t);n||(os(t,o)&&ri(a,"get",t),ri(a,"get",o));const{has:l}=Ef(a),u=r?$E:n?ZE:Xu;if(l.call(a,t))return u(e.get(t));if(l.call(a,o))return u(e.get(o));e!==a&&e.get(t)}function Zc(e,t=!1){const n=this.__v_raw,r=pn(n),a=pn(e);return t||(os(e,a)&&ri(r,"has",e),ri(r,"has",a)),e===a?n.has(e):n.has(e)||n.has(a)}function Jc(e,t=!1){return e=e.__v_raw,!t&&ri(pn(e),"iterate",ks),Reflect.get(e,"size",e)}function mC(e){e=pn(e);const t=pn(this);return Ef(t).has.call(t,e)||(t.add(e),qa(t,"add",e,e)),this}function gC(e,t){t=pn(t);const n=pn(this),{has:r,get:a}=Ef(n);let o=r.call(n,e);o||(e=pn(e),o=r.call(n,e));const l=a.call(n,e);return n.set(e,t),o?os(t,l)&&qa(n,"set",e,t):qa(n,"add",e,t),this}function hC(e){const t=pn(this),{has:n,get:r}=Ef(t);let a=n.call(t,e);a||(e=pn(e),a=n.call(t,e)),r&&r.call(t,e);const o=t.delete(e);return a&&qa(t,"delete",e,void 0),o}function EC(){const e=pn(this),t=e.size!==0,n=e.clear();return t&&qa(e,"clear",void 0,void 0),n}function ed(e,t){return function(r,a){const o=this,l=o.__v_raw,u=pn(l),c=t?$E:e?ZE:Xu;return!e&&ri(u,"iterate",ks),l.forEach((d,S)=>r.call(a,c(d),c(S),o))}}function td(e,t,n){return function(...r){const a=this.__v_raw,o=pn(a),l=Rl(o),u=e==="entries"||e===Symbol.iterator&&l,c=e==="keys"&&l,d=a[e](...r),S=n?$E:t?ZE:Xu;return!t&&ri(o,"iterate",c?kh:ks),{next(){const{value:_,done:E}=d.next();return E?{value:_,done:E}:{value:u?[S(_[0]),S(_[1])]:S(_),done:E}},[Symbol.iterator](){return this}}}}function Yo(e){return function(...t){return e==="delete"?!1:this}}function LU(){const e={get(o){return Xc(this,o)},get size(){return Jc(this)},has:Zc,add:mC,set:gC,delete:hC,clear:EC,forEach:ed(!1,!1)},t={get(o){return Xc(this,o,!1,!0)},get size(){return Jc(this)},has:Zc,add:mC,set:gC,delete:hC,clear:EC,forEach:ed(!1,!0)},n={get(o){return Xc(this,o,!0)},get size(){return Jc(this,!0)},has(o){return Zc.call(this,o,!0)},add:Yo("add"),set:Yo("set"),delete:Yo("delete"),clear:Yo("clear"),forEach:ed(!0,!1)},r={get(o){return Xc(this,o,!0,!0)},get size(){return Jc(this,!0)},has(o){return Zc.call(this,o,!0)},add:Yo("add"),set:Yo("set"),delete:Yo("delete"),clear:Yo("clear"),forEach:ed(!0,!0)};return["keys","values","entries",Symbol.iterator].forEach(o=>{e[o]=td(o,!1,!1),n[o]=td(o,!0,!1),t[o]=td(o,!1,!0),r[o]=td(o,!0,!0)}),[e,n,t,r]}const[MU,kU,PU,FU]=LU();function Sf(e,t){const n=t?e?FU:PU:e?kU:MU;return(r,a,o)=>a==="__v_isReactive"?!e:a==="__v_isReadonly"?e:a==="__v_raw"?r:Reflect.get(_n(n,a)&&a in r?n:r,a,o)}const BU={get:Sf(!1,!1)},UU={get:Sf(!1,!0)},GU={get:Sf(!0,!1)},HU={get:Sf(!0,!0)},wR=new WeakMap,LR=new WeakMap,MR=new WeakMap,kR=new WeakMap;function qU(e){switch(e){case"Object":case"Array":return 1;case"Map":case"Set":case"WeakMap":case"WeakSet":return 2;default:return 0}}function YU(e){return e.__v_skip||!Object.isExtensible(e)?0:qU(sU(e))}function ls(e){return $s(e)?e:bf(e,!1,IU,BU,wR)}function PR(e){return bf(e,!1,xU,UU,LR)}function QE(e){return bf(e,!0,DU,GU,MR)}function WU(e){return bf(e,!0,wU,HU,kR)}function bf(e,t,n,r,a){if(!ln(e)||e.__v_raw&&!(t&&e.__v_isReactive))return e;const o=a.get(e);if(o)return o;const l=YU(e);if(l===0)return e;const u=new Proxy(e,l===2?r:n);return a.set(e,u),u}function So(e){return $s(e)?So(e.__v_raw):!!(e&&e.__v_isReactive)}function $s(e){return!!(e&&e.__v_isReadonly)}function ju(e){return!!(e&&e.__v_isShallow)}function jE(e){return So(e)||$s(e)}function pn(e){const t=e&&e.__v_raw;return t?pn(t):e}function XE(e){return Ad(e,"__v_skip",!0),e}const Xu=e=>ln(e)?ls(e):e,ZE=e=>ln(e)?QE(e):e;function JE(e){es&&Sa&&(e=pn(e),RR(e.dep||(e.dep=KE())))}function vf(e,t){e=pn(e);const n=e.dep;n&&Ph(n)}function sr(e){return!!(e&&e.__v_isRef===!0)}function Dl(e){return FR(e,!1)}function VU(e){return FR(e,!0)}function FR(e,t){return sr(e)?e:new zU(e,t)}class zU{constructor(t,n){this.__v_isShallow=n,this.dep=void 0,this.__v_isRef=!0,this._rawValue=n?t:pn(t),this._value=n?t:Xu(t)}get value(){return JE(this),this._value}set value(t){const n=this.__v_isShallow||ju(t)||$s(t);t=n?t:pn(t),os(t,this._rawValue)&&(this._rawValue=t,this._value=n?t:Xu(t),vf(this))}}function KU(e){vf(e)}function eS(e){return sr(e)?e.value:e}function $U(e){return Ft(e)?e():eS(e)}const QU={get:(e,t,n)=>eS(Reflect.get(e,t,n)),set:(e,t,n,r)=>{const a=e[t];return sr(a)&&!sr(n)?(a.value=n,!0):Reflect.set(e,t,n,r)}};function tS(e){return So(e)?e:new Proxy(e,QU)}class jU{constructor(t){this.dep=void 0,this.__v_isRef=!0;const{get:n,set:r}=t(()=>JE(this),()=>vf(this));this._get=n,this._set=r}get value(){return this._get()}set value(t){this._set(t)}}function XU(e){return new jU(e)}function ZU(e){const t=Rt(e)?new Array(e.length):{};for(const n in e)t[n]=BR(e,n);return t}class JU{constructor(t,n,r){this._object=t,this._key=n,this._defaultValue=r,this.__v_isRef=!0}get value(){const t=this._object[this._key];return t===void 0?this._defaultValue:t}set value(t){this._object[this._key]=t}get dep(){return AU(pn(this._object),this._key)}}class e3{constructor(t){this._getter=t,this.__v_isRef=!0,this.__v_isReadonly=!0}get value(){return this._getter()}}function t3(e,t,n){return sr(e)?e:Ft(e)?new e3(e):ln(e)&&arguments.length>1?BR(e,t,n):Dl(e)}function BR(e,t,n){const r=e[t];return sr(r)?r:new JU(e,t,n)}class n3{constructor(t,n,r,a){this._setter=n,this.dep=void 0,this.__v_isRef=!0,this.__v_isReadonly=!1,this._dirty=!0,this.effect=new Gl(t,()=>{this._dirty||(this._dirty=!0,vf(this))}),this.effect.computed=this,this.effect.active=this._cacheable=!a,this.__v_isReadonly=r}get value(){const t=pn(this);return JE(t),(t._dirty||!t._cacheable)&&(t._dirty=!1,t._value=t.effect.run()),t._value}set value(t){this._setter(t)}}function r3(e,t,n=!1){let r,a;const o=Ft(e);return o?(r=e,a=vi):(r=e.get,a=e.set),new n3(r,a,o||!a,n)}function i3(e,...t){}function a3(e,t){}function Ya(e,t,n,r){let a;try{a=r?e(...r):e()}catch(o){el(o,t,n)}return a}function Ti(e,t,n,r){if(Ft(e)){const o=Ya(e,t,n,r);return o&&gf(o)&&o.catch(l=>{el(l,t,n)}),o}const a=[];for(let o=0;o<e.length;o++)a.push(Ti(e[o],t,n,r));return a}function el(e,t,n,r=!0){const a=t?t.vnode:null;if(t){let o=t.parent;const l=t.proxy,u=n;for(;o;){const d=o.ec;if(d){for(let S=0;S<d.length;S++)if(d[S](e,l,u)===!1)return}o=o.parent}const c=t.appContext.config.errorHandler;if(c){Ya(c,null,10,[e,l,u]);return}}o3(e,n,a,r)}function o3(e,t,n,r=!0){console.error(e)}let Zu=!1,Fh=!1;const kr=[];let Ua=0;const xl=[];let ho=null,As=0;const UR=Promise.resolve();let nS=null;function Ec(e){const t=nS||UR;return e?t.then(this?e.bind(this):e):t}function s3(e){let t=Ua+1,n=kr.length;for(;t<n;){const r=t+n>>>1,a=kr[r],o=Ju(a);o<e||o===e&&a.pre?t=r+1:n=r}return t}function Tf(e){(!kr.length||!kr.includes(e,Zu&&e.allowRecurse?Ua+1:Ua))&&(e.id==null?kr.push(e):kr.splice(s3(e.id),0,e),GR())}function GR(){!Zu&&!Fh&&(Fh=!0,nS=UR.then(HR))}function l3(e){const t=kr.indexOf(e);t>Ua&&kr.splice(t,1)}function Id(e){Rt(e)?xl.push(...e):(!ho||!ho.includes(e,e.allowRecurse?As+1:As))&&xl.push(e),GR()}function SC(e,t=Zu?Ua+1:0){for(;t<kr.length;t++){const n=kr[t];n&&n.pre&&(kr.splice(t,1),t--,n())}}function Dd(e){if(xl.length){const t=[...new Set(xl)];if(xl.length=0,ho){ho.push(...t);return}for(ho=t,ho.sort((n,r)=>Ju(n)-Ju(r)),As=0;As<ho.length;As++)ho[As]();ho=null,As=0}}const Ju=e=>e.id==null?1/0:e.id,u3=(e,t)=>{const n=Ju(e)-Ju(t);if(n===0){if(e.pre&&!t.pre)return-1;if(t.pre&&!e.pre)return 1}return n};function HR(e){Fh=!1,Zu=!0,kr.sort(u3);const t=vi;try{for(Ua=0;Ua<kr.length;Ua++){const n=kr[Ua];n&&n.active!==!1&&Ya(n,null,14)}}finally{Ua=0,kr.length=0,Dd(),Zu=!1,nS=null,(kr.length||xl.length)&&HR()}}let yl,nd=[];function qR(e,t){var n,r;yl=e,yl?(yl.enabled=!0,nd.forEach(({event:a,args:o})=>yl.emit(a,...o)),nd=[]):typeof window<"u"&&window.HTMLElement&&!((r=(n=window.navigator)==null?void 0:n.userAgent)!=null&&r.includes("jsdom"))?((t.__VUE_DEVTOOLS_HOOK_REPLAY__=t.__VUE_DEVTOOLS_HOOK_REPLAY__||[]).push(o=>{qR(o,t)}),setTimeout(()=>{yl||(t.__VUE_DEVTOOLS_HOOK_REPLAY__=null,nd=[])},3e3)):nd=[]}function c3(e,t,...n){}const rS={MODE:2};function d3(e){sn(rS,e)}function bC(e,t){const n=t&&t.type.compatConfig;return n&&e in n?n[e]:rS[e]}function Sn(e,t,n=!1){if(!n&&t&&t.type.__isBuiltIn)return!1;const r=bC("MODE",t)||2,a=bC(e,t);return(Ft(r)?r(t&&t.type):r)===2?a!==!1:a===!0||a==="suppress-warning"}function Ir(e,t,...n){if(!Sn(e,t))throw new Error(`${e} compat has been disabled.`)}function yo(e,t,...n){return Sn(e,t)}function yf(e,t,...n){return Sn(e,t)}const Bh=new WeakMap;function iS(e){let t=Bh.get(e);return t||Bh.set(e,t=Object.create(null)),t}function aS(e,t,n){if(Rt(t))t.forEach(r=>aS(e,r,n));else{t.startsWith("hook:")?Ir("INSTANCE_EVENT_HOOKS",e,t):Ir("INSTANCE_EVENT_EMITTER",e);const r=iS(e);(r[t]||(r[t]=[])).push(n)}return e.proxy}function f3(e,t,n){const r=(...a)=>{oS(e,t,r),n.call(e.proxy,...a)};return r.fn=n,aS(e,t,r),e.proxy}function oS(e,t,n){Ir("INSTANCE_EVENT_EMITTER",e);const r=e.proxy;if(!t)return Bh.set(e,Object.create(null)),r;if(Rt(t))return t.forEach(l=>oS(e,l,n)),r;const a=iS(e),o=a[t];return o?n?(a[t]=o.filter(l=>!(l===n||l.fn===n)),r):(a[t]=void 0,r):r}function p3(e,t,n){const r=iS(e)[t];return r&&Ti(r.map(a=>a.bind(e.proxy)),e,6,n),e.proxy}const Cf="onModelCompat:";function _3(e){const{type:t,shapeFlag:n,props:r,dynamicProps:a}=e,o=t;if(n&6&&r&&"modelValue"in r){if(!Sn("COMPONENT_V_MODEL",{type:t}))return;const l=o.model||{};YR(l,o.mixins);const{prop:u="value",event:c="input"}=l;u!=="modelValue"&&(r[u]=r.modelValue,delete r.modelValue),a&&(a[a.indexOf("modelValue")]=u),r[Cf+c]=r["onUpdate:modelValue"],delete r["onUpdate:modelValue"]}}function YR(e,t){t&&t.forEach(n=>{n.model&&sn(e,n.model),n.mixins&&YR(e,n.mixins)})}function m3(e,t,n){if(!Sn("COMPONENT_V_MODEL",e))return;const r=e.vnode.props,a=r&&r[Cf+t];a&&Ya(a,e,6,n)}function g3(e,t,...n){if(e.isUnmounted)return;const r=e.vnode.props||yn;let a=n;const o=t.startsWith("update:"),l=o&&t.slice(7);if(l&&l in r){const S=`${l==="modelValue"?"model":l}Modifiers`,{number:_,trim:E}=r[S]||yn;E&&(a=n.map(T=>xn(T)?T.trim():T)),_&&(a=n.map(Qu))}let u,c=r[u=Il(t)]||r[u=Il(ni(t))];!c&&o&&(c=r[u=Il(ei(t))]),c&&Ti(c,e,6,a);const d=r[u+"Once"];if(d){if(!e.emitted)e.emitted={};else if(e.emitted[u])return;e.emitted[u]=!0,Ti(d,e,6,a)}return m3(e,t,a),p3(e,t,a)}function WR(e,t,n=!1){const r=t.emitsCache,a=r.get(e);if(a!==void 0)return a;const o=e.emits;let l={},u=!1;if(!Ft(e)){const c=d=>{const S=WR(d,t,!0);S&&(u=!0,sn(l,S))};!n&&t.mixins.length&&t.mixins.forEach(c),e.extends&&c(e.extends),e.mixins&&e.mixins.forEach(c)}return!o&&!u?(ln(e)&&r.set(e,null),null):(Rt(o)?o.forEach(c=>l[c]=null):sn(l,o),ln(e)&&r.set(e,l),l)}function Af(e,t){return!e||!Co(t)?!1:t.startsWith(Cf)?!0:(t=t.slice(2).replace(/Once$/,""),_n(e,t[0].toLowerCase()+t.slice(1))||_n(e,ei(t))||_n(e,t))}let Yn=null,wl=null;function ec(e){const t=Yn;return Yn=e,wl=e&&e.type.__scopeId||null,wl||(wl=e&&e.type._scopeId||null),t}function h3(e){wl=e}function E3(){wl=null}const S3=e=>sS;function sS(e,t=Yn,n){if(!t||e._n)return e;const r=(...a)=>{r._d&&Vh(-1);const o=ec(t);let l;try{l=e(...a)}finally{ec(o),r._d&&Vh(1)}return l};return r._n=!0,r._c=!0,r._d=!0,n&&(r._ns=!0),r}function pd(e){const{type:t,vnode:n,proxy:r,withProxy:a,props:o,propsOptions:[l],slots:u,attrs:c,emit:d,render:S,renderCache:_,data:E,setupState:T,ctx:y,inheritAttrs:M}=e;let v,A;const O=ec(e);try{if(n.shapeFlag&4){const R=a||r;v=Pi(S.call(R,R,_,o,T,E,y)),A=c}else{const R=t;v=Pi(R.length>1?R(o,{attrs:c,slots:u,emit:d}):R(o,null)),A=t.props?c:v3(c)}}catch(R){Fu.length=0,el(R,e,1),v=En(Dr)}let N=v;if(A&&M!==!1){const R=Object.keys(A),{shapeFlag:L}=N;R.length&&L&7&&(l&&R.some(YE)&&(A=T3(A,l)),N=va(N,A))}if(Sn("INSTANCE_ATTRS_CLASS_STYLE",e)&&n.shapeFlag&4&&N.shapeFlag&7){const{class:R,style:L}=n.props||{};(R||L)&&(N=va(N,{class:R,style:L}))}return n.dirs&&(N=va(N),N.dirs=N.dirs?N.dirs.concat(n.dirs):n.dirs),n.transition&&(N.transition=n.transition),v=N,ec(O),v}function b3(e){let t;for(let n=0;n<e.length;n++){const r=e[n];if(Bi(r)){if(r.type!==Dr||r.children==="v-if"){if(t)return;t=r}}else return}return t}const v3=e=>{let t;for(const n in e)(n==="class"||n==="style"||Co(n))&&((t||(t={}))[n]=e[n]);return t},T3=(e,t)=>{const n={};for(const r in e)(!YE(r)||!(r.slice(9)in t))&&(n[r]=e[r]);return n};function y3(e,t,n){const{props:r,children:a,component:o}=e,{props:l,children:u,patchFlag:c}=t,d=o.emitsOptions;if(t.dirs||t.transition)return!0;if(n&&c>=0){if(c&1024)return!0;if(c&16)return r?vC(r,l,d):!!l;if(c&8){const S=t.dynamicProps;for(let _=0;_<S.length;_++){const E=S[_];if(l[E]!==r[E]&&!Af(d,E))return!0}}}else return(a||u)&&(!u||!u.$stable)?!0:r===l?!1:r?l?vC(r,l,d):!0:!!l;return!1}function vC(e,t,n){const r=Object.keys(t);if(r.length!==Object.keys(e).length)return!0;for(let a=0;a<r.length;a++){const o=r[a];if(t[o]!==e[o]&&!Af(n,o))return!0}return!1}function lS({vnode:e,parent:t},n){for(;t&&t.subTree===e;)(e=t.vnode).el=n,t=t.parent}const uS="components",C3="directives",A3="filters";function O3(e,t){return Of(uS,e,!0,t)||e}const VR=Symbol.for("v-ndc");function zR(e){return xn(e)?Of(uS,e,!1)||e:e||VR}function KR(e){return Of(C3,e)}function $R(e){return Of(A3,e)}function Of(e,t,n=!0,r=!1){const a=Yn||Xn;if(a){const o=a.type;if(e===uS){const u=Qh(o,!1);if(u&&(u===t||u===ni(t)||u===gc(ni(t))))return o}const l=TC(a[e]||o[e],t)||TC(a.appContext[e],t);return!l&&r?o:l}}function TC(e,t){return e&&(e[t]||e[ni(t)]||e[gc(ni(t))])}const QR=e=>e.__isSuspense,R3={name:"Suspense",__isSuspense:!0,process(e,t,n,r,a,o,l,u,c,d){e==null?I3(t,n,r,a,o,l,u,c,d):D3(e,t,n,r,a,l,u,c,d)},hydrate:x3,create:cS,normalize:w3},N3=R3;function tc(e,t){const n=e.props&&e.props[t];Ft(n)&&n()}function I3(e,t,n,r,a,o,l,u,c){const{p:d,o:{createElement:S}}=c,_=S("div"),E=e.suspense=cS(e,a,r,t,_,n,o,l,u,c);d(null,E.pendingBranch=e.ssContent,_,null,r,E,o,l),E.deps>0?(tc(e,"onPending"),tc(e,"onFallback"),d(null,e.ssFallback,t,n,r,null,o,l),Ll(E,e.ssFallback)):E.resolve(!1,!0)}function D3(e,t,n,r,a,o,l,u,{p:c,um:d,o:{createElement:S}}){const _=t.suspense=e.suspense;_.vnode=t,t.el=e.el;const E=t.ssContent,T=t.ssFallback,{activeBranch:y,pendingBranch:M,isInFallback:v,isHydrating:A}=_;if(M)_.pendingBranch=E,ba(E,M)?(c(M,E,_.hiddenContainer,null,a,_,o,l,u),_.deps<=0?_.resolve():v&&(c(y,T,n,r,a,null,o,l,u),Ll(_,T))):(_.pendingId++,A?(_.isHydrating=!1,_.activeBranch=M):d(M,a,_),_.deps=0,_.effects.length=0,_.hiddenContainer=S("div"),v?(c(null,E,_.hiddenContainer,null,a,_,o,l,u),_.deps<=0?_.resolve():(c(y,T,n,r,a,null,o,l,u),Ll(_,T))):y&&ba(E,y)?(c(y,E,n,r,a,_,o,l,u),_.resolve(!0)):(c(null,E,_.hiddenContainer,null,a,_,o,l,u),_.deps<=0&&_.resolve()));else if(y&&ba(E,y))c(y,E,n,r,a,_,o,l,u),Ll(_,E);else if(tc(t,"onPending"),_.pendingBranch=E,_.pendingId++,c(null,E,_.hiddenContainer,null,a,_,o,l,u),_.deps<=0)_.resolve();else{const{timeout:O,pendingId:N}=_;O>0?setTimeout(()=>{_.pendingId===N&&_.fallback(T)},O):O===0&&_.fallback(T)}}function cS(e,t,n,r,a,o,l,u,c,d,S=!1){const{p:_,m:E,um:T,n:y,o:{parentNode:M,remove:v}}=d;let A;const O=L3(e);O&&t!=null&&t.pendingBranch&&(A=t.pendingId,t.deps++);const N=e.props?Od(e.props.timeout):void 0,R={vnode:e,parent:t,parentComponent:n,isSVG:l,container:r,hiddenContainer:a,anchor:o,deps:0,pendingId:0,timeout:typeof N=="number"?N:-1,activeBranch:null,pendingBranch:null,isInFallback:!0,isHydrating:S,isUnmounted:!1,effects:[],resolve(L=!1,I=!1){const{vnode:h,activeBranch:k,pendingBranch:F,pendingId:z,effects:K,parentComponent:ue,container:Z}=R;let fe=!1;if(R.isHydrating)R.isHydrating=!1;else if(!L){fe=k&&F.transition&&F.transition.mode==="out-in",fe&&(k.transition.afterLeave=()=>{z===R.pendingId&&(E(F,Z,te,0),Id(K))});let{anchor:te}=R;k&&(te=y(k),T(k,ue,R,!0)),fe||E(F,Z,te,0)}Ll(R,F),R.pendingBranch=null,R.isInFallback=!1;let V=R.parent,ne=!1;for(;V;){if(V.pendingBranch){V.effects.push(...K),ne=!0;break}V=V.parent}!ne&&!fe&&Id(K),R.effects=[],O&&t&&t.pendingBranch&&A===t.pendingId&&(t.deps--,t.deps===0&&!I&&t.resolve()),tc(h,"onResolve")},fallback(L){if(!R.pendingBranch)return;const{vnode:I,activeBranch:h,parentComponent:k,container:F,isSVG:z}=R;tc(I,"onFallback");const K=y(h),ue=()=>{!R.isInFallback||(_(null,L,F,K,k,null,z,u,c),Ll(R,L))},Z=L.transition&&L.transition.mode==="out-in";Z&&(h.transition.afterLeave=ue),R.isInFallback=!0,T(h,k,null,!0),Z||ue()},move(L,I,h){R.activeBranch&&E(R.activeBranch,L,I,h),R.container=L},next(){return R.activeBranch&&y(R.activeBranch)},registerDep(L,I){const h=!!R.pendingBranch;h&&R.deps++;const k=L.vnode.el;L.asyncDep.catch(F=>{el(F,L,0)}).then(F=>{if(L.isUnmounted||R.isUnmounted||R.pendingId!==L.suspenseId)return;L.asyncResolved=!0;const{vnode:z}=L;zh(L,F,!1),k&&(z.el=k);const K=!k&&L.subTree.el;I(L,z,M(k||L.subTree.el),k?null:y(L.subTree),R,l,c),K&&v(K),lS(L,z.el),h&&--R.deps===0&&R.resolve()})},unmount(L,I){R.isUnmounted=!0,R.activeBranch&&T(R.activeBranch,n,L,I),R.pendingBranch&&T(R.pendingBranch,n,L,I)}};return R}function x3(e,t,n,r,a,o,l,u,c){const d=t.suspense=cS(t,r,n,e.parentNode,document.createElement("div"),null,a,o,l,u,!0),S=c(e,d.pendingBranch=t.ssContent,n,d,o,l);return d.deps===0&&d.resolve(!1,!0),S}function w3(e){const{shapeFlag:t,children:n}=e,r=t&32;e.ssContent=yC(r?n.default:n),e.ssFallback=r?yC(n.fallback):En(Dr)}function yC(e){let t;if(Ft(e)){const n=Xs&&e._c;n&&(e._d=!1,ki()),e=e(),n&&(e._d=!0,t=bi,HN())}return Rt(e)&&(e=b3(e)),e=Pi(e),t&&!e.dynamicChildren&&(e.dynamicChildren=t.filter(n=>n!==e)),e}function jR(e,t){t&&t.pendingBranch?Rt(e)?t.effects.push(...e):t.effects.push(e):Id(e)}function Ll(e,t){e.activeBranch=t;const{vnode:n,parentComponent:r}=e,a=n.el=t.el;r&&r.subTree===n&&(r.vnode.el=a,lS(r,a))}function L3(e){var t;return((t=e.props)==null?void 0:t.suspensible)!=null&&e.props.suspensible!==!1}const M3={beforeMount:"bind",mounted:"inserted",updated:["update","componentUpdated"],unmounted:"unbind"};function k3(e,t,n){const r=M3[e];if(r)if(Rt(r)){const a=[];return r.forEach(o=>{const l=t[o];l&&(yo("CUSTOM_DIR",n,o,e),a.push(l))}),a.length?a:void 0}else return t[r]&&yo("CUSTOM_DIR",n,r,e),t[r]}function P3(e,t){return Sc(e,null,t)}function XR(e,t){return Sc(e,null,{flush:"post"})}function F3(e,t){return Sc(e,null,{flush:"sync"})}const rd={};function Ps(e,t,n){return Sc(e,t,n)}function Sc(e,t,{immediate:n,deep:r,flush:a,onTrack:o,onTrigger:l}=yn){var u;const c=yR()===((u=Xn)==null?void 0:u.scope)?Xn:null;let d,S=!1,_=!1;if(sr(e)?(d=()=>e.value,S=ju(e)):So(e)?(d=()=>e,r=!0):Rt(e)?(_=!0,S=e.some(R=>So(R)||ju(R)),d=()=>e.map(R=>{if(sr(R))return R.value;if(So(R))return Zo(R);if(Ft(R))return Ya(R,c,2)})):Ft(e)?t?d=()=>Ya(e,c,2):d=()=>{if(!(c&&c.isUnmounted))return E&&E(),Ti(e,c,3,[T])}:d=vi,t&&!r){const R=d;d=()=>{const L=R();return Rt(L)&&yf("WATCH_ARRAY",c)&&Zo(L),L}}if(t&&r){const R=d;d=()=>Zo(R())}let E,T=R=>{E=O.onStop=()=>{Ya(R,c,4)}},y;if(Yl)if(T=vi,t?n&&Ti(t,c,3,[d(),_?[]:void 0,T]):d(),a==="sync"){const R=jN();y=R.__watcherHandles||(R.__watcherHandles=[])}else return vi;let M=_?new Array(e.length).fill(rd):rd;const v=()=>{if(!!O.active)if(t){const R=O.run();(r||S||(_?R.some((L,I)=>os(L,M[I])):os(R,M))||Rt(R)&&Sn("WATCH_ARRAY",c))&&(E&&E(),Ti(t,c,3,[R,M===rd?void 0:_&&M[0]===rd?[]:M,T]),M=R)}else O.run()};v.allowRecurse=!!t;let A;a==="sync"?A=v:a==="post"?A=()=>$n(v,c&&c.suspense):(v.pre=!0,c&&(v.id=c.uid),A=()=>Tf(v));const O=new Gl(d,A);t?n?v():M=O.run():a==="post"?$n(O.run.bind(O),c&&c.suspense):O.run();const N=()=>{O.stop(),c&&c.scope&&WE(c.scope.effects,O)};return y&&y.push(N),N}function B3(e,t,n){const r=this.proxy,a=xn(e)?e.includes(".")?ZR(r,e):()=>r[e]:e.bind(r,r);let o;Ft(t)?o=t:(o=t.handler,n=t);const l=Xn;us(this);const u=Sc(a,o.bind(r),n);return l?us(l):ts(),u}function ZR(e,t){const n=t.split(".");return()=>{let r=e;for(let a=0;a<n.length&&r;a++)r=r[n[a]];return r}}function Zo(e,t){if(!ln(e)||e.__v_skip||(t=t||new Set,t.has(e)))return e;if(t.add(e),sr(e))Zo(e.value,t);else if(Rt(e))for(let n=0;n<e.length;n++)Zo(e[n],t);else if(Js(e)||Rl(e))e.forEach(n=>{Zo(n,t)});else if(Cd(e))for(const n in e)Zo(e[n],t);return e}function JR(e,t){const n=Yn;if(n===null)return e;const r=Lf(n)||n.proxy,a=e.dirs||(e.dirs=[]);for(let o=0;o<t.length;o++){let[l,u,c,d=yn]=t[o];l&&(Ft(l)&&(l={mounted:l,updated:l}),l.deep&&Zo(u),a.push({dir:l,instance:r,value:u,oldValue:void 0,arg:c,modifiers:d}))}return e}function Ba(e,t,n,r){const a=e.dirs,o=t&&t.dirs;for(let l=0;l<a.length;l++){const u=a[l];o&&(u.oldValue=o[l].value);let c=u.dir[r];c||(c=k3(r,u.dir,n)),c&&(nu(),Ti(c,n,8,[e.el,u,e,t]),ru())}}const Ko=Symbol("_leaveCb"),id=Symbol("_enterCb");function dS(){const e={isMounted:!1,isLeaving:!1,isUnmounting:!1,leavingVNodes:new Map};return vc(()=>{e.isMounted=!0}),nc(()=>{e.isUnmounting=!0}),e}const ta=[Function,Array],fS={mode:String,appear:Boolean,persisted:Boolean,onBeforeEnter:ta,onEnter:ta,onAfterEnter:ta,onEnterCancelled:ta,onBeforeLeave:ta,onLeave:ta,onAfterLeave:ta,onLeaveCancelled:ta,onBeforeAppear:ta,onAppear:ta,onAfterAppear:ta,onAppearCancelled:ta},eN={name:"BaseTransition",props:fS,setup(e,{slots:t}){const n=Aa(),r=dS();let a;return()=>{const o=t.default&&Rf(t.default(),!0);if(!o||!o.length)return;let l=o[0];if(o.length>1){for(const M of o)if(M.type!==Dr){l=M;break}}const u=pn(e),{mode:c}=u;if(r.isLeaving)return Jg(l);const d=CC(l);if(!d)return Jg(l);const S=Hl(d,u,r,n);Qs(d,S);const _=n.subTree,E=_&&CC(_);let T=!1;const{getTransitionKey:y}=d.type;if(y){const M=y();a===void 0?a=M:M!==a&&(a=M,T=!0)}if(E&&E.type!==Dr&&(!ba(d,E)||T)){const M=Hl(E,u,r,n);if(Qs(E,M),c==="out-in")return r.isLeaving=!0,M.afterLeave=()=>{r.isLeaving=!1,n.update.active!==!1&&n.update()},Jg(l);c==="in-out"&&d.type!==Dr&&(M.delayLeave=(v,A,O)=>{const N=nN(r,E);N[String(E.key)]=E,v[Ko]=()=>{A(),v[Ko]=void 0,delete S.delayedLeave},S.delayedLeave=O})}return l}}};eN.__isBuiltIn=!0;const tN=eN;function nN(e,t){const{leavingVNodes:n}=e;let r=n.get(t.type);return r||(r=Object.create(null),n.set(t.type,r)),r}function Hl(e,t,n,r){const{appear:a,mode:o,persisted:l=!1,onBeforeEnter:u,onEnter:c,onAfterEnter:d,onEnterCancelled:S,onBeforeLeave:_,onLeave:E,onAfterLeave:T,onLeaveCancelled:y,onBeforeAppear:M,onAppear:v,onAfterAppear:A,onAppearCancelled:O}=t,N=String(e.key),R=nN(n,e),L=(k,F)=>{k&&Ti(k,r,9,F)},I=(k,F)=>{const z=F[1];L(k,F),Rt(k)?k.every(K=>K.length<=1)&&z():k.length<=1&&z()},h={mode:o,persisted:l,beforeEnter(k){let F=u;if(!n.isMounted)if(a)F=M||u;else return;k[Ko]&&k[Ko](!0);const z=R[N];z&&ba(e,z)&&z.el[Ko]&&z.el[Ko](),L(F,[k])},enter(k){let F=c,z=d,K=S;if(!n.isMounted)if(a)F=v||c,z=A||d,K=O||S;else return;let ue=!1;const Z=k[id]=fe=>{ue||(ue=!0,fe?L(K,[k]):L(z,[k]),h.delayedLeave&&h.delayedLeave(),k[id]=void 0)};F?I(F,[k,Z]):Z()},leave(k,F){const z=String(e.key);if(k[id]&&k[id](!0),n.isUnmounting)return F();L(_,[k]);let K=!1;const ue=k[Ko]=Z=>{K||(K=!0,F(),Z?L(y,[k]):L(T,[k]),k[Ko]=void 0,R[z]===e&&delete R[z])};R[z]=e,E?I(E,[k,ue]):ue()},clone(k){return Hl(k,t,n,r)}};return h}function Jg(e){if(bc(e))return e=va(e),e.children=null,e}function CC(e){return bc(e)?e.children?e.children[0]:void 0:e}function Qs(e,t){e.shapeFlag&6&&e.component?Qs(e.component.subTree,t):e.shapeFlag&128?(e.ssContent.transition=t.clone(e.ssContent),e.ssFallback.transition=t.clone(e.ssFallback)):e.transition=t}function Rf(e,t=!1,n){let r=[],a=0;for(let o=0;o<e.length;o++){let l=e[o];const u=n==null?l.key:String(n)+String(l.key!=null?l.key:o);l.type===hr?(l.patchFlag&128&&a++,r=r.concat(Rf(l.children,t,u))):(t||l.type!==Dr)&&r.push(u!=null?va(l,{key:u}):l)}if(a>1)for(let o=0;o<r.length;o++)r[o].patchFlag=-2;return r}/*! #__NO_SIDE_EFFECTS__ */function pS(e,t){return Ft(e)?(()=>sn({name:e.name},t,{setup:e}))():e}const Fs=e=>!!e.type.__asyncLoader;/*! #__NO_SIDE_EFFECTS__ */function _d(e){Ft(e)&&(e={loader:e});const{loader:t,loadingComponent:n,errorComponent:r,delay:a=200,timeout:o,suspensible:l=!0,onError:u}=e;let c=null,d,S=0;const _=()=>(S++,c=null,E()),E=()=>{let T;return c||(T=c=t().catch(y=>{if(y=y instanceof Error?y:new Error(String(y)),u)return new Promise((M,v)=>{u(y,()=>M(_()),()=>v(y),S+1)});throw y}).then(y=>T!==c&&c?c:(y&&(y.__esModule||y[Symbol.toStringTag]==="Module")&&(y=y.default),d=y,y)))};return pS({name:"AsyncComponentWrapper",__asyncLoader:E,get __asyncResolved(){return d},setup(){const T=Xn;if(d)return()=>eh(d,T);const y=O=>{c=null,el(O,T,13,!r)};if(l&&T.suspense||Yl)return E().then(O=>()=>eh(O,T)).catch(O=>(y(O),()=>r?En(r,{error:O}):null));const M=Dl(!1),v=Dl(),A=Dl(!!a);return a&&setTimeout(()=>{A.value=!1},a),o!=null&&setTimeout(()=>{if(!M.value&&!v.value){const O=new Error(`Async component timed out after ${o}ms.`);y(O),v.value=O}},o),E().then(()=>{M.value=!0,T.parent&&bc(T.parent.vnode)&&Tf(T.parent.update)}).catch(O=>{y(O),v.value=O}),()=>{if(M.value&&d)return eh(d,T);if(v.value&&r)return En(r,{error:v.value});if(n&&!A.value)return En(n)}}})}function eh(e,t){const{ref:n,props:r,children:a,ce:o}=t.vnode,l=En(e,r,a);return l.ref=n,l.ce=o,delete t.vnode.ce,l}const bc=e=>e.type.__isKeepAlive,rN={name:"KeepAlive",__isKeepAlive:!0,props:{include:[String,RegExp,Array],exclude:[String,RegExp,Array],max:[String,Number]},setup(e,{slots:t}){const n=Aa(),r=n.ctx;if(!r.renderer)return()=>{const O=t.default&&t.default();return O&&O.length===1?O[0]:O};const a=new Map,o=new Set;let l=null;const u=n.suspense,{renderer:{p:c,m:d,um:S,o:{createElement:_}}}=r,E=_("div");r.activate=(O,N,R,L,I)=>{const h=O.component;d(O,N,R,0,u),c(h.vnode,O,N,R,h,u,L,O.slotScopeIds,I),$n(()=>{h.isDeactivated=!1,h.a&&Jo(h.a);const k=O.props&&O.props.onVnodeMounted;k&&Ei(k,h.parent,O)},u)},r.deactivate=O=>{const N=O.component;d(O,E,null,1,u),$n(()=>{N.da&&Jo(N.da);const R=O.props&&O.props.onVnodeUnmounted;R&&Ei(R,N.parent,O),N.isDeactivated=!0},u)};function T(O){th(O),S(O,n,u,!0)}function y(O){a.forEach((N,R)=>{const L=Qh(N.type);L&&(!O||!O(L))&&M(R)})}function M(O){const N=a.get(O);!l||!ba(N,l)?T(N):l&&th(l),a.delete(O),o.delete(O)}Ps(()=>[e.include,e.exclude],([O,N])=>{O&&y(R=>xu(O,R)),N&&y(R=>!xu(N,R))},{flush:"post",deep:!0});let v=null;const A=()=>{v!=null&&a.set(v,nh(n.subTree))};return vc(A),If(A),nc(()=>{a.forEach(O=>{const{subTree:N,suspense:R}=n,L=nh(N);if(O.type===L.type&&O.key===L.key){th(L);const I=L.component.da;I&&$n(I,R);return}T(O)})}),()=>{if(v=null,!t.default)return null;const O=t.default(),N=O[0];if(O.length>1)return l=null,O;if(!Bi(N)||!(N.shapeFlag&4)&&!(N.shapeFlag&128))return l=null,N;let R=nh(N);const L=R.type,I=Qh(Fs(R)?R.type.__asyncResolved||{}:L),{include:h,exclude:k,max:F}=e;if(h&&(!I||!xu(h,I))||k&&I&&xu(k,I))return l=R,N;const z=R.key==null?L:R.key,K=a.get(z);return R.el&&(R=va(R),N.shapeFlag&128&&(N.ssContent=R)),v=z,K?(R.el=K.el,R.component=K.component,R.transition&&Qs(R,R.transition),R.shapeFlag|=512,o.delete(z),o.add(z)):(o.add(z),F&&o.size>parseInt(F,10)&&M(o.values().next().value)),R.shapeFlag|=256,l=R,QR(N.type)?N:R}}};rN.__isBuildIn=!0;const iN=rN;function xu(e,t){return Rt(e)?e.some(n=>xu(n,t)):xn(e)?e.split(",").includes(t):oU(e)?e.test(t):!1}function aN(e,t){sN(e,"a",t)}function oN(e,t){sN(e,"da",t)}function sN(e,t,n=Xn){const r=e.__wdc||(e.__wdc=()=>{let a=n;for(;a;){if(a.isDeactivated)return;a=a.parent}return e()});if(Nf(t,r,n),n){let a=n.parent;for(;a&&a.parent;)bc(a.parent.vnode)&&U3(r,t,n,a),a=a.parent}}function U3(e,t,n,r){const a=Nf(t,e,r,!0);rc(()=>{WE(r[t],a)},n)}function th(e){e.shapeFlag&=-257,e.shapeFlag&=-513}function nh(e){return e.shapeFlag&128?e.ssContent:e}function Nf(e,t,n=Xn,r=!1){if(n){const a=n[e]||(n[e]=[]),o=t.__weh||(t.__weh=(...l)=>{if(n.isUnmounted)return;nu(),us(n);const u=Ti(t,n,e,l);return ts(),ru(),u});return r?a.unshift(o):a.push(o),o}}const Ao=e=>(t,n=Xn)=>(!Yl||e==="sp")&&Nf(e,(...r)=>t(...r),n),lN=Ao("bm"),vc=Ao("m"),uN=Ao("bu"),If=Ao("u"),nc=Ao("bum"),rc=Ao("um"),cN=Ao("sp"),dN=Ao("rtg"),fN=Ao("rtc");function pN(e,t=Xn){Nf("ec",e,t)}function G3(e){Ir("INSTANCE_CHILDREN",e);const t=e.subTree,n=[];return t&&_N(t,n),n}function _N(e,t){if(e.component)t.push(e.component.proxy);else if(e.shapeFlag&16){const n=e.children;for(let r=0;r<n.length;r++)_N(n[r],t)}}function mN(e){Ir("INSTANCE_LISTENERS",e);const t={},n=e.vnode.props;if(!n)return t;for(const r in n)Co(r)&&(t[r[2].toLowerCase()+r.slice(3)]=n[r]);return t}function H3(e){const t=e.type,n=t.render;if(!(!n||n._rc||n._compatChecked||n._compatWrapped)){if(n.length>=2){n._compatChecked=!0;return}if(yf("RENDER_FUNCTION",e)){const r=t.render=function(){return n.call(this,xd)};r._compatWrapped=!0}}}function xd(e,t,n){if(e||(e=Dr),typeof e=="string"){const o=ei(e);(o==="transition"||o==="transition-group"||o==="keep-alive")&&(e=`__compat__${o}`),e=zR(e)}const r=arguments.length,a=Rt(t);return r===2||a?ln(t)&&!a?Bi(t)?ad(En(e,null,[t])):ad(OC(En(e,AC(t,e)),t)):ad(En(e,null,t)):(Bi(n)&&(n=[n]),ad(OC(En(e,AC(t,e),n),t)))}const q3=Jl("staticStyle,staticClass,directives,model,hook");function AC(e,t){if(!e)return null;const n={};for(const r in e)if(r==="attrs"||r==="domProps"||r==="props")sn(n,e[r]);else if(r==="on"||r==="nativeOn"){const a=e[r];for(const o in a){let l=Y3(o);r==="nativeOn"&&(l+="Native");const u=n[l],c=a[o];u!==c&&(u?n[l]=[].concat(u,c):n[l]=c)}}else q3(r)||(n[r]=e[r]);if(e.staticClass&&(n.class=Va([e.staticClass,n.class])),e.staticStyle&&(n.style=tu([e.staticStyle,n.style])),e.model&&ln(t)){const{prop:r="value",event:a="input"}=t.model||{};n[r]=e.model.value,n[Cf+a]=e.model.callback}return n}function Y3(e){return e[0]==="&"&&(e=e.slice(1)+"Passive"),e[0]==="~"&&(e=e.slice(1)+"Once"),e[0]==="!"&&(e=e.slice(1)+"Capture"),Il(e)}function OC(e,t){return t&&t.directives?JR(e,t.directives.map(({name:n,value:r,arg:a,modifiers:o})=>[KR(n),r,a,o])):e}function ad(e){const{props:t,children:n}=e;let r;if(e.shapeFlag&6&&Rt(n)){r={};for(let o=0;o<n.length;o++){const l=n[o],u=Bi(l)&&l.props&&l.props.slot||"default",c=r[u]||(r[u]=[]);Bi(l)&&l.type==="template"?c.push(l.children):c.push(l)}if(r)for(const o in r){const l=r[o];r[o]=()=>l,r[o]._ns=!0}}const a=t&&t.scopedSlots;return a&&(delete t.scopedSlots,r?sn(r,a):r=a),r&&xf(e,r),e}function gN(e){if(Sn("RENDER_FUNCTION",Yn,!0)&&Sn("PRIVATE_APIS",Yn,!0)){const t=Yn,n=()=>e.component&&e.component.proxy;let r;Object.defineProperties(e,{tag:{get:()=>e.type},data:{get:()=>e.props||{},set:a=>e.props=a},elm:{get:()=>e.el},componentInstance:{get:n},child:{get:n},text:{get:()=>xn(e.children)?e.children:null},context:{get:()=>t&&t.proxy},componentOptions:{get:()=>{if(e.shapeFlag&4)return r||(r={Ctor:e.type,propsData:e.props,children:e.children})}}})}}const rh=new WeakMap,hN={get(e,t){const n=e[t];return n&&n()}};function W3(e){if(rh.has(e))return rh.get(e);const t=e.render,n=(r,a)=>{const o=Aa(),l={props:r,children:o.vnode.children||[],data:o.vnode.props||{},scopedSlots:a.slots,parent:o.parent&&o.parent.proxy,slots(){return new Proxy(a.slots,hN)},get listeners(){return mN(o)},get injections(){if(e.inject){const u={};return AN(e.inject,u),u}return{}}};return t(xd,l)};return n.props=e.props,n.displayName=e.name,n.compatConfig=e.compatConfig,n.inheritAttrs=!1,rh.set(e,n),n}function _S(e,t,n,r){let a;const o=n&&n[r];if(Rt(e)||xn(e)){a=new Array(e.length);for(let l=0,u=e.length;l<u;l++)a[l]=t(e[l],l,void 0,o&&o[l])}else if(typeof e=="number"){a=new Array(e);for(let l=0;l<e;l++)a[l]=t(l+1,l,void 0,o&&o[l])}else if(ln(e))if(e[Symbol.iterator])a=Array.from(e,(l,u)=>t(l,u,void 0,o&&o[u]));else{const l=Object.keys(e);a=new Array(l.length);for(let u=0,c=l.length;u<c;u++){const d=l[u];a[u]=t(e[d],d,u,o&&o[u])}}else a=[];return n&&(n[r]=a),a}function EN(e,t){for(let n=0;n<t.length;n++){const r=t[n];if(Rt(r))for(let a=0;a<r.length;a++)e[r[a].name]=r[a].fn;else r&&(e[r.name]=r.key?(...a)=>{const o=r.fn(...a);return o&&(o.key=r.key),o}:r.fn)}return e}function SN(e,t,n={},r,a){if(Yn.isCE||Yn.parent&&Fs(Yn.parent)&&Yn.parent.isCE)return t!=="default"&&(n.name=t),En("slot",n,r&&r());let o=e[t];o&&o._c&&(o._d=!1),ki();const l=o&&bN(o(n)),u=hS(hr,{key:n.key||l&&l.key||`_${t}`},l||(r?r():[]),l&&e._===1?64:-2);return!a&&u.scopeId&&(u.slotScopeIds=[u.scopeId+"-s"]),o&&o._c&&(o._d=!0),u}function bN(e){return e.some(t=>Bi(t)?!(t.type===Dr||t.type===hr&&!bN(t.children)):!0)?e:null}function vN(e,t){const n={};for(const r in e)n[t&&/[A-Z]/.test(r)?`on:${r}`:Il(r)]=e[r];return n}function V3(e){const t={};for(let n=0;n<e.length;n++)e[n]&&sn(t,e[n]);return t}function z3(e,t,n,r,a){if(n&&ln(n)){Rt(n)&&(n=V3(n));for(const o in n)if(Nl(o))e[o]=n[o];else if(o==="class")e.class=Va([e.class,n.class]);else if(o==="style")e.style=Va([e.style,n.style]);else{const l=e.attrs||(e.attrs={}),u=ni(o),c=ei(o);if(!(u in l)&&!(c in l)&&(l[o]=n[o],a)){const d=e.on||(e.on={});d[`update:${o}`]=function(S){n[o]=S}}}}return e}function K3(e,t){return wf(e,vN(t))}function $3(e,t,n,r,a){return a&&(r=wf(r,a)),SN(e.slots,t,r,n&&(()=>n))}function Q3(e,t,n){return EN(t||{$stable:!n},TN(e))}function TN(e){for(let t=0;t<e.length;t++){const n=e[t];n&&(Rt(n)?TN(n):n.name=n.key||"default")}return e}const RC=new WeakMap;function j3(e,t){let n=RC.get(e);if(n||RC.set(e,n=[]),n[t])return n[t];const r=e.type.staticRenderFns[t],a=e.proxy;return n[t]=r.call(a,null,a)}function X3(e,t,n,r,a,o){const u=e.appContext.config.keyCodes||{},c=u[n]||r;if(o&&a&&!u[n])return NC(o,a);if(c)return NC(c,t);if(a)return ei(a)!==n}function NC(e,t){return Rt(e)?!e.includes(t):e!==t}function Z3(e){return e}function J3(e,t){for(let n=0;n<t.length;n+=2){const r=t[n];typeof r=="string"&&r&&(e[t[n]]=t[n+1])}return e}function eG(e,t){return typeof e=="string"?t+e:e}function tG(e){const t=(r,a,o)=>(r[a]=o,r[a]),n=(r,a)=>{delete r[a]};sn(e,{$set:r=>(Ir("INSTANCE_SET",r),t),$delete:r=>(Ir("INSTANCE_DELETE",r),n),$mount:r=>(Ir("GLOBAL_MOUNT",null),r.ctx._compat_mount||vi),$destroy:r=>(Ir("INSTANCE_DESTROY",r),r.ctx._compat_destroy||vi),$slots:r=>Sn("RENDER_FUNCTION",r)&&r.render&&r.render._compatWrapped?new Proxy(r.slots,hN):r.slots,$scopedSlots:r=>{Ir("INSTANCE_SCOPED_SLOTS",r);const a={};for(const o in r.slots){const l=r.slots[o];l._ns||(a[o]=l)}return a},$on:r=>aS.bind(null,r),$once:r=>f3.bind(null,r),$off:r=>oS.bind(null,r),$children:G3,$listeners:mN}),Sn("PRIVATE_APIS",null)&&sn(e,{$vnode:r=>r.vnode,$options:r=>{const a=sn({},Tc(r));return a.parent=r.proxy.$parent,a.propsData=r.vnode.props,a},_self:r=>r.proxy,_uid:r=>r.uid,_data:r=>r.data,_isMounted:r=>r.isMounted,_isDestroyed:r=>r.isUnmounted,$createElement:()=>xd,_c:()=>xd,_o:()=>Z3,_n:()=>Qu,_s:()=>Rd,_l:()=>_S,_t:r=>$3.bind(null,r),_q:()=>To,_i:()=>hc,_m:r=>j3.bind(null,r),_f:()=>$R,_k:r=>X3.bind(null,r),_b:()=>z3,_v:()=>ql,_e:()=>Ld,_u:()=>Q3,_g:()=>K3,_d:()=>J3,_p:()=>eG})}const Uh=e=>e?VN(e)?Lf(e)||e.proxy:Uh(e.parent):null,Ml=sn(Object.create(null),{$:e=>e,$el:e=>e.vnode.el,$data:e=>e.data,$props:e=>e.props,$attrs:e=>e.attrs,$slots:e=>e.slots,$refs:e=>e.refs,$parent:e=>Uh(e.parent),$root:e=>Uh(e.root),$emit:e=>e.emit,$options:e=>Tc(e),$forceUpdate:e=>e.f||(e.f=()=>Tf(e.update)),$nextTick:e=>e.n||(e.n=Ec.bind(e.proxy)),$watch:e=>B3.bind(e)});tG(Ml);const ih=(e,t)=>e!==yn&&!e.__isScriptSetup&&_n(e,t),Gh={get({_:e},t){const{ctx:n,setupState:r,data:a,props:o,accessCache:l,type:u,appContext:c}=e;let d;if(t[0]!=="$"){const T=l[t];if(T!==void 0)switch(T){case 1:return r[t];case 2:return a[t];case 4:return n[t];case 3:return o[t]}else{if(ih(r,t))return l[t]=1,r[t];if(a!==yn&&_n(a,t))return l[t]=2,a[t];if((d=e.propsOptions[0])&&_n(d,t))return l[t]=3,o[t];if(n!==yn&&_n(n,t))return l[t]=4,n[t];Hh&&(l[t]=0)}}const S=Ml[t];let _,E;if(S)return t==="$attrs"&&ri(e,"get",t),S(e);if((_=u.__cssModules)&&(_=_[t]))return _;if(n!==yn&&_n(n,t))return l[t]=4,n[t];if(E=c.config.globalProperties,_n(E,t)){const T=Object.getOwnPropertyDescriptor(E,t);if(T.get)return T.get.call(e.proxy);{const y=E[t];return Ft(y)?Object.assign(y.bind(e.proxy),y):y}}},set({_:e},t,n){const{data:r,setupState:a,ctx:o}=e;return ih(a,t)?(a[t]=n,!0):r!==yn&&_n(r,t)?(r[t]=n,!0):_n(e.props,t)||t[0]==="$"&&t.slice(1)in e?!1:(o[t]=n,!0)},has({_:{data:e,setupState:t,accessCache:n,ctx:r,appContext:a,propsOptions:o}},l){let u;return!!n[l]||e!==yn&&_n(e,l)||ih(t,l)||(u=o[0])&&_n(u,l)||_n(r,l)||_n(Ml,l)||_n(a.config.globalProperties,l)},defineProperty(e,t,n){return n.get!=null?e._.accessCache[t]=0:_n(n,"value")&&this.set(e,t,n.value,null),Reflect.defineProperty(e,t,n)}},nG=sn({},Gh,{get(e,t){if(t!==Symbol.unscopables)return Gh.get(e,t,e)},has(e,t){return t[0]!=="_"&&!dU(t)}});function yN(e,t){for(const n in t){const r=e[n],a=t[n];n in e&&Cd(r)&&Cd(a)?yN(r,a):e[n]=a}return e}function rG(){return null}function iG(){return null}function aG(e){}function oG(e){}function sG(){return null}function lG(){}function uG(e,t){return null}function cG(){return CN().slots}function dG(){return CN().attrs}function fG(e,t,n){const r=Aa();if(n&&n.local){const a=Dl(e[t]);return Ps(()=>e[t],o=>a.value=o),Ps(a,o=>{o!==e[t]&&r.emit(`update:${t}`,o)}),a}else return{__v_isRef:!0,get value(){return e[t]},set value(a){r.emit(`update:${t}`,a)}}}function CN(){const e=Aa();return e.setupContext||(e.setupContext=zN(e))}function ic(e){return Rt(e)?e.reduce((t,n)=>(t[n]=null,t),{}):e}function pG(e,t){const n=ic(e);for(const r in t){if(r.startsWith("__skip"))continue;let a=n[r];a?Rt(a)||Ft(a)?a=n[r]={type:a,default:t[r]}:a.default=t[r]:a===null&&(a=n[r]={default:t[r]}),a&&t[`__skip_${r}`]&&(a.skipFactory=!0)}return n}function _G(e,t){return!e||!t?e||t:Rt(e)&&Rt(t)?e.concat(t):sn({},ic(e),ic(t))}function mG(e,t){const n={};for(const r in e)t.includes(r)||Object.defineProperty(n,r,{enumerable:!0,get:()=>e[r]});return n}function gG(e){const t=Aa();let n=e();return ts(),gf(n)&&(n=n.catch(r=>{throw us(t),r})),[n,()=>us(t)]}let Hh=!0;function hG(e){const t=Tc(e),n=e.proxy,r=e.ctx;Hh=!1,t.beforeCreate&&IC(t.beforeCreate,e,"bc");const{data:a,computed:o,methods:l,watch:u,provide:c,inject:d,created:S,beforeMount:_,mounted:E,beforeUpdate:T,updated:y,activated:M,deactivated:v,beforeDestroy:A,beforeUnmount:O,destroyed:N,unmounted:R,render:L,renderTracked:I,renderTriggered:h,errorCaptured:k,serverPrefetch:F,expose:z,inheritAttrs:K,components:ue,directives:Z,filters:fe}=t;if(d&&AN(d,r,null),l)for(const te in l){const G=l[te];Ft(G)&&(r[te]=G.bind(n))}if(a){const te=a.call(n,n);ln(te)&&(e.data=ls(te))}if(Hh=!0,o)for(const te in o){const G=o[te],se=Ft(G)?G.bind(n,n):Ft(G.get)?G.get.bind(n,n):vi,ve=!Ft(G)&&Ft(G.set)?G.set.bind(n):vi,Ge=KN({get:se,set:ve});Object.defineProperty(r,te,{enumerable:!0,configurable:!0,get:()=>Ge.value,set:oe=>Ge.value=oe})}if(u)for(const te in u)ON(u[te],r,n,te);if(c){const te=Ft(c)?c.call(n):c;Reflect.ownKeys(te).forEach(G=>{IN(G,te[G])})}S&&IC(S,e,"c");function ne(te,G){Rt(G)?G.forEach(se=>te(se.bind(n))):G&&te(G.bind(n))}if(ne(lN,_),ne(vc,E),ne(uN,T),ne(If,y),ne(aN,M),ne(oN,v),ne(pN,k),ne(fN,I),ne(dN,h),ne(nc,O),ne(rc,R),ne(cN,F),A&&yo("OPTIONS_BEFORE_DESTROY",e)&&ne(nc,A),N&&yo("OPTIONS_DESTROYED",e)&&ne(rc,N),Rt(z))if(z.length){const te=e.exposed||(e.exposed={});z.forEach(G=>{Object.defineProperty(te,G,{get:()=>n[G],set:se=>n[G]=se})})}else e.exposed||(e.exposed={});L&&e.render===vi&&(e.render=L),K!=null&&(e.inheritAttrs=K),ue&&(e.components=ue),Z&&(e.directives=Z),fe&&Sn("FILTERS",e)&&(e.filters=fe)}function AN(e,t,n=vi){Rt(e)&&(e=qh(e));for(const r in e){const a=e[r];let o;ln(a)?"default"in a?o=Gs(a.from||r,a.default,!0):o=Gs(a.from||r):o=Gs(a),sr(o)?Object.defineProperty(t,r,{enumerable:!0,configurable:!0,get:()=>o.value,set:l=>o.value=l}):t[r]=o}}function IC(e,t,n){Ti(Rt(e)?e.map(r=>r.bind(t.proxy)):e.bind(t.proxy),t,n)}function ON(e,t,n,r){const a=r.includes(".")?ZR(n,r):()=>n[r];if(xn(e)){const o=t[e];Ft(o)&&Ps(a,o)}else if(Ft(e))Ps(a,e.bind(n));else if(ln(e))if(Rt(e))e.forEach(o=>ON(o,t,n,r));else{const o=Ft(e.handler)?e.handler.bind(n):t[e.handler];Ft(o)&&Ps(a,o,e)}}function Tc(e){const t=e.type,{mixins:n,extends:r}=t,{mixins:a,optionsCache:o,config:{optionMergeStrategies:l}}=e.appContext,u=o.get(t);let c;return u?c=u:!a.length&&!n&&!r?Sn("PRIVATE_APIS",e)?(c=sn({},t),c.parent=e.parent&&e.parent.proxy,c.propsData=e.vnode.props):c=t:(c={},a.length&&a.forEach(d=>Bs(c,d,l,!0)),Bs(c,t,l)),ln(t)&&o.set(t,c),c}function Bs(e,t,n,r=!1){Ft(t)&&(t=t.options);const{mixins:a,extends:o}=t;o&&Bs(e,o,n,!0),a&&a.forEach(l=>Bs(e,l,n,!0));for(const l in t)if(!(r&&l==="expose")){const u=Us[l]||n&&n[l];e[l]=u?u(e[l],t[l]):t[l]}return e}const Us={data:DC,props:xC,emits:xC,methods:Cl,computed:Cl,beforeCreate:Xr,created:Xr,beforeMount:Xr,mounted:Xr,beforeUpdate:Xr,updated:Xr,beforeDestroy:Xr,beforeUnmount:Xr,destroyed:Xr,unmounted:Xr,activated:Xr,deactivated:Xr,errorCaptured:Xr,serverPrefetch:Xr,components:Cl,directives:Cl,watch:SG,provide:DC,inject:EG};Us.filters=Cl;function DC(e,t){return t?e?function(){return(Sn("OPTIONS_DATA_MERGE",null)?yN:sn)(Ft(e)?e.call(this,this):e,Ft(t)?t.call(this,this):t)}:t:e}function EG(e,t){return Cl(qh(e),qh(t))}function qh(e){if(Rt(e)){const t={};for(let n=0;n<e.length;n++)t[e[n]]=e[n];return t}return e}function Xr(e,t){return e?[...new Set([].concat(e,t))]:t}function Cl(e,t){return e?sn(Object.create(null),e,t):t}function xC(e,t){return e?Rt(e)&&Rt(t)?[...new Set([...e,...t])]:sn(Object.create(null),ic(e),ic(t!=null?t:{})):t}function SG(e,t){if(!e)return t;if(!t)return e;const n=sn(Object.create(null),e);for(const r in t)n[r]=Xr(e[r],t[r]);return n}function bG(e){e.optionMergeStrategies=new Proxy({},{get(t,n){if(n in t)return t[n];if(n in Us&&yo("CONFIG_OPTION_MERGE_STRATS",null))return Us[n]}})}let Si,Os;function vG(e,t){Si=t({});const n=Os=function c(d={}){return r(d,c)};function r(c={},d){Ir("GLOBAL_MOUNT",null);const{data:S}=c;S&&!Ft(S)&&yo("OPTIONS_DATA_FN",null)&&(c.data=()=>S);const _=e(c);d!==n&&RN(_,d);const E=_._createRoot(c);return c.el?E.$mount(c.el):E}n.version="2.6.14-compat:3.3.8",n.config=Si.config,n.use=(c,...d)=>(c&&Ft(c.install)?c.install(n,...d):Ft(c)&&c(n,...d),n),n.mixin=c=>(Si.mixin(c),n),n.component=(c,d)=>d?(Si.component(c,d),n):Si.component(c),n.directive=(c,d)=>d?(Si.directive(c,d),n):Si.directive(c),n.options={_base:n};let a=1;n.cid=a,n.nextTick=Ec;const o=new WeakMap;function l(c={}){if(Ir("GLOBAL_EXTEND",null),Ft(c)&&(c=c.options),o.has(c))return o.get(c);const d=this;function S(E){return r(E?Bs(sn({},S.options),E,Us):S.options,S)}S.super=d,S.prototype=Object.create(n.prototype),S.prototype.constructor=S;const _={};for(const E in d.options){const T=d.options[E];_[E]=Rt(T)?T.slice():ln(T)?sn(Object.create(null),T):T}return S.options=Bs(_,c,Us),S.options._base=S,S.extend=l.bind(S),S.mixin=d.mixin,S.use=d.use,S.cid=++a,o.set(c,S),S}n.extend=l.bind(n),n.set=(c,d,S)=>{Ir("GLOBAL_SET",null),c[d]=S},n.delete=(c,d)=>{Ir("GLOBAL_DELETE",null),delete c[d]},n.observable=c=>(Ir("GLOBAL_OBSERVABLE",null),ls(c)),n.filter=(c,d)=>d?(Si.filter(c,d),n):Si.filter(c);const u={warn:vi,extend:sn,mergeOptions:(c,d,S)=>Bs(c,d,S?void 0:Us),defineReactive:IG};return Object.defineProperty(n,"util",{get(){return Ir("GLOBAL_PRIVATE_UTIL",null),u}}),n.configureCompat=d3,n}function TG(e,t,n){yG(e,t),bG(e.config),Si&&(OG(e,t,n),CG(e),AG(e))}function yG(e,t){t.filters={},e.filter=(n,r)=>(Ir("FILTERS",null),r?(t.filters[n]=r,e):t.filters[n])}function CG(e){Object.defineProperties(e,{prototype:{get(){return e.config.globalProperties}},nextTick:{value:Ec},extend:{value:Os.extend},set:{value:Os.set},delete:{value:Os.delete},observable:{value:Os.observable},util:{get(){return Os.util}}})}function AG(e){e._context.mixins=[...Si._context.mixins],["components","directives","filters"].forEach(t=>{e._context[t]=Object.create(Si._context[t])});for(const t in Si.config){if(t==="isNativeTag"||$h()&&(t==="isCustomElement"||t==="compilerOptions"))continue;const n=Si.config[t];e.config[t]=ln(n)?Object.create(n):n,t==="ignoredElements"&&Sn("CONFIG_IGNORED_ELEMENTS",null)&&!$h()&&Rt(n)&&(e.config.compilerOptions.isCustomElement=r=>n.some(a=>xn(a)?a===r:a.test(r)))}RN(e,Os)}function RN(e,t){const n=Sn("GLOBAL_PROTOTYPE",null);n&&(e.config.globalProperties=Object.create(t.prototype));const r=Object.getOwnPropertyDescriptors(t.prototype);for(const a in r)a!=="constructor"&&n&&Object.defineProperty(e.config.globalProperties,a,r[a])}function OG(e,t,n){let r=!1;e._createRoot=a=>{const o=e._component,l=En(o,a.propsData||null);l.appContext=t;const u=!Ft(o)&&!o.render&&!o.template,c=()=>{},d=SS(l,null,null);return u&&(d.render=c),vS(d),l.component=d,l.isCompatRoot=!0,d.ctx._compat_mount=S=>{if(r)return;let _;if(typeof S=="string"){const T=document.querySelector(S);if(!T)return;_=T}else _=S||document.createElement("div");const E=_ instanceof SVGElement;return u&&d.render===c&&(d.render=null,o.template=_.innerHTML,TS(d,!1,!0)),_.innerHTML="",n(l,_,E),_ instanceof Element&&(_.removeAttribute("v-cloak"),_.setAttribute("data-v-app","")),r=!0,e._container=_,_.__vue_app__=e,d.proxy},d.ctx._compat_destroy=()=>{if(r)n(null,e._container),delete e._container.__vue_app__;else{const{bum:S,scope:_,um:E}=d;S&&Jo(S),Sn("INSTANCE_EVENT_HOOKS",d)&&d.emit("hook:beforeDestroy"),_&&_.stop(),E&&Jo(E),Sn("INSTANCE_EVENT_HOOKS",d)&&d.emit("hook:destroyed")}},d.proxy}}const RG=["push","pop","shift","unshift","splice","sort","reverse"],NG=new WeakSet;function IG(e,t,n){if(ln(n)&&!So(n)&&!NG.has(n)){const a=ls(n);Rt(n)?RG.forEach(o=>{n[o]=(...l)=>{Array.prototype[o].call(a,...l)}}):Object.keys(n).forEach(o=>{try{ah(n,o,n[o])}catch{}})}const r=e.$;r&&e===r.proxy?(ah(r.ctx,t,n),r.accessCache=Object.create(null)):So(e)?e[t]=n:ah(e,t,n)}function ah(e,t,n){n=ln(n)?ls(n):n,Object.defineProperty(e,t,{enumerable:!0,configurable:!0,get(){return ri(e,"get",t),n},set(r){n=ln(r)?ls(r):r,qa(e,"set",t,r)}})}function NN(){return{app:null,config:{isNativeTag:rU,performance:!1,globalProperties:{},optionMergeStrategies:{},errorHandler:void 0,warnHandler:void 0,compilerOptions:{}},mixins:[],components:{},directives:{},provides:Object.create(null),optionsCache:new WeakMap,propsCache:new WeakMap,emitsCache:new WeakMap}}let DG=0;function xG(e,t){return function(r,a=null){Ft(r)||(r=sn({},r)),a!=null&&!ln(a)&&(a=null);const o=NN(),l=new WeakSet;let u=!1;const c=o.app={_uid:DG++,_component:r,_props:a,_container:null,_context:o,_instance:null,version:ZN,get config(){return o.config},set config(d){},use(d,...S){return l.has(d)||(d&&Ft(d.install)?(l.add(d),d.install(c,...S)):Ft(d)&&(l.add(d),d(c,...S))),c},mixin(d){return o.mixins.includes(d)||o.mixins.push(d),c},component(d,S){return S?(o.components[d]=S,c):o.components[d]},directive(d,S){return S?(o.directives[d]=S,c):o.directives[d]},mount(d,S,_){if(!u){const E=En(r,a);return E.appContext=o,S&&t?t(E,d):e(E,d,_),u=!0,c._container=d,d.__vue_app__=c,Lf(E.component)||E.component.proxy}},unmount(){u&&(e(null,c._container),delete c._container.__vue_app__)},provide(d,S){return o.provides[d]=S,c},runWithContext(d){ac=c;try{return d()}finally{ac=null}}};return TG(c,o,e),c}}let ac=null;function IN(e,t){if(Xn){let n=Xn.provides;const r=Xn.parent&&Xn.parent.provides;r===n&&(n=Xn.provides=Object.create(r)),n[e]=t}}function Gs(e,t,n=!1){const r=Xn||Yn;if(r||ac){const a=r?r.parent==null?r.vnode.appContext&&r.vnode.appContext.provides:r.parent.provides:ac._context.provides;if(a&&e in a)return a[e];if(arguments.length>1)return n&&Ft(t)?t.call(r&&r.proxy):t}}function wG(){return!!(Xn||Yn||ac)}function LG(e,t,n){return new Proxy({},{get(r,a){if(a==="$options")return Tc(e);if(a in t)return t[a];const o=e.type.inject;if(o){if(Rt(o)){if(o.includes(a))return Gs(a)}else if(a in o)return Gs(a)}}})}function DN(e,t){return!!(e==="is"||(e==="class"||e==="style")&&Sn("INSTANCE_ATTRS_CLASS_STYLE",t)||Co(e)&&Sn("INSTANCE_LISTENERS",t)||e.startsWith("routerView")||e==="registerRouteInstance")}function MG(e,t,n,r=!1){const a={},o={};Ad(o,Df,1),e.propsDefaults=Object.create(null),xN(e,t,a,o);for(const l in e.propsOptions[0])l in a||(a[l]=void 0);n?e.props=r?a:PR(a):e.type.props?e.props=a:e.props=o,e.attrs=o}function kG(e,t,n,r){const{props:a,attrs:o,vnode:{patchFlag:l}}=e,u=pn(a),[c]=e.propsOptions;let d=!1;if((r||l>0)&&!(l&16)){if(l&8){const S=e.vnode.dynamicProps;for(let _=0;_<S.length;_++){let E=S[_];if(Af(e.emitsOptions,E))continue;const T=t[E];if(c)if(_n(o,E))T!==o[E]&&(o[E]=T,d=!0);else{const y=ni(E);a[y]=Yh(c,u,y,T,e,!1)}else{if(Co(E)&&E.endsWith("Native"))E=E.slice(0,-6);else if(DN(E,e))continue;T!==o[E]&&(o[E]=T,d=!0)}}}}else{xN(e,t,a,o)&&(d=!0);let S;for(const _ in u)(!t||!_n(t,_)&&((S=ei(_))===_||!_n(t,S)))&&(c?n&&(n[_]!==void 0||n[S]!==void 0)&&(a[_]=Yh(c,u,_,void 0,e,!0)):delete a[_]);if(o!==u)for(const _ in o)(!t||!_n(t,_)&&!_n(t,_+"Native"))&&(delete o[_],d=!0)}d&&qa(e,"set","$attrs")}function xN(e,t,n,r){const[a,o]=e.propsOptions;let l=!1,u;if(t)for(let c in t){if(Nl(c)||(c.startsWith("onHook:")&&yo("INSTANCE_EVENT_HOOKS",e,c.slice(2).toLowerCase()),c==="inline-template"))continue;const d=t[c];let S;if(a&&_n(a,S=ni(c)))!o||!o.includes(S)?n[S]=d:(u||(u={}))[S]=d;else if(!Af(e.emitsOptions,c)){if(Co(c)&&c.endsWith("Native"))c=c.slice(0,-6);else if(DN(c,e))continue;(!(c in r)||d!==r[c])&&(r[c]=d,l=!0)}}if(o){const c=pn(n),d=u||yn;for(let S=0;S<o.length;S++){const _=o[S];n[_]=Yh(a,c,_,d[_],e,!_n(d,_))}}return l}function Yh(e,t,n,r,a,o){const l=e[n];if(l!=null){const u=_n(l,"default");if(u&&r===void 0){const c=l.default;if(l.type!==Function&&!l.skipFactory&&Ft(c)){const{propsDefaults:d}=a;n in d?r=d[n]:(us(a),r=d[n]=c.call(Sn("PROPS_DEFAULT_THIS",a)?LG(a,t):null,t),ts())}else r=c}l[0]&&(o&&!u?r=!1:l[1]&&(r===""||r===ei(n))&&(r=!0))}return r}function wN(e,t,n=!1){const r=t.propsCache,a=r.get(e);if(a)return a;const o=e.props,l={},u=[];let c=!1;if(!Ft(e)){const S=_=>{Ft(_)&&(_=_.options),c=!0;const[E,T]=wN(_,t,!0);sn(l,E),T&&u.push(...T)};!n&&t.mixins.length&&t.mixins.forEach(S),e.extends&&S(e.extends),e.mixins&&e.mixins.forEach(S)}if(!o&&!c)return ln(e)&&r.set(e,Ol),Ol;if(Rt(o))for(let S=0;S<o.length;S++){const _=ni(o[S]);wC(_)&&(l[_]=yn)}else if(o)for(const S in o){const _=ni(S);if(wC(_)){const E=o[S],T=l[_]=Rt(E)||Ft(E)?{type:E}:sn({},E);if(T){const y=kC(Boolean,T.type),M=kC(String,T.type);T[0]=y>-1,T[1]=M<0||y<M,(y>-1||_n(T,"default"))&&u.push(_)}}}const d=[l,u];return ln(e)&&r.set(e,d),d}function wC(e){return e[0]!=="$"}function LC(e){const t=e&&e.toString().match(/^\s*(function|class) (\w+)/);return t?t[2]:e===null?"null":""}function MC(e,t){return LC(e)===LC(t)}function kC(e,t){return Rt(t)?t.findIndex(n=>MC(n,e)):Ft(t)&&MC(t,e)?0:-1}const LN=e=>e[0]==="_"||e==="$stable",mS=e=>Rt(e)?e.map(Pi):[Pi(e)],PG=(e,t,n)=>{if(t._n)return t;const r=sS((...a)=>mS(t(...a)),n);return r._c=!1,r},MN=(e,t,n)=>{const r=e._ctx;for(const a in e){if(LN(a))continue;const o=e[a];if(Ft(o))t[a]=PG(a,o,r);else if(o!=null){const l=mS(o);t[a]=()=>l}}},kN=(e,t)=>{const n=mS(t);e.slots.default=()=>n},FG=(e,t)=>{if(e.vnode.shapeFlag&32){const n=t._;n?(e.slots=pn(t),Ad(t,"_",n)):MN(t,e.slots={})}else e.slots={},t&&kN(e,t);Ad(e.slots,Df,1)},BG=(e,t,n)=>{const{vnode:r,slots:a}=e;let o=!0,l=yn;if(r.shapeFlag&32){const u=t._;u?n&&u===1?o=!1:(sn(a,t),!n&&u===1&&delete a._):(o=!t.$stable,MN(t,a)),l=t}else t&&(kN(e,t),l={default:1});if(o)for(const u in a)!LN(u)&&l[u]==null&&delete a[u]};function wd(e,t,n,r,a=!1){if(Rt(e)){e.forEach((E,T)=>wd(E,t&&(Rt(t)?t[T]:t),n,r,a));return}if(Fs(r)&&!a)return;const o=r.shapeFlag&4?Lf(r.component)||r.component.proxy:r.el,l=a?null:o,{i:u,r:c}=e,d=t&&t.r,S=u.refs===yn?u.refs={}:u.refs,_=u.setupState;if(d!=null&&d!==c&&(xn(d)?(S[d]=null,_n(_,d)&&(_[d]=null)):sr(d)&&(d.value=null)),Ft(c))Ya(c,u,12,[l,S]);else{const E=xn(c),T=sr(c);if(E||T){const y=()=>{if(e.f){const M=E?_n(_,c)?_[c]:S[c]:c.value;a?Rt(M)&&WE(M,o):Rt(M)?M.includes(o)||M.push(o):E?(S[c]=[o],_n(_,c)&&(_[c]=S[c])):(c.value=[o],e.k&&(S[e.k]=c.value))}else E?(S[c]=l,_n(_,c)&&(_[c]=l)):T&&(c.value=l,e.k&&(S[e.k]=l))};l?(y.id=-1,$n(y,n)):y()}}}let Wo=!1;const od=e=>/svg/.test(e.namespaceURI)&&e.tagName!=="foreignObject",sd=e=>e.nodeType===8;function UG(e){const{mt:t,p:n,o:{patchProp:r,createText:a,nextSibling:o,parentNode:l,remove:u,insert:c,createComment:d}}=e,S=(N,R)=>{if(!R.hasChildNodes()){n(null,N,R),Dd(),R._vnode=N;return}Wo=!1,_(R.firstChild,N,null,null,null),Dd(),R._vnode=N,Wo&&console.error("Hydration completed but contains mismatches.")},_=(N,R,L,I,h,k=!1)=>{const F=sd(N)&&N.data==="[",z=()=>M(N,R,L,I,h,F),{type:K,ref:ue,shapeFlag:Z,patchFlag:fe}=R;let V=N.nodeType;R.el=N,fe===-2&&(k=!1,R.dynamicChildren=null);let ne=null;switch(K){case js:V!==3?R.children===""?(c(R.el=a(""),l(N),N),ne=N):ne=z():(N.data!==R.children&&(Wo=!0,N.data=R.children),ne=o(N));break;case Dr:O(N)?(ne=o(N),A(R.el=N.content.firstChild,N,L)):V!==8||F?ne=z():ne=o(N);break;case Hs:if(F&&(N=o(N),V=N.nodeType),V===1||V===3){ne=N;const te=!R.children.length;for(let G=0;G<R.staticCount;G++)te&&(R.children+=ne.nodeType===1?ne.outerHTML:ne.data),G===R.staticCount-1&&(R.anchor=ne),ne=o(ne);return F?o(ne):ne}else z();break;case hr:F?ne=y(N,R,L,I,h,k):ne=z();break;default:if(Z&1)(V!==1||R.type.toLowerCase()!==N.tagName.toLowerCase())&&!O(N)?ne=z():ne=E(N,R,L,I,h,k);else if(Z&6){R.slotScopeIds=h;const te=l(N);if(F?ne=v(N):sd(N)&&N.data==="teleport start"?ne=v(N,N.data,"teleport end"):ne=o(N),t(R,te,null,L,I,od(te),k),Fs(R)){let G;F?(G=En(hr),G.anchor=ne?ne.previousSibling:te.lastChild):G=N.nodeType===3?ql(""):En("div"),G.el=N,R.component.subTree=G}}else Z&64?V!==8?ne=z():ne=R.type.hydrate(N,R,L,I,h,k,e,T):Z&128&&(ne=R.type.hydrate(N,R,L,I,od(l(N)),h,k,e,_))}return ue!=null&&wd(ue,null,I,R),ne},E=(N,R,L,I,h,k)=>{k=k||!!R.dynamicChildren;const{type:F,props:z,patchFlag:K,shapeFlag:ue,dirs:Z,transition:fe}=R,V=F==="input"&&Z||F==="option";if(V||K!==-1){if(Z&&Ba(R,null,L,"created"),z)if(V||!k||K&48)for(const G in z)(V&&G.endsWith("value")||Co(G)&&!Nl(G))&&r(N,G,null,z[G],!1,void 0,L);else z.onClick&&r(N,"onClick",null,z.onClick,!1,void 0,L);let ne;(ne=z&&z.onVnodeBeforeMount)&&Ei(ne,L,R);let te=!1;if(O(N)){te=UN(I,fe)&&L&&L.vnode.props&&L.vnode.props.appear;const G=N.content.firstChild;te&&fe.beforeEnter(G),A(G,N,L),R.el=N=G}if(Z&&Ba(R,null,L,"beforeMount"),((ne=z&&z.onVnodeMounted)||Z||te)&&jR(()=>{ne&&Ei(ne,L,R),te&&fe.enter(N),Z&&Ba(R,null,L,"mounted")},I),ue&16&&!(z&&(z.innerHTML||z.textContent))){let G=T(N.firstChild,R,N,L,I,h,k);for(;G;){Wo=!0;const se=G;G=G.nextSibling,u(se)}}else ue&8&&N.textContent!==R.children&&(Wo=!0,N.textContent=R.children)}return N.nextSibling},T=(N,R,L,I,h,k,F)=>{F=F||!!R.dynamicChildren;const z=R.children,K=z.length;for(let ue=0;ue<K;ue++){const Z=F?z[ue]:z[ue]=Pi(z[ue]);if(N)N=_(N,Z,I,h,k,F);else{if(Z.type===js&&!Z.children)continue;Wo=!0,n(null,Z,L,null,I,h,od(L),k)}}return N},y=(N,R,L,I,h,k)=>{const{slotScopeIds:F}=R;F&&(h=h?h.concat(F):F);const z=l(N),K=T(o(N),R,z,L,I,h,k);return K&&sd(K)&&K.data==="]"?o(R.anchor=K):(Wo=!0,c(R.anchor=d("]"),z,K),K)},M=(N,R,L,I,h,k)=>{if(Wo=!0,R.el=null,k){const K=v(N);for(;;){const ue=o(N);if(ue&&ue!==K)u(ue);else break}}const F=o(N),z=l(N);return u(N),n(null,R,z,F,L,I,od(z),h),F},v=(N,R="[",L="]")=>{let I=0;for(;N;)if(N=o(N),N&&sd(N)&&(N.data===R&&I++,N.data===L)){if(I===0)return o(N);I--}return N},A=(N,R,L)=>{const I=R.parentNode;I&&I.replaceChild(N,R);let h=L;for(;h;)h.vnode.el===R&&(h.vnode.el=h.subTree.el=N),h=h.parent},O=N=>N.nodeType===1&&N.tagName.toLowerCase()==="template";return[S,_]}const $n=jR;function PN(e){return BN(e)}function FN(e){return BN(e,UG)}function BN(e,t){const n=Lh();n.__VUE__=!0;const{insert:r,remove:a,patchProp:o,createElement:l,createText:u,createComment:c,setText:d,setElementText:S,parentNode:_,nextSibling:E,setScopeId:T=vi,insertStaticContent:y}=e,M=(ce,Ee,He,we=null,ze=null,pe=null,Re=!1,Ne=null,Ie=!!Ee.dynamicChildren)=>{if(ce===Ee)return;ce&&!ba(ce,Ee)&&(we=bt(ce),oe(ce,ze,pe,!0),ce=null),Ee.patchFlag===-2&&(Ie=!1,Ee.dynamicChildren=null);const{type:Ue,ref:Ve,shapeFlag:lt}=Ee;switch(Ue){case js:v(ce,Ee,He,we);break;case Dr:A(ce,Ee,He,we);break;case Hs:ce==null&&O(Ee,He,we,Re);break;case hr:ue(ce,Ee,He,we,ze,pe,Re,Ne,Ie);break;default:lt&1?L(ce,Ee,He,we,ze,pe,Re,Ne,Ie):lt&6?Z(ce,Ee,He,we,ze,pe,Re,Ne,Ie):(lt&64||lt&128)&&Ue.process(ce,Ee,He,we,ze,pe,Re,Ne,Ie,ct)}Ve!=null&&ze&&wd(Ve,ce&&ce.ref,pe,Ee||ce,!Ee)},v=(ce,Ee,He,we)=>{if(ce==null)r(Ee.el=u(Ee.children),He,we);else{const ze=Ee.el=ce.el;Ee.children!==ce.children&&d(ze,Ee.children)}},A=(ce,Ee,He,we)=>{ce==null?r(Ee.el=c(Ee.children||""),He,we):Ee.el=ce.el},O=(ce,Ee,He,we)=>{[ce.el,ce.anchor]=y(ce.children,Ee,He,we,ce.el,ce.anchor)},N=({el:ce,anchor:Ee},He,we)=>{let ze;for(;ce&&ce!==Ee;)ze=E(ce),r(ce,He,we),ce=ze;r(Ee,He,we)},R=({el:ce,anchor:Ee})=>{let He;for(;ce&&ce!==Ee;)He=E(ce),a(ce),ce=He;a(Ee)},L=(ce,Ee,He,we,ze,pe,Re,Ne,Ie)=>{Re=Re||Ee.type==="svg",ce==null?I(Ee,He,we,ze,pe,Re,Ne,Ie):F(ce,Ee,ze,pe,Re,Ne,Ie)},I=(ce,Ee,He,we,ze,pe,Re,Ne)=>{let Ie,Ue;const{type:Ve,props:lt,shapeFlag:ge,transition:de,dirs:be}=ce;if(Ie=ce.el=l(ce.type,pe,lt&&lt.is,lt),ge&8?S(Ie,ce.children):ge&16&&k(ce.children,Ie,null,we,ze,pe&&Ve!=="foreignObject",Re,Ne),be&&Ba(ce,null,we,"created"),h(Ie,ce,ce.scopeId,Re,we),lt){for(const ee in lt)ee!=="value"&&!Nl(ee)&&o(Ie,ee,null,lt[ee],pe,ce.children,we,ze,rt);"value"in lt&&o(Ie,"value",null,lt.value),(Ue=lt.onVnodeBeforeMount)&&Ei(Ue,we,ce)}be&&Ba(ce,null,we,"beforeMount");const H=UN(ze,de);H&&de.beforeEnter(Ie),r(Ie,Ee,He),((Ue=lt&&lt.onVnodeMounted)||H||be)&&$n(()=>{Ue&&Ei(Ue,we,ce),H&&de.enter(Ie),be&&Ba(ce,null,we,"mounted")},ze)},h=(ce,Ee,He,we,ze)=>{if(He&&T(ce,He),we)for(let pe=0;pe<we.length;pe++)T(ce,we[pe]);if(ze){let pe=ze.subTree;if(Ee===pe){const Re=ze.vnode;h(ce,Re,Re.scopeId,Re.slotScopeIds,ze.parent)}}},k=(ce,Ee,He,we,ze,pe,Re,Ne,Ie=0)=>{for(let Ue=Ie;Ue<ce.length;Ue++){const Ve=ce[Ue]=Ne?$o(ce[Ue]):Pi(ce[Ue]);M(null,Ve,Ee,He,we,ze,pe,Re,Ne)}},F=(ce,Ee,He,we,ze,pe,Re)=>{const Ne=Ee.el=ce.el;let{patchFlag:Ie,dynamicChildren:Ue,dirs:Ve}=Ee;Ie|=ce.patchFlag&16;const lt=ce.props||yn,ge=Ee.props||yn;let de;He&&vs(He,!1),(de=ge.onVnodeBeforeUpdate)&&Ei(de,He,Ee,ce),Ve&&Ba(Ee,ce,He,"beforeUpdate"),He&&vs(He,!0);const be=ze&&Ee.type!=="foreignObject";if(Ue?z(ce.dynamicChildren,Ue,Ne,He,we,be,pe):Re||G(ce,Ee,Ne,null,He,we,be,pe,!1),Ie>0){if(Ie&16)K(Ne,Ee,lt,ge,He,we,ze);else if(Ie&2&&lt.class!==ge.class&&o(Ne,"class",null,ge.class,ze),Ie&4&&o(Ne,"style",lt.style,ge.style,ze),Ie&8){const H=Ee.dynamicProps;for(let ee=0;ee<H.length;ee++){const _e=H[ee],U=lt[_e],Q=ge[_e];(Q!==U||_e==="value")&&o(Ne,_e,U,Q,ze,ce.children,He,we,rt)}}Ie&1&&ce.children!==Ee.children&&S(Ne,Ee.children)}else!Re&&Ue==null&&K(Ne,Ee,lt,ge,He,we,ze);((de=ge.onVnodeUpdated)||Ve)&&$n(()=>{de&&Ei(de,He,Ee,ce),Ve&&Ba(Ee,ce,He,"updated")},we)},z=(ce,Ee,He,we,ze,pe,Re)=>{for(let Ne=0;Ne<Ee.length;Ne++){const Ie=ce[Ne],Ue=Ee[Ne],Ve=Ie.el&&(Ie.type===hr||!ba(Ie,Ue)||Ie.shapeFlag&70)?_(Ie.el):He;M(Ie,Ue,Ve,null,we,ze,pe,Re,!0)}},K=(ce,Ee,He,we,ze,pe,Re)=>{if(He!==we){if(He!==yn)for(const Ne in He)!Nl(Ne)&&!(Ne in we)&&o(ce,Ne,He[Ne],null,Re,Ee.children,ze,pe,rt);for(const Ne in we){if(Nl(Ne))continue;const Ie=we[Ne],Ue=He[Ne];Ie!==Ue&&Ne!=="value"&&o(ce,Ne,Ue,Ie,Re,Ee.children,ze,pe,rt)}"value"in we&&o(ce,"value",He.value,we.value)}},ue=(ce,Ee,He,we,ze,pe,Re,Ne,Ie)=>{const Ue=Ee.el=ce?ce.el:u(""),Ve=Ee.anchor=ce?ce.anchor:u("");let{patchFlag:lt,dynamicChildren:ge,slotScopeIds:de}=Ee;de&&(Ne=Ne?Ne.concat(de):de),ce==null?(r(Ue,He,we),r(Ve,He,we),k(Ee.children,He,Ve,ze,pe,Re,Ne,Ie)):lt>0&&lt&64&&ge&&ce.dynamicChildren?(z(ce.dynamicChildren,ge,He,ze,pe,Re,Ne),(Ee.key!=null||ze&&Ee===ze.subTree)&&gS(ce,Ee,!0)):G(ce,Ee,He,Ve,ze,pe,Re,Ne,Ie)},Z=(ce,Ee,He,we,ze,pe,Re,Ne,Ie)=>{Ee.slotScopeIds=Ne,ce==null?Ee.shapeFlag&512?ze.ctx.activate(Ee,He,we,Re,Ie):fe(Ee,He,we,ze,pe,Re,Ie):V(ce,Ee,Ie)},fe=(ce,Ee,He,we,ze,pe,Re)=>{const Ne=ce.isCompatRoot&&ce.component,Ie=Ne||(ce.component=SS(ce,we,ze));if(bc(ce)&&(Ie.ctx.renderer=ct),Ne||vS(Ie),Ie.asyncDep){if(ze&&ze.registerDep(Ie,ne),!ce.el){const Ue=Ie.subTree=En(Dr);A(null,Ue,Ee,He)}return}ne(Ie,ce,Ee,He,ze,pe,Re)},V=(ce,Ee,He)=>{const we=Ee.component=ce.component;if(y3(ce,Ee,He))if(we.asyncDep&&!we.asyncResolved){te(we,Ee,He);return}else we.next=Ee,l3(we.update),we.update();else Ee.el=ce.el,we.vnode=Ee},ne=(ce,Ee,He,we,ze,pe,Re)=>{const Ne=()=>{if(ce.isMounted){let{next:Ve,bu:lt,u:ge,parent:de,vnode:be}=ce,H=Ve,ee;vs(ce,!1),Ve?(Ve.el=be.el,te(ce,Ve,Re)):Ve=be,lt&&Jo(lt),(ee=Ve.props&&Ve.props.onVnodeBeforeUpdate)&&Ei(ee,de,Ve,be),Sn("INSTANCE_EVENT_HOOKS",ce)&&ce.emit("hook:beforeUpdate"),vs(ce,!0);const _e=pd(ce),U=ce.subTree;ce.subTree=_e,M(U,_e,_(U.el),bt(U),ce,ze,pe),Ve.el=_e.el,H===null&&lS(ce,_e.el),ge&&$n(ge,ze),(ee=Ve.props&&Ve.props.onVnodeUpdated)&&$n(()=>Ei(ee,de,Ve,be),ze),Sn("INSTANCE_EVENT_HOOKS",ce)&&$n(()=>ce.emit("hook:updated"),ze)}else{let Ve;const{el:lt,props:ge}=Ee,{bm:de,m:be,parent:H}=ce,ee=Fs(Ee);if(vs(ce,!1),de&&Jo(de),!ee&&(Ve=ge&&ge.onVnodeBeforeMount)&&Ei(Ve,H,Ee),Sn("INSTANCE_EVENT_HOOKS",ce)&&ce.emit("hook:beforeMount"),vs(ce,!0),lt&&nt){const _e=()=>{ce.subTree=pd(ce),nt(lt,ce.subTree,ce,ze,null)};ee?Ee.type.__asyncLoader().then(()=>!ce.isUnmounted&&_e()):_e()}else{const _e=ce.subTree=pd(ce);M(null,_e,He,we,ce,ze,pe),Ee.el=_e.el}if(be&&$n(be,ze),!ee&&(Ve=ge&&ge.onVnodeMounted)){const _e=Ee;$n(()=>Ei(Ve,H,_e),ze)}Sn("INSTANCE_EVENT_HOOKS",ce)&&$n(()=>ce.emit("hook:mounted"),ze),(Ee.shapeFlag&256||H&&Fs(H.vnode)&&H.vnode.shapeFlag&256)&&(ce.a&&$n(ce.a,ze),Sn("INSTANCE_EVENT_HOOKS",ce)&&$n(()=>ce.emit("hook:activated"),ze)),ce.isMounted=!0,Ee=He=we=null}},Ie=ce.effect=new Gl(Ne,()=>Tf(Ue),ce.scope),Ue=ce.update=()=>Ie.run();Ue.id=ce.uid,vs(ce,!0),Ue()},te=(ce,Ee,He)=>{Ee.component=ce;const we=ce.vnode.props;ce.vnode=Ee,ce.next=null,kG(ce,Ee.props,we,He),BG(ce,Ee.children,He),nu(),SC(),ru()},G=(ce,Ee,He,we,ze,pe,Re,Ne,Ie=!1)=>{const Ue=ce&&ce.children,Ve=ce?ce.shapeFlag:0,lt=Ee.children,{patchFlag:ge,shapeFlag:de}=Ee;if(ge>0){if(ge&128){ve(Ue,lt,He,we,ze,pe,Re,Ne,Ie);return}else if(ge&256){se(Ue,lt,He,we,ze,pe,Re,Ne,Ie);return}}de&8?(Ve&16&&rt(Ue,ze,pe),lt!==Ue&&S(He,lt)):Ve&16?de&16?ve(Ue,lt,He,we,ze,pe,Re,Ne,Ie):rt(Ue,ze,pe,!0):(Ve&8&&S(He,""),de&16&&k(lt,He,we,ze,pe,Re,Ne,Ie))},se=(ce,Ee,He,we,ze,pe,Re,Ne,Ie)=>{ce=ce||Ol,Ee=Ee||Ol;const Ue=ce.length,Ve=Ee.length,lt=Math.min(Ue,Ve);let ge;for(ge=0;ge<lt;ge++){const de=Ee[ge]=Ie?$o(Ee[ge]):Pi(Ee[ge]);M(ce[ge],de,He,null,ze,pe,Re,Ne,Ie)}Ue>Ve?rt(ce,ze,pe,!0,!1,lt):k(Ee,He,we,ze,pe,Re,Ne,Ie,lt)},ve=(ce,Ee,He,we,ze,pe,Re,Ne,Ie)=>{let Ue=0;const Ve=Ee.length;let lt=ce.length-1,ge=Ve-1;for(;Ue<=lt&&Ue<=ge;){const de=ce[Ue],be=Ee[Ue]=Ie?$o(Ee[Ue]):Pi(Ee[Ue]);if(ba(de,be))M(de,be,He,null,ze,pe,Re,Ne,Ie);else break;Ue++}for(;Ue<=lt&&Ue<=ge;){const de=ce[lt],be=Ee[ge]=Ie?$o(Ee[ge]):Pi(Ee[ge]);if(ba(de,be))M(de,be,He,null,ze,pe,Re,Ne,Ie);else break;lt--,ge--}if(Ue>lt){if(Ue<=ge){const de=ge+1,be=de<Ve?Ee[de].el:we;for(;Ue<=ge;)M(null,Ee[Ue]=Ie?$o(Ee[Ue]):Pi(Ee[Ue]),He,be,ze,pe,Re,Ne,Ie),Ue++}}else if(Ue>ge)for(;Ue<=lt;)oe(ce[Ue],ze,pe,!0),Ue++;else{const de=Ue,be=Ue,H=new Map;for(Ue=be;Ue<=ge;Ue++){const je=Ee[Ue]=Ie?$o(Ee[Ue]):Pi(Ee[Ue]);je.key!=null&&H.set(je.key,Ue)}let ee,_e=0;const U=ge-be+1;let Q=!1,he=0;const Le=new Array(U);for(Ue=0;Ue<U;Ue++)Le[Ue]=0;for(Ue=de;Ue<=lt;Ue++){const je=ce[Ue];if(_e>=U){oe(je,ze,pe,!0);continue}let at;if(je.key!=null)at=H.get(je.key);else for(ee=be;ee<=ge;ee++)if(Le[ee-be]===0&&ba(je,Ee[ee])){at=ee;break}at===void 0?oe(je,ze,pe,!0):(Le[at-be]=Ue+1,at>=he?he=at:Q=!0,M(je,Ee[at],He,null,ze,pe,Re,Ne,Ie),_e++)}const Xe=Q?GG(Le):Ol;for(ee=Xe.length-1,Ue=U-1;Ue>=0;Ue--){const je=be+Ue,at=Ee[je],ke=je+1<Ve?Ee[je+1].el:we;Le[Ue]===0?M(null,at,He,ke,ze,pe,Re,Ne,Ie):Q&&(ee<0||Ue!==Xe[ee]?Ge(at,He,ke,2):ee--)}}},Ge=(ce,Ee,He,we,ze=null)=>{const{el:pe,type:Re,transition:Ne,children:Ie,shapeFlag:Ue}=ce;if(Ue&6){Ge(ce.component.subTree,Ee,He,we);return}if(Ue&128){ce.suspense.move(Ee,He,we);return}if(Ue&64){Re.move(ce,Ee,He,ct);return}if(Re===hr){r(pe,Ee,He);for(let lt=0;lt<Ie.length;lt++)Ge(Ie[lt],Ee,He,we);r(ce.anchor,Ee,He);return}if(Re===Hs){N(ce,Ee,He);return}if(we!==2&&Ue&1&&Ne)if(we===0)Ne.beforeEnter(pe),r(pe,Ee,He),$n(()=>Ne.enter(pe),ze);else{const{leave:lt,delayLeave:ge,afterLeave:de}=Ne,be=()=>r(pe,Ee,He),H=()=>{lt(pe,()=>{be(),de&&de()})};ge?ge(pe,be,H):H()}else r(pe,Ee,He)},oe=(ce,Ee,He,we=!1,ze=!1)=>{const{type:pe,props:Re,ref:Ne,children:Ie,dynamicChildren:Ue,shapeFlag:Ve,patchFlag:lt,dirs:ge}=ce;if(Ne!=null&&wd(Ne,null,He,ce,!0),Ve&256){Ee.ctx.deactivate(ce);return}const de=Ve&1&&ge,be=!Fs(ce);let H;if(be&&(H=Re&&Re.onVnodeBeforeUnmount)&&Ei(H,Ee,ce),Ve&6)tt(ce.component,He,we);else{if(Ve&128){ce.suspense.unmount(He,we);return}de&&Ba(ce,null,Ee,"beforeUnmount"),Ve&64?ce.type.remove(ce,Ee,He,ze,ct,we):Ue&&(pe!==hr||lt>0&&lt&64)?rt(Ue,Ee,He,!1,!0):(pe===hr&&lt&384||!ze&&Ve&16)&&rt(Ie,Ee,He),we&&W(ce)}(be&&(H=Re&&Re.onVnodeUnmounted)||de)&&$n(()=>{H&&Ei(H,Ee,ce),de&&Ba(ce,null,Ee,"unmounted")},He)},W=ce=>{const{type:Ee,el:He,anchor:we,transition:ze}=ce;if(Ee===hr){Oe(He,we);return}if(Ee===Hs){R(ce);return}const pe=()=>{a(He),ze&&!ze.persisted&&ze.afterLeave&&ze.afterLeave()};if(ce.shapeFlag&1&&ze&&!ze.persisted){const{leave:Re,delayLeave:Ne}=ze,Ie=()=>Re(He,pe);Ne?Ne(ce.el,pe,Ie):Ie()}else pe()},Oe=(ce,Ee)=>{let He;for(;ce!==Ee;)He=E(ce),a(ce),ce=He;a(Ee)},tt=(ce,Ee,He)=>{const{bum:we,scope:ze,update:pe,subTree:Re,um:Ne}=ce;we&&Jo(we),Sn("INSTANCE_EVENT_HOOKS",ce)&&ce.emit("hook:beforeDestroy"),ze.stop(),pe&&(pe.active=!1,oe(Re,ce,Ee,He)),Ne&&$n(Ne,Ee),Sn("INSTANCE_EVENT_HOOKS",ce)&&$n(()=>ce.emit("hook:destroyed"),Ee),$n(()=>{ce.isUnmounted=!0},Ee),Ee&&Ee.pendingBranch&&!Ee.isUnmounted&&ce.asyncDep&&!ce.asyncResolved&&ce.suspenseId===Ee.pendingId&&(Ee.deps--,Ee.deps===0&&Ee.resolve())},rt=(ce,Ee,He,we=!1,ze=!1,pe=0)=>{for(let Re=pe;Re<ce.length;Re++)oe(ce[Re],Ee,He,we,ze)},bt=ce=>ce.shapeFlag&6?bt(ce.component.subTree):ce.shapeFlag&128?ce.suspense.next():E(ce.anchor||ce.el),dt=(ce,Ee,He)=>{ce==null?Ee._vnode&&oe(Ee._vnode,null,null,!0):M(Ee._vnode||null,ce,Ee,null,null,null,He),SC(),Dd(),Ee._vnode=ce},ct={p:M,um:oe,m:Ge,r:W,mt:fe,mc:k,pc:G,pbc:z,n:bt,o:e};let Ze,nt;return t&&([Ze,nt]=t(ct)),{render:dt,hydrate:Ze,createApp:xG(dt,Ze)}}function vs({effect:e,update:t},n){e.allowRecurse=t.allowRecurse=n}function UN(e,t){return(!e||e&&!e.pendingBranch)&&t&&!t.persisted}function gS(e,t,n=!1){const r=e.children,a=t.children;if(Rt(r)&&Rt(a))for(let o=0;o<r.length;o++){const l=r[o];let u=a[o];u.shapeFlag&1&&!u.dynamicChildren&&((u.patchFlag<=0||u.patchFlag===32)&&(u=a[o]=$o(a[o]),u.el=l.el),n||gS(l,u)),u.type===js&&(u.el=l.el)}}function GG(e){const t=e.slice(),n=[0];let r,a,o,l,u;const c=e.length;for(r=0;r<c;r++){const d=e[r];if(d!==0){if(a=n[n.length-1],e[a]<d){t[r]=a,n.push(r);continue}for(o=0,l=n.length-1;o<l;)u=o+l>>1,e[n[u]]<d?o=u+1:l=u;d<e[n[o]]&&(o>0&&(t[r]=n[o-1]),n[o]=r)}}for(o=n.length,l=n[o-1];o-- >0;)n[o]=l,l=t[l];return n}const HG=e=>e.__isTeleport,Pu=e=>e&&(e.disabled||e.disabled===""),PC=e=>typeof SVGElement<"u"&&e instanceof SVGElement,Wh=(e,t)=>{const n=e&&e.to;return xn(n)?t?t(n):null:n},qG={__isTeleport:!0,process(e,t,n,r,a,o,l,u,c,d){const{mc:S,pc:_,pbc:E,o:{insert:T,querySelector:y,createText:M,createComment:v}}=d,A=Pu(t.props);let{shapeFlag:O,children:N,dynamicChildren:R}=t;if(e==null){const L=t.el=M(""),I=t.anchor=M("");T(L,n,r),T(I,n,r);const h=t.target=Wh(t.props,y),k=t.targetAnchor=M("");h&&(T(k,h),l=l||PC(h));const F=(z,K)=>{O&16&&S(N,z,K,a,o,l,u,c)};A?F(n,I):h&&F(h,k)}else{t.el=e.el;const L=t.anchor=e.anchor,I=t.target=e.target,h=t.targetAnchor=e.targetAnchor,k=Pu(e.props),F=k?n:I,z=k?L:h;if(l=l||PC(I),R?(E(e.dynamicChildren,R,F,a,o,l,u),gS(e,t,!0)):c||_(e,t,F,z,a,o,l,u,!1),A)k?t.props&&e.props&&t.props.to!==e.props.to&&(t.props.to=e.props.to):ld(t,n,L,d,1);else if((t.props&&t.props.to)!==(e.props&&e.props.to)){const K=t.target=Wh(t.props,y);K&&ld(t,K,null,d,0)}else k&&ld(t,I,h,d,1)}GN(t)},remove(e,t,n,r,{um:a,o:{remove:o}},l){const{shapeFlag:u,children:c,anchor:d,targetAnchor:S,target:_,props:E}=e;if(_&&o(S),l&&o(d),u&16){const T=l||!Pu(E);for(let y=0;y<c.length;y++){const M=c[y];a(M,t,n,T,!!M.dynamicChildren)}}},move:ld,hydrate:YG};function ld(e,t,n,{o:{insert:r},m:a},o=2){o===0&&r(e.targetAnchor,t,n);const{el:l,anchor:u,shapeFlag:c,children:d,props:S}=e,_=o===2;if(_&&r(l,t,n),(!_||Pu(S))&&c&16)for(let E=0;E<d.length;E++)a(d[E],t,n,2);_&&r(u,t,n)}function YG(e,t,n,r,a,o,{o:{nextSibling:l,parentNode:u,querySelector:c}},d){const S=t.target=Wh(t.props,c);if(S){const _=S._lpa||S.firstChild;if(t.shapeFlag&16)if(Pu(t.props))t.anchor=d(l(e),t,u(e),n,r,a,o),t.targetAnchor=_;else{t.anchor=l(e);let E=_;for(;E;)if(E=l(E),E&&E.nodeType===8&&E.data==="teleport anchor"){t.targetAnchor=E,S._lpa=t.targetAnchor&&l(t.targetAnchor);break}d(_,t,S,n,r,a,o)}GN(t)}return t.anchor&&l(t.anchor)}const WG=qG;function GN(e){const t=e.ctx;if(t&&t.ut){let n=e.children[0].el;for(;n&&n!==e.targetAnchor;)n.nodeType===1&&n.setAttribute("data-v-owner",t.uid),n=n.nextSibling;t.ut()}}const oh=new WeakMap;function VG(e){if(oh.has(e))return oh.get(e);let t,n;const r=new Promise((l,u)=>{t=l,n=u}),a=e(t,n);let o;return gf(a)?o=_d(()=>a):ln(a)&&!Bi(a)&&!Rt(a)?o=_d({loader:()=>a.component,loadingComponent:a.loading,errorComponent:a.error,delay:a.delay,timeout:a.timeout}):a==null?o=_d(()=>r):o=e,oh.set(e,o),o}function zG(e,t){return e.__isBuiltIn?e:(Ft(e)&&e.cid&&(e=e.options),Ft(e)&&yf("COMPONENT_ASYNC",t,e)?VG(e):ln(e)&&e.functional&&yo("COMPONENT_FUNCTIONAL",t,e)?W3(e):e)}const hr=Symbol.for("v-fgt"),js=Symbol.for("v-txt"),Dr=Symbol.for("v-cmt"),Hs=Symbol.for("v-stc"),Fu=[];let bi=null;function ki(e=!1){Fu.push(bi=e?null:[])}function HN(){Fu.pop(),bi=Fu[Fu.length-1]||null}let Xs=1;function Vh(e){Xs+=e}function qN(e){return e.dynamicChildren=Xs>0?bi||Ol:null,HN(),Xs>0&&bi&&bi.push(e),e}function Ma(e,t,n,r,a,o){return qN(on(e,t,n,r,a,o,!0))}function hS(e,t,n,r,a){return qN(En(e,t,n,r,a,!0))}function Bi(e){return e?e.__v_isVNode===!0:!1}function ba(e,t){return e.type===t.type&&e.key===t.key}function KG(e){}const Df="__vInternal",YN=({key:e})=>e!=null?e:null,md=({ref:e,ref_key:t,ref_for:n})=>(typeof e=="number"&&(e=""+e),e!=null?xn(e)||sr(e)||Ft(e)?{i:Yn,r:e,k:t,f:!!n}:e:null);function on(e,t=null,n=null,r=0,a=null,o=e===hr?0:1,l=!1,u=!1){const c={__v_isVNode:!0,__v_skip:!0,type:e,props:t,key:t&&YN(t),ref:t&&md(t),scopeId:wl,slotScopeIds:null,children:n,component:null,suspense:null,ssContent:null,ssFallback:null,dirs:null,transition:null,el:null,anchor:null,target:null,targetAnchor:null,staticCount:0,shapeFlag:o,patchFlag:r,dynamicProps:a,dynamicChildren:null,appContext:null,ctx:Yn};return u?(xf(c,n),o&128&&e.normalize(c)):n&&(c.shapeFlag|=xn(n)?8:16),Xs>0&&!l&&bi&&(c.patchFlag>0||o&6)&&c.patchFlag!==32&&bi.push(c),_3(c),gN(c),c}const En=$G;function $G(e,t=null,n=null,r=0,a=null,o=!1){if((!e||e===VR)&&(e=Dr),Bi(e)){const u=va(e,t,!0);return n&&xf(u,n),Xs>0&&!o&&bi&&(u.shapeFlag&6?bi[bi.indexOf(e)]=u:bi.push(u)),u.patchFlag|=-2,u}if(eH(e)&&(e=e.__vccOpts),e=zG(e,Yn),t){t=WN(t);let{class:u,style:c}=t;u&&!xn(u)&&(t.class=Va(u)),ln(c)&&(jE(c)&&!Rt(c)&&(c=sn({},c)),t.style=tu(c))}const l=xn(e)?1:QR(e)?128:HG(e)?64:ln(e)?4:Ft(e)?2:0;return on(e,t,n,r,a,l,o,!0)}function WN(e){return e?jE(e)||Df in e?sn({},e):e:null}function va(e,t,n=!1){const{props:r,ref:a,patchFlag:o,children:l}=e,u=t?wf(r||{},t):r,c={__v_isVNode:!0,__v_skip:!0,type:e.type,props:u,key:u&&YN(u),ref:t&&t.ref?n&&a?Rt(a)?a.concat(md(t)):[a,md(t)]:md(t):a,scopeId:e.scopeId,slotScopeIds:e.slotScopeIds,children:l,target:e.target,targetAnchor:e.targetAnchor,staticCount:e.staticCount,shapeFlag:e.shapeFlag,patchFlag:t&&e.type!==hr?o===-1?16:o|16:o,dynamicProps:e.dynamicProps,dynamicChildren:e.dynamicChildren,appContext:e.appContext,dirs:e.dirs,transition:e.transition,component:e.component,suspense:e.suspense,ssContent:e.ssContent&&va(e.ssContent),ssFallback:e.ssFallback&&va(e.ssFallback),el:e.el,anchor:e.anchor,ctx:e.ctx,ce:e.ce};return gN(c),c}function ql(e=" ",t=0){return En(js,null,e,t)}function ES(e,t){const n=En(Hs,null,e);return n.staticCount=t,n}function Ld(e="",t=!1){return t?(ki(),hS(Dr,null,e)):En(Dr,null,e)}function Pi(e){return e==null||typeof e=="boolean"?En(Dr):Rt(e)?En(hr,null,e.slice()):typeof e=="object"?$o(e):En(js,null,String(e))}function $o(e){return e.el===null&&e.patchFlag!==-1||e.memo?e:va(e)}function xf(e,t){let n=0;const{shapeFlag:r}=e;if(t==null)t=null;else if(Rt(t))n=16;else if(typeof t=="object")if(r&65){const a=t.default;a&&(a._c&&(a._d=!1),xf(e,a()),a._c&&(a._d=!0));return}else{n=32;const a=t._;!a&&!(Df in t)?t._ctx=Yn:a===3&&Yn&&(Yn.slots._===1?t._=1:(t._=2,e.patchFlag|=1024))}else Ft(t)?(t={default:t,_ctx:Yn},n=32):(t=String(t),r&64?(n=16,t=[ql(t)]):n=8);e.children=t,e.shapeFlag|=n}function wf(...e){const t={};for(let n=0;n<e.length;n++){const r=e[n];for(const a in r)if(a==="class")t.class!==r.class&&(t.class=Va([t.class,r.class]));else if(a==="style")t.style=tu([t.style,r.style]);else if(Co(a)){const o=t[a],l=r[a];l&&o!==l&&!(Rt(o)&&o.includes(l))&&(t[a]=o?[].concat(o,l):l)}else a!==""&&(t[a]=r[a])}return t}function Ei(e,t,n,r=null){Ti(e,t,7,[n,r])}const QG=NN();let jG=0;function SS(e,t,n){const r=e.type,a=(t?t.appContext:e.appContext)||QG,o={uid:jG++,vnode:e,type:r,parent:t,appContext:a,root:null,next:null,subTree:null,effect:null,update:null,scope:new zE(!0),render:null,proxy:null,exposed:null,exposeProxy:null,withProxy:null,provides:t?t.provides:Object.create(a.provides),accessCache:null,renderCache:[],components:null,directives:null,propsOptions:wN(r,a),emitsOptions:WR(r,a),emit:null,emitted:null,propsDefaults:yn,inheritAttrs:r.inheritAttrs,ctx:yn,data:yn,props:yn,attrs:yn,slots:yn,refs:yn,setupState:yn,setupContext:null,attrsProxy:null,slotsProxy:null,suspense:n,suspenseId:n?n.pendingId:0,asyncDep:null,asyncResolved:!1,isMounted:!1,isUnmounted:!1,isDeactivated:!1,bc:null,c:null,bm:null,m:null,bu:null,u:null,um:null,bum:null,da:null,a:null,rtg:null,rtc:null,ec:null,sp:null};return o.ctx={_:o},o.root=t?t.root:o,o.emit=g3.bind(null,o),e.ce&&e.ce(o),o}let Xn=null;const Aa=()=>Xn||Yn;let bS,Tl,FC="__VUE_INSTANCE_SETTERS__";(Tl=Lh()[FC])||(Tl=Lh()[FC]=[]),Tl.push(e=>Xn=e),bS=e=>{Tl.length>1?Tl.forEach(t=>t(e)):Tl[0](e)};const us=e=>{bS(e),e.scope.on()},ts=()=>{Xn&&Xn.scope.off(),bS(null)};function VN(e){return e.vnode.shapeFlag&4}let Yl=!1;function vS(e,t=!1){Yl=t;const{props:n,children:r}=e.vnode,a=VN(e);MG(e,n,a,t),FG(e,r);const o=a?XG(e,t):void 0;return Yl=!1,o}function XG(e,t){const n=e.type;e.accessCache=Object.create(null),e.proxy=XE(new Proxy(e.ctx,Gh));const{setup:r}=n;if(r){const a=e.setupContext=r.length>1?zN(e):null;us(e),nu();const o=Ya(r,e,0,[e.props,a]);if(ru(),ts(),gf(o)){if(o.then(ts,ts),t)return o.then(l=>{zh(e,l,t)}).catch(l=>{el(l,e,0)});e.asyncDep=o}else zh(e,o,t)}else TS(e,t)}function zh(e,t,n){Ft(t)?e.type.__ssrInlineRender?e.ssrRender=t:e.render=t:ln(t)&&(e.setupState=tS(t)),TS(e,n)}let Md,Kh;function ZG(e){Md=e,Kh=t=>{t.render._rc&&(t.withProxy=new Proxy(t.ctx,nG))}}const $h=()=>!Md;function TS(e,t,n){const r=e.type;if(H3(e),!e.render){if(!t&&Md&&!r.render){const a=e.vnode.props&&e.vnode.props["inline-template"]||r.template||Tc(e).template;if(a){const{isCustomElement:o,compilerOptions:l}=e.appContext.config,{delimiters:u,compilerOptions:c}=r,d=sn(sn({isCustomElement:o,delimiters:u},l),c);d.compatConfig=Object.create(rS),r.compatConfig&&sn(d.compatConfig,r.compatConfig),r.render=Md(a,d)}}e.render=r.render||vi,Kh&&Kh(e)}if(!n){us(e),nu();try{hG(e)}finally{ru(),ts()}}}function JG(e){return e.attrsProxy||(e.attrsProxy=new Proxy(e.attrs,{get(t,n){return ri(e,"get","$attrs"),t[n]}}))}function zN(e){const t=n=>{e.exposed=n||{}};return{get attrs(){return JG(e)},slots:e.slots,emit:e.emit,expose:t}}function Lf(e){if(e.exposed)return e.exposeProxy||(e.exposeProxy=new Proxy(tS(XE(e.exposed)),{get(t,n){if(n in t)return t[n];if(n in Ml)return Ml[n](e)},has(t,n){return n in t||n in Ml}}))}function Qh(e,t=!0){return Ft(e)?e.displayName||e.name:e.name||t&&e.__name}function eH(e){return Ft(e)&&"__vccOpts"in e}const KN=(e,t)=>r3(e,t,Yl);function $N(e,t,n){const r=arguments.length;return r===2?ln(t)&&!Rt(t)?Bi(t)?En(e,null,[t]):En(e,t):En(e,null,t):(r>3?n=Array.prototype.slice.call(arguments,2):r===3&&Bi(n)&&(n=[n]),En(e,t,n))}const QN=Symbol.for("v-scx"),jN=()=>Gs(QN);function tH(){}function nH(e,t,n,r){const a=n[r];if(a&&XN(a,e))return a;const o=t();return o.memo=e.slice(),n[r]=o}function XN(e,t){const n=e.memo;if(n.length!=t.length)return!1;for(let r=0;r<n.length;r++)if(os(n[r],t[r]))return!1;return Xs>0&&bi&&bi.push(e),!0}const ZN="3.3.8",rH={createComponentInstance:SS,setupComponent:vS,renderComponentRoot:pd,setCurrentRenderingInstance:ec,isVNode:Bi,normalizeVNode:Pi},iH=rH,aH=$R,oH={warnDeprecation:c3,createCompatVue:vG,isCompatEnabled:Sn,checkCompatEnabled:yf,softAssertCompatEnabled:yo},za=oH,sH="http://www.w3.org/2000/svg",Rs=typeof document<"u"?document:null,BC=Rs&&Rs.createElement("template"),lH={insert:(e,t,n)=>{t.insertBefore(e,n||null)},remove:e=>{const t=e.parentNode;t&&t.removeChild(e)},createElement:(e,t,n,r)=>{const a=t?Rs.createElementNS(sH,e):Rs.createElement(e,n?{is:n}:void 0);return e==="select"&&r&&r.multiple!=null&&a.setAttribute("multiple",r.multiple),a},createText:e=>Rs.createTextNode(e),createComment:e=>Rs.createComment(e),setText:(e,t)=>{e.nodeValue=t},setElementText:(e,t)=>{e.textContent=t},parentNode:e=>e.parentNode,nextSibling:e=>e.nextSibling,querySelector:e=>Rs.querySelector(e),setScopeId(e,t){e.setAttribute(t,"")},insertStaticContent(e,t,n,r,a,o){const l=n?n.previousSibling:t.lastChild;if(a&&(a===o||a.nextSibling))for(;t.insertBefore(a.cloneNode(!0),n),!(a===o||!(a=a.nextSibling)););else{BC.innerHTML=r?`<svg>${e}</svg>`:e;const u=BC.content;if(r){const c=u.firstChild;for(;c.firstChild;)u.appendChild(c.firstChild);u.removeChild(c)}t.insertBefore(u,n)}return[l?l.nextSibling:t.firstChild,n?n.previousSibling:t.lastChild]}},Vo="transition",Ru="animation",Wl=Symbol("_vtc"),yc=(e,{slots:t})=>$N(tN,eI(e),t);yc.displayName="Transition";yc.__isBuiltIn=!0;const JN={name:String,type:String,css:{type:Boolean,default:!0},duration:[String,Number,Object],enterFromClass:String,enterActiveClass:String,enterToClass:String,appearFromClass:String,appearActiveClass:String,appearToClass:String,leaveFromClass:String,leaveActiveClass:String,leaveToClass:String},uH=yc.props=sn({},fS,JN),Ts=(e,t=[])=>{Rt(e)?e.forEach(n=>n(...t)):e&&e(...t)},UC=e=>e?Rt(e)?e.some(t=>t.length>1):e.length>1:!1;function eI(e){const t={};for(const ne in e)ne in JN||(t[ne]=e[ne]);if(e.css===!1)return t;const{name:n="v",type:r,duration:a,enterFromClass:o=`${n}-enter-from`,enterActiveClass:l=`${n}-enter-active`,enterToClass:u=`${n}-enter-to`,appearFromClass:c=o,appearActiveClass:d=l,appearToClass:S=u,leaveFromClass:_=`${n}-leave-from`,leaveActiveClass:E=`${n}-leave-active`,leaveToClass:T=`${n}-leave-to`}=e,y=za.isCompatEnabled("TRANSITION_CLASSES",null);let M,v,A;if(y){const ne=te=>te.replace(/-from$/,"");e.enterFromClass||(M=ne(o)),e.appearFromClass||(v=ne(c)),e.leaveFromClass||(A=ne(_))}const O=cH(a),N=O&&O[0],R=O&&O[1],{onBeforeEnter:L,onEnter:I,onEnterCancelled:h,onLeave:k,onLeaveCancelled:F,onBeforeAppear:z=L,onAppear:K=I,onAppearCancelled:ue=h}=t,Z=(ne,te,G)=>{ka(ne,te?S:u),ka(ne,te?d:l),G&&G()},fe=(ne,te)=>{ne._isLeaving=!1,ka(ne,_),ka(ne,T),ka(ne,E),te&&te()},V=ne=>(te,G)=>{const se=ne?K:I,ve=()=>Z(te,ne,G);Ts(se,[te,ve]),GC(()=>{if(ka(te,ne?c:o),y){const Ge=ne?v:M;Ge&&ka(te,Ge)}na(te,ne?S:u),UC(se)||HC(te,r,N,ve)})};return sn(t,{onBeforeEnter(ne){Ts(L,[ne]),na(ne,o),y&&M&&na(ne,M),na(ne,l)},onBeforeAppear(ne){Ts(z,[ne]),na(ne,c),y&&v&&na(ne,v),na(ne,d)},onEnter:V(!1),onAppear:V(!0),onLeave(ne,te){ne._isLeaving=!0;const G=()=>fe(ne,te);na(ne,_),y&&A&&na(ne,A),nI(),na(ne,E),GC(()=>{!ne._isLeaving||(ka(ne,_),y&&A&&ka(ne,A),na(ne,T),UC(k)||HC(ne,r,R,G))}),Ts(k,[ne,G])},onEnterCancelled(ne){Z(ne,!1),Ts(h,[ne])},onAppearCancelled(ne){Z(ne,!0),Ts(ue,[ne])},onLeaveCancelled(ne){fe(ne),Ts(F,[ne])}})}function cH(e){if(e==null)return null;if(ln(e))return[sh(e.enter),sh(e.leave)];{const t=sh(e);return[t,t]}}function sh(e){return Od(e)}function na(e,t){t.split(/\s+/).forEach(n=>n&&e.classList.add(n)),(e[Wl]||(e[Wl]=new Set)).add(t)}function ka(e,t){t.split(/\s+/).forEach(r=>r&&e.classList.remove(r));const n=e[Wl];n&&(n.delete(t),n.size||(e[Wl]=void 0))}function GC(e){requestAnimationFrame(()=>{requestAnimationFrame(e)})}let dH=0;function HC(e,t,n,r){const a=e._endId=++dH,o=()=>{a===e._endId&&r()};if(n)return setTimeout(o,n);const{type:l,timeout:u,propCount:c}=tI(e,t);if(!l)return r();const d=l+"end";let S=0;const _=()=>{e.removeEventListener(d,E),o()},E=T=>{T.target===e&&++S>=c&&_()};setTimeout(()=>{S<c&&_()},u+1),e.addEventListener(d,E)}function tI(e,t){const n=window.getComputedStyle(e),r=y=>(n[y]||"").split(", "),a=r(`${Vo}Delay`),o=r(`${Vo}Duration`),l=qC(a,o),u=r(`${Ru}Delay`),c=r(`${Ru}Duration`),d=qC(u,c);let S=null,_=0,E=0;t===Vo?l>0&&(S=Vo,_=l,E=o.length):t===Ru?d>0&&(S=Ru,_=d,E=c.length):(_=Math.max(l,d),S=_>0?l>d?Vo:Ru:null,E=S?S===Vo?o.length:c.length:0);const T=S===Vo&&/\b(transform|all)(,|$)/.test(r(`${Vo}Property`).toString());return{type:S,timeout:_,propCount:E,hasTransform:T}}function qC(e,t){for(;e.length<t.length;)e=e.concat(e);return Math.max(...t.map((n,r)=>YC(n)+YC(e[r])))}function YC(e){return e==="auto"?0:Number(e.slice(0,-1).replace(",","."))*1e3}function nI(){return document.body.offsetHeight}function fH(e,t,n){const r=e[Wl];r&&(t=(t?[t,...r]:[...r]).join(" ")),t==null?e.removeAttribute("class"):n?e.setAttribute("class",t):e.className=t}const yS=Symbol("_vod"),CS={beforeMount(e,{value:t},{transition:n}){e[yS]=e.style.display==="none"?"":e.style.display,n&&t?n.beforeEnter(e):Nu(e,t)},mounted(e,{value:t},{transition:n}){n&&t&&n.enter(e)},updated(e,{value:t,oldValue:n},{transition:r}){!t!=!n&&(r?t?(r.beforeEnter(e),Nu(e,!0),r.enter(e)):r.leave(e,()=>{Nu(e,!1)}):Nu(e,t))},beforeUnmount(e,{value:t}){Nu(e,t)}};function Nu(e,t){e.style.display=t?e[yS]:"none"}function pH(){CS.getSSRProps=({value:e})=>{if(!e)return{style:{display:"none"}}}}function _H(e,t,n){const r=e.style,a=xn(n);if(n&&!a){if(t&&!xn(t))for(const o in t)n[o]==null&&jh(r,o,"");for(const o in n)jh(r,o,n[o])}else{const o=r.display;a?t!==n&&(r.cssText=n):t&&e.removeAttribute("style"),yS in e&&(r.display=o)}}const WC=/\s*!important$/;function jh(e,t,n){if(Rt(n))n.forEach(r=>jh(e,t,r));else if(n==null&&(n=""),t.startsWith("--"))e.setProperty(t,n);else{const r=mH(e,t);WC.test(n)?e.setProperty(ei(r),n.replace(WC,""),"important"):e[r]=n}}const VC=["Webkit","Moz","ms"],lh={};function mH(e,t){const n=lh[t];if(n)return n;let r=ni(t);if(r!=="filter"&&r in e)return lh[t]=r;r=gc(r);for(let a=0;a<VC.length;a++){const o=VC[a]+r;if(o in e)return lh[t]=o}return t}const zC="http://www.w3.org/1999/xlink";function gH(e,t,n,r,a){if(r&&t.startsWith("xlink:"))n==null?e.removeAttributeNS(zC,t.slice(6,t.length)):e.setAttributeNS(zC,t,n);else{if(EH(e,t,n,a))return;const o=SR(t);n==null||o&&!bR(n)?e.removeAttribute(t):e.setAttribute(t,o?"":n)}}const hH=Jl("contenteditable,draggable,spellcheck");function EH(e,t,n,r=null){if(hH(t)){const a=n===null?"false":typeof n!="boolean"&&n!==void 0?"true":null;if(a&&za.softAssertCompatEnabled("ATTR_ENUMERATED_COERCION",r,t,n,a))return e.setAttribute(t,a),!0}else if(n===!1&&!SR(t)&&za.softAssertCompatEnabled("ATTR_FALSE_VALUE",r,t))return e.removeAttribute(t),!0;return!1}function SH(e,t,n,r,a,o,l){if(t==="innerHTML"||t==="textContent"){r&&l(r,a,o),e[t]=n==null?"":n;return}const u=e.tagName;if(t==="value"&&u!=="PROGRESS"&&!u.includes("-")){e._value=n;const d=u==="OPTION"?e.getAttribute("value"):e.value,S=n==null?"":n;d!==S&&(e.value=S),n==null&&e.removeAttribute(t);return}let c=!1;if(n===""||n==null){const d=typeof e[t];d==="boolean"?n=bR(n):n==null&&d==="string"?(n="",c=!0):d==="number"&&(n=0,c=!0)}else if(n===!1&&za.isCompatEnabled("ATTR_FALSE_VALUE",a)){const d=typeof e[t];(d==="string"||d==="number")&&(n=d==="number"?0:"",c=!0)}try{e[t]=n}catch{}c&&e.removeAttribute(t)}function Eo(e,t,n,r){e.addEventListener(t,n,r)}function bH(e,t,n,r){e.removeEventListener(t,n,r)}const KC=Symbol("_vei");function vH(e,t,n,r,a=null){const o=e[KC]||(e[KC]={}),l=o[t];if(r&&l)l.value=r;else{const[u,c]=TH(t);if(r){const d=o[t]=AH(r,a);Eo(e,u,d,c)}else l&&(bH(e,u,l,c),o[t]=void 0)}}const $C=/(?:Once|Passive|Capture)$/;function TH(e){let t;if($C.test(e)){t={};let r;for(;r=e.match($C);)e=e.slice(0,e.length-r[0].length),t[r[0].toLowerCase()]=!0}return[e[2]===":"?e.slice(3):ei(e.slice(2)),t]}let uh=0;const yH=Promise.resolve(),CH=()=>uh||(yH.then(()=>uh=0),uh=Date.now());function AH(e,t){const n=r=>{if(!r._vts)r._vts=Date.now();else if(r._vts<=n.attached)return;Ti(OH(r,n.value),t,5,[r])};return n.value=e,n.attached=CH(),n}function OH(e,t){if(Rt(t)){const n=e.stopImmediatePropagation;return e.stopImmediatePropagation=()=>{n.call(e),e._stopped=!0},t.map(r=>a=>!a._stopped&&r&&r(a))}else return t}const QC=/^on[a-z]/,RH=(e,t,n,r,a=!1,o,l,u,c)=>{t==="class"?fH(e,r,a):t==="style"?_H(e,n,r):Co(t)?YE(t)||vH(e,t,n,r,l):(t[0]==="."?(t=t.slice(1),!0):t[0]==="^"?(t=t.slice(1),!1):NH(e,t,r,a))?SH(e,t,r,o,l,u,c):(t==="true-value"?e._trueValue=r:t==="false-value"&&(e._falseValue=r),gH(e,t,r,a,l))};function NH(e,t,n,r){return r?!!(t==="innerHTML"||t==="textContent"||t in e&&QC.test(t)&&Ft(n)):t==="spellcheck"||t==="draggable"||t==="translate"||t==="form"||t==="list"&&e.tagName==="INPUT"||t==="type"&&e.tagName==="TEXTAREA"||QC.test(t)&&xn(n)?!1:t in e}/*! #__NO_SIDE_EFFECTS__ */function rI(e,t){const n=pS(e);class r extends Mf{constructor(o){super(n,o,t)}}return r.def=n,r}/*! #__NO_SIDE_EFFECTS__ */const IH=e=>rI(e,pI),DH=typeof HTMLElement<"u"?HTMLElement:class{};class Mf extends DH{constructor(t,n={},r){super(),this._def=t,this._props=n,this._instance=null,this._connected=!1,this._resolved=!1,this._numberProps=null,this._ob=null,this.shadowRoot&&r?r(this._createVNode(),this.shadowRoot):(this.attachShadow({mode:"open"}),this._def.__asyncLoader||this._resolveProps(this._def))}connectedCallback(){this._connected=!0,this._instance||(this._resolved?this._update():this._resolveDef())}disconnectedCallback(){this._connected=!1,this._ob&&(this._ob.disconnect(),this._ob=null),Ec(()=>{this._connected||(Jh(null,this.shadowRoot),this._instance=null)})}_resolveDef(){this._resolved=!0;for(let r=0;r<this.attributes.length;r++)this._setAttr(this.attributes[r].name);this._ob=new MutationObserver(r=>{for(const a of r)this._setAttr(a.attributeName)}),this._ob.observe(this,{attributes:!0});const t=(r,a=!1)=>{const{props:o,styles:l}=r;let u;if(o&&!Rt(o))for(const c in o){const d=o[c];(d===Number||d&&d.type===Number)&&(c in this._props&&(this._props[c]=Od(this._props[c])),(u||(u=Object.create(null)))[ni(c)]=!0)}this._numberProps=u,a&&this._resolveProps(r),this._applyStyles(l),this._update()},n=this._def.__asyncLoader;n?n().then(r=>t(r,!0)):t(this._def)}_resolveProps(t){const{props:n}=t,r=Rt(n)?n:Object.keys(n||{});for(const a of Object.keys(this))a[0]!=="_"&&r.includes(a)&&this._setProp(a,this[a],!0,!1);for(const a of r.map(ni))Object.defineProperty(this,a,{get(){return this._getProp(a)},set(o){this._setProp(a,o)}})}_setAttr(t){let n=this.getAttribute(t);const r=ni(t);this._numberProps&&this._numberProps[r]&&(n=Od(n)),this._setProp(r,n,!1)}_getProp(t){return this._props[t]}_setProp(t,n,r=!0,a=!0){n!==this._props[t]&&(this._props[t]=n,a&&this._instance&&this._update(),r&&(n===!0?this.setAttribute(ei(t),""):typeof n=="string"||typeof n=="number"?this.setAttribute(ei(t),n+""):n||this.removeAttribute(ei(t))))}_update(){Jh(this._createVNode(),this.shadowRoot)}_createVNode(){const t=En(this._def,sn({},this._props));return this._instance||(t.ce=n=>{this._instance=n,n.isCE=!0;const r=(o,l)=>{this.dispatchEvent(new CustomEvent(o,{detail:l}))};n.emit=(o,...l)=>{r(o,l),ei(o)!==o&&r(ei(o),l)};let a=this;for(;a=a&&(a.parentNode||a.host);)if(a instanceof Mf){n.parent=a._instance,n.provides=a._instance.provides;break}}),t}_applyStyles(t){t&&t.forEach(n=>{const r=document.createElement("style");r.textContent=n,this.shadowRoot.appendChild(r)})}}function xH(e="$style"){{const t=Aa();if(!t)return yn;const n=t.type.__cssModules;if(!n)return yn;const r=n[e];return r||yn}}function wH(e){const t=Aa();if(!t)return;const n=t.ut=(a=e(t.proxy))=>{Array.from(document.querySelectorAll(`[data-v-owner="${t.uid}"]`)).forEach(o=>Zh(o,a))},r=()=>{const a=e(t.proxy);Xh(t.subTree,a),n(a)};XR(r),vc(()=>{const a=new MutationObserver(r);a.observe(t.subTree.el.parentNode,{childList:!0}),rc(()=>a.disconnect())})}function Xh(e,t){if(e.shapeFlag&128){const n=e.suspense;e=n.activeBranch,n.pendingBranch&&!n.isHydrating&&n.effects.push(()=>{Xh(n.activeBranch,t)})}for(;e.component;)e=e.component.subTree;if(e.shapeFlag&1&&e.el)Zh(e.el,t);else if(e.type===hr)e.children.forEach(n=>Xh(n,t));else if(e.type===Hs){let{el:n,anchor:r}=e;for(;n&&(Zh(n,t),n!==r);)n=n.nextSibling}}function Zh(e,t){if(e.nodeType===1){const n=e.style;for(const r in t)n.setProperty(`--${r}`,t[r])}}const iI=new WeakMap,aI=new WeakMap,kd=Symbol("_moveCb"),jC=Symbol("_enterCb"),AS={name:"TransitionGroup",props:sn({},uH,{tag:String,moveClass:String}),setup(e,{slots:t}){const n=Aa(),r=dS();let a,o;return If(()=>{if(!a.length)return;const l=e.moveClass||`${e.name||"v"}-move`;if(!FH(a[0].el,n.vnode.el,l))return;a.forEach(MH),a.forEach(kH);const u=a.filter(PH);nI(),u.forEach(c=>{const d=c.el,S=d.style;na(d,l),S.transform=S.webkitTransform=S.transitionDuration="";const _=d[kd]=E=>{E&&E.target!==d||(!E||/transform$/.test(E.propertyName))&&(d.removeEventListener("transitionend",_),d[kd]=null,ka(d,l))};d.addEventListener("transitionend",_)})}),()=>{const l=pn(e),u=eI(l);let c=l.tag||hr;!l.tag&&za.checkCompatEnabled("TRANSITION_GROUP_ROOT",n.parent)&&(c="span"),a=o,o=t.default?Rf(t.default()):[];for(let d=0;d<o.length;d++){const S=o[d];S.key!=null&&Qs(S,Hl(S,u,r,n))}if(a)for(let d=0;d<a.length;d++){const S=a[d];Qs(S,Hl(S,u,r,n)),iI.set(S,S.el.getBoundingClientRect())}return En(c,null,o)}}};AS.__isBuiltIn=!0;const LH=e=>delete e.mode;AS.props;const oI=AS;function MH(e){const t=e.el;t[kd]&&t[kd](),t[jC]&&t[jC]()}function kH(e){aI.set(e,e.el.getBoundingClientRect())}function PH(e){const t=iI.get(e),n=aI.get(e),r=t.left-n.left,a=t.top-n.top;if(r||a){const o=e.el.style;return o.transform=o.webkitTransform=`translate(${r}px,${a}px)`,o.transitionDuration="0s",e}}function FH(e,t,n){const r=e.cloneNode(),a=e[Wl];a&&a.forEach(u=>{u.split(/\s+/).forEach(c=>c&&r.classList.remove(c))}),n.split(/\s+/).forEach(u=>u&&r.classList.add(u)),r.style.display="none";const o=t.nodeType===1?t:t.parentNode;o.appendChild(r);const{hasTransform:l}=tI(r);return o.removeChild(r),l}const cs=e=>{const t=e.props["onUpdate:modelValue"]||e.props["onModelCompat:input"];return Rt(t)?n=>Jo(t,n):t};function BH(e){e.target.composing=!0}function XC(e){const t=e.target;t.composing&&(t.composing=!1,t.dispatchEvent(new Event("input")))}const ra=Symbol("_assign"),Pd={created(e,{modifiers:{lazy:t,trim:n,number:r}},a){e[ra]=cs(a);const o=r||a.props&&a.props.type==="number";Eo(e,t?"change":"input",l=>{if(l.target.composing)return;let u=e.value;n&&(u=u.trim()),o&&(u=Qu(u)),e[ra](u)}),n&&Eo(e,"change",()=>{e.value=e.value.trim()}),t||(Eo(e,"compositionstart",BH),Eo(e,"compositionend",XC),Eo(e,"change",XC))},mounted(e,{value:t}){e.value=t==null?"":t},beforeUpdate(e,{value:t,modifiers:{lazy:n,trim:r,number:a}},o){if(e[ra]=cs(o),e.composing||document.activeElement===e&&e.type!=="range"&&(n||r&&e.value.trim()===t||(a||e.type==="number")&&Qu(e.value)===t))return;const l=t==null?"":t;e.value!==l&&(e.value=l)}},OS={deep:!0,created(e,t,n){e[ra]=cs(n),Eo(e,"change",()=>{const r=e._modelValue,a=Vl(e),o=e.checked,l=e[ra];if(Rt(r)){const u=hc(r,a),c=u!==-1;if(o&&!c)l(r.concat(a));else if(!o&&c){const d=[...r];d.splice(u,1),l(d)}}else if(Js(r)){const u=new Set(r);o?u.add(a):u.delete(a),l(u)}else l(lI(e,o))})},mounted:ZC,beforeUpdate(e,t,n){e[ra]=cs(n),ZC(e,t,n)}};function ZC(e,{value:t,oldValue:n},r){e._modelValue=t,Rt(t)?e.checked=hc(t,r.props.value)>-1:Js(t)?e.checked=t.has(r.props.value):t!==n&&(e.checked=To(t,lI(e,!0)))}const RS={created(e,{value:t},n){e.checked=To(t,n.props.value),e[ra]=cs(n),Eo(e,"change",()=>{e[ra](Vl(e))})},beforeUpdate(e,{value:t,oldValue:n},r){e[ra]=cs(r),t!==n&&(e.checked=To(t,r.props.value))}},sI={deep:!0,created(e,{value:t,modifiers:{number:n}},r){const a=Js(t);Eo(e,"change",()=>{const o=Array.prototype.filter.call(e.options,l=>l.selected).map(l=>n?Qu(Vl(l)):Vl(l));e[ra](e.multiple?a?new Set(o):o:o[0])}),e[ra]=cs(r)},mounted(e,{value:t}){JC(e,t)},beforeUpdate(e,t,n){e[ra]=cs(n)},updated(e,{value:t}){JC(e,t)}};function JC(e,t){const n=e.multiple;if(!(n&&!Rt(t)&&!Js(t))){for(let r=0,a=e.options.length;r<a;r++){const o=e.options[r],l=Vl(o);if(n)Rt(t)?o.selected=hc(t,l)>-1:o.selected=t.has(l);else if(To(Vl(o),t)){e.selectedIndex!==r&&(e.selectedIndex=r);return}}!n&&e.selectedIndex!==-1&&(e.selectedIndex=-1)}}function Vl(e){return"_value"in e?e._value:e.value}function lI(e,t){const n=t?"_trueValue":"_falseValue";return n in e?e[n]:t}const NS={created(e,t,n){ud(e,t,n,null,"created")},mounted(e,t,n){ud(e,t,n,null,"mounted")},beforeUpdate(e,t,n,r){ud(e,t,n,r,"beforeUpdate")},updated(e,t,n,r){ud(e,t,n,r,"updated")}};function uI(e,t){switch(e){case"SELECT":return sI;case"TEXTAREA":return Pd;default:switch(t){case"checkbox":return OS;case"radio":return RS;default:return Pd}}}function ud(e,t,n,r,a){const l=uI(e.tagName,n.props&&n.props.type)[a];l&&l(e,t,n,r)}function UH(){Pd.getSSRProps=({value:e})=>({value:e}),RS.getSSRProps=({value:e},t)=>{if(t.props&&To(t.props.value,e))return{checked:!0}},OS.getSSRProps=({value:e},t)=>{if(Rt(e)){if(t.props&&hc(e,t.props.value)>-1)return{checked:!0}}else if(Js(e)){if(t.props&&e.has(t.props.value))return{checked:!0}}else if(e)return{checked:!0}},NS.getSSRProps=(e,t)=>{if(typeof t.type!="string")return;const n=uI(t.type.toUpperCase(),t.props&&t.props.type);if(n.getSSRProps)return n.getSSRProps(e,t)}}const GH=["ctrl","shift","alt","meta"],HH={stop:e=>e.stopPropagation(),prevent:e=>e.preventDefault(),self:e=>e.target!==e.currentTarget,ctrl:e=>!e.ctrlKey,shift:e=>!e.shiftKey,alt:e=>!e.altKey,meta:e=>!e.metaKey,left:e=>"button"in e&&e.button!==0,middle:e=>"button"in e&&e.button!==1,right:e=>"button"in e&&e.button!==2,exact:(e,t)=>GH.some(n=>e[`${n}Key`]&&!t.includes(n))},qH=(e,t)=>(n,...r)=>{for(let a=0;a<t.length;a++){const o=HH[t[a]];if(o&&o(n,t))return}return e(n,...r)},YH={esc:"escape",space:" ",up:"arrow-up",left:"arrow-left",right:"arrow-right",down:"arrow-down",delete:"backspace"},WH=(e,t)=>{let n,r=null;return r=Aa(),za.isCompatEnabled("CONFIG_KEY_CODES",r)&&r&&(n=r.appContext.config.keyCodes),a=>{if(!("key"in a))return;const o=ei(a.key);if(t.some(l=>l===o||YH[l]===o))return e(a);{const l=String(a.keyCode);if(za.isCompatEnabled("V_ON_KEYCODE_MODIFIER",r)&&t.some(u=>u==l))return e(a);if(n)for(const u of t){const c=n[u];if(c&&(Rt(c)?c.some(S=>String(S)===l):String(c)===l))return e(a)}}}},cI=sn({patchProp:RH},lH);let Bu,eA=!1;function dI(){return Bu||(Bu=PN(cI))}function fI(){return Bu=eA?Bu:FN(cI),eA=!0,Bu}const Jh=(...e)=>{dI().render(...e)},pI=(...e)=>{fI().hydrate(...e)},IS=(...e)=>{const t=dI().createApp(...e),{mount:n}=t;return t.mount=r=>{const a=_I(r);if(!a)return;const o=t._component;!Ft(o)&&!o.render&&!o.template&&(o.template=a.innerHTML),a.innerHTML="";const l=n(a,!1,a instanceof SVGElement);return a instanceof Element&&(a.removeAttribute("v-cloak"),a.setAttribute("data-v-app","")),l},t},VH=(...e)=>{const t=fI().createApp(...e),{mount:n}=t;return t.mount=r=>{const a=_I(r);if(a)return n(a,!0,a instanceof SVGElement)},t};function _I(e){return xn(e)?document.querySelector(e):e}let tA=!1;const zH=()=>{tA||(tA=!0,UH(),pH())};var KH=Object.freeze({__proto__:null,BaseTransition:tN,BaseTransitionPropsValidators:fS,Comment:Dr,EffectScope:zE,Fragment:hr,KeepAlive:iN,ReactiveEffect:Gl,Static:Hs,Suspense:N3,Teleport:WG,Text:js,Transition:yc,TransitionGroup:oI,VueElement:Mf,assertNumber:a3,callWithAsyncErrorHandling:Ti,callWithErrorHandling:Ya,camelize:ni,capitalize:gc,cloneVNode:va,compatUtils:za,computed:KN,createApp:IS,createBlock:hS,createCommentVNode:Ld,createElementBlock:Ma,createElementVNode:on,createHydrationRenderer:FN,createPropsRestProxy:mG,createRenderer:PN,createSSRApp:VH,createSlots:EN,createStaticVNode:ES,createTextVNode:ql,createVNode:En,customRef:XU,defineAsyncComponent:_d,defineComponent:pS,defineCustomElement:rI,defineEmits:iG,defineExpose:aG,defineModel:lG,defineOptions:oG,defineProps:rG,defineSSRCustomElement:IH,defineSlots:sG,get devtools(){return yl},effect:yU,effectScope:SU,getCurrentInstance:Aa,getCurrentScope:yR,getTransitionRawChildren:Rf,guardReactiveProps:WN,h:$N,handleError:el,hasInjectionContext:wG,hydrate:pI,initCustomFormatter:tH,initDirectivesForSSR:zH,inject:Gs,isMemoSame:XN,isProxy:jE,isReactive:So,isReadonly:$s,isRef:sr,isRuntimeOnly:$h,isShallow:ju,isVNode:Bi,markRaw:XE,mergeDefaults:pG,mergeModels:_G,mergeProps:wf,nextTick:Ec,normalizeClass:Va,normalizeProps:gU,normalizeStyle:tu,onActivated:aN,onBeforeMount:lN,onBeforeUnmount:nc,onBeforeUpdate:uN,onDeactivated:oN,onErrorCaptured:pN,onMounted:vc,onRenderTracked:fN,onRenderTriggered:dN,onScopeDispose:bU,onServerPrefetch:cN,onUnmounted:rc,onUpdated:If,openBlock:ki,popScopeId:E3,provide:IN,proxyRefs:tS,pushScopeId:h3,queuePostFlushCb:Id,reactive:ls,readonly:QE,ref:Dl,registerRuntimeCompiler:ZG,render:Jh,renderList:_S,renderSlot:SN,resolveComponent:O3,resolveDirective:KR,resolveDynamicComponent:zR,resolveFilter:aH,resolveTransitionHooks:Hl,setBlockTracking:Vh,setDevtoolsHook:qR,setTransitionHooks:Qs,shallowReactive:PR,shallowReadonly:WU,shallowRef:VU,ssrContextKey:QN,ssrUtils:iH,stop:CU,toDisplayString:Rd,toHandlerKey:Il,toHandlers:vN,toRaw:pn,toRef:t3,toRefs:ZU,toValue:$U,transformVNodeArgs:KG,triggerRef:KU,unref:eS,useAttrs:dG,useCssModule:xH,useCssVars:wH,useModel:fG,useSSRContext:jN,useSlots:cG,useTransitionState:dS,vModelCheckbox:OS,vModelDynamic:NS,vModelRadio:RS,vModelSelect:sI,vModelText:Pd,vShow:CS,version:ZN,warn:i3,watch:Ps,watchEffect:P3,watchPostEffect:XR,watchSyncEffect:F3,withAsyncContext:gG,withCtx:sS,withDefaults:uG,withDirectives:JR,withKeys:WH,withMemo:nH,withModifiers:qH,withScopeId:S3});function $H(...e){const t=IS(...e);return za.isCompatEnabled("RENDER_FUNCTION",null)&&(t.component("__compat__transition",yc),t.component("__compat__transition-group",oI),t.component("__compat__keep-alive",iN),t._context.directives.show=CS,t._context.directives.model=NS),t}function QH(){const e=za.createCompatVue(IS,$H);return sn(e,KH),e}const mI=QH();mI.compile=()=>{};var jH=mI;function XH(e){let t=0;for(let o=0;o<e.length;o++)t=e.charCodeAt(o)+((t<<5)-t),t=t&t;let n=(t%360+360)%360,r=(t%25+25)%25+75,a=(t%20+20)%20+40;return`hsl(${n}, ${r}%, ${a}%)`}function ZH(e,t){At(t).select(),document.execCommand("copy"),At(e.target).tooltip({title:"Copi\xE9!",trigger:"manual"}),At(e.target).tooltip("show"),setTimeout(function(){At(e.target).tooltip("hide")},1500)}const JH={htmlEntities:zA,colorHash:XH,copyToClipboard:ZH},eq={upload:(e,t,n,r=!1)=>{const a=window.CTFd;try{e instanceof At&&(form=form[0]);var e=new FormData(e);e.append("nonce",a.config.csrfNonce);for(let[c,d]of Object.entries(t))e.append(c,d)}catch{e.append("nonce",a.config.csrfNonce);for(let[c,d]of Object.entries(t))e.append(c,d)}var o=wu.ezProgressBar({width:0,title:"Progr\xE8s de l'envoi"}),l=r?"/api/v1/files/old?admin=true":"/api/v1/files?admin=true";console.log(r),At.ajax({url:a.config.urlRoot+l,data:e,type:"POST",cache:!1,contentType:!1,processData:!1,xhr:function(){var u=At.ajaxSettings.xhr();return u.upload.onprogress=function(c){if(c.lengthComputable){var d=c.loaded/c.total*100;o=wu.ezProgressBar({target:o,width:d})}},u},success:function(u){o=wu.ezProgressBar({target:o,width:100}),setTimeout(function(){o.modal("hide")},500),n&&n(u)}})}},tq={get_comments:e=>window.CTFd.fetch("/api/v1/comments?"+At.param(e),{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(function(n){return n.json()}),add_comment:(e,t,n,r)=>{const a=window.CTFd;let o={content:e,type:t,...n};a.fetch("/api/v1/comments",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(o)}).then(function(l){return l.json()}).then(function(l){r&&r(l)})},delete_comment:e=>window.CTFd.fetch(`/api/v1/comments/${e}`,{method:"DELETE",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(function(n){return n.json()})},gI={files:eq,comments:tq,utils:JH,ezq:wu},nq=(e,t)=>{const n=e.__vccOpts||e;for(const[r,a]of t)n[r]=a;return n};function rq(){return Ys.fetch("/api/v1/files?type=page",{credentials:"same-origin"}).then(function(e){return e.json()})}const iq={props:{editor:Object},data:function(){return{files:[],selectedFile:null}},methods:{getPageFiles:function(){rq().then(e=>(this.files=e.data,this.files))},uploadChosenFiles:function(){let e=document.querySelector("#media-library-upload");gI.files.upload(e,{},t=>{this.getPageFiles()})},selectFile:function(e){return this.selectedFile=e,this.selectedFile},buildSelectedFileUrl:function(){return Ys.config.urlRoot+"/files/"+this.selectedFile.location},deleteSelectedFile:function(){var e=this.selectedFile.id;confirm("\xCAtes-vous certain de vouloir supprimer this file?")&&Ys.fetch("/api/v1/files/"+e,{method:"DELETE"}).then(t=>{t.status===200&&t.json().then(n=>{n.success&&(this.getPageFiles(),this.selectedFile=null)})})},insertSelectedFile:function(){let e=this.$props.editor;e.hasOwnProperty("codemirror")&&(e=e.codemirror);let t=e.getDoc(),n=t.getCursor(),r=this.buildSelectedFileUrl(),a=this.getIconClass(this.selectedFile.location)==="far fa-file-image",o=r.split("/").pop();link="[{0}]({1})".format(o,r),a&&(link="!"+link),t.replaceRange(link,n)},downloadSelectedFile:function(){var e=this.buildSelectedFileUrl();window.open(e,"_blank")},getIconClass:function(e){var t={png:"far fa-file-image",jpg:"far fa-file-image",jpeg:"far fa-file-image",gif:"far fa-file-image",bmp:"far fa-file-image",svg:"far fa-file-image",txt:"far fa-file-alt",mov:"far fa-file-video",mp4:"far fa-file-video",wmv:"far fa-file-video",flv:"far fa-file-video",mkv:"far fa-file-video",avi:"far fa-file-video",pdf:"far fa-file-pdf",mp3:"far fa-file-sound",wav:"far fa-file-sound",aac:"far fa-file-sound",zip:"far fa-file-archive",gz:"far fa-file-archive",tar:"far fa-file-archive","7z":"far fa-file-archive",rar:"far fa-file-archive",py:"far fa-file-code",c:"far fa-file-code",cpp:"far fa-file-code",html:"far fa-file-code",js:"far fa-file-code",rb:"far fa-file-code",go:"far fa-file-code"},n=e.split(".").pop();return t[n]||"far fa-file"}},created(){return this.getPageFiles()}},aq={id:"media-modal",class:"modal fade",tabindex:"-1"},oq={class:"modal-dialog modal-xl"},sq={class:"modal-content"},lq=ES('<div class="modal-header"><div class="container"><div class="row"><div class="col-md-12"><h3 class="text-center">Media Library</h3></div></div></div><button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">\xD7</span></button></div>',1),uq={class:"modal-body"},cq={class:"modal-header"},dq={class:"container"},fq={class:"row mh-100"},pq={class:"col-md-6",id:"media-library-list"},_q=["onClick"],mq={class:"media-item-title pl-1"},gq={class:"col-md-6",id:"media-library-details"},hq=on("h4",{class:"text-center"},"Media Details",-1),Eq={id:"media-item"},Sq={class:"text-center",id:"media-icon"},bq={key:0},vq={key:0},Tq=["src"],yq={key:1},Cq=on("br",null,null,-1),Aq={key:0,class:"text-center",id:"media-filename"},Oq=["href"],Rq=on("br",null,null,-1),Nq={class:"form-group"},Iq={key:0},Dq=["value"],xq={key:1},wq=on("input",{class:"form-control",type:"text",id:"media-link",readonly:""},null,-1),Lq={class:"form-group text-center"},Mq={class:"row"},kq={class:"col-md-6"},Pq={class:"col-md-3"},Fq=on("i",{class:"fas fa-download"},null,-1),Bq=[Fq],Uq={class:"col-md-3"},Gq=on("i",{class:"far fa-trash-alt"},null,-1),Hq=[Gq],qq=ES('<form id="media-library-upload" enctype="multipart/form-data"><div class="form-row pt-3"><div class="col"><div class="form-group"><label for="media-files">Upload Files</label><input type="file" name="file" id="media-files" class="form-control-file" multiple><sub class="help-block"> Attach multiple files using CTRL+Click or Cmd+Click. </sub></div></div><div class="col"><div class="form-group"><label>Upload File Location</label><input class="form-control" type="text" name="location" placeholder="Location"><sub class="help-block"> Route where file will be accessible (if not provided a random folder will be used). <br> Provide as <code>directory/filename.ext</code></sub></div></div></div><input type="hidden" value="page" name="type"></form>',1),Yq={class:"modal-footer"},Wq={class:"float-right"};function Vq(e,t,n,r,a,o){return ki(),Ma("div",aq,[on("div",oq,[on("div",sq,[lq,on("div",uq,[on("div",cq,[on("div",dq,[on("div",fq,[on("div",pq,[(ki(!0),Ma(hr,null,_S(e.files,l=>(ki(),Ma("div",{class:"media-item-wrapper",key:l.id},[on("a",{href:"javascript:void(0)",onClick:u=>{o.selectFile(l)}},[on("i",{class:Va(o.getIconClass(l.location)),"aria-hidden":"true"},null,2),on("small",mq,Rd(l.location.split("/").pop()),1)],8,_q)]))),128))]),on("div",gq,[hq,on("div",Eq,[on("div",Sq,[this.selectedFile?(ki(),Ma("div",bq,[o.getIconClass(this.selectedFile.location)==="far fa-file-image"?(ki(),Ma("div",vq,[on("img",{src:o.buildSelectedFileUrl(),style:{"max-width":"100%","max-height":"100%","object-fit":"contain"}},null,8,Tq)])):(ki(),Ma("div",yq,[on("i",{class:Va(`${o.getIconClass(this.selectedFile.location)} fa-4x`),"aria-hidden":"true"},null,2)]))])):Ld("",!0)]),Cq,this.selectedFile?(ki(),Ma("div",Aq,[on("a",{href:o.buildSelectedFileUrl(),target:"_blank"},Rd(this.selectedFile.location.split("/").pop()),9,Oq)])):Ld("",!0),Rq,on("div",Nq,[this.selectedFile?(ki(),Ma("div",Iq,[ql(" Link: "),on("input",{class:"form-control",type:"text",id:"media-link",value:o.buildSelectedFileUrl(),readonly:""},null,8,Dq)])):(ki(),Ma("div",xq,[ql(" Link: "),wq]))]),on("div",Lq,[on("div",Mq,[on("div",kq,[on("button",{onClick:t[0]||(t[0]=(...l)=>o.insertSelectedFile&&o.insertSelectedFile(...l)),class:"btn btn-success w-100",id:"media-insert","data-toggle":"tooltip","data-placement":"top",title:"Insert link into editor"}," Insert ")]),on("div",Pq,[on("button",{onClick:t[1]||(t[1]=(...l)=>o.downloadSelectedFile&&o.downloadSelectedFile(...l)),class:"btn btn-primary w-100",id:"media-download","data-toggle":"tooltip","data-placement":"top",title:"Download file"},Bq)]),on("div",Uq,[on("button",{onClick:t[2]||(t[2]=(...l)=>o.deleteSelectedFile&&o.deleteSelectedFile(...l)),class:"btn btn-danger w-100",id:"media-delete","data-toggle":"tooltip","data-placement":"top",title:"Delete file"},Hq)])])])])])])])]),qq]),on("div",Yq,[on("div",Wq,[on("button",{onClick:t[3]||(t[3]=(...l)=>o.uploadChosenFiles&&o.uploadChosenFiles(...l)),type:"submit",class:"btn btn-primary media-upload-button"}," Upload ")])])])])])}const zq=nq(iq,[["render",Vq]]);function Kq(e){const t=jH.extend(zq);let n=document.createElement("div");document.querySelector("main").appendChild(n);let r=new t({propsData:{editor:e}}).$mount(n);At("#media-modal").on("hidden.bs.modal",function(a){r.$destroy(),At("#media-modal").remove()}),At("#media-modal").modal()}function $q(e){if(Object.hasOwn(e,"mde")===!1){let t=new nU({autoDownloadFontAwesome:!1,toolbar:["bold","italic","heading","|","quote","unordered-list","ordered-list","|","link","image",{name:"media",action:n=>{Kq(n)},className:"fas fa-file-upload",title:"Media Library"},"|","preview","guide"],element:e,initialValue:At(e).val(),forceSync:!0,minHeight:"200px",renderingConfig:{codeSyntaxHighlighting:!0,hljs:qd}});e.mde=t,e.codemirror=t.codemirror,At(e).on("change keyup paste",function(){t.codemirror.getDoc().setValue(At(e).val()),t.codemirror.refresh()})}}function Qq(){At("textarea.markdown").each(function(e,t){$q(t)})}function jq(){At("th.sort-col").append(' <i class="fas fa-sort"></i>'),At("th.sort-col").click(function(){var n=At(this).parents("table").eq(0),r=n.find("tr:gt(0)").toArray().sort(e(At(this).index()));this.asc=!this.asc,this.asc||(r=r.reverse());for(var a=0;a<r.length;a++)n.append(r[a])});function e(n){return function(r,a){var o=t(r,n),l=t(a,n);return At.isNumeric(o)&&At.isNumeric(l)?o-l:o.toString().localeCompare(l)}}function t(n,r){return At(n).children("td").eq(r).text()}}const Xq=()=>{At(":input").each(function(){At(this).data("initial",At(this).val())}),At(function(){At("tr[data-href], td[data-href]").click(function(){var t=getSelection().toString();if(!t){var n=At(this).attr("data-href");n&&(window.location=n)}return!1}),At("[data-checkbox]").click(function(t){if(At(t.target).is("input[type=checkbox]")){t.stopImmediatePropagation();return}At(this).find("input[type=checkbox]").click(),t.stopImmediatePropagation()}),At("[data-checkbox-all]").on("click change",function(t){const n=At(this).prop("checked"),r=At(this).index()+1;At(this).closest("table").find(`tr td:nth-child(${r}) input[type=checkbox]`).prop("checked",n),t.stopImmediatePropagation()}),At("tr[data-href] a, tr[data-href] button").click(function(t){At(this).attr("data-dismiss")||t.stopPropagation()}),At(".page-select").change(function(){let t=new URL(window.location);t.searchParams.set("page",this.value),window.location.href=t.toString()}),At('a[data-toggle="tab"]').on("shown.bs.tab",function(t){sessionStorage.setItem("activeTab",At(t.target).attr("href"))});let e=sessionStorage.getItem("activeTab");if(e){let t=At(`.nav-tabs a[href="${e}"], .nav-pills a[href="${e}"]`);t.length?t.tab("show"):sessionStorage.removeItem("activeTab")}Qq(),jq(),At('[data-toggle="tooltip"]').tooltip(),document.querySelectorAll("pre code").forEach(t=>{qd.highlightBlock(t)})})};oc.extend(oR);Ys.init(window.init);window.CTFd=Ys;window.Alpine=AB;window.helpers=gI;window.$=At;window.dayjs=oc;window.nunjucks=OB;window.Howl=PE.Howl;At(()=>{Xq(),DB(),IB(Ys.config.urlRoot)});export{At as $,Qq as A,ph as B,Ys as C,VA as D,zl as E,hr as F,wA as G,Jr as H,oc as I,qd as J,oR as K,lF as L,Kq as M,XH as N,ID as O,uF as P,ZH as Q,oI as T,jH as V,nq as _,on as a,Ld as b,Ma as c,ES as d,O3 as e,En as f,sS as g,JR as h,OS as i,ql as j,E3 as k,Pd as l,WH as m,OB as n,ki as o,h3 as p,Va as q,_S as r,gI as s,Rd as t,sF as u,sI as v,qH as w,CS as x,$q as y,zA as z};
+`]},JB={link:"URL for the link:",image:"URL of the image:"},eU={locale:"en-US",format:{hour:"2-digit",minute:"2-digit"}},tU={bold:"**",code:"```",italic:"*"},nU={sbInit:"Attach files by drag and dropping or pasting from clipboard.",sbOnDragEnter:"Drop image to upload it.",sbOnDrop:"Uploading image #images_names#...",sbProgress:"Uploading #file_name#: #progress#%",sbOnUploaded:"Uploaded #image_name#",sizeUnits:" B, KB, MB"},rU={noFileGiven:"You must select a file.",typeNotAllowed:"This image type is not allowed.",fileTooLarge:`Image #image_name# is too big (#image_size#).
+Maximum file size is #image_max_size#.`,importError:"Something went wrong when uploading the image #image_name#."};function It(e){e=e||{},e.parent=this;var t=!0;if(e.autoDownloadFontAwesome===!1&&(t=!1),e.autoDownloadFontAwesome!==!0)for(var n=document.styleSheets,r=0;r<n.length;r++)!n[r].href||n[r].href.indexOf("//maxcdn.bootstrapcdn.com/font-awesome/")>-1&&(t=!1);if(t){var a=document.createElement("link");a.rel="stylesheet",a.href="https://maxcdn.bootstrapcdn.com/font-awesome/latest/css/font-awesome.min.css",document.getElementsByTagName("head")[0].appendChild(a)}if(e.element)this.element=e.element;else if(e.element===null){console.log("EasyMDE: Error. No element was found.");return}if(e.toolbar===void 0){e.toolbar=[];for(var o in Ms)Object.prototype.hasOwnProperty.call(Ms,o)&&(o.indexOf("separator-")!=-1&&e.toolbar.push("|"),(Ms[o].default===!0||e.showIcons&&e.showIcons.constructor===Array&&e.showIcons.indexOf(o)!=-1)&&e.toolbar.push(o))}if(Object.prototype.hasOwnProperty.call(e,"previewClass")||(e.previewClass="editor-preview"),Object.prototype.hasOwnProperty.call(e,"status")||(e.status=["autosave","lines","words","cursor"],e.uploadImage&&e.status.unshift("upload-image")),e.previewRender||(e.previewRender=function(u){return this.parent.markdown(u)}),e.parsingConfig=go({highlightFormatting:!0},e.parsingConfig||{}),e.insertTexts=go({},ZB,e.insertTexts||{}),e.promptTexts=go({},JB,e.promptTexts||{}),e.blockStyles=go({},tU,e.blockStyles||{}),e.autosave!=null&&(e.autosave.timeFormat=go({},eU,e.autosave.timeFormat||{})),e.iconClassMap=go({},In,e.iconClassMap||{}),e.shortcuts=go({},WB,e.shortcuts||{}),e.maxHeight=e.maxHeight||void 0,e.direction=e.direction||"ltr",typeof e.maxHeight<"u"?e.minHeight=e.maxHeight:e.minHeight=e.minHeight||"300px",e.errorCallback=e.errorCallback||function(u){alert(u)},e.uploadImage=e.uploadImage||!1,e.imageMaxSize=e.imageMaxSize||2097152,e.imageAccept=e.imageAccept||"image/png, image/jpeg, image/gif, image/avif",e.imageTexts=go({},nU,e.imageTexts||{}),e.errorMessages=go({},rU,e.errorMessages||{}),e.imagePathAbsolute=e.imagePathAbsolute||!1,e.imageCSRFName=e.imageCSRFName||"csrfmiddlewaretoken",e.imageCSRFHeader=e.imageCSRFHeader||!1,e.autosave!=null&&e.autosave.unique_id!=null&&e.autosave.unique_id!=""&&(e.autosave.uniqueId=e.autosave.unique_id),e.overlayMode&&e.overlayMode.combine===void 0&&(e.overlayMode.combine=!0),this.options=e,this.render(),e.initialValue&&(!this.options.autosave||this.options.autosave.foundSavedValue!==!0)&&this.value(e.initialValue),e.uploadImage){var l=this;this.codemirror.on("dragenter",function(u,c){l.updateStatusBar("upload-image",l.options.imageTexts.sbOnDragEnter),c.stopPropagation(),c.preventDefault()}),this.codemirror.on("dragend",function(u,c){l.updateStatusBar("upload-image",l.options.imageTexts.sbInit),c.stopPropagation(),c.preventDefault()}),this.codemirror.on("dragleave",function(u,c){l.updateStatusBar("upload-image",l.options.imageTexts.sbInit),c.stopPropagation(),c.preventDefault()}),this.codemirror.on("dragover",function(u,c){l.updateStatusBar("upload-image",l.options.imageTexts.sbOnDragEnter),c.stopPropagation(),c.preventDefault()}),this.codemirror.on("drop",function(u,c){c.stopPropagation(),c.preventDefault(),e.imageUploadFunction?l.uploadImagesUsingCustomFunction(e.imageUploadFunction,c.dataTransfer.files):l.uploadImages(c.dataTransfer.files)}),this.codemirror.on("paste",function(u,c){e.imageUploadFunction?l.uploadImagesUsingCustomFunction(e.imageUploadFunction,c.clipboardData.files):l.uploadImages(c.clipboardData.files)})}}It.prototype.uploadImages=function(e,t,n){if(e.length!==0){for(var r=[],a=0;a<e.length;a++)r.push(e[a].name),this.uploadImage(e[a],t,n);this.updateStatusBar("upload-image",this.options.imageTexts.sbOnDrop.replace("#images_names#",r.join(", ")))}};It.prototype.uploadImagesUsingCustomFunction=function(e,t){if(t.length!==0){for(var n=[],r=0;r<t.length;r++)n.push(t[r].name),this.uploadImageUsingCustomFunction(e,t[r]);this.updateStatusBar("upload-image",this.options.imageTexts.sbOnDrop.replace("#images_names#",n.join(", ")))}};It.prototype.updateStatusBar=function(e,t){if(!!this.gui.statusbar){var n=this.gui.statusbar.getElementsByClassName(e);n.length===1?this.gui.statusbar.getElementsByClassName(e)[0].textContent=t:n.length===0?console.log("EasyMDE: status bar item "+e+" was not found."):console.log("EasyMDE: Several status bar items named "+e+" was found.")}};It.prototype.markdown=function(e){if(Jg){var t;if(this.options&&this.options.renderingConfig&&this.options.renderingConfig.markedOptions?t=this.options.renderingConfig.markedOptions:t={},this.options&&this.options.renderingConfig&&this.options.renderingConfig.singleLineBreaks===!1?t.breaks=!1:t.breaks=!0,this.options&&this.options.renderingConfig&&this.options.renderingConfig.codeSyntaxHighlighting===!0){var n=this.options.renderingConfig.hljs||window.hljs;n&&(t.highlight=function(a,o){return o&&n.getLanguage(o)?n.highlight(o,a).value:n.highlightAuto(a).value})}Jg.setOptions(t);var r=Jg.parse(e);return this.options.renderingConfig&&typeof this.options.renderingConfig.sanitizerFunction=="function"&&(r=this.options.renderingConfig.sanitizerFunction.call(this,r)),r=zB(r),r=KB(r),r}};It.prototype.render=function(e){if(e||(e=this.element||document.getElementsByTagName("textarea")[0]),this._rendered&&this._rendered===e)return;this.element=e;var t=this.options,n=this,r={};for(var a in t.shortcuts)t.shortcuts[a]!==null&&zu[a]!==null&&function(v){r[_R(t.shortcuts[v])]=function(){var A=zu[v];typeof A=="function"?A(n):typeof A=="string"&&window.open(A,"_blank")}}(a);r.Enter="newlineAndIndentContinueMarkdownList",r.Tab="tabAndIndentMarkdownList",r["Shift-Tab"]="shiftTabAndUnindentMarkdownList",r.Esc=function(v){v.getOption("fullScreen")&&zs(n)},this.documentOnKeyDown=function(v){v=v||window.event,v.keyCode==27&&n.codemirror.getOption("fullScreen")&&zs(n)},document.addEventListener("keydown",this.documentOnKeyDown,!1);var o,l;t.overlayMode?(vl.defineMode("overlay-mode",function(v){return vl.overlayMode(vl.getMode(v,t.spellChecker!==!1?"spell-checker":"gfm"),t.overlayMode.mode,t.overlayMode.combine)}),o="overlay-mode",l=t.parsingConfig,l.gitHubSpice=!1):(o=t.parsingConfig,o.name="gfm",o.gitHubSpice=!1),t.spellChecker!==!1&&(o="spell-checker",l=t.parsingConfig,l.name="gfm",l.gitHubSpice=!1,typeof t.spellChecker=="function"?t.spellChecker({codeMirrorInstance:vl}):qB({codeMirrorInstance:vl}));function u(v,A,O){return{addNew:!1}}if(this.codemirror=vl.fromTextArea(e,{mode:o,backdrop:l,theme:t.theme!=null?t.theme:"easymde",tabSize:t.tabSize!=null?t.tabSize:2,indentUnit:t.tabSize!=null?t.tabSize:2,indentWithTabs:t.indentWithTabs!==!1,lineNumbers:t.lineNumbers===!0,autofocus:t.autofocus===!0,extraKeys:r,direction:t.direction,lineWrapping:t.lineWrapping!==!1,allowDropFileTypes:["text/plain"],placeholder:t.placeholder||e.getAttribute("placeholder")||"",styleSelectedText:t.styleSelectedText!=null?t.styleSelectedText:!Lh(),scrollbarStyle:t.scrollbarStyle!=null?t.scrollbarStyle:"native",configureMouse:u,inputStyle:t.inputStyle!=null?t.inputStyle:Lh()?"contenteditable":"textarea",spellcheck:t.nativeSpellcheck!=null?t.nativeSpellcheck:!0,autoRefresh:t.autoRefresh!=null?t.autoRefresh:!1}),this.codemirror.getScrollerElement().style.minHeight=t.minHeight,typeof t.maxHeight<"u"&&(this.codemirror.getScrollerElement().style.height=t.maxHeight),t.forceSync===!0){var c=this.codemirror;c.on("change",function(){c.save()})}this.gui={};var d=document.createElement("div");d.classList.add("EasyMDEContainer"),d.setAttribute("role","application");var S=this.codemirror.getWrapperElement();S.parentNode.insertBefore(d,S),d.appendChild(S),t.toolbar!==!1&&(this.gui.toolbar=this.createToolbar()),t.status!==!1&&(this.gui.statusbar=this.createStatusbar()),t.autosave!=null&&t.autosave.enabled===!0&&(this.autosave(),this.codemirror.on("change",function(){clearTimeout(n._autosave_timeout),n._autosave_timeout=setTimeout(function(){n.autosave()},n.options.autosave.submit_delay||n.options.autosave.delay||1e3)}));function _(v,A){var O,N=window.getComputedStyle(document.querySelector(".CodeMirror-sizer")).width.replace("px","");return v<N?O=A+"px":O=A/v*100+"%",O}var E=this;function T(v,A){v.setAttribute("data-img-src",A.url),v.setAttribute("style","--bg-image:url("+A.url+");--width:"+A.naturalWidth+"px;--height:"+_(A.naturalWidth,A.naturalHeight)),E.codemirror.setSize()}function y(){!t.previewImagesInEditor||d.querySelectorAll(".cm-image-marker").forEach(function(v){var A=v.parentElement;if(!!A.innerText.match(/^!\[.*?\]\(.*\)/g)&&!A.hasAttribute("data-img-src")){var O=A.innerText.match("\\((.*)\\)");if(window.EMDEimagesCache||(window.EMDEimagesCache={}),O&&O.length>=2){var N=O[1];if(t.imagesPreviewHandler){var R=t.imagesPreviewHandler(O[1]);typeof R=="string"&&(N=R)}if(window.EMDEimagesCache[N])T(A,window.EMDEimagesCache[N]);else{var L=document.createElement("img");L.onload=function(){window.EMDEimagesCache[N]={naturalWidth:L.naturalWidth,naturalHeight:L.naturalHeight,url:N},T(A,window.EMDEimagesCache[N])},L.src=N}}}})}this.codemirror.on("update",function(){y()}),this.gui.sideBySide=this.createSideBySide(),this._rendered=this.element,(t.autofocus===!0||e.autofocus)&&this.codemirror.focus();var M=this.codemirror;setTimeout(function(){M.refresh()}.bind(M),0)};It.prototype.cleanup=function(){document.removeEventListener("keydown",this.documentOnKeyDown)};function SR(){if(typeof localStorage=="object")try{localStorage.setItem("smde_localStorage",1),localStorage.removeItem("smde_localStorage")}catch{return!1}else return!1;return!0}It.prototype.autosave=function(){if(SR()){var e=this;if(this.options.autosave.uniqueId==null||this.options.autosave.uniqueId==""){console.log("EasyMDE: You must set a uniqueId to use the autosave feature");return}this.options.autosave.binded!==!0&&(e.element.form!=null&&e.element.form!=null&&e.element.form.addEventListener("submit",function(){clearTimeout(e.autosaveTimeoutId),e.autosaveTimeoutId=void 0,localStorage.removeItem("smde_"+e.options.autosave.uniqueId)}),this.options.autosave.binded=!0),this.options.autosave.loaded!==!0&&(typeof localStorage.getItem("smde_"+this.options.autosave.uniqueId)=="string"&&localStorage.getItem("smde_"+this.options.autosave.uniqueId)!=""&&(this.codemirror.setValue(localStorage.getItem("smde_"+this.options.autosave.uniqueId)),this.options.autosave.foundSavedValue=!0),this.options.autosave.loaded=!0);var t=e.value();t!==""?localStorage.setItem("smde_"+this.options.autosave.uniqueId,t):localStorage.removeItem("smde_"+this.options.autosave.uniqueId);var n=document.getElementById("autosaved");if(n!=null&&n!=null&&n!=""){var r=new Date,a=new Intl.DateTimeFormat([this.options.autosave.timeFormat.locale,"en-US"],this.options.autosave.timeFormat.format).format(r),o=this.options.autosave.text==null?"Autosaved: ":this.options.autosave.text;n.innerHTML=o+a}}else console.log("EasyMDE: localStorage not available, cannot autosave")};It.prototype.clearAutosavedValue=function(){if(SR()){if(this.options.autosave==null||this.options.autosave.uniqueId==null||this.options.autosave.uniqueId==""){console.log("EasyMDE: You must set a uniqueId to clear the autosave value");return}localStorage.removeItem("smde_"+this.options.autosave.uniqueId)}else console.log("EasyMDE: localStorage not available, cannot autosave")};It.prototype.openBrowseFileWindow=function(e,t){var n=this,r=this.gui.toolbar.getElementsByClassName("imageInput")[0];r.click();function a(o){n.options.imageUploadFunction?n.uploadImagesUsingCustomFunction(n.options.imageUploadFunction,o.target.files):n.uploadImages(o.target.files,e,t),r.removeEventListener("change",a)}r.addEventListener("change",a)};It.prototype.uploadImage=function(e,t,n){var r=this;t=t||function(d){gR(r,d)};function a(c){r.updateStatusBar("upload-image",c),setTimeout(function(){r.updateStatusBar("upload-image",r.options.imageTexts.sbInit)},1e4),n&&typeof n=="function"&&n(c),r.options.errorCallback(c)}function o(c){var d=r.options.imageTexts.sizeUnits.split(",");return c.replace("#image_name#",e.name).replace("#image_size#",yd(e.size,d)).replace("#image_max_size#",yd(r.options.imageMaxSize,d))}if(e.size>this.options.imageMaxSize){a(o(this.options.errorMessages.fileTooLarge));return}var l=new FormData;l.append("image",e),r.options.imageCSRFToken&&!r.options.imageCSRFHeader&&l.append(r.options.imageCSRFName,r.options.imageCSRFToken);var u=new XMLHttpRequest;u.upload.onprogress=function(c){if(c.lengthComputable){var d=""+Math.round(c.loaded*100/c.total);r.updateStatusBar("upload-image",r.options.imageTexts.sbProgress.replace("#file_name#",e.name).replace("#progress#",d))}},u.open("POST",this.options.imageUploadEndpoint),r.options.imageCSRFToken&&r.options.imageCSRFHeader&&u.setRequestHeader(r.options.imageCSRFName,r.options.imageCSRFToken),u.onload=function(){try{var c=JSON.parse(this.responseText)}catch{console.error("EasyMDE: The server did not return a valid json."),a(o(r.options.errorMessages.importError));return}this.status===200&&c&&!c.error&&c.data&&c.data.filePath?t((r.options.imagePathAbsolute?"":window.location.origin+"/")+c.data.filePath):c.error&&c.error in r.options.errorMessages?a(o(r.options.errorMessages[c.error])):c.error?a(o(c.error)):(console.error("EasyMDE: Received an unexpected response after uploading the image."+this.status+" ("+this.statusText+")"),a(o(r.options.errorMessages.importError)))},u.onerror=function(c){console.error("EasyMDE: An unexpected error occurred when trying to upload the image."+c.target.status+" ("+c.target.statusText+")"),a(r.options.errorMessages.importError)},u.send(l)};It.prototype.uploadImageUsingCustomFunction=function(e,t){var n=this;function r(l){gR(n,l)}function a(l){var u=o(l);n.updateStatusBar("upload-image",u),setTimeout(function(){n.updateStatusBar("upload-image",n.options.imageTexts.sbInit)},1e4),n.options.errorCallback(u)}function o(l){var u=n.options.imageTexts.sizeUnits.split(",");return l.replace("#image_name#",t.name).replace("#image_size#",yd(t.size,u)).replace("#image_max_size#",yd(n.options.imageMaxSize,u))}e.apply(this,[t,r,a])};It.prototype.setPreviewMaxHeight=function(){var e=this.codemirror,t=e.getWrapperElement(),n=t.nextSibling,r=parseInt(window.getComputedStyle(t).paddingTop),a=parseInt(window.getComputedStyle(t).borderTopWidth),o=parseInt(this.options.maxHeight),l=o+r*2+a*2,u=l.toString()+"px";n.style.height=u};It.prototype.createSideBySide=function(){var e=this.codemirror,t=e.getWrapperElement(),n=t.nextSibling;if(!n||!n.classList.contains("editor-preview-side")){if(n=document.createElement("div"),n.className="editor-preview-side",this.options.previewClass)if(Array.isArray(this.options.previewClass))for(var r=0;r<this.options.previewClass.length;r++)n.classList.add(this.options.previewClass[r]);else typeof this.options.previewClass=="string"&&n.classList.add(this.options.previewClass);t.parentNode.insertBefore(n,t.nextSibling)}if(typeof this.options.maxHeight<"u"&&this.setPreviewMaxHeight(),this.options.syncSideBySidePreviewScroll===!1)return n;var a=!1,o=!1;return e.on("scroll",function(l){if(a){a=!1;return}o=!0;var u=l.getScrollInfo().height-l.getScrollInfo().clientHeight,c=parseFloat(l.getScrollInfo().top)/u,d=(n.scrollHeight-n.clientHeight)*c;n.scrollTop=d}),n.onscroll=function(){if(o){o=!1;return}a=!0;var l=n.scrollHeight-n.clientHeight,u=parseFloat(n.scrollTop)/l,c=(e.getScrollInfo().height-e.getScrollInfo().clientHeight)*u;e.scrollTo(0,c)},n};It.prototype.createToolbar=function(e){if(e=e||this.options.toolbar,!(!e||e.length===0)){var t;for(t=0;t<e.length;t++)Ms[e[t]]!=null&&(e[t]=Ms[e[t]]);var n=document.createElement("div");n.className="editor-toolbar",n.setAttribute("role","toolbar");var r=this,a={};for(r.toolbar=e,t=0;t<e.length;t++)if(!(e[t].name=="guide"&&r.options.toolbarGuideIcon===!1)&&!(r.options.hideIcons&&r.options.hideIcons.indexOf(e[t].name)!=-1)&&!((e[t].name=="fullscreen"||e[t].name=="side-by-side")&&Lh())){if(e[t]==="|"){for(var o=!1,l=t+1;l<e.length;l++)e[l]!=="|"&&(!r.options.hideIcons||r.options.hideIcons.indexOf(e[l].name)==-1)&&(o=!0);if(!o)continue}(function(d){var S;if(d==="|"?S=QB():d.children?S=$B(d,r.options.toolbarTips,r.options.shortcuts,r):S=fd(d,!0,r.options.toolbarTips,r.options.shortcuts,"button",r),a[d.name||d]=S,n.appendChild(S),d.name==="upload-image"){var _=document.createElement("input");_.className="imageInput",_.type="file",_.multiple=!0,_.name="image",_.accept=r.options.imageAccept,_.style.display="none",_.style.opacity=0,n.appendChild(_)}})(e[t])}r.toolbar_div=n,r.toolbarElements=a;var u=this.codemirror;u.on("cursorActivity",function(){var d=ds(u);for(var S in a)(function(_){var E=a[_];d[_]?E.classList.add("active"):_!="fullscreen"&&_!="side-by-side"&&E.classList.remove("active")})(S)});var c=u.getWrapperElement();return c.parentNode.insertBefore(n,c),n}};It.prototype.createStatusbar=function(e){e=e||this.options.status;var t=this.options,n=this.codemirror;if(!(!e||e.length===0)){var r=[],a,o,l,u;for(a=0;a<e.length;a++)if(o=void 0,l=void 0,u=void 0,typeof e[a]=="object")r.push({className:e[a].className,defaultValue:e[a].defaultValue,onUpdate:e[a].onUpdate,onActivity:e[a].onActivity});else{var c=e[a];c==="words"?(u=function(T){T.innerHTML=dC(n.getValue())},o=function(T){T.innerHTML=dC(n.getValue())}):c==="lines"?(u=function(T){T.innerHTML=n.lineCount()},o=function(T){T.innerHTML=n.lineCount()}):c==="cursor"?(u=function(T){T.innerHTML="1:1"},l=function(T){var y=n.getCursor(),M=y.line+1,v=y.ch+1;T.innerHTML=M+":"+v}):c==="autosave"?u=function(T){t.autosave!=null&&t.autosave.enabled===!0&&T.setAttribute("id","autosaved")}:c==="upload-image"&&(u=function(T){T.innerHTML=t.imageTexts.sbInit}),r.push({className:c,defaultValue:u,onUpdate:o,onActivity:l})}var d=document.createElement("div");for(d.className="editor-statusbar",a=0;a<r.length;a++){var S=r[a],_=document.createElement("span");_.className=S.className,typeof S.defaultValue=="function"&&S.defaultValue(_),typeof S.onUpdate=="function"&&this.codemirror.on("update",function(T,y){return function(){y.onUpdate(T)}}(_,S)),typeof S.onActivity=="function"&&this.codemirror.on("cursorActivity",function(T,y){return function(){y.onActivity(T)}}(_,S)),d.appendChild(_)}var E=this.codemirror.getWrapperElement();return E.parentNode.insertBefore(d,E.nextSibling),d}};It.prototype.value=function(e){var t=this.codemirror;if(e===void 0)return t.getValue();if(t.getDoc().setValue(e),this.isPreviewActive()){var n=t.getWrapperElement(),r=n.lastChild,a=this.options.previewRender(e,r);a!==null&&(r.innerHTML=a)}return this};It.toggleBold=jd;It.toggleItalic=Xd;It.toggleStrikethrough=Zd;It.toggleBlockquote=ef;It.toggleHeadingSmaller=Ku;It.toggleHeadingBigger=tf;It.toggleHeading1=nf;It.toggleHeading2=rf;It.toggleHeading3=af;It.toggleHeading4=BE;It.toggleHeading5=UE;It.toggleHeading6=GE;It.toggleCodeBlock=Jd;It.toggleUnorderedList=of;It.toggleOrderedList=sf;It.cleanBlock=lf;It.drawLink=uf;It.drawImage=cf;It.drawUploadedImage=HE;It.drawTable=df;It.drawHorizontalRule=ff;It.undo=pf;It.redo=_f;It.togglePreview=mf;It.toggleSideBySide=Xl;It.toggleFullScreen=zs;It.prototype.toggleBold=function(){jd(this)};It.prototype.toggleItalic=function(){Xd(this)};It.prototype.toggleStrikethrough=function(){Zd(this)};It.prototype.toggleBlockquote=function(){ef(this)};It.prototype.toggleHeadingSmaller=function(){Ku(this)};It.prototype.toggleHeadingBigger=function(){tf(this)};It.prototype.toggleHeading1=function(){nf(this)};It.prototype.toggleHeading2=function(){rf(this)};It.prototype.toggleHeading3=function(){af(this)};It.prototype.toggleHeading4=function(){BE(this)};It.prototype.toggleHeading5=function(){UE(this)};It.prototype.toggleHeading6=function(){GE(this)};It.prototype.toggleCodeBlock=function(){Jd(this)};It.prototype.toggleUnorderedList=function(){of(this)};It.prototype.toggleOrderedList=function(){sf(this)};It.prototype.cleanBlock=function(){lf(this)};It.prototype.drawLink=function(){uf(this)};It.prototype.drawImage=function(){cf(this)};It.prototype.drawUploadedImage=function(){HE(this)};It.prototype.drawTable=function(){df(this)};It.prototype.drawHorizontalRule=function(){ff(this)};It.prototype.undo=function(){pf(this)};It.prototype.redo=function(){_f(this)};It.prototype.togglePreview=function(){mf(this)};It.prototype.toggleSideBySide=function(){Xl(this)};It.prototype.toggleFullScreen=function(){zs(this)};It.prototype.isPreviewActive=function(){var e=this.codemirror,t=e.getWrapperElement(),n=t.lastChild;return n.classList.contains("editor-preview-active")};It.prototype.isSideBySideActive=function(){var e=this.codemirror,t=e.getWrapperElement(),n=t.nextSibling;return n.classList.contains("editor-preview-active-side")};It.prototype.isFullscreenActive=function(){var e=this.codemirror;return e.getOption("fullScreen")};It.prototype.getState=function(){var e=this.codemirror;return ds(e)};It.prototype.toTextArea=function(){var e=this.codemirror,t=e.getWrapperElement(),n=t.parentNode;n&&(this.gui.toolbar&&n.removeChild(this.gui.toolbar),this.gui.statusbar&&n.removeChild(this.gui.statusbar),this.gui.sideBySide&&n.removeChild(this.gui.sideBySide)),n.parentNode.insertBefore(t,n),n.remove(),e.toTextArea(),this.autosaveTimeoutId&&(clearTimeout(this.autosaveTimeoutId),this.autosaveTimeoutId=void 0,this.clearAutosavedValue())};var iU=It;function Zl(e,t){const n=Object.create(null),r=e.split(",");for(let a=0;a<r.length;a++)n[r[a]]=!0;return t?a=>!!n[a.toLowerCase()]:a=>!!n[a]}const yn={},Ol=[],vi=()=>{},aU=()=>!1,oU=/^on[^a-z]/,Co=e=>oU.test(e),WE=e=>e.startsWith("onUpdate:"),sn=Object.assign,VE=(e,t)=>{const n=e.indexOf(t);n>-1&&e.splice(n,1)},sU=Object.prototype.hasOwnProperty,_n=(e,t)=>sU.call(e,t),Rt=Array.isArray,Rl=e=>Jl(e)==="[object Map]",Js=e=>Jl(e)==="[object Set]",fC=e=>Jl(e)==="[object Date]",lU=e=>Jl(e)==="[object RegExp]",Ft=e=>typeof e=="function",xn=e=>typeof e=="string",Ul=e=>typeof e=="symbol",ln=e=>e!==null&&typeof e=="object",gf=e=>(ln(e)||Ft(e))&&Ft(e.then)&&Ft(e.catch),bR=Object.prototype.toString,Jl=e=>bR.call(e),uU=e=>Jl(e).slice(8,-1),Cd=e=>Jl(e)==="[object Object]",zE=e=>xn(e)&&e!=="NaN"&&e[0]!=="-"&&""+parseInt(e,10)===e,Nl=Zl(",key,ref,ref_for,ref_key,onVnodeBeforeMount,onVnodeMounted,onVnodeBeforeUpdate,onVnodeUpdated,onVnodeBeforeUnmount,onVnodeUnmounted"),hf=e=>{const t=Object.create(null);return n=>t[n]||(t[n]=e(n))},cU=/-(\w)/g,ni=hf(e=>e.replace(cU,(t,n)=>n?n.toUpperCase():"")),dU=/\B([A-Z])/g,ei=hf(e=>e.replace(dU,"-$1").toLowerCase()),gc=hf(e=>e.charAt(0).toUpperCase()+e.slice(1)),Il=hf(e=>e?`on${gc(e)}`:""),os=(e,t)=>!Object.is(e,t),Jo=(e,t)=>{for(let n=0;n<e.length;n++)e[n](t)},Ad=(e,t,n)=>{Object.defineProperty(e,t,{configurable:!0,enumerable:!1,value:n})},$u=e=>{const t=parseFloat(e);return isNaN(t)?e:t},Od=e=>{const t=xn(e)?Number(e):NaN;return isNaN(t)?e:t};let pC;const Mh=()=>pC||(pC=typeof globalThis<"u"?globalThis:typeof self<"u"?self:typeof window<"u"?window:typeof global<"u"?global:{}),fU="Infinity,undefined,NaN,isFinite,isNaN,parseFloat,parseInt,decodeURI,decodeURIComponent,encodeURI,encodeURIComponent,Math,Number,Date,Array,Object,Boolean,String,RegExp,Map,Set,JSON,Intl,BigInt,console",pU=Zl(fU);function eu(e){if(Rt(e)){const t={};for(let n=0;n<e.length;n++){const r=e[n],a=xn(r)?hU(r):eu(r);if(a)for(const o in a)t[o]=a[o]}return t}else if(xn(e)||ln(e))return e}const _U=/;(?![^(]*\))/g,mU=/:([^]+)/,gU=/\/\*[^]*?\*\//g;function hU(e){const t={};return e.replace(gU,"").split(_U).forEach(n=>{if(n){const r=n.split(mU);r.length>1&&(t[r[0].trim()]=r[1].trim())}}),t}function Va(e){let t="";if(xn(e))t=e;else if(Rt(e))for(let n=0;n<e.length;n++){const r=Va(e[n]);r&&(t+=r+" ")}else if(ln(e))for(const n in e)e[n]&&(t+=n+" ");return t.trim()}function EU(e){if(!e)return null;let{class:t,style:n}=e;return t&&!xn(t)&&(e.class=Va(t)),n&&(e.style=eu(n)),e}const SU="itemscope,allowfullscreen,formnovalidate,ismap,nomodule,novalidate,readonly",vR=Zl(SU);function TR(e){return!!e||e===""}function bU(e,t){if(e.length!==t.length)return!1;let n=!0;for(let r=0;n&&r<e.length;r++)n=To(e[r],t[r]);return n}function To(e,t){if(e===t)return!0;let n=fC(e),r=fC(t);if(n||r)return n&&r?e.getTime()===t.getTime():!1;if(n=Ul(e),r=Ul(t),n||r)return e===t;if(n=Rt(e),r=Rt(t),n||r)return n&&r?bU(e,t):!1;if(n=ln(e),r=ln(t),n||r){if(!n||!r)return!1;const a=Object.keys(e).length,o=Object.keys(t).length;if(a!==o)return!1;for(const l in e){const u=e.hasOwnProperty(l),c=t.hasOwnProperty(l);if(u&&!c||!u&&c||!To(e[l],t[l]))return!1}}return String(e)===String(t)}function hc(e,t){return e.findIndex(n=>To(n,t))}const Rd=e=>xn(e)?e:e==null?"":Rt(e)||ln(e)&&(e.toString===bR||!Ft(e.toString))?JSON.stringify(e,yR,2):String(e),yR=(e,t)=>t&&t.__v_isRef?yR(e,t.value):Rl(t)?{[`Map(${t.size})`]:[...t.entries()].reduce((n,[r,a])=>(n[`${r} =>`]=a,n),{})}:Js(t)?{[`Set(${t.size})`]:[...t.values()]}:ln(t)&&!Rt(t)&&!Cd(t)?String(t):t;let Mi;class KE{constructor(t=!1){this.detached=t,this._active=!0,this.effects=[],this.cleanups=[],this.parent=Mi,!t&&Mi&&(this.index=(Mi.scopes||(Mi.scopes=[])).push(this)-1)}get active(){return this._active}run(t){if(this._active){const n=Mi;try{return Mi=this,t()}finally{Mi=n}}}on(){Mi=this}off(){Mi=this.parent}stop(t){if(this._active){let n,r;for(n=0,r=this.effects.length;n<r;n++)this.effects[n].stop();for(n=0,r=this.cleanups.length;n<r;n++)this.cleanups[n]();if(this.scopes)for(n=0,r=this.scopes.length;n<r;n++)this.scopes[n].stop(!0);if(!this.detached&&this.parent&&!t){const a=this.parent.scopes.pop();a&&a!==this&&(this.parent.scopes[this.index]=a,a.index=this.index)}this.parent=void 0,this._active=!1}}}function vU(e){return new KE(e)}function CR(e,t=Mi){t&&t.active&&t.effects.push(e)}function AR(){return Mi}function TU(e){Mi&&Mi.cleanups.push(e)}const $E=e=>{const t=new Set(e);return t.w=0,t.n=0,t},OR=e=>(e.w&ss)>0,RR=e=>(e.n&ss)>0,yU=({deps:e})=>{if(e.length)for(let t=0;t<e.length;t++)e[t].w|=ss},CU=e=>{const{deps:t}=e;if(t.length){let n=0;for(let r=0;r<t.length;r++){const a=t[r];OR(a)&&!RR(a)?a.delete(e):t[n++]=a,a.w&=~ss,a.n&=~ss}t.length=n}},Nd=new WeakMap;let Iu=0,ss=1;const kh=30;let Sa;const ks=Symbol(""),Ph=Symbol("");class Gl{constructor(t,n=null,r){this.fn=t,this.scheduler=n,this.active=!0,this.deps=[],this.parent=void 0,CR(this,r)}run(){if(!this.active)return this.fn();let t=Sa,n=es;for(;t;){if(t===this)return;t=t.parent}try{return this.parent=Sa,Sa=this,es=!0,ss=1<<++Iu,Iu<=kh?yU(this):_C(this),this.fn()}finally{Iu<=kh&&CU(this),ss=1<<--Iu,Sa=this.parent,es=n,this.parent=void 0,this.deferStop&&this.stop()}}stop(){Sa===this?this.deferStop=!0:this.active&&(_C(this),this.onStop&&this.onStop(),this.active=!1)}}function _C(e){const{deps:t}=e;if(t.length){for(let n=0;n<t.length;n++)t[n].delete(e);t.length=0}}function AU(e,t){e.effect instanceof Gl&&(e=e.effect.fn);const n=new Gl(e);t&&(sn(n,t),t.scope&&CR(n,t.scope)),(!t||!t.lazy)&&n.run();const r=n.run.bind(n);return r.effect=n,r}function OU(e){e.effect.stop()}let es=!0;const NR=[];function tu(){NR.push(es),es=!1}function nu(){const e=NR.pop();es=e===void 0?!0:e}function ri(e,t,n){if(es&&Sa){let r=Nd.get(e);r||Nd.set(e,r=new Map);let a=r.get(n);a||r.set(n,a=$E()),IR(a)}}function IR(e,t){let n=!1;Iu<=kh?RR(e)||(e.n|=ss,n=!OR(e)):n=!e.has(Sa),n&&(e.add(Sa),Sa.deps.push(e))}function qa(e,t,n,r,a,o){const l=Nd.get(e);if(!l)return;let u=[];if(t==="clear")u=[...l.values()];else if(n==="length"&&Rt(e)){const c=Number(r);l.forEach((d,S)=>{(S==="length"||!Ul(S)&&S>=c)&&u.push(d)})}else switch(n!==void 0&&u.push(l.get(n)),t){case"add":Rt(e)?zE(n)&&u.push(l.get("length")):(u.push(l.get(ks)),Rl(e)&&u.push(l.get(Ph)));break;case"delete":Rt(e)||(u.push(l.get(ks)),Rl(e)&&u.push(l.get(Ph)));break;case"set":Rl(e)&&u.push(l.get(ks));break}if(u.length===1)u[0]&&Fh(u[0]);else{const c=[];for(const d of u)d&&c.push(...d);Fh($E(c))}}function Fh(e,t){const n=Rt(e)?e:[...e];for(const r of n)r.computed&&mC(r);for(const r of n)r.computed||mC(r)}function mC(e,t){(e!==Sa||e.allowRecurse)&&(e.scheduler?e.scheduler():e.run())}function RU(e,t){var n;return(n=Nd.get(e))==null?void 0:n.get(t)}const NU=Zl("__proto__,__v_isRef,__isVue"),DR=new Set(Object.getOwnPropertyNames(Symbol).filter(e=>e!=="arguments"&&e!=="caller").map(e=>Symbol[e]).filter(Ul)),gC=IU();function IU(){const e={};return["includes","indexOf","lastIndexOf"].forEach(t=>{e[t]=function(...n){const r=pn(this);for(let o=0,l=this.length;o<l;o++)ri(r,"get",o+"");const a=r[t](...n);return a===-1||a===!1?r[t](...n.map(pn)):a}}),["push","pop","shift","unshift","splice"].forEach(t=>{e[t]=function(...n){tu();const r=pn(this)[t].apply(this,n);return nu(),r}}),e}function DU(e){const t=pn(this);return ri(t,"has",e),t.hasOwnProperty(e)}class xR{constructor(t=!1,n=!1){this._isReadonly=t,this._shallow=n}get(t,n,r){const a=this._isReadonly,o=this._shallow;if(n==="__v_isReactive")return!a;if(n==="__v_isReadonly")return a;if(n==="__v_isShallow")return o;if(n==="__v_raw"&&r===(a?o?FR:PR:o?kR:MR).get(t))return t;const l=Rt(t);if(!a){if(l&&_n(gC,n))return Reflect.get(gC,n,r);if(n==="hasOwnProperty")return DU}const u=Reflect.get(t,n,r);return(Ul(n)?DR.has(n):NU(n))||(a||ri(t,"get",n),o)?u:sr(u)?l&&zE(n)?u:u.value:ln(u)?a?jE(u):ls(u):u}}class wR extends xR{constructor(t=!1){super(!1,t)}set(t,n,r,a){let o=t[n];if($s(o)&&sr(o)&&!sr(r))return!1;if(!this._shallow&&(!Qu(r)&&!$s(r)&&(o=pn(o),r=pn(r)),!Rt(t)&&sr(o)&&!sr(r)))return o.value=r,!0;const l=Rt(t)&&zE(n)?Number(n)<t.length:_n(t,n),u=Reflect.set(t,n,r,a);return t===pn(a)&&(l?os(r,o)&&qa(t,"set",n,r):qa(t,"add",n,r)),u}deleteProperty(t,n){const r=_n(t,n);t[n];const a=Reflect.deleteProperty(t,n);return a&&r&&qa(t,"delete",n,void 0),a}has(t,n){const r=Reflect.has(t,n);return(!Ul(n)||!DR.has(n))&&ri(t,"has",n),r}ownKeys(t){return ri(t,"iterate",Rt(t)?"length":ks),Reflect.ownKeys(t)}}class LR extends xR{constructor(t=!1){super(!0,t)}set(t,n){return!0}deleteProperty(t,n){return!0}}const xU=new wR,wU=new LR,LU=new wR(!0),MU=new LR(!0),QE=e=>e,Ef=e=>Reflect.getPrototypeOf(e);function Xc(e,t,n=!1,r=!1){e=e.__v_raw;const a=pn(e),o=pn(t);n||(os(t,o)&&ri(a,"get",t),ri(a,"get",o));const{has:l}=Ef(a),u=r?QE:n?JE:ju;if(l.call(a,t))return u(e.get(t));if(l.call(a,o))return u(e.get(o));e!==a&&e.get(t)}function Zc(e,t=!1){const n=this.__v_raw,r=pn(n),a=pn(e);return t||(os(e,a)&&ri(r,"has",e),ri(r,"has",a)),e===a?n.has(e):n.has(e)||n.has(a)}function Jc(e,t=!1){return e=e.__v_raw,!t&&ri(pn(e),"iterate",ks),Reflect.get(e,"size",e)}function hC(e){e=pn(e);const t=pn(this);return Ef(t).has.call(t,e)||(t.add(e),qa(t,"add",e,e)),this}function EC(e,t){t=pn(t);const n=pn(this),{has:r,get:a}=Ef(n);let o=r.call(n,e);o||(e=pn(e),o=r.call(n,e));const l=a.call(n,e);return n.set(e,t),o?os(t,l)&&qa(n,"set",e,t):qa(n,"add",e,t),this}function SC(e){const t=pn(this),{has:n,get:r}=Ef(t);let a=n.call(t,e);a||(e=pn(e),a=n.call(t,e)),r&&r.call(t,e);const o=t.delete(e);return a&&qa(t,"delete",e,void 0),o}function bC(){const e=pn(this),t=e.size!==0,n=e.clear();return t&&qa(e,"clear",void 0,void 0),n}function ed(e,t){return function(r,a){const o=this,l=o.__v_raw,u=pn(l),c=t?QE:e?JE:ju;return!e&&ri(u,"iterate",ks),l.forEach((d,S)=>r.call(a,c(d),c(S),o))}}function td(e,t,n){return function(...r){const a=this.__v_raw,o=pn(a),l=Rl(o),u=e==="entries"||e===Symbol.iterator&&l,c=e==="keys"&&l,d=a[e](...r),S=n?QE:t?JE:ju;return!t&&ri(o,"iterate",c?Ph:ks),{next(){const{value:_,done:E}=d.next();return E?{value:_,done:E}:{value:u?[S(_[0]),S(_[1])]:S(_),done:E}},[Symbol.iterator](){return this}}}}function Yo(e){return function(...t){return e==="delete"?!1:this}}function kU(){const e={get(o){return Xc(this,o)},get size(){return Jc(this)},has:Zc,add:hC,set:EC,delete:SC,clear:bC,forEach:ed(!1,!1)},t={get(o){return Xc(this,o,!1,!0)},get size(){return Jc(this)},has:Zc,add:hC,set:EC,delete:SC,clear:bC,forEach:ed(!1,!0)},n={get(o){return Xc(this,o,!0)},get size(){return Jc(this,!0)},has(o){return Zc.call(this,o,!0)},add:Yo("add"),set:Yo("set"),delete:Yo("delete"),clear:Yo("clear"),forEach:ed(!0,!1)},r={get(o){return Xc(this,o,!0,!0)},get size(){return Jc(this,!0)},has(o){return Zc.call(this,o,!0)},add:Yo("add"),set:Yo("set"),delete:Yo("delete"),clear:Yo("clear"),forEach:ed(!0,!0)};return["keys","values","entries",Symbol.iterator].forEach(o=>{e[o]=td(o,!1,!1),n[o]=td(o,!0,!1),t[o]=td(o,!1,!0),r[o]=td(o,!0,!0)}),[e,n,t,r]}const[PU,FU,BU,UU]=kU();function Sf(e,t){const n=t?e?UU:BU:e?FU:PU;return(r,a,o)=>a==="__v_isReactive"?!e:a==="__v_isReadonly"?e:a==="__v_raw"?r:Reflect.get(_n(n,a)&&a in r?n:r,a,o)}const GU={get:Sf(!1,!1)},HU={get:Sf(!1,!0)},qU={get:Sf(!0,!1)},YU={get:Sf(!0,!0)},MR=new WeakMap,kR=new WeakMap,PR=new WeakMap,FR=new WeakMap;function WU(e){switch(e){case"Object":case"Array":return 1;case"Map":case"Set":case"WeakMap":case"WeakSet":return 2;default:return 0}}function VU(e){return e.__v_skip||!Object.isExtensible(e)?0:WU(uU(e))}function ls(e){return $s(e)?e:bf(e,!1,xU,GU,MR)}function BR(e){return bf(e,!1,LU,HU,kR)}function jE(e){return bf(e,!0,wU,qU,PR)}function zU(e){return bf(e,!0,MU,YU,FR)}function bf(e,t,n,r,a){if(!ln(e)||e.__v_raw&&!(t&&e.__v_isReactive))return e;const o=a.get(e);if(o)return o;const l=VU(e);if(l===0)return e;const u=new Proxy(e,l===2?r:n);return a.set(e,u),u}function So(e){return $s(e)?So(e.__v_raw):!!(e&&e.__v_isReactive)}function $s(e){return!!(e&&e.__v_isReadonly)}function Qu(e){return!!(e&&e.__v_isShallow)}function XE(e){return So(e)||$s(e)}function pn(e){const t=e&&e.__v_raw;return t?pn(t):e}function ZE(e){return Ad(e,"__v_skip",!0),e}const ju=e=>ln(e)?ls(e):e,JE=e=>ln(e)?jE(e):e;function eS(e){es&&Sa&&(e=pn(e),IR(e.dep||(e.dep=$E())))}function vf(e,t){e=pn(e);const n=e.dep;n&&Fh(n)}function sr(e){return!!(e&&e.__v_isRef===!0)}function Dl(e){return UR(e,!1)}function KU(e){return UR(e,!0)}function UR(e,t){return sr(e)?e:new $U(e,t)}class $U{constructor(t,n){this.__v_isShallow=n,this.dep=void 0,this.__v_isRef=!0,this._rawValue=n?t:pn(t),this._value=n?t:ju(t)}get value(){return eS(this),this._value}set value(t){const n=this.__v_isShallow||Qu(t)||$s(t);t=n?t:pn(t),os(t,this._rawValue)&&(this._rawValue=t,this._value=n?t:ju(t),vf(this))}}function QU(e){vf(e)}function tS(e){return sr(e)?e.value:e}function jU(e){return Ft(e)?e():tS(e)}const XU={get:(e,t,n)=>tS(Reflect.get(e,t,n)),set:(e,t,n,r)=>{const a=e[t];return sr(a)&&!sr(n)?(a.value=n,!0):Reflect.set(e,t,n,r)}};function nS(e){return So(e)?e:new Proxy(e,XU)}class ZU{constructor(t){this.dep=void 0,this.__v_isRef=!0;const{get:n,set:r}=t(()=>eS(this),()=>vf(this));this._get=n,this._set=r}get value(){return this._get()}set value(t){this._set(t)}}function JU(e){return new ZU(e)}function e3(e){const t=Rt(e)?new Array(e.length):{};for(const n in e)t[n]=GR(e,n);return t}class t3{constructor(t,n,r){this._object=t,this._key=n,this._defaultValue=r,this.__v_isRef=!0}get value(){const t=this._object[this._key];return t===void 0?this._defaultValue:t}set value(t){this._object[this._key]=t}get dep(){return RU(pn(this._object),this._key)}}class n3{constructor(t){this._getter=t,this.__v_isRef=!0,this.__v_isReadonly=!0}get value(){return this._getter()}}function r3(e,t,n){return sr(e)?e:Ft(e)?new n3(e):ln(e)&&arguments.length>1?GR(e,t,n):Dl(e)}function GR(e,t,n){const r=e[t];return sr(r)?r:new t3(e,t,n)}class i3{constructor(t,n,r,a){this._setter=n,this.dep=void 0,this.__v_isRef=!0,this.__v_isReadonly=!1,this._dirty=!0,this.effect=new Gl(t,()=>{this._dirty||(this._dirty=!0,vf(this))}),this.effect.computed=this,this.effect.active=this._cacheable=!a,this.__v_isReadonly=r}get value(){const t=pn(this);return eS(t),(t._dirty||!t._cacheable)&&(t._dirty=!1,t._value=t.effect.run()),t._value}set value(t){this._setter(t)}}function a3(e,t,n=!1){let r,a;const o=Ft(e);return o?(r=e,a=vi):(r=e.get,a=e.set),new i3(r,a,o||!a,n)}function o3(e,...t){}function s3(e,t){}function Ya(e,t,n,r){let a;try{a=r?e(...r):e()}catch(o){el(o,t,n)}return a}function Ti(e,t,n,r){if(Ft(e)){const o=Ya(e,t,n,r);return o&&gf(o)&&o.catch(l=>{el(l,t,n)}),o}const a=[];for(let o=0;o<e.length;o++)a.push(Ti(e[o],t,n,r));return a}function el(e,t,n,r=!0){const a=t?t.vnode:null;if(t){let o=t.parent;const l=t.proxy,u=n;for(;o;){const d=o.ec;if(d){for(let S=0;S<d.length;S++)if(d[S](e,l,u)===!1)return}o=o.parent}const c=t.appContext.config.errorHandler;if(c){Ya(c,null,10,[e,l,u]);return}}l3(e,n,a,r)}function l3(e,t,n,r=!0){console.error(e)}let Xu=!1,Bh=!1;const kr=[];let Ua=0;const xl=[];let ho=null,As=0;const HR=Promise.resolve();let rS=null;function Ec(e){const t=rS||HR;return e?t.then(this?e.bind(this):e):t}function u3(e){let t=Ua+1,n=kr.length;for(;t<n;){const r=t+n>>>1,a=kr[r],o=Zu(a);o<e||o===e&&a.pre?t=r+1:n=r}return t}function Tf(e){(!kr.length||!kr.includes(e,Xu&&e.allowRecurse?Ua+1:Ua))&&(e.id==null?kr.push(e):kr.splice(u3(e.id),0,e),qR())}function qR(){!Xu&&!Bh&&(Bh=!0,rS=HR.then(YR))}function c3(e){const t=kr.indexOf(e);t>Ua&&kr.splice(t,1)}function Id(e){Rt(e)?xl.push(...e):(!ho||!ho.includes(e,e.allowRecurse?As+1:As))&&xl.push(e),qR()}function vC(e,t=Xu?Ua+1:0){for(;t<kr.length;t++){const n=kr[t];n&&n.pre&&(kr.splice(t,1),t--,n())}}function Dd(e){if(xl.length){const t=[...new Set(xl)];if(xl.length=0,ho){ho.push(...t);return}for(ho=t,ho.sort((n,r)=>Zu(n)-Zu(r)),As=0;As<ho.length;As++)ho[As]();ho=null,As=0}}const Zu=e=>e.id==null?1/0:e.id,d3=(e,t)=>{const n=Zu(e)-Zu(t);if(n===0){if(e.pre&&!t.pre)return-1;if(t.pre&&!e.pre)return 1}return n};function YR(e){Bh=!1,Xu=!0,kr.sort(d3);const t=vi;try{for(Ua=0;Ua<kr.length;Ua++){const n=kr[Ua];n&&n.active!==!1&&Ya(n,null,14)}}finally{Ua=0,kr.length=0,Dd(),Xu=!1,rS=null,(kr.length||xl.length)&&YR()}}let yl,nd=[];function WR(e,t){var n,r;yl=e,yl?(yl.enabled=!0,nd.forEach(({event:a,args:o})=>yl.emit(a,...o)),nd=[]):typeof window<"u"&&window.HTMLElement&&!((r=(n=window.navigator)==null?void 0:n.userAgent)!=null&&r.includes("jsdom"))?((t.__VUE_DEVTOOLS_HOOK_REPLAY__=t.__VUE_DEVTOOLS_HOOK_REPLAY__||[]).push(o=>{WR(o,t)}),setTimeout(()=>{yl||(t.__VUE_DEVTOOLS_HOOK_REPLAY__=null,nd=[])},3e3)):nd=[]}function f3(e,t,...n){}const iS={MODE:2};function p3(e){sn(iS,e)}function TC(e,t){const n=t&&t.type.compatConfig;return n&&e in n?n[e]:iS[e]}function Sn(e,t,n=!1){if(!n&&t&&t.type.__isBuiltIn)return!1;const r=TC("MODE",t)||2,a=TC(e,t);return(Ft(r)?r(t&&t.type):r)===2?a!==!1:a===!0||a==="suppress-warning"}function Ir(e,t,...n){if(!Sn(e,t))throw new Error(`${e} compat has been disabled.`)}function yo(e,t,...n){return Sn(e,t)}function yf(e,t,...n){return Sn(e,t)}const Uh=new WeakMap;function aS(e){let t=Uh.get(e);return t||Uh.set(e,t=Object.create(null)),t}function oS(e,t,n){if(Rt(t))t.forEach(r=>oS(e,r,n));else{t.startsWith("hook:")?Ir("INSTANCE_EVENT_HOOKS",e,t):Ir("INSTANCE_EVENT_EMITTER",e);const r=aS(e);(r[t]||(r[t]=[])).push(n)}return e.proxy}function _3(e,t,n){const r=(...a)=>{sS(e,t,r),n.call(e.proxy,...a)};return r.fn=n,oS(e,t,r),e.proxy}function sS(e,t,n){Ir("INSTANCE_EVENT_EMITTER",e);const r=e.proxy;if(!t)return Uh.set(e,Object.create(null)),r;if(Rt(t))return t.forEach(l=>sS(e,l,n)),r;const a=aS(e),o=a[t];return o?n?(a[t]=o.filter(l=>!(l===n||l.fn===n)),r):(a[t]=void 0,r):r}function m3(e,t,n){const r=aS(e)[t];return r&&Ti(r.map(a=>a.bind(e.proxy)),e,6,n),e.proxy}const Cf="onModelCompat:";function g3(e){const{type:t,shapeFlag:n,props:r,dynamicProps:a}=e,o=t;if(n&6&&r&&"modelValue"in r){if(!Sn("COMPONENT_V_MODEL",{type:t}))return;const l=o.model||{};VR(l,o.mixins);const{prop:u="value",event:c="input"}=l;u!=="modelValue"&&(r[u]=r.modelValue,delete r.modelValue),a&&(a[a.indexOf("modelValue")]=u),r[Cf+c]=r["onUpdate:modelValue"],delete r["onUpdate:modelValue"]}}function VR(e,t){t&&t.forEach(n=>{n.model&&sn(e,n.model),n.mixins&&VR(e,n.mixins)})}function h3(e,t,n){if(!Sn("COMPONENT_V_MODEL",e))return;const r=e.vnode.props,a=r&&r[Cf+t];a&&Ya(a,e,6,n)}function E3(e,t,...n){if(e.isUnmounted)return;const r=e.vnode.props||yn;let a=n;const o=t.startsWith("update:"),l=o&&t.slice(7);if(l&&l in r){const S=`${l==="modelValue"?"model":l}Modifiers`,{number:_,trim:E}=r[S]||yn;E&&(a=n.map(T=>xn(T)?T.trim():T)),_&&(a=n.map($u))}let u,c=r[u=Il(t)]||r[u=Il(ni(t))];!c&&o&&(c=r[u=Il(ei(t))]),c&&Ti(c,e,6,a);const d=r[u+"Once"];if(d){if(!e.emitted)e.emitted={};else if(e.emitted[u])return;e.emitted[u]=!0,Ti(d,e,6,a)}return h3(e,t,a),m3(e,t,a)}function zR(e,t,n=!1){const r=t.emitsCache,a=r.get(e);if(a!==void 0)return a;const o=e.emits;let l={},u=!1;if(!Ft(e)){const c=d=>{const S=zR(d,t,!0);S&&(u=!0,sn(l,S))};!n&&t.mixins.length&&t.mixins.forEach(c),e.extends&&c(e.extends),e.mixins&&e.mixins.forEach(c)}return!o&&!u?(ln(e)&&r.set(e,null),null):(Rt(o)?o.forEach(c=>l[c]=null):sn(l,o),ln(e)&&r.set(e,l),l)}function Af(e,t){return!e||!Co(t)?!1:t.startsWith(Cf)?!0:(t=t.slice(2).replace(/Once$/,""),_n(e,t[0].toLowerCase()+t.slice(1))||_n(e,ei(t))||_n(e,t))}let Yn=null,wl=null;function Ju(e){const t=Yn;return Yn=e,wl=e&&e.type.__scopeId||null,wl||(wl=e&&e.type._scopeId||null),t}function S3(e){wl=e}function b3(){wl=null}const v3=e=>lS;function lS(e,t=Yn,n){if(!t||e._n)return e;const r=(...a)=>{r._d&&zh(-1);const o=Ju(t);let l;try{l=e(...a)}finally{Ju(o),r._d&&zh(1)}return l};return r._n=!0,r._c=!0,r._d=!0,n&&(r._ns=!0),r}function pd(e){const{type:t,vnode:n,proxy:r,withProxy:a,props:o,propsOptions:[l],slots:u,attrs:c,emit:d,render:S,renderCache:_,data:E,setupState:T,ctx:y,inheritAttrs:M}=e;let v,A;const O=Ju(e);try{if(n.shapeFlag&4){const R=a||r;v=Pi(S.call(R,R,_,o,T,E,y)),A=c}else{const R=t;v=Pi(R.length>1?R(o,{attrs:c,slots:u,emit:d}):R(o,null)),A=t.props?c:y3(c)}}catch(R){Pu.length=0,el(R,e,1),v=En(Dr)}let N=v;if(A&&M!==!1){const R=Object.keys(A),{shapeFlag:L}=N;R.length&&L&7&&(l&&R.some(WE)&&(A=C3(A,l)),N=va(N,A))}if(Sn("INSTANCE_ATTRS_CLASS_STYLE",e)&&n.shapeFlag&4&&N.shapeFlag&7){const{class:R,style:L}=n.props||{};(R||L)&&(N=va(N,{class:R,style:L}))}return n.dirs&&(N=va(N),N.dirs=N.dirs?N.dirs.concat(n.dirs):n.dirs),n.transition&&(N.transition=n.transition),v=N,Ju(O),v}function T3(e){let t;for(let n=0;n<e.length;n++){const r=e[n];if(Bi(r)){if(r.type!==Dr||r.children==="v-if"){if(t)return;t=r}}else return}return t}const y3=e=>{let t;for(const n in e)(n==="class"||n==="style"||Co(n))&&((t||(t={}))[n]=e[n]);return t},C3=(e,t)=>{const n={};for(const r in e)(!WE(r)||!(r.slice(9)in t))&&(n[r]=e[r]);return n};function A3(e,t,n){const{props:r,children:a,component:o}=e,{props:l,children:u,patchFlag:c}=t,d=o.emitsOptions;if(t.dirs||t.transition)return!0;if(n&&c>=0){if(c&1024)return!0;if(c&16)return r?yC(r,l,d):!!l;if(c&8){const S=t.dynamicProps;for(let _=0;_<S.length;_++){const E=S[_];if(l[E]!==r[E]&&!Af(d,E))return!0}}}else return(a||u)&&(!u||!u.$stable)?!0:r===l?!1:r?l?yC(r,l,d):!0:!!l;return!1}function yC(e,t,n){const r=Object.keys(t);if(r.length!==Object.keys(e).length)return!0;for(let a=0;a<r.length;a++){const o=r[a];if(t[o]!==e[o]&&!Af(n,o))return!0}return!1}function uS({vnode:e,parent:t},n){for(;t&&t.subTree===e;)(e=t.vnode).el=n,t=t.parent}const cS="components",O3="directives",R3="filters";function N3(e,t){return Of(cS,e,!0,t)||e}const KR=Symbol.for("v-ndc");function $R(e){return xn(e)?Of(cS,e,!1)||e:e||KR}function QR(e){return Of(O3,e)}function jR(e){return Of(R3,e)}function Of(e,t,n=!0,r=!1){const a=Yn||Xn;if(a){const o=a.type;if(e===cS){const u=jh(o,!1);if(u&&(u===t||u===ni(t)||u===gc(ni(t))))return o}const l=CC(a[e]||o[e],t)||CC(a.appContext[e],t);return!l&&r?o:l}}function CC(e,t){return e&&(e[t]||e[ni(t)]||e[gc(ni(t))])}const XR=e=>e.__isSuspense,I3={name:"Suspense",__isSuspense:!0,process(e,t,n,r,a,o,l,u,c,d){e==null?x3(t,n,r,a,o,l,u,c,d):w3(e,t,n,r,a,l,u,c,d)},hydrate:L3,create:dS,normalize:M3},D3=I3;function ec(e,t){const n=e.props&&e.props[t];Ft(n)&&n()}function x3(e,t,n,r,a,o,l,u,c){const{p:d,o:{createElement:S}}=c,_=S("div"),E=e.suspense=dS(e,a,r,t,_,n,o,l,u,c);d(null,E.pendingBranch=e.ssContent,_,null,r,E,o,l),E.deps>0?(ec(e,"onPending"),ec(e,"onFallback"),d(null,e.ssFallback,t,n,r,null,o,l),Ll(E,e.ssFallback)):E.resolve(!1,!0)}function w3(e,t,n,r,a,o,l,u,{p:c,um:d,o:{createElement:S}}){const _=t.suspense=e.suspense;_.vnode=t,t.el=e.el;const E=t.ssContent,T=t.ssFallback,{activeBranch:y,pendingBranch:M,isInFallback:v,isHydrating:A}=_;if(M)_.pendingBranch=E,ba(E,M)?(c(M,E,_.hiddenContainer,null,a,_,o,l,u),_.deps<=0?_.resolve():v&&(c(y,T,n,r,a,null,o,l,u),Ll(_,T))):(_.pendingId++,A?(_.isHydrating=!1,_.activeBranch=M):d(M,a,_),_.deps=0,_.effects.length=0,_.hiddenContainer=S("div"),v?(c(null,E,_.hiddenContainer,null,a,_,o,l,u),_.deps<=0?_.resolve():(c(y,T,n,r,a,null,o,l,u),Ll(_,T))):y&&ba(E,y)?(c(y,E,n,r,a,_,o,l,u),_.resolve(!0)):(c(null,E,_.hiddenContainer,null,a,_,o,l,u),_.deps<=0&&_.resolve()));else if(y&&ba(E,y))c(y,E,n,r,a,_,o,l,u),Ll(_,E);else if(ec(t,"onPending"),_.pendingBranch=E,_.pendingId++,c(null,E,_.hiddenContainer,null,a,_,o,l,u),_.deps<=0)_.resolve();else{const{timeout:O,pendingId:N}=_;O>0?setTimeout(()=>{_.pendingId===N&&_.fallback(T)},O):O===0&&_.fallback(T)}}function dS(e,t,n,r,a,o,l,u,c,d,S=!1){const{p:_,m:E,um:T,n:y,o:{parentNode:M,remove:v}}=d;let A;const O=k3(e);O&&t!=null&&t.pendingBranch&&(A=t.pendingId,t.deps++);const N=e.props?Od(e.props.timeout):void 0,R={vnode:e,parent:t,parentComponent:n,isSVG:l,container:r,hiddenContainer:a,anchor:o,deps:0,pendingId:0,timeout:typeof N=="number"?N:-1,activeBranch:null,pendingBranch:null,isInFallback:!0,isHydrating:S,isUnmounted:!1,effects:[],resolve(L=!1,I=!1){const{vnode:h,activeBranch:k,pendingBranch:F,pendingId:z,effects:K,parentComponent:ue,container:Z}=R;let fe=!1;if(R.isHydrating)R.isHydrating=!1;else if(!L){fe=k&&F.transition&&F.transition.mode==="out-in",fe&&(k.transition.afterLeave=()=>{z===R.pendingId&&(E(F,Z,te,0),Id(K))});let{anchor:te}=R;k&&(te=y(k),T(k,ue,R,!0)),fe||E(F,Z,te,0)}Ll(R,F),R.pendingBranch=null,R.isInFallback=!1;let V=R.parent,ne=!1;for(;V;){if(V.pendingBranch){V.effects.push(...K),ne=!0;break}V=V.parent}!ne&&!fe&&Id(K),R.effects=[],O&&t&&t.pendingBranch&&A===t.pendingId&&(t.deps--,t.deps===0&&!I&&t.resolve()),ec(h,"onResolve")},fallback(L){if(!R.pendingBranch)return;const{vnode:I,activeBranch:h,parentComponent:k,container:F,isSVG:z}=R;ec(I,"onFallback");const K=y(h),ue=()=>{!R.isInFallback||(_(null,L,F,K,k,null,z,u,c),Ll(R,L))},Z=L.transition&&L.transition.mode==="out-in";Z&&(h.transition.afterLeave=ue),R.isInFallback=!0,T(h,k,null,!0),Z||ue()},move(L,I,h){R.activeBranch&&E(R.activeBranch,L,I,h),R.container=L},next(){return R.activeBranch&&y(R.activeBranch)},registerDep(L,I){const h=!!R.pendingBranch;h&&R.deps++;const k=L.vnode.el;L.asyncDep.catch(F=>{el(F,L,0)}).then(F=>{if(L.isUnmounted||R.isUnmounted||R.pendingId!==L.suspenseId)return;L.asyncResolved=!0;const{vnode:z}=L;Kh(L,F,!1),k&&(z.el=k);const K=!k&&L.subTree.el;I(L,z,M(k||L.subTree.el),k?null:y(L.subTree),R,l,c),K&&v(K),uS(L,z.el),h&&--R.deps===0&&R.resolve()})},unmount(L,I){R.isUnmounted=!0,R.activeBranch&&T(R.activeBranch,n,L,I),R.pendingBranch&&T(R.pendingBranch,n,L,I)}};return R}function L3(e,t,n,r,a,o,l,u,c){const d=t.suspense=dS(t,r,n,e.parentNode,document.createElement("div"),null,a,o,l,u,!0),S=c(e,d.pendingBranch=t.ssContent,n,d,o,l);return d.deps===0&&d.resolve(!1,!0),S}function M3(e){const{shapeFlag:t,children:n}=e,r=t&32;e.ssContent=AC(r?n.default:n),e.ssFallback=r?AC(n.fallback):En(Dr)}function AC(e){let t;if(Ft(e)){const n=Xs&&e._c;n&&(e._d=!1,ki()),e=e(),n&&(e._d=!0,t=bi,YN())}return Rt(e)&&(e=T3(e)),e=Pi(e),t&&!e.dynamicChildren&&(e.dynamicChildren=t.filter(n=>n!==e)),e}function ZR(e,t){t&&t.pendingBranch?Rt(e)?t.effects.push(...e):t.effects.push(e):Id(e)}function Ll(e,t){e.activeBranch=t;const{vnode:n,parentComponent:r}=e,a=n.el=t.el;r&&r.subTree===n&&(r.vnode.el=a,uS(r,a))}function k3(e){var t;return((t=e.props)==null?void 0:t.suspensible)!=null&&e.props.suspensible!==!1}const P3={beforeMount:"bind",mounted:"inserted",updated:["update","componentUpdated"],unmounted:"unbind"};function F3(e,t,n){const r=P3[e];if(r)if(Rt(r)){const a=[];return r.forEach(o=>{const l=t[o];l&&(yo("CUSTOM_DIR",n,o,e),a.push(l))}),a.length?a:void 0}else return t[r]&&yo("CUSTOM_DIR",n,r,e),t[r]}function B3(e,t){return Sc(e,null,t)}function JR(e,t){return Sc(e,null,{flush:"post"})}function U3(e,t){return Sc(e,null,{flush:"sync"})}const rd={};function Ps(e,t,n){return Sc(e,t,n)}function Sc(e,t,{immediate:n,deep:r,flush:a,onTrack:o,onTrigger:l}=yn){var u;const c=AR()===((u=Xn)==null?void 0:u.scope)?Xn:null;let d,S=!1,_=!1;if(sr(e)?(d=()=>e.value,S=Qu(e)):So(e)?(d=()=>e,r=!0):Rt(e)?(_=!0,S=e.some(R=>So(R)||Qu(R)),d=()=>e.map(R=>{if(sr(R))return R.value;if(So(R))return Zo(R);if(Ft(R))return Ya(R,c,2)})):Ft(e)?t?d=()=>Ya(e,c,2):d=()=>{if(!(c&&c.isUnmounted))return E&&E(),Ti(e,c,3,[T])}:d=vi,t&&!r){const R=d;d=()=>{const L=R();return Rt(L)&&yf("WATCH_ARRAY",c)&&Zo(L),L}}if(t&&r){const R=d;d=()=>Zo(R())}let E,T=R=>{E=O.onStop=()=>{Ya(R,c,4)}},y;if(Yl)if(T=vi,t?n&&Ti(t,c,3,[d(),_?[]:void 0,T]):d(),a==="sync"){const R=ZN();y=R.__watcherHandles||(R.__watcherHandles=[])}else return vi;let M=_?new Array(e.length).fill(rd):rd;const v=()=>{if(!!O.active)if(t){const R=O.run();(r||S||(_?R.some((L,I)=>os(L,M[I])):os(R,M))||Rt(R)&&Sn("WATCH_ARRAY",c))&&(E&&E(),Ti(t,c,3,[R,M===rd?void 0:_&&M[0]===rd?[]:M,T]),M=R)}else O.run()};v.allowRecurse=!!t;let A;a==="sync"?A=v:a==="post"?A=()=>$n(v,c&&c.suspense):(v.pre=!0,c&&(v.id=c.uid),A=()=>Tf(v));const O=new Gl(d,A);t?n?v():M=O.run():a==="post"?$n(O.run.bind(O),c&&c.suspense):O.run();const N=()=>{O.stop(),c&&c.scope&&VE(c.scope.effects,O)};return y&&y.push(N),N}function G3(e,t,n){const r=this.proxy,a=xn(e)?e.includes(".")?eN(r,e):()=>r[e]:e.bind(r,r);let o;Ft(t)?o=t:(o=t.handler,n=t);const l=Xn;us(this);const u=Sc(a,o.bind(r),n);return l?us(l):ts(),u}function eN(e,t){const n=t.split(".");return()=>{let r=e;for(let a=0;a<n.length&&r;a++)r=r[n[a]];return r}}function Zo(e,t){if(!ln(e)||e.__v_skip||(t=t||new Set,t.has(e)))return e;if(t.add(e),sr(e))Zo(e.value,t);else if(Rt(e))for(let n=0;n<e.length;n++)Zo(e[n],t);else if(Js(e)||Rl(e))e.forEach(n=>{Zo(n,t)});else if(Cd(e))for(const n in e)Zo(e[n],t);return e}function tN(e,t){const n=Yn;if(n===null)return e;const r=Lf(n)||n.proxy,a=e.dirs||(e.dirs=[]);for(let o=0;o<t.length;o++){let[l,u,c,d=yn]=t[o];l&&(Ft(l)&&(l={mounted:l,updated:l}),l.deep&&Zo(u),a.push({dir:l,instance:r,value:u,oldValue:void 0,arg:c,modifiers:d}))}return e}function Ba(e,t,n,r){const a=e.dirs,o=t&&t.dirs;for(let l=0;l<a.length;l++){const u=a[l];o&&(u.oldValue=o[l].value);let c=u.dir[r];c||(c=F3(r,u.dir,n)),c&&(tu(),Ti(c,n,8,[e.el,u,e,t]),nu())}}const Ko=Symbol("_leaveCb"),id=Symbol("_enterCb");function fS(){const e={isMounted:!1,isLeaving:!1,isUnmounting:!1,leavingVNodes:new Map};return vc(()=>{e.isMounted=!0}),tc(()=>{e.isUnmounting=!0}),e}const ta=[Function,Array],pS={mode:String,appear:Boolean,persisted:Boolean,onBeforeEnter:ta,onEnter:ta,onAfterEnter:ta,onEnterCancelled:ta,onBeforeLeave:ta,onLeave:ta,onAfterLeave:ta,onLeaveCancelled:ta,onBeforeAppear:ta,onAppear:ta,onAfterAppear:ta,onAppearCancelled:ta},nN={name:"BaseTransition",props:pS,setup(e,{slots:t}){const n=Aa(),r=fS();let a;return()=>{const o=t.default&&Rf(t.default(),!0);if(!o||!o.length)return;let l=o[0];if(o.length>1){for(const M of o)if(M.type!==Dr){l=M;break}}const u=pn(e),{mode:c}=u;if(r.isLeaving)return eh(l);const d=OC(l);if(!d)return eh(l);const S=Hl(d,u,r,n);Qs(d,S);const _=n.subTree,E=_&&OC(_);let T=!1;const{getTransitionKey:y}=d.type;if(y){const M=y();a===void 0?a=M:M!==a&&(a=M,T=!0)}if(E&&E.type!==Dr&&(!ba(d,E)||T)){const M=Hl(E,u,r,n);if(Qs(E,M),c==="out-in")return r.isLeaving=!0,M.afterLeave=()=>{r.isLeaving=!1,n.update.active!==!1&&n.update()},eh(l);c==="in-out"&&d.type!==Dr&&(M.delayLeave=(v,A,O)=>{const N=iN(r,E);N[String(E.key)]=E,v[Ko]=()=>{A(),v[Ko]=void 0,delete S.delayedLeave},S.delayedLeave=O})}return l}}};nN.__isBuiltIn=!0;const rN=nN;function iN(e,t){const{leavingVNodes:n}=e;let r=n.get(t.type);return r||(r=Object.create(null),n.set(t.type,r)),r}function Hl(e,t,n,r){const{appear:a,mode:o,persisted:l=!1,onBeforeEnter:u,onEnter:c,onAfterEnter:d,onEnterCancelled:S,onBeforeLeave:_,onLeave:E,onAfterLeave:T,onLeaveCancelled:y,onBeforeAppear:M,onAppear:v,onAfterAppear:A,onAppearCancelled:O}=t,N=String(e.key),R=iN(n,e),L=(k,F)=>{k&&Ti(k,r,9,F)},I=(k,F)=>{const z=F[1];L(k,F),Rt(k)?k.every(K=>K.length<=1)&&z():k.length<=1&&z()},h={mode:o,persisted:l,beforeEnter(k){let F=u;if(!n.isMounted)if(a)F=M||u;else return;k[Ko]&&k[Ko](!0);const z=R[N];z&&ba(e,z)&&z.el[Ko]&&z.el[Ko](),L(F,[k])},enter(k){let F=c,z=d,K=S;if(!n.isMounted)if(a)F=v||c,z=A||d,K=O||S;else return;let ue=!1;const Z=k[id]=fe=>{ue||(ue=!0,fe?L(K,[k]):L(z,[k]),h.delayedLeave&&h.delayedLeave(),k[id]=void 0)};F?I(F,[k,Z]):Z()},leave(k,F){const z=String(e.key);if(k[id]&&k[id](!0),n.isUnmounting)return F();L(_,[k]);let K=!1;const ue=k[Ko]=Z=>{K||(K=!0,F(),Z?L(y,[k]):L(T,[k]),k[Ko]=void 0,R[z]===e&&delete R[z])};R[z]=e,E?I(E,[k,ue]):ue()},clone(k){return Hl(k,t,n,r)}};return h}function eh(e){if(bc(e))return e=va(e),e.children=null,e}function OC(e){return bc(e)?e.children?e.children[0]:void 0:e}function Qs(e,t){e.shapeFlag&6&&e.component?Qs(e.component.subTree,t):e.shapeFlag&128?(e.ssContent.transition=t.clone(e.ssContent),e.ssFallback.transition=t.clone(e.ssFallback)):e.transition=t}function Rf(e,t=!1,n){let r=[],a=0;for(let o=0;o<e.length;o++){let l=e[o];const u=n==null?l.key:String(n)+String(l.key!=null?l.key:o);l.type===hr?(l.patchFlag&128&&a++,r=r.concat(Rf(l.children,t,u))):(t||l.type!==Dr)&&r.push(u!=null?va(l,{key:u}):l)}if(a>1)for(let o=0;o<r.length;o++)r[o].patchFlag=-2;return r}/*! #__NO_SIDE_EFFECTS__ */function _S(e,t){return Ft(e)?(()=>sn({name:e.name},t,{setup:e}))():e}const Fs=e=>!!e.type.__asyncLoader;/*! #__NO_SIDE_EFFECTS__ */function _d(e){Ft(e)&&(e={loader:e});const{loader:t,loadingComponent:n,errorComponent:r,delay:a=200,timeout:o,suspensible:l=!0,onError:u}=e;let c=null,d,S=0;const _=()=>(S++,c=null,E()),E=()=>{let T;return c||(T=c=t().catch(y=>{if(y=y instanceof Error?y:new Error(String(y)),u)return new Promise((M,v)=>{u(y,()=>M(_()),()=>v(y),S+1)});throw y}).then(y=>T!==c&&c?c:(y&&(y.__esModule||y[Symbol.toStringTag]==="Module")&&(y=y.default),d=y,y)))};return _S({name:"AsyncComponentWrapper",__asyncLoader:E,get __asyncResolved(){return d},setup(){const T=Xn;if(d)return()=>th(d,T);const y=O=>{c=null,el(O,T,13,!r)};if(l&&T.suspense||Yl)return E().then(O=>()=>th(O,T)).catch(O=>(y(O),()=>r?En(r,{error:O}):null));const M=Dl(!1),v=Dl(),A=Dl(!!a);return a&&setTimeout(()=>{A.value=!1},a),o!=null&&setTimeout(()=>{if(!M.value&&!v.value){const O=new Error(`Async component timed out after ${o}ms.`);y(O),v.value=O}},o),E().then(()=>{M.value=!0,T.parent&&bc(T.parent.vnode)&&Tf(T.parent.update)}).catch(O=>{y(O),v.value=O}),()=>{if(M.value&&d)return th(d,T);if(v.value&&r)return En(r,{error:v.value});if(n&&!A.value)return En(n)}}})}function th(e,t){const{ref:n,props:r,children:a,ce:o}=t.vnode,l=En(e,r,a);return l.ref=n,l.ce=o,delete t.vnode.ce,l}const bc=e=>e.type.__isKeepAlive,aN={name:"KeepAlive",__isKeepAlive:!0,props:{include:[String,RegExp,Array],exclude:[String,RegExp,Array],max:[String,Number]},setup(e,{slots:t}){const n=Aa(),r=n.ctx;if(!r.renderer)return()=>{const O=t.default&&t.default();return O&&O.length===1?O[0]:O};const a=new Map,o=new Set;let l=null;const u=n.suspense,{renderer:{p:c,m:d,um:S,o:{createElement:_}}}=r,E=_("div");r.activate=(O,N,R,L,I)=>{const h=O.component;d(O,N,R,0,u),c(h.vnode,O,N,R,h,u,L,O.slotScopeIds,I),$n(()=>{h.isDeactivated=!1,h.a&&Jo(h.a);const k=O.props&&O.props.onVnodeMounted;k&&Ei(k,h.parent,O)},u)},r.deactivate=O=>{const N=O.component;d(O,E,null,1,u),$n(()=>{N.da&&Jo(N.da);const R=O.props&&O.props.onVnodeUnmounted;R&&Ei(R,N.parent,O),N.isDeactivated=!0},u)};function T(O){nh(O),S(O,n,u,!0)}function y(O){a.forEach((N,R)=>{const L=jh(N.type);L&&(!O||!O(L))&&M(R)})}function M(O){const N=a.get(O);!l||!ba(N,l)?T(N):l&&nh(l),a.delete(O),o.delete(O)}Ps(()=>[e.include,e.exclude],([O,N])=>{O&&y(R=>Du(O,R)),N&&y(R=>!Du(N,R))},{flush:"post",deep:!0});let v=null;const A=()=>{v!=null&&a.set(v,rh(n.subTree))};return vc(A),If(A),tc(()=>{a.forEach(O=>{const{subTree:N,suspense:R}=n,L=rh(N);if(O.type===L.type&&O.key===L.key){nh(L);const I=L.component.da;I&&$n(I,R);return}T(O)})}),()=>{if(v=null,!t.default)return null;const O=t.default(),N=O[0];if(O.length>1)return l=null,O;if(!Bi(N)||!(N.shapeFlag&4)&&!(N.shapeFlag&128))return l=null,N;let R=rh(N);const L=R.type,I=jh(Fs(R)?R.type.__asyncResolved||{}:L),{include:h,exclude:k,max:F}=e;if(h&&(!I||!Du(h,I))||k&&I&&Du(k,I))return l=R,N;const z=R.key==null?L:R.key,K=a.get(z);return R.el&&(R=va(R),N.shapeFlag&128&&(N.ssContent=R)),v=z,K?(R.el=K.el,R.component=K.component,R.transition&&Qs(R,R.transition),R.shapeFlag|=512,o.delete(z),o.add(z)):(o.add(z),F&&o.size>parseInt(F,10)&&M(o.values().next().value)),R.shapeFlag|=256,l=R,XR(N.type)?N:R}}};aN.__isBuildIn=!0;const oN=aN;function Du(e,t){return Rt(e)?e.some(n=>Du(n,t)):xn(e)?e.split(",").includes(t):lU(e)?e.test(t):!1}function sN(e,t){uN(e,"a",t)}function lN(e,t){uN(e,"da",t)}function uN(e,t,n=Xn){const r=e.__wdc||(e.__wdc=()=>{let a=n;for(;a;){if(a.isDeactivated)return;a=a.parent}return e()});if(Nf(t,r,n),n){let a=n.parent;for(;a&&a.parent;)bc(a.parent.vnode)&&H3(r,t,n,a),a=a.parent}}function H3(e,t,n,r){const a=Nf(t,e,r,!0);nc(()=>{VE(r[t],a)},n)}function nh(e){e.shapeFlag&=-257,e.shapeFlag&=-513}function rh(e){return e.shapeFlag&128?e.ssContent:e}function Nf(e,t,n=Xn,r=!1){if(n){const a=n[e]||(n[e]=[]),o=t.__weh||(t.__weh=(...l)=>{if(n.isUnmounted)return;tu(),us(n);const u=Ti(t,n,e,l);return ts(),nu(),u});return r?a.unshift(o):a.push(o),o}}const Ao=e=>(t,n=Xn)=>(!Yl||e==="sp")&&Nf(e,(...r)=>t(...r),n),cN=Ao("bm"),vc=Ao("m"),dN=Ao("bu"),If=Ao("u"),tc=Ao("bum"),nc=Ao("um"),fN=Ao("sp"),pN=Ao("rtg"),_N=Ao("rtc");function mN(e,t=Xn){Nf("ec",e,t)}function q3(e){Ir("INSTANCE_CHILDREN",e);const t=e.subTree,n=[];return t&&gN(t,n),n}function gN(e,t){if(e.component)t.push(e.component.proxy);else if(e.shapeFlag&16){const n=e.children;for(let r=0;r<n.length;r++)gN(n[r],t)}}function hN(e){Ir("INSTANCE_LISTENERS",e);const t={},n=e.vnode.props;if(!n)return t;for(const r in n)Co(r)&&(t[r[2].toLowerCase()+r.slice(3)]=n[r]);return t}function Y3(e){const t=e.type,n=t.render;if(!(!n||n._rc||n._compatChecked||n._compatWrapped)){if(n.length>=2){n._compatChecked=!0;return}if(yf("RENDER_FUNCTION",e)){const r=t.render=function(){return n.call(this,xd)};r._compatWrapped=!0}}}function xd(e,t,n){if(e||(e=Dr),typeof e=="string"){const o=ei(e);(o==="transition"||o==="transition-group"||o==="keep-alive")&&(e=`__compat__${o}`),e=$R(e)}const r=arguments.length,a=Rt(t);return r===2||a?ln(t)&&!a?Bi(t)?ad(En(e,null,[t])):ad(NC(En(e,RC(t,e)),t)):ad(En(e,null,t)):(Bi(n)&&(n=[n]),ad(NC(En(e,RC(t,e),n),t)))}const W3=Zl("staticStyle,staticClass,directives,model,hook");function RC(e,t){if(!e)return null;const n={};for(const r in e)if(r==="attrs"||r==="domProps"||r==="props")sn(n,e[r]);else if(r==="on"||r==="nativeOn"){const a=e[r];for(const o in a){let l=V3(o);r==="nativeOn"&&(l+="Native");const u=n[l],c=a[o];u!==c&&(u?n[l]=[].concat(u,c):n[l]=c)}}else W3(r)||(n[r]=e[r]);if(e.staticClass&&(n.class=Va([e.staticClass,n.class])),e.staticStyle&&(n.style=eu([e.staticStyle,n.style])),e.model&&ln(t)){const{prop:r="value",event:a="input"}=t.model||{};n[r]=e.model.value,n[Cf+a]=e.model.callback}return n}function V3(e){return e[0]==="&"&&(e=e.slice(1)+"Passive"),e[0]==="~"&&(e=e.slice(1)+"Once"),e[0]==="!"&&(e=e.slice(1)+"Capture"),Il(e)}function NC(e,t){return t&&t.directives?tN(e,t.directives.map(({name:n,value:r,arg:a,modifiers:o})=>[QR(n),r,a,o])):e}function ad(e){const{props:t,children:n}=e;let r;if(e.shapeFlag&6&&Rt(n)){r={};for(let o=0;o<n.length;o++){const l=n[o],u=Bi(l)&&l.props&&l.props.slot||"default",c=r[u]||(r[u]=[]);Bi(l)&&l.type==="template"?c.push(l.children):c.push(l)}if(r)for(const o in r){const l=r[o];r[o]=()=>l,r[o]._ns=!0}}const a=t&&t.scopedSlots;return a&&(delete t.scopedSlots,r?sn(r,a):r=a),r&&xf(e,r),e}function EN(e){if(Sn("RENDER_FUNCTION",Yn,!0)&&Sn("PRIVATE_APIS",Yn,!0)){const t=Yn,n=()=>e.component&&e.component.proxy;let r;Object.defineProperties(e,{tag:{get:()=>e.type},data:{get:()=>e.props||{},set:a=>e.props=a},elm:{get:()=>e.el},componentInstance:{get:n},child:{get:n},text:{get:()=>xn(e.children)?e.children:null},context:{get:()=>t&&t.proxy},componentOptions:{get:()=>{if(e.shapeFlag&4)return r||(r={Ctor:e.type,propsData:e.props,children:e.children})}}})}}const ih=new WeakMap,SN={get(e,t){const n=e[t];return n&&n()}};function z3(e){if(ih.has(e))return ih.get(e);const t=e.render,n=(r,a)=>{const o=Aa(),l={props:r,children:o.vnode.children||[],data:o.vnode.props||{},scopedSlots:a.slots,parent:o.parent&&o.parent.proxy,slots(){return new Proxy(a.slots,SN)},get listeners(){return hN(o)},get injections(){if(e.inject){const u={};return RN(e.inject,u),u}return{}}};return t(xd,l)};return n.props=e.props,n.displayName=e.name,n.compatConfig=e.compatConfig,n.inheritAttrs=!1,ih.set(e,n),n}function mS(e,t,n,r){let a;const o=n&&n[r];if(Rt(e)||xn(e)){a=new Array(e.length);for(let l=0,u=e.length;l<u;l++)a[l]=t(e[l],l,void 0,o&&o[l])}else if(typeof e=="number"){a=new Array(e);for(let l=0;l<e;l++)a[l]=t(l+1,l,void 0,o&&o[l])}else if(ln(e))if(e[Symbol.iterator])a=Array.from(e,(l,u)=>t(l,u,void 0,o&&o[u]));else{const l=Object.keys(e);a=new Array(l.length);for(let u=0,c=l.length;u<c;u++){const d=l[u];a[u]=t(e[d],d,u,o&&o[u])}}else a=[];return n&&(n[r]=a),a}function bN(e,t){for(let n=0;n<t.length;n++){const r=t[n];if(Rt(r))for(let a=0;a<r.length;a++)e[r[a].name]=r[a].fn;else r&&(e[r.name]=r.key?(...a)=>{const o=r.fn(...a);return o&&(o.key=r.key),o}:r.fn)}return e}function vN(e,t,n={},r,a){if(Yn.isCE||Yn.parent&&Fs(Yn.parent)&&Yn.parent.isCE)return t!=="default"&&(n.name=t),En("slot",n,r&&r());let o=e[t];o&&o._c&&(o._d=!1),ki();const l=o&&TN(o(n)),u=ES(hr,{key:n.key||l&&l.key||`_${t}`},l||(r?r():[]),l&&e._===1?64:-2);return!a&&u.scopeId&&(u.slotScopeIds=[u.scopeId+"-s"]),o&&o._c&&(o._d=!0),u}function TN(e){return e.some(t=>Bi(t)?!(t.type===Dr||t.type===hr&&!TN(t.children)):!0)?e:null}function yN(e,t){const n={};for(const r in e)n[t&&/[A-Z]/.test(r)?`on:${r}`:Il(r)]=e[r];return n}function K3(e){const t={};for(let n=0;n<e.length;n++)e[n]&&sn(t,e[n]);return t}function $3(e,t,n,r,a){if(n&&ln(n)){Rt(n)&&(n=K3(n));for(const o in n)if(Nl(o))e[o]=n[o];else if(o==="class")e.class=Va([e.class,n.class]);else if(o==="style")e.style=Va([e.style,n.style]);else{const l=e.attrs||(e.attrs={}),u=ni(o),c=ei(o);if(!(u in l)&&!(c in l)&&(l[o]=n[o],a)){const d=e.on||(e.on={});d[`update:${o}`]=function(S){n[o]=S}}}}return e}function Q3(e,t){return wf(e,yN(t))}function j3(e,t,n,r,a){return a&&(r=wf(r,a)),vN(e.slots,t,r,n&&(()=>n))}function X3(e,t,n){return bN(t||{$stable:!n},CN(e))}function CN(e){for(let t=0;t<e.length;t++){const n=e[t];n&&(Rt(n)?CN(n):n.name=n.key||"default")}return e}const IC=new WeakMap;function Z3(e,t){let n=IC.get(e);if(n||IC.set(e,n=[]),n[t])return n[t];const r=e.type.staticRenderFns[t],a=e.proxy;return n[t]=r.call(a,null,a)}function J3(e,t,n,r,a,o){const u=e.appContext.config.keyCodes||{},c=u[n]||r;if(o&&a&&!u[n])return DC(o,a);if(c)return DC(c,t);if(a)return ei(a)!==n}function DC(e,t){return Rt(e)?!e.includes(t):e!==t}function eG(e){return e}function tG(e,t){for(let n=0;n<t.length;n+=2){const r=t[n];typeof r=="string"&&r&&(e[t[n]]=t[n+1])}return e}function nG(e,t){return typeof e=="string"?t+e:e}function rG(e){const t=(r,a,o)=>(r[a]=o,r[a]),n=(r,a)=>{delete r[a]};sn(e,{$set:r=>(Ir("INSTANCE_SET",r),t),$delete:r=>(Ir("INSTANCE_DELETE",r),n),$mount:r=>(Ir("GLOBAL_MOUNT",null),r.ctx._compat_mount||vi),$destroy:r=>(Ir("INSTANCE_DESTROY",r),r.ctx._compat_destroy||vi),$slots:r=>Sn("RENDER_FUNCTION",r)&&r.render&&r.render._compatWrapped?new Proxy(r.slots,SN):r.slots,$scopedSlots:r=>{Ir("INSTANCE_SCOPED_SLOTS",r);const a={};for(const o in r.slots){const l=r.slots[o];l._ns||(a[o]=l)}return a},$on:r=>oS.bind(null,r),$once:r=>_3.bind(null,r),$off:r=>sS.bind(null,r),$children:q3,$listeners:hN}),Sn("PRIVATE_APIS",null)&&sn(e,{$vnode:r=>r.vnode,$options:r=>{const a=sn({},Tc(r));return a.parent=r.proxy.$parent,a.propsData=r.vnode.props,a},_self:r=>r.proxy,_uid:r=>r.uid,_data:r=>r.data,_isMounted:r=>r.isMounted,_isDestroyed:r=>r.isUnmounted,$createElement:()=>xd,_c:()=>xd,_o:()=>eG,_n:()=>$u,_s:()=>Rd,_l:()=>mS,_t:r=>j3.bind(null,r),_q:()=>To,_i:()=>hc,_m:r=>Z3.bind(null,r),_f:()=>jR,_k:r=>J3.bind(null,r),_b:()=>$3,_v:()=>ql,_e:()=>Ld,_u:()=>X3,_g:()=>Q3,_d:()=>tG,_p:()=>nG})}const Gh=e=>e?KN(e)?Lf(e)||e.proxy:Gh(e.parent):null,Ml=sn(Object.create(null),{$:e=>e,$el:e=>e.vnode.el,$data:e=>e.data,$props:e=>e.props,$attrs:e=>e.attrs,$slots:e=>e.slots,$refs:e=>e.refs,$parent:e=>Gh(e.parent),$root:e=>Gh(e.root),$emit:e=>e.emit,$options:e=>Tc(e),$forceUpdate:e=>e.f||(e.f=()=>Tf(e.update)),$nextTick:e=>e.n||(e.n=Ec.bind(e.proxy)),$watch:e=>G3.bind(e)});rG(Ml);const ah=(e,t)=>e!==yn&&!e.__isScriptSetup&&_n(e,t),Hh={get({_:e},t){const{ctx:n,setupState:r,data:a,props:o,accessCache:l,type:u,appContext:c}=e;let d;if(t[0]!=="$"){const T=l[t];if(T!==void 0)switch(T){case 1:return r[t];case 2:return a[t];case 4:return n[t];case 3:return o[t]}else{if(ah(r,t))return l[t]=1,r[t];if(a!==yn&&_n(a,t))return l[t]=2,a[t];if((d=e.propsOptions[0])&&_n(d,t))return l[t]=3,o[t];if(n!==yn&&_n(n,t))return l[t]=4,n[t];qh&&(l[t]=0)}}const S=Ml[t];let _,E;if(S)return t==="$attrs"&&ri(e,"get",t),S(e);if((_=u.__cssModules)&&(_=_[t]))return _;if(n!==yn&&_n(n,t))return l[t]=4,n[t];if(E=c.config.globalProperties,_n(E,t)){const T=Object.getOwnPropertyDescriptor(E,t);if(T.get)return T.get.call(e.proxy);{const y=E[t];return Ft(y)?Object.assign(y.bind(e.proxy),y):y}}},set({_:e},t,n){const{data:r,setupState:a,ctx:o}=e;return ah(a,t)?(a[t]=n,!0):r!==yn&&_n(r,t)?(r[t]=n,!0):_n(e.props,t)||t[0]==="$"&&t.slice(1)in e?!1:(o[t]=n,!0)},has({_:{data:e,setupState:t,accessCache:n,ctx:r,appContext:a,propsOptions:o}},l){let u;return!!n[l]||e!==yn&&_n(e,l)||ah(t,l)||(u=o[0])&&_n(u,l)||_n(r,l)||_n(Ml,l)||_n(a.config.globalProperties,l)},defineProperty(e,t,n){return n.get!=null?e._.accessCache[t]=0:_n(n,"value")&&this.set(e,t,n.value,null),Reflect.defineProperty(e,t,n)}},iG=sn({},Hh,{get(e,t){if(t!==Symbol.unscopables)return Hh.get(e,t,e)},has(e,t){return t[0]!=="_"&&!pU(t)}});function AN(e,t){for(const n in t){const r=e[n],a=t[n];n in e&&Cd(r)&&Cd(a)?AN(r,a):e[n]=a}return e}function aG(){return null}function oG(){return null}function sG(e){}function lG(e){}function uG(){return null}function cG(){}function dG(e,t){return null}function fG(){return ON().slots}function pG(){return ON().attrs}function _G(e,t,n){const r=Aa();if(n&&n.local){const a=Dl(e[t]);return Ps(()=>e[t],o=>a.value=o),Ps(a,o=>{o!==e[t]&&r.emit(`update:${t}`,o)}),a}else return{__v_isRef:!0,get value(){return e[t]},set value(a){r.emit(`update:${t}`,a)}}}function ON(){const e=Aa();return e.setupContext||(e.setupContext=$N(e))}function rc(e){return Rt(e)?e.reduce((t,n)=>(t[n]=null,t),{}):e}function mG(e,t){const n=rc(e);for(const r in t){if(r.startsWith("__skip"))continue;let a=n[r];a?Rt(a)||Ft(a)?a=n[r]={type:a,default:t[r]}:a.default=t[r]:a===null&&(a=n[r]={default:t[r]}),a&&t[`__skip_${r}`]&&(a.skipFactory=!0)}return n}function gG(e,t){return!e||!t?e||t:Rt(e)&&Rt(t)?e.concat(t):sn({},rc(e),rc(t))}function hG(e,t){const n={};for(const r in e)t.includes(r)||Object.defineProperty(n,r,{enumerable:!0,get:()=>e[r]});return n}function EG(e){const t=Aa();let n=e();return ts(),gf(n)&&(n=n.catch(r=>{throw us(t),r})),[n,()=>us(t)]}let qh=!0;function SG(e){const t=Tc(e),n=e.proxy,r=e.ctx;qh=!1,t.beforeCreate&&xC(t.beforeCreate,e,"bc");const{data:a,computed:o,methods:l,watch:u,provide:c,inject:d,created:S,beforeMount:_,mounted:E,beforeUpdate:T,updated:y,activated:M,deactivated:v,beforeDestroy:A,beforeUnmount:O,destroyed:N,unmounted:R,render:L,renderTracked:I,renderTriggered:h,errorCaptured:k,serverPrefetch:F,expose:z,inheritAttrs:K,components:ue,directives:Z,filters:fe}=t;if(d&&RN(d,r,null),l)for(const te in l){const G=l[te];Ft(G)&&(r[te]=G.bind(n))}if(a){const te=a.call(n,n);ln(te)&&(e.data=ls(te))}if(qh=!0,o)for(const te in o){const G=o[te],se=Ft(G)?G.bind(n,n):Ft(G.get)?G.get.bind(n,n):vi,ve=!Ft(G)&&Ft(G.set)?G.set.bind(n):vi,Ge=QN({get:se,set:ve});Object.defineProperty(r,te,{enumerable:!0,configurable:!0,get:()=>Ge.value,set:oe=>Ge.value=oe})}if(u)for(const te in u)NN(u[te],r,n,te);if(c){const te=Ft(c)?c.call(n):c;Reflect.ownKeys(te).forEach(G=>{xN(G,te[G])})}S&&xC(S,e,"c");function ne(te,G){Rt(G)?G.forEach(se=>te(se.bind(n))):G&&te(G.bind(n))}if(ne(cN,_),ne(vc,E),ne(dN,T),ne(If,y),ne(sN,M),ne(lN,v),ne(mN,k),ne(_N,I),ne(pN,h),ne(tc,O),ne(nc,R),ne(fN,F),A&&yo("OPTIONS_BEFORE_DESTROY",e)&&ne(tc,A),N&&yo("OPTIONS_DESTROYED",e)&&ne(nc,N),Rt(z))if(z.length){const te=e.exposed||(e.exposed={});z.forEach(G=>{Object.defineProperty(te,G,{get:()=>n[G],set:se=>n[G]=se})})}else e.exposed||(e.exposed={});L&&e.render===vi&&(e.render=L),K!=null&&(e.inheritAttrs=K),ue&&(e.components=ue),Z&&(e.directives=Z),fe&&Sn("FILTERS",e)&&(e.filters=fe)}function RN(e,t,n=vi){Rt(e)&&(e=Yh(e));for(const r in e){const a=e[r];let o;ln(a)?"default"in a?o=Gs(a.from||r,a.default,!0):o=Gs(a.from||r):o=Gs(a),sr(o)?Object.defineProperty(t,r,{enumerable:!0,configurable:!0,get:()=>o.value,set:l=>o.value=l}):t[r]=o}}function xC(e,t,n){Ti(Rt(e)?e.map(r=>r.bind(t.proxy)):e.bind(t.proxy),t,n)}function NN(e,t,n,r){const a=r.includes(".")?eN(n,r):()=>n[r];if(xn(e)){const o=t[e];Ft(o)&&Ps(a,o)}else if(Ft(e))Ps(a,e.bind(n));else if(ln(e))if(Rt(e))e.forEach(o=>NN(o,t,n,r));else{const o=Ft(e.handler)?e.handler.bind(n):t[e.handler];Ft(o)&&Ps(a,o,e)}}function Tc(e){const t=e.type,{mixins:n,extends:r}=t,{mixins:a,optionsCache:o,config:{optionMergeStrategies:l}}=e.appContext,u=o.get(t);let c;return u?c=u:!a.length&&!n&&!r?Sn("PRIVATE_APIS",e)?(c=sn({},t),c.parent=e.parent&&e.parent.proxy,c.propsData=e.vnode.props):c=t:(c={},a.length&&a.forEach(d=>Bs(c,d,l,!0)),Bs(c,t,l)),ln(t)&&o.set(t,c),c}function Bs(e,t,n,r=!1){Ft(t)&&(t=t.options);const{mixins:a,extends:o}=t;o&&Bs(e,o,n,!0),a&&a.forEach(l=>Bs(e,l,n,!0));for(const l in t)if(!(r&&l==="expose")){const u=Us[l]||n&&n[l];e[l]=u?u(e[l],t[l]):t[l]}return e}const Us={data:wC,props:LC,emits:LC,methods:Cl,computed:Cl,beforeCreate:Xr,created:Xr,beforeMount:Xr,mounted:Xr,beforeUpdate:Xr,updated:Xr,beforeDestroy:Xr,beforeUnmount:Xr,destroyed:Xr,unmounted:Xr,activated:Xr,deactivated:Xr,errorCaptured:Xr,serverPrefetch:Xr,components:Cl,directives:Cl,watch:vG,provide:wC,inject:bG};Us.filters=Cl;function wC(e,t){return t?e?function(){return(Sn("OPTIONS_DATA_MERGE",null)?AN:sn)(Ft(e)?e.call(this,this):e,Ft(t)?t.call(this,this):t)}:t:e}function bG(e,t){return Cl(Yh(e),Yh(t))}function Yh(e){if(Rt(e)){const t={};for(let n=0;n<e.length;n++)t[e[n]]=e[n];return t}return e}function Xr(e,t){return e?[...new Set([].concat(e,t))]:t}function Cl(e,t){return e?sn(Object.create(null),e,t):t}function LC(e,t){return e?Rt(e)&&Rt(t)?[...new Set([...e,...t])]:sn(Object.create(null),rc(e),rc(t!=null?t:{})):t}function vG(e,t){if(!e)return t;if(!t)return e;const n=sn(Object.create(null),e);for(const r in t)n[r]=Xr(e[r],t[r]);return n}function TG(e){e.optionMergeStrategies=new Proxy({},{get(t,n){if(n in t)return t[n];if(n in Us&&yo("CONFIG_OPTION_MERGE_STRATS",null))return Us[n]}})}let Si,Os;function yG(e,t){Si=t({});const n=Os=function c(d={}){return r(d,c)};function r(c={},d){Ir("GLOBAL_MOUNT",null);const{data:S}=c;S&&!Ft(S)&&yo("OPTIONS_DATA_FN",null)&&(c.data=()=>S);const _=e(c);d!==n&&IN(_,d);const E=_._createRoot(c);return c.el?E.$mount(c.el):E}n.version="2.6.14-compat:3.3.8",n.config=Si.config,n.use=(c,...d)=>(c&&Ft(c.install)?c.install(n,...d):Ft(c)&&c(n,...d),n),n.mixin=c=>(Si.mixin(c),n),n.component=(c,d)=>d?(Si.component(c,d),n):Si.component(c),n.directive=(c,d)=>d?(Si.directive(c,d),n):Si.directive(c),n.options={_base:n};let a=1;n.cid=a,n.nextTick=Ec;const o=new WeakMap;function l(c={}){if(Ir("GLOBAL_EXTEND",null),Ft(c)&&(c=c.options),o.has(c))return o.get(c);const d=this;function S(E){return r(E?Bs(sn({},S.options),E,Us):S.options,S)}S.super=d,S.prototype=Object.create(n.prototype),S.prototype.constructor=S;const _={};for(const E in d.options){const T=d.options[E];_[E]=Rt(T)?T.slice():ln(T)?sn(Object.create(null),T):T}return S.options=Bs(_,c,Us),S.options._base=S,S.extend=l.bind(S),S.mixin=d.mixin,S.use=d.use,S.cid=++a,o.set(c,S),S}n.extend=l.bind(n),n.set=(c,d,S)=>{Ir("GLOBAL_SET",null),c[d]=S},n.delete=(c,d)=>{Ir("GLOBAL_DELETE",null),delete c[d]},n.observable=c=>(Ir("GLOBAL_OBSERVABLE",null),ls(c)),n.filter=(c,d)=>d?(Si.filter(c,d),n):Si.filter(c);const u={warn:vi,extend:sn,mergeOptions:(c,d,S)=>Bs(c,d,S?void 0:Us),defineReactive:xG};return Object.defineProperty(n,"util",{get(){return Ir("GLOBAL_PRIVATE_UTIL",null),u}}),n.configureCompat=p3,n}function CG(e,t,n){AG(e,t),TG(e.config),Si&&(NG(e,t,n),OG(e),RG(e))}function AG(e,t){t.filters={},e.filter=(n,r)=>(Ir("FILTERS",null),r?(t.filters[n]=r,e):t.filters[n])}function OG(e){Object.defineProperties(e,{prototype:{get(){return e.config.globalProperties}},nextTick:{value:Ec},extend:{value:Os.extend},set:{value:Os.set},delete:{value:Os.delete},observable:{value:Os.observable},util:{get(){return Os.util}}})}function RG(e){e._context.mixins=[...Si._context.mixins],["components","directives","filters"].forEach(t=>{e._context[t]=Object.create(Si._context[t])});for(const t in Si.config){if(t==="isNativeTag"||Qh()&&(t==="isCustomElement"||t==="compilerOptions"))continue;const n=Si.config[t];e.config[t]=ln(n)?Object.create(n):n,t==="ignoredElements"&&Sn("CONFIG_IGNORED_ELEMENTS",null)&&!Qh()&&Rt(n)&&(e.config.compilerOptions.isCustomElement=r=>n.some(a=>xn(a)?a===r:a.test(r)))}IN(e,Os)}function IN(e,t){const n=Sn("GLOBAL_PROTOTYPE",null);n&&(e.config.globalProperties=Object.create(t.prototype));const r=Object.getOwnPropertyDescriptors(t.prototype);for(const a in r)a!=="constructor"&&n&&Object.defineProperty(e.config.globalProperties,a,r[a])}function NG(e,t,n){let r=!1;e._createRoot=a=>{const o=e._component,l=En(o,a.propsData||null);l.appContext=t;const u=!Ft(o)&&!o.render&&!o.template,c=()=>{},d=bS(l,null,null);return u&&(d.render=c),TS(d),l.component=d,l.isCompatRoot=!0,d.ctx._compat_mount=S=>{if(r)return;let _;if(typeof S=="string"){const T=document.querySelector(S);if(!T)return;_=T}else _=S||document.createElement("div");const E=_ instanceof SVGElement;return u&&d.render===c&&(d.render=null,o.template=_.innerHTML,yS(d,!1,!0)),_.innerHTML="",n(l,_,E),_ instanceof Element&&(_.removeAttribute("v-cloak"),_.setAttribute("data-v-app","")),r=!0,e._container=_,_.__vue_app__=e,d.proxy},d.ctx._compat_destroy=()=>{if(r)n(null,e._container),delete e._container.__vue_app__;else{const{bum:S,scope:_,um:E}=d;S&&Jo(S),Sn("INSTANCE_EVENT_HOOKS",d)&&d.emit("hook:beforeDestroy"),_&&_.stop(),E&&Jo(E),Sn("INSTANCE_EVENT_HOOKS",d)&&d.emit("hook:destroyed")}},d.proxy}}const IG=["push","pop","shift","unshift","splice","sort","reverse"],DG=new WeakSet;function xG(e,t,n){if(ln(n)&&!So(n)&&!DG.has(n)){const a=ls(n);Rt(n)?IG.forEach(o=>{n[o]=(...l)=>{Array.prototype[o].call(a,...l)}}):Object.keys(n).forEach(o=>{try{oh(n,o,n[o])}catch{}})}const r=e.$;r&&e===r.proxy?(oh(r.ctx,t,n),r.accessCache=Object.create(null)):So(e)?e[t]=n:oh(e,t,n)}function oh(e,t,n){n=ln(n)?ls(n):n,Object.defineProperty(e,t,{enumerable:!0,configurable:!0,get(){return ri(e,"get",t),n},set(r){n=ln(r)?ls(r):r,qa(e,"set",t,r)}})}function DN(){return{app:null,config:{isNativeTag:aU,performance:!1,globalProperties:{},optionMergeStrategies:{},errorHandler:void 0,warnHandler:void 0,compilerOptions:{}},mixins:[],components:{},directives:{},provides:Object.create(null),optionsCache:new WeakMap,propsCache:new WeakMap,emitsCache:new WeakMap}}let wG=0;function LG(e,t){return function(r,a=null){Ft(r)||(r=sn({},r)),a!=null&&!ln(a)&&(a=null);const o=DN(),l=new WeakSet;let u=!1;const c=o.app={_uid:wG++,_component:r,_props:a,_container:null,_context:o,_instance:null,version:eI,get config(){return o.config},set config(d){},use(d,...S){return l.has(d)||(d&&Ft(d.install)?(l.add(d),d.install(c,...S)):Ft(d)&&(l.add(d),d(c,...S))),c},mixin(d){return o.mixins.includes(d)||o.mixins.push(d),c},component(d,S){return S?(o.components[d]=S,c):o.components[d]},directive(d,S){return S?(o.directives[d]=S,c):o.directives[d]},mount(d,S,_){if(!u){const E=En(r,a);return E.appContext=o,S&&t?t(E,d):e(E,d,_),u=!0,c._container=d,d.__vue_app__=c,Lf(E.component)||E.component.proxy}},unmount(){u&&(e(null,c._container),delete c._container.__vue_app__)},provide(d,S){return o.provides[d]=S,c},runWithContext(d){ic=c;try{return d()}finally{ic=null}}};return CG(c,o,e),c}}let ic=null;function xN(e,t){if(Xn){let n=Xn.provides;const r=Xn.parent&&Xn.parent.provides;r===n&&(n=Xn.provides=Object.create(r)),n[e]=t}}function Gs(e,t,n=!1){const r=Xn||Yn;if(r||ic){const a=r?r.parent==null?r.vnode.appContext&&r.vnode.appContext.provides:r.parent.provides:ic._context.provides;if(a&&e in a)return a[e];if(arguments.length>1)return n&&Ft(t)?t.call(r&&r.proxy):t}}function MG(){return!!(Xn||Yn||ic)}function kG(e,t,n){return new Proxy({},{get(r,a){if(a==="$options")return Tc(e);if(a in t)return t[a];const o=e.type.inject;if(o){if(Rt(o)){if(o.includes(a))return Gs(a)}else if(a in o)return Gs(a)}}})}function wN(e,t){return!!(e==="is"||(e==="class"||e==="style")&&Sn("INSTANCE_ATTRS_CLASS_STYLE",t)||Co(e)&&Sn("INSTANCE_LISTENERS",t)||e.startsWith("routerView")||e==="registerRouteInstance")}function PG(e,t,n,r=!1){const a={},o={};Ad(o,Df,1),e.propsDefaults=Object.create(null),LN(e,t,a,o);for(const l in e.propsOptions[0])l in a||(a[l]=void 0);n?e.props=r?a:BR(a):e.type.props?e.props=a:e.props=o,e.attrs=o}function FG(e,t,n,r){const{props:a,attrs:o,vnode:{patchFlag:l}}=e,u=pn(a),[c]=e.propsOptions;let d=!1;if((r||l>0)&&!(l&16)){if(l&8){const S=e.vnode.dynamicProps;for(let _=0;_<S.length;_++){let E=S[_];if(Af(e.emitsOptions,E))continue;const T=t[E];if(c)if(_n(o,E))T!==o[E]&&(o[E]=T,d=!0);else{const y=ni(E);a[y]=Wh(c,u,y,T,e,!1)}else{if(Co(E)&&E.endsWith("Native"))E=E.slice(0,-6);else if(wN(E,e))continue;T!==o[E]&&(o[E]=T,d=!0)}}}}else{LN(e,t,a,o)&&(d=!0);let S;for(const _ in u)(!t||!_n(t,_)&&((S=ei(_))===_||!_n(t,S)))&&(c?n&&(n[_]!==void 0||n[S]!==void 0)&&(a[_]=Wh(c,u,_,void 0,e,!0)):delete a[_]);if(o!==u)for(const _ in o)(!t||!_n(t,_)&&!_n(t,_+"Native"))&&(delete o[_],d=!0)}d&&qa(e,"set","$attrs")}function LN(e,t,n,r){const[a,o]=e.propsOptions;let l=!1,u;if(t)for(let c in t){if(Nl(c)||(c.startsWith("onHook:")&&yo("INSTANCE_EVENT_HOOKS",e,c.slice(2).toLowerCase()),c==="inline-template"))continue;const d=t[c];let S;if(a&&_n(a,S=ni(c)))!o||!o.includes(S)?n[S]=d:(u||(u={}))[S]=d;else if(!Af(e.emitsOptions,c)){if(Co(c)&&c.endsWith("Native"))c=c.slice(0,-6);else if(wN(c,e))continue;(!(c in r)||d!==r[c])&&(r[c]=d,l=!0)}}if(o){const c=pn(n),d=u||yn;for(let S=0;S<o.length;S++){const _=o[S];n[_]=Wh(a,c,_,d[_],e,!_n(d,_))}}return l}function Wh(e,t,n,r,a,o){const l=e[n];if(l!=null){const u=_n(l,"default");if(u&&r===void 0){const c=l.default;if(l.type!==Function&&!l.skipFactory&&Ft(c)){const{propsDefaults:d}=a;n in d?r=d[n]:(us(a),r=d[n]=c.call(Sn("PROPS_DEFAULT_THIS",a)?kG(a,t):null,t),ts())}else r=c}l[0]&&(o&&!u?r=!1:l[1]&&(r===""||r===ei(n))&&(r=!0))}return r}function MN(e,t,n=!1){const r=t.propsCache,a=r.get(e);if(a)return a;const o=e.props,l={},u=[];let c=!1;if(!Ft(e)){const S=_=>{Ft(_)&&(_=_.options),c=!0;const[E,T]=MN(_,t,!0);sn(l,E),T&&u.push(...T)};!n&&t.mixins.length&&t.mixins.forEach(S),e.extends&&S(e.extends),e.mixins&&e.mixins.forEach(S)}if(!o&&!c)return ln(e)&&r.set(e,Ol),Ol;if(Rt(o))for(let S=0;S<o.length;S++){const _=ni(o[S]);MC(_)&&(l[_]=yn)}else if(o)for(const S in o){const _=ni(S);if(MC(_)){const E=o[S],T=l[_]=Rt(E)||Ft(E)?{type:E}:sn({},E);if(T){const y=FC(Boolean,T.type),M=FC(String,T.type);T[0]=y>-1,T[1]=M<0||y<M,(y>-1||_n(T,"default"))&&u.push(_)}}}const d=[l,u];return ln(e)&&r.set(e,d),d}function MC(e){return e[0]!=="$"}function kC(e){const t=e&&e.toString().match(/^\s*(function|class) (\w+)/);return t?t[2]:e===null?"null":""}function PC(e,t){return kC(e)===kC(t)}function FC(e,t){return Rt(t)?t.findIndex(n=>PC(n,e)):Ft(t)&&PC(t,e)?0:-1}const kN=e=>e[0]==="_"||e==="$stable",gS=e=>Rt(e)?e.map(Pi):[Pi(e)],BG=(e,t,n)=>{if(t._n)return t;const r=lS((...a)=>gS(t(...a)),n);return r._c=!1,r},PN=(e,t,n)=>{const r=e._ctx;for(const a in e){if(kN(a))continue;const o=e[a];if(Ft(o))t[a]=BG(a,o,r);else if(o!=null){const l=gS(o);t[a]=()=>l}}},FN=(e,t)=>{const n=gS(t);e.slots.default=()=>n},UG=(e,t)=>{if(e.vnode.shapeFlag&32){const n=t._;n?(e.slots=pn(t),Ad(t,"_",n)):PN(t,e.slots={})}else e.slots={},t&&FN(e,t);Ad(e.slots,Df,1)},GG=(e,t,n)=>{const{vnode:r,slots:a}=e;let o=!0,l=yn;if(r.shapeFlag&32){const u=t._;u?n&&u===1?o=!1:(sn(a,t),!n&&u===1&&delete a._):(o=!t.$stable,PN(t,a)),l=t}else t&&(FN(e,t),l={default:1});if(o)for(const u in a)!kN(u)&&l[u]==null&&delete a[u]};function wd(e,t,n,r,a=!1){if(Rt(e)){e.forEach((E,T)=>wd(E,t&&(Rt(t)?t[T]:t),n,r,a));return}if(Fs(r)&&!a)return;const o=r.shapeFlag&4?Lf(r.component)||r.component.proxy:r.el,l=a?null:o,{i:u,r:c}=e,d=t&&t.r,S=u.refs===yn?u.refs={}:u.refs,_=u.setupState;if(d!=null&&d!==c&&(xn(d)?(S[d]=null,_n(_,d)&&(_[d]=null)):sr(d)&&(d.value=null)),Ft(c))Ya(c,u,12,[l,S]);else{const E=xn(c),T=sr(c);if(E||T){const y=()=>{if(e.f){const M=E?_n(_,c)?_[c]:S[c]:c.value;a?Rt(M)&&VE(M,o):Rt(M)?M.includes(o)||M.push(o):E?(S[c]=[o],_n(_,c)&&(_[c]=S[c])):(c.value=[o],e.k&&(S[e.k]=c.value))}else E?(S[c]=l,_n(_,c)&&(_[c]=l)):T&&(c.value=l,e.k&&(S[e.k]=l))};l?(y.id=-1,$n(y,n)):y()}}}let Wo=!1;const od=e=>/svg/.test(e.namespaceURI)&&e.tagName!=="foreignObject",sd=e=>e.nodeType===8;function HG(e){const{mt:t,p:n,o:{patchProp:r,createText:a,nextSibling:o,parentNode:l,remove:u,insert:c,createComment:d}}=e,S=(N,R)=>{if(!R.hasChildNodes()){n(null,N,R),Dd(),R._vnode=N;return}Wo=!1,_(R.firstChild,N,null,null,null),Dd(),R._vnode=N,Wo&&console.error("Hydration completed but contains mismatches.")},_=(N,R,L,I,h,k=!1)=>{const F=sd(N)&&N.data==="[",z=()=>M(N,R,L,I,h,F),{type:K,ref:ue,shapeFlag:Z,patchFlag:fe}=R;let V=N.nodeType;R.el=N,fe===-2&&(k=!1,R.dynamicChildren=null);let ne=null;switch(K){case js:V!==3?R.children===""?(c(R.el=a(""),l(N),N),ne=N):ne=z():(N.data!==R.children&&(Wo=!0,N.data=R.children),ne=o(N));break;case Dr:O(N)?(ne=o(N),A(R.el=N.content.firstChild,N,L)):V!==8||F?ne=z():ne=o(N);break;case Hs:if(F&&(N=o(N),V=N.nodeType),V===1||V===3){ne=N;const te=!R.children.length;for(let G=0;G<R.staticCount;G++)te&&(R.children+=ne.nodeType===1?ne.outerHTML:ne.data),G===R.staticCount-1&&(R.anchor=ne),ne=o(ne);return F?o(ne):ne}else z();break;case hr:F?ne=y(N,R,L,I,h,k):ne=z();break;default:if(Z&1)(V!==1||R.type.toLowerCase()!==N.tagName.toLowerCase())&&!O(N)?ne=z():ne=E(N,R,L,I,h,k);else if(Z&6){R.slotScopeIds=h;const te=l(N);if(F?ne=v(N):sd(N)&&N.data==="teleport start"?ne=v(N,N.data,"teleport end"):ne=o(N),t(R,te,null,L,I,od(te),k),Fs(R)){let G;F?(G=En(hr),G.anchor=ne?ne.previousSibling:te.lastChild):G=N.nodeType===3?ql(""):En("div"),G.el=N,R.component.subTree=G}}else Z&64?V!==8?ne=z():ne=R.type.hydrate(N,R,L,I,h,k,e,T):Z&128&&(ne=R.type.hydrate(N,R,L,I,od(l(N)),h,k,e,_))}return ue!=null&&wd(ue,null,I,R),ne},E=(N,R,L,I,h,k)=>{k=k||!!R.dynamicChildren;const{type:F,props:z,patchFlag:K,shapeFlag:ue,dirs:Z,transition:fe}=R,V=F==="input"&&Z||F==="option";if(V||K!==-1){if(Z&&Ba(R,null,L,"created"),z)if(V||!k||K&48)for(const G in z)(V&&G.endsWith("value")||Co(G)&&!Nl(G))&&r(N,G,null,z[G],!1,void 0,L);else z.onClick&&r(N,"onClick",null,z.onClick,!1,void 0,L);let ne;(ne=z&&z.onVnodeBeforeMount)&&Ei(ne,L,R);let te=!1;if(O(N)){te=HN(I,fe)&&L&&L.vnode.props&&L.vnode.props.appear;const G=N.content.firstChild;te&&fe.beforeEnter(G),A(G,N,L),R.el=N=G}if(Z&&Ba(R,null,L,"beforeMount"),((ne=z&&z.onVnodeMounted)||Z||te)&&ZR(()=>{ne&&Ei(ne,L,R),te&&fe.enter(N),Z&&Ba(R,null,L,"mounted")},I),ue&16&&!(z&&(z.innerHTML||z.textContent))){let G=T(N.firstChild,R,N,L,I,h,k);for(;G;){Wo=!0;const se=G;G=G.nextSibling,u(se)}}else ue&8&&N.textContent!==R.children&&(Wo=!0,N.textContent=R.children)}return N.nextSibling},T=(N,R,L,I,h,k,F)=>{F=F||!!R.dynamicChildren;const z=R.children,K=z.length;for(let ue=0;ue<K;ue++){const Z=F?z[ue]:z[ue]=Pi(z[ue]);if(N)N=_(N,Z,I,h,k,F);else{if(Z.type===js&&!Z.children)continue;Wo=!0,n(null,Z,L,null,I,h,od(L),k)}}return N},y=(N,R,L,I,h,k)=>{const{slotScopeIds:F}=R;F&&(h=h?h.concat(F):F);const z=l(N),K=T(o(N),R,z,L,I,h,k);return K&&sd(K)&&K.data==="]"?o(R.anchor=K):(Wo=!0,c(R.anchor=d("]"),z,K),K)},M=(N,R,L,I,h,k)=>{if(Wo=!0,R.el=null,k){const K=v(N);for(;;){const ue=o(N);if(ue&&ue!==K)u(ue);else break}}const F=o(N),z=l(N);return u(N),n(null,R,z,F,L,I,od(z),h),F},v=(N,R="[",L="]")=>{let I=0;for(;N;)if(N=o(N),N&&sd(N)&&(N.data===R&&I++,N.data===L)){if(I===0)return o(N);I--}return N},A=(N,R,L)=>{const I=R.parentNode;I&&I.replaceChild(N,R);let h=L;for(;h;)h.vnode.el===R&&(h.vnode.el=h.subTree.el=N),h=h.parent},O=N=>N.nodeType===1&&N.tagName.toLowerCase()==="template";return[S,_]}const $n=ZR;function BN(e){return GN(e)}function UN(e){return GN(e,HG)}function GN(e,t){const n=Mh();n.__VUE__=!0;const{insert:r,remove:a,patchProp:o,createElement:l,createText:u,createComment:c,setText:d,setElementText:S,parentNode:_,nextSibling:E,setScopeId:T=vi,insertStaticContent:y}=e,M=(ce,Ee,He,we=null,ze=null,pe=null,Re=!1,Ne=null,Ie=!!Ee.dynamicChildren)=>{if(ce===Ee)return;ce&&!ba(ce,Ee)&&(we=bt(ce),oe(ce,ze,pe,!0),ce=null),Ee.patchFlag===-2&&(Ie=!1,Ee.dynamicChildren=null);const{type:Ue,ref:Ve,shapeFlag:lt}=Ee;switch(Ue){case js:v(ce,Ee,He,we);break;case Dr:A(ce,Ee,He,we);break;case Hs:ce==null&&O(Ee,He,we,Re);break;case hr:ue(ce,Ee,He,we,ze,pe,Re,Ne,Ie);break;default:lt&1?L(ce,Ee,He,we,ze,pe,Re,Ne,Ie):lt&6?Z(ce,Ee,He,we,ze,pe,Re,Ne,Ie):(lt&64||lt&128)&&Ue.process(ce,Ee,He,we,ze,pe,Re,Ne,Ie,ct)}Ve!=null&&ze&&wd(Ve,ce&&ce.ref,pe,Ee||ce,!Ee)},v=(ce,Ee,He,we)=>{if(ce==null)r(Ee.el=u(Ee.children),He,we);else{const ze=Ee.el=ce.el;Ee.children!==ce.children&&d(ze,Ee.children)}},A=(ce,Ee,He,we)=>{ce==null?r(Ee.el=c(Ee.children||""),He,we):Ee.el=ce.el},O=(ce,Ee,He,we)=>{[ce.el,ce.anchor]=y(ce.children,Ee,He,we,ce.el,ce.anchor)},N=({el:ce,anchor:Ee},He,we)=>{let ze;for(;ce&&ce!==Ee;)ze=E(ce),r(ce,He,we),ce=ze;r(Ee,He,we)},R=({el:ce,anchor:Ee})=>{let He;for(;ce&&ce!==Ee;)He=E(ce),a(ce),ce=He;a(Ee)},L=(ce,Ee,He,we,ze,pe,Re,Ne,Ie)=>{Re=Re||Ee.type==="svg",ce==null?I(Ee,He,we,ze,pe,Re,Ne,Ie):F(ce,Ee,ze,pe,Re,Ne,Ie)},I=(ce,Ee,He,we,ze,pe,Re,Ne)=>{let Ie,Ue;const{type:Ve,props:lt,shapeFlag:ge,transition:de,dirs:be}=ce;if(Ie=ce.el=l(ce.type,pe,lt&&lt.is,lt),ge&8?S(Ie,ce.children):ge&16&&k(ce.children,Ie,null,we,ze,pe&&Ve!=="foreignObject",Re,Ne),be&&Ba(ce,null,we,"created"),h(Ie,ce,ce.scopeId,Re,we),lt){for(const ee in lt)ee!=="value"&&!Nl(ee)&&o(Ie,ee,null,lt[ee],pe,ce.children,we,ze,rt);"value"in lt&&o(Ie,"value",null,lt.value),(Ue=lt.onVnodeBeforeMount)&&Ei(Ue,we,ce)}be&&Ba(ce,null,we,"beforeMount");const H=HN(ze,de);H&&de.beforeEnter(Ie),r(Ie,Ee,He),((Ue=lt&&lt.onVnodeMounted)||H||be)&&$n(()=>{Ue&&Ei(Ue,we,ce),H&&de.enter(Ie),be&&Ba(ce,null,we,"mounted")},ze)},h=(ce,Ee,He,we,ze)=>{if(He&&T(ce,He),we)for(let pe=0;pe<we.length;pe++)T(ce,we[pe]);if(ze){let pe=ze.subTree;if(Ee===pe){const Re=ze.vnode;h(ce,Re,Re.scopeId,Re.slotScopeIds,ze.parent)}}},k=(ce,Ee,He,we,ze,pe,Re,Ne,Ie=0)=>{for(let Ue=Ie;Ue<ce.length;Ue++){const Ve=ce[Ue]=Ne?$o(ce[Ue]):Pi(ce[Ue]);M(null,Ve,Ee,He,we,ze,pe,Re,Ne)}},F=(ce,Ee,He,we,ze,pe,Re)=>{const Ne=Ee.el=ce.el;let{patchFlag:Ie,dynamicChildren:Ue,dirs:Ve}=Ee;Ie|=ce.patchFlag&16;const lt=ce.props||yn,ge=Ee.props||yn;let de;He&&vs(He,!1),(de=ge.onVnodeBeforeUpdate)&&Ei(de,He,Ee,ce),Ve&&Ba(Ee,ce,He,"beforeUpdate"),He&&vs(He,!0);const be=ze&&Ee.type!=="foreignObject";if(Ue?z(ce.dynamicChildren,Ue,Ne,He,we,be,pe):Re||G(ce,Ee,Ne,null,He,we,be,pe,!1),Ie>0){if(Ie&16)K(Ne,Ee,lt,ge,He,we,ze);else if(Ie&2&&lt.class!==ge.class&&o(Ne,"class",null,ge.class,ze),Ie&4&&o(Ne,"style",lt.style,ge.style,ze),Ie&8){const H=Ee.dynamicProps;for(let ee=0;ee<H.length;ee++){const _e=H[ee],U=lt[_e],Q=ge[_e];(Q!==U||_e==="value")&&o(Ne,_e,U,Q,ze,ce.children,He,we,rt)}}Ie&1&&ce.children!==Ee.children&&S(Ne,Ee.children)}else!Re&&Ue==null&&K(Ne,Ee,lt,ge,He,we,ze);((de=ge.onVnodeUpdated)||Ve)&&$n(()=>{de&&Ei(de,He,Ee,ce),Ve&&Ba(Ee,ce,He,"updated")},we)},z=(ce,Ee,He,we,ze,pe,Re)=>{for(let Ne=0;Ne<Ee.length;Ne++){const Ie=ce[Ne],Ue=Ee[Ne],Ve=Ie.el&&(Ie.type===hr||!ba(Ie,Ue)||Ie.shapeFlag&70)?_(Ie.el):He;M(Ie,Ue,Ve,null,we,ze,pe,Re,!0)}},K=(ce,Ee,He,we,ze,pe,Re)=>{if(He!==we){if(He!==yn)for(const Ne in He)!Nl(Ne)&&!(Ne in we)&&o(ce,Ne,He[Ne],null,Re,Ee.children,ze,pe,rt);for(const Ne in we){if(Nl(Ne))continue;const Ie=we[Ne],Ue=He[Ne];Ie!==Ue&&Ne!=="value"&&o(ce,Ne,Ue,Ie,Re,Ee.children,ze,pe,rt)}"value"in we&&o(ce,"value",He.value,we.value)}},ue=(ce,Ee,He,we,ze,pe,Re,Ne,Ie)=>{const Ue=Ee.el=ce?ce.el:u(""),Ve=Ee.anchor=ce?ce.anchor:u("");let{patchFlag:lt,dynamicChildren:ge,slotScopeIds:de}=Ee;de&&(Ne=Ne?Ne.concat(de):de),ce==null?(r(Ue,He,we),r(Ve,He,we),k(Ee.children,He,Ve,ze,pe,Re,Ne,Ie)):lt>0&&lt&64&&ge&&ce.dynamicChildren?(z(ce.dynamicChildren,ge,He,ze,pe,Re,Ne),(Ee.key!=null||ze&&Ee===ze.subTree)&&hS(ce,Ee,!0)):G(ce,Ee,He,Ve,ze,pe,Re,Ne,Ie)},Z=(ce,Ee,He,we,ze,pe,Re,Ne,Ie)=>{Ee.slotScopeIds=Ne,ce==null?Ee.shapeFlag&512?ze.ctx.activate(Ee,He,we,Re,Ie):fe(Ee,He,we,ze,pe,Re,Ie):V(ce,Ee,Ie)},fe=(ce,Ee,He,we,ze,pe,Re)=>{const Ne=ce.isCompatRoot&&ce.component,Ie=Ne||(ce.component=bS(ce,we,ze));if(bc(ce)&&(Ie.ctx.renderer=ct),Ne||TS(Ie),Ie.asyncDep){if(ze&&ze.registerDep(Ie,ne),!ce.el){const Ue=Ie.subTree=En(Dr);A(null,Ue,Ee,He)}return}ne(Ie,ce,Ee,He,ze,pe,Re)},V=(ce,Ee,He)=>{const we=Ee.component=ce.component;if(A3(ce,Ee,He))if(we.asyncDep&&!we.asyncResolved){te(we,Ee,He);return}else we.next=Ee,c3(we.update),we.update();else Ee.el=ce.el,we.vnode=Ee},ne=(ce,Ee,He,we,ze,pe,Re)=>{const Ne=()=>{if(ce.isMounted){let{next:Ve,bu:lt,u:ge,parent:de,vnode:be}=ce,H=Ve,ee;vs(ce,!1),Ve?(Ve.el=be.el,te(ce,Ve,Re)):Ve=be,lt&&Jo(lt),(ee=Ve.props&&Ve.props.onVnodeBeforeUpdate)&&Ei(ee,de,Ve,be),Sn("INSTANCE_EVENT_HOOKS",ce)&&ce.emit("hook:beforeUpdate"),vs(ce,!0);const _e=pd(ce),U=ce.subTree;ce.subTree=_e,M(U,_e,_(U.el),bt(U),ce,ze,pe),Ve.el=_e.el,H===null&&uS(ce,_e.el),ge&&$n(ge,ze),(ee=Ve.props&&Ve.props.onVnodeUpdated)&&$n(()=>Ei(ee,de,Ve,be),ze),Sn("INSTANCE_EVENT_HOOKS",ce)&&$n(()=>ce.emit("hook:updated"),ze)}else{let Ve;const{el:lt,props:ge}=Ee,{bm:de,m:be,parent:H}=ce,ee=Fs(Ee);if(vs(ce,!1),de&&Jo(de),!ee&&(Ve=ge&&ge.onVnodeBeforeMount)&&Ei(Ve,H,Ee),Sn("INSTANCE_EVENT_HOOKS",ce)&&ce.emit("hook:beforeMount"),vs(ce,!0),lt&&nt){const _e=()=>{ce.subTree=pd(ce),nt(lt,ce.subTree,ce,ze,null)};ee?Ee.type.__asyncLoader().then(()=>!ce.isUnmounted&&_e()):_e()}else{const _e=ce.subTree=pd(ce);M(null,_e,He,we,ce,ze,pe),Ee.el=_e.el}if(be&&$n(be,ze),!ee&&(Ve=ge&&ge.onVnodeMounted)){const _e=Ee;$n(()=>Ei(Ve,H,_e),ze)}Sn("INSTANCE_EVENT_HOOKS",ce)&&$n(()=>ce.emit("hook:mounted"),ze),(Ee.shapeFlag&256||H&&Fs(H.vnode)&&H.vnode.shapeFlag&256)&&(ce.a&&$n(ce.a,ze),Sn("INSTANCE_EVENT_HOOKS",ce)&&$n(()=>ce.emit("hook:activated"),ze)),ce.isMounted=!0,Ee=He=we=null}},Ie=ce.effect=new Gl(Ne,()=>Tf(Ue),ce.scope),Ue=ce.update=()=>Ie.run();Ue.id=ce.uid,vs(ce,!0),Ue()},te=(ce,Ee,He)=>{Ee.component=ce;const we=ce.vnode.props;ce.vnode=Ee,ce.next=null,FG(ce,Ee.props,we,He),GG(ce,Ee.children,He),tu(),vC(),nu()},G=(ce,Ee,He,we,ze,pe,Re,Ne,Ie=!1)=>{const Ue=ce&&ce.children,Ve=ce?ce.shapeFlag:0,lt=Ee.children,{patchFlag:ge,shapeFlag:de}=Ee;if(ge>0){if(ge&128){ve(Ue,lt,He,we,ze,pe,Re,Ne,Ie);return}else if(ge&256){se(Ue,lt,He,we,ze,pe,Re,Ne,Ie);return}}de&8?(Ve&16&&rt(Ue,ze,pe),lt!==Ue&&S(He,lt)):Ve&16?de&16?ve(Ue,lt,He,we,ze,pe,Re,Ne,Ie):rt(Ue,ze,pe,!0):(Ve&8&&S(He,""),de&16&&k(lt,He,we,ze,pe,Re,Ne,Ie))},se=(ce,Ee,He,we,ze,pe,Re,Ne,Ie)=>{ce=ce||Ol,Ee=Ee||Ol;const Ue=ce.length,Ve=Ee.length,lt=Math.min(Ue,Ve);let ge;for(ge=0;ge<lt;ge++){const de=Ee[ge]=Ie?$o(Ee[ge]):Pi(Ee[ge]);M(ce[ge],de,He,null,ze,pe,Re,Ne,Ie)}Ue>Ve?rt(ce,ze,pe,!0,!1,lt):k(Ee,He,we,ze,pe,Re,Ne,Ie,lt)},ve=(ce,Ee,He,we,ze,pe,Re,Ne,Ie)=>{let Ue=0;const Ve=Ee.length;let lt=ce.length-1,ge=Ve-1;for(;Ue<=lt&&Ue<=ge;){const de=ce[Ue],be=Ee[Ue]=Ie?$o(Ee[Ue]):Pi(Ee[Ue]);if(ba(de,be))M(de,be,He,null,ze,pe,Re,Ne,Ie);else break;Ue++}for(;Ue<=lt&&Ue<=ge;){const de=ce[lt],be=Ee[ge]=Ie?$o(Ee[ge]):Pi(Ee[ge]);if(ba(de,be))M(de,be,He,null,ze,pe,Re,Ne,Ie);else break;lt--,ge--}if(Ue>lt){if(Ue<=ge){const de=ge+1,be=de<Ve?Ee[de].el:we;for(;Ue<=ge;)M(null,Ee[Ue]=Ie?$o(Ee[Ue]):Pi(Ee[Ue]),He,be,ze,pe,Re,Ne,Ie),Ue++}}else if(Ue>ge)for(;Ue<=lt;)oe(ce[Ue],ze,pe,!0),Ue++;else{const de=Ue,be=Ue,H=new Map;for(Ue=be;Ue<=ge;Ue++){const je=Ee[Ue]=Ie?$o(Ee[Ue]):Pi(Ee[Ue]);je.key!=null&&H.set(je.key,Ue)}let ee,_e=0;const U=ge-be+1;let Q=!1,he=0;const Le=new Array(U);for(Ue=0;Ue<U;Ue++)Le[Ue]=0;for(Ue=de;Ue<=lt;Ue++){const je=ce[Ue];if(_e>=U){oe(je,ze,pe,!0);continue}let at;if(je.key!=null)at=H.get(je.key);else for(ee=be;ee<=ge;ee++)if(Le[ee-be]===0&&ba(je,Ee[ee])){at=ee;break}at===void 0?oe(je,ze,pe,!0):(Le[at-be]=Ue+1,at>=he?he=at:Q=!0,M(je,Ee[at],He,null,ze,pe,Re,Ne,Ie),_e++)}const Xe=Q?qG(Le):Ol;for(ee=Xe.length-1,Ue=U-1;Ue>=0;Ue--){const je=be+Ue,at=Ee[je],ke=je+1<Ve?Ee[je+1].el:we;Le[Ue]===0?M(null,at,He,ke,ze,pe,Re,Ne,Ie):Q&&(ee<0||Ue!==Xe[ee]?Ge(at,He,ke,2):ee--)}}},Ge=(ce,Ee,He,we,ze=null)=>{const{el:pe,type:Re,transition:Ne,children:Ie,shapeFlag:Ue}=ce;if(Ue&6){Ge(ce.component.subTree,Ee,He,we);return}if(Ue&128){ce.suspense.move(Ee,He,we);return}if(Ue&64){Re.move(ce,Ee,He,ct);return}if(Re===hr){r(pe,Ee,He);for(let lt=0;lt<Ie.length;lt++)Ge(Ie[lt],Ee,He,we);r(ce.anchor,Ee,He);return}if(Re===Hs){N(ce,Ee,He);return}if(we!==2&&Ue&1&&Ne)if(we===0)Ne.beforeEnter(pe),r(pe,Ee,He),$n(()=>Ne.enter(pe),ze);else{const{leave:lt,delayLeave:ge,afterLeave:de}=Ne,be=()=>r(pe,Ee,He),H=()=>{lt(pe,()=>{be(),de&&de()})};ge?ge(pe,be,H):H()}else r(pe,Ee,He)},oe=(ce,Ee,He,we=!1,ze=!1)=>{const{type:pe,props:Re,ref:Ne,children:Ie,dynamicChildren:Ue,shapeFlag:Ve,patchFlag:lt,dirs:ge}=ce;if(Ne!=null&&wd(Ne,null,He,ce,!0),Ve&256){Ee.ctx.deactivate(ce);return}const de=Ve&1&&ge,be=!Fs(ce);let H;if(be&&(H=Re&&Re.onVnodeBeforeUnmount)&&Ei(H,Ee,ce),Ve&6)tt(ce.component,He,we);else{if(Ve&128){ce.suspense.unmount(He,we);return}de&&Ba(ce,null,Ee,"beforeUnmount"),Ve&64?ce.type.remove(ce,Ee,He,ze,ct,we):Ue&&(pe!==hr||lt>0&&lt&64)?rt(Ue,Ee,He,!1,!0):(pe===hr&&lt&384||!ze&&Ve&16)&&rt(Ie,Ee,He),we&&W(ce)}(be&&(H=Re&&Re.onVnodeUnmounted)||de)&&$n(()=>{H&&Ei(H,Ee,ce),de&&Ba(ce,null,Ee,"unmounted")},He)},W=ce=>{const{type:Ee,el:He,anchor:we,transition:ze}=ce;if(Ee===hr){Oe(He,we);return}if(Ee===Hs){R(ce);return}const pe=()=>{a(He),ze&&!ze.persisted&&ze.afterLeave&&ze.afterLeave()};if(ce.shapeFlag&1&&ze&&!ze.persisted){const{leave:Re,delayLeave:Ne}=ze,Ie=()=>Re(He,pe);Ne?Ne(ce.el,pe,Ie):Ie()}else pe()},Oe=(ce,Ee)=>{let He;for(;ce!==Ee;)He=E(ce),a(ce),ce=He;a(Ee)},tt=(ce,Ee,He)=>{const{bum:we,scope:ze,update:pe,subTree:Re,um:Ne}=ce;we&&Jo(we),Sn("INSTANCE_EVENT_HOOKS",ce)&&ce.emit("hook:beforeDestroy"),ze.stop(),pe&&(pe.active=!1,oe(Re,ce,Ee,He)),Ne&&$n(Ne,Ee),Sn("INSTANCE_EVENT_HOOKS",ce)&&$n(()=>ce.emit("hook:destroyed"),Ee),$n(()=>{ce.isUnmounted=!0},Ee),Ee&&Ee.pendingBranch&&!Ee.isUnmounted&&ce.asyncDep&&!ce.asyncResolved&&ce.suspenseId===Ee.pendingId&&(Ee.deps--,Ee.deps===0&&Ee.resolve())},rt=(ce,Ee,He,we=!1,ze=!1,pe=0)=>{for(let Re=pe;Re<ce.length;Re++)oe(ce[Re],Ee,He,we,ze)},bt=ce=>ce.shapeFlag&6?bt(ce.component.subTree):ce.shapeFlag&128?ce.suspense.next():E(ce.anchor||ce.el),dt=(ce,Ee,He)=>{ce==null?Ee._vnode&&oe(Ee._vnode,null,null,!0):M(Ee._vnode||null,ce,Ee,null,null,null,He),vC(),Dd(),Ee._vnode=ce},ct={p:M,um:oe,m:Ge,r:W,mt:fe,mc:k,pc:G,pbc:z,n:bt,o:e};let Ze,nt;return t&&([Ze,nt]=t(ct)),{render:dt,hydrate:Ze,createApp:LG(dt,Ze)}}function vs({effect:e,update:t},n){e.allowRecurse=t.allowRecurse=n}function HN(e,t){return(!e||e&&!e.pendingBranch)&&t&&!t.persisted}function hS(e,t,n=!1){const r=e.children,a=t.children;if(Rt(r)&&Rt(a))for(let o=0;o<r.length;o++){const l=r[o];let u=a[o];u.shapeFlag&1&&!u.dynamicChildren&&((u.patchFlag<=0||u.patchFlag===32)&&(u=a[o]=$o(a[o]),u.el=l.el),n||hS(l,u)),u.type===js&&(u.el=l.el)}}function qG(e){const t=e.slice(),n=[0];let r,a,o,l,u;const c=e.length;for(r=0;r<c;r++){const d=e[r];if(d!==0){if(a=n[n.length-1],e[a]<d){t[r]=a,n.push(r);continue}for(o=0,l=n.length-1;o<l;)u=o+l>>1,e[n[u]]<d?o=u+1:l=u;d<e[n[o]]&&(o>0&&(t[r]=n[o-1]),n[o]=r)}}for(o=n.length,l=n[o-1];o-- >0;)n[o]=l,l=t[l];return n}const YG=e=>e.__isTeleport,ku=e=>e&&(e.disabled||e.disabled===""),BC=e=>typeof SVGElement<"u"&&e instanceof SVGElement,Vh=(e,t)=>{const n=e&&e.to;return xn(n)?t?t(n):null:n},WG={__isTeleport:!0,process(e,t,n,r,a,o,l,u,c,d){const{mc:S,pc:_,pbc:E,o:{insert:T,querySelector:y,createText:M,createComment:v}}=d,A=ku(t.props);let{shapeFlag:O,children:N,dynamicChildren:R}=t;if(e==null){const L=t.el=M(""),I=t.anchor=M("");T(L,n,r),T(I,n,r);const h=t.target=Vh(t.props,y),k=t.targetAnchor=M("");h&&(T(k,h),l=l||BC(h));const F=(z,K)=>{O&16&&S(N,z,K,a,o,l,u,c)};A?F(n,I):h&&F(h,k)}else{t.el=e.el;const L=t.anchor=e.anchor,I=t.target=e.target,h=t.targetAnchor=e.targetAnchor,k=ku(e.props),F=k?n:I,z=k?L:h;if(l=l||BC(I),R?(E(e.dynamicChildren,R,F,a,o,l,u),hS(e,t,!0)):c||_(e,t,F,z,a,o,l,u,!1),A)k?t.props&&e.props&&t.props.to!==e.props.to&&(t.props.to=e.props.to):ld(t,n,L,d,1);else if((t.props&&t.props.to)!==(e.props&&e.props.to)){const K=t.target=Vh(t.props,y);K&&ld(t,K,null,d,0)}else k&&ld(t,I,h,d,1)}qN(t)},remove(e,t,n,r,{um:a,o:{remove:o}},l){const{shapeFlag:u,children:c,anchor:d,targetAnchor:S,target:_,props:E}=e;if(_&&o(S),l&&o(d),u&16){const T=l||!ku(E);for(let y=0;y<c.length;y++){const M=c[y];a(M,t,n,T,!!M.dynamicChildren)}}},move:ld,hydrate:VG};function ld(e,t,n,{o:{insert:r},m:a},o=2){o===0&&r(e.targetAnchor,t,n);const{el:l,anchor:u,shapeFlag:c,children:d,props:S}=e,_=o===2;if(_&&r(l,t,n),(!_||ku(S))&&c&16)for(let E=0;E<d.length;E++)a(d[E],t,n,2);_&&r(u,t,n)}function VG(e,t,n,r,a,o,{o:{nextSibling:l,parentNode:u,querySelector:c}},d){const S=t.target=Vh(t.props,c);if(S){const _=S._lpa||S.firstChild;if(t.shapeFlag&16)if(ku(t.props))t.anchor=d(l(e),t,u(e),n,r,a,o),t.targetAnchor=_;else{t.anchor=l(e);let E=_;for(;E;)if(E=l(E),E&&E.nodeType===8&&E.data==="teleport anchor"){t.targetAnchor=E,S._lpa=t.targetAnchor&&l(t.targetAnchor);break}d(_,t,S,n,r,a,o)}qN(t)}return t.anchor&&l(t.anchor)}const zG=WG;function qN(e){const t=e.ctx;if(t&&t.ut){let n=e.children[0].el;for(;n&&n!==e.targetAnchor;)n.nodeType===1&&n.setAttribute("data-v-owner",t.uid),n=n.nextSibling;t.ut()}}const sh=new WeakMap;function KG(e){if(sh.has(e))return sh.get(e);let t,n;const r=new Promise((l,u)=>{t=l,n=u}),a=e(t,n);let o;return gf(a)?o=_d(()=>a):ln(a)&&!Bi(a)&&!Rt(a)?o=_d({loader:()=>a.component,loadingComponent:a.loading,errorComponent:a.error,delay:a.delay,timeout:a.timeout}):a==null?o=_d(()=>r):o=e,sh.set(e,o),o}function $G(e,t){return e.__isBuiltIn?e:(Ft(e)&&e.cid&&(e=e.options),Ft(e)&&yf("COMPONENT_ASYNC",t,e)?KG(e):ln(e)&&e.functional&&yo("COMPONENT_FUNCTIONAL",t,e)?z3(e):e)}const hr=Symbol.for("v-fgt"),js=Symbol.for("v-txt"),Dr=Symbol.for("v-cmt"),Hs=Symbol.for("v-stc"),Pu=[];let bi=null;function ki(e=!1){Pu.push(bi=e?null:[])}function YN(){Pu.pop(),bi=Pu[Pu.length-1]||null}let Xs=1;function zh(e){Xs+=e}function WN(e){return e.dynamicChildren=Xs>0?bi||Ol:null,YN(),Xs>0&&bi&&bi.push(e),e}function Ma(e,t,n,r,a,o){return WN(on(e,t,n,r,a,o,!0))}function ES(e,t,n,r,a){return WN(En(e,t,n,r,a,!0))}function Bi(e){return e?e.__v_isVNode===!0:!1}function ba(e,t){return e.type===t.type&&e.key===t.key}function QG(e){}const Df="__vInternal",VN=({key:e})=>e!=null?e:null,md=({ref:e,ref_key:t,ref_for:n})=>(typeof e=="number"&&(e=""+e),e!=null?xn(e)||sr(e)||Ft(e)?{i:Yn,r:e,k:t,f:!!n}:e:null);function on(e,t=null,n=null,r=0,a=null,o=e===hr?0:1,l=!1,u=!1){const c={__v_isVNode:!0,__v_skip:!0,type:e,props:t,key:t&&VN(t),ref:t&&md(t),scopeId:wl,slotScopeIds:null,children:n,component:null,suspense:null,ssContent:null,ssFallback:null,dirs:null,transition:null,el:null,anchor:null,target:null,targetAnchor:null,staticCount:0,shapeFlag:o,patchFlag:r,dynamicProps:a,dynamicChildren:null,appContext:null,ctx:Yn};return u?(xf(c,n),o&128&&e.normalize(c)):n&&(c.shapeFlag|=xn(n)?8:16),Xs>0&&!l&&bi&&(c.patchFlag>0||o&6)&&c.patchFlag!==32&&bi.push(c),g3(c),EN(c),c}const En=jG;function jG(e,t=null,n=null,r=0,a=null,o=!1){if((!e||e===KR)&&(e=Dr),Bi(e)){const u=va(e,t,!0);return n&&xf(u,n),Xs>0&&!o&&bi&&(u.shapeFlag&6?bi[bi.indexOf(e)]=u:bi.push(u)),u.patchFlag|=-2,u}if(nH(e)&&(e=e.__vccOpts),e=$G(e,Yn),t){t=zN(t);let{class:u,style:c}=t;u&&!xn(u)&&(t.class=Va(u)),ln(c)&&(XE(c)&&!Rt(c)&&(c=sn({},c)),t.style=eu(c))}const l=xn(e)?1:XR(e)?128:YG(e)?64:ln(e)?4:Ft(e)?2:0;return on(e,t,n,r,a,l,o,!0)}function zN(e){return e?XE(e)||Df in e?sn({},e):e:null}function va(e,t,n=!1){const{props:r,ref:a,patchFlag:o,children:l}=e,u=t?wf(r||{},t):r,c={__v_isVNode:!0,__v_skip:!0,type:e.type,props:u,key:u&&VN(u),ref:t&&t.ref?n&&a?Rt(a)?a.concat(md(t)):[a,md(t)]:md(t):a,scopeId:e.scopeId,slotScopeIds:e.slotScopeIds,children:l,target:e.target,targetAnchor:e.targetAnchor,staticCount:e.staticCount,shapeFlag:e.shapeFlag,patchFlag:t&&e.type!==hr?o===-1?16:o|16:o,dynamicProps:e.dynamicProps,dynamicChildren:e.dynamicChildren,appContext:e.appContext,dirs:e.dirs,transition:e.transition,component:e.component,suspense:e.suspense,ssContent:e.ssContent&&va(e.ssContent),ssFallback:e.ssFallback&&va(e.ssFallback),el:e.el,anchor:e.anchor,ctx:e.ctx,ce:e.ce};return EN(c),c}function ql(e=" ",t=0){return En(js,null,e,t)}function SS(e,t){const n=En(Hs,null,e);return n.staticCount=t,n}function Ld(e="",t=!1){return t?(ki(),ES(Dr,null,e)):En(Dr,null,e)}function Pi(e){return e==null||typeof e=="boolean"?En(Dr):Rt(e)?En(hr,null,e.slice()):typeof e=="object"?$o(e):En(js,null,String(e))}function $o(e){return e.el===null&&e.patchFlag!==-1||e.memo?e:va(e)}function xf(e,t){let n=0;const{shapeFlag:r}=e;if(t==null)t=null;else if(Rt(t))n=16;else if(typeof t=="object")if(r&65){const a=t.default;a&&(a._c&&(a._d=!1),xf(e,a()),a._c&&(a._d=!0));return}else{n=32;const a=t._;!a&&!(Df in t)?t._ctx=Yn:a===3&&Yn&&(Yn.slots._===1?t._=1:(t._=2,e.patchFlag|=1024))}else Ft(t)?(t={default:t,_ctx:Yn},n=32):(t=String(t),r&64?(n=16,t=[ql(t)]):n=8);e.children=t,e.shapeFlag|=n}function wf(...e){const t={};for(let n=0;n<e.length;n++){const r=e[n];for(const a in r)if(a==="class")t.class!==r.class&&(t.class=Va([t.class,r.class]));else if(a==="style")t.style=eu([t.style,r.style]);else if(Co(a)){const o=t[a],l=r[a];l&&o!==l&&!(Rt(o)&&o.includes(l))&&(t[a]=o?[].concat(o,l):l)}else a!==""&&(t[a]=r[a])}return t}function Ei(e,t,n,r=null){Ti(e,t,7,[n,r])}const XG=DN();let ZG=0;function bS(e,t,n){const r=e.type,a=(t?t.appContext:e.appContext)||XG,o={uid:ZG++,vnode:e,type:r,parent:t,appContext:a,root:null,next:null,subTree:null,effect:null,update:null,scope:new KE(!0),render:null,proxy:null,exposed:null,exposeProxy:null,withProxy:null,provides:t?t.provides:Object.create(a.provides),accessCache:null,renderCache:[],components:null,directives:null,propsOptions:MN(r,a),emitsOptions:zR(r,a),emit:null,emitted:null,propsDefaults:yn,inheritAttrs:r.inheritAttrs,ctx:yn,data:yn,props:yn,attrs:yn,slots:yn,refs:yn,setupState:yn,setupContext:null,attrsProxy:null,slotsProxy:null,suspense:n,suspenseId:n?n.pendingId:0,asyncDep:null,asyncResolved:!1,isMounted:!1,isUnmounted:!1,isDeactivated:!1,bc:null,c:null,bm:null,m:null,bu:null,u:null,um:null,bum:null,da:null,a:null,rtg:null,rtc:null,ec:null,sp:null};return o.ctx={_:o},o.root=t?t.root:o,o.emit=E3.bind(null,o),e.ce&&e.ce(o),o}let Xn=null;const Aa=()=>Xn||Yn;let vS,Tl,UC="__VUE_INSTANCE_SETTERS__";(Tl=Mh()[UC])||(Tl=Mh()[UC]=[]),Tl.push(e=>Xn=e),vS=e=>{Tl.length>1?Tl.forEach(t=>t(e)):Tl[0](e)};const us=e=>{vS(e),e.scope.on()},ts=()=>{Xn&&Xn.scope.off(),vS(null)};function KN(e){return e.vnode.shapeFlag&4}let Yl=!1;function TS(e,t=!1){Yl=t;const{props:n,children:r}=e.vnode,a=KN(e);PG(e,n,a,t),UG(e,r);const o=a?JG(e,t):void 0;return Yl=!1,o}function JG(e,t){const n=e.type;e.accessCache=Object.create(null),e.proxy=ZE(new Proxy(e.ctx,Hh));const{setup:r}=n;if(r){const a=e.setupContext=r.length>1?$N(e):null;us(e),tu();const o=Ya(r,e,0,[e.props,a]);if(nu(),ts(),gf(o)){if(o.then(ts,ts),t)return o.then(l=>{Kh(e,l,t)}).catch(l=>{el(l,e,0)});e.asyncDep=o}else Kh(e,o,t)}else yS(e,t)}function Kh(e,t,n){Ft(t)?e.type.__ssrInlineRender?e.ssrRender=t:e.render=t:ln(t)&&(e.setupState=nS(t)),yS(e,n)}let Md,$h;function eH(e){Md=e,$h=t=>{t.render._rc&&(t.withProxy=new Proxy(t.ctx,iG))}}const Qh=()=>!Md;function yS(e,t,n){const r=e.type;if(Y3(e),!e.render){if(!t&&Md&&!r.render){const a=e.vnode.props&&e.vnode.props["inline-template"]||r.template||Tc(e).template;if(a){const{isCustomElement:o,compilerOptions:l}=e.appContext.config,{delimiters:u,compilerOptions:c}=r,d=sn(sn({isCustomElement:o,delimiters:u},l),c);d.compatConfig=Object.create(iS),r.compatConfig&&sn(d.compatConfig,r.compatConfig),r.render=Md(a,d)}}e.render=r.render||vi,$h&&$h(e)}if(!n){us(e),tu();try{SG(e)}finally{nu(),ts()}}}function tH(e){return e.attrsProxy||(e.attrsProxy=new Proxy(e.attrs,{get(t,n){return ri(e,"get","$attrs"),t[n]}}))}function $N(e){const t=n=>{e.exposed=n||{}};return{get attrs(){return tH(e)},slots:e.slots,emit:e.emit,expose:t}}function Lf(e){if(e.exposed)return e.exposeProxy||(e.exposeProxy=new Proxy(nS(ZE(e.exposed)),{get(t,n){if(n in t)return t[n];if(n in Ml)return Ml[n](e)},has(t,n){return n in t||n in Ml}}))}function jh(e,t=!0){return Ft(e)?e.displayName||e.name:e.name||t&&e.__name}function nH(e){return Ft(e)&&"__vccOpts"in e}const QN=(e,t)=>a3(e,t,Yl);function jN(e,t,n){const r=arguments.length;return r===2?ln(t)&&!Rt(t)?Bi(t)?En(e,null,[t]):En(e,t):En(e,null,t):(r>3?n=Array.prototype.slice.call(arguments,2):r===3&&Bi(n)&&(n=[n]),En(e,t,n))}const XN=Symbol.for("v-scx"),ZN=()=>Gs(XN);function rH(){}function iH(e,t,n,r){const a=n[r];if(a&&JN(a,e))return a;const o=t();return o.memo=e.slice(),n[r]=o}function JN(e,t){const n=e.memo;if(n.length!=t.length)return!1;for(let r=0;r<n.length;r++)if(os(n[r],t[r]))return!1;return Xs>0&&bi&&bi.push(e),!0}const eI="3.3.8",aH={createComponentInstance:bS,setupComponent:TS,renderComponentRoot:pd,setCurrentRenderingInstance:Ju,isVNode:Bi,normalizeVNode:Pi},oH=aH,sH=jR,lH={warnDeprecation:f3,createCompatVue:yG,isCompatEnabled:Sn,checkCompatEnabled:yf,softAssertCompatEnabled:yo},za=lH,uH="http://www.w3.org/2000/svg",Rs=typeof document<"u"?document:null,GC=Rs&&Rs.createElement("template"),cH={insert:(e,t,n)=>{t.insertBefore(e,n||null)},remove:e=>{const t=e.parentNode;t&&t.removeChild(e)},createElement:(e,t,n,r)=>{const a=t?Rs.createElementNS(uH,e):Rs.createElement(e,n?{is:n}:void 0);return e==="select"&&r&&r.multiple!=null&&a.setAttribute("multiple",r.multiple),a},createText:e=>Rs.createTextNode(e),createComment:e=>Rs.createComment(e),setText:(e,t)=>{e.nodeValue=t},setElementText:(e,t)=>{e.textContent=t},parentNode:e=>e.parentNode,nextSibling:e=>e.nextSibling,querySelector:e=>Rs.querySelector(e),setScopeId(e,t){e.setAttribute(t,"")},insertStaticContent(e,t,n,r,a,o){const l=n?n.previousSibling:t.lastChild;if(a&&(a===o||a.nextSibling))for(;t.insertBefore(a.cloneNode(!0),n),!(a===o||!(a=a.nextSibling)););else{GC.innerHTML=r?`<svg>${e}</svg>`:e;const u=GC.content;if(r){const c=u.firstChild;for(;c.firstChild;)u.appendChild(c.firstChild);u.removeChild(c)}t.insertBefore(u,n)}return[l?l.nextSibling:t.firstChild,n?n.previousSibling:t.lastChild]}},Vo="transition",Ou="animation",Wl=Symbol("_vtc"),yc=(e,{slots:t})=>jN(rN,nI(e),t);yc.displayName="Transition";yc.__isBuiltIn=!0;const tI={name:String,type:String,css:{type:Boolean,default:!0},duration:[String,Number,Object],enterFromClass:String,enterActiveClass:String,enterToClass:String,appearFromClass:String,appearActiveClass:String,appearToClass:String,leaveFromClass:String,leaveActiveClass:String,leaveToClass:String},dH=yc.props=sn({},pS,tI),Ts=(e,t=[])=>{Rt(e)?e.forEach(n=>n(...t)):e&&e(...t)},HC=e=>e?Rt(e)?e.some(t=>t.length>1):e.length>1:!1;function nI(e){const t={};for(const ne in e)ne in tI||(t[ne]=e[ne]);if(e.css===!1)return t;const{name:n="v",type:r,duration:a,enterFromClass:o=`${n}-enter-from`,enterActiveClass:l=`${n}-enter-active`,enterToClass:u=`${n}-enter-to`,appearFromClass:c=o,appearActiveClass:d=l,appearToClass:S=u,leaveFromClass:_=`${n}-leave-from`,leaveActiveClass:E=`${n}-leave-active`,leaveToClass:T=`${n}-leave-to`}=e,y=za.isCompatEnabled("TRANSITION_CLASSES",null);let M,v,A;if(y){const ne=te=>te.replace(/-from$/,"");e.enterFromClass||(M=ne(o)),e.appearFromClass||(v=ne(c)),e.leaveFromClass||(A=ne(_))}const O=fH(a),N=O&&O[0],R=O&&O[1],{onBeforeEnter:L,onEnter:I,onEnterCancelled:h,onLeave:k,onLeaveCancelled:F,onBeforeAppear:z=L,onAppear:K=I,onAppearCancelled:ue=h}=t,Z=(ne,te,G)=>{ka(ne,te?S:u),ka(ne,te?d:l),G&&G()},fe=(ne,te)=>{ne._isLeaving=!1,ka(ne,_),ka(ne,T),ka(ne,E),te&&te()},V=ne=>(te,G)=>{const se=ne?K:I,ve=()=>Z(te,ne,G);Ts(se,[te,ve]),qC(()=>{if(ka(te,ne?c:o),y){const Ge=ne?v:M;Ge&&ka(te,Ge)}na(te,ne?S:u),HC(se)||YC(te,r,N,ve)})};return sn(t,{onBeforeEnter(ne){Ts(L,[ne]),na(ne,o),y&&M&&na(ne,M),na(ne,l)},onBeforeAppear(ne){Ts(z,[ne]),na(ne,c),y&&v&&na(ne,v),na(ne,d)},onEnter:V(!1),onAppear:V(!0),onLeave(ne,te){ne._isLeaving=!0;const G=()=>fe(ne,te);na(ne,_),y&&A&&na(ne,A),iI(),na(ne,E),qC(()=>{!ne._isLeaving||(ka(ne,_),y&&A&&ka(ne,A),na(ne,T),HC(k)||YC(ne,r,R,G))}),Ts(k,[ne,G])},onEnterCancelled(ne){Z(ne,!1),Ts(h,[ne])},onAppearCancelled(ne){Z(ne,!0),Ts(ue,[ne])},onLeaveCancelled(ne){fe(ne),Ts(F,[ne])}})}function fH(e){if(e==null)return null;if(ln(e))return[lh(e.enter),lh(e.leave)];{const t=lh(e);return[t,t]}}function lh(e){return Od(e)}function na(e,t){t.split(/\s+/).forEach(n=>n&&e.classList.add(n)),(e[Wl]||(e[Wl]=new Set)).add(t)}function ka(e,t){t.split(/\s+/).forEach(r=>r&&e.classList.remove(r));const n=e[Wl];n&&(n.delete(t),n.size||(e[Wl]=void 0))}function qC(e){requestAnimationFrame(()=>{requestAnimationFrame(e)})}let pH=0;function YC(e,t,n,r){const a=e._endId=++pH,o=()=>{a===e._endId&&r()};if(n)return setTimeout(o,n);const{type:l,timeout:u,propCount:c}=rI(e,t);if(!l)return r();const d=l+"end";let S=0;const _=()=>{e.removeEventListener(d,E),o()},E=T=>{T.target===e&&++S>=c&&_()};setTimeout(()=>{S<c&&_()},u+1),e.addEventListener(d,E)}function rI(e,t){const n=window.getComputedStyle(e),r=y=>(n[y]||"").split(", "),a=r(`${Vo}Delay`),o=r(`${Vo}Duration`),l=WC(a,o),u=r(`${Ou}Delay`),c=r(`${Ou}Duration`),d=WC(u,c);let S=null,_=0,E=0;t===Vo?l>0&&(S=Vo,_=l,E=o.length):t===Ou?d>0&&(S=Ou,_=d,E=c.length):(_=Math.max(l,d),S=_>0?l>d?Vo:Ou:null,E=S?S===Vo?o.length:c.length:0);const T=S===Vo&&/\b(transform|all)(,|$)/.test(r(`${Vo}Property`).toString());return{type:S,timeout:_,propCount:E,hasTransform:T}}function WC(e,t){for(;e.length<t.length;)e=e.concat(e);return Math.max(...t.map((n,r)=>VC(n)+VC(e[r])))}function VC(e){return e==="auto"?0:Number(e.slice(0,-1).replace(",","."))*1e3}function iI(){return document.body.offsetHeight}function _H(e,t,n){const r=e[Wl];r&&(t=(t?[t,...r]:[...r]).join(" ")),t==null?e.removeAttribute("class"):n?e.setAttribute("class",t):e.className=t}const CS=Symbol("_vod"),AS={beforeMount(e,{value:t},{transition:n}){e[CS]=e.style.display==="none"?"":e.style.display,n&&t?n.beforeEnter(e):Ru(e,t)},mounted(e,{value:t},{transition:n}){n&&t&&n.enter(e)},updated(e,{value:t,oldValue:n},{transition:r}){!t!=!n&&(r?t?(r.beforeEnter(e),Ru(e,!0),r.enter(e)):r.leave(e,()=>{Ru(e,!1)}):Ru(e,t))},beforeUnmount(e,{value:t}){Ru(e,t)}};function Ru(e,t){e.style.display=t?e[CS]:"none"}function mH(){AS.getSSRProps=({value:e})=>{if(!e)return{style:{display:"none"}}}}function gH(e,t,n){const r=e.style,a=xn(n);if(n&&!a){if(t&&!xn(t))for(const o in t)n[o]==null&&Xh(r,o,"");for(const o in n)Xh(r,o,n[o])}else{const o=r.display;a?t!==n&&(r.cssText=n):t&&e.removeAttribute("style"),CS in e&&(r.display=o)}}const zC=/\s*!important$/;function Xh(e,t,n){if(Rt(n))n.forEach(r=>Xh(e,t,r));else if(n==null&&(n=""),t.startsWith("--"))e.setProperty(t,n);else{const r=hH(e,t);zC.test(n)?e.setProperty(ei(r),n.replace(zC,""),"important"):e[r]=n}}const KC=["Webkit","Moz","ms"],uh={};function hH(e,t){const n=uh[t];if(n)return n;let r=ni(t);if(r!=="filter"&&r in e)return uh[t]=r;r=gc(r);for(let a=0;a<KC.length;a++){const o=KC[a]+r;if(o in e)return uh[t]=o}return t}const $C="http://www.w3.org/1999/xlink";function EH(e,t,n,r,a){if(r&&t.startsWith("xlink:"))n==null?e.removeAttributeNS($C,t.slice(6,t.length)):e.setAttributeNS($C,t,n);else{if(bH(e,t,n,a))return;const o=vR(t);n==null||o&&!TR(n)?e.removeAttribute(t):e.setAttribute(t,o?"":n)}}const SH=Zl("contenteditable,draggable,spellcheck");function bH(e,t,n,r=null){if(SH(t)){const a=n===null?"false":typeof n!="boolean"&&n!==void 0?"true":null;if(a&&za.softAssertCompatEnabled("ATTR_ENUMERATED_COERCION",r,t,n,a))return e.setAttribute(t,a),!0}else if(n===!1&&!vR(t)&&za.softAssertCompatEnabled("ATTR_FALSE_VALUE",r,t))return e.removeAttribute(t),!0;return!1}function vH(e,t,n,r,a,o,l){if(t==="innerHTML"||t==="textContent"){r&&l(r,a,o),e[t]=n==null?"":n;return}const u=e.tagName;if(t==="value"&&u!=="PROGRESS"&&!u.includes("-")){e._value=n;const d=u==="OPTION"?e.getAttribute("value"):e.value,S=n==null?"":n;d!==S&&(e.value=S),n==null&&e.removeAttribute(t);return}let c=!1;if(n===""||n==null){const d=typeof e[t];d==="boolean"?n=TR(n):n==null&&d==="string"?(n="",c=!0):d==="number"&&(n=0,c=!0)}else if(n===!1&&za.isCompatEnabled("ATTR_FALSE_VALUE",a)){const d=typeof e[t];(d==="string"||d==="number")&&(n=d==="number"?0:"",c=!0)}try{e[t]=n}catch{}c&&e.removeAttribute(t)}function Eo(e,t,n,r){e.addEventListener(t,n,r)}function TH(e,t,n,r){e.removeEventListener(t,n,r)}const QC=Symbol("_vei");function yH(e,t,n,r,a=null){const o=e[QC]||(e[QC]={}),l=o[t];if(r&&l)l.value=r;else{const[u,c]=CH(t);if(r){const d=o[t]=RH(r,a);Eo(e,u,d,c)}else l&&(TH(e,u,l,c),o[t]=void 0)}}const jC=/(?:Once|Passive|Capture)$/;function CH(e){let t;if(jC.test(e)){t={};let r;for(;r=e.match(jC);)e=e.slice(0,e.length-r[0].length),t[r[0].toLowerCase()]=!0}return[e[2]===":"?e.slice(3):ei(e.slice(2)),t]}let ch=0;const AH=Promise.resolve(),OH=()=>ch||(AH.then(()=>ch=0),ch=Date.now());function RH(e,t){const n=r=>{if(!r._vts)r._vts=Date.now();else if(r._vts<=n.attached)return;Ti(NH(r,n.value),t,5,[r])};return n.value=e,n.attached=OH(),n}function NH(e,t){if(Rt(t)){const n=e.stopImmediatePropagation;return e.stopImmediatePropagation=()=>{n.call(e),e._stopped=!0},t.map(r=>a=>!a._stopped&&r&&r(a))}else return t}const XC=/^on[a-z]/,IH=(e,t,n,r,a=!1,o,l,u,c)=>{t==="class"?_H(e,r,a):t==="style"?gH(e,n,r):Co(t)?WE(t)||yH(e,t,n,r,l):(t[0]==="."?(t=t.slice(1),!0):t[0]==="^"?(t=t.slice(1),!1):DH(e,t,r,a))?vH(e,t,r,o,l,u,c):(t==="true-value"?e._trueValue=r:t==="false-value"&&(e._falseValue=r),EH(e,t,r,a,l))};function DH(e,t,n,r){return r?!!(t==="innerHTML"||t==="textContent"||t in e&&XC.test(t)&&Ft(n)):t==="spellcheck"||t==="draggable"||t==="translate"||t==="form"||t==="list"&&e.tagName==="INPUT"||t==="type"&&e.tagName==="TEXTAREA"||XC.test(t)&&xn(n)?!1:t in e}/*! #__NO_SIDE_EFFECTS__ */function aI(e,t){const n=_S(e);class r extends Mf{constructor(o){super(n,o,t)}}return r.def=n,r}/*! #__NO_SIDE_EFFECTS__ */const xH=e=>aI(e,mI),wH=typeof HTMLElement<"u"?HTMLElement:class{};class Mf extends wH{constructor(t,n={},r){super(),this._def=t,this._props=n,this._instance=null,this._connected=!1,this._resolved=!1,this._numberProps=null,this._ob=null,this.shadowRoot&&r?r(this._createVNode(),this.shadowRoot):(this.attachShadow({mode:"open"}),this._def.__asyncLoader||this._resolveProps(this._def))}connectedCallback(){this._connected=!0,this._instance||(this._resolved?this._update():this._resolveDef())}disconnectedCallback(){this._connected=!1,this._ob&&(this._ob.disconnect(),this._ob=null),Ec(()=>{this._connected||(eE(null,this.shadowRoot),this._instance=null)})}_resolveDef(){this._resolved=!0;for(let r=0;r<this.attributes.length;r++)this._setAttr(this.attributes[r].name);this._ob=new MutationObserver(r=>{for(const a of r)this._setAttr(a.attributeName)}),this._ob.observe(this,{attributes:!0});const t=(r,a=!1)=>{const{props:o,styles:l}=r;let u;if(o&&!Rt(o))for(const c in o){const d=o[c];(d===Number||d&&d.type===Number)&&(c in this._props&&(this._props[c]=Od(this._props[c])),(u||(u=Object.create(null)))[ni(c)]=!0)}this._numberProps=u,a&&this._resolveProps(r),this._applyStyles(l),this._update()},n=this._def.__asyncLoader;n?n().then(r=>t(r,!0)):t(this._def)}_resolveProps(t){const{props:n}=t,r=Rt(n)?n:Object.keys(n||{});for(const a of Object.keys(this))a[0]!=="_"&&r.includes(a)&&this._setProp(a,this[a],!0,!1);for(const a of r.map(ni))Object.defineProperty(this,a,{get(){return this._getProp(a)},set(o){this._setProp(a,o)}})}_setAttr(t){let n=this.getAttribute(t);const r=ni(t);this._numberProps&&this._numberProps[r]&&(n=Od(n)),this._setProp(r,n,!1)}_getProp(t){return this._props[t]}_setProp(t,n,r=!0,a=!0){n!==this._props[t]&&(this._props[t]=n,a&&this._instance&&this._update(),r&&(n===!0?this.setAttribute(ei(t),""):typeof n=="string"||typeof n=="number"?this.setAttribute(ei(t),n+""):n||this.removeAttribute(ei(t))))}_update(){eE(this._createVNode(),this.shadowRoot)}_createVNode(){const t=En(this._def,sn({},this._props));return this._instance||(t.ce=n=>{this._instance=n,n.isCE=!0;const r=(o,l)=>{this.dispatchEvent(new CustomEvent(o,{detail:l}))};n.emit=(o,...l)=>{r(o,l),ei(o)!==o&&r(ei(o),l)};let a=this;for(;a=a&&(a.parentNode||a.host);)if(a instanceof Mf){n.parent=a._instance,n.provides=a._instance.provides;break}}),t}_applyStyles(t){t&&t.forEach(n=>{const r=document.createElement("style");r.textContent=n,this.shadowRoot.appendChild(r)})}}function LH(e="$style"){{const t=Aa();if(!t)return yn;const n=t.type.__cssModules;if(!n)return yn;const r=n[e];return r||yn}}function MH(e){const t=Aa();if(!t)return;const n=t.ut=(a=e(t.proxy))=>{Array.from(document.querySelectorAll(`[data-v-owner="${t.uid}"]`)).forEach(o=>Jh(o,a))},r=()=>{const a=e(t.proxy);Zh(t.subTree,a),n(a)};JR(r),vc(()=>{const a=new MutationObserver(r);a.observe(t.subTree.el.parentNode,{childList:!0}),nc(()=>a.disconnect())})}function Zh(e,t){if(e.shapeFlag&128){const n=e.suspense;e=n.activeBranch,n.pendingBranch&&!n.isHydrating&&n.effects.push(()=>{Zh(n.activeBranch,t)})}for(;e.component;)e=e.component.subTree;if(e.shapeFlag&1&&e.el)Jh(e.el,t);else if(e.type===hr)e.children.forEach(n=>Zh(n,t));else if(e.type===Hs){let{el:n,anchor:r}=e;for(;n&&(Jh(n,t),n!==r);)n=n.nextSibling}}function Jh(e,t){if(e.nodeType===1){const n=e.style;for(const r in t)n.setProperty(`--${r}`,t[r])}}const oI=new WeakMap,sI=new WeakMap,kd=Symbol("_moveCb"),ZC=Symbol("_enterCb"),OS={name:"TransitionGroup",props:sn({},dH,{tag:String,moveClass:String}),setup(e,{slots:t}){const n=Aa(),r=fS();let a,o;return If(()=>{if(!a.length)return;const l=e.moveClass||`${e.name||"v"}-move`;if(!UH(a[0].el,n.vnode.el,l))return;a.forEach(PH),a.forEach(FH);const u=a.filter(BH);iI(),u.forEach(c=>{const d=c.el,S=d.style;na(d,l),S.transform=S.webkitTransform=S.transitionDuration="";const _=d[kd]=E=>{E&&E.target!==d||(!E||/transform$/.test(E.propertyName))&&(d.removeEventListener("transitionend",_),d[kd]=null,ka(d,l))};d.addEventListener("transitionend",_)})}),()=>{const l=pn(e),u=nI(l);let c=l.tag||hr;!l.tag&&za.checkCompatEnabled("TRANSITION_GROUP_ROOT",n.parent)&&(c="span"),a=o,o=t.default?Rf(t.default()):[];for(let d=0;d<o.length;d++){const S=o[d];S.key!=null&&Qs(S,Hl(S,u,r,n))}if(a)for(let d=0;d<a.length;d++){const S=a[d];Qs(S,Hl(S,u,r,n)),oI.set(S,S.el.getBoundingClientRect())}return En(c,null,o)}}};OS.__isBuiltIn=!0;const kH=e=>delete e.mode;OS.props;const lI=OS;function PH(e){const t=e.el;t[kd]&&t[kd](),t[ZC]&&t[ZC]()}function FH(e){sI.set(e,e.el.getBoundingClientRect())}function BH(e){const t=oI.get(e),n=sI.get(e),r=t.left-n.left,a=t.top-n.top;if(r||a){const o=e.el.style;return o.transform=o.webkitTransform=`translate(${r}px,${a}px)`,o.transitionDuration="0s",e}}function UH(e,t,n){const r=e.cloneNode(),a=e[Wl];a&&a.forEach(u=>{u.split(/\s+/).forEach(c=>c&&r.classList.remove(c))}),n.split(/\s+/).forEach(u=>u&&r.classList.add(u)),r.style.display="none";const o=t.nodeType===1?t:t.parentNode;o.appendChild(r);const{hasTransform:l}=rI(r);return o.removeChild(r),l}const cs=e=>{const t=e.props["onUpdate:modelValue"]||e.props["onModelCompat:input"];return Rt(t)?n=>Jo(t,n):t};function GH(e){e.target.composing=!0}function JC(e){const t=e.target;t.composing&&(t.composing=!1,t.dispatchEvent(new Event("input")))}const ra=Symbol("_assign"),Pd={created(e,{modifiers:{lazy:t,trim:n,number:r}},a){e[ra]=cs(a);const o=r||a.props&&a.props.type==="number";Eo(e,t?"change":"input",l=>{if(l.target.composing)return;let u=e.value;n&&(u=u.trim()),o&&(u=$u(u)),e[ra](u)}),n&&Eo(e,"change",()=>{e.value=e.value.trim()}),t||(Eo(e,"compositionstart",GH),Eo(e,"compositionend",JC),Eo(e,"change",JC))},mounted(e,{value:t}){e.value=t==null?"":t},beforeUpdate(e,{value:t,modifiers:{lazy:n,trim:r,number:a}},o){if(e[ra]=cs(o),e.composing||document.activeElement===e&&e.type!=="range"&&(n||r&&e.value.trim()===t||(a||e.type==="number")&&$u(e.value)===t))return;const l=t==null?"":t;e.value!==l&&(e.value=l)}},RS={deep:!0,created(e,t,n){e[ra]=cs(n),Eo(e,"change",()=>{const r=e._modelValue,a=Vl(e),o=e.checked,l=e[ra];if(Rt(r)){const u=hc(r,a),c=u!==-1;if(o&&!c)l(r.concat(a));else if(!o&&c){const d=[...r];d.splice(u,1),l(d)}}else if(Js(r)){const u=new Set(r);o?u.add(a):u.delete(a),l(u)}else l(cI(e,o))})},mounted:eA,beforeUpdate(e,t,n){e[ra]=cs(n),eA(e,t,n)}};function eA(e,{value:t,oldValue:n},r){e._modelValue=t,Rt(t)?e.checked=hc(t,r.props.value)>-1:Js(t)?e.checked=t.has(r.props.value):t!==n&&(e.checked=To(t,cI(e,!0)))}const NS={created(e,{value:t},n){e.checked=To(t,n.props.value),e[ra]=cs(n),Eo(e,"change",()=>{e[ra](Vl(e))})},beforeUpdate(e,{value:t,oldValue:n},r){e[ra]=cs(r),t!==n&&(e.checked=To(t,r.props.value))}},uI={deep:!0,created(e,{value:t,modifiers:{number:n}},r){const a=Js(t);Eo(e,"change",()=>{const o=Array.prototype.filter.call(e.options,l=>l.selected).map(l=>n?$u(Vl(l)):Vl(l));e[ra](e.multiple?a?new Set(o):o:o[0])}),e[ra]=cs(r)},mounted(e,{value:t}){tA(e,t)},beforeUpdate(e,t,n){e[ra]=cs(n)},updated(e,{value:t}){tA(e,t)}};function tA(e,t){const n=e.multiple;if(!(n&&!Rt(t)&&!Js(t))){for(let r=0,a=e.options.length;r<a;r++){const o=e.options[r],l=Vl(o);if(n)Rt(t)?o.selected=hc(t,l)>-1:o.selected=t.has(l);else if(To(Vl(o),t)){e.selectedIndex!==r&&(e.selectedIndex=r);return}}!n&&e.selectedIndex!==-1&&(e.selectedIndex=-1)}}function Vl(e){return"_value"in e?e._value:e.value}function cI(e,t){const n=t?"_trueValue":"_falseValue";return n in e?e[n]:t}const IS={created(e,t,n){ud(e,t,n,null,"created")},mounted(e,t,n){ud(e,t,n,null,"mounted")},beforeUpdate(e,t,n,r){ud(e,t,n,r,"beforeUpdate")},updated(e,t,n,r){ud(e,t,n,r,"updated")}};function dI(e,t){switch(e){case"SELECT":return uI;case"TEXTAREA":return Pd;default:switch(t){case"checkbox":return RS;case"radio":return NS;default:return Pd}}}function ud(e,t,n,r,a){const l=dI(e.tagName,n.props&&n.props.type)[a];l&&l(e,t,n,r)}function HH(){Pd.getSSRProps=({value:e})=>({value:e}),NS.getSSRProps=({value:e},t)=>{if(t.props&&To(t.props.value,e))return{checked:!0}},RS.getSSRProps=({value:e},t)=>{if(Rt(e)){if(t.props&&hc(e,t.props.value)>-1)return{checked:!0}}else if(Js(e)){if(t.props&&e.has(t.props.value))return{checked:!0}}else if(e)return{checked:!0}},IS.getSSRProps=(e,t)=>{if(typeof t.type!="string")return;const n=dI(t.type.toUpperCase(),t.props&&t.props.type);if(n.getSSRProps)return n.getSSRProps(e,t)}}const qH=["ctrl","shift","alt","meta"],YH={stop:e=>e.stopPropagation(),prevent:e=>e.preventDefault(),self:e=>e.target!==e.currentTarget,ctrl:e=>!e.ctrlKey,shift:e=>!e.shiftKey,alt:e=>!e.altKey,meta:e=>!e.metaKey,left:e=>"button"in e&&e.button!==0,middle:e=>"button"in e&&e.button!==1,right:e=>"button"in e&&e.button!==2,exact:(e,t)=>qH.some(n=>e[`${n}Key`]&&!t.includes(n))},WH=(e,t)=>(n,...r)=>{for(let a=0;a<t.length;a++){const o=YH[t[a]];if(o&&o(n,t))return}return e(n,...r)},VH={esc:"escape",space:" ",up:"arrow-up",left:"arrow-left",right:"arrow-right",down:"arrow-down",delete:"backspace"},zH=(e,t)=>{let n,r=null;return r=Aa(),za.isCompatEnabled("CONFIG_KEY_CODES",r)&&r&&(n=r.appContext.config.keyCodes),a=>{if(!("key"in a))return;const o=ei(a.key);if(t.some(l=>l===o||VH[l]===o))return e(a);{const l=String(a.keyCode);if(za.isCompatEnabled("V_ON_KEYCODE_MODIFIER",r)&&t.some(u=>u==l))return e(a);if(n)for(const u of t){const c=n[u];if(c&&(Rt(c)?c.some(S=>String(S)===l):String(c)===l))return e(a)}}}},fI=sn({patchProp:IH},cH);let Fu,nA=!1;function pI(){return Fu||(Fu=BN(fI))}function _I(){return Fu=nA?Fu:UN(fI),nA=!0,Fu}const eE=(...e)=>{pI().render(...e)},mI=(...e)=>{_I().hydrate(...e)},DS=(...e)=>{const t=pI().createApp(...e),{mount:n}=t;return t.mount=r=>{const a=gI(r);if(!a)return;const o=t._component;!Ft(o)&&!o.render&&!o.template&&(o.template=a.innerHTML),a.innerHTML="";const l=n(a,!1,a instanceof SVGElement);return a instanceof Element&&(a.removeAttribute("v-cloak"),a.setAttribute("data-v-app","")),l},t},KH=(...e)=>{const t=_I().createApp(...e),{mount:n}=t;return t.mount=r=>{const a=gI(r);if(a)return n(a,!0,a instanceof SVGElement)},t};function gI(e){return xn(e)?document.querySelector(e):e}let rA=!1;const $H=()=>{rA||(rA=!0,HH(),mH())};var QH=Object.freeze({__proto__:null,BaseTransition:rN,BaseTransitionPropsValidators:pS,Comment:Dr,EffectScope:KE,Fragment:hr,KeepAlive:oN,ReactiveEffect:Gl,Static:Hs,Suspense:D3,Teleport:zG,Text:js,Transition:yc,TransitionGroup:lI,VueElement:Mf,assertNumber:s3,callWithAsyncErrorHandling:Ti,callWithErrorHandling:Ya,camelize:ni,capitalize:gc,cloneVNode:va,compatUtils:za,computed:QN,createApp:DS,createBlock:ES,createCommentVNode:Ld,createElementBlock:Ma,createElementVNode:on,createHydrationRenderer:UN,createPropsRestProxy:hG,createRenderer:BN,createSSRApp:KH,createSlots:bN,createStaticVNode:SS,createTextVNode:ql,createVNode:En,customRef:JU,defineAsyncComponent:_d,defineComponent:_S,defineCustomElement:aI,defineEmits:oG,defineExpose:sG,defineModel:cG,defineOptions:lG,defineProps:aG,defineSSRCustomElement:xH,defineSlots:uG,get devtools(){return yl},effect:AU,effectScope:vU,getCurrentInstance:Aa,getCurrentScope:AR,getTransitionRawChildren:Rf,guardReactiveProps:zN,h:jN,handleError:el,hasInjectionContext:MG,hydrate:mI,initCustomFormatter:rH,initDirectivesForSSR:$H,inject:Gs,isMemoSame:JN,isProxy:XE,isReactive:So,isReadonly:$s,isRef:sr,isRuntimeOnly:Qh,isShallow:Qu,isVNode:Bi,markRaw:ZE,mergeDefaults:mG,mergeModels:gG,mergeProps:wf,nextTick:Ec,normalizeClass:Va,normalizeProps:EU,normalizeStyle:eu,onActivated:sN,onBeforeMount:cN,onBeforeUnmount:tc,onBeforeUpdate:dN,onDeactivated:lN,onErrorCaptured:mN,onMounted:vc,onRenderTracked:_N,onRenderTriggered:pN,onScopeDispose:TU,onServerPrefetch:fN,onUnmounted:nc,onUpdated:If,openBlock:ki,popScopeId:b3,provide:xN,proxyRefs:nS,pushScopeId:S3,queuePostFlushCb:Id,reactive:ls,readonly:jE,ref:Dl,registerRuntimeCompiler:eH,render:eE,renderList:mS,renderSlot:vN,resolveComponent:N3,resolveDirective:QR,resolveDynamicComponent:$R,resolveFilter:sH,resolveTransitionHooks:Hl,setBlockTracking:zh,setDevtoolsHook:WR,setTransitionHooks:Qs,shallowReactive:BR,shallowReadonly:zU,shallowRef:KU,ssrContextKey:XN,ssrUtils:oH,stop:OU,toDisplayString:Rd,toHandlerKey:Il,toHandlers:yN,toRaw:pn,toRef:r3,toRefs:e3,toValue:jU,transformVNodeArgs:QG,triggerRef:QU,unref:tS,useAttrs:pG,useCssModule:LH,useCssVars:MH,useModel:_G,useSSRContext:ZN,useSlots:fG,useTransitionState:fS,vModelCheckbox:RS,vModelDynamic:IS,vModelRadio:NS,vModelSelect:uI,vModelText:Pd,vShow:AS,version:eI,warn:o3,watch:Ps,watchEffect:B3,watchPostEffect:JR,watchSyncEffect:U3,withAsyncContext:EG,withCtx:lS,withDefaults:dG,withDirectives:tN,withKeys:zH,withMemo:iH,withModifiers:WH,withScopeId:v3});function jH(...e){const t=DS(...e);return za.isCompatEnabled("RENDER_FUNCTION",null)&&(t.component("__compat__transition",yc),t.component("__compat__transition-group",lI),t.component("__compat__keep-alive",oN),t._context.directives.show=AS,t._context.directives.model=IS),t}function XH(){const e=za.createCompatVue(DS,jH);return sn(e,QH),e}const hI=XH();hI.compile=()=>{};var ZH=hI;function JH(e){let t=0;for(let o=0;o<e.length;o++)t=e.charCodeAt(o)+((t<<5)-t),t=t&t;let n=(t%360+360)%360,r=(t%25+25)%25+75,a=(t%20+20)%20+40;return`hsl(${n}, ${r}%, ${a}%)`}function eq(e,t){At(t).select(),document.execCommand("copy"),At(e.target).tooltip({title:"Copi\xE9!",trigger:"manual"}),At(e.target).tooltip("show"),setTimeout(function(){At(e.target).tooltip("hide")},1500)}const tq={htmlEntities:$A,colorHash:JH,copyToClipboard:eq},nq={upload:(e,t,n,r=!1)=>{const a=window.CTFd;try{e instanceof At&&(form=form[0]);var e=new FormData(e);e.append("nonce",a.config.csrfNonce);for(let[c,d]of Object.entries(t))e.append(c,d)}catch{e.append("nonce",a.config.csrfNonce);for(let[c,d]of Object.entries(t))e.append(c,d)}var o=xu.ezProgressBar({width:0,title:"Progr\xE8s de l'envoi"}),l=r?"/api/v1/files/old?admin=true":"/api/v1/files?admin=true";console.log(r),At.ajax({url:a.config.urlRoot+l,data:e,type:"POST",cache:!1,contentType:!1,processData:!1,xhr:function(){var u=At.ajaxSettings.xhr();return u.upload.onprogress=function(c){if(c.lengthComputable){var d=c.loaded/c.total*100;o=xu.ezProgressBar({target:o,width:d})}},u},success:function(u){o=xu.ezProgressBar({target:o,width:100}),setTimeout(function(){o.modal("hide")},500),n&&n(u)}})}},rq={get_comments:e=>window.CTFd.fetch("/api/v1/comments?"+At.param(e),{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(function(n){return n.json()}),add_comment:(e,t,n,r)=>{const a=window.CTFd;let o={content:e,type:t,...n};a.fetch("/api/v1/comments",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(o)}).then(function(l){return l.json()}).then(function(l){r&&r(l)})},delete_comment:e=>window.CTFd.fetch(`/api/v1/comments/${e}`,{method:"DELETE",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(function(n){return n.json()})},EI={files:nq,comments:rq,utils:tq,ezq:xu},iq=(e,t)=>{const n=e.__vccOpts||e;for(const[r,a]of t)n[r]=a;return n};function aq(){return Ys.fetch("/api/v1/files?type=page",{credentials:"same-origin"}).then(function(e){return e.json()})}const oq={props:{editor:Object},data:function(){return{files:[],selectedFile:null}},methods:{getPageFiles:function(){aq().then(e=>(this.files=e.data,this.files))},uploadChosenFiles:function(){let e=document.querySelector("#media-library-upload");EI.files.upload(e,{},t=>{this.getPageFiles()})},selectFile:function(e){return this.selectedFile=e,this.selectedFile},buildSelectedFileUrl:function(){return Ys.config.urlRoot+"/files/"+this.selectedFile.location},deleteSelectedFile:function(){var e=this.selectedFile.id;confirm("\xCAtes-vous certain de vouloir supprimer this file?")&&Ys.fetch("/api/v1/files/"+e,{method:"DELETE"}).then(t=>{t.status===200&&t.json().then(n=>{n.success&&(this.getPageFiles(),this.selectedFile=null)})})},insertSelectedFile:function(){let e=this.$props.editor;e.hasOwnProperty("codemirror")&&(e=e.codemirror);let t=e.getDoc(),n=t.getCursor(),r=this.buildSelectedFileUrl(),a=this.getIconClass(this.selectedFile.location)==="far fa-file-image",o=r.split("/").pop();link="[{0}]({1})".format(o,r),a&&(link="!"+link),t.replaceRange(link,n)},downloadSelectedFile:function(){var e=this.buildSelectedFileUrl();window.open(e,"_blank")},getIconClass:function(e){var t={png:"far fa-file-image",jpg:"far fa-file-image",jpeg:"far fa-file-image",gif:"far fa-file-image",bmp:"far fa-file-image",svg:"far fa-file-image",txt:"far fa-file-alt",mov:"far fa-file-video",mp4:"far fa-file-video",wmv:"far fa-file-video",flv:"far fa-file-video",mkv:"far fa-file-video",avi:"far fa-file-video",pdf:"far fa-file-pdf",mp3:"far fa-file-sound",wav:"far fa-file-sound",aac:"far fa-file-sound",zip:"far fa-file-archive",gz:"far fa-file-archive",tar:"far fa-file-archive","7z":"far fa-file-archive",rar:"far fa-file-archive",py:"far fa-file-code",c:"far fa-file-code",cpp:"far fa-file-code",html:"far fa-file-code",js:"far fa-file-code",rb:"far fa-file-code",go:"far fa-file-code"},n=e.split(".").pop();return t[n]||"far fa-file"}},created(){return this.getPageFiles()}},sq={id:"media-modal",class:"modal fade",tabindex:"-1"},lq={class:"modal-dialog modal-xl"},uq={class:"modal-content"},cq=SS('<div class="modal-header"><div class="container"><div class="row"><div class="col-md-12"><h3 class="text-center">Media Library</h3></div></div></div><button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">\xD7</span></button></div>',1),dq={class:"modal-body"},fq={class:"modal-header"},pq={class:"container"},_q={class:"row mh-100"},mq={class:"col-md-6",id:"media-library-list"},gq=["onClick"],hq={class:"media-item-title pl-1"},Eq={class:"col-md-6",id:"media-library-details"},Sq=on("h4",{class:"text-center"},"Media Details",-1),bq={id:"media-item"},vq={class:"text-center",id:"media-icon"},Tq={key:0},yq={key:0},Cq=["src"],Aq={key:1},Oq=on("br",null,null,-1),Rq={key:0,class:"text-center",id:"media-filename"},Nq=["href"],Iq=on("br",null,null,-1),Dq={class:"form-group"},xq={key:0},wq=["value"],Lq={key:1},Mq=on("input",{class:"form-control",type:"text",id:"media-link",readonly:""},null,-1),kq={class:"form-group text-center"},Pq={class:"row"},Fq={class:"col-md-6"},Bq={class:"col-md-3"},Uq=on("i",{class:"fas fa-download"},null,-1),Gq=[Uq],Hq={class:"col-md-3"},qq=on("i",{class:"far fa-trash-alt"},null,-1),Yq=[qq],Wq=SS('<form id="media-library-upload" enctype="multipart/form-data"><div class="form-row pt-3"><div class="col"><div class="form-group"><label for="media-files">Upload Files</label><input type="file" name="file" id="media-files" class="form-control-file" multiple><sub class="help-block"> Attach multiple files using CTRL+Click or Cmd+Click. </sub></div></div><div class="col"><div class="form-group"><label>Upload File Location</label><input class="form-control" type="text" name="location" placeholder="Location"><sub class="help-block"> Route where file will be accessible (if not provided a random folder will be used). <br> Provide as <code>directory/filename.ext</code></sub></div></div></div><input type="hidden" value="page" name="type"></form>',1),Vq={class:"modal-footer"},zq={class:"float-right"};function Kq(e,t,n,r,a,o){return ki(),Ma("div",sq,[on("div",lq,[on("div",uq,[cq,on("div",dq,[on("div",fq,[on("div",pq,[on("div",_q,[on("div",mq,[(ki(!0),Ma(hr,null,mS(e.files,l=>(ki(),Ma("div",{class:"media-item-wrapper",key:l.id},[on("a",{href:"javascript:void(0)",onClick:u=>{o.selectFile(l)}},[on("i",{class:Va(o.getIconClass(l.location)),"aria-hidden":"true"},null,2),on("small",hq,Rd(l.location.split("/").pop()),1)],8,gq)]))),128))]),on("div",Eq,[Sq,on("div",bq,[on("div",vq,[this.selectedFile?(ki(),Ma("div",Tq,[o.getIconClass(this.selectedFile.location)==="far fa-file-image"?(ki(),Ma("div",yq,[on("img",{src:o.buildSelectedFileUrl(),style:{"max-width":"100%","max-height":"100%","object-fit":"contain"}},null,8,Cq)])):(ki(),Ma("div",Aq,[on("i",{class:Va(`${o.getIconClass(this.selectedFile.location)} fa-4x`),"aria-hidden":"true"},null,2)]))])):Ld("",!0)]),Oq,this.selectedFile?(ki(),Ma("div",Rq,[on("a",{href:o.buildSelectedFileUrl(),target:"_blank"},Rd(this.selectedFile.location.split("/").pop()),9,Nq)])):Ld("",!0),Iq,on("div",Dq,[this.selectedFile?(ki(),Ma("div",xq,[ql(" Link: "),on("input",{class:"form-control",type:"text",id:"media-link",value:o.buildSelectedFileUrl(),readonly:""},null,8,wq)])):(ki(),Ma("div",Lq,[ql(" Link: "),Mq]))]),on("div",kq,[on("div",Pq,[on("div",Fq,[on("button",{onClick:t[0]||(t[0]=(...l)=>o.insertSelectedFile&&o.insertSelectedFile(...l)),class:"btn btn-success w-100",id:"media-insert","data-toggle":"tooltip","data-placement":"top",title:"Insert link into editor"}," Insert ")]),on("div",Bq,[on("button",{onClick:t[1]||(t[1]=(...l)=>o.downloadSelectedFile&&o.downloadSelectedFile(...l)),class:"btn btn-primary w-100",id:"media-download","data-toggle":"tooltip","data-placement":"top",title:"Download file"},Gq)]),on("div",Hq,[on("button",{onClick:t[2]||(t[2]=(...l)=>o.deleteSelectedFile&&o.deleteSelectedFile(...l)),class:"btn btn-danger w-100",id:"media-delete","data-toggle":"tooltip","data-placement":"top",title:"Delete file"},Yq)])])])])])])])]),Wq]),on("div",Vq,[on("div",zq,[on("button",{onClick:t[3]||(t[3]=(...l)=>o.uploadChosenFiles&&o.uploadChosenFiles(...l)),type:"submit",class:"btn btn-primary media-upload-button"}," Upload ")])])])])])}const $q=iq(oq,[["render",Kq]]);function Qq(e){const t=ZH.extend($q);let n=document.createElement("div");document.querySelector("main").appendChild(n);let r=new t({propsData:{editor:e}}).$mount(n);At("#media-modal").on("hidden.bs.modal",function(a){r.$destroy(),At("#media-modal").remove()}),At("#media-modal").modal()}function jq(e){if(Object.hasOwn(e,"mde")===!1){let t=new iU({autoDownloadFontAwesome:!1,toolbar:["bold","italic","heading","|","quote","unordered-list","ordered-list","|","link","image",{name:"media",action:n=>{Qq(n)},className:"fas fa-file-upload",title:"Media Library"},"|","preview","guide"],element:e,initialValue:At(e).val(),forceSync:!0,minHeight:"200px",renderingConfig:{codeSyntaxHighlighting:!0,hljs:qd}});e.mde=t,e.codemirror=t.codemirror,At(e).on("change keyup paste",function(){t.codemirror.getDoc().setValue(At(e).val()),t.codemirror.refresh()})}}function Xq(){At("textarea.markdown").each(function(e,t){jq(t)})}function Zq(){At("th.sort-col").append(' <i class="fas fa-sort"></i>'),At("th.sort-col").click(function(){var n=At(this).parents("table").eq(0),r=n.find("tr:gt(0)").toArray().sort(e(At(this).index()));this.asc=!this.asc,this.asc||(r=r.reverse());for(var a=0;a<r.length;a++)n.append(r[a])});function e(n){return function(r,a){var o=t(r,n),l=t(a,n);return At.isNumeric(o)&&At.isNumeric(l)?o-l:o.toString().localeCompare(l)}}function t(n,r){return At(n).children("td").eq(r).text()}}const Jq=()=>{At(":input").each(function(){At(this).data("initial",At(this).val())}),At(function(){At("tr[data-href], td[data-href]").click(function(){var t=getSelection().toString();if(!t){var n=At(this).attr("data-href");n&&(window.location=n)}return!1}),At("[data-checkbox]").click(function(t){if(At(t.target).is("input[type=checkbox]")){t.stopImmediatePropagation();return}At(this).find("input[type=checkbox]").click(),t.stopImmediatePropagation()}),At("[data-checkbox-all]").on("click change",function(t){const n=At(this).prop("checked"),r=At(this).index()+1;At(this).closest("table").find(`tr td:nth-child(${r}) input[type=checkbox]`).prop("checked",n),t.stopImmediatePropagation()}),At("tr[data-href] a, tr[data-href] button").click(function(t){At(this).attr("data-dismiss")||t.stopPropagation()}),At(".page-select").change(function(){let t=new URL(window.location);t.searchParams.set("page",this.value),window.location.href=t.toString()}),At('a[data-toggle="tab"]').on("shown.bs.tab",function(t){sessionStorage.setItem("activeTab",At(t.target).attr("href"))});let e=sessionStorage.getItem("activeTab");if(e){let t=At(`.nav-tabs a[href="${e}"], .nav-pills a[href="${e}"]`);t.length?t.tab("show"):sessionStorage.removeItem("activeTab")}Xq(),Zq(),At('[data-toggle="tooltip"]').tooltip(),document.querySelectorAll("pre code").forEach(t=>{qd.highlightBlock(t)})})};oc.extend(lR);Ys.init(window.init);window.CTFd=Ys;window.Alpine=RB;window.helpers=EI;window.$=At;window.dayjs=oc;window.nunjucks=NB;window.Howl=FE.Howl;At(()=>{Jq(),wB(),xB(Ys.config.urlRoot)});export{$A as A,Xq as B,Ys as C,_h as D,KA as E,hr as F,ac as G,MA as H,Jr as I,oc as J,qd as K,lR as L,cF as M,Qq as N,JH as O,xD as P,dF as Q,eq as R,lI as T,ZH as V,iq as _,on as a,Ld as b,Ma as c,SS as d,N3 as e,En as f,lS as g,tN as h,RS as i,At as j,ql as k,b3 as l,Pd as m,NB as n,ki as o,S3 as p,zH as q,mS as r,Va as s,Rd as t,EI as u,uI as v,WH as w,uF as x,AS as y,jq as z};
diff --git a/CTFd/themes/admin/static/assets/pages/notifications.9890ee16.js b/CTFd/themes/admin/static/assets/pages/notifications.556c7cc2.js
similarity index 60%
rename from CTFd/themes/admin/static/assets/pages/notifications.9890ee16.js
rename to CTFd/themes/admin/static/assets/pages/notifications.556c7cc2.js
index ce81808735362ff2dea8f759710c3385e14ee73d..aa94c7cd93dae80afcd6cb87f2480a133002b7ea 100644
--- a/CTFd/themes/admin/static/assets/pages/notifications.9890ee16.js
+++ b/CTFd/themes/admin/static/assets/pages/notifications.556c7cc2.js
@@ -1 +1 @@
-import{_ as r,I as u,C as c,J as f,c as h,a as o,t as d,o as m,V as _,$ as n,B as p}from"./main.71d0edc5.js";const b={props:{id:Number,title:String,content:String,html:String,date:String},methods:{localDate:function(){return u(this.date).format("MMMM Do, h:mm:ss A")},deleteNotification:function(){confirm("\xCAtes-vous certain de vouloir supprimer this notification?")&&c.api.delete_notification({notificationId:this.id}).then(e=>{e.success&&(this.$destroy(),this.$el.parentNode.removeChild(this.$el))})}},mounted(){this.$el.querySelectorAll("pre code").forEach(e=>{f.highlightBlock(e)})}},v={class:"card bg-light mb-4"},g=["data-notif-id"],y=o("span",{"aria-hidden":"true"},"\xD7",-1),$=[y],k={class:"card-body"},N={class:"card-title"},S={class:"blockquote mb-0"},C=["innerHTML"],D={class:"text-muted"},M=["data-time"];function B(e,t,a,i,s,l){return m(),h("div",v,[o("button",{type:"button","data-notif-id":this.id,class:"delete-notification close position-absolute p-3",style:{right:"0"},"data-dismiss":"alert","aria-label":"Close",onClick:t[0]||(t[0]=V=>l.deleteNotification())},$,8,g),o("div",k,[o("h3",N,d(a.title),1),o("blockquote",S,[o("p",{innerHTML:this.html},null,8,C),o("small",D,[o("span",{"data-time":this.date},d(this.localDate()),9,M)])])])])}const x=r(b,[["render",B]]),E=_.extend(x);function I(e){e.preventDefault();const t=n(this),a=t.serializeJSON();t.find("button[type=submit]").attr("disabled",!0),c.api.post_notification_list({},a).then(i=>{t.find(":input[name=title]").val(""),t.find(":input[name=content]").val(""),setTimeout(function(){t.find("button[type=submit]").attr("disabled",!1)},1e3),i.success||p({title:"Erreur",body:"Impossible d'envoyer une notification. Veuillez r\xE9essayer.",button:"Ok"});let s=document.createElement("div");n("#notifications-list").prepend(s),new E({propsData:{id:i.data.id,title:i.data.title,content:i.data.content,html:i.data.html,date:i.data.date}}).$mount(s)})}function T(e){e.preventDefault();const t=n(this),a=t.data("notif-id");confirm("\xCAtes-vous certain de vouloir supprimer cette notification?")&&c.api.delete_notification({notificationId:a}).then(i=>{i.success&&t.parent().remove()})}n(()=>{n("#notifications_form").submit(I),n(".delete-notification").click(T)});
+import{_ as r,J as u,C as c,K as f,c as h,a as o,t as d,o as m,V as p,j as n,D as _}from"./main.8d24b34a.js";const b={props:{id:Number,title:String,content:String,html:String,date:String},methods:{localDate:function(){return u(this.date).format("MMMM Do, h:mm:ss A")},deleteNotification:function(){confirm("\xCAtes-vous certain de vouloir supprimer this notification?")&&c.api.delete_notification({notificationId:this.id}).then(e=>{e.success&&(this.$destroy(),this.$el.parentNode.removeChild(this.$el))})}},mounted(){this.$el.querySelectorAll("pre code").forEach(e=>{f.highlightBlock(e)})}},v={class:"card bg-light mb-4"},y=["data-notif-id"],g=o("span",{"aria-hidden":"true"},"\xD7",-1),$=[g],k={class:"card-body"},D={class:"card-title"},N={class:"blockquote mb-0"},S=["innerHTML"],C={class:"text-muted"},M=["data-time"];function x(e,t,a,i,s,l){return m(),h("div",v,[o("button",{type:"button","data-notif-id":this.id,class:"delete-notification close position-absolute p-3",style:{right:"0"},"data-dismiss":"alert","aria-label":"Close",onClick:t[0]||(t[0]=V=>l.deleteNotification())},$,8,y),o("div",k,[o("h3",D,d(a.title),1),o("blockquote",N,[o("p",{innerHTML:this.html},null,8,S),o("small",C,[o("span",{"data-time":this.date},d(this.localDate()),9,M)])])])])}const E=r(b,[["render",x]]),q=p.extend(E);function B(e){e.preventDefault();const t=n(this),a=t.serializeJSON();t.find("button[type=submit]").attr("disabled",!0),c.api.post_notification_list({},a).then(i=>{t.find(":input[name=title]").val(""),t.find(":input[name=content]").val(""),setTimeout(function(){t.find("button[type=submit]").attr("disabled",!1)},1e3),i.success||_({title:"Erreur",body:"Impossible d'envoyer une notification. Veuillez r\xE9essayer.",button:"Ok"});let s=document.createElement("div");n("#notifications-list").prepend(s),new q({propsData:{id:i.data.id,title:i.data.title,content:i.data.content,html:i.data.html,date:i.data.date}}).$mount(s)})}function T(e){e.preventDefault();const t=n(this),a=t.data("notif-id");confirm("\xCAtes-vous certain de vouloir supprimer cette notification?")&&c.api.delete_notification({notificationId:a}).then(i=>{i.success&&t.parent().remove()})}n(()=>{n("#notifications_form").submit(B),n(".delete-notification").click(T)});
diff --git a/CTFd/themes/admin/static/assets/pages/pages.b065c23f.js b/CTFd/themes/admin/static/assets/pages/pages.d8f98a83.js
similarity index 86%
rename from CTFd/themes/admin/static/assets/pages/pages.b065c23f.js
rename to CTFd/themes/admin/static/assets/pages/pages.d8f98a83.js
index ac298509fe1bed1bf63240f13bb927511c9b5482..9e4c7479f9a55030175b3cb26fbc670b020b96b9 100644
--- a/CTFd/themes/admin/static/assets/pages/pages.b065c23f.js
+++ b/CTFd/themes/admin/static/assets/pages/pages.d8f98a83.js
@@ -1 +1 @@
-import{$ as e,u as r,C as i}from"./main.71d0edc5.js";function n(p){let t=e("input[data-page-id]:checked").map(function(){return e(this).data("page-id")}),a=t.length===1?"page":"pages";r({title:"Supprimer Pages",body:`\xCAtes-vous certain de vouloir supprimer ${t.length} ${a}?`,success:function(){const s=[];for(var o of t)s.push(i.fetch(`/api/v1/pages/${o}`,{method:"DELETE"}));Promise.all(s).then(c=>{window.location.reload()})}})}e(()=>{e("#pages-delete-button").click(n)});
+import{j as e,x as r,C as i}from"./main.8d24b34a.js";function n(p){let t=e("input[data-page-id]:checked").map(function(){return e(this).data("page-id")}),a=t.length===1?"page":"pages";r({title:"Supprimer Pages",body:`\xCAtes-vous certain de vouloir supprimer ${t.length} ${a}?`,success:function(){const s=[];for(var o of t)s.push(i.fetch(`/api/v1/pages/${o}`,{method:"DELETE"}));Promise.all(s).then(c=>{window.location.reload()})}})}e(()=>{e("#pages-delete-button").click(n)});
diff --git a/CTFd/themes/admin/static/assets/pages/reset.07e67875.js b/CTFd/themes/admin/static/assets/pages/reset.64bd1adf.js
similarity index 53%
rename from CTFd/themes/admin/static/assets/pages/reset.07e67875.js
rename to CTFd/themes/admin/static/assets/pages/reset.64bd1adf.js
index 4f56d79c01696b84883f0a1446b3da0cb8e5d0eb..6ffa338e63fb5d6c5a2dc7ad6a03241d0ccbd99f 100644
--- a/CTFd/themes/admin/static/assets/pages/reset.07e67875.js
+++ b/CTFd/themes/admin/static/assets/pages/reset.64bd1adf.js
@@ -1 +1 @@
-import{$ as e,u as i}from"./main.71d0edc5.js";function s(t){t.preventDefault(),i({title:"R\xE9initialiser PolyScav?",body:"\xCAtes-vous s\xFBr de vouloir r\xE9initialiser votre \xE9v\xE8nement?",success:function(){e("#reset-ctf-form").off("submit").submit()}})}e(()=>{e("#reset-ctf-form").submit(s),e("#select-all").change(function(){const t=e(this).is(":checked");e("input[type='checkbox']").prop("checked",t)})});
+import{j as e,x as s}from"./main.8d24b34a.js";function i(t){t.preventDefault(),s({title:"R\xE9initialiser PolyScav?",body:"\xCAtes-vous s\xFBr de vouloir r\xE9initialiser votre \xE9v\xE8nement?",success:function(){e("#reset-ctf-form").off("submit").submit()}})}e(()=>{e("#reset-ctf-form").submit(i),e("#select-all").change(function(){const t=e(this).is(":checked");e("input[type='checkbox']").prop("checked",t)})});
diff --git a/CTFd/themes/admin/static/assets/pages/scoreboard.1273237b.js b/CTFd/themes/admin/static/assets/pages/scoreboard.1ba6b97f.js
similarity index 95%
rename from CTFd/themes/admin/static/assets/pages/scoreboard.1273237b.js
rename to CTFd/themes/admin/static/assets/pages/scoreboard.1ba6b97f.js
index 579fed19708778c54b4de799d7418e22b1c2fcc3..6aaef16da75f399524250016dea4d677da683c9a 100644
--- a/CTFd/themes/admin/static/assets/pages/scoreboard.1273237b.js
+++ b/CTFd/themes/admin/static/assets/pages/scoreboard.1ba6b97f.js
@@ -1,4 +1,4 @@
-import{$ as s,C as n,B as l}from"./main.71d0edc5.js";const d={users:(e,i)=>n.api.patch_user_public({userId:e},i),teams:(e,i)=>n.api.patch_team_public({teamId:e},i)};function u(){const e=s(this),i=e.data("account-id"),a=e.data("state");let t;a==="visible"?t=!0:a==="hidden"&&(t=!1);const o={hidden:t};d[n.config.userMode](i,o).then(c=>{c.success&&(t?(e.data("state","hidden"),e.addClass("btn-danger").removeClass("btn-success"),e.text("Hidden")):(e.data("state","visible"),e.addClass("btn-success").removeClass("btn-danger"),e.text("Visible")))})}function r(e,i){const a={hidden:i==="hidden"},t=[];for(let o of e.accounts)t.push(d[n.config.userMode](o,a));for(let o of e.users)t.push(d.users(o,a));Promise.all(t).then(o=>{window.location.reload()})}function b(e){let i=s(".tab-pane.active input[data-account-id]:checked").map(function(){return s(this).data("account-id")}),a=s(".tab-pane.active input[data-user-id]:checked").map(function(){return s(this).data("user-id")}),t={accounts:i,users:a};l({title:"Toggle Visibility",body:s(`
+import{j as s,C as n,D as l}from"./main.8d24b34a.js";const d={users:(e,i)=>n.api.patch_user_public({userId:e},i),teams:(e,i)=>n.api.patch_team_public({teamId:e},i)};function u(){const e=s(this),i=e.data("account-id"),a=e.data("state");let t;a==="visible"?t=!0:a==="hidden"&&(t=!1);const o={hidden:t};d[n.config.userMode](i,o).then(c=>{c.success&&(t?(e.data("state","hidden"),e.addClass("btn-danger").removeClass("btn-success"),e.text("Hidden")):(e.data("state","visible"),e.addClass("btn-success").removeClass("btn-danger"),e.text("Visible")))})}function r(e,i){const a={hidden:i==="hidden"},t=[];for(let o of e.accounts)t.push(d[n.config.userMode](o,a));for(let o of e.users)t.push(d.users(o,a));Promise.all(t).then(o=>{window.location.reload()})}function b(e){let i=s(".tab-pane.active input[data-account-id]:checked").map(function(){return s(this).data("account-id")}),a=s(".tab-pane.active input[data-user-id]:checked").map(function(){return s(this).data("user-id")}),t={accounts:i,users:a};l({title:"Toggle Visibility",body:s(`
     <form id="scoreboard-bulk-edit">
       <div class="form-group">
         <label>Visibility</label>
diff --git a/CTFd/themes/admin/static/assets/pages/statistics.7e5d4d77.js b/CTFd/themes/admin/static/assets/pages/statistics.d3acff9b.js
similarity index 97%
rename from CTFd/themes/admin/static/assets/pages/statistics.7e5d4d77.js
rename to CTFd/themes/admin/static/assets/pages/statistics.d3acff9b.js
index 1792e07582d02c6276172642a0590b504218ac75..d5bef2e22fd0e144be3a452c0f53179ca90a6b58 100644
--- a/CTFd/themes/admin/static/assets/pages/statistics.7e5d4d77.js
+++ b/CTFd/themes/admin/static/assets/pages/statistics.d3acff9b.js
@@ -1 +1 @@
-import{$ as c,C as i,N as h}from"./main.71d0edc5.js";import{e as p}from"../echarts.common.a0aaa3a0.js";const u={"#solves-graph":{data:()=>i.api.get_challenge_solve_statistics(),format:o=>{const t=o.data,r=[],a=[],s={};for(let n=0;n<t.length;n++)s[t[n].id]={name:t[n].name,solves:t[n].solves};const e=Object.keys(s).sort(function(n,l){return s[l].solves-s[n].solves});return c.each(e,function(n,l){r.push(s[l].name),a.push(s[l].solves)}),{title:{left:"center",text:"Solve Counts"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{mark:{show:!0},dataView:{show:!0,readOnly:!1},magicType:{show:!0,type:["line","bar"]},restore:{show:!0},saveAsImage:{show:!0}}},xAxis:{name:"Solve Count",nameLocation:"middle",type:"value"},yAxis:{name:"Challenge Name",nameLocation:"middle",nameGap:60,type:"category",data:r,axisLabel:{interval:0,rotate:0}},dataZoom:[{show:!1,start:0,end:100},{type:"inside",yAxisIndex:0,show:!0,width:20},{fillerColor:"rgba(233, 236, 241, 0.4)",show:!0,yAxisIndex:0,width:20}],series:[{itemStyle:{normal:{color:"#1f76b4"}},data:a,type:"bar"}]}}},"#keys-pie-graph":{data:()=>i.api.get_submission_property_counts({column:"type"}),format:o=>{const t=o.data,r=t.correct,a=t.incorrect;return{title:{left:"center",text:"Pourcentage de soumission"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{dataView:{show:!0,readOnly:!1},saveAsImage:{}}},legend:{orient:"vertical",top:"middle",right:0,data:["Fails","Solves"]},series:[{name:"Pourcentage de soumission",type:"pie",radius:["30%","50%"],avoidLabelOverlap:!1,label:{show:!1,position:"center"},itemStyle:{normal:{label:{show:!0,formatter:function(e){return`${e.name} - ${e.value} (${e.percent}%)`}},labelLine:{show:!0}},emphasis:{label:{show:!0,position:"center",textStyle:{fontSize:"14",fontWeight:"normal"}}}},emphasis:{label:{show:!0,fontSize:"30",fontWeight:"bold"}},labelLine:{show:!1},data:[{value:a,name:"Fails",itemStyle:{color:"rgb(207, 38, 0)"}},{value:r,name:"Solves",itemStyle:{color:"rgb(0, 209, 64)"}}]}]}}},"#categories-pie-graph":{data:()=>i.api.get_challenge_property_counts({column:"category"}),format:o=>{const t=o.data,r=[],a=[];for(let e in t)Object.hasOwn(t,e)&&(r.push(e),a.push(t[e]));for(let e=0;e<t.length;e++)r.push(t[e].category),a.push(t[e].count);let s={title:{left:"center",text:"R\xE9partition des cat\xE9gories"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{dataView:{show:!0,readOnly:!1},saveAsImage:{}}},legend:{type:"scroll",orient:"vertical",top:"middle",right:10,data:[]},series:[{name:"R\xE9partition des cat\xE9gories",type:"pie",radius:["30%","50%"],label:{show:!1,position:"center"},itemStyle:{normal:{label:{show:!0,formatter:function(e){return`${e.percent}% (${e.value})`}},labelLine:{show:!0}},emphasis:{label:{show:!0,position:"center",textStyle:{fontSize:"14",fontWeight:"normal"}}}},emphasis:{label:{show:!0,fontSize:"30",fontWeight:"bold"}},data:[]}]};return r.forEach((e,d)=>{s.legend.data.push(e),s.series[0].data.push({value:a[d],name:e,itemStyle:{color:h(e)}})}),s}},"#solve-percentages-graph":{layout:o=>({title:"Pourcentage de r\xE9solution par d\xE9fi",xaxis:{title:"Nom du d\xE9fi"},yaxis:{title:`Pourcentage de ${i.config.userMode.charAt(0).toUpperCase()+i.config.userMode.slice(1)} (%)`,range:[0,100]},annotations:o}),data:()=>i.api.get_challenge_solve_percentages(),format:o=>{const t=o.data,r=[],a=[];for(let e in t)r.push(t[e].name),a.push(t[e].percentage*100),t[e].name,t[e].percentage*100,Math.round(t[e].percentage*100)+"";return{title:{left:"center",text:"Pourcentage de r\xE9solution par d\xE9fi"},tooltip:{trigger:"item",formatter:function(e){return`${e.name} - ${(Math.round(e.value*10)/10).toFixed(1)}%`}},toolbox:{show:!0,feature:{mark:{show:!0},dataView:{show:!0,readOnly:!1},magicType:{show:!0,type:["line","bar"]},restore:{show:!0},saveAsImage:{show:!0}}},xAxis:{name:"Nom du d\xE9fi",nameGap:40,nameLocation:"middle",type:"category",data:r,axisLabel:{interval:0,rotate:50}},yAxis:{name:`"Pourcentage de ${i.config.userMode.charAt(0).toUpperCase()+i.config.userMode.slice(1)} (%)`,nameGap:50,nameLocation:"middle",type:"value",min:0,max:100},dataZoom:[{show:!1,start:0,end:100},{type:"inside",show:!0,start:0,end:100},{fillerColor:"rgba(233, 236, 241, 0.4)",show:!0,right:60,yAxisIndex:0,width:20},{type:"slider",fillerColor:"rgba(233, 236, 241, 0.4)",top:35,height:20,show:!0,start:0,end:100}],series:[{itemStyle:{normal:{color:"#1f76b4"}},data:a,type:"bar"}]}}},"#score-distribution-graph":{layout:o=>({title:"Distribution de score",xaxis:{title:"Cat\xE9gorie de score",showticklabels:!0,type:"category"},yaxis:{title:`Number of ${i.config.userMode.charAt(0).toUpperCase()+i.config.userMode.slice(1)}`},annotations:o}),data:()=>i.fetch("/api/v1/statistics/scores/distribution").then(function(o){return o.json()}),format:o=>{const t=o.data.brackets,r=[],a=[],s=[];for(let n in t)r.push(parseInt(n));r.sort((n,l)=>n-l);let e="<0";return r.map(n=>{a.push(`${e} - ${n}`),s.push(t[n]),e=n}),{title:{left:"center",text:"Distribution de score"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{mark:{show:!0},dataView:{show:!0,readOnly:!1},magicType:{show:!0,type:["line","bar"]},restore:{show:!0},saveAsImage:{show:!0}}},xAxis:{name:"Cat\xE9gorie de score",nameGap:40,nameLocation:"middle",type:"category",data:a},yAxis:{name:`Nombre de ${i.config.userMode.charAt(0).toUpperCase()+i.config.userMode.slice(1)}`,nameGap:50,nameLocation:"middle",type:"value"},dataZoom:[{show:!1,start:0,end:100},{type:"inside",show:!0,start:0,end:100},{fillerColor:"rgba(233, 236, 241, 0.4)",show:!0,right:60,yAxisIndex:0,width:20},{type:"slider",fillerColor:"rgba(233, 236, 241, 0.4)",top:35,height:20,show:!0,start:0,end:100}],series:[{itemStyle:{normal:{color:"#1f76b4"}},data:s,type:"bar"}]}}}},m=()=>{for(let o in u){const t=u[o];c(o).empty();let a=p.init(document.querySelector(o));t.data().then(t.format).then(s=>{a.setOption(s),c(window).on("resize",function(){a!=null&&a!=null&&a.resize()})})}};function f(){for(let o in u){const t=u[o];let r=p.init(document.querySelector(o));t.data().then(t.format).then(a=>{r.setOption(a)})}}c(()=>{m(),setInterval(f,3e5)});
+import{j as c,C as i,O as h}from"./main.8d24b34a.js";import{e as p}from"../echarts.common.5eba8a0a.js";const u={"#solves-graph":{data:()=>i.api.get_challenge_solve_statistics(),format:o=>{const t=o.data,r=[],a=[],s={};for(let n=0;n<t.length;n++)s[t[n].id]={name:t[n].name,solves:t[n].solves};const e=Object.keys(s).sort(function(n,l){return s[l].solves-s[n].solves});return c.each(e,function(n,l){r.push(s[l].name),a.push(s[l].solves)}),{title:{left:"center",text:"Solve Counts"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{mark:{show:!0},dataView:{show:!0,readOnly:!1},magicType:{show:!0,type:["line","bar"]},restore:{show:!0},saveAsImage:{show:!0}}},xAxis:{name:"Solve Count",nameLocation:"middle",type:"value"},yAxis:{name:"Challenge Name",nameLocation:"middle",nameGap:60,type:"category",data:r,axisLabel:{interval:0,rotate:0}},dataZoom:[{show:!1,start:0,end:100},{type:"inside",yAxisIndex:0,show:!0,width:20},{fillerColor:"rgba(233, 236, 241, 0.4)",show:!0,yAxisIndex:0,width:20}],series:[{itemStyle:{normal:{color:"#1f76b4"}},data:a,type:"bar"}]}}},"#keys-pie-graph":{data:()=>i.api.get_submission_property_counts({column:"type"}),format:o=>{const t=o.data,r=t.correct,a=t.incorrect;return{title:{left:"center",text:"Pourcentage de soumission"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{dataView:{show:!0,readOnly:!1},saveAsImage:{}}},legend:{orient:"vertical",top:"middle",right:0,data:["Fails","Solves"]},series:[{name:"Pourcentage de soumission",type:"pie",radius:["30%","50%"],avoidLabelOverlap:!1,label:{show:!1,position:"center"},itemStyle:{normal:{label:{show:!0,formatter:function(e){return`${e.name} - ${e.value} (${e.percent}%)`}},labelLine:{show:!0}},emphasis:{label:{show:!0,position:"center",textStyle:{fontSize:"14",fontWeight:"normal"}}}},emphasis:{label:{show:!0,fontSize:"30",fontWeight:"bold"}},labelLine:{show:!1},data:[{value:a,name:"Fails",itemStyle:{color:"rgb(207, 38, 0)"}},{value:r,name:"Solves",itemStyle:{color:"rgb(0, 209, 64)"}}]}]}}},"#categories-pie-graph":{data:()=>i.api.get_challenge_property_counts({column:"category"}),format:o=>{const t=o.data,r=[],a=[];for(let e in t)Object.hasOwn(t,e)&&(r.push(e),a.push(t[e]));for(let e=0;e<t.length;e++)r.push(t[e].category),a.push(t[e].count);let s={title:{left:"center",text:"R\xE9partition des cat\xE9gories"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{dataView:{show:!0,readOnly:!1},saveAsImage:{}}},legend:{type:"scroll",orient:"vertical",top:"middle",right:10,data:[]},series:[{name:"R\xE9partition des cat\xE9gories",type:"pie",radius:["30%","50%"],label:{show:!1,position:"center"},itemStyle:{normal:{label:{show:!0,formatter:function(e){return`${e.percent}% (${e.value})`}},labelLine:{show:!0}},emphasis:{label:{show:!0,position:"center",textStyle:{fontSize:"14",fontWeight:"normal"}}}},emphasis:{label:{show:!0,fontSize:"30",fontWeight:"bold"}},data:[]}]};return r.forEach((e,d)=>{s.legend.data.push(e),s.series[0].data.push({value:a[d],name:e,itemStyle:{color:h(e)}})}),s}},"#solve-percentages-graph":{layout:o=>({title:"Pourcentage de r\xE9solution par d\xE9fi",xaxis:{title:"Nom du d\xE9fi"},yaxis:{title:`Pourcentage de ${i.config.userMode.charAt(0).toUpperCase()+i.config.userMode.slice(1)} (%)`,range:[0,100]},annotations:o}),data:()=>i.api.get_challenge_solve_percentages(),format:o=>{const t=o.data,r=[],a=[];for(let e in t)r.push(t[e].name),a.push(t[e].percentage*100),t[e].name,t[e].percentage*100,Math.round(t[e].percentage*100)+"";return{title:{left:"center",text:"Pourcentage de r\xE9solution par d\xE9fi"},tooltip:{trigger:"item",formatter:function(e){return`${e.name} - ${(Math.round(e.value*10)/10).toFixed(1)}%`}},toolbox:{show:!0,feature:{mark:{show:!0},dataView:{show:!0,readOnly:!1},magicType:{show:!0,type:["line","bar"]},restore:{show:!0},saveAsImage:{show:!0}}},xAxis:{name:"Nom du d\xE9fi",nameGap:40,nameLocation:"middle",type:"category",data:r,axisLabel:{interval:0,rotate:50}},yAxis:{name:`"Pourcentage de ${i.config.userMode.charAt(0).toUpperCase()+i.config.userMode.slice(1)} (%)`,nameGap:50,nameLocation:"middle",type:"value",min:0,max:100},dataZoom:[{show:!1,start:0,end:100},{type:"inside",show:!0,start:0,end:100},{fillerColor:"rgba(233, 236, 241, 0.4)",show:!0,right:60,yAxisIndex:0,width:20},{type:"slider",fillerColor:"rgba(233, 236, 241, 0.4)",top:35,height:20,show:!0,start:0,end:100}],series:[{itemStyle:{normal:{color:"#1f76b4"}},data:a,type:"bar"}]}}},"#score-distribution-graph":{layout:o=>({title:"Distribution de score",xaxis:{title:"Cat\xE9gorie de score",showticklabels:!0,type:"category"},yaxis:{title:`Number of ${i.config.userMode.charAt(0).toUpperCase()+i.config.userMode.slice(1)}`},annotations:o}),data:()=>i.fetch("/api/v1/statistics/scores/distribution").then(function(o){return o.json()}),format:o=>{const t=o.data.brackets,r=[],a=[],s=[];for(let n in t)r.push(parseInt(n));r.sort((n,l)=>n-l);let e="<0";return r.map(n=>{a.push(`${e} - ${n}`),s.push(t[n]),e=n}),{title:{left:"center",text:"Distribution de score"},tooltip:{trigger:"item"},toolbox:{show:!0,feature:{mark:{show:!0},dataView:{show:!0,readOnly:!1},magicType:{show:!0,type:["line","bar"]},restore:{show:!0},saveAsImage:{show:!0}}},xAxis:{name:"Cat\xE9gorie de score",nameGap:40,nameLocation:"middle",type:"category",data:a},yAxis:{name:`Nombre de ${i.config.userMode.charAt(0).toUpperCase()+i.config.userMode.slice(1)}`,nameGap:50,nameLocation:"middle",type:"value"},dataZoom:[{show:!1,start:0,end:100},{type:"inside",show:!0,start:0,end:100},{fillerColor:"rgba(233, 236, 241, 0.4)",show:!0,right:60,yAxisIndex:0,width:20},{type:"slider",fillerColor:"rgba(233, 236, 241, 0.4)",top:35,height:20,show:!0,start:0,end:100}],series:[{itemStyle:{normal:{color:"#1f76b4"}},data:s,type:"bar"}]}}}},m=()=>{for(let o in u){const t=u[o];c(o).empty();let a=p.init(document.querySelector(o));t.data().then(t.format).then(s=>{a.setOption(s),c(window).on("resize",function(){a!=null&&a!=null&&a.resize()})})}};function f(){for(let o in u){const t=u[o];let r=p.init(document.querySelector(o));t.data().then(t.format).then(a=>{r.setOption(a)})}}c(()=>{m(),setInterval(f,3e5)});
diff --git a/CTFd/themes/admin/static/assets/pages/submissions.2a80c1be.js b/CTFd/themes/admin/static/assets/pages/submissions.bbd6ed9e.js
similarity index 57%
rename from CTFd/themes/admin/static/assets/pages/submissions.2a80c1be.js
rename to CTFd/themes/admin/static/assets/pages/submissions.bbd6ed9e.js
index dfd27c38706fb1e9ec968f81d98d1747e9c96946..82d8c034a5eff34f3d7a7dd25ae14409dedf4e09 100644
--- a/CTFd/themes/admin/static/assets/pages/submissions.2a80c1be.js
+++ b/CTFd/themes/admin/static/assets/pages/submissions.bbd6ed9e.js
@@ -1 +1,6 @@
-import{$ as e,u as c,z as u,C as l,B as p}from"./main.71d0edc5.js";import{s as f}from"../visual.0867334a.js";window.carouselPosition=0;window.carouselMax=0;function h(i){const t=e(this).data("submission-id"),o=e(this).parent().parent(),s=o.find(".chal").text().trim(),n=o.find(".team").text().trim(),a=e(this).parent().parent();c({title:"Supprimer soumission",body:"\xCAtes-vous certain de vouloir supprimer la soumission de l'\xE9quipe {0} pour le d\xE9fi {1}".format("<strong>"+u(n)+"</strong>","<strong>"+u(s)+"</strong>"),success:function(){alert({submissionId:t}),l.api.delete_submission({submissionId:t}).then(function(r){r.success&&a.remove()})}})}function g(i){let t=e("input[data-submission-id]:checked").map(function(){return e(this).data("submission-id")}),o=t.length===1?"submission":"submissions";c({title:"Supprimer une soumission",body:`\xCAtes-vous certain de vouloir supprimer ${t.length} ${o}?`,success:function(){const s=[];for(var n of t)s.push(l.api.delete_submission({submissionId:n}));Promise.all(s).then(a=>{window.location.reload()})}})}function b(i){let t=e("input[data-submission-id]:checked").map(function(){return e(this).data("submission-id")}).get(),o=t.length===1?"submission":"submissions",s=[];c({title:"Valider une soumission",body:`\xCAtes-vous s\xFBr de vouloir marquer ${t.length} ${o} correct?`,success:function(){const n=t.map(a=>l.fetch(`/api/v1/submissions/${a}`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json"}}).then(r=>r.json()).then(r=>{r.data.provided!=="M\xE9dia en traitement"?s.push(a):p({title:"Erreur",body:`Soumission ID ${a} ne peut \xEAtre marqu\xE9e comme correcte car le media est encore en traitement.`,button:"OK"})}));Promise.all(n).then(()=>{if(s.length>0){const a=s.map(r=>l.fetch(`/api/v1/submissions/${r}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({type:"correct"})}));Promise.all(a).then(()=>{window.location.reload()})}})}})}function m(i){const t=new URLSearchParams(window.location.search);t.has("full")?t.delete("full"):t.set("full","true"),window.location.href=`${window.location.pathname}?${t.toString()}`}function w(i){let t=e(i.currentTarget),o=t.find("i"),s=t.parent().find("pre");s.hasClass("full-flag")?(s.text(s.attr("title").substring(0,42)+"..."),s.removeClass("full-flag"),o.addClass("fa-eye"),o.removeClass("fa-eye-slash")):(s.text(s.attr("title")),s.addClass("full-flag"),o.addClass("fa-eye-slash"),o.removeClass("fa-eye"))}function v(i){let s=e(i.currentTarget).parent().find("pre").attr("title");navigator.clipboard.writeText(s),e(i.currentTarget).tooltip({title:"Copi\xE9!",trigger:"manual"}),e(i.currentTarget).tooltip("show"),setTimeout(function(){e(i.currentTarget).tooltip("hide")},1500)}function y(i){const o=e(i.target).closest("[data-submission-id]").data("submission-id");if(!o){alert("Submission ID is not defined.");return}const s=e(i.target).text(),n=prompt("Enter the new value for the submission:",s);n!==null&&n.trim()!==""?l.fetch(`/api/v1/submissions/${o}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({value:n.trim()})}).then(window.location.reload()):alert("Invalid input. Update canceled.")}e(()=>{e("#show-full-flags-button").click(m),e("#show-short-flags-button").click(m),e(".show-flag").click(w),e(".copy-flag").click(v),e("#correct-flags-button").click(b),e(".delete-correct-submission").click(h),e("#submission-delete-button").click(g),e(".submission-value").click(y)});let d=document.getElementsByClassName("imageContainer");for(let i=0;i<d.length;i++)f(d[i]);
+import{j as e,x as c,A as m,C as l,D as u}from"./main.8d24b34a.js";import{s as f}from"../visual.17795e29.js";window.carouselPosition=0;window.carouselMax=0;function g(i){const t=e(this).data("submission-id"),o=e(this).parent().parent(),s=o.find(".chal").text().trim(),n=o.find(".team").text().trim(),a=e(this).parent().parent();c({title:"Supprimer soumission",body:"\xCAtes-vous certain de vouloir supprimer la soumission de l'\xE9quipe {0} pour le d\xE9fi {1}".format("<strong>"+m(n)+"</strong>","<strong>"+m(s)+"</strong>"),success:function(){alert({submissionId:t}),l.api.delete_submission({submissionId:t}).then(function(r){r.success&&a.remove()})}})}function h(i){let t=e("input[data-submission-id]:checked").map(function(){return e(this).data("submission-id")}),o=t.length===1?"submission":"submissions";c({title:"Supprimer une soumission",body:`\xCAtes-vous certain de vouloir supprimer ${t.length} ${o}?`,success:function(){const s=[];for(var n of t)s.push(l.api.delete_submission({submissionId:n}));Promise.all(s).then(a=>{window.location.reload()})}})}function b(i){let t=e("input[data-submission-id]:checked").map(function(){return e(this).data("submission-id")}).get(),o=t.length===1?"submission":"submissions",s=[];c({title:"Valider une soumission",body:`\xCAtes-vous s\xFBr de vouloir marquer ${t.length} ${o} correct?`,success:function(){const n=t.map(a=>l.fetch(`/api/v1/submissions/${a}`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json"}}).then(r=>r.json()).then(r=>{r.data.provided!=="M\xE9dia en traitement"?s.push(a):u({title:"Erreur",body:`Soumission ID ${a} ne peut \xEAtre marqu\xE9e comme correcte car le media est encore en traitement.`,button:"OK"})}));Promise.all(n).then(()=>{if(s.length>0){const a=s.map(r=>l.fetch(`/api/v1/submissions/${r}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({type:"correct"})}));Promise.all(a).then(()=>{window.location.reload()})}})}})}function d(i){const t=new URLSearchParams(window.location.search);t.has("full")?t.delete("full"):t.set("full","true"),window.location.href=`${window.location.pathname}?${t.toString()}`}function v(i){let t=e(i.currentTarget),o=t.find("i"),s=t.parent().find("pre");s.hasClass("full-flag")?(s.text(s.attr("title").substring(0,42)+"..."),s.removeClass("full-flag"),o.addClass("fa-eye"),o.removeClass("fa-eye-slash")):(s.text(s.attr("title")),s.addClass("full-flag"),o.addClass("fa-eye-slash"),o.removeClass("fa-eye"))}function w(i){let s=e(i.currentTarget).parent().find("pre").attr("title");navigator.clipboard.writeText(s),e(i.currentTarget).tooltip({title:"Copi\xE9!",trigger:"manual"}),e(i.currentTarget).tooltip("show"),setTimeout(function(){e(i.currentTarget).tooltip("hide")},1500)}function y(i){const o=e(i.target).closest("[data-submission-id]").data("submission-id");if(!o){u({title:"Erreur",body:"L'ID de soumission n'est pas d\xE9fini.",button:"OK"});return}const s=e(i.target).text().trim();u({title:"Modifier la valeur",body:`
+      <div class="mb-3">
+        <label>Entrez la nouvelle valeur pour la soumission:</label>
+        <input type="text" class="form-control" id="new-submission-value" value="${s}">
+      </div>
+    `,button:"OK",success:function(){const n=e("#new-submission-value").val();n!==null&&n.trim()!==""?l.fetch(`/api/v1/submissions/${o}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({value:n.trim()})}).then(()=>window.location.reload()):u({title:"Erreur",body:"Saisie invalide. Mise \xE0 jour annul\xE9e.",button:"OK"})}})}e(()=>{e("#show-full-flags-button").click(d),e("#show-short-flags-button").click(d),e(".show-flag").click(v),e(".copy-flag").click(w),e("#correct-flags-button").click(b),e(".delete-correct-submission").click(g),e("#submission-delete-button").click(h),e(".submission-value").click(y)});let p=document.getElementsByClassName("imageContainer");for(let i=0;i<p.length;i++)f(p[i]);
diff --git a/CTFd/themes/admin/static/assets/pages/team.ef99a2c2.js b/CTFd/themes/admin/static/assets/pages/team.f397c93e.js
similarity index 92%
rename from CTFd/themes/admin/static/assets/pages/team.ef99a2c2.js
rename to CTFd/themes/admin/static/assets/pages/team.f397c93e.js
index d86bfaa36c5b0bd5d6461c8b6a61542a5a214d16..16d88071a7c8854c9be00728bf00821400cb306b 100644
--- a/CTFd/themes/admin/static/assets/pages/team.ef99a2c2.js
+++ b/CTFd/themes/admin/static/assets/pages/team.f397c93e.js
@@ -1,6 +1,6 @@
-import{_ as P,C as d,z as _,u as b,c as v,a as p,h as x,l as J,m as E,F as j,r as N,b as D,o as g,j as R,t as $,q as U,$ as e,P as T,Q as z,V as q,B as F}from"./main.71d0edc5.js";import{c as A,u as S}from"../graphs.253aebe5.js";import{C as B}from"../CommentBox.f5ce8d13.js";import{s as V}from"../visual.0867334a.js";import"../echarts.common.a0aaa3a0.js";const L={name:"UserAddForm",props:{team_id:Number},data:function(){return{searchedName:"",awaitingSearch:!1,emptyResults:!1,userResults:[],selectedResultIdx:0,selectedUsers:[]}},methods:{searchUsers:function(){if(this.selectedResultIdx=0,this.searchedName==""){this.userResults=[];return}d.fetch(`/api/v1/users?view=admin&field=name&q=${this.searchedName}`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(t=>t.json()).then(t=>{t.success&&(this.userResults=t.data.slice(0,10))})},moveCursor:function(t){switch(t){case"up":this.selectedResultIdx&&(this.selectedResultIdx-=1);break;case"down":this.selectedResultIdx<this.userResults.length-1&&(this.selectedResultIdx+=1);break}},selectUser:function(t){t===void 0&&(t=this.selectedResultIdx);let s=this.userResults[t];this.selectedUsers.some(n=>n.id===s.id)===!1&&this.selectedUsers.push(s),this.userResults=[],this.searchedName=""},removeSelectedUser:function(t){this.selectedUsers=this.selectedUsers.filter(s=>s.id!==t)},handleAddUsersRequest:function(){let t=[];return this.selectedUsers.forEach(s=>{let i={user_id:s.id};t.push(d.fetch(`/api/v1/teams/${this.$props.team_id}/members`,{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(i)}))}),Promise.all(t)},handleRemoveUsersFromTeams:function(){let t=[];return this.selectedUsers.forEach(s=>{let i={user_id:s.id};t.push(d.fetch(`/api/v1/teams/${s.team_id}/members`,{method:"DELETE",body:JSON.stringify(i)}))}),Promise.all(t)},addUsers:function(){let t=[];if(this.selectedUsers.forEach(s=>{s.team_id&&t.push(s.name)}),t.length){let s=_(t.join(", "));b({title:"Confirm Team Removal",body:`Les utilisateurs suivants sont actuellement dans une \xE9quipe:<br><br> ${s} <br><br>\xCAtes vous sur de vouloir les retirer de leur \xE9quipe et de les ajouter \xE0 celle-ci? <br><br>Tous leurs d\xE9fis r\xE9solus, tentatives, r\xE9compenses et indices vont \xEAtre supprim\xE9s!`,success:()=>{this.handleRemoveUsersFromTeams().then(i=>{this.handleAddUsersRequest().then(n=>{window.location.reload()})})}})}else this.handleAddUsersRequest().then(s=>{window.location.reload()})}},watch:{searchedName:function(t){this.awaitingSearch===!1&&setTimeout(()=>{this.searchUsers(),this.awaitingSearch=!1},1e3),this.awaitingSearch=!0}}},G={class:"form-group"},H=p("label",null,"Search Users",-1),K={class:"form-group"},Q=["onClick"],Y={class:"form-group"},W={key:0,class:"text-center"},X=p("span",{class:"text-muted"}," No users found ",-1),Z=[X],ee={class:"list-group"},te=["onClick"],se={class:"form-group"};function ie(t,s,i,n,l,r){return g(),v("div",null,[p("div",G,[H,x(p("input",{type:"text",class:"form-control",placeholder:"Search for users","onUpdate:modelValue":s[0]||(s[0]=a=>t.searchedName=a),onKeyup:[s[1]||(s[1]=E(a=>r.moveCursor("down"),["down"])),s[2]||(s[2]=E(a=>r.moveCursor("up"),["up"])),s[3]||(s[3]=E(a=>r.selectUser(),["enter"]))]},null,544),[[J,t.searchedName]])]),p("div",K,[(g(!0),v(j,null,N(t.selectedUsers,a=>(g(),v("span",{class:"badge badge-primary mr-1",key:a.id},[R($(a.name)+" ",1),p("a",{class:"btn-fa",onClick:c=>r.removeSelectedUser(a.id)}," \xD7",8,Q)]))),128))]),p("div",Y,[t.userResults.length==0&&this.searchedName!=""&&t.awaitingSearch==!1?(g(),v("div",W,Z)):D("",!0),p("ul",ee,[(g(!0),v(j,null,N(t.userResults,(a,c)=>(g(),v("li",{class:U({"list-group-item":!0,active:c===t.selectedResultIdx}),key:a.id,onClick:w=>r.selectUser(c)},[R($(a.name)+" ",1),a.team_id?(g(),v("small",{key:0,class:U({"float-right":!0,"text-white":c===t.selectedResultIdx,"text-muted":c!==t.selectedResultIdx})}," already in a team ",2)):D("",!0)],10,te))),128))])]),p("div",se,[p("button",{class:"btn btn-success d-inline-block float-right",onClick:s[4]||(s[4]=a=>r.addUsers())}," Add Users ")])])}const ne=P(L,[["render",ie]]);window.CTFd=d;function ae(t){t.preventDefault();const s=e("#team-info-create-form").serializeJSON(!0);s.fields=[];for(const i in s)if(i.match(/fields\[\d+\]/)){let n={},l=parseInt(i.slice(7,-1));n.field_id=l,n.value=s[i],s.fields.push(n),delete s[i]}d.fetch("/api/v1/teams",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(i){return i.json()}).then(function(i){console.log(i),i.success?(i.data.id,window.location=d.config.urlRoot+"/admin/teams"):(e("#team-info-create-form > #results").empty(),Object.keys(i.errors).forEach(function(n,l){e("#team-info-create-form > #results").append(T({type:"error",body:i.errors[n]}));const r=e("#team-info-create-form").find("input[name={0}]".format(n)),a=e(r);a.addClass("input-filled-invalid"),a.removeClass("input-filled-valid")}))})}function oe(t){t.preventDefault();let s=e("#team-info-edit-form").serializeJSON(!0);s.fields=[];for(const i in s)if(i.match(/fields\[\d+\]/)){let n={},l=parseInt(i.slice(7,-1));n.field_id=l,n.value=s[i],s.fields.push(n),delete s[i]}d.fetch("/api/v1/teams/"+window.TEAM_ID,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(i){return i.json()}).then(function(i){i.success?window.location.reload():(e("#team-info-form > #results").empty(),Object.keys(i.errors).forEach(function(n,l){e("#team-info-form > #results").append(T({type:"error",body:i.errors[n]}));const r=e("#team-info-form").find("input[name={0}]".format(n)),a=e(r);a.addClass("input-filled-invalid"),a.removeClass("input-filled-valid")}))})}function M(t){let i=e("input[data-submission-type=incorrect]:checked").map(function(){return e(this).data("submission-id")}),n=i.length===1?"submission":"submissions";b({title:"Valider une soumission",body:`\xCAtes vous sur de vouloir marquer ${i.length} ${n} correct?`,success:function(){const l=[];for(var r of i){let a=d.fetch(`/api/v1/submissions/${r}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({type:"correct"})});l.push(a)}Promise.all(l).then(a=>{window.location.reload()})}})}function I(t,s){let i,n,l;switch(s){case"solves":i=e("input[data-submission-type=correct]:checked"),n="solve",l="Solves";break;case"fails":i=e("input[data-submission-type=incorrect]:checked"),n="fail",l="Fails";break}let r=i.map(function(){return e(this).data("submission-id")}),a=r.length===1?n:n+"s";b({title:`Supprimer ${l}`,body:`\xCAtes-vous certain de vouloir supprimer ${r.length} ${a}? (Si le d\xE9fi a d\xE9j\xE0 \xE9t\xE9 approuv\xE9, veuillez \xE9galement le supprimer dans les onglets de soumissions.)`,success:function(){const c=[];for(var w of r)c.push(d.api.delete_submission({submissionId:w}));Promise.all(c).then(C=>{window.location.reload()})}})}function re(t){let s=e("input[data-award-id]:checked").map(function(){return e(this).data("award-id")}),i=s.length===1?"award":"awards";b({title:"Supprimer Awards",body:`\xCAtes-vous certain de vouloir supprimer ${s.length} ${i}?`,success:function(){const n=[];for(var l of s){let r=d.fetch("/api/v1/awards/"+l,{method:"DELETE",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}});n.push(r)}Promise.all(n).then(r=>{window.location.reload()})}})}function le(t){t.preventDefault();let s=e("input[data-missing-challenge-id]:checked").map(function(){return e(this).data("missing-challenge-id")}),i=s.length===1?"challenge":"challenges";b({title:"Marquer Correct",body:`\xCAtes-vous s\xFBr de vouloir marquer ${s.length} ${i} correct pour ${_(window.TEAM_NAME)}?`,success:function(){F({title:"Attribution de l'utilisateur",body:`
+import{_ as P,C as d,A as _,x as b,c as v,a as p,h as x,m as J,q as E,F as j,r as D,b as N,o as g,k as R,t as U,s as $,j as e,Q as T,R as F,V as q,D as z}from"./main.8d24b34a.js";import{c as A,u as S}from"../graphs.5c638a7f.js";import{C as V}from"../CommentBox.0d8a3850.js";import{s as B}from"../visual.17795e29.js";import"../echarts.common.5eba8a0a.js";const L={name:"UserAddForm",props:{team_id:Number},data:function(){return{searchedName:"",awaitingSearch:!1,emptyResults:!1,userResults:[],selectedResultIdx:0,selectedUsers:[]}},methods:{searchUsers:function(){if(this.selectedResultIdx=0,this.searchedName==""){this.userResults=[];return}d.fetch(`/api/v1/users?view=admin&field=name&q=${this.searchedName}`,{method:"GET",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(t=>t.json()).then(t=>{t.success&&(this.userResults=t.data.slice(0,10))})},moveCursor:function(t){switch(t){case"up":this.selectedResultIdx&&(this.selectedResultIdx-=1);break;case"down":this.selectedResultIdx<this.userResults.length-1&&(this.selectedResultIdx+=1);break}},selectUser:function(t){t===void 0&&(t=this.selectedResultIdx);let s=this.userResults[t];this.selectedUsers.some(n=>n.id===s.id)===!1&&this.selectedUsers.push(s),this.userResults=[],this.searchedName=""},removeSelectedUser:function(t){this.selectedUsers=this.selectedUsers.filter(s=>s.id!==t)},handleAddUsersRequest:function(){let t=[];return this.selectedUsers.forEach(s=>{let i={user_id:s.id};t.push(d.fetch(`/api/v1/teams/${this.$props.team_id}/members`,{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(i)}))}),Promise.all(t)},handleRemoveUsersFromTeams:function(){let t=[];return this.selectedUsers.forEach(s=>{let i={user_id:s.id};t.push(d.fetch(`/api/v1/teams/${s.team_id}/members`,{method:"DELETE",body:JSON.stringify(i)}))}),Promise.all(t)},addUsers:function(){let t=[];if(this.selectedUsers.forEach(s=>{s.team_id&&t.push(s.name)}),t.length){let s=_(t.join(", "));b({title:"Confirm Team Removal",body:`Les utilisateurs suivants sont actuellement dans une \xE9quipe:<br><br> ${s} <br><br>\xCAtes vous sur de vouloir les retirer de leur \xE9quipe et de les ajouter \xE0 celle-ci? <br><br>Tous leurs d\xE9fis r\xE9solus, tentatives, r\xE9compenses et indices vont \xEAtre supprim\xE9s!`,success:()=>{this.handleRemoveUsersFromTeams().then(i=>{this.handleAddUsersRequest().then(n=>{window.location.reload()})})}})}else this.handleAddUsersRequest().then(s=>{window.location.reload()})}},watch:{searchedName:function(t){this.awaitingSearch===!1&&setTimeout(()=>{this.searchUsers(),this.awaitingSearch=!1},1e3),this.awaitingSearch=!0}}},G={class:"form-group"},H=p("label",null,"Search Users",-1),K={class:"form-group"},Q=["onClick"],Y={class:"form-group"},W={key:0,class:"text-center"},X=p("span",{class:"text-muted"}," No users found ",-1),Z=[X],ee={class:"list-group"},te=["onClick"],se={class:"form-group"};function ie(t,s,i,n,l,r){return g(),v("div",null,[p("div",G,[H,x(p("input",{type:"text",class:"form-control",placeholder:"Search for users","onUpdate:modelValue":s[0]||(s[0]=a=>t.searchedName=a),onKeyup:[s[1]||(s[1]=E(a=>r.moveCursor("down"),["down"])),s[2]||(s[2]=E(a=>r.moveCursor("up"),["up"])),s[3]||(s[3]=E(a=>r.selectUser(),["enter"]))]},null,544),[[J,t.searchedName]])]),p("div",K,[(g(!0),v(j,null,D(t.selectedUsers,a=>(g(),v("span",{class:"badge badge-primary mr-1",key:a.id},[R(U(a.name)+" ",1),p("a",{class:"btn-fa",onClick:c=>r.removeSelectedUser(a.id)}," \xD7",8,Q)]))),128))]),p("div",Y,[t.userResults.length==0&&this.searchedName!=""&&t.awaitingSearch==!1?(g(),v("div",W,Z)):N("",!0),p("ul",ee,[(g(!0),v(j,null,D(t.userResults,(a,c)=>(g(),v("li",{class:$({"list-group-item":!0,active:c===t.selectedResultIdx}),key:a.id,onClick:w=>r.selectUser(c)},[R(U(a.name)+" ",1),a.team_id?(g(),v("small",{key:0,class:$({"float-right":!0,"text-white":c===t.selectedResultIdx,"text-muted":c!==t.selectedResultIdx})}," already in a team ",2)):N("",!0)],10,te))),128))])]),p("div",se,[p("button",{class:"btn btn-success d-inline-block float-right",onClick:s[4]||(s[4]=a=>r.addUsers())}," Add Users ")])])}const ne=P(L,[["render",ie]]);window.CTFd=d;function ae(t){t.preventDefault();const s=e("#team-info-create-form").serializeJSON(!0);s.fields=[];for(const i in s)if(i.match(/fields\[\d+\]/)){let n={},l=parseInt(i.slice(7,-1));n.field_id=l,n.value=s[i],s.fields.push(n),delete s[i]}d.fetch("/api/v1/teams",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(i){return i.json()}).then(function(i){console.log(i),i.success?(i.data.id,window.location=d.config.urlRoot+"/admin/teams"):(e("#team-info-create-form > #results").empty(),Object.keys(i.errors).forEach(function(n,l){e("#team-info-create-form > #results").append(T({type:"error",body:i.errors[n]}));const r=e("#team-info-create-form").find("input[name={0}]".format(n)),a=e(r);a.addClass("input-filled-invalid"),a.removeClass("input-filled-valid")}))})}function oe(t){t.preventDefault();let s=e("#team-info-edit-form").serializeJSON(!0);s.fields=[];for(const i in s)if(i.match(/fields\[\d+\]/)){let n={},l=parseInt(i.slice(7,-1));n.field_id=l,n.value=s[i],s.fields.push(n),delete s[i]}d.fetch("/api/v1/teams/"+window.TEAM_ID,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(i){return i.json()}).then(function(i){i.success?window.location.reload():(e("#team-info-form > #results").empty(),Object.keys(i.errors).forEach(function(n,l){e("#team-info-form > #results").append(T({type:"error",body:i.errors[n]}));const r=e("#team-info-form").find("input[name={0}]".format(n)),a=e(r);a.addClass("input-filled-invalid"),a.removeClass("input-filled-valid")}))})}function M(t){let i=e("input[data-submission-type=incorrect]:checked").map(function(){return e(this).data("submission-id")}),n=i.length===1?"submission":"submissions";b({title:"Valider une soumission",body:`\xCAtes vous sur de vouloir marquer ${i.length} ${n} correct?`,success:function(){const l=[];for(var r of i){let a=d.fetch(`/api/v1/submissions/${r}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({type:"correct"})});l.push(a)}Promise.all(l).then(a=>{window.location.reload()})}})}function I(t,s){let i,n,l;switch(s){case"solves":i=e("input[data-submission-type=correct]:checked"),n="solve",l="Solves";break;case"fails":i=e("input[data-submission-type=incorrect]:checked"),n="fail",l="Fails";break}let r=i.map(function(){return e(this).data("submission-id")}),a=r.length===1?n:n+"s";b({title:`Supprimer ${l}`,body:`\xCAtes-vous certain de vouloir supprimer ${r.length} ${a}? (Si le d\xE9fi a d\xE9j\xE0 \xE9t\xE9 approuv\xE9, veuillez \xE9galement le supprimer dans les onglets de soumissions.)`,success:function(){const c=[];for(var w of r)c.push(d.api.delete_submission({submissionId:w}));Promise.all(c).then(C=>{window.location.reload()})}})}function re(t){let s=e("input[data-award-id]:checked").map(function(){return e(this).data("award-id")}),i=s.length===1?"award":"awards";b({title:"Supprimer Awards",body:`\xCAtes-vous certain de vouloir supprimer ${s.length} ${i}?`,success:function(){const n=[];for(var l of s){let r=d.fetch("/api/v1/awards/"+l,{method:"DELETE",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}});n.push(r)}Promise.all(n).then(r=>{window.location.reload()})}})}function le(t){t.preventDefault();let s=e("input[data-missing-challenge-id]:checked").map(function(){return e(this).data("missing-challenge-id")}),i=s.length===1?"challenge":"challenges";b({title:"Marquer Correct",body:`\xCAtes-vous s\xFBr de vouloir marquer ${s.length} ${i} correct pour ${_(window.TEAM_NAME)}?`,success:function(){z({title:"Attribution de l'utilisateur",body:`
         Quel utilisateur dans l'\xE9quipe ${_(window.TEAM_NAME)} a r\xE9solu ces d\xE9fis?
         <div class="pb-3" id="query-team-member-solve">
         ${e("#team-member-select").html()}
         </div>
-        `,button:"Marquer Correct",success:function(){const n=e("#query-team-member-solve > select").val(),l=[];for(var r of s){let a={provided:"MARKED AS SOLVED BY ADMIN",user_id:n,team_id:window.TEAM_ID,challenge_id:r,type:"correct"},c=d.fetch("/api/v1/submissions",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(a)});l.push(c)}Promise.all(l).then(a=>{window.location.reload()})}})}})}const O={team:[t=>d.api.get_team_solves({teamId:t}),t=>d.api.get_team_fails({teamId:t}),t=>d.api.get_team_awards({teamId:t})],user:[t=>d.api.get_user_solves({userId:t}),t=>d.api.get_user_fails({userId:t}),t=>d.api.get_user_awards({userId:t})]},de=(t,s,i,n)=>{let[l,r,a]=O[t];Promise.all([l(n),r(n),a(n)]).then(c=>{A("score_graph","#score-graph",c,t,s,i,n),A("category_breakdown","#categories-pie-graph",c,t,s,i,n),A("solve_percentages","#keys-pie-graph",c,t,s,i,n)})},ce=(t,s,i,n)=>{let[l,r,a]=O[t];Promise.all([l(n),r(n),a(n)]).then(c=>{S("score_graph","#score-graph",c,t,s,i,n),S("category_breakdown","#categories-pie-graph",c,t,s,i,n),S("solve_percentages","#keys-pie-graph",c,t,s,i,n)})};e(()=>{e("#team-captain-form").submit(function(o){o.preventDefault();const u=e("#team-captain-form").serializeJSON(!0);d.fetch("/api/v1/teams/"+window.TEAM_ID,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(u)}).then(function(m){return m.json()}).then(function(m){m.success?window.location.reload():(e("#team-captain-form > #results").empty(),Object.keys(m.errors).forEach(function(f,k){e("#team-captain-form > #results").append(T({type:"error",body:m.errors[f]}));const h=e("#team-captain-form").find("select[name={0}]".format(f)),y=e(h);y.addClass("input-filled-invalid"),y.removeClass("input-filled-valid")}))})}),e(".edit-team").click(function(o){e("#team-info-edit-modal").modal("toggle")}),e(".invite-team").click(function(o){d.fetch(`/api/v1/teams/${window.TEAM_ID}/members`,{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(function(u){return u.json()}).then(function(u){if(u.success){let m=u.data.code,f=`${window.location.origin}${d.config.urlRoot}/teams/invite?code=${m}`;e("#team-invite-modal input[name=link]").val(f),e("#team-invite-modal").modal("toggle")}})}),e("#team-invite-link-copy").click(function(o){z(o,"#team-invite-link")});let t=document.getElementsByClassName("imageContainer");for(let o=0;o<t.length;o++)V(t[o]);e(".members-team").click(function(o){e("#team-add-modal").modal("toggle")}),e(".edit-captain").click(function(o){e("#team-captain-modal").modal("toggle")}),e(".award-team").click(function(o){e("#team-award-modal").modal("toggle")}),e(".addresses-team").click(function(o){e("#team-addresses-modal").modal("toggle")}),e("#user-award-form").submit(function(o){o.preventDefault();const u=e("#user-award-form").serializeJSON(!0);if(u.user_id=e("#award-member-input").val(),u.team_id=window.TEAM_ID,e("#user-award-form > #results").empty(),!u.user_id){e("#user-award-form > #results").append(T({type:"error",body:"Veuillez s\xE9lectionner un membre de l'\xE9quipe"}));return}u.user_id=parseInt(u.user_id),d.fetch("/api/v1/awards",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(u)}).then(function(m){return m.json()}).then(function(m){m.success?window.location.reload():(e("#user-award-form > #results").empty(),Object.keys(m.errors).forEach(function(f,k){e("#user-award-form > #results").append(T({type:"error",body:m.errors[f]}));const h=e("#user-award-form").find("input[name={0}]".format(f)),y=e(h);y.addClass("input-filled-invalid"),y.removeClass("input-filled-valid")}))})}),e(".delete-member").click(function(o){o.preventDefault();const u=e(this).attr("member-id"),m=e(this).attr("member-name");console.log(u);const f={user_id:u},k=e(this).parent().parent();b({title:"Retirer le membre",body:"\xCAtes vous sur de vouloir retirer {0} de {1}? <br><br><strong>Tous ses d\xE9fis r\xE9solus, tentatives, r\xE9compenses et indices vont \xEAtre supprim\xE9s!</strong>".format("<strong>"+_(m)+"</strong>","<strong>"+_(window.TEAM_NAME)+"</strong>"),success:function(){d.fetch("/api/v1/teams/"+window.TEAM_ID+"/members",{method:"DELETE",body:JSON.stringify(f)}).then(function(h){return h.json()}).then(function(h){h.success&&k.remove()})}})}),e(".delete-team").click(function(o){b({title:"Supprimer l'\xE9quipe",body:"\xCAtes-vous certain de vouloir supprimer {0}".format("<strong>"+_(window.TEAM_NAME)+"</strong>"),success:function(){d.fetch("/api/v1/teams/"+window.TEAM_ID,{method:"DELETE"}).then(function(u){return u.json()}).then(function(u){u.success&&(window.location=d.config.urlRoot+"/admin/teams")})}})}),e("#solves-delete-button").click(function(o){I(o,"solves")}),e("#correct-fail-button").click(M),e("#fails-delete-button").click(function(o){I(o,"fails")}),e("#correct-submissions-button").click(M),e("#submissions-delete-button").click(function(o){I(o,"fails")}),e("#awards-delete-button").click(function(o){re()}),e("#missing-solve-button").click(function(o){le(o)}),e("#team-info-create-form").submit(ae),e("#team-info-edit-form").submit(oe);const s=q.extend(B);let i=document.createElement("div");document.querySelector("#comment-box").appendChild(i),new s({propsData:{type:"team",id:window.TEAM_ID}}).$mount(i);const n=q.extend(ne);let l=document.createElement("div");document.querySelector("#team-add-modal .modal-body").appendChild(l),new n({propsData:{team_id:window.TEAM_ID}}).$mount(l);let r,a,c,w;({type:r,id:a,name:c,account_id:w}=window.stats_data);let C;e("#team-statistics-modal").on("shown.bs.modal",function(o){de(r,a,c,w),C=setInterval(()=>{ce(r,a,c,w)},3e5)}),e("#team-statistics-modal").on("hidden.bs.modal",function(o){clearInterval(C)}),e(".statistics-team").click(function(o){e("#team-statistics-modal").modal("toggle")})});
+        `,button:"Marquer Correct",success:function(){const n=e("#query-team-member-solve > select").val(),l=[];for(var r of s){let a={provided:"MARKED AS SOLVED BY ADMIN",user_id:n,team_id:window.TEAM_ID,challenge_id:r,type:"correct"},c=d.fetch("/api/v1/submissions",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(a)});l.push(c)}Promise.all(l).then(a=>{window.location.reload()})}})}})}const O={team:[t=>d.api.get_team_solves({teamId:t}),t=>d.api.get_team_fails({teamId:t}),t=>d.api.get_team_awards({teamId:t})],user:[t=>d.api.get_user_solves({userId:t}),t=>d.api.get_user_fails({userId:t}),t=>d.api.get_user_awards({userId:t})]},de=(t,s,i,n)=>{let[l,r,a]=O[t];Promise.all([l(n),r(n),a(n)]).then(c=>{A("score_graph","#score-graph",c,t,s,i,n),A("category_breakdown","#categories-pie-graph",c,t,s,i,n),A("solve_percentages","#keys-pie-graph",c,t,s,i,n)})},ce=(t,s,i,n)=>{let[l,r,a]=O[t];Promise.all([l(n),r(n),a(n)]).then(c=>{S("score_graph","#score-graph",c,t,s,i,n),S("category_breakdown","#categories-pie-graph",c,t,s,i,n),S("solve_percentages","#keys-pie-graph",c,t,s,i,n)})};e(()=>{e("#team-captain-form").submit(function(o){o.preventDefault();const u=e("#team-captain-form").serializeJSON(!0);d.fetch("/api/v1/teams/"+window.TEAM_ID,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(u)}).then(function(m){return m.json()}).then(function(m){m.success?window.location.reload():(e("#team-captain-form > #results").empty(),Object.keys(m.errors).forEach(function(f,k){e("#team-captain-form > #results").append(T({type:"error",body:m.errors[f]}));const h=e("#team-captain-form").find("select[name={0}]".format(f)),y=e(h);y.addClass("input-filled-invalid"),y.removeClass("input-filled-valid")}))})}),e(".edit-team").click(function(o){e("#team-info-edit-modal").modal("toggle")}),e(".invite-team").click(function(o){d.fetch(`/api/v1/teams/${window.TEAM_ID}/members`,{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}}).then(function(u){return u.json()}).then(function(u){if(u.success){let m=u.data.code,f=`${window.location.origin}${d.config.urlRoot}/teams/invite?code=${m}`;e("#team-invite-modal input[name=link]").val(f),e("#team-invite-modal").modal("toggle")}})}),e("#team-invite-link-copy").click(function(o){F(o,"#team-invite-link")});let t=document.getElementsByClassName("imageContainer");for(let o=0;o<t.length;o++)B(t[o]);e(".members-team").click(function(o){e("#team-add-modal").modal("toggle")}),e(".edit-captain").click(function(o){e("#team-captain-modal").modal("toggle")}),e(".award-team").click(function(o){e("#team-award-modal").modal("toggle")}),e(".addresses-team").click(function(o){e("#team-addresses-modal").modal("toggle")}),e("#user-award-form").submit(function(o){o.preventDefault();const u=e("#user-award-form").serializeJSON(!0);if(u.user_id=e("#award-member-input").val(),u.team_id=window.TEAM_ID,e("#user-award-form > #results").empty(),!u.user_id){e("#user-award-form > #results").append(T({type:"error",body:"Veuillez s\xE9lectionner un membre de l'\xE9quipe"}));return}u.user_id=parseInt(u.user_id),d.fetch("/api/v1/awards",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(u)}).then(function(m){return m.json()}).then(function(m){m.success?window.location.reload():(e("#user-award-form > #results").empty(),Object.keys(m.errors).forEach(function(f,k){e("#user-award-form > #results").append(T({type:"error",body:m.errors[f]}));const h=e("#user-award-form").find("input[name={0}]".format(f)),y=e(h);y.addClass("input-filled-invalid"),y.removeClass("input-filled-valid")}))})}),e(".delete-member").click(function(o){o.preventDefault();const u=e(this).attr("member-id"),m=e(this).attr("member-name");console.log(u);const f={user_id:u},k=e(this).parent().parent();b({title:"Retirer le membre",body:"\xCAtes vous sur de vouloir retirer {0} de {1}? <br><br><strong>Tous ses d\xE9fis r\xE9solus, tentatives, r\xE9compenses et indices vont \xEAtre supprim\xE9s!</strong>".format("<strong>"+_(m)+"</strong>","<strong>"+_(window.TEAM_NAME)+"</strong>"),success:function(){d.fetch("/api/v1/teams/"+window.TEAM_ID+"/members",{method:"DELETE",body:JSON.stringify(f)}).then(function(h){return h.json()}).then(function(h){h.success&&k.remove()})}})}),e(".delete-team").click(function(o){b({title:"Supprimer l'\xE9quipe",body:"\xCAtes-vous certain de vouloir supprimer {0}".format("<strong>"+_(window.TEAM_NAME)+"</strong>"),success:function(){d.fetch("/api/v1/teams/"+window.TEAM_ID,{method:"DELETE"}).then(function(u){return u.json()}).then(function(u){u.success&&(window.location=d.config.urlRoot+"/admin/teams")})}})}),e("#solves-delete-button").click(function(o){I(o,"solves")}),e("#correct-fail-button").click(M),e("#fails-delete-button").click(function(o){I(o,"fails")}),e("#correct-submissions-button").click(M),e("#submissions-delete-button").click(function(o){I(o,"fails")}),e("#awards-delete-button").click(function(o){re()}),e("#missing-solve-button").click(function(o){le(o)}),e("#team-info-create-form").submit(ae),e("#team-info-edit-form").submit(oe);const s=q.extend(V);let i=document.createElement("div");document.querySelector("#comment-box").appendChild(i),new s({propsData:{type:"team",id:window.TEAM_ID}}).$mount(i);const n=q.extend(ne);let l=document.createElement("div");document.querySelector("#team-add-modal .modal-body").appendChild(l),new n({propsData:{team_id:window.TEAM_ID}}).$mount(l);let r,a,c,w;({type:r,id:a,name:c,account_id:w}=window.stats_data);let C;e("#team-statistics-modal").on("shown.bs.modal",function(o){de(r,a,c,w),C=setInterval(()=>{ce(r,a,c,w)},3e5)}),e("#team-statistics-modal").on("hidden.bs.modal",function(o){clearInterval(C)}),e(".statistics-team").click(function(o){e("#team-statistics-modal").modal("toggle")})});
diff --git a/CTFd/themes/admin/static/assets/pages/teams.0e292b4f.js b/CTFd/themes/admin/static/assets/pages/teams.a63c643b.js
similarity index 78%
rename from CTFd/themes/admin/static/assets/pages/teams.0e292b4f.js
rename to CTFd/themes/admin/static/assets/pages/teams.a63c643b.js
index 02dcc7f2c1a33c979f10479562893a83f8156278..f888e690f6f2d4409da9c937507f0543f9f01c1e 100644
--- a/CTFd/themes/admin/static/assets/pages/teams.0e292b4f.js
+++ b/CTFd/themes/admin/static/assets/pages/teams.a63c643b.js
@@ -1,4 +1,4 @@
-import{$ as e,u as r,C as n,B as u}from"./main.71d0edc5.js";function d(s){let t=e("input[data-team-id]:checked").map(function(){return e(this).data("team-id")}),i=t.length===1?"team":"teams";r({title:"Supprimer les \xE9quipes",body:`\xCAtes-vous certain de vouloir supprimer ${t.length} ${i}?`,success:function(){const a=[];for(var o of t)a.push(n.fetch(`/api/v1/teams/${o}`,{method:"DELETE"}));Promise.all(a).then(l=>{window.location.reload()})}})}function c(s){let t=e("input[data-team-id]:checked").map(function(){return e(this).data("team-id")});u({title:"Modifier les \xE9quipes",body:e(`
+import{j as e,x as r,C as s,D as u}from"./main.8d24b34a.js";function d(n){let t=e("input[data-team-id]:checked").map(function(){return e(this).data("team-id")}),i=t.length===1?"team":"teams";r({title:"Supprimer les \xE9quipes",body:`\xCAtes-vous certain de vouloir supprimer ${t.length} ${i}?`,success:function(){const a=[];for(var o of t)a.push(s.fetch(`/api/v1/teams/${o}`,{method:"DELETE"}));Promise.all(a).then(l=>{window.location.reload()})}})}function c(n){let t=e("input[data-team-id]:checked").map(function(){return e(this).data("team-id")});u({title:"Modifier les \xE9quipes",body:e(`
     <form id="teams-bulk-edit">
       <div class="form-group">
         <label>Banni</label>
@@ -17,4 +17,4 @@ import{$ as e,u as r,C as n,B as u}from"./main.71d0edc5.js";function d(s){let t=
         </select>
       </div>
     </form>
-    `),button:"Soumettre",success:function(){let i=e("#teams-bulk-edit").serializeJSON(!0);const a=[];for(var o of t)a.push(n.fetch(`/api/v1/teams/${o}`,{method:"PATCH",body:JSON.stringify(i)}));Promise.all(a).then(l=>{window.location.reload()})}})}e(()=>{e("#teams-delete-button").click(d),e("#teams-edit-button").click(c)});
+    `),button:"Soumettre",success:function(){let i=e("#teams-bulk-edit").serializeJSON(!0);const a=[];for(var o of t)a.push(s.fetch(`/api/v1/teams/${o}`,{method:"PATCH",body:JSON.stringify(i)}));Promise.all(a).then(l=>{window.location.reload()})}})}e(()=>{e("#teams-delete-button").click(d),e("#teams-edit-button").click(c)});
diff --git a/CTFd/themes/admin/static/assets/pages/user.756e0cbb.js b/CTFd/themes/admin/static/assets/pages/user.77f8e834.js
similarity index 91%
rename from CTFd/themes/admin/static/assets/pages/user.756e0cbb.js
rename to CTFd/themes/admin/static/assets/pages/user.77f8e834.js
index 99f5ce3b84afa1a7a5f92bc195b87cba26d99bbf..ab50faadb7a7957eeee30d60d6f8156110d0aca1 100644
--- a/CTFd/themes/admin/static/assets/pages/user.756e0cbb.js
+++ b/CTFd/themes/admin/static/assets/pages/user.77f8e834.js
@@ -1 +1 @@
-import{$ as e,V as y,C as c,P as u,u as d,z as w}from"./main.71d0edc5.js";import{c as m,u as p}from"../graphs.253aebe5.js";import{C as _}from"../CommentBox.f5ce8d13.js";import{s as S}from"../visual.0867334a.js";import"../echarts.common.a0aaa3a0.js";function C(n){n.preventDefault();const s=e("#user-info-create-form").serializeJSON(!0);s.fields=[];for(const r in s)if(r.match(/fields\[\d+\]/)){let o={},l=parseInt(r.slice(7,-1));o.field_id=l,o.value=s[r],s.fields.push(o),delete s[r]}let t="/api/v1/users";s.notify===!0&&(t=`${t}?notify=true`),delete s.notify,c.fetch(t,{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(r){return r.json()}).then(function(r){if(r.success){const o=r.data.id;window.location=c.config.urlRoot+"/admin/users/"+o}else e("#user-info-create-form > #results").empty(),Object.keys(r.errors).forEach(function(o,l){e("#user-info-create-form > #results").append(u({type:"error",body:r.errors[o]}));const a=e("#user-info-form").find("input[name={0}]".format(o)),f=e(a);f.addClass("input-filled-invalid"),f.removeClass("input-filled-valid")})})}function E(n){n.preventDefault();const s=e("#user-info-edit-form").serializeJSON(!0);s.fields=[];for(const t in s)if(t.match(/fields\[\d+\]/)){let i={},r=parseInt(t.slice(7,-1));i.field_id=r,i.value=s[t],s.fields.push(i),delete s[t]}c.fetch("/api/v1/users/"+window.USER_ID,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(t){return t.json()}).then(function(t){t.success?window.location.reload():(e("#user-info-edit-form > #results").empty(),Object.keys(t.errors).forEach(function(i,r){e("#user-info-edit-form > #results").append(u({type:"error",body:t.errors[i]}));const o=e("#user-info-edit-form").find("input[name={0}]".format(i)),l=e(o);l.addClass("input-filled-invalid"),l.removeClass("input-filled-valid")}))})}function k(n){n.preventDefault(),d({title:"Supprimer l'utilisateur",body:"\xCAtes-vous certain de vouloir supprimer {0}".format("<strong>"+w(window.USER_NAME)+"</strong>"),success:function(){c.fetch("/api/v1/users/"+window.USER_ID,{method:"DELETE"}).then(function(s){return s.json()}).then(function(s){s.success&&(window.location=c.config.urlRoot+"/admin/users")})}})}function I(n){n.preventDefault();const s=e("#user-award-form").serializeJSON(!0);s.user_id=window.USER_ID,c.fetch("/api/v1/awards",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(t){return t.json()}).then(function(t){t.success?window.location.reload():(e("#user-award-form > #results").empty(),Object.keys(t.errors).forEach(function(i,r){e("#user-award-form > #results").append(u({type:"error",body:t.errors[i]}));const o=e("#user-award-form").find("input[name={0}]".format(i)),l=e(o);l.addClass("input-filled-invalid"),l.removeClass("input-filled-valid")}))})}function j(n){n.preventDefault();var s=e("#user-mail-form").serializeJSON(!0);c.fetch("/api/v1/users/"+window.USER_ID+"/email",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(t){return t.json()}).then(function(t){t.success?(e("#user-mail-form > #results").append(u({type:"success",body:"Courriel envoy\xE9 avec succ\xE8s!"})),e("#user-mail-form").find("input[type=text], textarea").val("")):(e("#user-mail-form > #results").empty(),Object.keys(t.errors).forEach(function(i,r){e("#user-mail-form > #results").append(u({type:"error",body:t.errors[i]}));var o=e("#user-mail-form").find("input[name={0}], textarea[name={0}]".format(i)),l=e(o);l.addClass("input-filled-invalid"),l.removeClass("input-filled-valid")}))})}function v(n){let t=e("input[data-submission-type=incorrect]:checked").map(function(){return e(this).data("submission-id")}),i=t.length===1?"submission":"submissions";d({title:"Valider une soumission",body:`\xCAtes vous sur de vouloir marquer ${t.length} ${i} correct?`,success:function(){const r=[];for(var o of t){let l=c.fetch(`/api/v1/submissions/${o}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({type:"correct"})});r.push(l)}Promise.all(r).then(l=>{window.location.reload()})}})}function h(n,s){let t,i,r;switch(s){case"solves":t=e("input[data-submission-type=correct]:checked"),i="solve",r="Solves";break;case"fails":t=e("input[data-submission-type=incorrect]:checked"),i="fail",r="Fails";break}let o=t.map(function(){return e(this).data("submission-id")}),l=o.length===1?i:i+"s";d({title:`Supprimer ${r}`,body:`\xCAtes-vous certain de vouloir supprimer ${o.length} ${l}?`,success:function(){const a=[];for(var f of o)a.push(c.api.delete_submission({submissionId:f}));Promise.all(a).then($=>{window.location.reload()})}})}function D(n){let s=e("input[data-award-id]:checked").map(function(){return e(this).data("award-id")}),t=s.length===1?"award":"awards";d({title:"Supprimer Awards",body:`\xCAtes-vous certain de vouloir supprimer ${s.length} ${t}?`,success:function(){const i=[];for(var r of s){let o=c.fetch("/api/v1/awards/"+r,{method:"DELETE",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}});i.push(o)}Promise.all(i).then(o=>{window.location.reload()})}})}function O(n){n.preventDefault();let s=e("input[data-missing-challenge-id]:checked").map(function(){return e(this).data("missing-challenge-id")}),t=s.length===1?"challenge":"challenges";d({title:"Marquer Correct",body:`\xCAtes-vous s\xFBr de vouloir marquer ${s.length} ${t} correct pour ${w(window.USER_NAME)}?`,success:function(){const i=[];for(var r of s){let o={provided:"MARKED AS SOLVED BY ADMIN",user_id:window.USER_ID,team_id:window.TEAM_ID,challenge_id:r,type:"correct"},l=c.fetch("/api/v1/submissions",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(o)});i.push(l)}Promise.all(i).then(o=>{window.location.reload()})}})}const b={team:[n=>c.api.get_team_solves({teamId:n}),n=>c.api.get_team_fails({teamId:n}),n=>c.api.get_team_awards({teamId:n})],user:[n=>c.api.get_user_solves({userId:n}),n=>c.api.get_user_fails({userId:n}),n=>c.api.get_user_awards({userId:n})]},A=(n,s,t,i)=>{let[r,o,l]=b[n];Promise.all([r(i),o(i),l(i)]).then(a=>{m("score_graph","#score-graph",a,n,s,t,i),m("category_breakdown","#categories-pie-graph",a,n,s,t,i),m("solve_percentages","#keys-pie-graph",a,n,s,t,i)})},T=(n,s,t,i)=>{let[r,o,l]=b[n];Promise.all([r(i),o(i),l(i)]).then(a=>{p("score_graph","#score-graph",a,n,s,t,i),p("category_breakdown","#categories-pie-graph",a,n,s,t,i),p("solve_percentages","#keys-pie-graph",a,n,s,t,i)})};e(()=>{e(".delete-user").click(k),e(".edit-user").click(function(a){e("#user-info-modal").modal("toggle")}),e(".award-user").click(function(a){e("#user-award-modal").modal("toggle")}),e(".email-user").click(function(a){e("#user-email-modal").modal("toggle")}),e(".addresses-user").click(function(a){e("#user-addresses-modal").modal("toggle")}),e("#user-mail-form").submit(j),e("#solves-delete-button").click(function(a){h(a,"solves")}),e("#correct-fail-button").click(v),e("#correct-submissions-button").click(v),e("#fails-delete-button").click(function(a){h(a,"fails")}),e("#submissions-delete-button").click(function(a){h(a,"fails")}),e("#awards-delete-button").click(function(a){D()}),e("#missing-solve-button").click(function(a){O(a)}),e("#user-info-create-form").submit(C),e("#user-info-edit-form").submit(E),e("#user-award-form").submit(I);const n=y.extend(_);let s=document.createElement("div");document.querySelector("#comment-box").appendChild(s),new n({propsData:{type:"user",id:window.USER_ID}}).$mount(s);let t,i,r,o;({type:t,id:i,name:r,account_id:o}=window.stats_data);let l;e("#user-statistics-modal").on("shown.bs.modal",function(a){A(t,i,r,o),l=setInterval(()=>{T(t,i,r,o)},3e5)}),e("#user-statistics-modal").on("hidden.bs.modal",function(a){clearInterval(l)}),e(".statistics-user").click(function(a){e("#user-statistics-modal").modal("toggle")})});let g=document.getElementsByClassName("imageContainer");for(let n=0;n<g.length;n++)S(g[n]);
+import{j as e,V as y,C as c,Q as u,x as d,A as w}from"./main.8d24b34a.js";import{c as m,u as p}from"../graphs.5c638a7f.js";import{C as _}from"../CommentBox.0d8a3850.js";import{s as S}from"../visual.17795e29.js";import"../echarts.common.5eba8a0a.js";function C(n){n.preventDefault();const s=e("#user-info-create-form").serializeJSON(!0);s.fields=[];for(const r in s)if(r.match(/fields\[\d+\]/)){let o={},l=parseInt(r.slice(7,-1));o.field_id=l,o.value=s[r],s.fields.push(o),delete s[r]}let t="/api/v1/users";s.notify===!0&&(t=`${t}?notify=true`),delete s.notify,c.fetch(t,{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(r){return r.json()}).then(function(r){if(r.success){const o=r.data.id;window.location=c.config.urlRoot+"/admin/users/"+o}else e("#user-info-create-form > #results").empty(),Object.keys(r.errors).forEach(function(o,l){e("#user-info-create-form > #results").append(u({type:"error",body:r.errors[o]}));const a=e("#user-info-form").find("input[name={0}]".format(o)),f=e(a);f.addClass("input-filled-invalid"),f.removeClass("input-filled-valid")})})}function E(n){n.preventDefault();const s=e("#user-info-edit-form").serializeJSON(!0);s.fields=[];for(const t in s)if(t.match(/fields\[\d+\]/)){let i={},r=parseInt(t.slice(7,-1));i.field_id=r,i.value=s[t],s.fields.push(i),delete s[t]}c.fetch("/api/v1/users/"+window.USER_ID,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(t){return t.json()}).then(function(t){t.success?window.location.reload():(e("#user-info-edit-form > #results").empty(),Object.keys(t.errors).forEach(function(i,r){e("#user-info-edit-form > #results").append(u({type:"error",body:t.errors[i]}));const o=e("#user-info-edit-form").find("input[name={0}]".format(i)),l=e(o);l.addClass("input-filled-invalid"),l.removeClass("input-filled-valid")}))})}function j(n){n.preventDefault(),d({title:"Supprimer l'utilisateur",body:"\xCAtes-vous certain de vouloir supprimer {0}".format("<strong>"+w(window.USER_NAME)+"</strong>"),success:function(){c.fetch("/api/v1/users/"+window.USER_ID,{method:"DELETE"}).then(function(s){return s.json()}).then(function(s){s.success&&(window.location=c.config.urlRoot+"/admin/users")})}})}function k(n){n.preventDefault();const s=e("#user-award-form").serializeJSON(!0);s.user_id=window.USER_ID,c.fetch("/api/v1/awards",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(t){return t.json()}).then(function(t){t.success?window.location.reload():(e("#user-award-form > #results").empty(),Object.keys(t.errors).forEach(function(i,r){e("#user-award-form > #results").append(u({type:"error",body:t.errors[i]}));const o=e("#user-award-form").find("input[name={0}]".format(i)),l=e(o);l.addClass("input-filled-invalid"),l.removeClass("input-filled-valid")}))})}function I(n){n.preventDefault();var s=e("#user-mail-form").serializeJSON(!0);c.fetch("/api/v1/users/"+window.USER_ID+"/email",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(s)}).then(function(t){return t.json()}).then(function(t){t.success?(e("#user-mail-form > #results").append(u({type:"success",body:"Courriel envoy\xE9 avec succ\xE8s!"})),e("#user-mail-form").find("input[type=text], textarea").val("")):(e("#user-mail-form > #results").empty(),Object.keys(t.errors).forEach(function(i,r){e("#user-mail-form > #results").append(u({type:"error",body:t.errors[i]}));var o=e("#user-mail-form").find("input[name={0}], textarea[name={0}]".format(i)),l=e(o);l.addClass("input-filled-invalid"),l.removeClass("input-filled-valid")}))})}function v(n){let t=e("input[data-submission-type=incorrect]:checked").map(function(){return e(this).data("submission-id")}),i=t.length===1?"submission":"submissions";d({title:"Valider une soumission",body:`\xCAtes vous sur de vouloir marquer ${t.length} ${i} correct?`,success:function(){const r=[];for(var o of t){let l=c.fetch(`/api/v1/submissions/${o}`,{method:"PATCH",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({type:"correct"})});r.push(l)}Promise.all(r).then(l=>{window.location.reload()})}})}function h(n,s){let t,i,r;switch(s){case"solves":t=e("input[data-submission-type=correct]:checked"),i="solve",r="Solves";break;case"fails":t=e("input[data-submission-type=incorrect]:checked"),i="fail",r="Fails";break}let o=t.map(function(){return e(this).data("submission-id")}),l=o.length===1?i:i+"s";d({title:`Supprimer ${r}`,body:`\xCAtes-vous certain de vouloir supprimer ${o.length} ${l}?`,success:function(){const a=[];for(var f of o)a.push(c.api.delete_submission({submissionId:f}));Promise.all(a).then(N=>{window.location.reload()})}})}function D(n){let s=e("input[data-award-id]:checked").map(function(){return e(this).data("award-id")}),t=s.length===1?"award":"awards";d({title:"Supprimer Awards",body:`\xCAtes-vous certain de vouloir supprimer ${s.length} ${t}?`,success:function(){const i=[];for(var r of s){let o=c.fetch("/api/v1/awards/"+r,{method:"DELETE",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"}});i.push(o)}Promise.all(i).then(o=>{window.location.reload()})}})}function O(n){n.preventDefault();let s=e("input[data-missing-challenge-id]:checked").map(function(){return e(this).data("missing-challenge-id")}),t=s.length===1?"challenge":"challenges";d({title:"Marquer Correct",body:`\xCAtes-vous s\xFBr de vouloir marquer ${s.length} ${t} correct pour ${w(window.USER_NAME)}?`,success:function(){const i=[];for(var r of s){let o={provided:"MARKED AS SOLVED BY ADMIN",user_id:window.USER_ID,team_id:window.TEAM_ID,challenge_id:r,type:"correct"},l=c.fetch("/api/v1/submissions",{method:"POST",credentials:"same-origin",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify(o)});i.push(l)}Promise.all(i).then(o=>{window.location.reload()})}})}const b={team:[n=>c.api.get_team_solves({teamId:n}),n=>c.api.get_team_fails({teamId:n}),n=>c.api.get_team_awards({teamId:n})],user:[n=>c.api.get_user_solves({userId:n}),n=>c.api.get_user_fails({userId:n}),n=>c.api.get_user_awards({userId:n})]},A=(n,s,t,i)=>{let[r,o,l]=b[n];Promise.all([r(i),o(i),l(i)]).then(a=>{m("score_graph","#score-graph",a,n,s,t,i),m("category_breakdown","#categories-pie-graph",a,n,s,t,i),m("solve_percentages","#keys-pie-graph",a,n,s,t,i)})},T=(n,s,t,i)=>{let[r,o,l]=b[n];Promise.all([r(i),o(i),l(i)]).then(a=>{p("score_graph","#score-graph",a,n,s,t,i),p("category_breakdown","#categories-pie-graph",a,n,s,t,i),p("solve_percentages","#keys-pie-graph",a,n,s,t,i)})};e(()=>{e(".delete-user").click(j),e(".edit-user").click(function(a){e("#user-info-modal").modal("toggle")}),e(".award-user").click(function(a){e("#user-award-modal").modal("toggle")}),e(".email-user").click(function(a){e("#user-email-modal").modal("toggle")}),e(".addresses-user").click(function(a){e("#user-addresses-modal").modal("toggle")}),e("#user-mail-form").submit(I),e("#solves-delete-button").click(function(a){h(a,"solves")}),e("#correct-fail-button").click(v),e("#correct-submissions-button").click(v),e("#fails-delete-button").click(function(a){h(a,"fails")}),e("#submissions-delete-button").click(function(a){h(a,"fails")}),e("#awards-delete-button").click(function(a){D()}),e("#missing-solve-button").click(function(a){O(a)}),e("#user-info-create-form").submit(C),e("#user-info-edit-form").submit(E),e("#user-award-form").submit(k);const n=y.extend(_);let s=document.createElement("div");document.querySelector("#comment-box").appendChild(s),new n({propsData:{type:"user",id:window.USER_ID}}).$mount(s);let t,i,r,o;({type:t,id:i,name:r,account_id:o}=window.stats_data);let l;e("#user-statistics-modal").on("shown.bs.modal",function(a){A(t,i,r,o),l=setInterval(()=>{T(t,i,r,o)},3e5)}),e("#user-statistics-modal").on("hidden.bs.modal",function(a){clearInterval(l)}),e(".statistics-user").click(function(a){e("#user-statistics-modal").modal("toggle")})});let g=document.getElementsByClassName("imageContainer");for(let n=0;n<g.length;n++)S(g[n]);
diff --git a/CTFd/themes/admin/static/assets/pages/users.8086917d.js b/CTFd/themes/admin/static/assets/pages/users.60f832bb.js
similarity index 81%
rename from CTFd/themes/admin/static/assets/pages/users.8086917d.js
rename to CTFd/themes/admin/static/assets/pages/users.60f832bb.js
index 8d4a5f2fcf38364c6427c0f00c94809a3fa9d330..2bcdacf7ef99d86c3ac8d9f53243ba0884c82d29 100644
--- a/CTFd/themes/admin/static/assets/pages/users.8086917d.js
+++ b/CTFd/themes/admin/static/assets/pages/users.60f832bb.js
@@ -1,4 +1,4 @@
-import{$ as e,u as n,C as a,B as u}from"./main.71d0edc5.js";function d(l){let t=e("input[data-user-id]:checked").map(function(){return e(this).data("user-id")}),o=t.length===1?"user":"users";n({title:"Supprimer les utilisateurs",body:`\xCAtes-vous certain de vouloir supprimer ${t.length} ${o}?`,success:function(){const i=[];for(var s of t)i.push(a.fetch(`/api/v1/users/${s}`,{method:"DELETE"}));Promise.all(i).then(r=>{window.location.reload()})}})}function c(l){let t=e("input[data-user-id]:checked").map(function(){return e(this).data("user-id")});u({title:"Edit Users",body:e(`
+import{j as e,x as n,C as a,D as u}from"./main.8d24b34a.js";function d(r){let t=e("input[data-user-id]:checked").map(function(){return e(this).data("user-id")}),o=t.length===1?"user":"users";n({title:"Supprimer les utilisateurs",body:`\xCAtes-vous certain de vouloir supprimer ${t.length} ${o}?`,success:function(){const i=[];for(var s of t)i.push(a.fetch(`/api/v1/users/${s}`,{method:"DELETE"}));Promise.all(i).then(l=>{window.location.reload()})}})}function p(r){let t=e("input[data-user-id]:checked").map(function(){return e(this).data("user-id")});u({title:"Edit Users",body:e(`
     <form id="users-bulk-edit">
       <div class="form-group">
         <label>V\xE9rifi\xE9</label>
@@ -25,4 +25,4 @@ import{$ as e,u as n,C as a,B as u}from"./main.71d0edc5.js";function d(l){let t=
         </select>
       </div>
     </form>
-    `),button:"Soumettre",success:function(){let o=e("#users-bulk-edit").serializeJSON(!0);const i=[];for(var s of t)i.push(a.fetch(`/api/v1/users/${s}`,{method:"PATCH",body:JSON.stringify(o)}));Promise.all(i).then(r=>{window.location.reload()})}})}e(()=>{e("#users-delete-button").click(d),e("#users-edit-button").click(c)});
+    `),button:"Soumettre",success:function(){let o=e("#users-bulk-edit").serializeJSON(!0);const i=[];for(var s of t)i.push(a.fetch(`/api/v1/users/${s}`,{method:"PATCH",body:JSON.stringify(o)}));Promise.all(i).then(l=>{window.location.reload()})}})}e(()=>{e("#users-delete-button").click(d),e("#users-edit-button").click(p)});
diff --git a/CTFd/themes/admin/static/assets/tab.21ccc1b9.js b/CTFd/themes/admin/static/assets/tab.21ccc1b9.js
new file mode 100644
index 0000000000000000000000000000000000000000..dcfe33c064f29b376c11d506c9fe96c79ada0713
--- /dev/null
+++ b/CTFd/themes/admin/static/assets/tab.21ccc1b9.js
@@ -0,0 +1,5 @@
+import{G as V,H as S,I as w}from"./pages/main.8d24b34a.js";var P={exports:{}};/*!
+  * Bootstrap tab.js v4.3.1 (https://getbootstrap.com/)
+  * Copyright 2011-2019 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors)
+  * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)
+  */(function(N,W){(function(e,s){N.exports=s(V(),S())})(w,function(e,s){e=e&&e.hasOwnProperty("default")?e.default:e,s=s&&s.hasOwnProperty("default")?s.default:s;function I(i,l){for(var n=0;n<l.length;n++){var t=l[n];t.enumerable=t.enumerable||!1,t.configurable=!0,"value"in t&&(t.writable=!0),Object.defineProperty(i,t.key,t)}}function O(i,l,n){return l&&I(i.prototype,l),n&&I(i,n),i}var _="tab",C="4.3.1",T="bs.tab",E="."+T,g=".data-api",p=e.fn[_],h={HIDE:"hide"+E,HIDDEN:"hidden"+E,SHOW:"show"+E,SHOWN:"shown"+E,CLICK_DATA_API:"click"+E+g},o={DROPDOWN_MENU:"dropdown-menu",ACTIVE:"active",DISABLED:"disabled",FADE:"fade",SHOW:"show"},v={DROPDOWN:".dropdown",NAV_LIST_GROUP:".nav, .list-group",ACTIVE:".active",ACTIVE_UL:"> li > .active",DATA_TOGGLE:'[data-toggle="tab"], [data-toggle="pill"], [data-toggle="list"]',DROPDOWN_TOGGLE:".dropdown-toggle",DROPDOWN_ACTIVE_CHILD:"> .dropdown-menu .active"},A=function(){function i(n){this._element=n}var l=i.prototype;return l.show=function(){var t=this;if(!(this._element.parentNode&&this._element.parentNode.nodeType===Node.ELEMENT_NODE&&e(this._element).hasClass(o.ACTIVE)||e(this._element).hasClass(o.DISABLED))){var r,a,f=e(this._element).closest(v.NAV_LIST_GROUP)[0],d=s.getSelectorFromElement(this._element);if(f){var u=f.nodeName==="UL"||f.nodeName==="OL"?v.ACTIVE_UL:v.ACTIVE;a=e.makeArray(e(f).find(u)),a=a[a.length-1]}var c=e.Event(h.HIDE,{relatedTarget:this._element}),D=e.Event(h.SHOW,{relatedTarget:a});if(a&&e(a).trigger(c),e(this._element).trigger(D),!(D.isDefaultPrevented()||c.isDefaultPrevented())){d&&(r=document.querySelector(d)),this._activate(this._element,f);var m=function(){var b=e.Event(h.HIDDEN,{relatedTarget:t._element}),y=e.Event(h.SHOWN,{relatedTarget:a});e(a).trigger(b),e(t._element).trigger(y)};r?this._activate(r,r.parentNode,m):m()}}},l.dispose=function(){e.removeData(this._element,T),this._element=null},l._activate=function(t,r,a){var f=this,d=r&&(r.nodeName==="UL"||r.nodeName==="OL")?e(r).find(v.ACTIVE_UL):e(r).children(v.ACTIVE),u=d[0],c=a&&u&&e(u).hasClass(o.FADE),D=function(){return f._transitionComplete(t,u,a)};if(u&&c){var m=s.getTransitionDurationFromElement(u);e(u).removeClass(o.SHOW).one(s.TRANSITION_END,D).emulateTransitionEnd(m)}else D()},l._transitionComplete=function(t,r,a){if(r){e(r).removeClass(o.ACTIVE);var f=e(r.parentNode).find(v.DROPDOWN_ACTIVE_CHILD)[0];f&&e(f).removeClass(o.ACTIVE),r.getAttribute("role")==="tab"&&r.setAttribute("aria-selected",!1)}if(e(t).addClass(o.ACTIVE),t.getAttribute("role")==="tab"&&t.setAttribute("aria-selected",!0),s.reflow(t),t.classList.contains(o.FADE)&&t.classList.add(o.SHOW),t.parentNode&&e(t.parentNode).hasClass(o.DROPDOWN_MENU)){var d=e(t).closest(v.DROPDOWN)[0];if(d){var u=[].slice.call(d.querySelectorAll(v.DROPDOWN_TOGGLE));e(u).addClass(o.ACTIVE)}t.setAttribute("aria-expanded",!0)}a&&a()},i._jQueryInterface=function(t){return this.each(function(){var r=e(this),a=r.data(T);if(a||(a=new i(this),r.data(T,a)),typeof t=="string"){if(typeof a[t]>"u")throw new TypeError('No method named "'+t+'"');a[t]()}})},O(i,null,[{key:"VERSION",get:function(){return C}}]),i}();return e(document).on(h.CLICK_DATA_API,v.DATA_TOGGLE,function(i){i.preventDefault(),A._jQueryInterface.call(e(this),"show")}),e.fn[_]=A._jQueryInterface,e.fn[_].Constructor=A,e.fn[_].noConflict=function(){return e.fn[_]=p,A._jQueryInterface},A})})(P);
diff --git a/CTFd/themes/admin/static/assets/tab.facb6ef1.js b/CTFd/themes/admin/static/assets/tab.facb6ef1.js
deleted file mode 100644
index 7957a5dc2c4d93419f7bfd790f152543fbba1811..0000000000000000000000000000000000000000
--- a/CTFd/themes/admin/static/assets/tab.facb6ef1.js
+++ /dev/null
@@ -1,5 +0,0 @@
-import{E as V,G as S,H as w}from"./pages/main.71d0edc5.js";var P={exports:{}};/*!
-  * Bootstrap tab.js v4.3.1 (https://getbootstrap.com/)
-  * Copyright 2011-2019 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors)
-  * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)
-  */(function(O,W){(function(e,s){O.exports=s(V.exports,S())})(w,function(e,s){e=e&&e.hasOwnProperty("default")?e.default:e,s=s&&s.hasOwnProperty("default")?s.default:s;function N(i,l){for(var n=0;n<l.length;n++){var t=l[n];t.enumerable=t.enumerable||!1,t.configurable=!0,"value"in t&&(t.writable=!0),Object.defineProperty(i,t.key,t)}}function I(i,l,n){return l&&N(i.prototype,l),n&&N(i,n),i}var _="tab",C="4.3.1",T="bs.tab",E="."+T,g=".data-api",p=e.fn[_],h={HIDE:"hide"+E,HIDDEN:"hidden"+E,SHOW:"show"+E,SHOWN:"shown"+E,CLICK_DATA_API:"click"+E+g},o={DROPDOWN_MENU:"dropdown-menu",ACTIVE:"active",DISABLED:"disabled",FADE:"fade",SHOW:"show"},v={DROPDOWN:".dropdown",NAV_LIST_GROUP:".nav, .list-group",ACTIVE:".active",ACTIVE_UL:"> li > .active",DATA_TOGGLE:'[data-toggle="tab"], [data-toggle="pill"], [data-toggle="list"]',DROPDOWN_TOGGLE:".dropdown-toggle",DROPDOWN_ACTIVE_CHILD:"> .dropdown-menu .active"},A=function(){function i(n){this._element=n}var l=i.prototype;return l.show=function(){var t=this;if(!(this._element.parentNode&&this._element.parentNode.nodeType===Node.ELEMENT_NODE&&e(this._element).hasClass(o.ACTIVE)||e(this._element).hasClass(o.DISABLED))){var r,a,f=e(this._element).closest(v.NAV_LIST_GROUP)[0],d=s.getSelectorFromElement(this._element);if(f){var u=f.nodeName==="UL"||f.nodeName==="OL"?v.ACTIVE_UL:v.ACTIVE;a=e.makeArray(e(f).find(u)),a=a[a.length-1]}var c=e.Event(h.HIDE,{relatedTarget:this._element}),D=e.Event(h.SHOW,{relatedTarget:a});if(a&&e(a).trigger(c),e(this._element).trigger(D),!(D.isDefaultPrevented()||c.isDefaultPrevented())){d&&(r=document.querySelector(d)),this._activate(this._element,f);var m=function(){var b=e.Event(h.HIDDEN,{relatedTarget:t._element}),y=e.Event(h.SHOWN,{relatedTarget:a});e(a).trigger(b),e(t._element).trigger(y)};r?this._activate(r,r.parentNode,m):m()}}},l.dispose=function(){e.removeData(this._element,T),this._element=null},l._activate=function(t,r,a){var f=this,d=r&&(r.nodeName==="UL"||r.nodeName==="OL")?e(r).find(v.ACTIVE_UL):e(r).children(v.ACTIVE),u=d[0],c=a&&u&&e(u).hasClass(o.FADE),D=function(){return f._transitionComplete(t,u,a)};if(u&&c){var m=s.getTransitionDurationFromElement(u);e(u).removeClass(o.SHOW).one(s.TRANSITION_END,D).emulateTransitionEnd(m)}else D()},l._transitionComplete=function(t,r,a){if(r){e(r).removeClass(o.ACTIVE);var f=e(r.parentNode).find(v.DROPDOWN_ACTIVE_CHILD)[0];f&&e(f).removeClass(o.ACTIVE),r.getAttribute("role")==="tab"&&r.setAttribute("aria-selected",!1)}if(e(t).addClass(o.ACTIVE),t.getAttribute("role")==="tab"&&t.setAttribute("aria-selected",!0),s.reflow(t),t.classList.contains(o.FADE)&&t.classList.add(o.SHOW),t.parentNode&&e(t.parentNode).hasClass(o.DROPDOWN_MENU)){var d=e(t).closest(v.DROPDOWN)[0];if(d){var u=[].slice.call(d.querySelectorAll(v.DROPDOWN_TOGGLE));e(u).addClass(o.ACTIVE)}t.setAttribute("aria-expanded",!0)}a&&a()},i._jQueryInterface=function(t){return this.each(function(){var r=e(this),a=r.data(T);if(a||(a=new i(this),r.data(T,a)),typeof t=="string"){if(typeof a[t]>"u")throw new TypeError('No method named "'+t+'"');a[t]()}})},I(i,null,[{key:"VERSION",get:function(){return C}}]),i}();return e(document).on(h.CLICK_DATA_API,v.DATA_TOGGLE,function(i){i.preventDefault(),A._jQueryInterface.call(e(this),"show")}),e.fn[_]=A._jQueryInterface,e.fn[_].Constructor=A,e.fn[_].noConflict=function(){return e.fn[_]=p,A._jQueryInterface},A})})(P);
diff --git a/CTFd/themes/admin/static/assets/visual.0867334a.js b/CTFd/themes/admin/static/assets/visual.17795e29.js
similarity index 98%
rename from CTFd/themes/admin/static/assets/visual.0867334a.js
rename to CTFd/themes/admin/static/assets/visual.17795e29.js
index 22336ab0d0b5ede52c0f646c66b55fd6ee49be9d..fc37c0840f122cd0bd36d5f9323f379abad2fdab 100644
--- a/CTFd/themes/admin/static/assets/visual.0867334a.js
+++ b/CTFd/themes/admin/static/assets/visual.17795e29.js
@@ -1 +1 @@
-import{B as r}from"./pages/main.71d0edc5.js";window.carouselPosition=0;window.carouselMax=0;async function u(t){let e=t.id,l;try{l=JSON.parse(e),l%10==l%10&&(l=!1)}catch{}if(console.log(e),l){let s=!1;for(let o=0;o<l.length;o++)if(l[o].type=="thumbsnail"){s=!0;let i=a(l[o]);i.style.width="50px",i.style.height="auto",t.appendChild(i),t.onclick=c}if(!s){let o=document.createElement("p");o.textContent="Pas de miniature disponible pour les m\xE9dias actuels",t.appendChild(o)}}else if(e.length>66){let s=document.createElement("i");s.className="fas fa-file-alt",s.style.cursor="pointer",s.style.fontSize="24px",s.onclick=function(){d(e)},t.appendChild(s)}else{let s=document.createElement("p");s.textContent=e,s.style.wordWrap="break-word",t.appendChild(s)}}function d(t){let e=document.createElement("div");e.style.position="fixed",e.style.left="0",e.style.top="0",e.style.width="100%",e.style.height="100%",e.style.backgroundColor="rgba(0, 0, 0, 0.5)",e.style.zIndex="999",e.onclick=function(i){i.target===e&&document.body.removeChild(e)};let l=document.createElement("div");l.style.position="fixed",l.style.left="50%",l.style.top="50%",l.style.transform="translate(-50%, -50%)",l.style.backgroundColor="#f9f9f9",l.style.border="1px solid #ccc",l.style.borderRadius="8px",l.style.padding="20px",l.style.zIndex="1000",l.style.width="80%",l.style.maxWidth="600px",l.style.height="auto",l.style.maxHeight="40%",l.style.overflowY="auto",l.style.boxShadow="0 4px 8px rgba(0, 0, 0, 0.1)";let s=document.createElement("p");s.textContent=t,s.style.wordWrap="break-word",s.style.margin="0",s.style.color="#333",s.style.fontFamily="Arial, sans-serif",l.appendChild(s);let o=document.createElement("button");o.textContent="x",o.className="close",o.ariaLabel="Close",o.style.position="absolute",o.style.top="0px",o.style.right="5px",o.style.cursor="pointer",o.onclick=function(){document.body.removeChild(e)},l.appendChild(o),e.appendChild(l),document.body.appendChild(e)}function a(t){let e;return t.type=="video/webm"?(e=document.createElement("video"),e.controls=!0,e.type="video/webm"):(t.type=="image/png"||t.type=="thumbsnail")&&(e=document.createElement("img"),e.type="image/png"),e.src="/files/"+t.location,e}function c(t){window.carouselPosition=0;let e;try{e=JSON.parse(t.srcElement.id)}catch{e=JSON.parse(t.srcElement.parentElement.id)}let l=!1;window.carouselMax=e.length-1;let s="<section class='slider-wrapper'><ul class='slides-container list-unstyled' style:'list-style: none !important;' id='slides-container'>";for(let o=0;o<e.length;o++)if(e[o].type!="thumbsnail"){let i=a(e[o]);i.style.width="100%",i.style.objectFit="contain",i.style.height="500px";let n=document.createElement("div");n.append(i),s+='<li class="slide '+(l?o-1:o)+'slide" style="min-height:50%">',s+=n.innerHTML,s+="</li>"}else l=!0;s+="</ul></section>",s+=`<img src onerror='reloadCarousel(this.parentElement);'><button class='btn btn-primary carousel__navigation-button slide-arrow-prev' id='slide-arrow-prev' onclick='downCarousel(this)' style='display:block;position:absolute;top:40%;left:1rem;'><svg viewBox="0 0 100 100"><path d="M 50,0 L 60,10 L 20,50 L 60,90 L 50,100 L 0,50 Z" class="arrow" fill="white" transform="translate(15,0) rotate(0)"></path></svg></button><button style='position:absolute;top:40%;right:1rem;' class='btn btn-primary carousel__navigation-button slide-arrow-next' id='slide-arrow-next' onclick='upCarousel(this)'><svg viewBox="0 0 100 100"><path d="M 50,0 L 60,10 L 20,50 L 60,90 L 50,100 L 0,50 Z" class="arrow" fill="white" transform="translate(85,100) rotate(180)"></path></svg></button>`,r({title:"Visioneurs",body:s,button:"retour",additionalClassMain:"FullSizeCarousel"}),document.getElementsByClassName("modal-dialog")[0].style.listStyle="none"}window.upCarousel=function(t){window.carouselPosition+=1,window.carouselPosition!=window.carouselMax-1?(window.reloadCarousel(t.parentElement),t.parentElement.getElementsByClassName("slide-arrow-prev")[0].hidden=!1):(window.reloadCarousel(t.parentElement),t.parentElement.getElementsByClassName("slide-arrow-next")[0].hidden=!0,t.parentElement.getElementsByClassName("slide-arrow-prev")[0].hidden=!1)};window.downCarousel=function(t){window.carouselPosition-=1,window.carouselPosition!=0?(window.reloadCarousel(t.parentElement),t.parentElement.getElementsByClassName("slide-arrow-next")[0].hidden=!1):(window.reloadCarousel(t.parentElement),t.parentElement.getElementsByClassName("slide-arrow-prev")[0].hiddend=!0,t.parentElement.getElementsByClassName("slide-arrow-next")[0].hidden=!1)};window.reloadCarousel=function(t){window.carouselPosition==0&&(t.getElementsByClassName("slide-arrow-prev")[0].hidden=!0),window.carouselMax==1&&(t.getElementsByClassName("slide-arrow-next")[0].hidden=!0);for(let e=0;e<window.carouselMax;e++)if(e==window.carouselPosition)t.getElementsByClassName(e+"slide")[0].hidden=!1;else{t.getElementsByClassName(e+"slide")[0].hidden=!0;let l=t.getElementsByClassName(e+"slide")[0].firstChild;l.nodeName=="VIDEO"&&l.pause()}};export{u as s};
+import{D as r}from"./pages/main.8d24b34a.js";window.carouselPosition=0;window.carouselMax=0;async function u(t){let e=t.id,l;try{l=JSON.parse(e),l%10==l%10&&(l=!1)}catch{}if(console.log(e),l){let s=!1;for(let o=0;o<l.length;o++)if(l[o].type=="thumbsnail"){s=!0;let i=a(l[o]);i.style.width="50px",i.style.height="auto",t.appendChild(i),t.onclick=c}if(!s){let o=document.createElement("p");o.textContent="Pas de miniature disponible pour les m\xE9dias actuels",t.appendChild(o)}}else if(e.length>66){let s=document.createElement("i");s.className="fas fa-file-alt",s.style.cursor="pointer",s.style.fontSize="24px",s.onclick=function(){d(e)},t.appendChild(s)}else{let s=document.createElement("p");s.textContent=e,s.style.wordWrap="break-word",t.appendChild(s)}}function d(t){let e=document.createElement("div");e.style.position="fixed",e.style.left="0",e.style.top="0",e.style.width="100%",e.style.height="100%",e.style.backgroundColor="rgba(0, 0, 0, 0.5)",e.style.zIndex="999",e.onclick=function(i){i.target===e&&document.body.removeChild(e)};let l=document.createElement("div");l.style.position="fixed",l.style.left="50%",l.style.top="50%",l.style.transform="translate(-50%, -50%)",l.style.backgroundColor="#f9f9f9",l.style.border="1px solid #ccc",l.style.borderRadius="8px",l.style.padding="20px",l.style.zIndex="1000",l.style.width="80%",l.style.maxWidth="600px",l.style.height="auto",l.style.maxHeight="40%",l.style.overflowY="auto",l.style.boxShadow="0 4px 8px rgba(0, 0, 0, 0.1)";let s=document.createElement("p");s.textContent=t,s.style.wordWrap="break-word",s.style.margin="0",s.style.color="#333",s.style.fontFamily="Arial, sans-serif",l.appendChild(s);let o=document.createElement("button");o.textContent="x",o.className="close",o.ariaLabel="Close",o.style.position="absolute",o.style.top="0px",o.style.right="5px",o.style.cursor="pointer",o.onclick=function(){document.body.removeChild(e)},l.appendChild(o),e.appendChild(l),document.body.appendChild(e)}function a(t){let e;return t.type=="video/webm"?(e=document.createElement("video"),e.controls=!0,e.type="video/webm"):(t.type=="image/png"||t.type=="thumbsnail")&&(e=document.createElement("img"),e.type="image/png"),e.src="/files/"+t.location,e}function c(t){window.carouselPosition=0;let e;try{e=JSON.parse(t.srcElement.id)}catch{e=JSON.parse(t.srcElement.parentElement.id)}let l=!1;window.carouselMax=e.length-1;let s="<section class='slider-wrapper'><ul class='slides-container list-unstyled' style:'list-style: none !important;' id='slides-container'>";for(let o=0;o<e.length;o++)if(e[o].type!="thumbsnail"){let i=a(e[o]);i.style.width="100%",i.style.objectFit="contain",i.style.height="500px";let n=document.createElement("div");n.append(i),s+='<li class="slide '+(l?o-1:o)+'slide" style="min-height:50%">',s+=n.innerHTML,s+="</li>"}else l=!0;s+="</ul></section>",s+=`<img src onerror='reloadCarousel(this.parentElement);'><button class='btn btn-primary carousel__navigation-button slide-arrow-prev' id='slide-arrow-prev' onclick='downCarousel(this)' style='display:block;position:absolute;top:40%;left:1rem;'><svg viewBox="0 0 100 100"><path d="M 50,0 L 60,10 L 20,50 L 60,90 L 50,100 L 0,50 Z" class="arrow" fill="white" transform="translate(15,0) rotate(0)"></path></svg></button><button style='position:absolute;top:40%;right:1rem;' class='btn btn-primary carousel__navigation-button slide-arrow-next' id='slide-arrow-next' onclick='upCarousel(this)'><svg viewBox="0 0 100 100"><path d="M 50,0 L 60,10 L 20,50 L 60,90 L 50,100 L 0,50 Z" class="arrow" fill="white" transform="translate(85,100) rotate(180)"></path></svg></button>`,r({title:"Visioneurs",body:s,button:"retour",additionalClassMain:"FullSizeCarousel"}),document.getElementsByClassName("modal-dialog")[0].style.listStyle="none"}window.upCarousel=function(t){window.carouselPosition+=1,window.carouselPosition!=window.carouselMax-1?(window.reloadCarousel(t.parentElement),t.parentElement.getElementsByClassName("slide-arrow-prev")[0].hidden=!1):(window.reloadCarousel(t.parentElement),t.parentElement.getElementsByClassName("slide-arrow-next")[0].hidden=!0,t.parentElement.getElementsByClassName("slide-arrow-prev")[0].hidden=!1)};window.downCarousel=function(t){window.carouselPosition-=1,window.carouselPosition!=0?(window.reloadCarousel(t.parentElement),t.parentElement.getElementsByClassName("slide-arrow-next")[0].hidden=!1):(window.reloadCarousel(t.parentElement),t.parentElement.getElementsByClassName("slide-arrow-prev")[0].hiddend=!0,t.parentElement.getElementsByClassName("slide-arrow-next")[0].hidden=!1)};window.reloadCarousel=function(t){window.carouselPosition==0&&(t.getElementsByClassName("slide-arrow-prev")[0].hidden=!0),window.carouselMax==1&&(t.getElementsByClassName("slide-arrow-next")[0].hidden=!0);for(let e=0;e<window.carouselMax;e++)if(e==window.carouselPosition)t.getElementsByClassName(e+"slide")[0].hidden=!1;else{t.getElementsByClassName(e+"slide")[0].hidden=!0;let l=t.getElementsByClassName(e+"slide")[0].firstChild;l.nodeName=="VIDEO"&&l.pause()}};export{u as s};
diff --git a/CTFd/themes/admin/static/manifest.json b/CTFd/themes/admin/static/manifest.json
index 1807147b260a8c3178d9e2b63820f004aad620e6..03a5049402de4901c41b1fcefad760ecc6f2bf40 100644
--- a/CTFd/themes/admin/static/manifest.json
+++ b/CTFd/themes/admin/static/manifest.json
@@ -1,24 +1,24 @@
 {
   "assets/js/pages/main.js": {
-    "file": "assets/pages/main.71d0edc5.js",
+    "file": "assets/pages/main.8d24b34a.js",
     "src": "assets/js/pages/main.js",
     "isEntry": true
   },
   "assets/js/pages/challenge.js": {
-    "file": "assets/pages/challenge.5425c3a4.js",
+    "file": "assets/pages/challenge.95a87b31.js",
     "src": "assets/js/pages/challenge.js",
     "isEntry": true,
     "imports": [
       "assets/js/pages/main.js",
-      "_tab.facb6ef1.js",
-      "_CommentBox.f5ce8d13.js"
+      "_tab.21ccc1b9.js",
+      "_CommentBox.0d8a3850.js"
     ],
     "css": [
       "assets/challenge.66ec3ebe.css"
     ]
   },
   "assets/js/pages/challenges.js": {
-    "file": "assets/pages/challenges.e190ff8d.js",
+    "file": "assets/pages/challenges.3ef16b00.js",
     "src": "assets/js/pages/challenges.js",
     "isEntry": true,
     "imports": [
@@ -26,17 +26,17 @@
     ]
   },
   "assets/js/pages/configs.js": {
-    "file": "assets/pages/configs.1b411858.js",
+    "file": "assets/pages/configs.eb657dba.js",
     "src": "assets/js/pages/configs.js",
     "isEntry": true,
     "imports": [
       "assets/js/pages/main.js",
-      "_tab.facb6ef1.js",
-      "_htmlmixed.e85df030.js"
+      "_tab.21ccc1b9.js",
+      "_htmlmixed.5e629dd9.js"
     ]
   },
   "assets/js/pages/notifications.js": {
-    "file": "assets/pages/notifications.9890ee16.js",
+    "file": "assets/pages/notifications.556c7cc2.js",
     "src": "assets/js/pages/notifications.js",
     "isEntry": true,
     "imports": [
@@ -44,17 +44,17 @@
     ]
   },
   "assets/js/pages/editor.js": {
-    "file": "assets/pages/editor.5cc4e4af.js",
+    "file": "assets/pages/editor.be7bd728.js",
     "src": "assets/js/pages/editor.js",
     "isEntry": true,
     "imports": [
       "assets/js/pages/main.js",
-      "_htmlmixed.e85df030.js",
-      "_CommentBox.f5ce8d13.js"
+      "_htmlmixed.5e629dd9.js",
+      "_CommentBox.0d8a3850.js"
     ]
   },
   "assets/js/pages/pages.js": {
-    "file": "assets/pages/pages.b065c23f.js",
+    "file": "assets/pages/pages.d8f98a83.js",
     "src": "assets/js/pages/pages.js",
     "isEntry": true,
     "imports": [
@@ -62,7 +62,7 @@
     ]
   },
   "assets/js/pages/reset.js": {
-    "file": "assets/pages/reset.07e67875.js",
+    "file": "assets/pages/reset.64bd1adf.js",
     "src": "assets/js/pages/reset.js",
     "isEntry": true,
     "imports": [
@@ -70,7 +70,7 @@
     ]
   },
   "assets/js/pages/scoreboard.js": {
-    "file": "assets/pages/scoreboard.1273237b.js",
+    "file": "assets/pages/scoreboard.1ba6b97f.js",
     "src": "assets/js/pages/scoreboard.js",
     "isEntry": true,
     "imports": [
@@ -78,37 +78,37 @@
     ]
   },
   "assets/js/pages/statistics.js": {
-    "file": "assets/pages/statistics.7e5d4d77.js",
+    "file": "assets/pages/statistics.d3acff9b.js",
     "src": "assets/js/pages/statistics.js",
     "isEntry": true,
     "imports": [
       "assets/js/pages/main.js",
-      "_echarts.common.a0aaa3a0.js"
+      "_echarts.common.5eba8a0a.js"
     ]
   },
   "assets/js/pages/submissions.js": {
-    "file": "assets/pages/submissions.2a80c1be.js",
+    "file": "assets/pages/submissions.bbd6ed9e.js",
     "src": "assets/js/pages/submissions.js",
     "isEntry": true,
     "imports": [
       "assets/js/pages/main.js",
-      "_visual.0867334a.js"
+      "_visual.17795e29.js"
     ]
   },
   "assets/js/pages/team.js": {
-    "file": "assets/pages/team.ef99a2c2.js",
+    "file": "assets/pages/team.f397c93e.js",
     "src": "assets/js/pages/team.js",
     "isEntry": true,
     "imports": [
       "assets/js/pages/main.js",
-      "_graphs.253aebe5.js",
-      "_CommentBox.f5ce8d13.js",
-      "_visual.0867334a.js",
-      "_echarts.common.a0aaa3a0.js"
+      "_graphs.5c638a7f.js",
+      "_CommentBox.0d8a3850.js",
+      "_visual.17795e29.js",
+      "_echarts.common.5eba8a0a.js"
     ]
   },
   "assets/js/pages/teams.js": {
-    "file": "assets/pages/teams.0e292b4f.js",
+    "file": "assets/pages/teams.a63c643b.js",
     "src": "assets/js/pages/teams.js",
     "isEntry": true,
     "imports": [
@@ -116,19 +116,19 @@
     ]
   },
   "assets/js/pages/user.js": {
-    "file": "assets/pages/user.756e0cbb.js",
+    "file": "assets/pages/user.77f8e834.js",
     "src": "assets/js/pages/user.js",
     "isEntry": true,
     "imports": [
       "assets/js/pages/main.js",
-      "_graphs.253aebe5.js",
-      "_CommentBox.f5ce8d13.js",
-      "_visual.0867334a.js",
-      "_echarts.common.a0aaa3a0.js"
+      "_graphs.5c638a7f.js",
+      "_CommentBox.0d8a3850.js",
+      "_visual.17795e29.js",
+      "_echarts.common.5eba8a0a.js"
     ]
   },
   "assets/js/pages/users.js": {
-    "file": "assets/pages/users.8086917d.js",
+    "file": "assets/pages/users.60f832bb.js",
     "src": "assets/js/pages/users.js",
     "isEntry": true,
     "imports": [
@@ -138,14 +138,14 @@
   "_echarts.7b83cee2.js": {
     "file": "assets/echarts.7b83cee2.js"
   },
-  "_tab.21ccc1b9.js": {
-    "file": "assets/tab.21ccc1b9.js",
+  "_tab.facb6ef1.js": {
+    "file": "assets/tab.facb6ef1.js",
     "imports": [
       "assets/js/pages/main.js"
     ]
   },
-  "_CommentBox.0d8a3850.js": {
-    "file": "assets/CommentBox.0d8a3850.js",
+  "_CommentBox.f5ce8d13.js": {
+    "file": "assets/CommentBox.f5ce8d13.js",
     "imports": [
       "assets/js/pages/main.js"
     ],
@@ -153,29 +153,29 @@
       "assets/CommentBox.23213b39.css"
     ]
   },
-  "_htmlmixed.38cc7a65.js": {
-    "file": "assets/htmlmixed.38cc7a65.js",
+  "_htmlmixed.e85df030.js": {
+    "file": "assets/htmlmixed.e85df030.js",
     "imports": [
       "assets/js/pages/main.js"
     ]
   },
-  "_echarts.common.5eba8a0a.js": {
-    "file": "assets/echarts.common.5eba8a0a.js",
+  "_echarts.common.a0aaa3a0.js": {
+    "file": "assets/echarts.common.a0aaa3a0.js",
     "imports": [
       "assets/js/pages/main.js"
     ]
   },
-  "_visual.17795e29.js": {
-    "file": "assets/visual.17795e29.js",
+  "_visual.0867334a.js": {
+    "file": "assets/visual.0867334a.js",
     "imports": [
       "assets/js/pages/main.js"
     ]
   },
-  "_graphs.5c638a7f.js": {
-    "file": "assets/graphs.5c638a7f.js",
+  "_graphs.253aebe5.js": {
+    "file": "assets/graphs.253aebe5.js",
     "imports": [
       "assets/js/pages/main.js",
-      "_echarts.common.5eba8a0a.js"
+      "_echarts.common.a0aaa3a0.js"
     ]
   },
   "CommentBox.css": {
@@ -196,35 +196,29 @@
     "src": "assets/css/admin.scss",
     "isEntry": true
   },
-  "assets/css/codemirror.scss": {
-    "file": "assets/codemirror.d74a88bc.css",
-    "src": "assets/css/codemirror.scss",
-    "isEntry": true
-  },
   "assets/css/fonts.scss": {
     "file": "assets/fonts.ffb05726.css",
     "src": "assets/css/fonts.scss",
     "isEntry": true
   },
+  "assets/css/codemirror.scss": {
+    "file": "assets/codemirror.d74a88bc.css",
+    "src": "assets/css/codemirror.scss",
+    "isEntry": true
+  },
   "assets/css/main.scss": {
     "file": "assets/main.088f55c6.css",
     "src": "assets/css/main.scss",
     "isEntry": true
   },
-  "_htmlmixed.5e629dd9.js": {
-    "file": "assets/htmlmixed.5e629dd9.js",
-    "imports": [
-      "assets/js/pages/main.js"
-    ]
-  },
-  "_tab.facb6ef1.js": {
-    "file": "assets/tab.facb6ef1.js",
+  "_tab.21ccc1b9.js": {
+    "file": "assets/tab.21ccc1b9.js",
     "imports": [
       "assets/js/pages/main.js"
     ]
   },
-  "_CommentBox.f5ce8d13.js": {
-    "file": "assets/CommentBox.f5ce8d13.js",
+  "_CommentBox.0d8a3850.js": {
+    "file": "assets/CommentBox.0d8a3850.js",
     "imports": [
       "assets/js/pages/main.js"
     ],
@@ -232,29 +226,29 @@
       "assets/CommentBox.23213b39.css"
     ]
   },
-  "_htmlmixed.e85df030.js": {
-    "file": "assets/htmlmixed.e85df030.js",
+  "_htmlmixed.5e629dd9.js": {
+    "file": "assets/htmlmixed.5e629dd9.js",
     "imports": [
       "assets/js/pages/main.js"
     ]
   },
-  "_echarts.common.a0aaa3a0.js": {
-    "file": "assets/echarts.common.a0aaa3a0.js",
+  "_echarts.common.5eba8a0a.js": {
+    "file": "assets/echarts.common.5eba8a0a.js",
     "imports": [
       "assets/js/pages/main.js"
     ]
   },
-  "_visual.0867334a.js": {
-    "file": "assets/visual.0867334a.js",
+  "_visual.17795e29.js": {
+    "file": "assets/visual.17795e29.js",
     "imports": [
       "assets/js/pages/main.js"
     ]
   },
-  "_graphs.253aebe5.js": {
-    "file": "assets/graphs.253aebe5.js",
+  "_graphs.5c638a7f.js": {
+    "file": "assets/graphs.5c638a7f.js",
     "imports": [
       "assets/js/pages/main.js",
-      "_echarts.common.a0aaa3a0.js"
+      "_echarts.common.5eba8a0a.js"
     ]
   }
 }
\ No newline at end of file
diff --git a/CTFd/themes/core-beta/templates/components/navbar.html b/CTFd/themes/core-beta/templates/components/navbar.html
index 83a3b8ef0d087425a4b6069159173b4d1c7ade41..3c6e3725f1f6a78699791a5223a47fc5de415914 100644
--- a/CTFd/themes/core-beta/templates/components/navbar.html
+++ b/CTFd/themes/core-beta/templates/components/navbar.html
@@ -72,7 +72,7 @@
 
           {% if is_admin() %}
             <li class="nav-item">
-              <a class="nav-link" href="{{ url_for('admin.teams_listing') }}">
+              <a class="nav-link" href="{{ url_for('admin.submissions_listing') }}">
                 <span data-bs-toggle="tooltip" data-bs-placement="bottom" title="{% trans %}Admin Panel{% endtrans %}">
                     <i class="fas fa-wrench d-none d-md-inline d-lg-none"></i>
                 </span>