{ "cells": [ { "cell_type": "markdown", "metadata": {}, "source": [ "# Bokeh-Beispiel\n", "\n", "In Bokeh werden ganze Dateien geladen, deswegen müssen die SVG-Kacheln rechteckig sein." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## 1. Importe\n", "\n", "Wir benötigen folgende Importe, um Bokeh in Jupyter Notebooks anzeigen zu können und die SVG-Dateien [Base64](https://developer.mozilla.org/de/docs/Glossary/Base64)-kodiert verarbeiten zu können." ] }, { "cell_type": "code", "execution_count": 1, "metadata": { "execution": { "iopub.execute_input": "2026-03-08T21:43:04.614287Z", "iopub.status.busy": "2026-03-08T21:43:04.613967Z", "iopub.status.idle": "2026-03-08T21:43:04.963654Z", "shell.execute_reply": "2026-03-08T21:43:04.963141Z", "shell.execute_reply.started": "2026-03-08T21:43:04.614260Z" } }, "outputs": [ { "data": { "text/html": [ " \n", "
\n", " \n", " Loading BokehJS ...\n", "
\n" ] }, "metadata": {}, "output_type": "display_data" }, { "data": { "application/javascript": [ "'use strict';\n", "(function(root) {\n", " function now() {\n", " return new Date();\n", " }\n", "\n", " const force = true;\n", "\n", " if (typeof root._bokeh_onload_callbacks === \"undefined\" || force === true) {\n", " root._bokeh_onload_callbacks = [];\n", " root._bokeh_is_loading = undefined;\n", " }\n", "\n", "const JS_MIME_TYPE = 'application/javascript';\n", " const HTML_MIME_TYPE = 'text/html';\n", " const EXEC_MIME_TYPE = 'application/vnd.bokehjs_exec.v0+json';\n", " const CLASS_NAME = 'output_bokeh rendered_html';\n", "\n", " /**\n", " * Render data to the DOM node\n", " */\n", " function render(props, node) {\n", " const script = document.createElement(\"script\");\n", " node.appendChild(script);\n", " }\n", "\n", " /**\n", " * Handle when an output is cleared or removed\n", " */\n", " function handleClearOutput(event, handle) {\n", " function drop(id) {\n", " const view = Bokeh.index.get_by_id(id)\n", " if (view != null) {\n", " view.model.document.clear()\n", " Bokeh.index.delete(view)\n", " }\n", " }\n", "\n", " const cell = handle.cell;\n", "\n", " const id = cell.output_area._bokeh_element_id;\n", " const server_id = cell.output_area._bokeh_server_id;\n", "\n", " // Clean up Bokeh references\n", " if (id != null) {\n", " drop(id)\n", " }\n", "\n", " if (server_id !== undefined) {\n", " // Clean up Bokeh references\n", " const cmd_clean = \"from bokeh.io.state import curstate; print(curstate().uuid_to_server['\" + server_id + \"'].get_sessions()[0].document.roots[0]._id)\";\n", " cell.notebook.kernel.execute(cmd_clean, {\n", " iopub: {\n", " output: function(msg) {\n", " const id = msg.content.text.trim()\n", " drop(id)\n", " }\n", " }\n", " });\n", " // Destroy server and session\n", " const cmd_destroy = \"import bokeh.io.notebook as ion; ion.destroy_server('\" + server_id + \"')\";\n", " cell.notebook.kernel.execute(cmd_destroy);\n", " }\n", " }\n", "\n", " /**\n", " * Handle when a new output is added\n", " */\n", " function handleAddOutput(event, handle) {\n", " const output_area = handle.output_area;\n", " const output = handle.output;\n", "\n", " // limit handleAddOutput to display_data with EXEC_MIME_TYPE content only\n", " if ((output.output_type != \"display_data\") || (!Object.prototype.hasOwnProperty.call(output.data, EXEC_MIME_TYPE))) {\n", " return\n", " }\n", "\n", " const toinsert = output_area.element.find(\".\" + CLASS_NAME.split(' ')[0]);\n", "\n", " if (output.metadata[EXEC_MIME_TYPE][\"id\"] !== undefined) {\n", " toinsert[toinsert.length - 1].firstChild.textContent = output.data[JS_MIME_TYPE];\n", " // store reference to embed id on output_area\n", " output_area._bokeh_element_id = output.metadata[EXEC_MIME_TYPE][\"id\"];\n", " }\n", " if (output.metadata[EXEC_MIME_TYPE][\"server_id\"] !== undefined) {\n", " const bk_div = document.createElement(\"div\");\n", " bk_div.innerHTML = output.data[HTML_MIME_TYPE];\n", " const script_attrs = bk_div.children[0].attributes;\n", " for (let i = 0; i < script_attrs.length; i++) {\n", " toinsert[toinsert.length - 1].firstChild.setAttribute(script_attrs[i].name, script_attrs[i].value);\n", " toinsert[toinsert.length - 1].firstChild.textContent = bk_div.children[0].textContent\n", " }\n", " // store reference to server id on output_area\n", " output_area._bokeh_server_id = output.metadata[EXEC_MIME_TYPE][\"server_id\"];\n", " }\n", " }\n", "\n", " function register_renderer(events, OutputArea) {\n", "\n", " function append_mime(data, metadata, element) {\n", " // create a DOM node to render to\n", " const toinsert = this.create_output_subarea(\n", " metadata,\n", " CLASS_NAME,\n", " EXEC_MIME_TYPE\n", " );\n", " this.keyboard_manager.register_events(toinsert);\n", " // Render to node\n", " const props = {data: data, metadata: metadata[EXEC_MIME_TYPE]};\n", " render(props, toinsert[toinsert.length - 1]);\n", " element.append(toinsert);\n", " return toinsert\n", " }\n", "\n", " /* Handle when an output is cleared or removed */\n", " events.on('clear_output.CodeCell', handleClearOutput);\n", " events.on('delete.Cell', handleClearOutput);\n", "\n", " /* Handle when a new output is added */\n", " events.on('output_added.OutputArea', handleAddOutput);\n", "\n", " /**\n", " * Register the mime type and append_mime function with output_area\n", " */\n", " OutputArea.prototype.register_mime_type(EXEC_MIME_TYPE, append_mime, {\n", " /* Is output safe? */\n", " safe: true,\n", " /* Index of renderer in `output_area.display_order` */\n", " index: 0\n", " });\n", " }\n", "\n", " // register the mime type if in Jupyter Notebook environment and previously unregistered\n", " if (root.Jupyter !== undefined) {\n", " const events = require('base/js/events');\n", " const OutputArea = require('notebook/js/outputarea').OutputArea;\n", "\n", " if (OutputArea.prototype.mime_types().indexOf(EXEC_MIME_TYPE) == -1) {\n", " register_renderer(events, OutputArea);\n", " }\n", " }\n", " if (typeof (root._bokeh_timeout) === \"undefined\" || force === true) {\n", " root._bokeh_timeout = Date.now() + 5000;\n", " root._bokeh_failed_load = false;\n", " }\n", "\n", " const NB_LOAD_WARNING = {'data': {'text/html':\n", " \"
\\n\"+\n", " \"

\\n\"+\n", " \"BokehJS does not appear to have successfully loaded. If loading BokehJS from CDN, this \\n\"+\n", " \"may be due to a slow or bad network connection. Possible fixes:\\n\"+\n", " \"

\\n\"+\n", " \"\\n\"+\n", " \"\\n\"+\n", " \"from bokeh.resources import INLINE\\n\"+\n", " \"output_notebook(resources=INLINE)\\n\"+\n", " \"\\n\"+\n", " \"
\"}};\n", "\n", " function display_loaded(error = null) {\n", " const el = document.getElementById(\"a1ea6fd6-dad5-483d-895f-7d6838bff706\");\n", " if (el != null) {\n", " const html = (() => {\n", " if (typeof root.Bokeh === \"undefined\") {\n", " if (error == null) {\n", " return \"BokehJS is loading ...\";\n", " } else {\n", " return \"BokehJS failed to load.\";\n", " }\n", " } else {\n", " const prefix = `BokehJS ${root.Bokeh.version}`;\n", " if (error == null) {\n", " return `${prefix} successfully loaded.`;\n", " } else {\n", " return `${prefix} encountered errors while loading and may not function as expected.`;\n", " }\n", " }\n", " })();\n", " el.innerHTML = html;\n", "\n", " if (error != null) {\n", " const wrapper = document.createElement(\"div\");\n", " wrapper.style.overflow = \"auto\";\n", " wrapper.style.height = \"5em\";\n", " wrapper.style.resize = \"vertical\";\n", " const content = document.createElement(\"div\");\n", " content.style.fontFamily = \"monospace\";\n", " content.style.whiteSpace = \"pre-wrap\";\n", " content.style.backgroundColor = \"rgb(255, 221, 221)\";\n", " content.textContent = error.stack ?? error.toString();\n", " wrapper.append(content);\n", " el.append(wrapper);\n", " }\n", " } else if (Date.now() < root._bokeh_timeout) {\n", " setTimeout(() => display_loaded(error), 100);\n", " }\n", " }\n", "\n", " function run_callbacks() {\n", " try {\n", " root._bokeh_onload_callbacks.forEach(function(callback) {\n", " if (callback != null)\n", " callback();\n", " });\n", " } finally {\n", " delete root._bokeh_onload_callbacks\n", " }\n", " console.debug(\"Bokeh: all callbacks have finished\");\n", " }\n", "\n", " function load_libs(css_urls, js_urls, callback) {\n", " if (css_urls == null) css_urls = [];\n", " if (js_urls == null) js_urls = [];\n", "\n", " root._bokeh_onload_callbacks.push(callback);\n", " if (root._bokeh_is_loading > 0) {\n", " console.debug(\"Bokeh: BokehJS is being loaded, scheduling callback at\", now());\n", " return null;\n", " }\n", " if (js_urls == null || js_urls.length === 0) {\n", " run_callbacks();\n", " return null;\n", " }\n", " console.debug(\"Bokeh: BokehJS not loaded, scheduling load and callback at\", now());\n", " root._bokeh_is_loading = css_urls.length + js_urls.length;\n", "\n", " function on_load() {\n", " root._bokeh_is_loading--;\n", " if (root._bokeh_is_loading === 0) {\n", " console.debug(\"Bokeh: all BokehJS libraries/stylesheets loaded\");\n", " run_callbacks()\n", " }\n", " }\n", "\n", " function on_error(url) {\n", " console.error(\"failed to load \" + url);\n", " }\n", "\n", " for (let i = 0; i < css_urls.length; i++) {\n", " const url = css_urls[i];\n", " const element = document.createElement(\"link\");\n", " element.onload = on_load;\n", " element.onerror = on_error.bind(null, url);\n", " element.rel = \"stylesheet\";\n", " element.type = \"text/css\";\n", " element.href = url;\n", " console.debug(\"Bokeh: injecting link tag for BokehJS stylesheet: \", url);\n", " document.body.appendChild(element);\n", " }\n", "\n", " for (let i = 0; i < js_urls.length; i++) {\n", " const url = js_urls[i];\n", " const element = document.createElement('script');\n", " element.onload = on_load;\n", " element.onerror = on_error.bind(null, url);\n", " element.async = false;\n", " element.src = url;\n", " console.debug(\"Bokeh: injecting script tag for BokehJS library: \", url);\n", " document.head.appendChild(element);\n", " }\n", " };\n", "\n", " function inject_raw_css(css) {\n", " const element = document.createElement(\"style\");\n", " element.appendChild(document.createTextNode(css));\n", " document.body.appendChild(element);\n", " }\n", "\n", " const js_urls = [];\n", " const css_urls = [];\n", "\n", " const inline_js = [ function(Bokeh) {\n", " /* BEGIN bokeh.min.js */\n", " 'use strict';\n", " /*!\n", " * Copyright (c) Anaconda, Inc., and Bokeh Contributors\n", " * All rights reserved.\n", " * \n", " * Redistribution and use in source and binary forms, with or without modification,\n", " * are permitted provided that the following conditions are met:\n", " * \n", " * Redistributions of source code must retain the above copyright notice,\n", " * this list of conditions and the following disclaimer.\n", " * \n", " * Redistributions in binary form must reproduce the above copyright notice,\n", " * this list of conditions and the following disclaimer in the documentation\n", " * and/or other materials provided with the distribution.\n", " * \n", " * Neither the name of Anaconda nor the names of any contributors\n", " * may be used to endorse or promote products derived from this software\n", " * without specific prior written permission.\n", " * \n", " * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS \"AS IS\"\n", " * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\n", " * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE\n", " * ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE\n", " * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR\n", " * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF\n", " * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS\n", " * INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN\n", " * CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)\n", " * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF\n", " * THE POSSIBILITY OF SUCH DAMAGE.\n", " */\n", " (function(root, factory) {\n", " const bokeh = factory();\n", " bokeh.__bokeh__ = true;\n", " if (typeof root.Bokeh === \"undefined\" || typeof root.Bokeh.__bokeh__ === \"undefined\") {\n", " root.Bokeh = bokeh;\n", " }\n", " const Bokeh = root.Bokeh;\n", " Bokeh[bokeh.version] = bokeh;\n", " })(this, function() {\n", " let define;\n", " const parent_require = typeof require === \"function\" && require\n", " return (function(modules, entry, aliases, externals) {\n", " if (aliases === undefined) aliases = {};\n", " if (externals === undefined) externals = {};\n", "\n", " const cache = {};\n", "\n", " const normalize = function(name) {\n", " if (typeof name === \"number\")\n", " return name;\n", "\n", " if (name === \"bokehjs\")\n", " return entry;\n", "\n", " if (!externals[name]) {\n", " const prefix = \"@bokehjs/\"\n", " if (name.slice(0, prefix.length) === prefix)\n", " name = name.slice(prefix.length)\n", " }\n", "\n", " const alias = aliases[name]\n", " if (alias != null)\n", " return alias;\n", "\n", " const trailing = name.length > 0 && name[name.length-1] === \"/\";\n", " const index = aliases[name + (trailing ? \"\" : \"/\") + \"index\"];\n", " if (index != null)\n", " return index;\n", "\n", " return name;\n", " }\n", "\n", " const require = function(name) {\n", " let mod = cache[name];\n", " if (!mod) {\n", " const id = normalize(name);\n", "\n", " mod = cache[id];\n", " if (!mod) {\n", " if (!modules[id]) {\n", " if (externals[id] === false || (externals[id] == true && parent_require)) {\n", " try {\n", " mod = {exports: externals[id] ? parent_require(id) : {}};\n", " cache[id] = cache[name] = mod;\n", " return mod.exports;\n", " } catch (e) {}\n", " }\n", "\n", " const err = new Error(\"Cannot find module '\" + name + \"'\");\n", " err.code = 'MODULE_NOT_FOUND';\n", " throw err;\n", " }\n", "\n", " mod = {exports: {}};\n", " cache[id] = cache[name] = mod;\n", "\n", " function __esModule() {\n", " Object.defineProperty(mod.exports, \"__esModule\", {value: true});\n", " }\n", "\n", " function __esExport(name, value) {\n", " Object.defineProperty(mod.exports, name, {\n", " enumerable: true, get: function () { return value; }\n", " });\n", " }\n", "\n", " modules[id].call(mod.exports, require, mod, mod.exports, __esModule, __esExport);\n", " } else {\n", " cache[name] = mod;\n", " }\n", " }\n", "\n", " return mod.exports;\n", " }\n", " require.resolve = function(name) {\n", " return \"\"\n", " }\n", "\n", " const main = require(entry);\n", " main.require = require;\n", "\n", " if (typeof Proxy !== \"undefined\") {\n", " // allow Bokeh.loader[\"@bokehjs/module/name\"] syntax\n", " main.loader = new Proxy({}, {\n", " get: function(_obj, module) {\n", " return require(module);\n", " }\n", " });\n", " }\n", "\n", " main.register_plugin = function(plugin_modules, plugin_entry, plugin_aliases, plugin_externals) {\n", " if (plugin_aliases === undefined) plugin_aliases = {};\n", " if (plugin_externals === undefined) plugin_externals = {};\n", "\n", " for (let name in plugin_modules) {\n", " modules[name] = plugin_modules[name];\n", " }\n", "\n", " for (let name in plugin_aliases) {\n", " aliases[name] = plugin_aliases[name];\n", " }\n", "\n", " for (let name in plugin_externals) {\n", " externals[name] = plugin_externals[name];\n", " }\n", "\n", " const plugin = require(plugin_entry);\n", "\n", " for (let name in plugin) {\n", " main[name] = plugin[name];\n", " }\n", "\n", " return plugin;\n", " }\n", "\n", " return main;\n", " })\n", " ([\n", " function _(t,_,n,o,r){o();t(1).__exportStar(t(2),n),t(91)},\n", " function _(e,t,r,n,o){n(),r.__extends=i,r.__rest=c,r.__decorate=s,r.__param=u,r.__esDecorate=f,r.__runInitializers=l,r.__propKey=p,r.__setFunctionName=_,r.__metadata=y,r.__awaiter=d,r.__generator=h,r.__exportStar=v,r.__values=b,r.__read=w,r.__spread=m,r.__spreadArrays=g,r.__spreadArray=O,r.__await=j,r.__asyncGenerator=P,r.__asyncDelegator=S,r.__asyncValues=E,r.__makeTemplateObject=x,r.__importStar=D,r.__importDefault=R,r.__classPrivateFieldGet=k,r.__classPrivateFieldSet=A,r.__classPrivateFieldIn=F,r.__addDisposableResource=C,r.__disposeResources=G,r.__rewriteRelativeImportExtension=z;var a=function(e,t){return a=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&(e[r]=t[r])},a(e,t)};function i(e,t){if(\"function\"!=typeof t&&null!==t)throw new TypeError(\"Class extends value \"+String(t)+\" is not a constructor or null\");function r(){this.constructor=e}a(e,t),e.prototype=null===t?Object.create(t):(r.prototype=t.prototype,new r)}function c(e,t){var r={};for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&t.indexOf(n)<0&&(r[n]=e[n]);if(null!=e&&\"function\"==typeof Object.getOwnPropertySymbols){var o=0;for(n=Object.getOwnPropertySymbols(e);o=0;c--)(o=e[c])&&(i=(a<3?o(i):a>3?o(t,r,i):o(t,r))||i);return a>3&&i&&Object.defineProperty(t,r,i),i}function u(e,t){return function(r,n){t(r,n,e)}}function f(e,t,r,n,o,a){function i(e){if(void 0!==e&&\"function\"!=typeof e)throw new TypeError(\"Function expected\");return e}for(var c,s=n.kind,u=\"getter\"===s?\"get\":\"setter\"===s?\"set\":\"value\",f=!t&&e?n.static?e:e.prototype:null,l=t||(f?Object.getOwnPropertyDescriptor(f,n.name):{}),p=!1,_=r.length-1;_>=0;_--){var y={};for(var d in n)y[d]=\"access\"===d?{}:n[d];for(var d in n.access)y.access[d]=n.access[d];y.addInitializer=function(e){if(p)throw new TypeError(\"Cannot add initializers after decoration has completed\");a.push(i(e||null))};var h=(0,r[_])(\"accessor\"===s?{get:l.get,set:l.set}:l[u],y);if(\"accessor\"===s){if(void 0===h)continue;if(null===h||\"object\"!=typeof h)throw new TypeError(\"Object expected\");(c=i(h.get))&&(l.get=c),(c=i(h.set))&&(l.set=c),(c=i(h.init))&&o.unshift(c)}else(c=i(h))&&(\"field\"===s?o.unshift(c):l[u]=c)}f&&Object.defineProperty(f,n.name,l),p=!0}function l(e,t,r){for(var n=arguments.length>2,o=0;o0&&o[o.length-1])||6!==c[0]&&2!==c[0])){a=0;continue}if(3===c[0]&&(!o||c[1]>o[0]&&c[1]=e.length&&(e=void 0),{value:e&&e[n++],done:!e}}};throw new TypeError(t?\"Object is not iterable.\":\"Symbol.iterator is not defined.\")}function w(e,t){var r=\"function\"==typeof Symbol&&e[Symbol.iterator];if(!r)return e;var n,o,a=r.call(e),i=[];try{for(;(void 0===t||t-- >0)&&!(n=a.next()).done;)i.push(n.value)}catch(e){o={error:e}}finally{try{n&&!n.done&&(r=a.return)&&r.call(a)}finally{if(o)throw o.error}}return i}function m(){for(var e=[],t=0;t1||c(e,t)}))},t&&(n[e]=t(n[e])))}function c(e,t){try{(r=o[e](t)).value instanceof j?Promise.resolve(r.value.v).then(s,u):f(a[0][2],r)}catch(e){f(a[0][3],e)}var r}function s(e){c(\"next\",e)}function u(e){c(\"throw\",e)}function f(e,t){e(t),a.shift(),a.length&&c(a[0][0],a[0][1])}}function S(e){var t,r;return t={},n(\"next\"),n(\"throw\",(function(e){throw e})),n(\"return\"),t[Symbol.iterator]=function(){return this},t;function n(n,o){t[n]=e[n]?function(t){return(r=!r)?{value:j(e[n](t)),done:!1}:o?o(t):t}:o}}function E(e){if(!Symbol.asyncIterator)throw new TypeError(\"Symbol.asyncIterator is not defined.\");var t,r=e[Symbol.asyncIterator];return r?r.call(e):(e=b(e),t={},n(\"next\"),n(\"throw\"),n(\"return\"),t[Symbol.asyncIterator]=function(){return this},t);function n(r){t[r]=e[r]&&function(t){return new Promise((function(n,o){(function(e,t,r,n){Promise.resolve(n).then((function(t){e({value:t,done:r})}),t)})(n,o,(t=e[r](t)).done,t.value)}))}}}function x(e,t){return Object.defineProperty?Object.defineProperty(e,\"raw\",{value:t}):e.raw=t,e}r.__assign=function(){return r.__assign=Object.assign||function(e){for(var t,r=1,n=arguments.length;rthis._config=e))}constructor(e={}){this._notified_idle=!1,this._hold_models_freeze=!1,this._recompute_timer=null,s.documents.push(this),this._init_timestamp=Date.now(),this._resolver=e.resolver??new c.ModelResolver(n.default_resolver),this._title=s.DEFAULT_TITLE,this._roots=[],this._all_models=new Map,this._new_models=new Set,this._all_models_freeze_count=0,this._callbacks=new Map,this._document_callbacks=new Map,this._message_callbacks=new Map,this.event_manager=new j(this),this.idle=new u.Signal0(this,\"idle\"),this._idle_roots=new WeakSet,this._interactive_timestamp=null,this._interactive_plot=null,this._recompute_timeout=e.recompute_timeout??3e4,null!=e.roots&&this._add_roots(...e.roots),this.on_message(\"bokeh_event\",(e=>{(0,b.assert)(e instanceof D.ModelEvent),this.event_manager.trigger(e)})),this.config=new z.DocumentConfig}[g.equals](e,t){return this==e}get all_models(){return new Set(this._all_models.values())}get is_idle(){for(const e of this.roots())if(!this._idle_roots.has(e))return!1;return!0}notify_idle(e){!this._notified_idle&&this.roots().includes(e)&&(this._idle_roots.add(e),this.is_idle&&(r.logger.info(`document idle at ${Date.now()-this._init_timestamp} ms`),this.event_manager.send_event(new E.DocumentReady),this.idle.emit(),this._notified_idle=!0))}clear({sync:e}={}){this._push_all_models_freeze();try{for(;this._roots.length>0;)this.remove_root(this._roots[0],{sync:e});this._config=void 0}finally{this._pop_all_models_freeze()}}interactive_start(e,t=null){null==this._interactive_plot&&(this._interactive_plot=e,this._interactive_plot.trigger_event(new E.LODStart)),this._interactive_finalize=t,this._interactive_timestamp=Date.now()}interactive_stop(){null!=this._interactive_plot&&(this._interactive_plot.trigger_event(new E.LODEnd),null!=this._interactive_finalize&&this._interactive_finalize()),this._interactive_plot=null,this._interactive_timestamp=null,this._interactive_finalize=null}interactive_duration(){return null==this._interactive_timestamp?-1:Date.now()-this._interactive_timestamp}destructively_move(e){if(e===this)throw new Error(\"Attempted to overwrite a document with itself\");e.clear({sync:!1});const{config:t}=this,s=(0,p.copy)(this._roots);this.clear({sync:!1});for(const e of[...s,t])if(null!=e.document)throw new Error(`Somehow we didn't detach ${e}`);if(0!=this._all_models.size)throw new Error(`this._all_models still had stuff in it: ${this._all_models}`);e.config=t;for(const t of s)e.add_root(t);e.set_title(this._title)}freeze_all_models(e){this._push_all_models_freeze();try{e()}finally{this._pop_all_models_freeze()}}_push_all_models_freeze(){this._hold_models_freeze||(this._all_models_freeze_count+=1)}_pop_all_models_freeze(){this._hold_models_freeze||(this._all_models_freeze_count-=1,0===this._all_models_freeze_count&&this._recompute_all_models())}_cancel_recompute_all_models(){null!=this._recompute_timer&&(clearTimeout(this._recompute_timer),this._recompute_timer=null)}_schedule_recompute_all_models(){const e=this._recompute_timeout;isNaN(e)||e<=0?this._recompute_all_models():isFinite(e)&&(this._cancel_recompute_all_models(),this._recompute_timer=setTimeout((()=>{this._recompute_all_models()}),e))}_recompute_all_models(){this._cancel_recompute_all_models();let e=new Set;for(const t of this.all_roots)e=w.union(e,t.references());const t=new Set(this._all_models.values()),s=w.difference(t,e),o=w.difference(e,t),i=new Map;for(const t of e)i.set(t.id,t);for(const e of s)e.detach_document();for(const e of o)e.attach_document(this),this._new_models.add(e);this._all_models=i}partially_update_all_models(e){const t=new Set;a.HasProps._value_record_references(e,t,{recursive:!1});for(const e of t)this._all_models.has(e.id)||(e.attach_document(this),this._new_models.add(e),this._all_models.set(e.id,e));this._schedule_recompute_all_models()}get all_roots(){const e=[...this._roots];return null!=this._config&&e.push(this._config),e}roots(){return this._roots}_add_roots(...e){if(0==(e=e.filter((e=>!this._roots.includes(e)))).length)return!1;this._push_all_models_freeze();try{this._roots.push(...e)}finally{this._pop_all_models_freeze()}return!0}_remove_root(e){const t=this._roots.indexOf(e);if(t<0)return!1;this._push_all_models_freeze();try{this._roots.splice(t,1)}finally{this._pop_all_models_freeze()}return!0}_set_title(e){const t=e!=this._title;return t&&(this._title=e),t}add_root(e,{sync:t}={}){if(this._add_roots(e)){const s=new M.RootAddedEvent(this,e);s.sync=t??!0,this._trigger_on_change(s)}}remove_root(e,{sync:t}={}){if(this._remove_root(e)){const s=new M.RootRemovedEvent(this,e);s.sync=t??!0,this._trigger_on_change(s)}}set_title(e,{sync:t}={}){if(this._set_title(e)){const s=new M.TitleChangedEvent(this,e);s.sync=t??!0,this._trigger_on_change(s)}}title(){return this._title}get_model_by_id(e){return this._all_models.get(e)??null}get_model_by_name(e){const t=[];for(const s of this._all_models.values())s instanceof k.Model&&s.name==e&&t.push(s);switch(t.length){case 0:return null;case 1:return t[0];default:throw new Error(`Multiple models are named '${e}'`)}}on_message(e,t){const s=this._message_callbacks.get(e);null==s?this._message_callbacks.set(e,new Set([t])):s.add(t)}remove_on_message(e,t){this._message_callbacks.get(e)?.delete(t)}_trigger_on_message(e,t){const s=this._message_callbacks.get(e);if(null!=s)for(const e of s)e(t)}on_change(e,t=!1){this._callbacks.has(e)||this._callbacks.set(e,t)}remove_on_change(e){this._callbacks.delete(e)}_trigger_on_change(e){for(const[t,s]of this._callbacks)if(!s&&e instanceof M.DocumentEventBatch)for(const s of e.events)t(s);else t(e)}_trigger_on_event(e){const t=this._document_callbacks.get(e.event_name);if(null!=t)for(const s of t)(0,y.execute)(s,this,e)}on_event(e,...t){const s=(0,f.isString)(e)?e:e.prototype.event_name,o=this._document_callbacks.get(s)??[],i=t;this._document_callbacks.set(s,[...o,...i])}to_json_string(e=!0){return JSON.stringify(this.to_json(e))}to_json(e=!0){const t=new h.Serializer({include_defaults:e}),s=t.encode(this.config),o=t.encode(this._roots);return{version:l.version,title:this._title,config:s,roots:o}}static from_json_string(e,t){const s=JSON.parse(e);return C.from_json(s,t)}static _handle_version(e){null==e.version&&r.logger.warn(\"'version' field is missing\");const t=e.version??\"0.0.0\",s=m.Version.from(t),o=m.Version.from(l.version),i=`new document using Bokeh ${t} and BokehJS ${l.version}`;(0,g.is_equal)(s,o)?r.logger.debug(i):r.logger.warn(`Bokeh/BokehJS version mismatch: ${i}`)}static from_json(e,t){r.logger.debug(\"Creating Document from JSON\"),C._handle_version(e);const s=new c.ModelResolver(n.default_resolver);if(null!=e.defs){new d.Deserializer(s).decode(e.defs)}const o=new C({resolver:s});o._push_all_models_freeze();const i=e=>t?.push(e);o.on_change(i,!0);const _=new d.Deserializer(s,o._all_models,(e=>e.attach_document(o))),l=_.decode(e.config);(0,b.assert)(l instanceof z.DocumentConfig||null==l),null!=l&&(o.config=l);const a=_.decode(e.roots),h=null!=e.callbacks?_.decode(e.callbacks):{};o.remove_on_change(i);for(const[e,t]of(0,v.entries)(h))o.on_event(e,...t);for(const e of a)o.add_root(e);return null!=e.title&&o.set_title(e.title),o._pop_all_models_freeze(),o}replace_with_json(e){C.from_json(e).destructively_move(this)}create_json_patch(e){for(const t of e)if(t.document!=this)throw new Error(\"Cannot create a patch using events from a different document\");const t=new Map;for(const e of this._all_models.values())this._new_models.has(e)||t.set(e,e.ref());const s={events:new h.Serializer({references:t,binary:!0}).encode(e)};return this._new_models.clear(),s}apply_json_patch(e,t=new Map){const{_hold_models_freeze:s}=this;this._hold_models_freeze=!0;try{this._apply_json_patch(e,t)}finally{this._hold_models_freeze=s}this._schedule_recompute_all_models()}_apply_json_patch(e,t=new Map){const s=new d.Deserializer(this._resolver,this._all_models,(e=>{e.attach_document(this),this._new_models.add(e),this._all_models.set(e.id,e)})).decode(e.events,t);for(const e of s)switch(e.kind){case\"MessageSent\":{const{msg_type:t,msg_data:s}=e;this._trigger_on_message(t,s);break}case\"ModelChanged\":{const{model:t,attr:s,new:o}=e;t.setv({[s]:o},{sync:!1});break}case\"ColumnDataChanged\":{const{model:t,attr:s,data:o,cols:i}=e;if(null!=i){const e=(0,v.dict)(o),i=(0,v.dict)(t.property(s).get_value());for(const[t,s]of i)e.has(t)||e.set(t,s)}t.setv({data:o},{sync:!1,check_eq:!1});break}case\"ColumnsStreamed\":{const{model:t,attr:s,data:o,rollover:i}=e,_=t.property(s);t.stream_to(_,o,i,{sync:!1});break}case\"ColumnsPatched\":{const{model:t,attr:s,patches:o}=e,i=t.property(s);t.patch_to(i,o,{sync:!1});break}case\"RootAdded\":this.add_root(e.model,{sync:!1});break;case\"RootRemoved\":this.remove_root(e.model,{sync:!1});break;case\"TitleChanged\":this.set_title(e.title,{sync:!1});break;default:throw new Error(`unknown patch event type '${e.kind}'`)}}}s.Document=C,C.__name__=\"Document\"},\n", " function _(e,r,t,n,s){n(),t.register_models=function(e,r=!1){for(const s of(0,l.isArray)(e)?e:(0,o.values)(e))n=s,(0,l.isObject)(n)&&n.prototype instanceof u.HasProps&&t.default_resolver.register(s,r);var n};const l=e(8),o=e(9),i=e(8),u=e(15),f=e(47);t.default_resolver=new f.ModelResolver(null),t.Models=new Proxy(t.default_resolver,{get(e,r,t){if((0,i.isString)(r)){const t=e.get(r);if(null!=t)return t}return Reflect.get(e,r,t)},has(e,r){if((0,i.isString)(r)){if(null!=e.get(r))return!0}return Reflect.has(e,r)},ownKeys:e=>e.names,getOwnPropertyDescriptor(e,r){if((0,i.isString)(r)){const t=e.get(r);if(null!=t)return{configurable:!0,enumerable:!0,writable:!1,value:t}}return Reflect.getOwnPropertyDescriptor(e,r)}})},\n", " function _(n,r,t,e,i){e(),t.is_undefined=function(n){return void 0===n},t.is_defined=function(n){return void 0!==n},t.is_nullish=u,t.isBoolean=c,t.isNumber=f,t.isInteger=function(n){return f(n)&&Number.isInteger(n)},t.isString=s,t.isSymbol=a,t.isPrimitive=function(n){return null===n||c(n)||f(n)||s(n)||a(n)},t.isFunction=function(n){switch(o.call(n)){case\"[object Function]\":case\"[object AsyncFunction]\":case\"[object GeneratorFunction]\":case\"[object AsyncGeneratorFunction]\":return!0;default:return!1}},t.isArray=l,t.isArrayOf=function(n,r){if(!l(n))return!1;for(const t of n)if(!r(t))return!1;return!0},t.isArrayableOf=function(n,r){if(!j(n))return!1;for(const t of n)if(!r(t))return!1;return!0},t.isTypedArray=function(n){return ArrayBuffer.isView(n)&&!(n instanceof DataView)},t.isObject=b,t.isBasicObject=function(n){return b(n)&&u(n.constructor)},t.isPlainObject=y,t.isDict=function(n){return n instanceof Map||y(n)},t.isIterable=A,t.isArrayable=j,t.is_ArrayBufferLike=function(n){return n instanceof ArrayBuffer||\"undefined\"!=typeof SharedArrayBuffer&&n instanceof SharedArrayBuffer};\n", " // (c) 2009-2015 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors\n", " // Underscore may be freely distributed under the MIT license.\n", " const{toString:o}=Object.prototype;function u(n){return null==n}function c(n){return!0===n||!1===n||\"[object Boolean]\"===o.call(n)}function f(n){return\"[object Number]\"===o.call(n)}function s(n){return\"[object String]\"===o.call(n)}function a(n){return\"symbol\"==typeof n}function l(n){return Array.isArray(n)}function b(n){const r=typeof n;return\"function\"===r||\"object\"===r&&!!n}function y(n){return b(n)&&(u(n.constructor)||n.constructor===Object)}function A(n){return b(n)&&Symbol.iterator in n}function j(n){return A(n)&&\"length\"in n}},\n", " function _(e,t,n,s,i){var o;s(),n.to_object=function(e){return(0,r.isPlainObject)(e)?e:Object.fromEntries(e)},n.keys=a,n.values=u,n.entries=b,n.clone=function(e){return e instanceof Map?new Map(e):{...e}},n.merge=function(e,t){const n=new Map,s=[...e.keys(),...t.keys()];for(const i of s){const s=e.get(i),o=t.get(i),r=void 0===s?[]:s,a=void 0===o?[]:o;n.set(i,(0,c.union)(r,a))}return n},n.size=l,n.is_empty=function(e){return 0==l(e)},n.dict=function(e){return(0,r.isPlainObject)(e)?new h(e):e};const r=e(8),c=e(10);function a(e){return e instanceof Map?[...e.keys()]:Object.keys(e)}function u(e){return e instanceof Map?[...e.values()]:Object.values(e)}function b(e){return e instanceof Map?[...e.entries()]:Object.entries(e)}function l(e){return e instanceof Map?e.size:Object.keys(e).length}n.assign=Object.assign,n.extend=n.assign,n.typed_keys=Object.keys,n.typed_values=Object.values,n.typed_entries=Object.entries;const{hasOwnProperty:j}=Object.prototype;class h{constructor(e){this[o]=\"PlainObjectProxy\",this.obj=e}clear(){for(const e of this.keys())delete this.obj[e]}delete(e){const t=this.has(e);return t&&delete this.obj[e],t}has(e){return j.call(this.obj,e)}get(e){return this.has(e)?this.obj[e]:void 0}set(e,t){return this.obj[e]=t,this}get size(){return l(this.obj)}[(o=Symbol.toStringTag,Symbol.iterator)](){return this.entries()}*keys(){yield*a(this.obj)}*values(){yield*u(this.obj)}*entries(){yield*b(this.obj)}forEach(e,t){for(const[n,s]of this.entries())e.call(t,s,n,this)}}n.PlainObjectProxy=h,h.__name__=\"PlainObjectProxy\"},\n", " function _(n,t,e,r,o){r(),e.head=function(n){if(0!=n.length)return n[0];throw new Error(\"out of bounds access\")},e.last=function(n){if(0!=n.length)return n[n.length-1];throw new Error(\"out of bounds access\")},e.copy=a,e.concat=function(n){return[].concat(...n)},e.nth=function(n,t){return n[t>=0?t:n.length+t]},e.zip=function(...n){if(0==n.length)return[];const t=(0,u.min)(n.map((n=>n.length))),e=n.length,r=new Array(t);for(let o=0;on.length))),r=Array(e);for(let n=0;nn[t]))},e.argmax=function(n){return(0,u.max_by)(h(n.length),(t=>n[t]))},e.argsort=function(n){const t=Array.from(n.keys());return t.sort(((t,e)=>n[t]-n[e])),t},e.uniq=function(n){const t=new Set;for(const e of n)t.add(e);return[...t]},e.uniq_by=function(n,t){const e=[],r=[];for(const o of n){const n=t(o);(0,u.includes)(r,n)||(r.push(n),e.push(o))}return e},e._union=m,e.union=function(...n){return[...m(n)]},e.intersection=function(n,...t){const e=[];n:for(const r of n)if(!(0,u.includes)(e,r)){for(const n of t)if(!(0,u.includes)(n,r))continue n;e.push(r)}return e},e.difference=function(n,...t){const e=m(t);return(0,u.filter)(n,(n=>!e.has(n)))},e.symmetric_difference=function(n,t){const e=new Set(n),r=new Set(t),o=[];for(const n of e)r.has(n)||o.push(n);for(const n of r)e.has(n)||o.push(n);return o},e.remove_at=function(n,t){(0,i.assert)((0,s.isInteger)(t)&&t>=0);const e=a(n);return e.splice(t,1),e},e.remove=function(n,t){d(n,(n=>n==t))},e.remove_by=d,e.clear=function(n){n.splice(0,n.length)},e.split=function(n,t){const e=[],r=n.length;let o=0,c=0;for(;c=t)return n.slice(0,t);{const r=new Array(t-n.length);return void 0!==e&&r.fill(e),n.concat(r)}};\n", " // (c) 2009-2015 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors\n", " // Underscore may be freely distributed under the MIT license.\n", " const c=n(11),i=n(12),s=n(8),u=n(13);var f=n(13);o(\"map\",f.map),o(\"reduce\",f.reduce),o(\"min\",f.min),o(\"min_by\",f.min_by),o(\"max\",f.max),o(\"max_by\",f.max_by),o(\"sum\",f.sum),o(\"cumsum\",f.cumsum),o(\"every\",f.every),o(\"some\",f.some),o(\"find\",f.find),o(\"find_last\",f.find_last),o(\"find_index\",f.find_index),o(\"find_last_index\",f.find_last_index),o(\"sorted_index\",f.sorted_index),o(\"is_empty\",f.is_empty),o(\"includes\",f.includes),o(\"contains\",f.contains),o(\"sort_by\",f.sort_by);const{slice:l}=Array.prototype;function a(n){return l.call(n)}function h(n,t,e=1){(0,i.assert)(e>0,\"'step' must be a positive number\"),null==t&&(t=n,n=0);const{max:r,ceil:o,abs:c}=Math,s=n<=t?e:-e,u=r(o(c(t-n)/e),0),f=new Array(u);for(let t=0;tr?r:n},r.cycle=function(n,t,r){if(n>r)return t;if(n=0;a--)o+=e*n[a],e*=t;return o};const a=n(8),c=n(12),{PI:u,abs:i,sign:f,sqrt:l}=Math;function s(n){if(0==n)return 0;for(;n<=0;)n+=2*u;for(;n>2*u;)n-=2*u;return n}function h(n,t){return s(n-t)}function g(n,t,r=\"anticlock\"){return-(\"anticlock\"==r?1:-1)*n*m(t)}function m(n){switch(n){case\"deg\":return u/180;case\"rad\":return 1;case\"grad\":return u/200;case\"turn\":return 2*u}}function _(n,t){for(n=Math.abs(n),t=Math.abs(t);0!=t;)[n,t]=[t,n%t];return n}r.PI=u,r.abs=i,r.sqrt=l,r.resolve_angle=g,r.float=Symbol(\"float\");class d{constructor(n,t){(0,c.assert)(0!=t,\"Zero divisor\");const r=_(n,t),o=f(n)*f(t);this.numer=o*i(n)/r,this.denom=i(t)/r}[r.float](){return this.numer/this.denom}toString(){return`${this.numer}/${this.denom}`}}function M(n){let t=1;for(let r=2;r<=n;r++)t*=r;return t}r.Fraction=d,d.__name__=\"Fraction\",r.float32_epsilon=1.1920928955078125e-7},\n", " function _(r,e,n,o,s){o(),n.assert=c,n.assert_debug=function(r,e){\"undefined\"!=typeof DEBUG&&DEBUG&&c(r,e)},n.unreachable=function(r){throw new t(\"unreachable code\"+(null!=r?`: ${r}`:\"\"))};class a extends Error{}n.AssertionError=a,a.__name__=\"AssertionError\";class t extends Error{}function c(r,e){if(!(!0===r||!1!==r&&r()))throw new a(e??\"Assertion failed\")}n.UnreachableError=t,t.__name__=\"UnreachableError\"},\n", " function _(n,t,e,r,o){r(),e.is_empty=function(n){return 0==n.length},e.is_sorted=l,e.copy=s,e.splice=a,e.head=h,e.insert=function(n,t,e){return a(n,e,0,t)},e.append=function(n,t){return a(n,n.length,0,t)},e.prepend=function(n,t){return a(n,0,0,t)},e.index_of=function(n,t){return n.indexOf(t)},e.includes=g,e.subselect=function(n,t){const e=t.length,r=new n.constructor(e);for(let o=0;o({index:e,key:t(n)})));return e.sort(((n,t)=>{const e=n.key,r=t.key;if(e!==r){if(e>r)return 1;if(en[e[r].index]))},e.minmax2=function(n,t){let e,r,o=1/0,i=-1/0,c=1/0,u=-1/0;const f=Math.min(n.length,t.length);for(let l=0;li&&(i=e),ru&&(u=r));return[o,i,c,u]},e.min_by=function(n,t){if(0==n.length)throw new Error(\"min_by() called with an empty array\");let e=n[0],r=t(e,0);for(let o=1,i=n.length;or&&(e=i,r=c)}return e},e.sum=function(n){let t=0;for(let e=0,r=n.length;et[r]=n+e),0),t},e.every=function(n,t){for(const e of n)if(!t(e))return!1;return!0},e.some=function(n,t){for(const e of n)if(t(e))return!0;return!1},e.find=function(n,t){const r=(0,e.find_index)(n,t);return-1==r?void 0:n[r]},e.find_last=function(n,t){const r=(0,e.find_last_index)(n,t);return-1==r?void 0:n[r]},e.bisect_left_by=y,e.bisect_right_by=x,e.bisect_left=p,e.bisect_right=function(n,t,e=0,r){return x(n,t,(n=>n),e,r)},e.binary_search=function(n,t){const e=p(n,t);return e!=n.length&&n[e]==t?e:null},e.bin_counts=function(n,t){const r=t.length-1,o=Array(r).fill(0);for(let c=0;c(n-t)/r))};const i=n(11),c=n(12);var u=n(14);o(\"min\",u.min),o(\"max\",u.max),o(\"minmax\",u.minmax);const{floor:f}=Math;function l(n){const t=n.length;if(0==t)return!0;let e=n[0];for(let r=1;ro&&(t=o),null==e||e>o-t?e=o-t:e<0&&(e=0);const i=o-e+r.length,c=new n.constructor(i);let u=0;for(;u0?0:r-1;for(;o>=0&&ol(n))),(0,c.assert)(0<=r&&o<=n.length);rl(n))),(0,c.assert)(0<=r&&o<=n.length);rn),e,r)}function w(n,t,e,r,o){const i=(o-e)/(r-t);let c=i*(n-t)+e;return isFinite(c)||(c=i*(n-r)+o,isFinite(c)||e!=o||(c=e)),c}function b(n,t){if(nt[t.length-1])return t.length;if(1==t.length)return 0;let e=0,r=t.length-1;for(;r-e!=1;){const o=e+Math.floor((r-e)/2);n>=t[o]?e=o:r=o}return e}e.contains=g,e.find_index=m(1),e.find_last_index=m(-1),e.sorted_index=p},\n", " function _(n,o,t,e,f){e(),t.iter=function*(n){(0,r.isIterable)(n)?yield*n:yield n},t.range=l,t.reverse=function*(n){const o=n.length;for(let t=0;t=0);let t=0;for(const e of n){if(!(t++o&&(o=t);return o},t.minmax=function(n){let o=1/0,t=-1/0;for(const e of n)isNaN(e)||(et&&(t=e));return[o,t]};const i=n(12),r=n(8);function*l(n,o,t=1){(0,i.assert)(t>0);const{abs:e,ceil:f,max:r}=Math;null==o&&(o=n,n=0);const l=n<=o?t:-t,c=r(f(e(o-n)/e(t)),0);for(let o=0;o=0);for(const t of n)0==o?yield t:o-=1}const s=Symbol(\"nothing\");function*u(n,o){const t=n.length;if(o>t)return;const e=[...l(o)];for(yield e.map((o=>n[o]));;){let f;for(const n of l(o-1,-1))if(e[n]!=n+t-o){f=n;break}if(null==f)return;e[f]+=1;for(const n of l(f+1,o))e[n]=e[n-1]+1;yield e.map((o=>n[o]))}}},\n", " function _(t,e,s,i,n){var r;i();const o=t(1),c=t(16),a=t(18),h=o.__importStar(t(19)),_=o.__importStar(t(22)),p=t(12),u=t(41),l=t(9),f=t(8),d=t(33),g=t(42),y=t(27),m=t(43),v=t(32),w=o.__importStar(t(22)),b=t(29),$=t(44),S=new WeakMap;class x extends((0,c.Signalable)()){get is_syncable(){return!0}get type(){return this.constructor.__qualified__}static get __qualified__(){let t=S.get(this);if(null==t){const{__module__:e,__name__:s}=this;t=null!=e?`${e}.${s}`:s,S.set(this,t)}return t}static set __qualified__(t){S.set(this,t)}get[Symbol.toStringTag](){return this.constructor.__qualified__}static _fix_default(t,e){if(void 0===t||t===h.unset)return()=>h.unset;if((0,f.isFunction)(t))return t;if((0,f.isPrimitive)(t))return()=>t;{const e=new v.Cloner;return()=>e.clone(t)}}static define(t){for(const[e,s]of(0,l.entries)((0,f.isFunction)(t)?t(w):t)){if(e in this.prototype._props)throw new Error(`attempted to redefine property '${this.prototype.type}.${e}'`);if(e in this.prototype)throw new Error(`attempted to redefine attribute '${this.prototype.type}.${e}'`);Object.defineProperty(this.prototype,e,{get(){return this.properties[e].get_value()},set(t){return this.setv({[e]:t}),this},configurable:!1,enumerable:!0});const[t,i,n={}]=s,r={type:t,default_value:this._fix_default(i,e),options:n};this.prototype._props={...this.prototype._props,[e]:r}}}static internal(t){const e={};for(const[s,i]of(0,l.entries)((0,f.isFunction)(t)?t(w):t)){const[t,n,r={}]=i;e[s]=[t,n,{...r,internal:!0}]}this.define(e)}static mixins(t){function e(t,e){const s={};for(const[i,n]of(0,l.entries)(e))s[t+i]=n;return s}const s={},i=[];for(const n of(0,f.isArray)(t)?t:[t])if((0,f.isArray)(n)){const[t,r]=n;(0,l.extend)(s,e(t,r)),i.push([t,r])}else{const t=n;(0,l.extend)(s,t),i.push([\"\",t])}this.define(s),this.prototype._mixins=[...this.prototype._mixins,...i]}static override(t){for(const[e,s]of(0,l.entries)(t)){const t=this._fix_default(s,e);if(!(e in this.prototype._props))throw new Error(`attempted to override nonexistent '${this.prototype.type}.${e}'`);const i=this.prototype._props[e],n={...this.prototype._props};n[e]={...i,default_value:t},this.prototype._props=n}}static override_options(t){for(const[e,s]of(0,l.entries)(t)){if(!(e in this.prototype._props))throw new Error(`attempted to override nonexistent '${this.prototype.type}.${e}'`);const t=this.prototype._props[e],i={...this.prototype._props,[e]:{...t,options:{...t.options,...s}}};this.prototype._props=i}}static toString(){return this.__qualified__}toString(){return`${this.type}(${this.id})`}property(t){if(t in this.properties)return this.properties[t];throw new Error(`unknown property ${this.type}.${t}`)}get attributes(){const t={};for(const e of this)e.is_unset||(t[e.attr]=e.get_value());return t}get dirty_attributes(){const t={};for(const e of this)!e.is_unset&&e.dirty&&(t[e.attr]=e.get_value());return t}[v.clone](t){const e=new Map;for(const s of this)s.dirty&&e.set(s.attr,t.clone(s.get_value()));return new this.constructor(e)}[y.equals](t,e){for(const s of this){const i=t.property(s.attr);if(!e.eq(s.get_value(),i.get_value()))return!1}return!0}[m.pretty](t){const e=t.token,s=[];for(const i of this)if(i.dirty){const n=i.get_value();s.push(`${i.attr}${e(\":\")} ${t.to_string(n)}`)}return`${this.constructor.__qualified__}${e(\"(\")}${e(\"{\")}${s.join(`${e(\",\")} `)}${e(\"}\")}${e(\")\")}`}[d.serialize](t){const e=this.ref();t.add_ref(this,e);const s={};for(const e of this)if(e.syncable&&(t.include_defaults||e.dirty)&&(!e.readonly||!e.is_unset)){const i=e.get_value();s[e.attr]=t.encode(i)}const{type:i,id:n}=this,r={type:\"object\",name:i,id:n};return(0,l.is_empty)(s)?r:{...r,attributes:s}}constructor(t={}){super(),this.document=null,this.destroyed=new c.Signal0(this,\"destroyed\"),this.change=new c.Signal0(this,\"change\"),this.transformchange=new c.Signal0(this,\"transformchange\"),this.exprchange=new c.Signal0(this,\"exprchange\"),this.streaming=new c.Signal0(this,\"streaming\"),this.patching=new c.Signal(this,\"patching\"),this.properties={},this._watchers=new WeakMap,this._pending=!1,this._changing=!1;const e=(0,f.isPlainObject)(t)&&\"id\"in t;this.id=e?t.id:(0,u.unique_id)();for(const[t,{type:e,default_value:s,options:i}]of(0,l.entries)(this._props)){let n;if(e instanceof h.PropertyAlias){const s=this.properties[e.attr];if(void 0===s)throw new Error(`can't resolve ${e.attr} before ${t} to create an alias`);Object.defineProperty(this.properties,t,{get:()=>s,configurable:!1,enumerable:!1})}else n=e instanceof _.Kind?new h.PrimitiveProperty(this,t,e,s,i):new e(this,t,_.Any,s,i),this.properties[t]=n}e?(0,p.assert)(1==(0,l.keys)(t).length,\"'id' cannot be used together with property initializers\"):(this.initialize_props(t),this.finalize(),this.connect_signals())}initialize_props(t){const e=(0,l.dict)(t),s=new Set;for(const t of this){const i=e.get(t.attr);t.initialize(i),s.add(t.attr)}for(const[t,i]of e)s.has(t)||this.property(t).set_value(i)}finalize(){this.initialize()}initialize(){}assert_initialized(){for(const t of this)t.syncable&&!t.readonly&&t.get_value()}connect_signals(){for(const t of this){if(!(t instanceof h.VectorSpec||t instanceof h.ScalarSpec))continue;if(t.is_unset)continue;const e=t.get_value();null!=e.transform&&this.connect(e.transform.change,(()=>this.transformchange.emit())),(0,b.isExpr)(e)&&this.connect(e.expr.change,(()=>this.exprchange.emit()))}}disconnect_signals(){c.Signal.disconnect_receiver(this)}destroy(){this.disconnect_signals(),this.destroyed.emit()}clone(t){const e=(new v.Cloner).clone(this);return null!=t&&e.setv(t),e}_clear_watchers(){this._watchers=new WeakMap}changed_for(t){const e=this._watchers.get(t);return this._watchers.set(t,!1),e??!0}_setv(t,e){const s=e.check_eq,i=new Set,n=this._changing;this._changing=!0;for(const[e,n]of t)!1!==s&&!e.is_unset&&(0,y.is_equal)(e.get_value(),n)||(e.set_value(n),i.add(e));i.size>0&&(this._clear_watchers(),this._pending=!0);for(const t of i)t.change.emit();if(!n){if(!e.no_change)for(;this._pending;)this._pending=!1,this.change.emit();this._pending=!1,this._changing=!1}return i}setv(t,e={}){const s=(0,l.entries)(t);if(0==s.length)return;if(e.silent){this._clear_watchers();for(const[t,e]of s)this.properties[t].set_value(e);return}const i=new Map,n=new Map;for(const[t,e]of s){const s=this.properties[t];i.set(s,e),n.set(s,s.is_unset?void 0:s.get_value())}const r=this._setv(i,e),{document:o}=this;if(null!=o){const t=[];for(const[e,s]of n)r.has(e)&&t.push([e,s,e.get_value()]);for(const[e,s,i]of t)if(e.may_have_refs){o.partially_update_all_models(i);break}const s=e.sync??!0;this._push_changes(t,s)}}ref(){return{id:this.id}}*[Symbol.iterator](){yield*(0,l.values)(this.properties)}*syncable_properties(){for(const t of this)t.syncable&&(yield t)}*own_properties(){const t=Object.getPrototypeOf(this),e=Object.getPrototypeOf(t),s=new Set((0,l.keys)(e._props));for(const t of this)s.has(t.attr)||(yield t)}static _value_record_references(t,e,s){if(!(0,f.isObject)(t)||!(0,a.may_have_refs)(t))return;const{recursive:i}=s;if(t instanceof r){if(!e.has(t)&&(e.add(t),i))for(const s of t.syncable_properties())if(!s.is_unset&&s.may_have_refs){const t=s.get_value();r._value_record_references(t,e,{recursive:i})}}else if((0,f.isIterable)(t))for(const s of t)r._value_record_references(s,e,{recursive:i});else if((0,f.isPlainObject)(t))for(const s of(0,l.values)(t))r._value_record_references(s,e,{recursive:i})}static references(t,e){const s=new Set;return r._value_record_references(t,s,e),s}references(){return r.references(this,{recursive:!0})}_doc_attached(){}_doc_detached(){}attach_document(t){if(null!=this.document){if(this.document==t)return;throw new Error(\"models must be owned by only a single document\")}this.document=t,this._doc_attached()}detach_document(){null!=this.document&&(this._doc_detached(),this.document=null)}_push_changes(t,e){if(!this.is_syncable)return;const{document:s}=this;if(null==s)return;const i=[];for(const[n,,r]of t)if(n.syncable){const t=new g.ModelChangedEvent(s,this,n.attr,r);t.sync=e,i.push(t)}if(0!=i.length){let t;1==i.length?[t]=i:t=new g.DocumentEventBatch(s,i),s._trigger_on_change(t)}}on_change(t,e){for(const s of(0,f.isArray)(t)?t:[t])this.connect(s.change,e)}stream_to(t,e,s,{sync:i}={}){const n=t.get_value();if((0,$.stream_to_columns)(n,e,s),this._clear_watchers(),t.set_value(n),this.streaming.emit(),null!=this.document){const n=new g.ColumnsStreamedEvent(this.document,this,t.attr,e,s);n.sync=i??!0,this.document._trigger_on_change(n)}}patch_to(t,e,{sync:s}={}){const i=t.get_value(),n=(0,$.patch_to_columns)(i,e);if(this._clear_watchers(),t.set_value(i),this.patching.emit([...n]),null!=this.document){const i=new g.ColumnsPatchedEvent(this.document,this,t.attr,e);i.sync=s??!0,this.document._trigger_on_change(i)}}}s.HasProps=x,(r=x).prototype._props={},r.prototype._mixins=[]},\n", " function _(n,e,t,s,r){s(),t.Signalable=function(){return class{connect(n,e){return n.connect(e,this)}disconnect(n,e){return n.disconnect(e,this)}}};const l=n(17),i=n(10);class o{constructor(n,e){this.sender=n,this.name=e}connect(n,e=null){t.receivers_for_sender.has(this.sender)||t.receivers_for_sender.set(this.sender,[]);const s=t.receivers_for_sender.get(this.sender);if(null!=f(s,this,n,e))return!1;const r=e??n;u.has(r)||u.set(r,[]);const l=u.get(r),i={signal:this,slot:n,context:e};return s.push(i),l.push(i),!0}disconnect(n,e=null){const s=t.receivers_for_sender.get(this.sender);if(null==s||0===s.length)return!1;const r=f(s,this,n,e);if(null==r)return!1;const l=e??n,i=u.get(l);return r.signal=null,g(s),g(i),!0}emit(n){const e=t.receivers_for_sender.get(this.sender)??[];for(const{signal:t,slot:s,context:r}of e)t===this&&s.call(r,n,this.sender)}}t.Signal=o,o.__name__=\"Signal\";class c extends o{emit(){super.emit(void 0)}}t.Signal0=c,c.__name__=\"Signal0\",function(n){n.disconnect_between=function(n,e){const s=t.receivers_for_sender.get(n);if(null==s||0===s.length)return;const r=u.get(e);if(null!=r&&0!==r.length){for(const e of r){if(null==e.signal)return;e.signal.sender===n&&(e.signal=null)}g(s),g(r)}},n.disconnect_sender=function(n){const e=t.receivers_for_sender.get(n);if(null!=e&&0!==e.length){for(const n of e){if(null==n.signal)return;const e=n.context??n.slot;n.signal=null,g(u.get(e))}g(e)}},n.disconnect_receiver=function(n,e,s){const r=u.get(n);if(null!=r&&0!==r.length){for(const n of r){if(null==n.signal)return;if(null!=e&&n.slot!=e)continue;const r=n.signal.sender;null!=s&&s.has(r)||(n.signal=null,g(t.receivers_for_sender.get(r)))}g(r)}},n.disconnect_all=function(n){const e=t.receivers_for_sender.get(n);if(null!=e&&0!==e.length){for(const n of e)n.signal=null;g(e)}const s=u.get(n);if(null!=s&&0!==s.length){for(const n of s)n.signal=null;g(s)}}}(o||(t.Signal=o={})),t.receivers_for_sender=new WeakMap;const u=new WeakMap;function f(n,e,t,s){return(0,i.find)(n,(n=>n.signal===e&&n.slot===t&&n.context===s))}const a=new Set;function g(n){0==a.size&&(async()=>{await(0,l.defer)(),function(){for(const n of a)(0,i.remove_by)(n,(n=>null==n.signal));a.clear()}()})(),a.add(n)}},\n", " function _(e,n,t,o,r){o(),t.defer=function(){return new Promise((e=>{const n=a++;i.set(n,e),s.port2.postMessage(n)}))},t.delay=l,t.poll=async function(e,n=50,t=500){for(;!e()&&t>=0;)await l(n),t-=n},t.paint=function(){return new Promise((e=>{requestAnimationFrame((()=>e()))}))},t.idle=function(){return new Promise((e=>{requestIdleCallback((()=>e()))}))};const s=new MessageChannel,i=new Map;s.port1.onmessage=e=>{const n=e.data,t=i.get(n);if(null!=t)try{t()}finally{i.delete(n)}};let a=1;function l(e){return new Promise((n=>setTimeout(n,e)))}},\n", " function _(n,r,s,e,t){e(),s.is_ref=function(n){return(0,i.isPlainObject)(n)&&\"id\"in n&&!(\"type\"in n)},s.is_HasRefs=u,s.may_have_refs=function(n){if(f(n))return n[s.has_refs];const r=n.constructor;if(u(r))return r[s.has_refs];return!0};const i=n(8);function f(n){return s.has_refs in n}function u(n){return(0,i.isObject)(n)&&f(n)}s.has_refs=Symbol(\"has_refs\")},\n", " function _(e,t,r,n,a){n(),r.TextBaselineSpec=r.TextAlignSpec=r.FontStyleSpec=r.FontSizeSpec=r.FontSpec=r.LineDashSpec=r.LineCapSpec=r.LineJoinSpec=r.MarkerSpec=r.ExtMarkerType=r.ArraySpec=r.NullStringSpec=r.StringSpec=void 0,r.isSpec=C,r.use_theme=function(e=null){F=e},r.Alias=function(e){return new E(e)};const s=e(1),i=e(16),l=e(20),_=s.__importStar(e(21)),o=e(25),c=e(10),u=e(13),d=e(11),S=e(23),p=e(28),h=e(8),m=e(29),f=e(30),v=e(22),y=e(31),x=e(39),g=e(12),w=e(33),A=e(40);a(\"Uniform\",A.Uniform),a(\"UniformScalar\",A.UniformScalar),a(\"UniformVector\",A.UniformVector);class z extends Error{}function b(e){try{return JSON.stringify(e)}catch{return e.toString()}}function C(e){return(0,h.isPlainObject)(e)&&(void 0===e.value?0:1)+(void 0===e.field?0:1)+(void 0===e.expr?0:1)==1}r.ValidationError=z,z.__name__=\"ValidationError\";let F=null;r.unset=Symbol(\"unset\");class q extends Error{}r.UnsetValueError=q,q.__name__=\"UnsetValueError\";class N{get syncable(){return!this.internal}get is_unset(){return this._value===r.unset}get initialized(){return this._initialized}initialize(e=r.unset){if(this._initialized)throw new Error(\"already initialized\");let t=r.unset;if(e!==r.unset)t=e,this._dirty=!0;else{const e=this._default_override();if(e!==r.unset)t=e;else{let e=!1;if(null!=F){const r=F.get(this.obj,this.attr);void 0!==r&&(t=r,e=!0)}e||(t=this.default_value(this.obj))}}t!==r.unset?(null!=this.kind.coerce&&(t=this.kind.coerce(t)),this._update(t)):this._value=r.unset,this._initialized=!0}get_value(){if(this._value!==r.unset)return this._value;throw new q(`${this.obj}.${this.attr} is unset`)}set_value(e){this._initialized?(this._update(e),this._dirty=!0):this.initialize(e),x.diagnostics.report(this)}_default_override(){return r.unset}get dirty(){return this._dirty}constructor(e,t,n,a,s={}){this._value=r.unset,this._initialized=!1,this._dirty=!1,this.obj=e,this.attr=t,this.kind=n,this.default_value=a,this.change=new i.Signal0(this.obj,\"change\"),this.internal=s.internal??!1,this.readonly=s.readonly??!1,this.convert=s.convert,this.on_update=s.on_update,this.may_have_refs=n.may_have_refs()}_update(e){if(this.validate(e),null!=this.convert){const t=this.convert(e,this.obj);void 0!==t&&(e=t)}this._value=e,this.on_update?.(e,this.obj)}toString(){return`Prop(${this.obj}.${this.attr}, value: ${b(this._value)})`}normalize(e){return e}validate(e){if(!this.valid(e))throw new z(`${this.obj}.${this.attr} given invalid value: ${b(e)}`)}valid(e){return this.kind.valid(e)}}r.Property=N,N.__name__=\"Property\";class E{constructor(e){this.attr=e}}r.PropertyAlias=E,E.__name__=\"PropertyAlias\";class U extends N{}r.PrimitiveProperty=U,U.__name__=\"PrimitiveProperty\";class $ extends U{_default_override(){return f.settings.dev?\"Bokeh\":r.unset}}r.Font=$,$.__name__=\"Font\";class j extends N{constructor(){super(...arguments),this._value=r.unset}get_value(){if(this._value!==r.unset)return this._value;throw new Error(`${this.obj}.${this.attr} is unset`)}_update(e){if(C(e)?this._value=e:this._value={value:e},(0,h.isPlainObject)(this._value)){const{_value:e}=this;this._value[w.serialize]=t=>{const{value:r,field:n,expr:a,transform:s,units:i}=e;return t.encode_struct(void 0!==r?{type:\"value\",value:r,transform:s,units:i}:void 0!==n?{type:\"field\",field:n,transform:s,units:i}:{type:\"expr\",expr:a,transform:s,units:i})}}(0,m.isValue)(this._value)&&this.validate(this._value.value)}materialize(e){return e}scalar(e,t){return new A.UniformScalar(e,t)}uniform(e){const t=this.get_value(),r=e.get_length()??1;if((0,m.isExpr)(t)){const{expr:n,transform:a}=t;let s=n.compute(e);return null!=a&&(s=a.compute(s)),s=this.materialize(s),this.scalar(s,r)}{const{value:e,transform:n}=t;let a=e;return null!=n&&(a=n.compute(a)),a=this.materialize(a),this.scalar(a,r)}}}r.ScalarSpec=j,j.__name__=\"ScalarSpec\";class B extends j{}r.AnyScalar=B,B.__name__=\"AnyScalar\";class D extends j{}r.DictScalar=D,D.__name__=\"DictScalar\";class L extends j{}r.ColorScalar=L,L.__name__=\"ColorScalar\";class T extends j{}r.NumberScalar=T,T.__name__=\"NumberScalar\";class P extends j{}r.StringScalar=P,P.__name__=\"StringScalar\";class V extends j{}r.NullStringScalar=V,V.__name__=\"NullStringScalar\";class k extends j{}r.ArrayScalar=k,k.__name__=\"ArrayScalar\";class J extends j{}r.LineJoinScalar=J,J.__name__=\"LineJoinScalar\";class X extends j{}r.LineCapScalar=X,X.__name__=\"LineCapScalar\";class Y extends j{}r.LineDashScalar=Y,Y.__name__=\"LineDashScalar\";class M extends j{_default_override(){return f.settings.dev?\"Bokeh\":r.unset}}r.FontScalar=M,M.__name__=\"FontScalar\";class G extends j{}r.FontSizeScalar=G,G.__name__=\"FontSizeScalar\";class I extends j{}r.FontStyleScalar=I,I.__name__=\"FontStyleScalar\";class O extends j{}r.TextAlignScalar=O,O.__name__=\"TextAlignScalar\";class R extends j{}r.TextBaselineScalar=R,R.__name__=\"TextBaselineScalar\";class H extends N{constructor(){super(...arguments),this._value=r.unset}get_value(){if(this._value!==r.unset)return this._value;throw new Error(`${this.obj}.${this.attr} is unset`)}_update(e){if(C(e)?this._value=e:this._value={value:e},(0,h.isPlainObject)(this._value)){const{_value:e}=this;this._value[w.serialize]=t=>{const{value:r,field:n,expr:a,transform:s,units:i}=e;return t.encode_struct(void 0!==r?{type:\"value\",value:r,transform:s,units:i}:void 0!==n?{type:\"field\",field:n,transform:s,units:i}:{type:\"expr\",expr:a,transform:s,units:i})}}(0,m.isValue)(this._value)&&this.validate(this._value.value)}materialize(e){return e}v_materialize(e){return e}scalar(e,t){return new A.UniformScalar(e,t)}vector(e){return new A.UniformVector(e)}uniform(e){const t=this.get_value(),r=e.get_length()??1;if((0,m.isField)(t)){const{field:n,transform:a}=t;let s=e.get_column(n);if(null!=s)return null!=a&&(s=a.v_compute(s)),s=this.v_materialize(s),this.vector(s);{const e=`attempted to retrieve property array for nonexistent field '${n}'`;if(f.settings.force_fields)throw new Error(e);return l.logger.warn(e),this.scalar(null,r)}}if((0,m.isExpr)(t)){const{expr:r,transform:n}=t;let a=r.v_compute(e);return null!=n&&(a=n.v_compute(a)),a=this.v_materialize(a),this.vector(a)}if((0,m.isValue)(t)){const{value:e,transform:n}=t;let a=e;return null!=n&&(a=n.compute(a)),a=this.materialize(a),this.scalar(a,r)}(0,g.unreachable)()}array(e){let t;const r=e.get_length()??1,n=this.get_value();if((0,m.isField)(n)){const{field:a}=n,s=e.get_column(a);if(null!=s)t=this.normalize(s);else{const e=`attempted to retrieve property array for nonexistent field '${a}'`;if(f.settings.force_fields)throw new Error(e);l.logger.warn(e);const n=new Float64Array(r);n.fill(NaN),t=n}}else if((0,m.isExpr)(n)){const{expr:r}=n;t=this.normalize(r.v_compute(e))}else{const e=this.normalize([n.value])[0];if((0,h.isNumber)(e)){const n=new Float64Array(r);n.fill(e),t=n}else t=(0,c.repeat)(e,r)}const{transform:a}=n;return null!=a&&(t=a.v_compute(t)),t}}r.VectorSpec=H,H.__name__=\"VectorSpec\";class K extends H{}r.DataSpec=K,K.__name__=\"DataSpec\";class Q extends H{constructor(){super(...arguments),this._value=r.unset}_update(e){if(super._update(e),this._value!==r.unset){const{units:e}=this._value;if(null!=e&&!(0,c.includes)(this.valid_units,e))throw new Error(`units must be one of ${this.valid_units.join(\", \")}; got: ${e}`)}}get units(){return this._value!==r.unset?this._value.units??this.default_units:this.default_units}set units(e){if(this._value===r.unset)throw new Error(`${this.obj}.${this.attr} is unset`);e!=this.default_units?this._value.units=e:delete this._value.units}}r.UnitsSpec=Q,Q.__name__=\"UnitsSpec\";class W extends Q{array(e){return new Float64Array(super.array(e))}}r.NumberUnitsSpec=W,W.__name__=\"NumberUnitsSpec\";class Z extends K{}r.BaseCoordinateSpec=Z,Z.__name__=\"BaseCoordinateSpec\";class ee extends Z{}r.CoordinateSpec=ee,ee.__name__=\"CoordinateSpec\";class te extends Z{}r.CoordinateSeqSpec=te,te.__name__=\"CoordinateSeqSpec\";class re extends Z{}r.CoordinateSeqSeqSeqSpec=re,re.__name__=\"CoordinateSeqSeqSeqSpec\";class ne extends ee{constructor(){super(...arguments),this.dimension=\"x\"}}r.XCoordinateSpec=ne,ne.__name__=\"XCoordinateSpec\";class ae extends ee{constructor(){super(...arguments),this.dimension=\"y\"}}r.YCoordinateSpec=ae,ae.__name__=\"YCoordinateSpec\";class se extends te{constructor(){super(...arguments),this.dimension=\"x\"}}r.XCoordinateSeqSpec=se,se.__name__=\"XCoordinateSeqSpec\";class ie extends te{constructor(){super(...arguments),this.dimension=\"y\"}}r.YCoordinateSeqSpec=ie,ie.__name__=\"YCoordinateSeqSpec\";class le extends re{constructor(){super(...arguments),this.dimension=\"x\"}}r.XCoordinateSeqSeqSeqSpec=le,le.__name__=\"XCoordinateSeqSeqSeqSpec\";class _e extends re{constructor(){super(...arguments),this.dimension=\"y\"}}r.YCoordinateSeqSeqSeqSpec=_e,_e.__name__=\"YCoordinateSeqSeqSeqSpec\";class oe extends W{get default_units(){return\"rad\"}get valid_units(){return[..._.AngleUnits]}materialize(e){return e*-(0,d.to_radians_coeff)(this.units)}v_materialize(e){const t=-(0,d.to_radians_coeff)(this.units),r=new Float32Array(e.length);return(0,u.mul)(e,t,r),r}array(e){throw new Error(\"not supported\")}}r.AngleSpec=oe,oe.__name__=\"AngleSpec\";class ce extends W{get default_units(){return\"data\"}get valid_units(){return[..._.SpatialUnits]}}r.DistanceSpec=ce,ce.__name__=\"DistanceSpec\";class ue extends ce{materialize(e){return e??NaN}}r.NullDistanceSpec=ue,ue.__name__=\"NullDistanceSpec\";class de extends K{v_materialize(e){return new Uint8Array(e)}array(e){return new Uint8Array(super.array(e))}}r.BooleanSpec=de,de.__name__=\"BooleanSpec\";class Se extends K{v_materialize(e){return(0,h.isTypedArray)(e)?e:new Int32Array(e)}array(e){return new Int32Array(super.array(e))}}r.IntSpec=Se,Se.__name__=\"IntSpec\";class pe extends K{v_materialize(e){return(0,h.isTypedArray)(e)?e:new Float64Array(e)}array(e){return new Float64Array(super.array(e))}}r.NumberSpec=pe,pe.__name__=\"NumberSpec\";class he extends pe{valid(e){return(0,h.isNumber)(e)&&e>=0}}r.ScreenSizeSpec=he,he.__name__=\"ScreenSizeSpec\";class me extends K{materialize(e){return(0,S.encode_rgba)((0,S.color2rgba)(e))}v_materialize(e){if(!(0,y.is_NDArray)(e))return this._from_css_array(e);if(\"uint32\"==e.dtype&&1==e.dimension)return(0,p.to_big_endian)(e);if(\"uint8\"==e.dtype&&1==e.dimension){const[t]=e.shape,r=new o.RGBAArray(4*t);let n=0;for(const t of e)r[n++]=t,r[n++]=t,r[n++]=t,r[n++]=255;return new o.ColorArray(r.buffer)}if(\"uint8\"==e.dtype&&2==e.dimension){const[t,r]=e.shape;if(4==r)return new o.ColorArray(e.buffer);if(3==r){const n=new o.RGBAArray(4*t);for(let a=0,s=0;a0)return e in i?i[e]:i[e]=new _(e,l);throw new TypeError(\"Logger.get() expects a non-empty string name and an optional log-level\")}constructor(e,l=_.INFO){this._name=e,this.set_level(l)}get level(){return this.get_level()}get_level(){return this._log_level}set_level(e){if(e instanceof v)this._log_level=e;else{if(!_.log_levels.hasOwnProperty(e))throw new Error(\"Logger.set_level() expects a log-level object or a string name of a log-level\");this._log_level=_.log_levels[e]}const l=`[${this._name}]`;for(const{level:e,method:o}of(0,r.values)(_.log_levels))e\",\"*\"),n.BuiltinFormatter=(0,a.Enum)(\"raw\",\"basic\",\"numeral\",\"printf\",\"datetime\"),n.HTTPMethod=(0,a.Enum)(\"POST\",\"GET\"),n.HexTileOrientation=(0,a.Enum)(\"pointytop\",\"flattop\"),n.HoverMode=(0,a.Enum)(\"mouse\",\"hline\",\"vline\"),n.ImageOrigin=(0,a.Enum)(\"bottom_left\",\"top_left\",\"bottom_right\",\"top_right\"),n.LatLon=(0,a.Enum)(\"lat\",\"lon\"),n.LegendClickPolicy=(0,a.Enum)(\"none\",\"hide\",\"mute\"),n.LegendLocation=n.Anchor,n.LineCap=(0,a.Enum)(\"butt\",\"round\",\"square\"),n.LineDash=(0,a.Enum)(\"solid\",\"dashed\",\"dotted\",\"dotdash\",\"dashdot\"),n.LineJoin=(0,a.Enum)(\"miter\",\"round\",\"bevel\"),n.LinePolicy=(0,a.Enum)(\"prev\",\"next\",\"nearest\",\"interp\",\"none\"),n.Location=(0,a.Enum)(\"above\",\"below\",\"left\",\"right\"),n.Logo=(0,a.Enum)(\"normal\",\"grey\"),n.MapType=(0,a.Enum)(\"satellite\",\"roadmap\",\"terrain\",\"hybrid\"),n.MarkerType=(0,a.Enum)(\"asterisk\",\"circle\",\"circle_cross\",\"circle_dot\",\"circle_x\",\"circle_y\",\"cross\",\"dash\",\"diamond\",\"diamond_cross\",\"diamond_dot\",\"dot\",\"hex\",\"hex_dot\",\"inverted_triangle\",\"plus\",\"square\",\"square_cross\",\"square_dot\",\"square_pin\",\"square_x\",\"star\",\"star_dot\",\"triangle\",\"triangle_dot\",\"triangle_pin\",\"x\",\"y\"),n.MutedPolicy=(0,a.Enum)(\"show\",\"ignore\"),n.Orientation=(0,a.Enum)(\"vertical\",\"horizontal\"),n.OutlineShapeName=(0,a.Enum)(\"none\",\"box\",\"rectangle\",\"square\",\"circle\",\"ellipse\",\"trapezoid\",\"parallelogram\",\"diamond\",\"triangle\"),n.OutputBackend=(0,a.Enum)(\"canvas\",\"svg\",\"webgl\"),n.PaddingUnits=(0,a.Enum)(\"percent\",\"absolute\"),n.PanDirection=(0,a.Enum)(\"left\",\"right\",\"up\",\"down\",\"west\",\"east\",\"north\",\"south\"),n.Place=(0,a.Enum)(\"above\",\"below\",\"left\",\"right\",\"center\"),n.PointPolicy=(0,a.Enum)(\"snap_to_data\",\"follow_mouse\",\"none\"),n.RadiusDimension=(0,a.Enum)(\"x\",\"y\",\"max\",\"min\"),n.RenderLevel=(0,a.Enum)(\"image\",\"underlay\",\"glyph\",\"guide\",\"annotation\",\"overlay\"),n.ResetPolicy=(0,a.Enum)(\"standard\",\"event_only\"),n.ResolutionType=(0,a.Enum)(\"microseconds\",\"milliseconds\",\"seconds\",\"minsec\",\"minutes\",\"hourmin\",\"hours\",\"days\",\"months\",\"years\"),n.RoundingFunction=(0,a.Enum)(\"round\",\"nearest\",\"floor\",\"rounddown\",\"ceil\",\"roundup\"),n.ScrollbarPolicy=(0,a.Enum)(\"auto\",\"visible\",\"hidden\"),n.RegionSelectionMode=(0,a.Enum)(\"replace\",\"append\",\"intersect\",\"subtract\",\"xor\"),n.SelectionMode=(0,a.Enum)(...n.RegionSelectionMode,\"toggle\"),n.Side=(0,a.Enum)(\"above\",\"below\",\"left\",\"right\"),n.SizingMode=(0,a.Enum)(\"stretch_width\",\"stretch_height\",\"stretch_both\",\"scale_width\",\"scale_height\",\"scale_both\",\"fixed\",\"inherit\"),n.Sort=(0,a.Enum)(\"ascending\",\"descending\"),n.SpatialUnits=(0,a.Enum)(\"screen\",\"data\"),n.StartEnd=(0,a.Enum)(\"start\",\"end\"),n.StepMode=(0,a.Enum)(\"after\",\"before\",\"center\"),n.TapBehavior=(0,a.Enum)(\"select\",\"inspect\"),n.TapGesture=(0,a.Enum)(\"tap\",\"doubletap\"),n.TextAlign=(0,a.Enum)(\"left\",\"right\",\"center\"),n.TextBaseline=(0,a.Enum)(\"top\",\"middle\",\"bottom\",\"alphabetic\",\"hanging\",\"ideographic\"),n.TextureRepetition=(0,a.Enum)(\"repeat\",\"repeat_x\",\"repeat_y\",\"no_repeat\"),n.TimedeltaResolutionType=(0,a.Enum)(\"nanoseconds\",\"microseconds\",\"milliseconds\",\"seconds\",\"minsec\",\"minutes\",\"hourmin\",\"hours\",\"days\"),n.LabelOrientation=(0,a.Enum)(\"vertical\",\"horizontal\",\"parallel\",\"normal\"),n.TooltipAttachment=(0,a.Enum)(\"horizontal\",\"vertical\",\"left\",\"right\",\"above\",\"below\"),n.UpdateMode=(0,a.Enum)(\"replace\",\"append\"),n.VerticalAlign=(0,a.Enum)(\"top\",\"middle\",\"bottom\"),n.WindowAxis=(0,a.Enum)(\"none\",\"x\",\"y\"),n.ToolIcon=(0,a.Enum)(\"append_mode\",\"arrow_down_to_bar\",\"arrow_up_from_bar\",\"auto_box_zoom\",\"bold\",\"box_edit\",\"box_select\",\"box_zoom\",\"caret_down\",\"caret_left\",\"caret_right\",\"caret_up\",\"check\",\"chevron_down\",\"chevron_left\",\"chevron_right\",\"chevron_up\",\"clear_selection\",\"copy\",\"crosshair\",\"dark_theme\",\"delete\",\"freehand_draw\",\"fullscreen\",\"help\",\"hover\",\"intersect_mode\",\"invert_selection\",\"italic\",\"lasso_select\",\"light_theme\",\"line_edit\",\"maximize\",\"minimize\",\"pan\",\"pin\",\"point_draw\",\"pointer\",\"poly_draw\",\"poly_edit\",\"polygon_select\",\"range\",\"redo\",\"replace_mode\",\"reset\",\"save\",\"see_off\",\"see_on\",\"settings\",\"square\",\"square_check\",\"subtract_mode\",\"tap_select\",\"text_align_center\",\"text_align_left\",\"text_align_right\",\"undo\",\"unknown\",\"unpin\",\"wheel_pan\",\"wheel_zoom\",\"x_box_select\",\"x_box_zoom\",\"x_grip\",\"x_pan\",\"xor_mode\",\"y_box_select\",\"y_box_zoom\",\"y_grip\",\"y_pan\",\"zoom_in\",\"zoom_out\"),n.ToolName=(0,a.Enum)(\"auto_box_zoom\",\"box_select\",\"box_zoom\",\"click\",\"copy\",\"crosshair\",\"doubletap\",\"examine\",\"freehand_draw\",\"fullscreen\",\"help\",\"hover\",\"lasso_select\",\"pan\",\"pan_down\",\"pan_east\",\"pan_left\",\"pan_north\",\"pan_right\",\"pan_south\",\"pan_up\",\"pan_west\",\"poly_select\",\"redo\",\"reset\",\"save\",\"tap\",\"undo\",\"wheel_zoom\",\"xbox_select\",\"xbox_zoom\",\"xcrosshair\",\"xpan\",\"xwheel_pan\",\"xwheel_zoom\",\"xzoom_in\",\"xzoom_out\",\"ybox_select\",\"ybox_zoom\",\"ycrosshair\",\"ypan\",\"ywheel_pan\",\"ywheel_zoom\",\"yzoom_in\",\"yzoom_out\",\"zoom_in\",\"zoom_out\")},\n", " function _(t,e,r,n,s){n();const i=t(1).__importStar(t(8)),a=t(23),_=t(9),o=t(18),u=globalThis.Map,l=globalThis.Set,y=globalThis.Node;class d{}r.Kind=d,d.__name__=\"Kind\",function(t){class e extends d{may_have_refs(){return!1}}e.__name__=\"Primitive\",t.Primitive=e;class r extends e{valid(t){return void 0!==t}toString(){return\"Any\"}may_have_refs(){return!0}}r.__name__=\"Any\",t.Any=r;class n extends e{valid(t){return void 0!==t}toString(){return\"Unknown\"}may_have_refs(){return!0}}n.__name__=\"Unknown\",t.Unknown=n;class s extends e{valid(t){return i.isBoolean(t)}toString(){return\"Bool\"}}s.__name__=\"Bool\",t.Bool=s;class c extends d{constructor(t){super(),this.obj_type=t}valid(t){return t instanceof this.obj_type}toString(){const t=this.obj_type;return`Ref(${t.__name__??t.toString()})`}may_have_refs(){const{obj_type:t}=this;return!(o.has_refs in t)||t[o.has_refs]}}c.__name__=\"Ref\",t.Ref=c;class p extends d{valid(t){return i.isObject(t)}toString(){return\"AnyRef\"}may_have_refs(){return!0}}p.__name__=\"AnyRef\",t.AnyRef=p;class h extends e{valid(t){return i.isNumber(t)}toString(){return\"Float\"}}h.__name__=\"Float\",t.Float=h;class m extends h{valid(t){return super.valid(t)&&i.isInteger(t)}toString(){return\"Int\"}}m.__name__=\"Int\",t.Int=m;class v extends h{valid(t){return super.valid(t)&&0<=t&&t<=1}toString(){return\"Percent\"}}v.__name__=\"Percent\",t.Percent=v;class f extends d{constructor(t){super(),this.types=t,this.types=t}valid(t){return this.types.some((e=>e.valid(t)))}toString(){return`Or(${this.types.map((t=>t.toString())).join(\", \")})`}may_have_refs(){return this.types.some((t=>t.may_have_refs()))}}f.__name__=\"Or\",t.Or=f;class S extends d{constructor(t,e){super(),this.types=[t,e]}valid(t){return this.types.some((e=>e.valid(t)))}toString(){return`And(${this.types.map((t=>t.toString())).join(\", \")})`}may_have_refs(){return this.types.some((t=>t.may_have_refs()))}}S.__name__=\"And\",t.And=S;class g extends d{constructor(t){super(),this.types=t,this.types=t}valid(t){if(!i.isArray(t))return!1;for(let e=0;et.toString())).join(\", \")})`}may_have_refs(){return this.types.some((t=>t.may_have_refs()))}}g.__name__=\"Tuple\",t.Tuple=g;class x extends d{constructor(t){super(),this.struct_type=t}valid(t){if(!i.isPlainObject(t))return!1;const e=new _.PlainObjectProxy(this.struct_type);for(const r of(0,_.keys)(t))if(!e.has(r))return!1;for(const[r,n]of e){const e=t[r];if(!n.valid(e))return!1}return!0}toString(){return`Struct({${(0,_.typed_entries)(this.struct_type).map((([t,e])=>`${t.toString()}: ${e}`)).join(\", \")}})`}may_have_refs(){return(0,_.typed_values)(this.struct_type).some((t=>t.may_have_refs()))}}x.__name__=\"Struct\",t.Struct=x;class b extends d{constructor(t){super(),this.struct_type=t}valid(t){if(!i.isPlainObject(t))return!1;const e=new _.PlainObjectProxy(t),r=new _.PlainObjectProxy(this.struct_type);for(const t of e.keys())if(!r.has(t))return!1;for(const[t,n]of r){const r=e.get(t);if(void 0!==r&&!n.valid(r))return!1}return!0}toString(){return`Struct({${(0,_.typed_entries)(this.struct_type).map((([t,e])=>`${t.toString()}?: ${e}`)).join(\", \")}})`}may_have_refs(){return(0,_.typed_values)(this.struct_type).some((t=>t.may_have_refs()))}}b.__name__=\"PartialStruct\",t.PartialStruct=b;class w extends d{constructor(t){super(),this.item_type=t}valid(t){return i.isIterable(t)}toString(){return`Iterable(${this.item_type.toString()})`}may_have_refs(){return this.item_type.may_have_refs()}}w.__name__=\"Iterable\",t.Iterable=w;class K extends d{constructor(t){super(),this.item_type=t}valid(t){return i.isArray(t)||i.isTypedArray(t)}toString(){return`Arrayable(${this.item_type.toString()})`}may_have_refs(){return this.item_type.may_have_refs()}}K.__name__=\"Arrayable\",t.Arrayable=K;class N extends d{constructor(t){super(),this.item_type=t}valid(t){return i.isArray(t)&&t.every((t=>this.item_type.valid(t)))}toString(){return`List(${this.item_type.toString()})`}may_have_refs(){return this.item_type.may_have_refs()}}N.__name__=\"List\",t.List=N;class P extends N{valid(t){return super.valid(t)&&0!=t.length}toString(){return`NonEmptyList(${this.item_type.toString()})`}}P.__name__=\"NonEmptyList\",t.NonEmptyList=P;class A extends e{valid(t){return null===t}toString(){return\"Null\"}}A.__name__=\"Null\",t.Null=A;class $ extends d{constructor(t){super(),this.base_type=t}valid(t){return null===t||this.base_type.valid(t)}toString(){return`Nullable(${this.base_type.toString()})`}may_have_refs(){return this.base_type.may_have_refs()}}$.__name__=\"Nullable\",t.Nullable=$;class j extends d{constructor(t){super(),this.base_type=t}valid(t){return void 0===t||this.base_type.valid(t)}toString(){return`Opt(${this.base_type.toString()})`}may_have_refs(){return this.base_type.may_have_refs()}}j.__name__=\"Opt\",t.Opt=j;class F extends d{valid(t){return t instanceof ArrayBuffer}toString(){return\"Bytes\"}may_have_refs(){return!1}}F.__name__=\"Bytes\",t.Bytes=F;class O extends e{valid(t){return i.isString(t)}toString(){return\"Str\"}}O.__name__=\"Str\",t.Str=O;class L extends e{constructor(t){super(),this.prefix=t}valid(t){return i.isString(t)&&t.startsWith(this.prefix)}toString(){return`PrefixedStr('${this.prefix}')`}}L.__name__=\"PrefixedStr\",t.PrefixedStr=L;class k extends O{constructor(t){super(),this.regex=t}valid(t){return super.valid(t)&&this.regex.test(t)}toString(){return`Regex(${this.regex.toString()})`}}k.__name__=\"Regex\",t.Regex=k;class R extends e{constructor(t){super(),this.values=new l(t)}valid(t){return this.values.has(t)}*[Symbol.iterator](){yield*this.values}toString(){return`Enum(${[...this.values].map((t=>t.toString())).join(\", \")})`}}R.__name__=\"Enum\",t.Enum=R;class B extends d{constructor(t){super(),this.item_type=t}valid(t){if(!(t instanceof u||i.isPlainObject(t)))return!1;for(const e of(0,_.values)(t))if(!this.item_type.valid(e))return!1;return!0}toString(){return`Dict(${this.item_type.toString()})`}may_have_refs(){return this.item_type.may_have_refs()}}B.__name__=\"Dict\",t.Dict=B;class I extends d{constructor(t,e){super(),this.key_type=t,this.item_type=e}valid(t){if(!(t instanceof u||i.isPlainObject(t)))return!1;for(const[e,r]of(0,_.entries)(t))if(!this.key_type.valid(e)||!this.item_type.valid(r))return!1;return!0}toString(){return`KeyVal(${this.key_type.toString()}, ${this.item_type.toString()})`}may_have_refs(){return this.key_type.may_have_refs()||this.item_type.may_have_refs()}}I.__name__=\"KeyVal\",t.KeyVal=I;class C extends d{constructor(t,e){super(),this.key_type=t,this.item_type=e}coerce(t){return i.isPlainObject(t)&&(0,_.is_empty)(t)?new u:t}valid(t){if(!(t instanceof u))return!1;for(const[e,r]of t.entries())if(!this.key_type.valid(e)||!this.item_type.valid(r))return!1;return!0}toString(){return`Mapping(${this.key_type.toString()}, ${this.item_type.toString()})`}may_have_refs(){return this.key_type.may_have_refs()||this.item_type.may_have_refs()}}C.__name__=\"Mapping\",t.Mapping=C;class E extends d{constructor(t){super(),this.item_type=t}valid(t){if(!(t instanceof l))return!1;for(const e of t)if(!this.item_type.valid(e))return!1;return!0}toString(){return`Set(${this.item_type.toString()})`}may_have_refs(){return this.item_type.may_have_refs()}}E.__name__=\"Set\",t.Set=E;class T extends d{valid(t){return(0,a.is_Color)(t)}toString(){return\"Color\"}may_have_refs(){return!1}}T.__name__=\"Color\",t.Color=T;class M extends O{toString(){return\"CSSLength\"}}M.__name__=\"CSSLength\",t.CSSLength=M;class D extends d{constructor(t,e){super(),this.args_types=t,this.ret_type=e}valid(t){return i.isFunction(t)}toString(){const{args_types:t,ret_type:e}=this;return`Func((${null==t?\"?\":t.map((t=>t.toString())).join(\", \")}), ${null==e?\"?\":e.toString()})`}may_have_refs(){return!1}}D.__name__=\"Func\",t.Func=D;class U extends d{constructor(t){super(),this.base_type=t}valid(t){return this.base_type.valid(t)&&t>=0}toString(){return`NonNegative(${this.base_type.toString()})`}may_have_refs(){return this.base_type.may_have_refs()}}U.__name__=\"NonNegative\",t.NonNegative=U;class V extends d{constructor(t){super(),this.base_type=t}valid(t){return this.base_type.valid(t)&&t>0}toString(){return`Positive(${this.base_type.toString()})`}may_have_refs(){return this.base_type.may_have_refs()}}V.__name__=\"Positive\",t.Positive=V;class z extends d{valid(t){return t instanceof y}toString(){return\"Node\"}may_have_refs(){return!1}}z.__name__=\"Node\",t.Node=z}(r.Kinds||(r.Kinds={})),r.Any=new r.Kinds.Any,r.Unknown=new r.Kinds.Unknown,r.Bool=new r.Kinds.Bool,r.Float=new r.Kinds.Float,r.Int=new r.Kinds.Int,r.Bytes=new r.Kinds.Bytes,r.Str=new r.Kinds.Str;r.PrefixedStr=t=>new r.Kinds.PrefixedStr(t);r.Regex=t=>new r.Kinds.Regex(t),r.Null=new r.Kinds.Null;r.Nullable=t=>new r.Kinds.Nullable(t);r.Opt=t=>new r.Kinds.Opt(t);r.Or=(...t)=>new r.Kinds.Or(t);r.And=(t,e)=>new r.Kinds.And(t,e);r.Tuple=(...t)=>new r.Kinds.Tuple(t);r.Struct=t=>new r.Kinds.Struct(t);r.PartialStruct=t=>new r.Kinds.PartialStruct(t);r.Iterable=t=>new r.Kinds.Iterable(t);r.Arrayable=t=>new r.Kinds.Arrayable(t);r.List=t=>new r.Kinds.List(t);r.NonEmptyList=t=>new r.Kinds.NonEmptyList(t);r.Dict=t=>new r.Kinds.Dict(t);r.KeyVal=(t,e)=>new r.Kinds.KeyVal(t,e);r.Mapping=(t,e)=>new r.Kinds.Mapping(t,e);r.Set=t=>new r.Kinds.Set(t);r.Enum=(...t)=>new r.Kinds.Enum(t);r.Ref=t=>new r.Kinds.Ref(t);r.AnyRef=()=>new r.Kinds.AnyRef;r.Func=(t,e)=>new r.Kinds.Func(t,e);r.Func0=t=>new r.Kinds.Func([],t),r.Node=new r.Kinds.Node;r.NonNegative=t=>new r.Kinds.NonNegative(t);r.Positive=t=>new r.Kinds.Positive(t),r.Percent=new r.Kinds.Percent,r.Alpha=r.Percent,r.Color=new r.Kinds.Color,r.Auto=(0,r.Enum)(\"auto\"),r.CSSLength=new r.Kinds.CSSLength,r.FontSize=r.Str,r.Font=r.Str,r.Angle=r.Float,r.Boolean=r.Bool,r.String=r.Str,r.Number=r.Float,r.Array=r.List,r.Map=r.Mapping,r.Function=r.Func},\n", " function _(n,r,t,e,s){e(),t.byte=a,t.transparent=f,t.encode_rgba=function([n,r,t,e]){return n<<24|r<<16|t<<8|e},t.decode_rgba=g,t.color2rgba=b,t.rgba2css=$,t.color2css=function(n,r){if(!(0,c.isString)(n)||null!=r&&1!=r){const[t,e,s,u]=b(n,r);return $([t,e,s,u])}return n},t.color2hex=function(n,r){const[t,e,s,u]=b(n,r),i=`#${d(t)}${d(e)}${d(s)}`;return 255==u?i:`${i}${d(u)}`},t.color2hexrgb=function(n){const[r,t,e]=b(n);return`#${d(r)}${d(t)}${d(e)}`},t.css4_parse=p,t.is_Color=function(n){if((0,c.isInteger)(n))return!0;if((0,c.isString)(n)&&null!=p(n))return!0;if((0,c.isArray)(n)&&(3==n.length||4==n.length))return!0;return!1},t.is_dark=function([n,r,t]){return 1-(.299*n+.587*r+.114*t)/255>=.6},t.brightness=function(n){const[r,t,e]=b(n);return l(.299*r**2+.587*t**2+.114*e**2)/255},t.luminance=function(n){const[r,t,e]=b(n);return(.2126*r**2.2+.7152*t**2.2+.0722*e**2.2)/255**2.2};const u=n(24),i=n(11),c=n(8),{round:o,sqrt:l}=Math;function a(n){return(0,i.clamp)(o(n),0,255)}function f(){return[0,0,0,0]}function g(n){return[n>>24&255,n>>16&255,n>>8&255,255&n]}function b(n,r=1){const[t,e,s,u]=(()=>{if(null==n)return[0,0,0,0];if((0,c.isInteger)(n))return g(n);if((0,c.isString)(n)){const[r,t,e,s]=p(n)??[0,0,0,0];return[r,t,e,a(255*s)]}if(2==n.length){const[r,t]=n;return b(r,t)}{const[r,t,e,s=1]=n;return[r,t,e,a(255*s)]}})();return[t,e,s,a(r*u)]}const h={0:\"0\",1:\"1\",2:\"2\",3:\"3\",4:\"4\",5:\"5\",6:\"6\",7:\"7\",8:\"8\",9:\"9\",10:\"a\",11:\"b\",12:\"c\",13:\"d\",14:\"e\",15:\"f\"};function d(n){return h[n>>4]+h[15&n]}function $([n,r,t,e]){return`rgb(${n} ${r} ${t}${255==e?\"\":\" / \"+e/255})`}const m=/^rgba?\\(\\s*(?[^\\s,]+?)\\s+(?[^\\s,]+?)\\s+(?[^\\s,]+?)(?:\\s*\\/\\s*(?[^\\s,]+?))?\\s*\\)$/,N=/^rgba?\\(\\s*(?[^\\s,]+?)\\s*,\\s*(?[^\\s,]+?)\\s*,\\s*(?[^\\s,]+?)(?:\\s*,\\s*(?[^\\s,]+?))?\\s*\\)$/,_=(()=>{const n=document.createElement(\"canvas\");n.width=1,n.height=1;const r=n.getContext(\"2d\"),t=r.createLinearGradient(0,0,1,1);return n=>{r.fillStyle=t,r.fillStyle=n;const e=r.fillStyle;return e!=t?e:null}})();function p(n){if(\"\"==(n=n.trim().toLowerCase()))return null;if(\"transparent\"==n)return[0,0,0,0];if((0,u.is_named_color)(n)){const[r,t,e,s]=g(u.named_colors[n]);return[r,t,e,s/255]}if(\"#\"==n[0]){const r=Number(`0x${n.substring(1)}`);if(isNaN(r))return null;switch(n.length-1){case 3:{const n=r>>8&15,t=r>>4&15,e=15&r;return[n<<4|n,t<<4|t,e<<4|e,1]}case 4:{const n=r>>12&15,t=r>>8&15,e=r>>4&15,s=15&r;return[n<<4|n,t<<4|t,e<<4|e,(s<<4|s)/255]}case 6:return[r>>16&255,r>>8&255,255&r,1];case 8:return[r>>24&255,r>>16&255,r>>8&255,(255&r)/255]}}else if(n.startsWith(\"rgb\")){const r=n.match(m)??n.match(N);if(null!=r?.groups){let{r:n,g:t,b:e,a:s=\"1\"}=r.groups;const u=n.endsWith(\"%\"),i=t.endsWith(\"%\"),c=e.endsWith(\"%\"),o=s.endsWith(\"%\");if(!(u&&i&&c)&&(u||i||c))return null;u&&(n=n.slice(0,-1)),i&&(t=t.slice(0,-1)),c&&(e=e.slice(0,-1)),o&&(s=s.slice(0,-1));let l=Number(n),f=Number(t),g=Number(e),b=Number(s);return isNaN(l+f+g+b)?null:(u&&(l=l/100*255),i&&(f=f/100*255),c&&(g=g/100*255),b=o?b/100:b,l=a(l),f=a(f),g=a(g),[l,f,g,b])}}else{const r=_(n);if(null!=r)return p(r)}return null}},\n", " function _(e,r,l,a,i){a(),l.is_named_color=function(e){return e in l.named_colors};l.named_colors={aliceblue:4042850303,antiquewhite:4209760255,aqua:16777215,aquamarine:2147472639,azure:4043309055,beige:4126530815,bisque:4293182719,black:255,blanchedalmond:4293643775,blue:65535,blueviolet:2318131967,brown:2771004159,burlywood:3736635391,cadetblue:1604231423,chartreuse:2147418367,chocolate:3530104575,coral:4286533887,cornflowerblue:1687547391,cornsilk:4294499583,crimson:3692313855,cyan:16777215,darkblue:35839,darkcyan:9145343,darkgoldenrod:3095792639,darkgray:2846468607,darkgreen:6553855,darkgrey:2846468607,darkkhaki:3182914559,darkmagenta:2332068863,darkolivegreen:1433087999,darkorange:4287365375,darkorchid:2570243327,darkred:2332033279,darksalmon:3918953215,darkseagreen:2411499519,darkslateblue:1211993087,darkslategray:793726975,darkslategrey:793726975,darkturquoise:13554175,darkviolet:2483082239,deeppink:4279538687,deepskyblue:12582911,dimgray:1768516095,dimgrey:1768516095,dodgerblue:512819199,firebrick:2988581631,floralwhite:4294635775,forestgreen:579543807,fuchsia:4278255615,gainsboro:3705462015,ghostwhite:4177068031,gold:4292280575,goldenrod:3668254975,gray:2155905279,green:8388863,greenyellow:2919182335,grey:2155905279,honeydew:4043305215,hotpink:4285117695,indianred:3445382399,indigo:1258324735,ivory:4294963455,khaki:4041641215,lavender:3873897215,lavenderblush:4293981695,lawngreen:2096890111,lemonchiffon:4294626815,lightblue:2916673279,lightcoral:4034953471,lightcyan:3774873599,lightgoldenrodyellow:4210742015,lightgray:3553874943,lightgreen:2431553791,lightgrey:3553874943,lightpink:4290167295,lightsalmon:4288707327,lightseagreen:548580095,lightskyblue:2278488831,lightslategray:2005441023,lightslategrey:2005441023,lightsteelblue:2965692159,lightyellow:4294959359,lime:16711935,limegreen:852308735,linen:4210091775,magenta:4278255615,maroon:2147483903,mediumaquamarine:1724754687,mediumblue:52735,mediumorchid:3126187007,mediumpurple:2473647103,mediumseagreen:1018393087,mediumslateblue:2070474495,mediumspringgreen:16423679,mediumturquoise:1221709055,mediumvioletred:3340076543,midnightblue:421097727,mintcream:4127193855,mistyrose:4293190143,moccasin:4293178879,navajowhite:4292783615,navy:33023,oldlace:4260751103,olive:2155872511,olivedrab:1804477439,orange:4289003775,orangered:4282712319,orchid:3664828159,palegoldenrod:4008225535,palegreen:2566625535,paleturquoise:2951671551,palevioletred:3681588223,papayawhip:4293907967,peachpuff:4292524543,peru:3448061951,pink:4290825215,plum:3718307327,powderblue:2967529215,purple:2147516671,rebeccapurple:1714657791,red:4278190335,rosybrown:3163525119,royalblue:1097458175,saddlebrown:2336560127,salmon:4202722047,sandybrown:4104413439,seagreen:780883967,seashell:4294307583,sienna:2689740287,silver:3233857791,skyblue:2278484991,slateblue:1784335871,slategray:1887473919,slategrey:1887473919,snow:4294638335,springgreen:16744447,steelblue:1182971135,tan:3535047935,teal:8421631,thistle:3636451583,tomato:4284696575,turquoise:1088475391,violet:4001558271,wheat:4125012991,white:4294967295,whitesmoke:4126537215,yellow:4294902015,yellowgreen:2597139199}},\n", " function _(r,t,n,o,a){o(),n.infer_type=function(r,t){if(r instanceof Float64Array||r instanceof Array)return Float64Array;if(t instanceof Float64Array||t instanceof Array)return Float64Array;return Float32Array},n.to_screen=function(r){return r instanceof Float32Array?r:Float32Array.from(r)},n.GeneratorFunction=Object.getPrototypeOf((function*(){})).constructor,n.AsyncGeneratorFunction=Object.getPrototypeOf((async function*(){})).constructor,n.ColorArray=Uint32Array,n.RGBAArray=Uint8ClampedArray,n.ScreenArray=Float32Array,a(\"Indices\",r(26).BitSet)},\n", " function _(t,e,s,r,n){var i,o;r();const c=t(27),_=t(12),h=t(18),a=t(20);class l{constructor(t,e=0){this[i]=\"BitSet\",this._count=null,this.size=t,this._nwords=Math.ceil(t/l._word_length),0==e||1==e?(this._array=new Uint32Array(this._nwords),1==e&&this._array.fill(4294967295)):((0,_.assert)(e.length==this._nwords,\"Initializer size mismatch\"),this._array=e)}clone(){return new l(this.size,new Uint32Array(this._array))}[(i=Symbol.toStringTag,o=h.has_refs,c.equals)](t,e){if(!e.eq(this.size,t.size))return!1;const{_nwords:s}=this,r=this.size%l._word_length,n=0==r?s:s-1;for(let e=0;e>>5,s=31&t;return 1==(this._array[e]>>s&1)}set_unchecked(t,e=!0){this._count=null;const s=t>>>5,r=31&t;e?this._array[s]|=1<=0?t:s+t} >= size=${s}`)}unset(t){this.set(t,!1)}*[Symbol.iterator](){yield*this.ones()}get count(){let t=this._count;return null==t&&(this._count=t=this._get_count()),t}_get_count(){const{_array:t,_nwords:e,size:s}=this;let r=0;for(let n=0,i=0;i>>t&1)&&(r+=1)}return r}ones(){const t=new Array(this.count);let e=0;const{_array:s,_nwords:r,size:n}=this;for(let i=0,o=0;o>>s&1)&&(t[e++]=i);else i+=l._word_length}return t}zeros(){const t=new Array(this.count);let e=0;const{_array:s,_nwords:r,size:n}=this;for(let i=0,o=0;o>>s&1||(t[e++]=i);else i+=l._word_length}return t}_check_size(t){(0,_.assert)(this.size==t.size,`Size mismatch (${this.size} != ${t.size})`)}invert(){for(let t=0;t>>0}add(t){this._check_size(t);for(let e=0;e0;)if(n[o]===t)return c[o]===e;n.push(t),c.push(e);const l=(()=>{if(a(t)&&a(e))return t[r.equals](e,this);switch(s){case\"[object Array]\":case\"[object Uint8Array]\":case\"[object Int8Array]\":case\"[object Uint16Array]\":case\"[object Int16Array]\":case\"[object Uint32Array]\":case\"[object Int32Array]\":case\"[object Float32Array]\":case\"[object Float64Array]\":return this.arrays(t,e);case\"[object ArrayBuffer]\":case\"[object SharedArrayBuffer]\":return this.array_buffers(t,e);case\"[object Map]\":return this.maps(t,e);case\"[object Set]\":return this.sets(t,e);case\"[object Object]\":if(t.constructor==e.constructor&&(null==t.constructor||t.constructor===Object))return this.objects(t,e);case\"[object Function]\":if(t.constructor==e.constructor&&t.constructor===Function)return this.eq(`${t}`,`${e}`)}if(\"undefined\"!=typeof Node&&t instanceof Node)return this.nodes(t,e);throw new u(`can't compare objects of type ${s}`)})();return n.pop(),c.pop(),l}numbers(t,e){return t===e||Object.is(t,e)}arrays(t,e){const{length:r}=t;if(r!=e.length)return!1;for(let s=0;s0,i.is_little_endian=(()=>{const n=new ArrayBuffer(4),t=new Uint8Array(n);new Uint32Array(n)[1]=168496141;let i=!0;return 10==t[4]&&11==t[5]&&12==t[6]&&13==t[7]&&(i=!1),i})(),i.BYTE_ORDER=i.is_little_endian?\"little\":\"big\"},\n", " function _(n,i,r,t,e){t(),r.isValue=o,r.isField=s,r.isExpr=l,r.isVectorized=function(n){return o(n)||s(n)||l(n)};const u=n(8),f=n(9);function c(n,i){if(!(0,u.isPlainObject)(n))return!1;if(!(i in n))return!1;let r=(0,f.size)(n)-1;return\"transform\"in n&&(r-=1),\"units\"in n&&(r-=1),0==r}function o(n){return c(n,\"value\")}function s(n){return c(n,\"field\")}function l(n){return c(n,\"expr\")}},\n", " function _(e,t,r,s,_){s();class i{constructor(){this._dev=!1,this._wireframe=!1,this._force_webgl=!1,this._force_fields=!1}set dev(e){this._dev=e}get dev(){return this._dev}set wireframe(e){this._wireframe=e}get wireframe(){return this._wireframe}set force_webgl(e){this._force_webgl=e}get force_webgl(){return this._force_webgl}set force_fields(e){this._force_fields=e}get force_fields(){return this._force_fields}}r.Settings=i,i.__name__=\"Settings\",r.settings=new i},\n", " function _(e,t,s,r,n){var a,i,h,u,o,l,c,p,y,_;r(),s.is_NDArray=O,s.ndarray=function(e,{dtype:t,shape:s}={}){null==t&&(t=(()=>{switch(!0){case e instanceof Uint8Array:return\"uint8\";case e instanceof Int8Array:return\"int8\";case e instanceof Uint16Array:return\"uint16\";case e instanceof Int16Array:return\"int16\";case e instanceof Uint32Array:return\"uint32\";case e instanceof Int32Array:return\"int32\";case e instanceof Float32Array:return\"float32\";case e instanceof Float64Array:return\"float64\";default:return(0,A.is_ArrayBufferLike)(e)?\"float64\":\"object\"}})());switch(t){case\"bool\":return new D(e,s);case\"uint8\":return new q(e,s);case\"int8\":return new b(e,s);case\"uint16\":return new U(e,s);case\"int16\":return new I(e,s);case\"uint32\":return new x(e,s);case\"int32\":return new z(e,s);case\"float32\":return new F(e,s);case\"float64\":return new j(e,s);case\"object\":return new B(e,s)}};const A=e(8),d=e(28),g=e(27),f=e(32),m=e(33),w=Symbol(\"__ndarray__\");function N(e,t){return{type:\"ndarray\",array:t.encode(\"object\"==e.dtype?Array.from(e):e.buffer),order:d.BYTE_ORDER,dtype:e.dtype,shape:e.shape}}class D extends Uint8Array{constructor(e,t){super(e),this[a]=!0,this.dtype=\"bool\",this.shape=t??(O(e)?e.shape:[this.length]),this.dimension=this.shape.length}[(a=w,g.equals)](e,t){return t.eq(this.shape,e.shape)&&t.arrays(this,e)}[f.clone](e){return new D(this,e.clone(this.shape))}[m.serialize](e){return N(this,e)}get(e){return 1==this[e]}}s.BoolNDArray=D,D.__name__=\"BoolNDArray\";class q extends Uint8Array{constructor(e,t){super(e),this[i]=!0,this.dtype=\"uint8\",this.shape=t??(O(e)?e.shape:[this.length]),this.dimension=this.shape.length}[(i=w,g.equals)](e,t){return t.eq(this.shape,e.shape)&&t.arrays(this,e)}[f.clone](e){return new q(this,e.clone(this.shape))}[m.serialize](e){return N(this,e)}get(e){return this[e]}}s.Uint8NDArray=q,q.__name__=\"Uint8NDArray\";class b extends Int8Array{constructor(e,t){super(e),this[h]=!0,this.dtype=\"int8\",this.shape=t??(O(e)?e.shape:[this.length]),this.dimension=this.shape.length}[(h=w,g.equals)](e,t){return t.eq(this.shape,e.shape)&&t.arrays(this,e)}[f.clone](e){return new b(this,e.clone(this.shape))}[m.serialize](e){return N(this,e)}get(e){return this[e]}}s.Int8NDArray=b,b.__name__=\"Int8NDArray\";class U extends Uint16Array{constructor(e,t){super(e),this[u]=!0,this.dtype=\"uint16\",this.shape=t??(O(e)?e.shape:[this.length]),this.dimension=this.shape.length}[(u=w,g.equals)](e,t){return t.eq(this.shape,e.shape)&&t.arrays(this,e)}[f.clone](e){return new U(this,e.clone(this.shape))}[m.serialize](e){return N(this,e)}get(e){return this[e]}}s.Uint16NDArray=U,U.__name__=\"Uint16NDArray\";class I extends Int16Array{constructor(e,t){super(e),this[o]=!0,this.dtype=\"int16\",this.shape=t??(O(e)?e.shape:[this.length]),this.dimension=this.shape.length}[(o=w,g.equals)](e,t){return t.eq(this.shape,e.shape)&&t.arrays(this,e)}[f.clone](e){return new I(this,e.clone(this.shape))}[m.serialize](e){return N(this,e)}get(e){return this[e]}}s.Int16NDArray=I,I.__name__=\"Int16NDArray\";class x extends Uint32Array{constructor(e,t){super(e),this[l]=!0,this.dtype=\"uint32\",this.shape=t??(O(e)?e.shape:[this.length]),this.dimension=this.shape.length}[(l=w,g.equals)](e,t){return t.eq(this.shape,e.shape)&&t.arrays(this,e)}[f.clone](e){return new x(this,e.clone(this.shape))}[m.serialize](e){return N(this,e)}get(e){return this[e]}}s.Uint32NDArray=x,x.__name__=\"Uint32NDArray\";class z extends Int32Array{constructor(e,t){super(e),this[c]=!0,this.dtype=\"int32\",this.shape=t??(O(e)?e.shape:[this.length]),this.dimension=this.shape.length}[(c=w,g.equals)](e,t){return t.eq(this.shape,e.shape)&&t.arrays(this,e)}[f.clone](e){return new z(this,e.clone(this.shape))}[m.serialize](e){return N(this,e)}get(e){return this[e]}}s.Int32NDArray=z,z.__name__=\"Int32NDArray\";class F extends Float32Array{constructor(e,t){super(e),this[p]=!0,this.dtype=\"float32\",this.shape=t??(O(e)?e.shape:[this.length]),this.dimension=this.shape.length}[(p=w,g.equals)](e,t){return t.eq(this.shape,e.shape)&&t.arrays(this,e)}[f.clone](e){return new F(this,e.clone(this.shape))}[m.serialize](e){return N(this,e)}get(e){return this[e]}}s.Float32NDArray=F,F.__name__=\"Float32NDArray\";class j extends Float64Array{constructor(e,t){super(e),this[y]=!0,this.dtype=\"float64\",this.shape=t??(O(e)?e.shape:[this.length]),this.dimension=this.shape.length}[(y=w,g.equals)](e,t){return t.eq(this.shape,e.shape)&&t.arrays(this,e)}[f.clone](e){return new j(this,e.clone(this.shape))}[m.serialize](e){return N(this,e)}get(e){return this[e]}}s.Float64NDArray=j,j.__name__=\"Float64NDArray\";class B extends Array{get shape(){return this._shape??[this.length]}get dimension(){return this.shape.length}constructor(e,t){const s=(0,A.is_ArrayBufferLike)(e)?new Float64Array(e):e;if(super((0,A.isNumber)(s)?s:s.length),this[_]=!0,this.dtype=\"object\",!(0,A.isNumber)(s))for(let e=0;e[this.clone(n),this.clone(e)])));if(n instanceof Set)return new Set([...n].map((n=>this.clone(n))));throw new l(`${Object.prototype.toString.call(n)} is not cloneable`)}}t.Cloner=a,a.__name__=\"Cloner\"},\n", " function _(r,e,i,a,f){a();const o=r(1);var l=r(34);f(\"Serializer\",l.Serializer),f(\"SerializationError\",l.SerializationError),f(\"serialize\",l.serialize);var t=r(35);f(\"Buffer\",t.Buffer),f(\"Base64Buffer\",t.Base64Buffer),o.__exportStar(r(38),i)},\n", " function _(e,r,t,n,i){n();const s=e(12),a=e(9),c=e(8),o=e(14),u=e(28),l=e(35);t.serialize=Symbol(\"serialize\");class f extends Error{}t.SerializationError=f,f.__name__=\"SerializationError\";class y{constructor(e){this.value=e}to_json(){return JSON.stringify(this.value)}}y.__name__=\"Serialized\";class d{constructor(e){this._circular=new WeakSet,this.binary=e?.binary??!1,this.include_defaults=e?.include_defaults??!1;const r=e?.references;this._references=null!=r?new Map(r):new Map}get_ref(e){return this._references.get(e)}add_ref(e,r){(0,s.assert)(!this._references.has(e)),this._references.set(e,r)}to_serializable(e){return new y(this.encode(e))}encode(e){const r=this.get_ref(e);if(null!=r)return r;if(!(0,c.isObject)(e))return this._encode(e);this._circular.has(e)&&this.error(\"circular reference\"),this._circular.add(e);try{return this._encode(e)}finally{this._circular.delete(e)}}_encode(e){if(function(e){return(0,c.isObject)(e)&&t.serialize in e}(e))return e[t.serialize](this);if((0,c.isArray)(e)){const r=e.length,t=new Array(r);for(let n=0;n[this.encode(e),this.encode(r)]))]}}if(null===e||(0,c.isBoolean)(e)||(0,c.isString)(e))return e;if((0,c.isNumber)(e))return isNaN(e)?{type:\"number\",value:\"nan\"}:isFinite(e)?e:{type:\"number\",value:(e<0?\"-\":\"+\")+\"inf\"};if(e instanceof Date){return{type:\"date\",iso:e.toISOString()}}if(e instanceof Set)return 0==e.size?{type:\"set\"}:{type:\"set\",entries:[...(0,o.map)(e.values(),(e=>this.encode(e)))]};if(e instanceof Map)return 0==e.size?{type:\"map\"}:{type:\"map\",entries:[...(0,o.map)(e.entries(),(([e,r])=>[this.encode(e),this.encode(r)]))]};if((0,c.isSymbol)(e)&&null!=e.description)return{type:\"symbol\",name:e.description};throw new f(`${Object.prototype.toString.call(e)} is not serializable`)}encode_struct(e){const r={};for(const[t,n]of(0,a.entries)(e))void 0!==n&&(r[t]=this.encode(n));return r}error(e){throw new f(e)}_encode_typed_array(e){const r=this.encode(e.buffer),t=(()=>{switch(e.constructor){case Uint8Array:return\"uint8\";case Int8Array:return\"int8\";case Uint16Array:return\"uint16\";case Int16Array:return\"int16\";case Uint32Array:return\"uint32\";case Int32Array:return\"int32\";case Float32Array:return\"float32\";case Float64Array:return\"float64\";default:this.error(`can't serialize typed array of type '${e[Symbol.toStringTag]}'`)}})();return{type:\"typed_array\",array:r,order:u.BYTE_ORDER,dtype:t}}}t.Serializer=d,d.__name__=\"Serializer\"},\n", " function _(e,f,r,s,t){s();const u=e(36),_=e(27);class a{constructor(e){this.buffer=e}to_base64(){return(0,u.buffer_to_base64)(this.buffer)}[_.equals](e,f){return f.eq(this.buffer,e.buffer)}}r.Buffer=a,a.__name__=\"Buffer\";class n extends a{toJSON(){return this.to_base64()}}r.Base64Buffer=n,n.__name__=\"Base64Buffer\"},\n", " function _(n,t,e,o,r){o(),e.b64encode=a,e.b64decode=i,e.buffer_to_base64=function(n){const t=new Uint8Array(n);return a((0,c.gzipSync)(t,{mtime:0}))},e.base64_to_buffer=function(n){const t=i(n);return(0,c.gunzipSync)(t).buffer},e.swap=function(n,t){switch(t){case\"uint16\":case\"int16\":!function(n){const t=new Uint8Array(n);for(let n=0,e=t.length;nString.fromCharCode(n)));return btoa(t.join(\"\"))}function i(n){const t=atob(n),e=t.length,o=new Uint8Array(e);for(let n=0,r=e;n>4>7||(t[0]<<8|t[1])%31?Ut(t,n,r):Rt(t,n,r)},r.decompressSync=function(t,n){return 31==t[0]&&139==t[1]&&8==t[2]?$t(t,n):8!=(15&t[0])||t[0]>>4>7||(t[0]<<8|t[1])%31?It(t,n):Wt(t,n)},r.strToU8=rn,r.strFromU8=en,r.zip=function(t,n,r){r||(r=n,n={});\"function\"!=typeof r&&O(7);var i={};Jt(t,\"\",i,n);var e=Object.keys(i),o=e.length,s=0,u=0,h=o,f=new Array(o),c=[],l=function(){for(var t=0;t65535&&M(O(11,0,1),null),S)if(g<16e4)try{M(null,Ct(a,h))}catch(t){M(t,null)}else c.push(At(a,h,M));else M(null,a)},g=0;g65535&&O(11);var y=c?Ct(h,f):h,m=y.length,b=J();b.p(h),i.push(V(f,{size:h.length,crc:b.d(),c:y,f:M,m:v,u:l!=s.length||v&&p.length!=d,o:e,compression:c})),e+=30+l+g+m,o+=76+2*(l+g)+(d||0)+m}for(var w=new a(o+22),z=e,k=o-e,S=0;S65558)return s(O(13,0,1),null),e;var h=pt(t,u+8);if(h){var f=h,c=vt(t,u+16),l=4294967295==c||65535==f;if(l){var p=vt(t,u-12);(l=101075792==vt(t,p))&&(f=h=vt(t,p+32),c=vt(t,p+48))}for(var v=n&&n.filter,d=function(n){var r=sn(t,c,l),u=r[0],f=r[1],p=r[2],d=r[3],g=r[4],y=r[5],m=an(t,y);c=g;var b=function(t,n){t?(e(),s(t,null)):(n&&(o[d]=n),--h||s(null,o))};if(!v||v({name:d,size:f,originalSize:p,compression:u}))if(u)if(8==u){var w=t.subarray(m,m+f);if(p<524288||f>.8*p)try{b(null,It(w,{out:new a(p)}))}catch(t){b(t,null)}else i.push(Ut(w,{size:p},b))}else b(O(14,\"unknown compression type \"+u,1),null);else b(null,E(t,m,m+f));else b(null,null)},g=0;g65558)&&O(13);var e=pt(t,i+8);if(!e)return{};var o=vt(t,i+16),s=4294967295==o||65535==e;if(s){var u=vt(t,i-12);(s=101075792==vt(t,u))&&(e=vt(t,u+32),o=vt(t,u+48))}for(var h=n&&n.filter,f=0;f>1|(21845&w)<<1;z=(61680&(z=(52428&z)>>2|(13107&z)<<2))>>4|(3855&z)<<4,b[w]=((65280&z)>>8|(255&z)<<8)>>1}var k=function(t,n,r){for(var i=t.length,e=0,o=new s(n);e>h]=f}else for(a=new s(i),e=0;e>15-t[e]);return a},S=new a(288);for(w=0;w<144;++w)S[w]=8;for(w=144;w<256;++w)S[w]=9;for(w=256;w<280;++w)S[w]=7;for(w=280;w<288;++w)S[w]=8;var M=new a(32);for(w=0;w<32;++w)M[w]=5;var x=k(S,9,0),A=k(S,9,1),C=k(M,5,0),T=k(M,5,1),D=function(t){for(var n=t[0],r=1;rn&&(n=t[r]);return n},U=function(t,n,r){var i=n/8|0;return(t[i]|t[i+1]<<8)>>(7&n)&r},I=function(t,n){var r=n/8|0;return(t[r]|t[r+1]<<8|t[r+2]<<16)>>(7&n)},F=function(t){return(t+7)/8|0},E=function(t,n,r){return(null==n||n<0)&&(n=0),(null==r||r>t.length)&&(r=t.length),new a(t.subarray(n,r))};r.FlateErrorCode={UnexpectedEOF:0,InvalidBlockType:1,InvalidLengthLiteral:2,InvalidDistance:3,StreamFinished:4,NoStreamHandler:5,InvalidHeader:6,NoCallback:7,InvalidUTF8:8,ExtraFieldTooLong:9,InvalidDate:10,FilenameTooLong:11,StreamFinishing:12,InvalidZipData:13,UnknownCompressionMethod:14};var Z=[\"unexpected EOF\",\"invalid block type\",\"invalid length/literal\",\"invalid distance\",\"stream finished\",\"no stream handler\",,\"no callback\",\"invalid UTF-8 data\",\"extra field too long\",\"date not in range 1980-2099\",\"filename too long\",\"stream finishing\",\"invalid zip data\"],O=function(t,n,r){var i=new Error(n||Z[t]);if(i.code=t,Error.captureStackTrace&&Error.captureStackTrace(i,O),!r)throw i;return i},q=function(t,n,r,i){var e=t.length,o=i?i.length:0;if(!e||n.f&&!n.l)return r||new a(0);var s=!r,u=s||2!=n.i,l=n.i;s&&(r=new a(3*e));var p=function(t){var n=r.length;if(t>n){var i=new a(Math.max(2*n,t));i.set(r),r=i}},d=n.f||0,g=n.p||0,m=n.b||0,b=n.l,w=n.d,z=n.m,S=n.n,M=8*e;do{if(!b){d=U(t,g,1);var x=U(t,g+1,3);if(g+=3,!x){var C=t[(R=F(g)+4)-4]|t[R-3]<<8,Z=R+C;if(Z>e){l&&O(0);break}u&&p(m+C),r.set(t.subarray(R,Z),m),n.b=m+=C,n.p=g=8*Z,n.f=d;continue}if(1==x)b=A,w=T,z=9,S=5;else if(2==x){var q=U(t,g,31)+257,G=U(t,g+10,15)+4,L=q+U(t,g+5,31)+1;g+=14;for(var $=new a(L),j=new a(19),H=0;H>4)<16)$[H++]=R;else{var Y=0,_=0;for(16==R?(_=3+U(t,g,3),g+=2,Y=$[H-1]):17==R?(_=3+U(t,g,7),g+=3):18==R&&(_=11+U(t,g,127),g+=7);_--;)$[H++]=Y}}var J=$.subarray(0,q),K=$.subarray(q);z=D(J),S=D(K),b=k(J,z,1),w=k(K,S,1)}else O(1);if(g>M){l&&O(0);break}}u&&p(m+131072);for(var Q=(1<>4;if((g+=15&Y)>M){l&&O(0);break}if(Y||O(2),tt<256)r[m++]=tt;else{if(256==tt){X=g,b=null;break}var nt=tt-254;if(tt>264){var rt=h[H=tt-257];nt=U(t,g,(1<>4;it||O(3),g+=15⁢K=y[et];if(et>3){rt=f[et];K+=I(t,g)&(1<M){l&&O(0);break}u&&p(m+131072);var ot=m+nt;if(m>8},L=function(t,n,r){r<<=7&n;var i=n/8|0;t[i]|=r,t[i+1]|=r>>8,t[i+2]|=r>>16},$=function(t,n){for(var r=[],i=0;iv&&(v=o[i].s);var d=new s(v+1),g=j(r[l-1],d,0);if(g>n){i=0;var y=0,m=g-n,b=1<n))break;y+=b-(1<>=m;y>0;){var z=o[i].s;d[z]=0&&y;--i){var k=o[i].s;d[k]==n&&(--d[k],++y)}g=n}return{t:new a(d),l:g}},j=function(t,n,r){return-1==t.s?Math.max(j(t.l,n,r+1),j(t.r,n,r+1)):n[t.s]=r},H=function(t){for(var n=t.length;n&&!t[--n];);for(var r=new s(++n),i=0,e=t[0],o=1,a=function(t){r[i++]=t},u=1;u<=n;++u)if(t[u]==e&&u!=n)++o;else{if(!e&&o>2){for(;o>138;o-=138)a(32754);o>2&&(a(o>10?o-11<<5|28690:o-3<<5|12305),o=0)}else if(o>3){for(a(e),--o;o>6;o-=6)a(8304);o>2&&(a(o-3<<5|8208),o=0)}for(;o--;)a(e);o=1,e=t[u]}return{c:r.subarray(0,i),n}},B=function(t,n){for(var r=0,i=0;i>8,t[e+2]=255^t[e],t[e+3]=255^t[e+1];for(var o=0;o4&&!O[c[j-1]];--j);var P,R,W,Y,_=p+5<<3,J=B(e,S)+B(o,M)+a,K=B(e,g)+B(o,b)+a+14+3*j+B(F,O)+2*F[16]+3*F[17]+7*F[18];if(l>=0&&_<=J&&_<=K)return N(n,v,t.subarray(l,l+p));if(G(n,v,1+(K15&&(G(n,v,tt[E]>>5&127),v+=tt[E]>>12)}}}else P=x,R=S,W=C,Y=M;for(E=0;E255){L(n,v,P[(nt=rt>>18&31)+257]),v+=R[nt+257],nt>7&&(G(n,v,rt>>23&31),v+=h[nt]);var it=31&rt;L(n,v,W[it]),v+=Y[it],it>3&&(L(n,v,rt>>5&8191),v+=f[it])}else L(n,v,P[rt]),v+=R[rt]}return L(n,v,P[256]),v+R[256]},R=new u([65540,131080,131088,131104,262176,1048704,1048832,2114560,2117632]),W=new a(0),Y=function(t,n,r,i,e,o){var c=o.z||t.length,l=new a(i+c+5*(1+Math.ceil(c/7e3))+e),p=l.subarray(i,l.length-e),v=o.l,g=7&(o.r||0);if(n){g&&(p[0]=o.r>>3);for(var y=R[n-1],b=y>>13,w=8191&y,z=(1<7e3||O>24576)&&(H>423||!v)){g=P(t,p,0,C,T,D,I,O,G,Z-G,g),O=U=I=0,G=Z;for(var B=0;B<286;++B)T[B]=0;for(B=0;B<30;++B)D[B]=0}var W=2,Y=0,_=w,J=$-j&32767;if(H>2&&L==A(Z-J))for(var K=Math.min(b,H)-1,Q=Math.min(32767,Z),V=Math.min(258,H);J<=Q&&--_&&$!=j;){if(t[Z+W]==t[Z+W-J]){for(var X=0;XW){if(W=X,Y=J,X>K)break;var tt=Math.min(J,X-2),nt=0;for(B=0;Bnt&&(nt=it,j=rt)}}}J+=($=j)-(j=k[$])&32767}if(Y){C[O++]=268435456|d[W]<<18|m[Y];var et=31&d[W],ot=31&m[Y];I+=h[et]+f[ot],++T[257+et],++D[ot],q=Z+W,++U}else C[O++]=t[Z],++T[t[Z]]}}for(Z=Math.max(Z,q);Z=c&&(p[g/8|0]=v,at=c),g=N(p,g+1,t.subarray(Z,at))}o.i=c}return E(l,0,i+F(g)+e)},_=function(){for(var t=new Int32Array(256),n=0;n<256;++n){for(var r=n,i=9;--i;)r=(1&r&&-306674912)^r>>>1;t[n]=r}return t}(),J=function(){var t=-1;return{p:function(n){for(var r=t,i=0;i>>8;t=r},d:function(){return~t}}},K=function(){var t=1,n=0;return{p:function(r){for(var i=t,e=n,o=0|r.length,a=0;a!=o;){for(var s=Math.min(a+2655,o);a>16),e=(65535&e)+15*(e>>16)}t=i,n=e},d:function(){return(255&(t%=65521))<<24|(65280&t)<<8|(255&(n%=65521))<<8|n>>8}}},Q=function(t,n,r,i,e){if(!e&&(e={l:1},n.dictionary)){var o=n.dictionary.subarray(-32768),s=new a(o.length+t.length);s.set(o),s.set(t,o.length),t=s,e.w=o.length}return Y(t,null==n.level?6:n.level,null==n.mem?e.l?Math.ceil(1.5*Math.max(8,Math.min(13,Math.log(t.length)))):20:12+n.mem,r,i,e)},V=function(t,n){var r={};for(var i in t)r[i]=t[i];for(var i in n)r[i]=n[i];return r},X=function(t,n,r){for(var i=t(),e=t.toString(),o=e.slice(e.indexOf(\"[\")+1,e.lastIndexOf(\"]\")).replace(/\\s+/g,\"\").split(\",\"),a=0;a>>0},dt=function(t,n){return vt(t,n)+4294967296*vt(t,n+4)},gt=function(t,n,r){for(;r;++n)t[n]=r,r>>>=8},yt=function(t,n){var r=n.filename;if(t[0]=31,t[1]=139,t[2]=8,t[8]=n.level<2?4:9==n.level?2:0,t[9]=3,0!=n.mtime&>(t,4,Math.floor(new Date(n.mtime||Date.now())/1e3)),r){t[3]=8;for(var i=0;i<=r.length;++i)t[i+10]=r.charCodeAt(i)}},mt=function(t){31==t[0]&&139==t[1]&&8==t[2]||O(6,\"invalid gzip data\");var n=t[3],r=10;4&n&&(r+=2+(t[10]|t[11]<<8));for(var i=(n>>3&1)+(n>>4&1);i>0;i-=!t[r++]);return r+(2&n)},bt=function(t){var n=t.length;return(t[n-4]|t[n-3]<<8|t[n-2]<<16|t[n-1]<<24)>>>0},wt=function(t){return 10+(t.filename?t.filename.length+1:0)},zt=function(t,n){var r=n.level,i=0==r?0:r<6?1:9==r?3:2;if(t[0]=120,t[1]=i<<6|(n.dictionary&&32),t[1]|=31-(t[0]<<8|t[1])%31,n.dictionary){var e=K();e.p(n.dictionary),gt(t,2,e.d())}},kt=function(t,n){return(8!=(15&t[0])||t[0]>>4>7||(t[0]<<8|t[1])%31)&&O(6,\"invalid zlib data\"),(t[1]>>5&1)==+!n&&O(6,\"invalid zlib data: \"+(32&t[1]?\"need\":\"unexpected\")+\" dictionary\"),2+(t[1]>>3&4)};function St(t,n){return\"function\"==typeof t&&(n=t,t={}),this.ondata=n,t}var Mt=function(){function t(t,n){if(\"function\"==typeof t&&(n=t,t={}),this.ondata=n,this.o=t||{},this.s={l:0,i:32768,w:32768,z:32768},this.b=new a(98304),this.o.dictionary){var r=this.o.dictionary.subarray(-32768);this.b.set(r,32768-r.length),this.s.i=32768-r.length}}return t.prototype.p=function(t,n){this.ondata(Q(t,this.o,0,0,this.s),n)},t.prototype.push=function(t,n){this.ondata||O(5),this.s.l&&O(4);var r=t.length+this.s.z;if(r>this.b.length){if(r>2*this.b.length-32768){var i=new a(-32768&r);i.set(this.b.subarray(0,this.s.z)),this.b=i}var e=this.b.length-this.s.z;this.b.set(t.subarray(0,e),this.s.z),this.s.z=this.b.length,this.p(this.b,!1),this.b.set(this.b.subarray(-32768)),this.b.set(t.subarray(e),32768),this.s.z=t.length-e+32768,this.s.i=32766,this.s.w=32768}else this.b.set(t,this.s.z),this.s.z+=t.length;this.s.l=1&n,(this.s.z>this.s.w+8191||n)&&(this.p(this.b,n||!1),this.s.w=this.s.i,this.s.i-=2)},t.prototype.flush=function(){this.ondata||O(5),this.s.l&&O(4),this.p(this.b,!1),this.s.w=this.s.i,this.s.i-=2},t}();r.Deflate=Mt;var xt=function(){return function(t,n){lt([it,function(){return[ct,Mt]}],this,St.call(this,t,n),(function(t){var n=new Mt(t.data);onmessage=ct(n)}),6,1)}}();function At(t,n,r){return r||(r=n,n={}),\"function\"!=typeof r&&O(7),ft(t,n,[it],(function(t){return ut(Ct(t.data[0],t.data[1]))}),0,r)}function Ct(t,n){return Q(t,n||{},0,0)}r.AsyncDeflate=xt;var Tt=function(){function t(t,n){\"function\"==typeof t&&(n=t,t={}),this.ondata=n;var r=t&&t.dictionary&&t.dictionary.subarray(-32768);this.s={i:0,b:r?r.length:0},this.o=new a(32768),this.p=new a(0),r&&this.o.set(r)}return t.prototype.e=function(t){if(this.ondata||O(5),this.d&&O(4),this.p.length){if(t.length){var n=new a(this.p.length+t.length);n.set(this.p),n.set(t,this.p.length),this.p=n}}else this.p=t},t.prototype.c=function(t){this.s.i=+(this.d=t||!1);var n=this.s.b,r=q(this.p,this.s,this.o);this.ondata(E(r,n,this.s.b),this.d),this.o=E(r,this.s.b-32768),this.s.b=this.o.length,this.p=E(this.p,this.s.p/8|0),this.s.p&=7},t.prototype.push=function(t,n){this.e(t),this.c(n)},t}();r.Inflate=Tt;var Dt=function(){return function(t,n){lt([rt,function(){return[ct,Tt]}],this,St.call(this,t,n),(function(t){var n=new Tt(t.data);onmessage=ct(n)}),7,0)}}();function Ut(t,n,r){return r||(r=n,n={}),\"function\"!=typeof r&&O(7),ft(t,n,[rt],(function(t){return ut(It(t.data[0],ht(t.data[1])))}),1,r)}function It(t,n){return q(t,{i:2},n&&n.out,n&&n.dictionary)}r.AsyncInflate=Dt;var Ft=function(){function t(t,n){this.c=J(),this.l=0,this.v=1,Mt.call(this,t,n)}return t.prototype.push=function(t,n){this.c.p(t),this.l+=t.length,Mt.prototype.push.call(this,t,n)},t.prototype.p=function(t,n){var r=Q(t,this.o,this.v&&wt(this.o),n&&8,this.s);this.v&&(yt(r,this.o),this.v=0),n&&(gt(r,r.length-8,this.c.d()),gt(r,r.length-4,this.l)),this.ondata(r,n)},t.prototype.flush=function(){Mt.prototype.flush.call(this)},t}();r.Gzip=Ft,r.Compress=Ft;var Et=function(){return function(t,n){lt([it,et,function(){return[ct,Mt,Ft]}],this,St.call(this,t,n),(function(t){var n=new Ft(t.data);onmessage=ct(n)}),8,1)}}();function Zt(t,n,r){return r||(r=n,n={}),\"function\"!=typeof r&&O(7),ft(t,n,[it,et,function(){return[Ot]}],(function(t){return ut(Ot(t.data[0],t.data[1]))}),2,r)}function Ot(t,n){n||(n={});var r=J(),i=t.length;r.p(t);var e=Q(t,n,wt(n),8),o=e.length;return yt(e,n),gt(e,o-8,r.d()),gt(e,o-4,i),e}r.AsyncGzip=Et,r.AsyncCompress=Et;var qt=function(){function t(t,n){this.v=1,this.r=0,Tt.call(this,t,n)}return t.prototype.push=function(t,n){if(Tt.prototype.e.call(this,t),this.r+=t.length,this.v){var r=this.p.subarray(this.v-1),i=r.length>3?mt(r):4;if(i>r.length){if(!n)return}else this.v>1&&this.onmember&&this.onmember(this.r-r.length);this.p=r.subarray(i),this.v=0}Tt.prototype.c.call(this,n),!this.s.f||this.s.l||n||(this.v=F(this.s.p)+9,this.s={i:0},this.o=new a(0),this.push(new a(0),n))},t}();r.Gunzip=qt;var Gt=function(){return function(t,n){var r=this;lt([rt,ot,function(){return[ct,Tt,qt]}],this,St.call(this,t,n),(function(t){var n=new qt(t.data);n.onmember=function(t){return postMessage(t)},onmessage=ct(n)}),9,0,(function(t){return r.onmember&&r.onmember(t)}))}}();function Lt(t,n,r){return r||(r=n,n={}),\"function\"!=typeof r&&O(7),ft(t,n,[rt,ot,function(){return[$t]}],(function(t){return ut($t(t.data[0],t.data[1]))}),3,r)}function $t(t,n){var r=mt(t);return r+8>t.length&&O(6,\"invalid gzip data\"),q(t.subarray(r,-8),{i:2},n&&n.out||new a(bt(t)),n&&n.dictionary)}r.AsyncGunzip=Gt;var jt=function(){function t(t,n){this.c=K(),this.v=1,Mt.call(this,t,n)}return t.prototype.push=function(t,n){this.c.p(t),Mt.prototype.push.call(this,t,n)},t.prototype.p=function(t,n){var r=Q(t,this.o,this.v&&(this.o.dictionary?6:2),n&&4,this.s);this.v&&(zt(r,this.o),this.v=0),n&>(r,r.length-4,this.c.d()),this.ondata(r,n)},t.prototype.flush=function(){Mt.prototype.flush.call(this)},t}();r.Zlib=jt;var Ht=function(){return function(t,n){lt([it,at,function(){return[ct,Mt,jt]}],this,St.call(this,t,n),(function(t){var n=new jt(t.data);onmessage=ct(n)}),10,1)}}();function Bt(t,n){n||(n={});var r=K();r.p(t);var i=Q(t,n,n.dictionary?6:2,4);return zt(i,n),gt(i,i.length-4,r.d()),i}r.AsyncZlib=Ht;var Nt=function(){function t(t,n){Tt.call(this,t,n),this.v=t&&t.dictionary?2:1}return t.prototype.push=function(t,n){if(Tt.prototype.e.call(this,t),this.v){if(this.p.length<6&&!n)return;this.p=this.p.subarray(kt(this.p,this.v-1)),this.v=0}n&&(this.p.length<4&&O(6,\"invalid zlib data\"),this.p=this.p.subarray(0,-4)),Tt.prototype.c.call(this,n)},t}();r.Unzlib=Nt;var Pt=function(){return function(t,n){lt([rt,st,function(){return[ct,Tt,Nt]}],this,St.call(this,t,n),(function(t){var n=new Nt(t.data);onmessage=ct(n)}),11,0)}}();function Rt(t,n,r){return r||(r=n,n={}),\"function\"!=typeof r&&O(7),ft(t,n,[rt,st,function(){return[Wt]}],(function(t){return ut(Wt(t.data[0],ht(t.data[1])))}),5,r)}function Wt(t,n){return q(t.subarray(kt(t,n&&n.dictionary),-4),{i:2},n&&n.out,n&&n.dictionary)}r.AsyncUnzlib=Pt;var Yt=function(){function t(t,n){this.o=St.call(this,t,n)||{},this.G=qt,this.I=Tt,this.Z=Nt}return t.prototype.i=function(){var t=this;this.s.ondata=function(n,r){t.ondata(n,r)}},t.prototype.push=function(t,n){if(this.ondata||O(5),this.s)this.s.push(t,n);else{if(this.p&&this.p.length){var r=new a(this.p.length+t.length);r.set(this.p),r.set(t,this.p.length)}else this.p=t;this.p.length>2&&(this.s=31==this.p[0]&&139==this.p[1]&&8==this.p[2]?new this.G(this.o):8!=(15&this.p[0])||this.p[0]>>4>7||(this.p[0]<<8|this.p[1])%31?new this.I(this.o):new this.Z(this.o),this.i(),this.s.push(this.p,n),this.p=null)}},t}();r.Decompress=Yt;var _t=function(){function t(t,n){Yt.call(this,t,n),this.queuedSize=0,this.G=Gt,this.I=Dt,this.Z=Pt}return t.prototype.i=function(){var t=this;this.s.ondata=function(n,r,i){t.ondata(n,r,i)},this.s.ondrain=function(n){t.queuedSize-=n,t.ondrain&&t.ondrain(n)}},t.prototype.push=function(t,n){this.queuedSize+=t.length,Yt.prototype.push.call(this,t,n)},t}();r.AsyncDecompress=_t;var Jt=function(t,n,r,i){for(var e in t){var o=t[e],s=n+e,u=i;Array.isArray(o)&&(u=V(i,o[1]),o=o[0]),o instanceof a?r[s]=[o,u]:(r[s+=\"/\"]=[new a(0),u],Jt(o,s,r,i))}},Kt=\"undefined\"!=typeof TextEncoder&&new TextEncoder,Qt=\"undefined\"!=typeof TextDecoder&&new TextDecoder,Vt=0;try{Qt.decode(W,{stream:!0}),Vt=1}catch(t){}var Xt=function(t){for(var n=\"\",r=0;;){var i=t[r++],e=(i>127)+(i>223)+(i>239);if(r+e>t.length)return{s:n,r:E(t,r-1)};e?3==e?(i=((15&i)<<18|(63&t[r++])<<12|(63&t[r++])<<6|63&t[r++])-65536,n+=String.fromCharCode(55296|i>>10,56320|1023&i)):n+=1&e?String.fromCharCode((31&i)<<6|63&t[r++]):String.fromCharCode((15&i)<<12|(63&t[r++])<<6|63&t[r++]):n+=String.fromCharCode(i)}},tn=function(){function t(t){this.ondata=t,Vt?this.t=new TextDecoder:this.p=W}return t.prototype.push=function(t,n){if(this.ondata||O(5),n=!!n,this.t)return this.ondata(this.t.decode(t,{stream:!0}),n),void(n&&(this.t.decode().length&&O(8),this.t=null));this.p||O(4);var r=new a(this.p.length+t.length);r.set(this.p),r.set(t,this.p.length);var i=Xt(r),e=i.s,o=i.r;n?(o.length&&O(8),this.p=null):this.p=o,this.ondata(e,n)},t}();r.DecodeUTF8=tn;var nn=function(){function t(t){this.ondata=t}return t.prototype.push=function(t,n){this.ondata||O(5),this.d&&O(4),this.ondata(rn(t),this.d=n||!1)},t}();function rn(t,n){if(n){for(var r=new a(t.length),i=0;i>1)),s=0,u=function(t){o[s++]=t};for(i=0;io.length){var h=new a(s+8+(e-i<<1));h.set(o),o=h}var f=t.charCodeAt(i);f<128||n?u(f):f<2048?(u(192|f>>6),u(128|63&f)):f>55295&&f<57344?(u(240|(f=65536+(1047552&f)|1023&t.charCodeAt(++i))>>18),u(128|f>>12&63),u(128|f>>6&63),u(128|63&f)):(u(224|f>>12),u(128|f>>6&63),u(128|63&f))}return E(o,0,s)}function en(t,n){if(n){for(var r=\"\",i=0;i65535&&O(9),n+=i+4}return n},fn=function(t,n,r,i,e,o,a,s){var u=i.length,h=r.extra,f=s&&s.length,c=hn(h);gt(t,n,null!=a?33639248:67324752),n+=4,null!=a&&(t[n++]=20,t[n++]=r.os),t[n]=20,n+=2,t[n++]=r.flag<<1|(o<0&&8),t[n++]=e&&8,t[n++]=255&r.compression,t[n++]=r.compression>>8;var l=new Date(null==r.mtime?Date.now():r.mtime),p=l.getFullYear()-1980;if((p<0||p>119)&&O(10),gt(t,n,p<<25|l.getMonth()+1<<21|l.getDate()<<16|l.getHours()<<11|l.getMinutes()<<5|l.getSeconds()>>1),n+=4,-1!=o&&(gt(t,n,r.crc),gt(t,n+4,o<0?-o-2:o),gt(t,n+8,r.size)),gt(t,n+12,u),gt(t,n+14,c),n+=16,null!=a&&(gt(t,n,f),gt(t,n+6,r.attrs),gt(t,n+10,a),n+=14),t.set(i,n),n+=u,c)for(var v in h){var d=h[v],g=d.length;gt(t,n,+v),gt(t,n+2,g),t.set(d,n+4),n+=4+g}return f&&(t.set(s,n),n+=f),n},cn=function(t,n,r,i,e){gt(t,n,101010256),gt(t,n+8,r),gt(t,n+10,r),gt(t,n+12,i),gt(t,n+16,e)},ln=function(){function t(t){this.filename=t,this.c=J(),this.size=0,this.compression=0}return t.prototype.process=function(t,n){this.ondata(null,t,n)},t.prototype.push=function(t,n){this.ondata||O(5),this.c.p(t),this.size+=t.length,n&&(this.crc=this.c.d()),this.process(t,n||!1)},t}();r.ZipPassThrough=ln;var pn=function(){function t(t,n){var r=this;n||(n={}),ln.call(this,t),this.d=new Mt(n,(function(t,n){r.ondata(null,t,n)})),this.compression=8,this.flag=on(n.level)}return t.prototype.process=function(t,n){try{this.d.push(t,n)}catch(t){this.ondata(t,null,n)}},t.prototype.push=function(t,n){ln.prototype.push.call(this,t,n)},t}();r.ZipDeflate=pn;var vn=function(){function t(t,n){var r=this;n||(n={}),ln.call(this,t),this.d=new xt(n,(function(t,n,i){r.ondata(t,n,i)})),this.compression=8,this.flag=on(n.level),this.terminate=this.d.terminate}return t.prototype.process=function(t,n){this.d.push(t,n)},t.prototype.push=function(t,n){ln.prototype.push.call(this,t,n)},t}();r.AsyncZipDeflate=vn;var dn=function(){function t(t){this.ondata=t,this.u=[],this.d=1}return t.prototype.add=function(t){var n=this;if(this.ondata||O(5),2&this.d)this.ondata(O(4+8*(1&this.d),0,1),null,!1);else{var r=rn(t.filename),i=r.length,e=t.comment,o=e&&rn(e),s=i!=t.filename.length||o&&e.length!=o.length,u=i+hn(t.extra)+30;i>65535&&this.ondata(O(11,0,1),null,!1);var h=new a(u);fn(h,0,t,r,s,-1);var f=[h],c=function(){for(var t=0,r=f;t0){var i=Math.min(this.c,t.length),e=t.subarray(0,i);if(this.c-=i,this.d?this.d.push(e,!this.c):this.k[0].push(e),(t=t.subarray(i)).length)return this.push(t,n)}else{var o=0,s=0,u=void 0,h=void 0;this.p.length?t.length?((h=new a(this.p.length+t.length)).set(this.p),h.set(t,this.p.length)):h=this.p:h=t;for(var f=h.length,c=this.c,l=c&&this.d,p=function(){var t,n=vt(h,s);if(67324752==n){o=1,u=s,v.d=null,v.c=0;var i=pt(h,s+6),e=pt(h,s+8),a=2048&i,l=8&i,p=pt(h,s+26),d=pt(h,s+28);if(f>s+30+p+d){var g=[];v.k.unshift(g),o=2;var y,m=vt(h,s+18),b=vt(h,s+22),w=en(h.subarray(s+30,s+=30+p),!a);4294967295==m?(t=l?[-2]:un(h,s),m=t[0],b=t[1]):l&&(m=-1),s+=d,v.c=m;var z={name:w,compression:e,start:function(){if(z.ondata||O(5),m){var t=r.o[e];t||z.ondata(O(14,\"unknown compression type \"+e,1),null,!1),(y=m<0?new t(w):new t(w,m,b)).ondata=function(t,n,r){z.ondata(t,n,r)};for(var n=0,i=g;n=0&&(z.size=m,z.originalSize=b),v.onfile(z)}return\"break\"}if(c){if(134695760==n)return u=s+=12+(-2==c&&8),o=3,v.c=0,\"break\";if(33639248==n)return u=s-=4,o=3,v.c=0,\"break\"}},v=this;s\"'`])/g,(e=>{switch(e){case\"&\":return\"&\";case\"<\":return\"<\";case\">\":return\">\";case'\"':return\""\";case\"'\":return\"'\";case\"`\":return\"`\";default:return e}}))},r.unescape=function(e){return e.replace(/&(amp|lt|gt|quot|#x27|#x60);/g,((e,t)=>{switch(t){case\"amp\":return\"&\";case\"lt\":return\"<\";case\"gt\":return\">\";case\"quot\":return'\"';case\"#x27\":return\"'\";case\"#x60\":return\"`\";default:return t}}))},r.use_strict=function(e){return`'use strict';\\n${e}`},r.to_fixed=function(e,t){return e.toFixed(t).replace(/(\\.[0-9]*?)0+$/,\"$1\").replace(/\\.$/,\"\")},r.insert_text_on_position=function(e,t,r){const n=[];return n.push(e.slice(0,t)),n.push(r),n.push(e.slice(t)),n.join(\"\")};const c=e(30);function s(){const e=new Array(32),t=\"0123456789ABCDEF\";for(let r=0;r<32;r++)e[r]=t[Math.floor(16*Math.random())];return e[12]=\"4\",e[16]=t[3&e[16].charCodeAt(0)|8],e.join(\"\")}let a=1e3},\n", " function _(e,t,s,n,a){n();const i=e(27),r=e(33);class d{constructor(e){this.sync=!0,this.document=e}get[Symbol.toStringTag](){return this.constructor.__name__}[i.equals](e,t){return t.eq(this.document,e.document)}}s.DocumentEvent=d,d.__name__=\"DocumentEvent\";class o extends d{constructor(e,t){super(e),this.events=t}[i.equals](e,t){return super[i.equals](e,t)&&t.eq(this.events,e.events)}}s.DocumentEventBatch=o,o.__name__=\"DocumentEventBatch\";class l extends d{}s.DocumentChangedEvent=l,l.__name__=\"DocumentChangedEvent\";class h extends l{constructor(e,t,s){super(e),this.kind=\"MessageSent\",this.msg_type=t,this.msg_data=s}[i.equals](e,t){return super[i.equals](e,t)&&t.eq(this.msg_type,e.msg_type)&&t.eq(this.msg_data,e.msg_data)}[r.serialize](e){return{kind:this.kind,msg_type:this.msg_type,msg_data:e.encode(this.msg_data)}}}s.MessageSentEvent=h,h.__name__=\"MessageSentEvent\";class u extends l{constructor(e,t,s,n){super(e),this.kind=\"ModelChanged\",this.model=t,this.attr=s,this.value=n}[i.equals](e,t){return super[i.equals](e,t)&&t.eq(this.model,e.model)&&t.eq(this.attr,e.attr)&&t.eq(this.value,e.value)}[r.serialize](e){return{kind:this.kind,model:this.model.ref(),attr:this.attr,new:e.encode(this.value)}}}s.ModelChangedEvent=u,u.__name__=\"ModelChangedEvent\";class m extends l{constructor(e,t,s,n,a){super(e),this.kind=\"ColumnDataChanged\",this.model=t,this.attr=s,this.data=n,this.cols=a}[i.equals](e,t){return super[i.equals](e,t)&&t.eq(this.model,e.model)&&t.eq(this.attr,e.attr)&&t.eq(this.data,e.data)&&t.eq(this.cols,e.cols)}[r.serialize](e){return{kind:this.kind,model:this.model.ref(),attr:this.attr,data:e.encode(this.data),cols:this.cols}}}s.ColumnDataChangedEvent=m,m.__name__=\"ColumnDataChangedEvent\";class c extends l{constructor(e,t,s,n,a){super(e),this.kind=\"ColumnsStreamed\",this.model=t,this.attr=s,this.data=n,this.rollover=a}[i.equals](e,t){return super[i.equals](e,t)&&t.eq(this.model,e.model)&&t.eq(this.attr,e.attr)&&t.eq(this.data,e.data)&&t.eq(this.rollover,e.rollover)}[r.serialize](e){return{kind:this.kind,model:this.model.ref(),attr:this.attr,data:e.encode(this.data),rollover:this.rollover}}}s.ColumnsStreamedEvent=c,c.__name__=\"ColumnsStreamedEvent\";class _ extends l{constructor(e,t,s,n){super(e),this.kind=\"ColumnsPatched\",this.model=t,this.attr=s,this.patches=n}[i.equals](e,t){return super[i.equals](e,t)&&t.eq(this.model,e.model)&&t.eq(this.attr,e.attr)&&t.eq(this.patches,e.patches)}[r.serialize](e){return{kind:this.kind,attr:this.attr,model:this.model.ref(),patches:e.encode(this.patches)}}}s.ColumnsPatchedEvent=_,_.__name__=\"ColumnsPatchedEvent\";class q extends l{constructor(e,t){super(e),this.kind=\"TitleChanged\",this.title=t}[i.equals](e,t){return super[i.equals](e,t)&&t.eq(this.title,e.title)}[r.serialize](e){return{kind:this.kind,title:this.title}}}s.TitleChangedEvent=q,q.__name__=\"TitleChangedEvent\";class v extends l{constructor(e,t){super(e),this.kind=\"RootAdded\",this.model=t}[i.equals](e,t){return super[i.equals](e,t)&&t.eq(this.model,e.model)}[r.serialize](e){return{kind:this.kind,model:e.encode(this.model)}}}s.RootAddedEvent=v,v.__name__=\"RootAddedEvent\";class p extends l{constructor(e,t){super(e),this.kind=\"RootRemoved\",this.model=t}[i.equals](e,t){return super[i.equals](e,t)&&t.eq(this.model,e.model)}[r.serialize](e){return{kind:this.kind,model:this.model.ref()}}}s.RootRemovedEvent=p,p.__name__=\"RootRemovedEvent\"},\n", " function _(t,r,i,e,n){e(),i.to_string=function(t,r){return new c(r).to_string(t)};const s=t(8),o=t(9);i.pretty=Symbol(\"pretty\");class c{constructor(t){this.visited=new Set,this.precision=t?.precision}to_string(t){if((0,s.isObject)(t)){if(this.visited.has(t))return\"\";this.visited.add(t)}return function(t){return(0,s.isObject)(t)&&i.pretty in t}(t)?t[i.pretty](this):(0,s.isBoolean)(t)?this.boolean(t):(0,s.isNumber)(t)?this.number(t):(0,s.isString)(t)?this.string(t):(0,s.isArray)(t)?this.array(t):(0,s.isIterable)(t)?this.iterable(t):(0,s.isPlainObject)(t)?this.object(t):(0,s.isSymbol)(t)?this.symbol(t):t instanceof ArrayBuffer?this.array_buffer(t):`${t}`}token(t){return t}boolean(t){return`${t}`}number(t){return null!=this.precision?t.toFixed(this.precision):`${t}`}string(t){const r=t.includes(\"'\"),i=t.includes('\"');return r&&i?`\\`${t.replace(/`/g,\"\\\\`\")}\\``:i?`'${t}'`:`\"${t}\"`}symbol(t){return t.toString()}array(t){const r=this.token,i=[];for(const r of t)i.push(this.to_string(r));return`${r(\"[\")}${i.join(`${r(\",\")} `)}${r(\"]\")}`}iterable(t){const r=this.token,i=Object(t)[Symbol.toStringTag]??\"Object\",e=this.array(t);return`${i}${r(\"(\")}${e}${r(\")\")}`}object(t){const r=this.token,i=[];for(const[e,n]of(0,o.entries)(t))i.push(`${e}${r(\":\")} ${this.to_string(n)}`);return`${r(\"{\")}${i.join(`${r(\",\")} `)}${r(\"}\")}`}array_buffer(t){return`ArrayBuffer(#${t.byteLength})`}}i.Printer=c,c.__name__=\"Printer\"},\n", " function _(t,r,n,e,o){e(),n.stream_to_column=a,n.slice=f,n.patch_to_column=p,n.stream_to_columns=function(t,r,n){const e=(0,u.dict)(t);for(const[t,o]of(0,u.dict)(r)){const r=e.get(t)??[];e.set(t,a(r,o,n))}},n.patch_to_columns=function(t,r){const n=(0,u.dict)(t);let e=new Set;for(const[t,o]of(0,u.dict)(r)){const r=n.get(t)??[];e=(0,l.union)(e,p(r,o))}return e};const s=t(1),c=t(8),u=t(9),l=t(45),i=s.__importStar(t(46));function a(t,r,n){if((0,c.isArray)(t)&&(0,c.isArray)(r)){const e=t.concat(r);return null!=n&&e.length>n?e.slice(-n):e}const e=t.length+r.length;if(null!=n&&e>n){const o=e-n,s=t.length,u=(()=>{if(t.length{if((0,c.isTypedArray)(t))return t.constructor;if((0,c.isTypedArray)(r))return r.constructor;throw new Error(\"unsupported array types\")})())(n);return e.set(t,0),e}return t})();for(let t=o,r=s;t{if((0,c.isTypedArray)(t))return t;if((0,c.isTypedArray)(r))return new r.constructor(t);throw new Error(\"unsupported array types\")})();return i.concat(n,r)}}function f(t,r){let n,e,o;return(0,c.isNumber)(t)?(n=t,o=t+1,e=1):(n=null!=t.start?t.start:0,o=null!=t.stop?t.stop:r,e=null!=t.step?t.step:1),[n,o,e]}function p(t,r){const n=new Set;let e=!1;for(const[o,s]of r){let r,u,l,i;if((0,c.isArray)(o)){const[e]=o;n.add(e),r=t[e].shape,u=t[e],i=s,2===o.length?(r=[1,r[0]],l=[o[0],0,o[1]]):l=o}else(0,c.isNumber)(o)?(i=[s],n.add(o)):(i=s,e=!0),l=[0,0,o],r=[1,t.length],u=t;let a=0;const[p,d,y]=f(l[1],r[0]),[h,_,g]=f(l[2],r[1]);for(let t=p;t{try{return this._decode(e)}finally{t=new Set(this._finalizable),this._decoding=!1,this._buffers.clear(),this._finalizable.clear()}})();for(const e of t)this.finalize?.(e),e.finalize(),e.assert_initialized();for(const e of t)e.connect_signals();return s}_decode(e){if((0,l.isArray)(e))return this._decode_plain_array(e);if(!(0,l.isPlainObject)(e))return e;if(!(0,l.isString)(e.type))return(0,l.isString)(e.id)?this._decode_ref(e):this._decode_plain_object(e);{const r=h.get(e.type);if(null!=r)return r(e,this);switch(e.type){case\"ref\":return this._decode_ref(e);case\"symbol\":return this._decode_symbol(e);case\"number\":return this._decode_number(e);case\"array\":return this._decode_array(e);case\"set\":return this._decode_set(e);case\"map\":return this._decode_map(e);case\"bytes\":return this._decode_bytes(e);case\"slice\":return this._decode_slice(e);case\"date\":return this._decode_date(e);case\"value\":return this._decode_value(e);case\"field\":return this._decode_field(e);case\"expr\":return this._decode_expr(e);case\"typed_array\":return this._decode_typed_array(e);case\"ndarray\":return this._decode_ndarray(e);case\"object\":return(0,l.isString)(e.id)?this._decode_object_ref(e):this._decode_object(e);default:this.error(`unable to decode an object of type '${e.type}'`)}}}_decode_symbol(e){this.error(`can't resolve named symbol '${e.name}'`)}_decode_number(e){if(\"value\"in e){const{value:r}=e;if((0,l.isString)(r))switch(r){case\"nan\":return NaN;case\"+inf\":return 1/0;case\"-inf\":return-1/0}else if((0,l.isNumber)(r))return r}this.error(`invalid number representation '${e}'`)}_decode_plain_array(e){return(0,c.map)(e,(e=>this._decode(e)))}_decode_plain_object(e){const r={};for(const[t,s]of(0,a.entries)(e))r[t]=this._decode(s);return r}_decode_array(e){const r=[];for(const t of e.entries??[])r.push(this._decode(t));return r}_decode_set(e){const r=new Set;for(const t of e.entries??[])r.add(this._decode(t));return r}_decode_map(e){const r=(0,c.map)(e.entries??[],(([e,r])=>[this._decode(e),this._decode(r)]));return r.every((([e,r])=>(0,l.isString)(e)))?Object.fromEntries(r):new Map(r)}_decode_bytes(e){const{data:r}=e;if(!(0,d.is_ref)(r))return(0,l.isString)(r)?(0,u.base64_to_buffer)(r):r.buffer;{const e=this._buffers.get(r.id);if(null!=e)return e;this.error(`buffer for id=${r.id} not found`)}}_decode_slice(e){const r=this._decode(e.start),t=this._decode(e.stop),s=this._decode(e.step);return new f.Slice({start:r,stop:t,step:s})}_decode_date(e){const r=this._decode(e.iso);return new Date(r)}_decode_value(e){return{value:this._decode(e.value),transform:null!=e.transform?this._decode(e.transform):void 0,units:null!=e.units?this._decode(e.units):void 0}}_decode_field(e){return{field:this._decode(e.field),transform:null!=e.transform?this._decode(e.transform):void 0,units:null!=e.units?this._decode(e.units):void 0}}_decode_expr(e){return{expr:this._decode(e.expr),transform:null!=e.transform?this._decode(e.transform):void 0,units:null!=e.units?this._decode(e.units):void 0}}_decode_typed_array(e){const{array:r,order:t,dtype:s}=e,n=this._decode(r);switch(t!=_.BYTE_ORDER&&(0,u.swap)(n,s),s){case\"uint8\":return new Uint8Array(n);case\"int8\":return new Int8Array(n);case\"uint16\":return new Uint16Array(n);case\"int16\":return new Int16Array(n);case\"uint32\":return new Uint32Array(n);case\"int32\":return new Int32Array(n);case\"float32\":return new Float32Array(n);case\"float64\":return new Float64Array(n);default:this.error(`unsupported dtype '${s}'`)}}_decode_ndarray(e){const{array:r,order:t,dtype:s,shape:n}=e,i=this._decode(r);return i instanceof ArrayBuffer&&t!=_.BYTE_ORDER&&(0,u.swap)(i,s),(0,o.ndarray)(i,{dtype:s,shape:n})}_decode_object(e){const{name:r,attributes:t}=e,s=this._resolve_type(r);return null!=t?new s(this._decode(t)):new s}_decode_ref(e){const r=this.references.get(e.id);if(null!=r)return r;this.error(`reference ${e.id} isn't known`)}_decode_object_ref(e){const{id:r,name:t,attributes:s}=e,n=this.references.get(r);if(null==n){const e=new(this._resolve_type(t))({id:r});this.references.set(r,e);const n=this._decode(s??{});return e.initialize_props(n),this._finalizable.add(e),e}if(n.type==t){const e=this._decode(s??{});return n.setv(e,{sync:!1}),n}this.error(`type mismatch for an existing reference '${n}', expected '${t}'`)}error(e){throw new y(e)}warning(e){i.logger.warn(e)}_resolve_type(e){const r=this.resolver.get(e);if(null!=r)return r;this.error(`could not resolve type '${e}', which could be due to a widget or a custom model not being registered before first usage`)}}t.Deserializer=p,p.__name__=\"Deserializer\"},\n", " function _(t,s,e,i,n){i();const c=t(33);class l{constructor({start:t,stop:s,step:e}={}){this.start=t??null,this.stop=s??null,this.step=e??null}[c.serialize](t){return{type:\"slice\",start:t.encode(this.start),stop:t.encode(this.stop),step:t.encode(this.step)}}}e.Slice=l,l.__name__=\"Slice\"},\n", " function _(e,r,s,t,i){t();const a=e(27),n=/^(?\\d+)\\.(?\\d+)\\.(?\\d+)(?:(?-dev\\.|-rc\\.|.dev|rc)(?\\d+))?(?:\\+(?\\d+)\\..+)?$/;var o;(o=s.ReleaseType||(s.ReleaseType={}))[o.Dev=0]=\"Dev\",o[o.Candidate=1]=\"Candidate\",o[o.Release=2]=\"Release\";class c{constructor(e,r,t,i=s.ReleaseType.Release,a=0,n=0){this.major=e,this.minor=r,this.patch=t,this.type=i,this.revision=a,this.build=n}static from(e){return function(e){const r=n.exec(e);if(null==r||null==r.groups)return null;const{groups:t}=r,i=Number(t.major),a=Number(t.minor),o=Number(t.patch),l=(()=>{switch(t.type){case\"-dev.\":case\".dev\":return s.ReleaseType.Dev;case\"-rc.\":case\"rc\":return s.ReleaseType.Candidate;default:return s.ReleaseType.Release}})(),u=void 0===t.revision?0:Number(t.revision),d=void 0===t.build?0:Number(t.build);return new c(i,a,o,l,u,d)}(e)}toString(){const{major:e,minor:r,patch:t,type:i,revision:a,build:n}=this;let o=`${e}.${r}.${t}`;switch(i){case s.ReleaseType.Dev:o+=`-dev.${a}`;case s.ReleaseType.Candidate:o+=`-rc.${a}`;case s.ReleaseType.Release:}return 0!=n&&(o+=`+${n}`),o}[a.equals](e){const{major:r,minor:s,patch:t,type:i,revision:a}=this;return r==e.major&&s==e.minor&&t==e.patch&&i==e.type&&a==e.revision}}s.Version=c,c.__name__=\"Version\"},\n", " function _(n,e,c,t,u){t(),c.execute=function(n,e,...c){return(0,i.isFunction)(n)?n(e,...c):n.execute(e,...c)},c.execute_sync=function(n,e,...c){return(0,i.isFunction)(n)?n(e,...c):n.execute_sync(e,...c)};const i=n(8)},\n", " function _(e,t,s,n,c){var i;n();const a=e(15),r=e(8),l=e(9),o=e(27),_=e(20),h=e(51);class u extends a.HasProps{get is_syncable(){return this.syncable}[o.equals](e,t){return(!!t.structural||t.eq(this.id,e.id))&&super[o.equals](e,t)}constructor(e){super(e)}initialize(){super.initialize(),this._js_callbacks=new Map}connect_signals(){super.connect_signals(),this._update_property_callbacks(),this.connect(this.properties.js_property_callbacks.change,(()=>this._update_property_callbacks())),this.connect(this.properties.js_event_callbacks.change,(()=>this._update_event_callbacks())),this.connect(this.properties.subscribed_events.change,(()=>this._update_event_callbacks()))}_process_event(e){for(const t of(0,l.dict)(this.js_event_callbacks).get(e.event_name)??[])(0,h.execute)(t,e);null!=this.document&&this.subscribed_events.has(e.event_name)&&this.document.event_manager.send_event(e)}trigger_event(e){null!=this.document&&(e.origin=this,this.document.event_manager.trigger(e))}_update_event_callbacks(){null!=this.document?this.document.event_manager.subscribed_models.add(this):_.logger.warn(\"WARNING: Document not defined for updating event callbacks\")}_update_property_callbacks(){const e=e=>{const[t,s=null]=e.split(\":\");return null!=s?this.properties[s][t]:this[t]};for(const[t,s]of this._js_callbacks){const n=e(t);for(const e of s)this.disconnect(n,e)}this._js_callbacks.clear();for(const[t,s]of(0,l.dict)(this.js_property_callbacks)){const n=s.map((e=>()=>(0,h.execute)(e,this)));this._js_callbacks.set(t,n);const c=e(t);for(const e of n)this.connect(c,e)}}_doc_attached(){super._doc_attached(),0==this.js_event_callbacks.size&&0==this.subscribed_events.size||this._update_event_callbacks()}_doc_detached(){super._doc_detached(),this.document?.event_manager.subscribed_models.delete(this)}select(e){if((0,r.isString)(e))return[...this.references()].filter((t=>t instanceof i&&t.name===e));if((0,r.isPlainObject)(e)&&\"type\"in e)return[...this.references()].filter((t=>t.type==e.type));if(e.prototype instanceof a.HasProps)return[...this.references()].filter((t=>t instanceof e));throw new Error(`invalid selector ${e}`)}select_one(e){const t=this.select(e);switch(t.length){case 0:return null;case 1:return t[0];default:throw new Error(`found multiple objects matching the given selector ${e}`)}}get_one(e){const t=this.select_one(e);if(null!=t)return t;throw new Error(`could not find any objects matching the given selector ${e}`)}on_event(e,t){const s=(0,r.isString)(e)?e:e.prototype.event_name,n=(0,l.dict)(this.js_event_callbacks),c=n.get(s)??[];n.set(s,[...c,t])}}s.Model=u,i=u,u.__name__=\"Model\",i.define((({Any:e,Unknown:t,Bool:s,Str:n,List:c,Set:i,Dict:a,Nullable:r})=>({tags:[c(t),[]],name:[r(n),null],js_property_callbacks:[a(c(e)),{}],js_event_callbacks:[a(c(e)),{}],subscribed_events:[i(n),new globalThis.Set],syncable:[s,!0]})))},\n", " function _(n,o,t,e,i){var c;e();const s=n(52),f=n(54);class a extends s.Model{constructor(n){super(n)}}t.DocumentConfig=a,c=a,a.__name__=\"DocumentConfig\",c.define((({Bool:n,Ref:o,Nullable:t})=>({reconnect_session:[n,!0],notify_connection_status:[n,!0],notifications:[t(o(f.Notifications)),()=>new f.Notifications]})))},\n", " function _(e,n,t,i,o){var c;i();const s=e(1),l=e(55),_=e(61),a=e(16),r=s.__importStar(e(70)),d=s.__importStar(e(76)),m=s.__importStar(e(77)),h=s.__importStar(e(78));t.notifications_el=(()=>{const e=(0,_.div)(),n=e.attachShadow({mode:\"open\"});new _.InlineStyleSheet(r.default).install(n),new _.InlineStyleSheet(d.default).install(n),new _.InlineStyleSheet(m.default).install(n),new _.InlineStyleSheet(h.default).install(n);const t=(0,_.div)({class:\"entries\"});return n.append(t),(0,_.dom_ready)().then((()=>document.body.append(e))),t})();class u extends l.UIElementView{constructor(){super(...arguments),this._connection_el=null,this._connection_timer=null}initialize(){super.initialize(),this.model.push.connect((e=>{const n=(0,_.div)({class:\"close\",title:\"Close\"}),i=(0,_.div)({class:e.type},e.text,n);t.notifications_el.append(i);const o=()=>i.remove();n.addEventListener(\"click\",o);const c=e.timeout??5e3;isFinite(c)&&setTimeout(o,c)}));const{document:e}=this.model;null!=e&&(e.on_event(\"connection_lost\",((n,i)=>{if(!e.config.notify_connection_status)return;this._connection_el?.remove(),null!=this._connection_timer&&(clearTimeout(this._connection_timer),this._connection_timer=null);const{timeout:o}=i;if(null==o){const e=(0,_.span)({class:\"try\"},\"Try\");e.addEventListener(\"click\",(()=>{this._connection_el?.remove(),i.reconnect()}));const n=(0,_.div)({class:\"close\",title:\"Close\"});n.addEventListener(\"click\",(()=>this._connection_el?.remove())),this._connection_el=(0,_.div)({class:\"error\"},\"Client connection was lost permanently. \",e,\" to reconnect manually.\",n),t.notifications_el.append(this._connection_el)}else{let e=o;const n=(0,_.span)(),i=()=>{const t=Math.max(0,Math.round(e/1e3));n.textContent=0==t?\"Reconnecting now.\":`Reconnection will be attempted in ${t} s.`};i(),this._connection_el=(0,_.div)({class:\"error\"},\"Client connection was lost. \",n),t.notifications_el.append(this._connection_el),this._connection_timer=setInterval((()=>{e-=1e3,i()}),1e3)}})),e.on_event(\"client_reconnected\",((n,i)=>{e.config.notify_connection_status&&(this._connection_el?.remove(),null!=this._connection_timer&&(clearTimeout(this._connection_timer),this._connection_timer=null),this._connection_el=(0,_.div)({class:\"success\"},\"Client connect was reestablished.\"),t.notifications_el.append(this._connection_el),this._connection_timer=setTimeout((()=>this._connection_el?.remove()),5e3))})))}}t.NotificationsView=u,u.__name__=\"NotificationsView\";class p extends l.UIElement{constructor(e){super(e),this.push=new a.Signal(this,\"push\")}}t.Notifications=p,c=p,p.__name__=\"Notifications\",c.prototype.default_view=u,c.define((()=>({})))},\n", " function _(e,t,s,i,n){var r;i();const o=e(1),l=e(56),_=e(69),h=e(61),u=e(71),a=e(62),d=e(8),p=e(17),c=o.__importDefault(e(75)),{round:b,floor:y}=Math;class x extends l.StyledElementView{constructor(){super(...arguments),this.display=new h.InlineStyleSheet(\"\",\"display\"),this._bbox=new a.BBox,this._context_menu=null,this._resized=!1,this._is_displayed=!1}computed_stylesheets(){return[...super.computed_stylesheets(),this.display]}stylesheets(){return[...super.stylesheets(),c.default]}update_style(){this.style.clear()}box_sizing(){return{width_policy:\"auto\",height_policy:\"auto\",width:null,height:null,aspect_ratio:null}}get bbox(){return this._bbox}update_bbox(){return this._update_bbox()}_update_bbox(){const e=(()=>{if(this.el.isConnected){if(null!=this.el.offsetParent)return!0;{const{position:e,display:t}=getComputedStyle(this.el);return\"fixed\"==e&&\"none\"!=t}}return!1})(),t=e?(()=>{const e=this.el.getBoundingClientRect(),{left:t,top:s}=(()=>{if(null!=this.parent){const t=this.parent.el.getBoundingClientRect();return{left:e.left-t.left,top:e.top-t.top}}return{left:0,top:0}})();return new a.BBox({left:b(t),top:b(s),width:y(e.width),height:y(e.height)})})():new a.BBox,s=!this._bbox.equals(t);return this._bbox=t,this._is_displayed=e,s}_provide_context_menu(){return null}initialize(){super.initialize(),this._resize_observer=new ResizeObserver((e=>this.after_resize())),this._resize_observer.observe(this.el,{box:\"border-box\"})}async lazy_initialize(){await super.lazy_initialize();const e=(()=>{const{context_menu:e}=this.model;return\"auto\"==e?this._provide_context_menu():e})();null!=e&&(this._context_menu=await(0,_.build_view)(e,{parent:this}))}connect_signals(){super.connect_signals();const{visible:e}=this.model.properties;this.on_change(e,(()=>this._update_visible())),this.el.addEventListener(\"contextmenu\",(e=>this.show_context_menu(e)))}get_context_menu(e){return this._context_menu}show_context_menu(e){if(!e.shiftKey){const t=this.el.getBoundingClientRect(),s=e.x-t.x,i=e.y-t.y,n=this.get_context_menu({x:s,y:i});null!=n&&n.show({x:s,y:i})&&(e.stopPropagation(),e.preventDefault())}}remove(){this._resize_observer.disconnect(),this._context_menu?.remove(),super.remove()}_after_resize(){}after_resize(){this._resized=!0,this.update_bbox()&&this._after_resize(),this.finish()}render(){super.render(),this._apply_visible()}_after_render(){this.update_style(),this.update_bbox()}after_render(){super.after_render(),this._after_render(),this._has_finished||(this.is_displayed?(0,p.defer)().then((()=>{this._resized||this.finish()})):this.force_finished())}get is_displayed(){return this._is_displayed}_apply_visible(){this.model.visible?this.display.clear():this.display.replace(\":host { display: none; }\")}_update_visible(){this._apply_visible()}export(e=\"auto\",t=!0){const s=\"auto\"==e||\"png\"==e?\"canvas\":\"svg\",i=new u.CanvasLayer(s,t),{width:n,height:r}=this.bbox;return i.resize(n,r),i}resolve_symbol(e){const t=this.bbox.resolve(e.symbol),{offset:s}=e;if((0,d.isNumber)(t))return t+s;{const{x:e,y:i}=t;return{x:e+s,y:i+s}}}}s.UIElementView=x,x.__name__=\"UIElementView\";class f extends l.StyledElement{constructor(e){super(e)}}s.UIElement=f,r=f,f.__name__=\"UIElement\",r.define((({Bool:e,AnyRef:t,Nullable:s,Or:i,Auto:n})=>({visible:[e,!0],context_menu:[s(i(t(),n)),null]})))},\n", " function _(e,s,t,l,i){var _;l();const a=e(52),r=e(57),h=e(59),n=e(60),c=e(64),y=e(63),o=e(61),p=e(9),d=e(8),u=e(22);t.StylesLike=(0,u.Or)((0,u.Dict)((0,u.Nullable)(u.Str)),(0,u.Ref)(h.Styles)),t.StyleSheets=(0,u.List)((0,u.Or)((0,u.Ref)(n.StyleSheet),u.Str,(0,u.Dict)(t.StylesLike))),t.CSSVariables=(0,u.Dict)((0,u.Or)((0,u.Ref)(r.Node),u.Str));class S extends c.DOMComponentView{constructor(){super(...arguments),this.style=new o.InlineStyleSheet(\"\",\"style\"),this.parent_style=new o.InlineStyleSheet(\"\",\"parent\",!0)}computed_stylesheets(){return[...super.computed_stylesheets(),this.style,this.parent_style]}connect_signals(){super.connect_signals();const{html_attributes:e,html_id:s,styles:t,css_classes:l,css_variables:i,stylesheets:_}=this.model.properties;this.on_change([e,s,l,t],(()=>this._apply_html_attributes())),this.on_transitive_change(i,(()=>this._apply_html_attributes())),this.on_transitive_change(_,(()=>this._update_stylesheets()))}*_css_classes(){yield*super._css_classes(),yield*this.model.css_classes}*_css_variables(){yield*super._css_variables();for(const[e,s]of(0,p.entries)(this.model.css_variables))if(s instanceof r.Node){const t=this.resolve_coordinate(s);(0,d.isNumber)(t)?yield[e,`${t}px`]:(0,d.isString)(t)&&(yield[e,t])}else yield[e,s]}user_stylesheets(){return[...super.user_stylesheets(),...this._user_stylesheets()]}*_user_stylesheets(){for(const e of this.model.stylesheets)e instanceof n.StyleSheet?yield e.underlying():yield new o.InlineStyleSheet(e)}_apply_html_attributes(){for(const e of this._applied_html_attributes)this.el.removeAttribute(e);this._applied_html_attributes=[],this._update_css_classes();for(const[e,s]of(0,p.entries)(this.model.html_attributes))if(\"class\"==e){const e=s.split(/ +/);this._applied_css_classes.push(...e),this.class_list.add(...e)}else this.el.setAttribute(e,s),this._applied_html_attributes.push(e);const e=this.model.html_id;null!=e&&(this.el.setAttribute(\"id\",e),this._applied_html_attributes.push(\"id\")),this._apply_styles(),this._update_css_variables()}_apply_styles(){(0,y.apply_styles)(this.el.style,this.model.styles)}}t.StyledElementView=S,S.__name__=\"StyledElementView\";class m extends a.Model{constructor(e){super(e)}}t.StyledElement=m,_=m,m.__name__=\"StyledElement\",_.define({html_attributes:[(0,u.Dict)(u.Str),{}],html_id:[(0,u.Nullable)(u.Str),null],css_classes:[(0,u.List)(u.Str),[]],css_variables:[t.CSSVariables,{}],styles:[t.StylesLike,{}],stylesheets:[t.StyleSheets,[]]})},\n", " function _(t,e,r,n,o){var s;n();const a=t(58),i=t(52),_=t(22);r.ImplicitTarget=(0,_.Enum)(\"canvas\",\"plot\",\"frame\",\"parent\"),r.NodeTarget=(0,_.Or)((0,_.Ref)(i.Model),r.ImplicitTarget);class h{constructor(t,e=!1){this._left=null,this._right=null,this._top=null,this._bottom=null,this.target=t,this.frozen=e}_node(t){const{target:e,frozen:r}=this,n=new l({target:e,symbol:t});return r&&(this[`_${t}`]=n),n}get left(){return this._left??this._node(\"left\")}get right(){return this._right??this._node(\"right\")}get top(){return this._top??this._node(\"top\")}get bottom(){return this._bottom??this._node(\"bottom\")}freeze(){return new h(this.target,!0)}}r.BoxNodes=h,h.__name__=\"BoxNodes\";class l extends a.Coordinate{constructor(t){super(t)}static get frame(){return this._frame_nodes}static get canvas(){return this._canvas_nodes}}r.Node=l,s=l,l.__name__=\"Node\",s.define((({Str:t,Int:e})=>({target:[r.NodeTarget],symbol:[t],offset:[e,0]}))),l._frame_nodes=new h(\"frame\"),l._canvas_nodes=new h(\"canvas\")},\n", " function _(o,n,e,t,s){t();const c=o(52);class r extends c.Model{constructor(o){super(o)}}e.Coordinate=r,r.__name__=\"Coordinate\"},\n", " function _(l,n,u,_,e){var t;_();const o=l(52);class r extends o.Model{constructor(l){super(l)}}u.Styles=r,t=r,r.__name__=\"Styles\",t.define((({Str:l,Nullable:n})=>({align_content:[n(l),null],align_items:[n(l),null],align_self:[n(l),null],alignment_baseline:[n(l),null],all:[n(l),null],animation:[n(l),null],animation_delay:[n(l),null],animation_direction:[n(l),null],animation_duration:[n(l),null],animation_fill_mode:[n(l),null],animation_iteration_count:[n(l),null],animation_name:[n(l),null],animation_play_state:[n(l),null],animation_timing_function:[n(l),null],aspect_ratio:[n(l),null],backface_visibility:[n(l),null],background:[n(l),null],background_attachment:[n(l),null],background_clip:[n(l),null],background_color:[n(l),null],background_image:[n(l),null],background_origin:[n(l),null],background_position:[n(l),null],background_position_x:[n(l),null],background_position_y:[n(l),null],background_repeat:[n(l),null],background_size:[n(l),null],baseline_shift:[n(l),null],block_size:[n(l),null],border:[n(l),null],border_block_end:[n(l),null],border_block_end_color:[n(l),null],border_block_end_style:[n(l),null],border_block_end_width:[n(l),null],border_block_start:[n(l),null],border_block_start_color:[n(l),null],border_block_start_style:[n(l),null],border_block_start_width:[n(l),null],border_bottom:[n(l),null],border_bottom_color:[n(l),null],border_bottom_left_radius:[n(l),null],border_bottom_right_radius:[n(l),null],border_bottom_style:[n(l),null],border_bottom_width:[n(l),null],border_collapse:[n(l),null],border_color:[n(l),null],border_image:[n(l),null],border_image_outset:[n(l),null],border_image_repeat:[n(l),null],border_image_slice:[n(l),null],border_image_source:[n(l),null],border_image_width:[n(l),null],border_inline_end:[n(l),null],border_inline_end_color:[n(l),null],border_inline_end_style:[n(l),null],border_inline_end_width:[n(l),null],border_inline_start:[n(l),null],border_inline_start_color:[n(l),null],border_inline_start_style:[n(l),null],border_inline_start_width:[n(l),null],border_left:[n(l),null],border_left_color:[n(l),null],border_left_style:[n(l),null],border_left_width:[n(l),null],border_radius:[n(l),null],border_right:[n(l),null],border_right_color:[n(l),null],border_right_style:[n(l),null],border_right_width:[n(l),null],border_spacing:[n(l),null],border_style:[n(l),null],border_top:[n(l),null],border_top_color:[n(l),null],border_top_left_radius:[n(l),null],border_top_right_radius:[n(l),null],border_top_style:[n(l),null],border_top_width:[n(l),null],border_width:[n(l),null],bottom:[n(l),null],box_shadow:[n(l),null],box_sizing:[n(l),null],break_after:[n(l),null],break_before:[n(l),null],break_inside:[n(l),null],caption_side:[n(l),null],caret_color:[n(l),null],clear:[n(l),null],clip:[n(l),null],clip_path:[n(l),null],clip_rule:[n(l),null],color:[n(l),null],color_interpolation:[n(l),null],color_interpolation_filters:[n(l),null],column_count:[n(l),null],column_fill:[n(l),null],column_gap:[n(l),null],column_rule:[n(l),null],column_rule_color:[n(l),null],column_rule_style:[n(l),null],column_rule_width:[n(l),null],column_span:[n(l),null],column_width:[n(l),null],columns:[n(l),null],content:[n(l),null],counter_increment:[n(l),null],counter_reset:[n(l),null],cursor:[n(l),null],direction:[n(l),null],display:[n(l),null],dominant_baseline:[n(l),null],empty_cells:[n(l),null],fill:[n(l),null],fill_opacity:[n(l),null],fill_rule:[n(l),null],filter:[n(l),null],flex:[n(l),null],flex_basis:[n(l),null],flex_direction:[n(l),null],flex_flow:[n(l),null],flex_grow:[n(l),null],flex_shrink:[n(l),null],flex_wrap:[n(l),null],float:[n(l),null],flood_color:[n(l),null],flood_opacity:[n(l),null],font:[n(l),null],font_family:[n(l),null],font_feature_settings:[n(l),null],font_kerning:[n(l),null],font_size:[n(l),null],font_size_adjust:[n(l),null],font_stretch:[n(l),null],font_style:[n(l),null],font_synthesis:[n(l),null],font_variant:[n(l),null],font_variant_caps:[n(l),null],font_variant_east_asian:[n(l),null],font_variant_ligatures:[n(l),null],font_variant_numeric:[n(l),null],font_variant_position:[n(l),null],font_weight:[n(l),null],gap:[n(l),null],glyph_orientation_vertical:[n(l),null],grid:[n(l),null],grid_area:[n(l),null],grid_auto_columns:[n(l),null],grid_auto_flow:[n(l),null],grid_auto_rows:[n(l),null],grid_column:[n(l),null],grid_column_end:[n(l),null],grid_column_gap:[n(l),null],grid_column_start:[n(l),null],grid_gap:[n(l),null],grid_row:[n(l),null],grid_row_end:[n(l),null],grid_row_gap:[n(l),null],grid_row_start:[n(l),null],grid_template:[n(l),null],grid_template_areas:[n(l),null],grid_template_columns:[n(l),null],grid_template_rows:[n(l),null],height:[n(l),null],hyphens:[n(l),null],image_orientation:[n(l),null],image_rendering:[n(l),null],inline_size:[n(l),null],justify_content:[n(l),null],justify_items:[n(l),null],justify_self:[n(l),null],left:[n(l),null],letter_spacing:[n(l),null],lighting_color:[n(l),null],line_break:[n(l),null],line_height:[n(l),null],list_style:[n(l),null],list_style_image:[n(l),null],list_style_position:[n(l),null],list_style_type:[n(l),null],margin:[n(l),null],margin_block_end:[n(l),null],margin_block_start:[n(l),null],margin_bottom:[n(l),null],margin_inline_end:[n(l),null],margin_inline_start:[n(l),null],margin_left:[n(l),null],margin_right:[n(l),null],margin_top:[n(l),null],marker:[n(l),null],marker_end:[n(l),null],marker_mid:[n(l),null],marker_start:[n(l),null],mask:[n(l),null],mask_composite:[n(l),null],mask_image:[n(l),null],mask_position:[n(l),null],mask_repeat:[n(l),null],mask_size:[n(l),null],mask_type:[n(l),null],max_block_size:[n(l),null],max_height:[n(l),null],max_inline_size:[n(l),null],max_width:[n(l),null],min_block_size:[n(l),null],min_height:[n(l),null],min_inline_size:[n(l),null],min_width:[n(l),null],object_fit:[n(l),null],object_position:[n(l),null],opacity:[n(l),null],order:[n(l),null],orphans:[n(l),null],outline:[n(l),null],outline_color:[n(l),null],outline_offset:[n(l),null],outline_style:[n(l),null],outline_width:[n(l),null],overflow:[n(l),null],overflow_anchor:[n(l),null],overflow_wrap:[n(l),null],overflow_x:[n(l),null],overflow_y:[n(l),null],overscroll_behavior:[n(l),null],overscroll_behavior_block:[n(l),null],overscroll_behavior_inline:[n(l),null],overscroll_behavior_x:[n(l),null],overscroll_behavior_y:[n(l),null],padding:[n(l),null],padding_block_end:[n(l),null],padding_block_start:[n(l),null],padding_bottom:[n(l),null],padding_inline_end:[n(l),null],padding_inline_start:[n(l),null],padding_left:[n(l),null],padding_right:[n(l),null],padding_top:[n(l),null],page_break_after:[n(l),null],page_break_before:[n(l),null],page_break_inside:[n(l),null],paint_order:[n(l),null],perspective:[n(l),null],perspective_origin:[n(l),null],place_content:[n(l),null],place_items:[n(l),null],place_self:[n(l),null],pointer_events:[n(l),null],position:[n(l),null],quotes:[n(l),null],resize:[n(l),null],right:[n(l),null],rotate:[n(l),null],row_gap:[n(l),null],ruby_align:[n(l),null],ruby_position:[n(l),null],scale:[n(l),null],scroll_behavior:[n(l),null],shape_rendering:[n(l),null],stop_color:[n(l),null],stop_opacity:[n(l),null],stroke:[n(l),null],stroke_dasharray:[n(l),null],stroke_dashoffset:[n(l),null],stroke_linecap:[n(l),null],stroke_linejoin:[n(l),null],stroke_miterlimit:[n(l),null],stroke_opacity:[n(l),null],stroke_width:[n(l),null],tab_size:[n(l),null],table_layout:[n(l),null],text_align:[n(l),null],text_align_last:[n(l),null],text_anchor:[n(l),null],text_combine_upright:[n(l),null],text_decoration:[n(l),null],text_decoration_color:[n(l),null],text_decoration_line:[n(l),null],text_decoration_style:[n(l),null],text_emphasis:[n(l),null],text_emphasis_color:[n(l),null],text_emphasis_position:[n(l),null],text_emphasis_style:[n(l),null],text_indent:[n(l),null],text_justify:[n(l),null],text_orientation:[n(l),null],text_overflow:[n(l),null],text_rendering:[n(l),null],text_shadow:[n(l),null],text_transform:[n(l),null],text_underline_position:[n(l),null],top:[n(l),null],touch_action:[n(l),null],transform:[n(l),null],transform_box:[n(l),null],transform_origin:[n(l),null],transform_style:[n(l),null],transition:[n(l),null],transition_delay:[n(l),null],transition_duration:[n(l),null],transition_property:[n(l),null],transition_timing_function:[n(l),null],translate:[n(l),null],unicode_bidi:[n(l),null],user_select:[n(l),null],vertical_align:[n(l),null],visibility:[n(l),null],white_space:[n(l),null],widows:[n(l),null],width:[n(l),null],will_change:[n(l),null],word_break:[n(l),null],word_spacing:[n(l),null],word_wrap:[n(l),null],writing_mode:[n(l),null],z_index:[n(l),null]})))},\n", " function _(e,t,n,l,r){var s,i;l();const u=e(1),S=e(52),_=u.__importStar(e(61));class d extends S.Model{constructor(e){super(e)}}n.StyleSheet=d,d.__name__=\"StyleSheet\";class h extends d{constructor(e){super(e)}underlying(){return new _.InlineStyleSheet(this.css)}}n.InlineStyleSheet=h,s=h,h.__name__=\"InlineStyleSheet\",s.define((({Str:e})=>({css:[e]})));class o extends d{constructor(e){super(e)}underlying(){return new _.ImportedStyleSheet(this.url)}}n.ImportedStyleSheet=o,i=o,o.__name__=\"ImportedStyleSheet\",i.define((({Str:e})=>({url:[e]})));class y extends h{constructor(e){super(e),this._underlying=null}underlying(){return null==this._underlying&&(this._underlying=new _.GlobalInlineStyleSheet(this.css)),this._underlying}}n.GlobalInlineStyleSheet=y,y.__name__=\"GlobalInlineStyleSheet\";class c extends o{constructor(e){super(e),this._underlying=null}underlying(){return null==this._underlying&&(this._underlying=new _.GlobalImportedStyleSheet(this.url)),this._underlying}}n.GlobalImportedStyleSheet=c,c.__name__=\"GlobalImportedStyleSheet\"},\n", " function _(t,e,n,o,i){o(),n.textarea=n.template=n.td=n.tbody=n.table=n.sup=n.summary=n.sub=n.style=n.strong=n.span=n.source=n.small=n.slot=n.select=n.section=n.search=n.script=n.samp=n.s=n.ruby=n.rt=n.rp=n.q=n.progress=n.pre=n.picture=n.p=n.output=n.option=n.optgroup=n.ol=n.object=n.noscript=n.nav=n.meter=n.meta=n.menu=n.mark=n.map=n.main=n.link=n.li=n.legend=n.label=n.kbd=n.ins=n.input=n.img=n.iframe=void 0,n.supports_adopted_stylesheets=n.GlobalImportedStyleSheet=n.ImportedStyleSheet=n.GlobalInlineStyleSheet=n.InlineStyleSheet=n.StyleSheet=n.MouseButton=n.ClassList=n.wbr=n.video=n.ul=n.u=n.track=n.tr=n.title=n.time=n.thead=n.th=n.tfoot=void 0,n.create_element=function(t,e,...n){return d(t)(e,...n)},n.createSVGElement=function(t,e=null,...n){const o=document.createElementNS(\"http://www.w3.org/2000/svg\",t);for(const[t,n]of(0,l.entries)(e??{}))null!=n&&!1!==n&&o.setAttribute(t,n);function i(t){if((0,s.isString)(t))o.appendChild(document.createTextNode(t));else if(t instanceof Node)o.appendChild(t);else if(t instanceof NodeList||t instanceof HTMLCollection)for(const e of t)o.appendChild(e);else if(null!=t&&!1!==t)throw new Error(`expected a DOM element, string, false or null, got ${JSON.stringify(t)}`)}for(const t of n)if((0,s.isArray)(t))for(const e of t)i(e);else i(t);return o},n.text=u,n.nbsp=function(){return u(\"\\xa0\")},n.prepend=function(t,...e){const n=t.firstChild;for(const o of e)t.insertBefore(o,n)},n.empty=function(t,e=!1){let n;for(;null!=(n=t.firstChild);)t.removeChild(n);if(e&&t instanceof Element)for(const e of t.attributes)t.removeAttributeNode(e)},n.contains=function(t,e){let n=e;for(;null!=n.parentNode;){const e=n.parentNode;if(e==t)return!0;n=e instanceof ShadowRoot?e.host:e}return!1},n.display=function(t,e=!0){t.style.display=e?\"\":\"none\"},n.undisplay=function(t){t.style.display=\"none\"},n.show=function(t){t.style.visibility=\"\"},n.hide=function(t){t.style.visibility=\"hidden\"},n.offset_bbox=function(t){const{top:e,left:n,width:o,height:i}=t.getBoundingClientRect();return new r.BBox({left:n+scrollX-document.documentElement.clientLeft,top:e+scrollY-document.documentElement.clientTop,width:o,height:i})},n.parent=function(t,e){let n=t;for(;null!=(n=n.parentElement);)if(n.matches(e))return n;return null},n.extents=p,n.size=f,n.scroll_size=function(t){return{width:Math.ceil(t.scrollWidth),height:Math.ceil(t.scrollHeight)}},n.outer_size=function(t){const{margin:{left:e,right:n,top:o,bottom:i}}=p(t),{width:s,height:l}=f(t);return{width:Math.ceil(s+e+n),height:Math.ceil(l+o+i)}},n.content_size=function(t){const{left:e,top:n}=t.getBoundingClientRect(),{padding:o}=p(t);let i=0,s=0;for(const l of(t.shadowRoot??t).children){const t=l.getBoundingClientRect();i=Math.max(i,Math.ceil(t.left-e-o.left+t.width)),s=Math.max(s,Math.ceil(t.top-n-o.top+t.height))}return{width:i,height:s}},n.bounding_box=function(t){const{x:e,y:n,width:o,height:i}=t.getBoundingClientRect();return new r.BBox({x:e,y:n,width:o,height:i})},n.box_size=function(t){const{width:e,height:n}=t.getBoundingClientRect();return{width:e,height:n}},n.position=function(t,e,n){const{style:o}=t;if(o.left=`${e.x}px`,o.top=`${e.y}px`,o.width=`${e.width}px`,o.height=`${e.height}px`,null==n)o.margin=\"\";else{const{top:t,right:e,bottom:i,left:s}=n;o.margin=`${t}px ${e}px ${i}px ${s}px`}},n.classes=function(t){return new m(t.classList)},n.toggle_attribute=function(t,e,n){null==n&&(n=!t.hasAttribute(e));n?t.setAttribute(e,\"true\"):t.removeAttribute(e)},n.dom_ready=async function(){if(\"loading\"==document.readyState)return new Promise(((t,e)=>{document.addEventListener(\"DOMContentLoaded\",(()=>t()),{once:!0})}))},n.px=function(t){return(0,s.isNumber)(t)?`${t}px`:t},n.has_focus=function(t){const e=t.getRootNode();return(e instanceof ShadowRoot||e instanceof Document)&&e.activeElement===t};const s=t(8),l=t(9),r=t(62),a=t(63),c=t(20),d=t=>(e={},...n)=>{const o=document.createElement(t);if((0,s.isPlainObject)(e)?e={...e}:(n=[e,...n],e={}),null!=e.class){const t=(0,s.isString)(e.class)?e.class.split(/\\s+/):e.class;for(const e of t)null!=e&&o.classList.add(e);delete e.class}if(null!=e.style&&((0,s.isString)(e.style)?o.setAttribute(\"style\",e.style):(0,a.apply_styles)(o.style,e.style),delete e.style),null!=e.data){for(const[t,n]of(0,l.entries)(e.data))null!=n&&(o.dataset[t]=n);delete e.data}for(const[t,n]of(0,l.entries)(e))null!=n&&((0,s.isBoolean)(n)?o.toggleAttribute(t,n):(0,s.isNumber)(n)?o.setAttribute(t,`${n}`):(0,s.isString)(n)?o.setAttribute(t,n):c.logger.warn(`unable to set attribute: ${t} = ${n}`));function i(t){if((0,s.isString)(t))o.append(document.createTextNode(t));else if(t instanceof Node)o.append(t);else if(t instanceof NodeList||t instanceof HTMLCollection)o.append(...t);else if(null!=t&&!1!==t)throw new Error(`expected a DOM element, string, false or null, got ${JSON.stringify(t)}`)}for(const t of n)if((0,s.isArray)(t))for(const e of t)i(e);else i(t);return o};function u(t){return document.createTextNode(t)}function h(t){const e=parseFloat(t);return isFinite(e)?e:0}function p(t){const e=getComputedStyle(t);return{border:{top:h(e.borderTopWidth),bottom:h(e.borderBottomWidth),left:h(e.borderLeftWidth),right:h(e.borderRightWidth)},margin:{top:h(e.marginTop),bottom:h(e.marginBottom),left:h(e.marginLeft),right:h(e.marginRight)},padding:{top:h(e.paddingTop),bottom:h(e.paddingBottom),left:h(e.paddingLeft),right:h(e.paddingRight)}}}function f(t){const e=t.getBoundingClientRect();return{width:Math.ceil(e.width),height:Math.ceil(e.height)}}n.a=d(\"a\"),n.abbr=d(\"abbr\"),n.address=d(\"address\"),n.area=d(\"area\"),n.article=d(\"article\"),n.aside=d(\"aside\"),n.audio=d(\"audio\"),n.b=d(\"b\"),n.base=d(\"base\"),n.bdi=d(\"bdi\"),n.bdo=d(\"bdo\"),n.blockquote=d(\"blockquote\"),n.body=d(\"body\"),n.br=d(\"br\"),n.button=d(\"button\"),n.canvas=d(\"canvas\"),n.caption=d(\"caption\"),n.cite=d(\"cite\"),n.code=d(\"code\"),n.col=d(\"col\"),n.colgroup=d(\"colgroup\"),n.data=d(\"data\"),n.datalist=d(\"datalist\"),n.dd=d(\"dd\"),n.del=d(\"del\"),n.details=d(\"details\"),n.dfn=d(\"dfn\"),n.dialog=d(\"dialog\"),n.div=d(\"div\"),n.dl=d(\"dl\"),n.dt=d(\"dt\"),n.em=d(\"em\"),n.embed=d(\"embed\"),n.fieldset=d(\"fieldset\"),n.figcaption=d(\"figcaption\"),n.figure=d(\"figure\"),n.footer=d(\"footer\"),n.form=d(\"form\"),n.h1=d(\"h1\"),n.h2=d(\"h2\"),n.h3=d(\"h3\"),n.h4=d(\"h4\"),n.h5=d(\"h5\"),n.h6=d(\"h6\"),n.head=d(\"head\"),n.header=d(\"header\"),n.hgroup=d(\"hgroup\"),n.hr=d(\"hr\"),n.html=d(\"html\"),n.i=d(\"i\"),n.iframe=d(\"iframe\"),n.img=d(\"img\"),n.input=d(\"input\"),n.ins=d(\"ins\"),n.kbd=d(\"kbd\"),n.label=d(\"label\"),n.legend=d(\"legend\"),n.li=d(\"li\"),n.link=d(\"link\"),n.main=d(\"main\"),n.map=d(\"map\"),n.mark=d(\"mark\"),n.menu=d(\"menu\"),n.meta=d(\"meta\"),n.meter=d(\"meter\"),n.nav=d(\"nav\"),n.noscript=d(\"noscript\"),n.object=d(\"object\"),n.ol=d(\"ol\"),n.optgroup=d(\"optgroup\"),n.option=d(\"option\"),n.output=d(\"output\"),n.p=d(\"p\"),n.picture=d(\"picture\"),n.pre=d(\"pre\"),n.progress=d(\"progress\"),n.q=d(\"q\"),n.rp=d(\"rp\"),n.rt=d(\"rt\"),n.ruby=d(\"ruby\"),n.s=d(\"s\"),n.samp=d(\"samp\"),n.script=d(\"script\"),n.search=d(\"search\"),n.section=d(\"section\"),n.select=d(\"select\"),n.slot=d(\"slot\"),n.small=d(\"small\"),n.source=d(\"source\"),n.span=d(\"span\"),n.strong=d(\"strong\"),n.style=d(\"style\"),n.sub=d(\"sub\"),n.summary=d(\"summary\"),n.sup=d(\"sup\"),n.table=d(\"table\"),n.tbody=d(\"tbody\"),n.td=d(\"td\"),n.template=d(\"template\"),n.textarea=d(\"textarea\"),n.tfoot=d(\"tfoot\"),n.th=d(\"th\"),n.thead=d(\"thead\"),n.time=d(\"time\"),n.title=d(\"title\"),n.tr=d(\"tr\"),n.track=d(\"track\"),n.u=d(\"u\"),n.ul=d(\"ul\"),n.video=d(\"video\"),n.wbr=d(\"wbr\");class m{constructor(t){this.class_list=t}get values(){const t=[];for(let e=0;ethis.class_list.remove(t))):this.class_list.remove(e);return this}clear(){for(const t of this.values)this.class_list.remove(t);return this}toggle(t,e){return this.class_list.toggle(t,e)}}var g;n.ClassList=m,m.__name__=\"ClassList\",(g=n.MouseButton||(n.MouseButton={}))[g.None=0]=\"None\",g[g.Primary=1]=\"Primary\",g[g.Secondary=2]=\"Secondary\",g[g.Auxiliary=4]=\"Auxiliary\",g[g.Left=1]=\"Left\",g[g.Right=2]=\"Right\",g[g.Middle=4]=\"Middle\";class b{install(t){t.append(this.el)}uninstall(){this.el.remove()}}n.StyleSheet=b,b.__name__=\"StyleSheet\";class y extends b{constructor(t,e,o=!1){super(),this.el=(0,n.style)(),this.persistent=o,(0,s.isString)(t)?this._update(t):null!=t&&this._update((0,a.compose_stylesheet)(t)),null!=e&&(this.el.dataset.css=e)}get css(){return this.el.textContent}_update(t){this.el.textContent=t}clear(){this.replace(\"\")}_to_css(t,e){return null==e?t:(0,a.compose_stylesheet)({[t]:e})}replace(t,e){this._update(this._to_css(t,e))}prepend(t,e){this._update(`${this._to_css(t,e)}\\n${this.css}`)}append(t,e){this._update(`${this.css}\\n${this._to_css(t,e)}`)}remove(){this.el.remove()}}n.InlineStyleSheet=y,y.__name__=\"InlineStyleSheet\";class _ extends y{install(){this.el.isConnected||document.head.appendChild(this.el)}}n.GlobalInlineStyleSheet=_,_.__name__=\"GlobalInlineStyleSheet\";class S extends b{constructor(t){super(),this.el=(0,n.link)({rel:\"stylesheet\",href:t})}replace(t){this.el.href=t}remove(){this.el.remove()}}n.ImportedStyleSheet=S,S.__name__=\"ImportedStyleSheet\";class x extends S{install(){this.el.isConnected||document.head.appendChild(this.el)}}n.GlobalImportedStyleSheet=x,x.__name__=\"GlobalImportedStyleSheet\",n.supports_adopted_stylesheets=\"adoptedStyleSheets\"in ShadowRoot.prototype},\n", " function _(t,e,r,i,n){i(),r.empty=function(){return{x0:1/0,y0:1/0,x1:-1/0,y1:-1/0}},r.full=function(){return{x0:-1/0,y0:-1/0,x1:1/0,y1:1/0}},r.x_range=y,r.y_range=_,r.positive_x=function(){return y(Number.MIN_VALUE,1/0)},r.negative_x=function(){return y(-1/0,-Number.MIN_VALUE)},r.positive_y=function(){return _(Number.MIN_VALUE,1/0)},r.negative_y=function(){return _(-1/0,-Number.MIN_VALUE)},r.union=function(t,e){return{x0:a(t.x0,e.x0),x1:p(t.x1,e.x1),y0:a(t.y0,e.y0),y1:p(t.y1,e.y1)}},r.isXY=function(t){return(0,c.isPlainObject)(t)&&\"x\"in t&&\"y\"in t};const h=t(25),s=t(27),o=t(13),c=t(8),{min:u,max:g,round:x}=Math;function y(t,e){return{x0:t,y0:-1/0,x1:e,y1:1/0}}function _(t,e){return{x0:-1/0,y0:t,x1:1/0,y1:e}}function a(t,e){return isNaN(t)?e:isNaN(e)?t:u(t,e)}function p(t,e){return isNaN(t)?e:isNaN(e)?t:g(t,e)}class l{constructor(t,e=!1){if(null==t)this.x0=0,this.y0=0,this.x1=0,this.y1=0;else if(\"x0\"in t){const{x0:e,y0:r,x1:i,y1:n}=t;if(isFinite(e+r+i+n)){if(!(e<=i&&r<=n))throw new Error(`invalid bbox {x0: ${e}, y0: ${r}, x1: ${i}, y1: ${n}}`);this.x0=e,this.y0=r,this.x1=i,this.y1=n}else this.x0=NaN,this.y0=NaN,this.x1=NaN,this.y1=NaN}else if(\"x\"in t){const{x:e,y:r,width:i,height:n,origin:h=\"top_left\"}=t;if(!(i>=0&&n>=0))throw new Error(`invalid bbox {x: ${e}, y: ${r}, width: ${i}, height: ${n}}`);const s=(()=>{switch(h){case\"left\":return\"center_left\";case\"right\":return\"center_right\";case\"top\":return\"top_center\";case\"bottom\":return\"bottom_center\";case\"center\":return\"center_center\";default:return h}})(),[o,c]=s.split(\"_\",2),u=(()=>{switch(o){case\"top\":return 0;case\"center\":return.5;case\"bottom\":return 1}})(),g=e-(()=>{switch(c){case\"left\":return 0;case\"center\":return.5;case\"right\":return 1}})()*i,x=r-u*n,y=g+i,_=x+n;this.x0=g,this.y0=x,this.x1=y,this.y1=_}else{let r,i,n,h;if(\"width\"in t)if(\"left\"in t)r=t.left,i=r+t.width;else if(\"right\"in t)i=t.right,r=i-t.width;else{const e=t.width/2;r=t.hcenter-e,i=t.hcenter+e}else r=t.left,i=t.right;if(\"height\"in t)if(\"top\"in t)n=t.top,h=n+t.height;else if(\"bottom\"in t)h=t.bottom,n=h-t.height;else{const e=t.height/2;n=t.vcenter-e,h=t.vcenter+e}else n=t.top,h=t.bottom;if(r>i||n>h){if(!e)throw new Error(`invalid bbox {left: ${r}, top: ${n}, right: ${i}, bottom: ${h}}`);r>i&&(r=i),n>h&&(n=h)}this.x0=r,this.y0=n,this.x1=i,this.y1=h}}static from_lrtb({left:t,right:e,top:r,bottom:i}){return new l({x0:u(t,e),y0:u(r,i),x1:g(t,e),y1:g(r,i)})}static from_rect({x0:t,y0:e,x1:r,y1:i}){return new l({x0:u(t,r),y0:u(e,i),x1:g(t,r),y1:g(e,i)})}static empty(){return new l({x0:0,y0:0,x1:0,y1:0})}static invalid(){return new l({x0:NaN,y0:NaN,x1:NaN,y1:NaN})}clone(){return new l(this)}equals(t){return this.x0==t.x0&&this.y0==t.y0&&this.x1==t.x1&&this.y1==t.y1}[s.equals](t,e){return e.eq(this.x0,t.x0)&&e.eq(this.y0,t.y0)&&e.eq(this.x1,t.x1)&&e.eq(this.y1,t.y1)}toString(){return`BBox({left: ${this.left}, top: ${this.top}, width: ${this.width}, height: ${this.height}})`}get is_valid(){const{x0:t,x1:e,y0:r,y1:i}=this;return isFinite(t+e+r+i)}get is_empty(){const{x0:t,x1:e,y0:r,y1:i}=this;return 0==t&&0==e&&0==r&&0==i}get left(){return this.x0}get top(){return this.y0}get right(){return this.x1}get bottom(){return this.y1}get p0(){return{x:this.x0,y:this.y0}}get p1(){return{x:this.x1,y:this.y1}}get x(){return this.x0}get y(){return this.y0}get width(){return this.x1-this.x0}get height(){return this.y1-this.y0}get size(){return{width:this.width,height:this.height}}get rect(){const{x0:t,y0:e,x1:r,y1:i}=this;return{p0:{x:t,y:e},p1:{x:r,y:e},p2:{x:r,y:i},p3:{x:t,y:i}}}get box(){const{x:t,y:e,width:r,height:i}=this;return{x:t,y:e,width:r,height:i}}get lrtb(){const{left:t,right:e,top:r,bottom:i}=this;return{left:t,right:e,top:r,bottom:i}}get args(){const{x:t,y:e,width:r,height:i}=this;return[t,e,r,i]}get x_range(){return{start:this.x0,end:this.x1}}get y_range(){return{start:this.y0,end:this.y1}}get h_range(){return this.x_range}get v_range(){return this.y_range}get ranges(){return[this.x_range,this.y_range]}get aspect(){return this.width/this.height}get x_center(){return(this.left+this.right)/2}get y_center(){return(this.top+this.bottom)/2}get hcenter(){return this.x_center}get vcenter(){return this.y_center}get area(){return this.width*this.height}resolve(t){switch(t){case\"top_left\":return this.top_left;case\"top_center\":return this.top_center;case\"top_right\":return this.top_right;case\"center_left\":return this.center_left;case\"center_center\":return this.center_center;case\"center_right\":return this.center_right;case\"bottom_left\":return this.bottom_left;case\"bottom_center\":return this.bottom_center;case\"bottom_right\":return this.bottom_right;case\"center\":return this.center;case\"top\":return this.top;case\"left\":return this.left;case\"right\":return this.right;case\"bottom\":return this.bottom;case\"width\":return this.width;case\"height\":return this.height;default:return{x:NaN,y:NaN}}}get top_left(){return{x:this.left,y:this.top}}get top_center(){return{x:this.hcenter,y:this.top}}get top_right(){return{x:this.right,y:this.top}}get center_left(){return{x:this.left,y:this.vcenter}}get center_center(){return{x:this.hcenter,y:this.vcenter}}get center_right(){return{x:this.right,y:this.vcenter}}get bottom_left(){return{x:this.left,y:this.bottom}}get bottom_center(){return{x:this.hcenter,y:this.bottom}}get bottom_right(){return{x:this.right,y:this.bottom}}get center(){return{x:this.hcenter,y:this.vcenter}}round(){return new l({x0:x(this.x0),x1:x(this.x1),y0:x(this.y0),y1:x(this.y1)})}relative(){const{width:t,height:e}=this;return new l({x:0,y:0,width:t,height:e})}relative_to(t){const{x:e,y:r,width:i,height:n}=this;return new l({x:e-t.x,y:r-t.y,width:i,height:n})}translate(t,e){const{x:r,y:i,width:n,height:h}=this;return new l({x:t+r,y:e+i,width:n,height:h})}scale(t){return new l({x0:this.x0*t,x1:this.x1*t,y0:this.y0*t,y1:this.y1*t})}relativize(t,e){return[t-this.x,e-this.y]}contains(t,e){return this.x0<=t&&t<=this.x1&&this.y0<=e&&e<=this.y1}clip(t,e){return tthis.x1&&(t=this.x1),ethis.y1&&(e=this.y1),[t,e]}grow_by(t){return new l({left:this.left-t,right:this.right+t,top:this.top-t,bottom:this.bottom+t})}shrink_by(t){return new l({left:this.left+t,right:this.right-t,top:this.top+t,bottom:this.bottom-t},!0)}union(t){return new l({x0:u(this.x0,t.x0),y0:u(this.y0,t.y0),x1:g(this.x1,t.x1),y1:g(this.y1,t.y1)})}intersection(t){return this.intersects(t)?new l({x0:g(this.x0,t.x0),y0:g(this.y0,t.y0),x1:u(this.x1,t.x1),y1:u(this.y1,t.y1)}):null}intersects(t){return!(t.x1this.x1||t.y1this.y1)}get x_percent(){const t=this;return this._x_percent??(this._x_percent={compute:e=>t.left+e*t.width,invert:e=>(e-t.left)/t.width,v_compute(e){const{left:r,width:i}=t;return new h.ScreenArray((0,o.map)(e,(t=>r+t*i)))},v_invert(e){const{left:r,width:i}=t;return(0,o.map)(e,(t=>(t-r)/i))},get source_range(){return t.x_range},get target_range(){return t.x_range}})}get y_percent(){const t=this;return this._y_percent??(this._y_percent={compute:e=>t.top+e*t.height,invert:e=>(e-t.top)/t.height,v_compute(e){const{top:r,height:i}=t;return new h.ScreenArray((0,o.map)(e,(t=>r+t*i)))},v_invert(e){const{top:r,height:i}=t;return(0,o.map)(e,(t=>(t-r)/i))},get source_range(){return t.y_range},get target_range(){return t.y_range}})}get x_screen(){const t=this;return this._x_screen??(this._x_screen={compute:e=>t.left+e,invert:e=>e-t.left,v_compute(e){const{left:r}=t;return new h.ScreenArray((0,o.map)(e,(t=>r+t)))},v_invert(e){const{left:r}=t;return(0,o.map)(e,(t=>t-r))},get source_range(){return t.x_range},get target_range(){return t.x_range}})}get y_screen(){const t=this;return this._y_screen??(this._y_screen={compute:e=>t.top+e,invert:e=>e-t.top,v_compute(e){const{top:r}=t;return new h.ScreenArray((0,o.map)(e,(t=>r+t)))},v_invert(e){const{top:r}=t;return(0,o.map)(e,(t=>t-r))},get source_range(){return t.y_range},get target_range(){return t.y_range}})}get x_view(){const t=this;return this._x_view??(this._x_view={compute:e=>t.left+e,invert:e=>e-t.left,v_compute(e){const{left:r}=t;return new h.ScreenArray((0,o.map)(e,(t=>r+t)))},v_invert(e){const{left:r}=t;return(0,o.map)(e,(t=>t-r))},get source_range(){return t.x_range},get target_range(){return t.x_range}})}get y_view(){const t=this;return this._y_view??(this._y_view={compute:e=>t.bottom-e,invert:e=>t.bottom-e,v_compute(e){const{bottom:r}=t;return new h.ScreenArray((0,o.map)(e,(t=>r-t)))},v_invert(e){const{bottom:r}=t;return(0,o.map)(e,(t=>r-t))},get source_range(){return t.y_range},get target_range(){return{start:t.bottom,end:t.top}}})}get xview(){return this.x_view}get yview(){return this.y_view}}r.BBox=l,l.__name__=\"BBox\"},\n", " function _(n,t,e,o,r){o(),e.apply_styles=function(n,t){for(const[e,o]of u(t))(0,c.isString)(o)?n.setProperty(e,o):n.removeProperty(e)},e.compose_stylesheet=function(n){const t=[];for(const[e,o]of(0,i.entries)(n)){t.push(`${e} {`);for(const[n,e]of u(o))(0,c.isString)(e)&&0!=e.length&&t.push(` ${n}: ${e};`);t.push(\"}\")}return t.join(\"\\n\")};const s=n(20),i=n(9),c=n(8),l=document.createElement(\"div\").style;function f(n){if(n.startsWith(\"--\"))return n;const t=n.replaceAll(/_/g,\"-\").replaceAll(/[A-Z]/g,(n=>`-${n.toLowerCase()}`));if(t in l)return t;const e=`-webkit-${t}`;if(e in l)return e;const o=`-moz-${t}`;return o in l?o:(s.logger.warn(`unknown CSS property '${n}'`),null)}function*u(n){if((0,c.isPlainObject)(n)||n instanceof Map)for(const[t,e]of(0,i.entries)(n)){const n=f(t);null!=n&&(yield[n,e])}else for(const t of n.own_properties())if(t.dirty){const n=f(t.attr);null!=n&&(yield[n,t.get_value()])}}},\n", " function _(s,e,t,i,_){i();const l=s(1),a=s(65),r=s(61),h=s(8),n=s(12),c=l.__importDefault(s(70));class p extends a.View{constructor(){super(...arguments),this._was_built=!1}get bbox(){}serializable_state(){const s=super.serializable_state(),{bbox:e}=this;return null!=e?{...s,bbox:e.round()}:s}get children_el(){return this.shadow_el??this.el}initialize(){super.initialize(),this.el=this._create_element()}remove(){this.el.remove(),super.remove()}stylesheets(){return[]}css_classes(){return[]}rerender(){this.render(),this.r_after_render()}render_to(s){this.render(),s.appendChild(this.el)}after_render(){this.reposition()}r_after_render(){for(const s of this.children())s instanceof p&&s.r_after_render();this.after_render(),this._was_built=!0}_create_element(){return(0,r.create_element)(this.constructor.tag_name,{})}reposition(s){}build(s){(0,n.assert)(this.is_root),this.render_to(s),this.r_after_render(),this.notify_finished()}rendering_target(){return null}}t.DOMView=p,p.__name__=\"DOMView\",p.tag_name=\"div\";class o extends p{initialize(){super.initialize(),this.class_list=new r.ClassList(this.el.classList)}get self_target(){return this.el}}t.DOMElementView=o,o.__name__=\"DOMElementView\";class d extends o{constructor(){super(...arguments),this._base_style=new r.InlineStyleSheet(c.default,\"base\"),this._css_vars=new r.InlineStyleSheet(\"\",\"vars\"),this._applied_html_attributes=[],this._applied_stylesheets=[],this._applied_css_classes=[]}get self_target(){return this.shadow_el}initialize(){super.initialize(),this.shadow_el=this.el.attachShadow({mode:\"open\"})}stylesheets(){return[...super.stylesheets(),this._base_style]}static_stylesheets(){return this.stylesheets()}computed_stylesheets(){return[this._css_vars]}user_stylesheets(){return[]}empty(){(0,r.empty)(this.shadow_el),this.class_list.clear(),this._applied_css_classes=[],this._applied_stylesheets=[];for(const s of this.computed_stylesheets())s.persistent||s.clear()}render(){this.empty(),this._update_stylesheets(),this._apply_html_attributes()}_apply_html_attributes(){this._update_css_classes()}reposition(s){this._update_css_variables()}*_stylesheets(){yield*this.static_stylesheets(),yield*this.computed_stylesheets(),yield*this.user_stylesheets()}*_css_classes(){yield`bk-${this.model.type.replace(/\\./g,\"-\")}`,yield*this.css_classes()}*_css_variables(){}_apply_stylesheets(s){const e=s.map((s=>(0,h.isString)(s)?new r.InlineStyleSheet(s):s));this._applied_stylesheets.push(...e),e.forEach((s=>s.install(this.shadow_el)))}_apply_css_classes(s){this._applied_css_classes.push(...s),this.class_list.add(...s)}_update_stylesheets(){this._applied_stylesheets.forEach((s=>s.uninstall())),this._applied_stylesheets=[],this._apply_stylesheets([...this._stylesheets()])}_update_css_classes(){this.class_list.remove(this._applied_css_classes),this._applied_css_classes=[],this._apply_css_classes([...this._css_classes()])}_update_css_variables(){const s=[];for(const[e,t]of this._css_variables()){const i=e.startsWith(\"--\")?e:`--${e}`;s.push(`${i}: ${t};\\n`)}0==s.length?this._css_vars.clear():this._css_vars.replace(`:host {\\n${s}}`)}}t.DOMComponentView=d,d.__name__=\"DOMComponentView\"},\n", " function _(e,t,s,i,r){i();const n=e(15),o=e(16),l=e(8),a=e(57),h=e(66),_=e(67),c=e(68),d=e(27);class u{get ready(){return this._ready}_await_ready(e){this._ready=this._ready.then((()=>e)),this.root!=this&&(this.root._ready=this.root._ready.then((()=>this._ready)))}connect(e,t){let s=this._slots.get(t);return null==s&&(s=(e,s)=>{this._await_ready(Promise.resolve(t.call(this,e,s)))},this._slots.set(t,s)),e.connect(s,this)}disconnect(e,t){return e.disconnect(t,this)}constructor(e){this.removed=new o.Signal0(this,\"removed\"),this.views=new c.ViewQuery(this),this._ready=Promise.resolve(void 0),this._slots=new WeakMap,this._destroyed=!1,this._has_finished=!1,this._idle_notified=!1;const{model:t,parent:s,owner:i}=e;this.model=t,this.parent=(0,l.isFunction)(s)?s(this.model):s,null==this.parent?(this.root=this,this.owner=i??new c.ViewManager([this])):(this.root=this.parent.root,this.owner=this.root.owner)}initialize(){}async lazy_initialize(){}remove(){this.disconnect_signals(),this.owner.remove(this),this.removed.emit(),this._destroyed=!0}get is_destroyed(){return this._destroyed}toString(){return`${this.model.type}View(${this.model.id})`}[d.equals](e,t){return Object.is(this,e)}*children(){}mark_finished(){this._has_finished=!0}force_finished(){this.mark_finished()}finish(){this.mark_finished(),this.notify_finished()}notify_finished(){if(this.is_root){if(!this._idle_notified&&this.has_finished()){const{document:e}=this.model;null!=e&&(this._idle_notified=!0,e.notify_idle(this.model))}}else this.root.notify_finished()}serializable_children(){return[...this.children()].filter((e=>e.model.is_syncable))}serializable_state(){const e=this.serializable_children().map((e=>e.serializable_state())).filter((e=>null!=e.bbox&&e.bbox.is_valid&&!e.bbox.is_empty));return{type:this.model.type,children:e}}get is_root(){return null==this.parent}has_finished(){return this._has_finished}get is_idle(){return this.has_finished()}connect_signals(){}disconnect_signals(){o.Signal.disconnect_receiver(this)}on_change(e,t){for(const s of(0,l.isArray)(e)?e:[e])this.connect(s.change,t)}on_transitive_change(e,t,{recursive:s=!1,signal:i=e=>e.change}={}){const r=()=>{const t=e.is_unset?[]:e.get_value();return n.HasProps.references(t,{recursive:s})},o=e=>{for(const s of e)this.connect(i(s),(()=>t()))},l=e=>{for(const s of e)this.disconnect(i(s),(()=>t()))};let a=r();o(a),this.on_change(e,(()=>{l(a),a=r(),o(a),t()}))}cursor(e,t){return null}resolve_frame(){return null}resolve_canvas(){return null}resolve_plot(){return null}resolve_target(e){if(!(0,l.isString)(e)){const t=[this.root];for(;;){const s=t.shift();if(null==s)break;if(s.model==e)return s;t.push(...s.children())}return null}{const t=e=>{let t=this;for(;null!=t;){const s=e(t);if(null!=s)return s;t=t.parent}return null};switch(e){case\"parent\":return this.parent;case\"frame\":return t((e=>e.resolve_frame()));case\"canvas\":return t((e=>e.resolve_canvas()));case\"plot\":return t((e=>e.resolve_plot()))}}}resolve_symbol(e){return{x:NaN,y:NaN}}resolve_node(e){const t=this.resolve_target(e.target);return null!=t?t.resolve_symbol(e):{x:NaN,y:NaN}}resolve_coordinate(e){if(e instanceof h.XY){let t=this;for(;null!=t&&null==t.resolve_xy;)t=t.parent;return t?.resolve_xy?.(e)??{x:NaN,y:NaN}}if(e instanceof _.Indexed){let t=this;for(;null!=t&&null==t.resolve_indexed;)t=t.parent;return t?.resolve_indexed?.(e)??{x:NaN,y:NaN}}return e instanceof a.Node?this.resolve_node(e):{x:NaN,y:NaN}}resolve_as_xy(e){const t=this.resolve_coordinate(e);return(0,l.isNumber)(t)?{x:NaN,y:NaN}:t}resolve_as_scalar(e,t){const s=this.resolve_coordinate(e);return(0,l.isNumber)(s)?s:s[t]}}s.View=u,u.__name__=\"View\"},\n", " function _(n,e,o,t,s){var a;t();const c=n(58);class r extends c.Coordinate{constructor(n){super(n)}}o.XY=r,a=r,r.__name__=\"XY\",a.define((({Float:n})=>({x:[n],y:[n]})))},\n", " function _(e,n,d,r,t){var o;r();const s=e(58);class c extends s.Coordinate{constructor(e){super(e)}}d.Indexed=c,o=c,c.__name__=\"Indexed\",o.define((({Int:e,AnyRef:n})=>({index:[e],renderer:[n()]})))},\n", " function _(e,t,i,r,n){r();const o=e(69);class s{*all_views(){yield*this.query((()=>!0))}*query(e){const t=new Set;function*i(r){if(!t.has(r)){t.add(r),e(r)&&(yield r);for(const e of r.children())yield*i(e)}}for(const e of this)yield*i(e)}query_one(e){for(const t of this.query(e))return t;return null}*find(e){yield*this.query((t=>t.model==e))}*find_by_id(e){yield*this.query((t=>t.model.id==e))}find_one(e){for(const t of this.find(e))return t;return null}find_one_by_id(e){for(const t of this.find_by_id(e))return t;return null}get_one(e){const t=this.find_one(e);if(null!=t)return t;throw new Error(`cannot find a view for ${e}`)}get_one_by_id(e){const t=this.find_one_by_id(e);if(null!=t)return t;throw new Error(`cannot find a view for a model with '${e}' identity`)}find_all(e){return[...this.find(e)]}find_all_by_id(e){return[...this.find_by_id(e)]}select(e){return e.map((e=>this.find_one(e))).filter((e=>null!=e))}}s.__name__=\"AbstractViewQuery\";class l extends s{constructor(e){super(),this.view=e}*[Symbol.iterator](){yield this.view}toString(){return`ViewQuery(${this.view})`}}i.ViewQuery=l,l.__name__=\"ViewQuery\";class d extends s{constructor(e=[],t){super(),this.global=t,this._roots=new Set(e)}toString(){return`ViewManager(${[...this._roots].map((e=>`${e}`)).join(\", \")})`}async build_view(e,t=null){const i=await(0,o.build_view)(e,{owner:this,parent:t});return null==t&&this.add(i),i}get(e){for(const t of this._roots)if(t.model==e)return t;return null}get_by_id(e){for(const t of this._roots)if(t.model.id==e)return t;return null}add(e){this._roots.add(e),this.global?.add(e)}delete(e){this._roots.delete(e),this.global?.delete(e)}remove(e){this.delete(e)}clear(){for(const e of this)e.remove()}get roots(){return[...this._roots]}*[Symbol.iterator](){yield*this._roots}}i.ViewManager=d,d.__name__=\"ViewManager\"},\n", " function _(e,n,t,o,i){o(),t.build_view=async function(e,n={parent:null},t=e=>e.default_view){const o=await a(t(e),e,n);return o.connect_signals(),o},t.build_views=async function(e,n,t={parent:null},o=e=>e.default_view){const i=(0,s.difference)([...e.keys()],n),c=[];for(const n of i){const t=e.get(n);null!=t&&(e.delete(n),c.push(t),t.remove())}const r=[],l=n.filter((n=>!e.has(n)));for(const n of l){const i=await a(o(n),n,t);e.set(n,i),r.push(i)}for(const e of r)e.connect_signals();return{created:r,removed:c}},t.remove_views=function(e){for(const[n,t]of e)t.remove(),e.delete(n)},t.traverse_views=function(e,n){const t=new Set,o=[...e];for(;;){const e=o.shift();if(void 0===e)break;t.has(e)||(t.add(e),o.push(...e.children()),n(e))}};const s=e(10),c=e(12);async function a(e,n,t){(0,c.assert)(null!=e,\"model doesn't implement a view\");const o=new e({...t,model:n});return o.initialize(),await o.lazy_initialize(),o}},\n", " function _(o,e,r,i,a){i(),r.default=\":host{--base-font:var(--bokeh-base-font, Helvetica, Arial, sans-serif);--mono-font:var(--bokeh-mono-font, monospace);--font-size:var(--bokeh-font-size, 12px);--line-height:calc(20 / 14);--line-height-computed:calc(var(--font-size) * var(--line-height));--border-radius:4px;--padding-vertical:6px;--padding-horizontal:12px;--bokeh-top-level:10000;--color:#18191d;--background-color:#ffffff;--hover-color:#f9f9f9;--disabled-color:#808080;--border-color:#cccccc;--divider-color:#e5e5e5;--shortcut-color:#808080;--highlight-color:#26aae1;--active-bg:#c2d5f7;--active-fg:#3b80f0;--inactive-bg:#e5e5e5;--inactive-fg:#adadad;--icon-color:var(--bokeh-icon-color, #a1a6a9);--icon-color-disabled:var(--bokeh-icon-color-disabled, #d4d9db);--error:red;--inverted-color:#fff;--placeholder-color:#999;--surface-background-color:#e6e6e6;--disabled-background-color:#eee;--input-focus-border-color:#66afe9;--input-focus-halo-color:rgba(102, 175, 233, 0.6);--border-style:solid;--border-width:1px;--border:var(--border-color) var(--border-style) var(--border-width);--box-shadow-color:rgba(0, 0, 0, 0.175);--box-shadow-inset:inset 0 3px 5px rgba(0, 0, 0, 0.125);--box-shadow-x-symmetric:0 6px 12px var(--box-shadow-color);--box-shadow:2px 4px 8px var(--box-shadow-color);--divider-width:1px;--divider:1px var(--divider-color) solid;--outline-color:#ccc;--outline-style:dotted;--outline-width:1px;--outline:var(--outline-color) var(--outline-style) var(--outline-width);}:host{box-sizing:border-box;font-family:var(--base-font);font-size:var(--font-size);line-height:var(--line-height);}*,*:before,*:after{box-sizing:inherit;font-family:inherit;}pre,code,tt{font-family:var(--mono-font);margin:0;}\"},\n", " function _(t,e,i,s,a){s(),i.is_Exportable=function(t){return(0,o.isObject)(t)&&i.exportable in t};const n=t(72),r=t(62),h=t(61),o=t(8);i.exportable=Symbol(\"exportable\");class c{get canvas(){return this._canvas}get ctx(){return this._ctx}get el(){return this._el}get pixel_ratio(){return this._pixel_ratio}constructor(t,e){switch(this._pixel_ratio=1,this.bbox=new r.BBox,this.backend=t,this.hidpi=e,t){case\"webgl\":case\"canvas\":{this._el=this._canvas=(0,h.canvas)({class:\"bk-layer\"});const t=this.canvas.getContext(\"2d\");if(null==t)throw new Error(\"unable to obtain 2D rendering context\");this._ctx=t,e&&(this._pixel_ratio=devicePixelRatio);break}case\"svg\":{const t=new n.SVGRenderingContext2D;this._ctx=t,this._canvas=t.get_svg(),this._el=(0,h.div)({class:\"bk-layer\"});this._el.attachShadow({mode:\"open\"}).appendChild(this._canvas);break}}Object.assign(this._ctx,{layer:this,rect_bbox(t){const{x:e,y:i,width:s,height:a}=t;this.rect(e,i,s,a)}})}get pixel_ratio_changed(){return!(!this.hidpi||\"canvas\"!=this.backend&&\"webgl\"!=this.backend)&&this.pixel_ratio!=devicePixelRatio}resize(t,e){const i=this.bbox.width!=t||this.bbox.height!=e,{pixel_ratio_changed:s}=this;if(!i&&!s)return;s&&(this._pixel_ratio=devicePixelRatio),this.bbox=new r.BBox({left:0,top:0,width:t,height:e});const{target:a}=this;a.width=t*this.pixel_ratio,a.height=e*this.pixel_ratio}get target(){return this._ctx instanceof n.SVGRenderingContext2D?this._ctx:this.canvas}undo_transform(t){const{ctx:e}=this,i=e.getTransform();e.resetTransform();try{t(e)}finally{e.setTransform(i)}}prepare(){const{ctx:t,hidpi:e,pixel_ratio:i}=this;return t.save(),e&&(t.scale(i,i),t.translate(.5,.5)),this.clear(),t}clear(){const{x:t,y:e,width:i,height:s}=this.bbox;this.ctx.clearRect(t,e,i,s)}finish(){this.ctx.restore()}to_blob(){const{_canvas:t}=this;if(t instanceof HTMLCanvasElement)return new Promise(((e,i)=>{t.toBlob((t=>null!=t?e(t):i()),\"image/png\")}));{const t=this._ctx.get_serialized_svg(!0),e=new Blob([t],{type:\"image/svg+xml\"});return Promise.resolve(e)}}}i.CanvasLayer=c,c.__name__=\"CanvasLayer\"},\n", " function _(t,e,i,s,r){s();const n=t(73),a=t(8),o=t(23),l=t(9),h=t(74),_=t(11),c=t(61);function p(t){const e={left:\"start\",right:\"end\",center:\"middle\",start:\"start\",end:\"end\"};return t in e?e[t]:e.start}function u(t){const e={alphabetic:\"alphabetic\",hanging:\"hanging\",top:\"text-before-edge\",bottom:\"text-after-edge\",middle:\"central\"};return t in e?e[t]:e.alphabetic}const d=function(t,e){const i=new Map,s=t.split(\",\");e=e??10;for(let t=0;t=0?Math.acos(e):-Math.acos(e)}const A=v(g),y=v(b);this.lineTo(m+g[0]*r,f+g[1]*r),this.arc(m,f,r,A,y)}stroke(){\"path\"===this.__currentElement.nodeName&&this.__currentElement.setAttribute(\"paint-order\",\"fill\"),this.__applyCurrentDefaultPath(),this.__applyStyleToCurrentElement(\"stroke\"),null!=this._clip_path&&this.__currentElement.setAttribute(\"clip-path\",this._clip_path)}fill(t,e){let i=null;if(t instanceof Path2D)i=t;else{if(null!=e)throw new Error(\"invalid arguments\");e=t}if(null!=i)throw new Error(\"not implemented\");\"none\"!=this.__currentElement.getAttribute(\"fill\")&&this.__init_element(),\"path\"===this.__currentElement.nodeName&&this.__currentElement.setAttribute(\"paint-order\",\"stroke\"),this.__applyCurrentDefaultPath(),this.__applyStyleToCurrentElement(\"fill\"),null!=e&&\"nonzero\"!=e&&this.__currentElement.setAttribute(\"fill-rule\",e),null!=this._clip_path&&this.__currentElement.setAttribute(\"clip-path\",this._clip_path)}rect(t,e,i,s){isFinite(t+e+i+s)&&(this.moveTo(t,e),this.lineTo(t+i,e),this.lineTo(t+i,e+s),this.lineTo(t,e+s),this.lineTo(t,e),this.closePath())}fillRect(t,e,i,s){isFinite(t+e+i+s)&&(this.beginPath(),this.rect(t,e,i,s),this.fill())}strokeRect(t,e,i,s){isFinite(t+e+i+s)&&(this.beginPath(),this.rect(t,e,i,s),this.stroke())}__clearCanvas(){(0,c.empty)(this.__defs),(0,c.empty)(this.__root),this.__root.appendChild(this.__defs),this.__currentElement=this.__root}clearRect(t,e,i,s){if(!isFinite(t+e+i+s))return;if(0===t&&0===e&&i===this.width&&s===this.height)return void this.__clearCanvas();const r=this.__createElement(\"rect\",{x:t,y:e,width:i,height:s,fill:\"#FFFFFF\"},!0);this._apply_transform(r),this.__root.appendChild(r)}roundRect(t,e,i,s,r){throw new Error(\"not implemented\")}createLinearGradient(t,e,i,s){if(!isFinite(t+e+i+s))throw new Error(\"The provided double value is non-finite\");const[r,n]=this._transform.apply(t,e),[a,o]=this._transform.apply(i,s),l=this.__createElement(\"linearGradient\",{id:this._random_string(),x1:`${r}px`,x2:`${a}px`,y1:`${n}px`,y2:`${o}px`,gradientUnits:\"userSpaceOnUse\"},!1);return this.__defs.appendChild(l),new g(l,this)}createRadialGradient(t,e,i,s,r,n){if(!isFinite(t+e+i+s+r+n))throw new Error(\"The provided double value is non-finite\");const[a,o]=this._transform.apply(t,e),[l,h]=this._transform.apply(s,r),_=this.__createElement(\"radialGradient\",{id:this._random_string(),cx:`${l}px`,cy:`${h}px`,r:`${n}px`,r0:`${i}px`,fx:`${a}px`,fy:`${o}px`,gradientUnits:\"userSpaceOnUse\"},!1);return this.__defs.appendChild(_),new g(_,this)}createConicGradient(t,e,i){throw Error(\"not implemented\")}__parseFont(){const[,t,e,i,s,,r]=/^\\s*(?=(?:(?:[-a-z]+\\s*){0,2}(italic|oblique))?)(?=(?:(?:[-a-z]+\\s*){0,2}(small-caps))?)(?=(?:(?:[-a-z]+\\s*){0,2}(bold(?:er)?|lighter|[1-9]00))?)(?:(?:normal|\\1|\\2|\\3)\\s*){0,3}((?:xx?-)?(?:small|large)|medium|smaller|larger|[.\\d]+(?:\\%|in|[cem]m|ex|p[ctx]))(?:\\s*\\/\\s*(normal|[.\\d]+(?:\\%|in|[cem]m|ex|p[ctx])))?\\s*([-,\\'\\\"\\sa-z0-9]+?)\\s*$/i.exec(this.font);return{style:t??\"normal\",size:s??\"10px\",family:r??\"sans-serif\",weight:i??\"normal\",decoration:e??\"normal\"}}__applyText(t,e,i,s){const r=this.__parseFont(),n=this.__createElement(\"text\",{\"font-family\":r.family,\"font-size\":r.size,\"font-style\":r.style,\"font-weight\":r.weight,\"text-decoration\":r.decoration,x:e,y:i,\"text-anchor\":p(this.textAlign),\"dominant-baseline\":u(this.textBaseline)},!0);n.appendChild(this.__document.createTextNode(t)),this._apply_transform(n),this.__currentElement=n,this.__applyStyleToCurrentElement(s);const a=(()=>{if(null!=this._clip_path){const t=this.__createElement(\"g\");return t.setAttribute(\"clip-path\",this._clip_path),t.appendChild(n),t}return n})();this.__root.appendChild(a)}fillText(t,e,i){isFinite(e+i)&&this.__applyText(t,e,i,\"fill\")}strokeText(t,e,i){isFinite(e+i)&&this.__applyText(t,e,i,\"stroke\")}measureText(t){return this.__ctx.font=this.font,this.__ctx.measureText(t)}arc(t,e,i,s,r,n=!1){this.ellipse(t,e,i,i,0,s,r,n)}ellipse(t,e,i,s,r,a,o,l=!1){if(!isFinite(t+e+i+s+r+a+o))return;if(i<0||s<0)throw new DOMException(\"IndexSizeError, radius can't be negative\");const h=l?o-a:a-o;a%=2*Math.PI,o%=2*Math.PI;const c=(new n.AffineTransform).translate(t,e).rotate(r),p=i*Math.cos(a),u=s*Math.sin(a),[d,m]=c.apply(p,u);this.lineTo(d,m);const f=180*r/Math.PI,g=l?0:1;if(Math.abs(a-o)<2*_.float32_epsilon&&!(Math.abs(h)<2*_.float32_epsilon&&h<0)){const[t,e]=this._transform.apply(d,m),r=i*Math.cos(a+Math.PI),n=s*Math.sin(a+Math.PI),[o,l]=c.apply(r,n),[h,_]=this._transform.apply(o,l);this.__addPathCommand(t,e,`A ${i} ${s} ${f} 0 ${g} ${h} ${_} A ${i} ${s} ${f} 0 ${g} ${t} ${e}`)}else{const t=i*Math.cos(o),e=s*Math.sin(o),[r,n]=c.apply(t,e);let h=o-a;h<0&&(h+=2*Math.PI);const _=l!==h>Math.PI?1:0,[p,u]=this._transform.apply(r,n);this.__addPathCommand(p,u,`A ${i} ${s} ${f} ${_} ${g} ${p} ${u}`)}}clip(t,e){let i=null;if(t instanceof Path2D)i=t;else{if(null!=e)throw new Error(\"invalid arguments\");e=t}if(null!=i)throw new Error(\"not implemented\");const s=this.__createElement(\"clipPath\"),r=this._random_string();this.__applyCurrentDefaultPath(),null!=e&&this.__currentElement.setAttribute(\"clip-rule\",e),s.setAttribute(\"id\",r),s.appendChild(this.__currentElement),this.__defs.appendChild(s),this._clip_path=`url(#${r})`}drawImage(t,...e){let i,s,r,n,a,o,l,h;if(2==e.length){if([i,s]=e,!isFinite(i+s))return;a=0,o=0;const[_,c]=f(t);r=l=_,n=h=c}else if(4==e.length){if([i,s,r,n]=e,!isFinite(i+s+r+n))return;a=0,o=0;const[_,c]=f(t);l=_,h=c}else{if(8!==e.length)throw new Error(`Invalid number of arguments passed to drawImage: ${arguments.length}`);if([a,o,l,h,i,s,r,n]=e,!isFinite(a+o+l+h+i+s+r+n))return}const _=this.__root,c=this._transform.clone().translate(i,s);if(t instanceof v||t instanceof SVGSVGElement){const e=(t instanceof SVGSVGElement?t:t.get_svg()).cloneNode(!0);let i;if(c.is_identity&&1==this.globalAlpha&&null==this._clip_path)i=_;else{if(i=this.__createElement(\"g\"),_.appendChild(i),null!=this._clip_path&&(this._apply_clip_path(i),!c.is_identity)){const t=i;i=this.__createElement(\"g\"),t.appendChild(i)}this._apply_transform(i,c),this._apply_global_alpha(i)}for(const t of[...e.childNodes])if(t instanceof SVGDefsElement){for(const e of[...t.childNodes])if(e instanceof Element){const t=e.getAttribute(\"id\");this.__ids.add(t),this.__defs.appendChild(e.cloneNode(!0))}}else i.appendChild(t.cloneNode(!0))}else if(t instanceof HTMLImageElement||t instanceof SVGImageElement){const e=this.__createElement(\"image\");if(e.setAttribute(\"width\",`${r}`),e.setAttribute(\"height\",`${n}`),e.setAttribute(\"preserveAspectRatio\",\"none\"),1!=this.globalAlpha&&e.setAttribute(\"opacity\",`${this.globalAlpha}`),0!=a||0!=o||l!==t.width||h!==t.height){const e=this.__document.createElement(\"canvas\");e.width=r,e.height=n;e.getContext(\"2d\").drawImage(t,a,o,l,h,0,0,r,n),t=e}this._apply_transform(e,c);const i=t instanceof HTMLCanvasElement?t.toDataURL():t.getAttribute(\"src\");if(e.setAttribute(\"href\",i),null!=this._clip_path){const t=this.__createElement(\"g\");t.setAttribute(\"clip-path\",this._clip_path),t.appendChild(e),_.appendChild(t)}else _.appendChild(e)}else if(t instanceof HTMLCanvasElement){const e=this.__createElement(\"image\");e.setAttribute(\"width\",`${r}`),e.setAttribute(\"height\",`${n}`),e.setAttribute(\"preserveAspectRatio\",\"none\"),1!=this.globalAlpha&&e.setAttribute(\"opacity\",`${this.globalAlpha}`);const i=this.__document.createElement(\"canvas\");i.width=r,i.height=n;const s=i.getContext(\"2d\");if(s.imageSmoothingEnabled=!1,s.drawImage(t,a,o,l,h,0,0,r,n),t=i,this._apply_transform(e,c),e.setAttribute(\"href\",t.toDataURL()),null!=this._clip_path){const t=this.__createElement(\"g\");t.setAttribute(\"clip-path\",this._clip_path),t.appendChild(e),_.appendChild(t)}else _.appendChild(e)}}createPattern(t,e){const i=this.__document.createElementNS(\"http://www.w3.org/2000/svg\",\"pattern\"),s=this._random_string(),[r,n]=f(t);if(i.setAttribute(\"id\",s),i.setAttribute(\"width\",`${r}`),i.setAttribute(\"height\",`${n}`),i.setAttribute(\"patternUnits\",\"userSpaceOnUse\"),t instanceof HTMLCanvasElement||t instanceof HTMLImageElement||t instanceof SVGImageElement){const e=this.__document.createElementNS(\"http://www.w3.org/2000/svg\",\"image\"),s=t instanceof HTMLCanvasElement?t.toDataURL():t.getAttribute(\"src\");e.setAttribute(\"href\",s),i.appendChild(e),this.__defs.appendChild(i)}else if(t instanceof v){for(const e of[...t.__root.childNodes])e instanceof SVGDefsElement||i.appendChild(e.cloneNode(!0));this.__defs.appendChild(i)}else{if(!(t instanceof SVGSVGElement))throw new Error(\"unsupported\");for(const e of[...t.childNodes])e instanceof SVGDefsElement||i.appendChild(e.cloneNode(!0));this.__defs.appendChild(i)}return new b(i,this)}getLineDash(){const{lineDash:t}=this;return(0,a.isString)(t)?t.split(\",\").map((t=>parseInt(t))):t??[]}setLineDash(t){t.length>0?this.lineDash=t.join(\",\"):this.lineDash=null}getTransform(){return this._transform.to_DOMMatrix()}setTransform(...t){let e;e=(0,a.isNumber)(t[0])?new DOMMatrix(t):t[0]instanceof DOMMatrix?t[0]:new DOMMatrix(Object.values(null==t[0])),this._transform=n.AffineTransform.from_DOMMatrix(e)}resetTransform(){this._transform=new n.AffineTransform}isPointInPath(...t){throw new Error(\"not implemented\")}isPointInStroke(...t){throw new Error(\"not implemented\")}createImageData(...t){throw new Error(\"not implemented\")}getImageData(t,e,i,s){throw new Error(\"not implemented\")}putImageData(...t){throw new Error(\"not implemented\")}drawFocusIfNeeded(...t){throw new Error(\"not implemented\")}scrollPathIntoView(...t){throw new Error(\"not implemented\")}}i.SVGRenderingContext2D=v,v.__name__=\"SVGRenderingContext2D\",v.__random=h.random},\n", " function _(t,r,s,e,i){e(),s.rotate_around=function(t,r,s){if(0==s)return t;{const e=new o;e.rotate_around(r.x,r.y,s);const[i,n]=e.apply(t.x,t.y);return{x:i,y:n}}};const n=t(27),{sin:a,cos:h}=Math;class o{constructor(t=1,r=0,s=0,e=1,i=0,n=0){this.a=t,this.b=r,this.c=s,this.d=e,this.e=i,this.f=n}toString(){const{a:t,b:r,c:s,d:e,e:i,f:n}=this;return`matrix(${t}, ${r}, ${s}, ${e}, ${i}, ${n})`}static from_DOMMatrix(t){const{a:r,b:s,c:e,d:i,e:n,f:a}=t;return new o(r,s,e,i,n,a)}to_DOMMatrix(){const{a:t,b:r,c:s,d:e,e:i,f:n}=this;return new DOMMatrix([t,r,s,e,i,n])}clone(){const{a:t,b:r,c:s,d:e,e:i,f:n}=this;return new o(t,r,s,e,i,n)}[n.equals](t,r){return r.eq(this.a,t.a)&&r.eq(this.b,t.b)&&r.eq(this.c,t.c)&&r.eq(this.d,t.d)&&r.eq(this.e,t.e)&&r.eq(this.f,t.f)}reset(){this.a=1,this.b=0,this.c=0,this.d=1,this.e=0,this.f=0}get is_identity(){const{a:t,b:r,c:s,d:e,e:i,f:n}=this;return 1==t&&0==r&&0==s&&1==e&&0==i&&0==n}apply_point(t){const[r,s]=this.apply(t.x,t.y);return{x:r,y:s}}apply_rect(t){return{p0:this.apply_point(t.p0),p1:this.apply_point(t.p1),p2:this.apply_point(t.p2),p3:this.apply_point(t.p3)}}apply(t,r){const{a:s,b:e,c:i,d:n,e:a,f:h}=this;return[s*t+i*r+a,e*t+n*r+h]}iv_apply(t,r){const{a:s,b:e,c:i,d:n,e:a,f:h}=this,o=t.length;for(let c=0;cthis.uniform(t,e)))}normal(t,e){return this.normals(t,e,1)[0]}normals(t,e,n){const[s,r]=[t,e],l=new Float64Array(n);for(let t=0;t .bk-btn{flex-grow:1;}.bk-btn-group:not(.bk-vertical) > .bk-btn + .bk-btn{margin-left:-1px;}.bk-btn-group.bk-vertical > .bk-btn + .bk-btn{margin-top:-1px;}.bk-btn-group:not(.bk-vertical) > .bk-btn:first-child:not(:last-child){border-bottom-right-radius:0;border-top-right-radius:0;}.bk-btn-group.bk-vertical > .bk-btn:first-child:not(:last-child){border-bottom-left-radius:0;border-bottom-right-radius:0;}.bk-btn-group:not(.bk-vertical) > .bk-btn:not(:first-child):last-child{border-bottom-left-radius:0;border-top-left-radius:0;}.bk-btn-group.bk-vertical > .bk-btn:not(:first-child):last-child{border-top-left-radius:0;border-top-right-radius:0;}.bk-btn-group > .bk-btn:not(:first-child):not(:last-child){border-radius:0;}.bk-btn-group.bk-vertical > .bk-btn{width:100%;}.bk-btn-group .bk-dropdown-toggle{flex:0 0 0;padding:var(--padding-vertical) calc(var(--padding-horizontal)/2);}\"},\n", " function _(e,r,o,t,a){t(),o.default=\":host{position:fixed;left:50%;top:0.5em;transform:translate(-50%, 0);width:max-content;height:max-content;max-width:50%;}:host > .entries:empty{display:none;}.entries{display:flex;flex-direction:column;flex-wrap:nowrap;gap:0.5em;}.entries > *{padding:0.5em;border:1px solid gray;border-radius:0.5em;}.error{background-color:var(--danger);border-color:var(--danger-border);}.success{background-color:var(--success);border-color:var(--success-border);}.try{font-weight:bold;cursor:pointer;}.try:hover{text-decoration:underline;}.close{display:inline-block;vertical-align:middle;margin-left:1em;width:1em;height:1em;cursor:pointer;mask-image:var(--bokeh-icon-x);-webkit-mask-image:var(--bokeh-icon-x);mask-size:contain;-webkit-mask-size:contain;mask-position:center center;-webkit-mask-position:center center;mask-repeat:no-repeat;-webkit-mask-repeat:no-repeat;background-color:black;}.close:hover{background-color:var(--hover-color);}\"},\n", " function _(e,n,r,t,o){t(),r.decode_def=function(e,n){var r;function t(e){if((0,a.isString)(e))switch(e){case\"Any\":return u.Any;case\"Unknown\":return u.Unknown;case\"Bool\":return u.Bool;case\"Float\":return u.Float;case\"Int\":return u.Int;case\"Bytes\":return u.Bytes;case\"Str\":return u.Str;case\"Null\":return u.Null}else switch(e[0]){case\"Regex\":{const[,n,r]=e;return u.Regex(new RegExp(n,r))}case\"Nullable\":{const[,n]=e;return u.Nullable(t(n))}case\"Or\":{const[,n,...r]=e;return u.Or(t(n),...r.map(t))}case\"Tuple\":{const[,n,...r]=e;return u.Tuple(t(n),...r.map(t))}case\"List\":{const[,n]=e;return u.List(t(n))}case\"Struct\":{const[,...n]=e,r=n.map((([e,n])=>[e,t(n)]));return u.Struct((0,i.to_object)(r))}case\"Dict\":{const[,n]=e;return u.Dict(t(n))}case\"Mapping\":{const[,n,r]=e;return u.Mapping(t(n),t(r))}case\"Enum\":{const[,...n]=e;return u.Enum(...n)}case\"Ref\":{const[,r]=e,t=n.resolver.get(r.id);if(null!=t)return u.Ref(t);throw new Error(`${r.id} wasn't defined before referencing it`)}case\"AnyRef\":return u.AnyRef()}}const o=(()=>{const r=e.extends?.id??\"Model\";if(\"Model\"==r)return c.Model;const t=n.resolver.get(r);if(null!=t)return t;throw new Error(`base model ${r} of ${e.name} is not defined`)})(),l=(r=class extends o{},s.__setFunctionName(r,\"model\"),r.__qualified__=e.name,r);function d(e){return void 0===e?e:n.decode(e)}for(const n of e.properties??[]){const e=t(n.kind);l.define({[n.name]:[e,d(n.default)]})}for(const n of e.overrides??[])l.override({[n.name]:d(n.default)});return n.resolver.register(l),l};const s=e(1),c=e(52),u=s.__importStar(e(22)),a=e(8),i=e(9)},\n", " function _(e,t,s,n,a){var _,r,l,o,c,u,i,v,m,d,p,h,x,y,g,E,P,f,R,M,k,C,S,D,b,L,O,U,I,w,T;n(),s.server_event=function(e){return t=>{if($.has(e))throw new Error(`'${e}' event is already registered`);$.set(e,t),t.prototype.event_name=e,t.prototype.publish=!1}};var B=this&&this.__decorate||function(e,t,s,n){var a,_=arguments.length,r=_<3?t:null===n?n=Object.getOwnPropertyDescriptor(t,s):n;if(\"object\"==typeof Reflect&&\"function\"==typeof Reflect.decorate)r=Reflect.decorate(e,t,s,n);else for(var l=e.length-1;l>=0;l--)(a=e[l])&&(r=(_<3?a(r):_>3?a(t,s,r):a(t,s))||r);return _>3&&r&&Object.defineProperty(t,s,r),r};const j=e(52),z=e(8),A=e(12),G=e(33),V=e(48),W=e(27);function q(e){return t=>{t.prototype.event_name=e}}V.Deserializer.register(\"event\",((e,t)=>{const s=$.get(e.name);if(void 0!==s&&null!=s.from_values){const n=t.decode(e.values);return(0,A.assert)((0,z.isPlainObject)(n)),s.from_values(n)}t.error(`deserialization of '${e.name}' event is not supported`)}));const $=new Map;class F{[G.serialize](e){const{event_name:t,event_values:s}=this;return{type:\"event\",name:t,values:e.encode(s)}}[W.equals](e,t){return this.event_name==e.event_name&&t.eq(this.event_values,e.event_values)}}s.BokehEvent=F,_=F,F.__name__=\"BokehEvent\",_.prototype.publish=!0;class H extends F{constructor(){super(...arguments),this.origin=null}get event_values(){return{model:this.origin}}}s.ModelEvent=H,H.__name__=\"ModelEvent\";class J extends H{constructor(e){super(),this.values=e}get event_values(){return{...super.event_values,...this.values}}static from_values(e){const t=(()=>{if(\"model\"in e){const{model:t}=e;return(0,A.assert)(null===t||t instanceof j.Model),delete e.model,t}return null})(),s=new this(e);return s.origin=t,s}}s.UserEvent=J,J.__name__=\"UserEvent\";class K extends F{}s.DocumentEvent=K,K.__name__=\"DocumentEvent\";let N=((r=class extends K{get event_values(){return{}}}).__name__=\"DocumentReady\",r);s.DocumentReady=N,s.DocumentReady=N=B([q(\"document_ready\")],N);class Q extends K{}s.ConnectionEvent=Q,Q.__name__=\"ConnectionEvent\";class X extends Q{constructor(e,t,s){super(),this.timestamp=Date.now(),this.connection=e,this.attempts=t,this.timeout=s}get event_values(){const{timestamp:e,attempts:t,timeout:s}=this;return{timestamp:e,attempts:t,timeout:s}}reconnect(){this.connection.deref()?.reconnect()}}s.ConnectionLost=X,l=X,X.__name__=\"ConnectionLost\",l.prototype.event_name=\"connection_lost\",l.prototype.publish=!1;class Y extends Q{get event_values(){return{}}}s.ClientReconnected=Y,o=Y,Y.__name__=\"ClientReconnected\",o.prototype.event_name=\"client_reconnected\";let Z=((c=class extends H{constructor(e,t){super(),this.model=e,this.value=t}get event_values(){const{value:e}=this;return{...super.event_values,value:e}}}).__name__=\"AxisClick\",c);s.AxisClick=Z,s.AxisClick=Z=B([q(\"axis_click\")],Z);let ee=((u=class extends H{}).__name__=\"ButtonClick\",u);s.ButtonClick=ee,s.ButtonClick=ee=B([q(\"button_click\")],ee);let te=((i=class extends H{constructor(e,t){super(),this.model=e,this.item=t}get event_values(){const{item:e}=this;return{...super.event_values,item:e}}}).__name__=\"LegendItemClick\",i);s.LegendItemClick=te,s.LegendItemClick=te=B([q(\"legend_item_click\")],te);let se=((v=class extends H{constructor(e){super(),this.item=e}get event_values(){const{item:e}=this;return{...super.event_values,item:e}}}).__name__=\"MenuItemClick\",v);s.MenuItemClick=se,s.MenuItemClick=se=B([q(\"menu_item_click\")],se);let ne=((m=class extends H{constructor(e){super(),this.value=e}get event_values(){const{value:e}=this;return{...super.event_values,value:e}}}).__name__=\"ValueSubmit\",m);s.ValueSubmit=ne,s.ValueSubmit=ne=B([q(\"value_submit\")],ne);class ae extends H{}s.UIEvent=ae,ae.__name__=\"UIEvent\";let _e=((d=class extends ae{}).__name__=\"LODStart\",d);s.LODStart=_e,s.LODStart=_e=B([q(\"lodstart\")],_e);let re=((p=class extends ae{}).__name__=\"LODEnd\",p);s.LODEnd=re,s.LODEnd=re=B([q(\"lodend\")],re);let le=((h=class extends ae{constructor(e,t,s,n){super(),this.x0=e,this.x1=t,this.y0=s,this.y1=n}get event_values(){const{x0:e,x1:t,y0:s,y1:n}=this;return{...super.event_values,x0:e,x1:t,y0:s,y1:n}}}).__name__=\"RangesUpdate\",h);s.RangesUpdate=le,s.RangesUpdate=le=B([q(\"rangesupdate\")],le);let oe=((x=class extends ae{constructor(e,t){super(),this.geometry=e,this.final=t}get event_values(){const{geometry:e,final:t}=this;return{...super.event_values,geometry:e,final:t}}}).__name__=\"SelectionGeometry\",x);s.SelectionGeometry=oe,s.SelectionGeometry=oe=B([q(\"selectiongeometry\")],oe);let ce=((y=class extends ae{}).__name__=\"Reset\",y);s.Reset=ce,s.Reset=ce=B([q(\"reset\")],ce);class ue extends ae{constructor(e,t,s,n,a){super(),this.sx=e,this.sy=t,this.x=s,this.y=n,this.modifiers=a}get event_values(){const{sx:e,sy:t,x:s,y:n,modifiers:a}=this;return{...super.event_values,sx:e,sy:t,x:s,y:n,modifiers:a}}}s.PointEvent=ue,ue.__name__=\"PointEvent\";let ie=((g=class extends ue{constructor(e,t,s,n,a,_,r){super(e,t,s,n,r),this.delta_x=a,this.delta_y=_}get event_values(){const{delta_x:e,delta_y:t}=this;return{...super.event_values,delta_x:e,delta_y:t}}}).__name__=\"Pan\",g);s.Pan=ie,s.Pan=ie=B([q(\"pan\")],ie);let ve=((E=class extends ue{constructor(e,t,s,n,a,_){super(e,t,s,n,_),this.scale=a}get event_values(){const{scale:e}=this;return{...super.event_values,scale:e}}}).__name__=\"Pinch\",E);s.Pinch=ve,s.Pinch=ve=B([q(\"pinch\")],ve);let me=((P=class extends ue{constructor(e,t,s,n,a,_){super(e,t,s,n,_),this.rotation=a}get event_values(){const{rotation:e}=this;return{...super.event_values,rotation:e}}}).__name__=\"Rotate\",P);s.Rotate=me,s.Rotate=me=B([q(\"rotate\")],me);let de=((f=class extends ue{constructor(e,t,s,n,a,_){super(e,t,s,n,_),this.delta=a}get event_values(){const{delta:e}=this;return{...super.event_values,delta:e}}}).__name__=\"MouseWheel\",f);s.MouseWheel=de,s.MouseWheel=de=B([q(\"wheel\")],de);let pe=((R=class extends ue{}).__name__=\"MouseMove\",R);s.MouseMove=pe,s.MouseMove=pe=B([q(\"mousemove\")],pe);let he=((M=class extends ue{}).__name__=\"MouseEnter\",M);s.MouseEnter=he,s.MouseEnter=he=B([q(\"mouseenter\")],he);let xe=((k=class extends ue{}).__name__=\"MouseLeave\",k);s.MouseLeave=xe,s.MouseLeave=xe=B([q(\"mouseleave\")],xe);let ye=((C=class extends ue{}).__name__=\"Tap\",C);s.Tap=ye,s.Tap=ye=B([q(\"tap\")],ye);let ge=((S=class extends ue{}).__name__=\"DoubleTap\",S);s.DoubleTap=ge,s.DoubleTap=ge=B([q(\"doubletap\")],ge);let Ee=((D=class extends ue{}).__name__=\"Press\",D);s.Press=Ee,s.Press=Ee=B([q(\"press\")],Ee);let Pe=((b=class extends ue{}).__name__=\"PressUp\",b);s.PressUp=Pe,s.PressUp=Pe=B([q(\"pressup\")],Pe);let fe=((L=class extends ue{}).__name__=\"PanStart\",L);s.PanStart=fe,s.PanStart=fe=B([q(\"panstart\")],fe);let Re=((O=class extends ue{}).__name__=\"PanEnd\",O);s.PanEnd=Re,s.PanEnd=Re=B([q(\"panend\")],Re);let Me=((U=class extends ue{}).__name__=\"PinchStart\",U);s.PinchStart=Me,s.PinchStart=Me=B([q(\"pinchstart\")],Me);let ke=((I=class extends ue{}).__name__=\"PinchEnd\",I);s.PinchEnd=ke,s.PinchEnd=ke=B([q(\"pinchend\")],ke);let Ce=((w=class extends ue{}).__name__=\"RotateStart\",w);s.RotateStart=Ce,s.RotateStart=Ce=B([q(\"rotatestart\")],Ce);let Se=((T=class extends ue{}).__name__=\"RotateEnd\",T);s.RotateEnd=Se,s.RotateEnd=Se=B([q(\"rotateend\")],Se)},\n", " function _(e,n,t,i,o){i(),t.add_document_standalone=async function(e,n,i=[],o=!1){(0,c.assert)(null==e.views_manager);const s=new r.ViewManager([],t.index);async function d(t){const o=await s.build_view(t);if(o instanceof l.DOMView){const a=e.all_roots.indexOf(t),r=i[a]??n;o.build(r)}return o}async function f(n){if(null!=n.default_view){const e=await d(n);t.index.add(e)}else e.notify_idle(n)}e.views_manager=s;for(const n of e.all_roots)await f(n);const{notifications:u}=e.config;null!=u&&await d(u);o&&(window.document.title=e.title());return e.on_change((e=>{e instanceof a.RootAddedEvent?f(e.model):e instanceof a.RootRemovedEvent?function(e){const n=s.get(e);n?.remove()}(e.model):o&&e instanceof a.TitleChangedEvent&&(window.document.title=e.title)})),s};const a=e(5),r=e(68),l=e(64),s=e(8),c=e(12);t.index=new Proxy(new r.ViewManager,{get(e,n){if((0,s.isString)(n)){const t=e.get_by_id(n);if(null!=t)return t}return Reflect.get(e,n)},has(e,n){if((0,s.isString)(n)){if(null!=e.get_by_id(n))return!0}return Reflect.has(e,n)},ownKeys:e=>e.roots.map((e=>e.model.id)),getOwnPropertyDescriptor(e,n){if((0,s.isString)(n)){const t=e.get_by_id(n);if(null!=t)return{configurable:!0,enumerable:!0,writable:!1,value:t}}return Reflect.getOwnPropertyDescriptor(e,n)}})},\n", " function _(e,t,n,o,s){o(),n._get_ws_url=function(e,t){void 0===t&&function(e){if(null===e)return!1;if(\"IFRAME\"===e.tagName.toUpperCase())return!0;return!1}(frameElement)&&void 0!==frameElement.dataset.absoluteUrl&&(t=frameElement.dataset.absoluteUrl);let n;null!=t?(n=document.createElement(\"a\"),n.href=t):n=window.location;const o=\"https:\"==n.protocol?\"wss:\":\"ws:\";null!=e?\"/\"==e&&(e=\"\"):e=n.pathname.replace(/\\/+$/,\"\");return`${o}//${n.host}${e}/ws`},n.add_document_from_session=async function(e,t,n,o=[],s=!1){const i=window.location.search.substring(1);let u;try{u=await function(e,t,n){const o=(0,a.parse_token)(t).session_id;c.has(e)||c.set(e,new Map);const s=c.get(e);s.has(o)||s.set(o,(0,a.pull_session)(e,t,n));return s.get(o)}(e,t,i)}catch(e){const n=(0,a.parse_token)(t).session_id;throw r.logger.error(`Failed to load Bokeh session ${n}: ${e}`),e}return(0,l.add_document_standalone)(u.document,n,o,s)};const a=e(83),r=e(20),l=e(81);const c=new Map},\n", " function _(e,t,n,s,o){s(),n.parse_token=g,n.pull_session=function(e,t,n){return new p(e,t,n).connect()};const r=e(80),i=e(20),c=e(5),l=e(84),_=e(85),h=e(86),a=e(12);n.DEFAULT_SERVER_WEBSOCKET_URL=\"ws://localhost:5006/ws\",n.DEFAULT_TOKEN=\"eyJzZXNzaW9uX2lkIjogImRlZmF1bHQifQ\";let d=0;function g(e){let t=e.split(\".\")[0];const n=t.length%4;return 0!=n&&(t+=\"=\".repeat(4-n)),JSON.parse(atob(t.replace(/_/g,\"/\").replace(/-/g,\"+\")))}let u=!1;addEventListener(\"beforeunload\",(()=>{u=!0}));class p{get reconnection_attempts(){return 5-this._reconnection_attempts_left}constructor(e=n.DEFAULT_SERVER_WEBSOCKET_URL,t=n.DEFAULT_TOKEN,s=null){this._number=d++,this.socket=null,this.session=null,this.closed_permanently=!1,this._reconnection_attempts_left=5,this._current_handler=null,this._pending_replies=new Map,this._pending_messages=[],this._receiver=new _.Receiver,this.url=e,this.token=t,this.args_string=s,this.id=g(t).session_id.split(\".\")[0],i.logger.debug(`Creating websocket ${this._number} to '${this.url}' session '${this.id}'`)}async reconnect(){this._try_reconnect(!0)}async connect(){if(this.closed_permanently)throw new Error(\"Cannot connect() a closed ClientConnection\");if(null!=this.socket)throw new Error(\"Already connected\");this._current_handler=null,this._pending_replies.clear(),this._pending_messages=[];try{let e=`${this.url}`;return null!=this.args_string&&this.args_string.length>0&&(e+=`?${this.args_string}`),this.socket=new WebSocket(e,[\"bokeh\",this.token]),new Promise(((e,t)=>{(0,a.assert)(null!=this.socket),this.socket.binaryType=\"arraybuffer\",this.socket.onopen=()=>this._on_open(e,t),this.socket.onmessage=e=>this._on_message(e),this.socket.onclose=e=>this._on_close(e,t),this.socket.onerror=()=>this._on_error(t)}))}catch(e){throw i.logger.error(`websocket creation failed to url: ${this.url}`),i.logger.error(` - ${e}`),e}}close(){this.closed_permanently||(i.logger.debug(`Permanently closing websocket connection ${this._number}`),this.closed_permanently=!0,null!=this.socket&&this.socket.close(1e3,`close method called on ClientConnection ${this._number}`),this.session._connection_closed())}_try_reconnect(e=!1){this.closed_permanently?i.logger.info(`Websocket connection ${this._number} permanently disconnected, will not attempt to reconnect`):!e&&this._reconnection_attempts_left<=0?i.logger.info(`Websocket connection ${this._number} disconnected, will not attempt to automatically reconnect`):this.socket?.readyState!==WebSocket.OPEN&&this.socket?.readyState!==WebSocket.CONNECTING&&(this._reconnection_attempts_left-=1,i.logger.debug(`Attempting to reconnect websocket ${this._number}, ${this._reconnection_attempts_left} attempts left`),this.connect().then((()=>{i.logger.info(`Reconnected websocket ${this._number}`),this._reconnection_attempts_left=5,this.session?.document.event_manager.send_event(new r.ClientReconnected)})).catch((e=>{i.logger.debug(`Could not reconnect ${this._number}, ${e}`)})))}_schedule_reconnect(e){if(null==this.session)return;const{document:t}=this.session,n=t.config.reconnect_session&&this._reconnection_attempts_left>0,s=n?e:null,o=new r.ConnectionLost(new WeakRef(this),this.reconnection_attempts,s);t.event_manager.send_event(o),n&&setTimeout((()=>this._try_reconnect()),e)}send(e){null!=this.socket?e.send(this.socket):i.logger.error(\"not connected so cannot send\",e)}async send_with_reply(e){const t=await new Promise(((t,n)=>{this._pending_replies.set(e.msgid(),{resolve:t,reject:n}),this.send(e)}));if(\"ERROR\"==t.msgtype())throw new Error(`Error reply ${t.content.text}`);return t}async _pull_doc_json(){const e=l.Message.create(\"PULL-DOC-REQ\",{},{}),t=await this.send_with_reply(e);if(!(\"doc\"in t.content))throw new Error(\"No 'doc' field in PULL-DOC-REPLY\");return t.content.doc}async _repull_session_doc(e,t){i.logger.debug(null!=this.session?\"Repulling session\":\"Pulling session for first time\");try{const n=await this._pull_doc_json();if(null==this.session)if(this.closed_permanently)i.logger.debug(\"Got new document after connection was already closed\"),t(new Error(\"The connection has been closed\"));else{const t=[],s=c.Document.from_json(n,t);this.session=new h.ClientSession(this,s);for(const e of t)s._trigger_on_change(e);for(const e of this._pending_messages)this.session.handle(e);this._pending_messages=[],i.logger.debug(\"Created a new session from new pulled doc\"),e(this.session)}else this.session.document.replace_with_json(n),i.logger.debug(\"Updated existing session with new pulled doc\"),e(this.session)}catch(e){console.trace(e),i.logger.error(`Failed to repull session ${e}`),t(e instanceof Error?e:`${e}`)}}_on_open(e,t){i.logger.info(`Websocket connection ${this._number} is now open`),this._current_handler=n=>{this._awaiting_ack_handler(n,e,t)}}_on_message(e){null==this._current_handler&&i.logger.error(\"Got a message with no current handler set\");try{this._receiver.consume(e.data)}catch(e){this._close_bad_protocol(`${e}`)}const t=this._receiver.message;if(null!=t){const e=t.problem();null!=e&&this._close_bad_protocol(e),this._current_handler(t)}}_reconnect_delay(){const e=5-this._reconnection_attempts_left;return 0==e?0:1e3*2**e}_on_close(e,t){i.logger.info(`Lost websocket ${this._number} connection, ${e.code} (${e.reason})`),this.socket=null,this._pending_replies.forEach((e=>e.reject(\"Disconnected\"))),this._pending_replies.clear(),this.closed_permanently||u||(i.logger.debug(`Pending schedule_reconnect for ${this._number}`),this._schedule_reconnect(this._reconnect_delay())),t(new Error(`Lost websocket connection, ${e.code} (${e.reason})`))}_on_error(e){i.logger.debug(`Websocket error on socket ${this._number}`);const t=\"Could not open websocket\";i.logger.error(`Failed to connect to Bokeh server: ${t}`),e(new Error(t))}_close_bad_protocol(e){i.logger.error(`Closing connection: ${e}`),null!=this.socket&&this.socket.close(1002,e)}_awaiting_ack_handler(e,t,n){\"ACK\"===e.msgtype()?(this._current_handler=e=>this._steady_state_handler(e),this._repull_session_doc(t,n)):this._close_bad_protocol(\"First message was not an ACK\")}_steady_state_handler(e){const t=e.reqid(),n=this._pending_replies.get(t);null!=n?(this._pending_replies.delete(t),n.resolve(e)):null!=this.session?this.session.handle(e):\"PATCH-DOC\"!=e.msgtype()&&this._pending_messages.push(e)}}n.ClientConnection=p,p.__name__=\"ClientConnection\"},\n", " function _(e,s,t,r,n){r();const i=e(33),a=e(41),h=e(12);class f{get buffers(){return this._buffers}constructor(e,s,t){this._buffers=new Map,this.header=e,this.metadata=s,this.content=t}static assemble(e,s,t){const r=JSON.parse(e),n=JSON.parse(s),i=JSON.parse(t);return new f(r,n,i)}assemble_buffer(e,s){const t=this.header.num_buffers??0;if(t<=this._buffers.size)throw new Error(`too many buffers received, expecting ${t}`);const{id:r}=JSON.parse(e);this._buffers.set(r,s)}static create(e,s,t){const r=f.create_header(e);return new f(r,s,t)}static create_header(e){return{msgid:(0,a.unique_id)(),msgtype:e}}complete(){const{num_buffers:e}=this.header;return null==e||this._buffers.size==e}send(e){(0,h.assert)(null==this.header.num_buffers);const s=[],t=JSON.stringify(this.content,((e,t)=>{if(t instanceof i.Buffer){const e={id:`${s.length}`};return s.push([e,t.buffer]),e}return t})),r=s.length;r>0&&(this.header.num_buffers=r);const n=JSON.stringify(this.header),a=JSON.stringify(this.metadata);e.send(n),e.send(a),e.send(t);for(const[t,r]of s)e.send(JSON.stringify(t)),e.send(r)}msgid(){return this.header.msgid}msgtype(){return this.header.msgtype}reqid(){return this.header.reqid}problem(){return\"msgid\"in this.header?\"msgtype\"in this.header?null:\"No msgtype in header\":\"No msgid in header\"}}t.Message=f,f.__name__=\"Message\"},\n", " function _(t,e,s,_,r){_();const i=t(84),h=t(8),a=t(12);class n{constructor(){this.message=null,this._partial=null,this._fragments=[],this._buf_header=null,this._current_consumer=this._HEADER}consume(t){this._current_consumer(t)}_HEADER(t){this._assume_text(t),this.message=null,this._partial=null,this._fragments=[t],this._buf_header=null,this._current_consumer=this._METADATA}_METADATA(t){this._assume_text(t),this._fragments.push(t),this._current_consumer=this._CONTENT}_CONTENT(t){this._assume_text(t),this._fragments.push(t);const[e,s,_]=this._fragments;(0,a.assert)(null!=e&&null!=s&&null!=_),this._partial=i.Message.assemble(e,s,_),this._check_complete()}_BUFFER_HEADER(t){this._assume_text(t),this._buf_header=t,this._current_consumer=this._BUFFER_PAYLOAD}_BUFFER_PAYLOAD(t){this._assume_binary(t),(0,a.assert)(null!=this._partial&&null!=this._buf_header),this._partial.assemble_buffer(this._buf_header,t),this._check_complete()}_assume_text(t){if(!(0,h.isString)(t))throw new Error(\"Expected text fragment but received binary fragment\")}_assume_binary(t){if(!(t instanceof ArrayBuffer))throw new Error(\"Expected binary fragment but received text fragment\")}_check_complete(){this._partial.complete()?(this.message=this._partial,this._current_consumer=this._HEADER):this._current_consumer=this._BUFFER_HEADER}}s.Receiver=n,n.__name__=\"Receiver\"},\n", " function _(e,n,t,s,c){s();const o=e(5),i=e(84),_=e(20);class r{constructor(e,n){this._document_listener=e=>{this._document_changed(e)},this._connection=e,this.document=n,this.document.on_change(this._document_listener,!0)}get id(){return this._connection.id}handle(e){const n=e.msgtype();switch(n){case\"PATCH-DOC\":this._handle_patch(e);break;case\"OK\":this._handle_ok(e);break;case\"ERROR\":this._handle_error(e);break;default:_.logger.debug(`Doing nothing with message '${n}'`)}}close(){this._connection.close()}_connection_closed(){this.document.remove_on_change(this._document_listener)}async request_server_info(){const e=i.Message.create(\"SERVER-INFO-REQ\",{},{});return(await this._connection.send_with_reply(e)).content}async force_roundtrip(){await this.request_server_info()}_document_changed(e){const n=(e instanceof o.DocumentEventBatch?e.sync?e.events:[]:[e]).filter((e=>e.sync));if(0==n.length)return;const t=this.document.create_json_patch(n),s=i.Message.create(\"PATCH-DOC\",{},t);this._connection.send(s)}_handle_patch(e){this.document.apply_json_patch(e.content,e.buffers)}_handle_ok(e){_.logger.trace(`Unhandled OK reply to ${e.reqid()}`)}_handle_error(e){_.logger.error(`Unhandled ERROR reply to ${e.reqid()}: ${e.content.text}`)}}t.ClientSession=r,r.__name__=\"ClientSession\"},\n", " function _(n,e,o,t,r){t(),o._resolve_element=function(n){const{elementid:e}=n;return null!=e?s(e):document.body},o._resolve_root_elements=function(n){const e=[];if(null!=n.root_ids&&null!=n.roots)for(const o of n.root_ids)e.push(s(n.roots[o]));return e};const i=n(61),l=n(8);function s(n){let e=(0,l.isString)(n)?document.getElementById(n):n;if(null==e)throw new Error(`Error rendering Bokeh model: could not find ${(0,l.isString)(n)?`#${n}`:n} HTML tag`);if(!(0,i.contains)(document.body,e))throw new Error(`Error rendering Bokeh model: element ${(0,l.isString)(n)?`#${n}`:n} must be under `);if(e instanceof HTMLElement&&\"SCRIPT\"==e.tagName){const n=(0,i.div)();e.replaceWith(n),e=n}return e}},\n", " function _(e,o,t,n,r){n(),t.embed_items_notebook=async function(e,o){if(1!=(0,l.size)(e))throw new Error(\"embed_items_notebook expects exactly one document in docs_json\");const t=s.Document.from_json((0,l.values)(e)[0]);for(const e of o){null!=e.notebook_comms_target&&m(e.notebook_comms_target,t);const o=(0,a._resolve_element)(e),n=(0,a._resolve_root_elements)(e);await(0,g.add_document_standalone)(t,o,n);for(const e of n)e instanceof HTMLElement&&e.removeAttribute(\"id\")}};const s=e(5),i=e(85),c=e(20),l=e(9),g=e(81),a=e(87);function f(e,o){o.buffers.length>0?e.consume(o.buffers[0].buffer):e.consume(o.content.data);const t=e.message;null!=t&&this.apply_json_patch(t.content,t.buffers)}function m(e,o){if(\"undefined\"!=typeof Jupyter&&null!=Jupyter.notebook.kernel){c.logger.info(`Registering Jupyter comms for target ${e}`);const t=Jupyter.notebook.kernel.comm_manager;try{t.register_target(e,(t=>{c.logger.info(`Registering Jupyter comms for target ${e}`);const n=new i.Receiver;t.on_msg(f.bind(o,n))}))}catch(e){c.logger.warn(`Jupyter comms failed to register. push_notebook() will not function. (exception reported: ${e})`)}}else if(o.roots()[0].id in t.kernels){c.logger.info(`Registering JupyterLab comms for target ${e}`);const n=t.kernels[o.roots()[0].id];try{n.registerCommTarget(e,(t=>{c.logger.info(`Registering JupyterLab comms for target ${e}`);const n=new i.Receiver;t.onMsg=f.bind(o,n)}))}catch(e){c.logger.warn(`Jupyter comms failed to register. push_notebook() will not function. (exception reported: ${e})`)}}else if(\"undefined\"!=typeof google&&null!=google.colab.kernel){c.logger.info(`Registering Google Colab comms for target ${e}`);const t=google.colab.kernel.comms;try{t.registerTarget(e,(async t=>{c.logger.info(`Registering Google Colab comms for target ${e}`);const n=new i.Receiver;for await(const e of t.messages){const t={data:e.data},r=[];for(const o of e.buffers??[])r.push(new DataView(o));const s={content:t,buffers:r};f.bind(o)(n,s)}}))}catch(e){c.logger.warn(`Google Colab comms failed to register. push_notebook() will not function. (exception reported: ${e})`)}}else console.warn(\"Jupyter notebooks comms not available. push_notebook() will not function. If running JupyterLab ensure the latest @bokeh/jupyter_bokeh extension is installed. In an exported notebook this warning is expected.\")}t.kernels={}},\n", " function _(t,_,o,r,n){r();const a=t(1);a.__exportStar(t(84),o),a.__exportStar(t(85),o)},\n", " function _(e,t,o,l,n){l(),o.safely=function(e,t=!1){try{return e()}catch(e){if(function(e){const t=document.createElement(\"div\");t.style.backgroundColor=\"#f2dede\",t.style.border=\"1px solid #a94442\",t.style.borderRadius=\"4px\",t.style.display=\"inline-block\",t.style.fontFamily=\"sans-serif\",t.style.marginTop=\"5px\",t.style.minWidth=\"200px\",t.style.padding=\"5px 5px 5px 10px\",t.classList.add(\"bokeh-error-box-into-flames\");const o=document.createElement(\"span\");o.style.backgroundColor=\"#a94442\",o.style.borderRadius=\"0px 4px 0px 0px\",o.style.color=\"white\",o.style.cursor=\"pointer\",o.style.cssFloat=\"right\",o.style.fontSize=\"0.8em\",o.style.margin=\"-6px -6px 0px 0px\",o.style.padding=\"2px 5px 4px 5px\",o.title=\"close\",o.setAttribute(\"aria-label\",\"close\"),o.appendChild(document.createTextNode(\"x\")),o.addEventListener(\"click\",(()=>s.removeChild(t)));const l=document.createElement(\"h3\");l.style.color=\"#a94442\",l.style.margin=\"8px 0px 0px 0px\",l.style.padding=\"0px\",l.appendChild(document.createTextNode(\"Bokeh Error\"));const n=document.createElement(\"pre\");n.style.whiteSpace=\"unset\",n.style.overflowX=\"auto\",n.appendChild(document.createTextNode(e)),t.appendChild(o),t.appendChild(l),t.appendChild(n);const s=document.getElementsByTagName(\"body\")[0];s.insertBefore(t,s.firstChild)}(e instanceof Error&&null!=e.stack?e.stack:`${e}`),t)return;throw e}}},\n", " function _(t,r,o,_,e){_();const s=t(1),i=t(7),m=s.__importStar(t(92));(0,i.register_models)(m);const n=s.__importStar(t(559));(0,i.register_models)(n)},\n", " function _(t,_,r,o,a){o();const e=t(1);e.__exportStar(t(93),r),e.__exportStar(t(278),r),e.__exportStar(t(352),r),e.__exportStar(t(362),r),e.__exportStar(t(363),r),e.__exportStar(t(367),r),e.__exportStar(t(368),r),e.__exportStar(t(377),r),e.__exportStar(t(256),r),e.__exportStar(t(386),r),e.__exportStar(t(428),r),e.__exportStar(t(429),r),e.__exportStar(t(433),r),e.__exportStar(t(434),r),e.__exportStar(t(284),r),e.__exportStar(t(453),r),e.__exportStar(t(455),r),e.__exportStar(t(456),r),e.__exportStar(t(465),r),e.__exportStar(t(471),r),e.__exportStar(t(472),r),e.__exportStar(t(271),r),e.__exportStar(t(474),r),e.__exportStar(t(269),r),e.__exportStar(t(477),r),e.__exportStar(t(478),r),e.__exportStar(t(483),r),e.__exportStar(t(213),r),e.__exportStar(t(488),r),e.__exportStar(t(497),r),e.__exportStar(t(501),r),e.__exportStar(t(512),r)},\n", " function _(e,a,o,r,n){r();const t=e(1);n(\"AreaVisuals\",e(94).AreaVisuals),n(\"Annotation\",e(96).Annotation),n(\"Arrow\",e(140).Arrow),n(\"ArrowHead\",e(182).ArrowHead),n(\"OpenHead\",e(182).OpenHead),n(\"NormalHead\",e(182).NormalHead),n(\"TeeHead\",e(182).TeeHead),n(\"VeeHead\",e(182).VeeHead),n(\"BaseColorBar\",e(184).BaseColorBar),n(\"Band\",e(273).Band);var l=e(275);n(\"BoxAnnotation\",l.BoxAnnotation),n(\"BoxInteractionHandles\",l.BoxInteractionHandles),n(\"ColorBar\",e(277).ColorBar),n(\"ContourColorBar\",e(294).ContourColorBar),n(\"Label\",e(295).Label),n(\"LabelSet\",e(296).LabelSet),n(\"Legend\",e(297).Legend),n(\"LegendItem\",e(298).LegendItem),n(\"PolyAnnotation\",e(300).PolyAnnotation),n(\"ScaleBar\",e(301).ScaleBar);var i=e(302);n(\"Metric\",i.Metric),n(\"ReciprocalMetric\",i.ReciprocalMetric),n(\"MetricLength\",i.MetricLength),n(\"ReciprocalMetricLength\",i.ReciprocalMetricLength),n(\"ImperialLength\",i.ImperialLength),n(\"Angular\",i.Angular),n(\"SizeBar\",e(303).SizeBar),n(\"Slope\",e(344).Slope),n(\"Span\",e(345).Span),n(\"TextAnnotation\",e(186).TextAnnotation),n(\"Title\",e(185).Title),n(\"ToolbarPanel\",e(334).ToolbarPanel),n(\"Whisker\",e(346).Whisker),t.__exportStar(e(347),o)},\n", " function _(e,r,n,s,o){var a;s();const i=e(1),l=e(52),t=i.__importStar(e(95));class _ extends l.Model{constructor(e){super(e)}clone(e){return super.clone(e)}}n.AreaVisuals=_,a=_,_.__name__=\"AreaVisuals\",a.mixins([t.Line,t.Fill,t.Hatch,[\"hover_\",t.Line],[\"hover_\",t.Fill],[\"hover_\",t.Hatch]])},\n", " function _(l,e,a,t,o){t(),a.attrs_of=function(l,e,a,t=!1){const o={};for(const c of(0,i.keys)(a)){const a=`${e}${c}`,r=l[a];o[(0,h.isString)(t)?`${t}${c}`:t?a:c]=r}return o};const c=l(1),r=c.__importStar(l(19)),n=l(21),_=c.__importStar(l(22)),i=l(9),h=l(8);a.Line={line_color:[_.Nullable(_.Color),\"black\"],line_alpha:[_.Alpha,1],line_width:[_.Float,1],line_join:[n.LineJoin,\"bevel\"],line_cap:[n.LineCap,\"butt\"],line_dash:[_.Or(n.LineDash,_.Array(_.Float)),[]],line_dash_offset:[_.Float,0]},a.Fill={fill_color:[_.Nullable(_.Color),\"gray\"],fill_alpha:[_.Alpha,1]},a.Image={global_alpha:[_.Alpha,1]},a.Hatch={hatch_color:[_.Nullable(_.Color),\"black\"],hatch_alpha:[_.Alpha,1],hatch_scale:[_.Float,12],hatch_pattern:[_.Nullable(_.Or(n.HatchPatternType,_.Str)),null],hatch_weight:[_.Float,1],hatch_extra:[_.Dict(_.AnyRef()),{}]},a.Text={text_color:[_.Nullable(_.Color),\"#444444\"],text_outline_color:[_.Nullable(_.Color),null],text_alpha:[_.Alpha,1],text_font:[r.Font,\"helvetica\"],text_font_size:[_.FontSize,\"16px\"],text_font_style:[n.FontStyle,\"normal\"],text_align:[n.TextAlign,\"left\"],text_baseline:[n.TextBaseline,\"bottom\"],text_line_height:[_.Float,1.2]},a.LineScalar={line_color:[r.ColorScalar,\"black\"],line_alpha:[r.NumberScalar,1],line_width:[r.NumberScalar,1],line_join:[r.LineJoinScalar,\"bevel\"],line_cap:[r.LineCapScalar,\"butt\"],line_dash:[r.LineDashScalar,[]],line_dash_offset:[r.NumberScalar,0]},a.FillScalar={fill_color:[r.ColorScalar,\"gray\"],fill_alpha:[r.NumberScalar,1]},a.ImageScalar={global_alpha:[r.NumberScalar,1]},a.HatchScalar={hatch_color:[r.ColorScalar,\"black\"],hatch_alpha:[r.NumberScalar,1],hatch_scale:[r.NumberScalar,12],hatch_pattern:[r.NullStringScalar,null],hatch_weight:[r.NumberScalar,1],hatch_extra:[r.DictScalar,{}]},a.TextScalar={text_color:[r.ColorScalar,\"#444444\"],text_outline_color:[r.ColorScalar,null],text_alpha:[r.NumberScalar,1],text_font:[r.FontScalar,\"helvetica\"],text_font_size:[r.FontSizeScalar,\"16px\"],text_font_style:[r.FontStyleScalar,\"normal\"],text_align:[r.TextAlignScalar,\"left\"],text_baseline:[r.TextBaselineScalar,\"bottom\"],text_line_height:[r.NumberScalar,1.2]},a.LineVector={line_color:[r.ColorSpec,\"black\"],line_alpha:[r.NumberSpec,1],line_width:[r.NumberSpec,1],line_join:[r.LineJoinSpec,\"bevel\"],line_cap:[r.LineCapSpec,\"butt\"],line_dash:[r.LineDashSpec,[]],line_dash_offset:[r.NumberSpec,0]},a.FillVector={fill_color:[r.ColorSpec,\"gray\"],fill_alpha:[r.NumberSpec,1]},a.ImageVector={global_alpha:[r.NumberSpec,1]},a.HatchVector={hatch_color:[r.ColorSpec,\"black\"],hatch_alpha:[r.NumberSpec,1],hatch_scale:[r.NumberSpec,12],hatch_pattern:[r.NullStringSpec,null],hatch_weight:[r.NumberSpec,1],hatch_extra:[r.DictScalar,{}]},a.TextVector={text_color:[r.ColorSpec,\"#444444\"],text_outline_color:[r.ColorSpec,null],text_alpha:[r.NumberSpec,1],text_font:[r.FontSpec,\"helvetica\"],text_font_size:[r.FontSizeSpec,\"16px\"],text_font_style:[r.FontStyleSpec,\"normal\"],text_align:[r.TextAlignSpec,\"left\"],text_baseline:[r.TextBaselineSpec,\"bottom\"],text_line_height:[r.NumberSpec,1.2]}},\n", " function _(t,e,n,i,o){var s;i();const r=t(97);class l extends r.CompositeRendererView{get bbox(){return super.bbox??this.layout?.bbox}get_size(){if(this.displayed){const{width:t,height:e}=this._get_size();return{width:Math.round(t),height:Math.round(e)}}return{width:0,height:0}}_get_size(){throw new Error(\"not implemented\")}connect_signals(){super.connect_signals();const t=this.model.properties;this.on_change(t.visible,(()=>{null!=this.layout&&(this.layout.visible=this.model.visible,this.plot_view.request_layout())}))}get needs_clip(){return null==this.layout}}n.AnnotationView=l,l.__name__=\"AnnotationView\";class h extends r.CompositeRenderer{constructor(t){super(t)}}n.Annotation=h,s=h,h.__name__=\"Annotation\",s.override({level:\"annotation\"})},\n", " function _(e,t,r,s,i){var n;s();const _=e(98),d=e(55),o=e(130),a=e(69),l=e(22),h=e(131);r.ElementLike=(0,l.Or)((0,l.Ref)(d.UIElement),(0,l.Ref)(o.DOMNode));class m extends _.RendererView{constructor(){super(...arguments),this._renderer_views=new Map,this._element_views=new Map,this._computed_renderers=[],this._computed_elements=[]}get renderer_views(){return this.computed_renderer_views}get element_views(){return this.computed_element_views}*children(){yield*super.children(),yield*this.renderer_views,yield*this.element_views}async lazy_initialize(){await super.lazy_initialize(),await this._build_renderers(),await this._build_elements()}get computed_renderers(){return[...this.model.renderers,...this._computed_renderers]}get computed_renderer_views(){return this.computed_renderers.map((e=>this._renderer_views.get(e))).filter((e=>null!=e))}async _build_renderers(){return await(0,a.build_views)(this._renderer_views,this.computed_renderers,{parent:this.plot_view})}get computed_elements(){return[...this.model.elements,...this._computed_elements]}get computed_element_views(){return this.computed_elements.map((e=>this._element_views.get(e))).filter((e=>null!=e))}async _build_elements(){return await(0,a.build_views)(this._element_views,this.computed_elements,{parent:e=>e instanceof h.LayoutDOM?null:this.plot_view})}async _update_renderers(){await this._build_renderers()}async _update_elements(){const{created:e}=await this._build_elements(),t=new Set(e);for(const e of this.element_views){const r=t.has(e),s=e.rendering_target()??this.self_target;r?e.render_to(s):s.append(e.el)}this.r_after_render()}render(){super.render();for(const e of this.element_views){const t=e.rendering_target()??this.self_target;e.render_to(t)}}remove(){(0,a.remove_views)(this._renderer_views),(0,a.remove_views)(this._element_views),super.remove()}connect_signals(){super.connect_signals();const{renderers:e,elements:t}=this.model.properties;this.on_change(e,(async()=>{await this._update_renderers()})),this.on_change(t,(async()=>{await this._update_elements()}))}paint(e){if(super.paint(e),this.displayed&&this.is_renderable)for(const t of this.computed_renderer_views)t.paint(e);const{displayed:t}=this;for(const e of this.element_views)e.reposition(t)}has_finished(){if(!super.has_finished())return!1;for(const e of this.renderer_views)if(!e.has_finished())return!1;for(const e of this.element_views)if(!e.has_finished())return!1;return!0}}r.CompositeRendererView=m,m.__name__=\"CompositeRendererView\";class u extends _.Renderer{constructor(e){super(e)}}r.CompositeRenderer=u,n=u,u.__name__=\"CompositeRenderer\",n.define((({List:e,Ref:t})=>({renderers:[e(t(_.Renderer)),[]],elements:[e(r.ElementLike),[]]})))},\n", " function _(e,t,n,i,s){var r;i();const o=e(1),l=e(56),a=e(69),_=o.__importStar(e(99)),u=e(21),h=e(8),p=e(12),d=e(107),c=e(122),m=e(129),g=e(61);class v extends l.StyledElementView{constructor(){super(...arguments),this._panel=null,this.position=new g.InlineStyleSheet(\"\",\"position\"),this._context_menu=null,this._custom_coordinates=null}get panel(){return this._panel}set panel(e){this._panel=e}computed_stylesheets(){return[...super.computed_stylesheets(),this.position]}rendering_target(){return this.plot_view.canvas_view.underlays_el}get context_menu(){return this._context_menu}get coordinates(){const{_coordinates:e}=this;return null!=e?e:this._coordinates=this._initialize_coordinates()}set coordinates(e){this._custom_coordinates=e}initialize(){super.initialize(),this.visuals=new _.Visuals(this)}async lazy_initialize(){await super.lazy_initialize();const{context_menu:e}=this.model;null!=e&&(this._context_menu=await(0,a.build_view)(e,{parent:this.plot_view}))}remove(){this._context_menu?.remove(),super.remove()}connect_signals(){super.connect_signals();const{group:e}=this.model;null!=e&&this.on_change(e.properties.visible,(()=>{this.model.visible=e.visible}));const{x_range_name:t,y_range_name:n}=this.model.properties;this.on_change([t,n],(()=>delete this._coordinates)),this.connect(this.plot_view.frame.model.change,(()=>delete this._coordinates))}_initialize_coordinates(){if(null!=this._custom_coordinates)return this._custom_coordinates;const{coordinates:e}=this.model,{frame:t}=this.plot_view;if(null!=e)return e.get_transform(t);{const{x_range_name:e,y_range_name:n}=this.model,i=t.x_scales.get(e),s=t.y_scales.get(n);return(0,p.assert)(null!=i,`missing '${e}' range`),(0,p.assert)(null!=s,`missing '${n}' range`),new d.CoordinateTransform(i,s)}}get plot_view(){return this.parent}get plot_model(){return this.parent.model}get layer(){const{overlays:e,primary:t}=this.canvas;return\"overlay\"==this.model.level?e:t}get canvas(){return this.plot_view.canvas_view}request_paint(){this.plot_view.request_paint(this)}request_layout(){this.plot_view.request_layout()}notify_finished(){this.plot_view.notify_finished()}notify_finished_after_paint(){this.plot_view.notify_finished_after_paint()}get needs_clip(){return!1}get has_webgl(){return!1}get displayed(){return this.model.visible}get is_renderable(){return!0}get is_dual_renderer(){return!1}paint(e){this.update_geometry(),this.compute_geometry(),this.update_position(),this.displayed&&this.is_renderable&&this._paint(e),this.mark_finished()}renderer_view(e){}update_geometry(){}compute_geometry(){}update_position(){const{bbox:e,position:t}=this;null!=e&&e.is_valid?null!=this.panel?t.replace(`\\n :host {\\n position: relative;\\n width: ${e.width}px;\\n height: ${e.height}px;\\n }\\n `):t.replace(`\\n :host {\\n position: absolute;\\n left: ${e.left}px;\\n top: ${e.top}px;\\n width: ${e.width}px;\\n height: ${e.height}px;\\n }\\n `):t.replace(\"\\n :host {\\n display: none;\\n }\\n \")}resolve_frame(){return this.plot_view.frame}resolve_canvas(){return this.plot_view.canvas}resolve_plot(){return this.plot_view}resolve_symbol(e){const{bbox:t}=this;if(null==t)return{x:NaN,y:NaN};{const n=t.resolve(e.symbol),{offset:i}=e;if((0,h.isNumber)(n))return n+i;{const{x:e,y:t}=n;return{x:e+i,y:t+i}}}}get attribution(){return null}}n.RendererView=v,v.__name__=\"RendererView\";class y extends l.StyledElement{constructor(e){super(e)}}n.Renderer=y,r=y,y.__name__=\"Renderer\",r.define((({Bool:e,Str:t,Ref:n,Nullable:i})=>({group:[i(n(m.RendererGroup)),null],level:[u.RenderLevel,\"image\"],visible:[e,!0],x_range_name:[t,\"default\"],y_range_name:[t,\"default\"],coordinates:[i(n(d.CoordinateMapping)),null],propagate_hover:[e,!1],context_menu:[i(n(c.Menu)),null]})))},\n", " function _(e,a,r,t,c){t();const n=e(1),l=e(100);c(\"Line\",l.Line),c(\"LineScalar\",l.LineScalar),c(\"LineVector\",l.LineVector);const s=e(102);c(\"Fill\",s.Fill),c(\"FillScalar\",s.FillScalar),c(\"FillVector\",s.FillVector);const i=e(103);c(\"Text\",i.Text),c(\"TextScalar\",i.TextScalar),c(\"TextVector\",i.TextVector);const o=e(104);c(\"Hatch\",o.Hatch),c(\"HatchScalar\",o.HatchScalar),c(\"HatchVector\",o.HatchVector);const u=e(106);c(\"Image\",u.Image),c(\"ImageScalar\",u.ImageScalar),c(\"ImageVector\",u.ImageVector);const V=n.__importStar(e(95)),S=e(101);c(\"VisualProperties\",S.VisualProperties),c(\"VisualUniforms\",S.VisualUniforms);class m{*[Symbol.iterator](){yield*this._visuals}constructor(e){this._visuals=[];for(const[a,r]of e.model._mixins){const t=(()=>{switch(r){case V.Line:return new l.Line(e,a);case V.LineScalar:return new l.LineScalar(e,a);case V.LineVector:return new l.LineVector(e,a);case V.Fill:return new s.Fill(e,a);case V.FillScalar:return new s.FillScalar(e,a);case V.FillVector:return new s.FillVector(e,a);case V.Text:return new i.Text(e,a);case V.TextScalar:return new i.TextScalar(e,a);case V.TextVector:return new i.TextVector(e,a);case V.Hatch:return new o.Hatch(e,a);case V.HatchScalar:return new o.HatchScalar(e,a);case V.HatchVector:return new o.HatchVector(e,a);case V.Image:return new u.Image(e,a);case V.ImageScalar:return new u.ImageScalar(e,a);case V.ImageVector:return new u.ImageVector(e,a);default:throw new Error(\"unknown visual\")}})();t instanceof S.VisualProperties&&t.update(),this._visuals.push(t),Object.defineProperty(this,a+t.type,{get:()=>t,configurable:!1,enumerable:!0})}}}r.Visuals=m,m.__name__=\"Visuals\"},\n", " function _(e,t,i,s,l){s(),i.resolve_line_dash=c;const n=e(1),a=e(101),_=n.__importStar(e(95)),h=e(21),o=e(23),r=e(8);function c(e){if((0,r.isArray)(e))return e;switch(e){case\"solid\":return[];case\"dashed\":return[6];case\"dotted\":return[2,4];case\"dotdash\":return[2,4,6,4];case\"dashdot\":return[6,4,2,4];default:return e.split(\" \").map(Number).filter(r.isInteger)}}class u extends a.VisualProperties{get doit(){const e=this.get_line_color(),t=this.get_line_alpha(),i=this.get_line_width();return!(null==e||0==t||0==i)}apply(e,t){const{doit:i}=this;return i&&(this.set_value(e),null!=t?e.stroke(t):e.stroke()),i}values(){return{color:this.get_line_color(),alpha:this.get_line_alpha(),width:this.get_line_width(),join:this.get_line_join(),cap:this.get_line_cap(),dash:this.get_line_dash(),offset:this.get_line_dash_offset()}}computed_values(){const e=this.get_line_color(),t=this.get_line_alpha();return{color:(0,o.color2css)(e,t),width:this.get_line_width(),join:this.get_line_join(),cap:this.get_line_cap(),dash:this.get_line_dash(),offset:this.get_line_dash_offset()}}set_value(e){const{color:t,width:i,join:s,cap:l,dash:n,offset:a}=this.computed_values();e.strokeStyle=t,e.lineWidth=i,e.lineJoin=s,e.lineCap=l,e.setLineDash(c(n)),e.lineDashOffset=a}get_line_color(){const e=this._get_css_value(\"line-color\");return\"\"!=e?e:this.line_color.get_value()}get_line_alpha(){const e=this._get_css_value(\"line-alpha\");if(\"\"!=e){const t=Number(e);if(isFinite(t))return t}return this.line_alpha.get_value()}get_line_width(){const e=this._get_css_value(\"line-width\");if(\"\"!=e){const t=Number(e);if(isFinite(t))return t}return this.line_width.get_value()}get_line_join(){const e=this._get_css_value(\"line-join\");return h.LineJoin.valid(e)?e:this.line_join.get_value()}get_line_cap(){const e=this._get_css_value(\"line-cap\");return h.LineCap.valid(e)?e:this.line_cap.get_value()}get_line_dash(){const e=this._get_css_value(\"line-dash\");return h.LineDash.valid(e)?e:this.line_dash.get_value()}get_line_dash_offset(){const e=this._get_css_value(\"line-dash-offset\");if(\"\"!=e){const t=Number(e);if(isFinite(t))return t}return this.line_dash_offset.get_value()}}i.Line=u,u.__name__=\"Line\";class d extends a.VisualUniforms{get doit(){const e=this.line_color.value,t=this.line_alpha.value,i=this.line_width.value;return!(0==e||0==t||0==i)}apply(e,t){const{doit:i}=this;return i&&(this.set_value(e),null!=t?e.stroke(t):e.stroke()),i}values(){return{color:this.line_color.value,alpha:this.line_alpha.value,width:this.line_width.value,join:this.line_join.value,cap:this.line_cap.value,dash:this.line_dash.value,offset:this.line_dash_offset.value}}set_value(e){const t=this.line_color.value,i=this.line_alpha.value;e.strokeStyle=(0,o.color2css)(t,i),e.lineWidth=this.line_width.value,e.lineJoin=this.line_join.value,e.lineCap=this.line_cap.value,e.setLineDash(c(this.line_dash.value)),e.lineDashOffset=this.line_dash_offset.value}}i.LineScalar=d,d.__name__=\"LineScalar\";class p extends a.VisualUniforms{get doit(){const{line_color:e}=this;if(e.is_Scalar()&&0==e.value)return!1;const{line_alpha:t}=this;if(t.is_Scalar()&&0==t.value)return!1;const{line_width:i}=this;return!i.is_Scalar()||0!=i.value}v_doit(e){return 0!=this.line_color.get(e)&&(0!=this.line_alpha.get(e)&&0!=this.line_width.get(e))}apply(e,t,i){const s=this.v_doit(t);return s&&(this.set_vectorize(e,t),null!=i?e.stroke(i):e.stroke()),s}values(e){return{color:this.line_color.get(e),alpha:this.line_alpha.get(e),width:this.line_width.get(e),join:this.line_join.get(e),cap:this.line_cap.get(e),dash:this.line_dash.get(e),offset:this.line_dash_offset.get(e)}}set_vectorize(e,t){const i=this.line_color.get(t),s=this.line_alpha.get(t),l=this.line_width.get(t),n=this.line_join.get(t),a=this.line_cap.get(t),_=this.line_dash.get(t),h=this.line_dash_offset.get(t);e.strokeStyle=(0,o.color2css)(i,s),e.lineWidth=l,e.lineJoin=n,e.lineCap=a,e.setLineDash(c(_)),e.lineDashOffset=h}}i.LineVector=p,p.__name__=\"LineVector\",u.prototype.type=\"line\",u.prototype.attrs=Object.keys(_.Line),d.prototype.type=\"line\",d.prototype.attrs=Object.keys(_.LineScalar),p.prototype.type=\"line\",p.prototype.attrs=Object.keys(_.LineVector)},\n", " function _(t,s,e,i,o){i();class r{*[Symbol.iterator](){yield*this._props}constructor(t,s=\"\"){this.obj=t,this.prefix=s,this.css_prefix=`--bk-${s.replaceAll(\"_\",\"-\")}`;const e=this;this._props=[];for(const i of this.attrs){const o=t.model.properties[s+i];o.change.connect((()=>this.update())),e[i]=o,this._props.push(o)}}update(){}_get_css_value(t){return getComputedStyle(this.obj.el).getPropertyValue(`${this.css_prefix}${t}`)}}e.VisualProperties=r,r.__name__=\"VisualProperties\";class p{*[Symbol.iterator](){for(const t of this.attrs)yield this.obj.model.properties[this.prefix+t]}constructor(t,s=\"\"){this.obj=t,this.prefix=s;for(const e of this.attrs)Object.defineProperty(this,e,{get:()=>t[s+e]})}update(){}}e.VisualUniforms=p,p.__name__=\"VisualUniforms\"},\n", " function _(l,t,e,i,o){i();const s=l(1),a=l(101),r=s.__importStar(l(95)),_=l(23);class c extends a.VisualProperties{get doit(){const l=this.get_fill_color(),t=this.get_fill_alpha();return!(null==l||0==t)}apply(l,t,e=\"nonzero\"){const{doit:i}=this;if(i)if(this.set_value(l),t instanceof Path2D){const i=t;l.fill(i,e)}else l.fill(t??e);return i}values(){return{color:this.get_fill_color(),alpha:this.get_fill_alpha()}}computed_values(){const l=this.get_fill_color(),t=this.get_fill_alpha();return{color:(0,_.color2css)(l,t)}}set_value(l){const{color:t}=this.computed_values();l.fillStyle=t}get_fill_color(){const l=this._get_css_value(\"fill-color\");return\"\"!=l?l:this.fill_color.get_value()}get_fill_alpha(){const l=this._get_css_value(\"fill-alpha\");if(\"\"!=l){const t=Number(l);if(isFinite(t))return t}return this.fill_alpha.get_value()}}e.Fill=c,c.__name__=\"Fill\";class n extends a.VisualUniforms{get doit(){const l=this.fill_color.value,t=this.fill_alpha.value;return!(0==l||0==t)}apply(l,t,e=\"nonzero\"){const{doit:i}=this;if(i)if(this.set_value(l),t instanceof Path2D){const i=t;l.fill(i,e)}else l.fill(t??e);return i}values(){return{color:this.fill_color.value,alpha:this.fill_alpha.value}}set_value(l){const t=this.fill_color.value,e=this.fill_alpha.value;l.fillStyle=(0,_.color2css)(t,e)}}e.FillScalar=n,n.__name__=\"FillScalar\";class f extends a.VisualUniforms{get doit(){const{fill_color:l}=this;if(l.is_Scalar()&&0==l.value)return!1;const{fill_alpha:t}=this;return!t.is_Scalar()||0!=t.value}v_doit(l){return 0!=this.fill_color.get(l)&&0!=this.fill_alpha.get(l)}apply(l,t,e,i=\"nonzero\"){const o=this.v_doit(t);if(o)if(this.set_vectorize(l,t),e instanceof Path2D){const t=e;l.fill(t,i)}else l.fill(e??i);return o}values(l){return{color:this.fill_color.get(l),alpha:this.fill_alpha.get(l)}}set_vectorize(l,t){const e=this.fill_color.get(t),i=this.fill_alpha.get(t);l.fillStyle=(0,_.color2css)(e,i)}}e.FillVector=f,f.__name__=\"FillVector\",c.prototype.type=\"fill\",c.prototype.attrs=Object.keys(r.Fill),n.prototype.type=\"fill\",n.prototype.attrs=Object.keys(r.FillScalar),f.prototype.type=\"fill\",f.prototype.attrs=Object.keys(r.FillVector)},\n", " function _(t,e,s,_,i){_();const l=t(1),o=t(101),n=l.__importStar(t(95)),a=t(21),h=t(23),r=new Map;function x(t,e){const s=r.get(t);if(null==s){const s=new WeakSet([e]);r.set(t,s)}else{if(s.has(e))return;s.add(e)}const{fonts:_}=document;_.check(t)||_.load(t).then((()=>e.request_paint()))}class u extends o.VisualProperties{get doit(){const t=this.get_text_color(),e=this.get_text_alpha();return!(null==t||0==e)}update(){if(!this.doit)return;x(this.font_value(),this.obj)}values(){return{color:this.get_text_color(),outline_color:this.get_text_outline_color(),alpha:this.get_text_alpha(),font:this.get_text_font(),font_size:this.get_text_font_size(),font_style:this.get_text_font_style(),align:this.get_text_align(),baseline:this.get_text_baseline(),line_height:this.get_text_line_height()}}computed_values(){const t=this.get_text_color(),e=this.get_text_outline_color(),s=this.get_text_alpha();return{color:(0,h.color2css)(t,s),outline_color:(0,h.color2css)(e,s),font:this.font_value(),text_align:this.get_text_align(),text_baseline:this.get_text_baseline(),line_height:this.get_text_line_height()}}set_value(t){const{color:e,outline_color:s,font:_,text_align:i,text_baseline:l}=this.computed_values();t.fillStyle=e,t.strokeStyle=s,t.font=_,t.textAlign=i,t.textBaseline=l}font_value(){return`${this.get_text_font_style()} ${this.get_text_font_size()} ${this.get_text_font()}`}get_text_color(){const t=this._get_css_value(\"text-color\");return\"\"!=t?t:this.text_color.get_value()}get_text_outline_color(){const t=this._get_css_value(\"text-outline-color\");return\"\"!=t?t:this.text_outline_color.get_value()}get_text_alpha(){const t=this._get_css_value(\"text-alpha\");if(\"\"!=t){const e=Number(t);if(isFinite(e))return e}return this.text_alpha.get_value()}get_text_font(){const t=this._get_css_value(\"text-font\");return\"\"!=t?t:this.text_font.get_value()}get_text_font_size(){const t=this._get_css_value(\"text-font-size\");return\"\"!=t?t:this.text_font_size.get_value()}get_text_font_style(){const t=this._get_css_value(\"text-font-style\");return a.FontStyle.valid(t)?t:this.text_font_style.get_value()}get_text_align(){const t=this._get_css_value(\"text-align\");return a.TextAlign.valid(t)?t:this.text_align.get_value()}get_text_baseline(){const t=this._get_css_value(\"text-baseline\");return a.TextBaseline.valid(t)?t:this.text_baseline.get_value()}get_text_line_height(){const t=this._get_css_value(\"line-height\");if(\"\"!=t){const e=Number(t);if(isFinite(e))return e}return this.text_line_height.get_value()}}s.Text=u,u.__name__=\"Text\";class c extends o.VisualUniforms{get doit(){const t=this.text_color.value,e=this.text_alpha.value;return!(0==t||0==e)}update(){if(!this.doit)return;x(this.font_value(),this.obj)}values(){return{color:this.text_color.value,outline_color:this.text_outline_color.value,alpha:this.text_alpha.value,font:this.text_font.value,font_size:this.text_font_size.value,font_style:this.text_font_style.value,align:this.text_align.value,baseline:this.text_baseline.value,line_height:this.text_line_height.value}}set_value(t){const e=this.text_color.value,s=this.text_alpha.value,_=this.text_outline_color.value,i=this.font_value(),l=this.text_align.value,o=this.text_baseline.value;t.fillStyle=(0,h.color2css)(e,s),t.strokeStyle=(0,h.color2css)(_,s),t.font=i,t.textAlign=l,t.textBaseline=o}font_value(){return`${this.text_font_style.value} ${this.text_font_size.value} ${this.text_font.value}`}}s.TextScalar=c,c.__name__=\"TextScalar\";class g extends o.VisualUniforms{_assert_font(t){x(this.font_value(t),this.obj)}values(t){return this._assert_font(t),{color:this.text_color.get(t),outline_color:this.text_outline_color.get(t),alpha:this.text_alpha.get(t),font:this.text_font.get(t),font_size:this.text_font_size.get(t),font_style:this.text_font_style.get(t),align:this.text_align.get(t),baseline:this.text_baseline.get(t),line_height:this.text_line_height.get(t)}}get doit(){const{text_color:t}=this;if(t.is_Scalar()&&0==t.value)return!1;const{text_alpha:e}=this;return!e.is_Scalar()||0!=e.value}v_doit(t){return 0!=this.text_color.get(t)&&0!=this.text_alpha.get(t)}apply(t,e){const s=this.v_doit(e);return s&&this.set_vectorize(t,e),s}set_vectorize(t,e){this._assert_font(e);const s=this.text_color.get(e),_=this.text_outline_color.get(e),i=this.text_alpha.get(e),l=this.font_value(e),o=this.text_align.get(e),n=this.text_baseline.get(e);t.fillStyle=(0,h.color2css)(s,i),t.strokeStyle=(0,h.color2css)(_,i),t.font=l,t.textAlign=o,t.textBaseline=n}font_value(t){return`${this.text_font_style.get(t)} ${this.text_font_size.get(t)} ${this.text_font.get(t)}`}}s.TextVector=g,g.__name__=\"TextVector\",u.prototype.type=\"text\",u.prototype.attrs=Object.keys(n.Text),c.prototype.type=\"text\",c.prototype.attrs=Object.keys(n.TextScalar),g.prototype.type=\"text\",g.prototype.attrs=Object.keys(n.TextVector)},\n", " function _(t,e,a,h,i){h();const r=t(1),s=t(101),c=t(105),n=r.__importStar(t(19)),_=r.__importStar(t(95)),o=t(9);class l extends s.VisualProperties{constructor(){super(...arguments),this._update_iteration=0}update(){if(this._update_iteration++,this._hatch_image=null,!this.doit)return;const t=this.get_hatch_color(),e=this.get_hatch_alpha(),a=this.get_hatch_scale(),h=this.get_hatch_pattern(),i=this.get_hatch_weight(),r=t=>{this._hatch_image=t},s=(0,o.dict)(this.get_hatch_extra()).get(h);if(null!=s){const h=s.get_pattern(t,e,a,i);if(h instanceof Promise){const{_update_iteration:t}=this;h.then((e=>{this._update_iteration==t&&(r(e),this.obj.request_paint())}))}else r(h)}else{const s=this.obj.canvas.create_layer(),n=(0,c.get_pattern)(s,h,t,e,a,i);r(n)}}get doit(){const t=this.get_hatch_color(),e=this.get_hatch_alpha(),a=this.get_hatch_pattern();return!(null==t||0==e||\" \"==a||\"blank\"==a||null==a)}apply(t,e,a=\"nonzero\"){const{doit:h}=this;return h&&(this.set_value(t),t.layer.undo_transform((()=>{if(e instanceof Path2D){const h=e;t.fill(h,a)}else t.fill(e??a)}))),h}set_value(t){const e=this.pattern(t);t.fillStyle=e??\"transparent\"}pattern(t){const e=this._hatch_image;return null==e?null:t.createPattern(e,this.repetition())}repetition(){const t=this.get_hatch_pattern(),e=(0,o.dict)(this.get_hatch_extra()).get(t);if(null==e)return\"repeat\";switch(e.repetition){case\"repeat\":return\"repeat\";case\"repeat_x\":return\"repeat-x\";case\"repeat_y\":return\"repeat-y\";case\"no_repeat\":return\"no-repeat\"}}get_hatch_color(){const t=this._get_css_value(\"hatch-color\");return\"\"!=t?t:this.hatch_color.get_value()}get_hatch_alpha(){const t=this._get_css_value(\"hatch-alpha\");if(\"\"!=t){const e=Number(t);if(isFinite(e))return e}return this.hatch_alpha.get_value()}get_hatch_scale(){const t=this._get_css_value(\"hatch-scale\");if(\"\"!=t){const e=Number(t);if(isFinite(e))return e}return this.hatch_scale.get_value()}get_hatch_pattern(){const t=this._get_css_value(\"hatch-pattern\");return\"\"!=t?\"none\"==t?null:t:this.hatch_pattern.get_value()}get_hatch_weight(){const t=this._get_css_value(\"hatch-weight\");if(\"\"!=t){const e=Number(t);if(isFinite(e))return e}return this.hatch_weight.get_value()}get_hatch_extra(){return this.hatch_extra.get_value()}}a.Hatch=l,l.__name__=\"Hatch\";class u extends s.VisualUniforms{constructor(){super(...arguments),this._static_doit=!1,this._update_iteration=0}_compute_static_doit(){const t=this.hatch_color.value,e=this.hatch_alpha.value,a=this.hatch_pattern.value;return!(0==t||0==e||\" \"==a||\"blank\"==a||null==a)}update(){this._update_iteration++;const t=this.hatch_color.length;if(this._hatch_image=new n.UniformScalar(null,t),this._static_doit=this._compute_static_doit(),!this._static_doit)return;const e=this.hatch_color.value,a=this.hatch_alpha.value,h=this.hatch_scale.value,i=this.hatch_pattern.value,r=this.hatch_weight.value,s=e=>{this._hatch_image=new n.UniformScalar(e,t)},_=(0,o.dict)(this.hatch_extra.value).get(i);if(null!=_){const t=_.get_pattern(e,a,h,r);if(t instanceof Promise){const{_update_iteration:e}=this;t.then((t=>{this._update_iteration==e&&(s(t),this.obj.request_paint())}))}else s(t)}else{const t=this.obj.canvas.create_layer(),n=(0,c.get_pattern)(t,i,e,a,h,r);s(n)}}get doit(){return this._static_doit}apply(t,e,a=\"nonzero\"){const{doit:h}=this;return h&&(this.set_value(t),t.layer.undo_transform((()=>{if(e instanceof Path2D){const h=e;t.fill(h,a)}else t.fill(e??a)}))),h}set_value(t){t.fillStyle=this.pattern(t)??\"transparent\"}pattern(t){const e=this._hatch_image.value;return null==e?null:t.createPattern(e,this.repetition())}repetition(){const t=this.hatch_pattern.value;if(null!=t){const e=(0,o.dict)(this.hatch_extra.value).get(t);if(null!=e)switch(e.repetition){case\"repeat\":return\"repeat\";case\"repeat_x\":return\"repeat-x\";case\"repeat_y\":return\"repeat-y\";case\"no_repeat\":return\"no-repeat\"}}return\"repeat\"}}a.HatchScalar=u,u.__name__=\"HatchScalar\";class p extends s.VisualUniforms{constructor(){super(...arguments),this._static_doit=!1,this._update_iteration=0}_compute_static_doit(){const{hatch_color:t}=this;if(t.is_Scalar()&&0==t.value)return!1;const{hatch_alpha:e}=this;if(e.is_Scalar()&&0==e.value)return!1;const{hatch_pattern:a}=this;if(a.is_Scalar()){const t=a.value;if(\" \"==t||\"blank\"==t||null==t)return!1}return!0}update(){this._update_iteration++;const t=this.hatch_color.length;if(this._hatch_image=new n.UniformScalar(null,t),this._static_doit=this._compute_static_doit(),!this._static_doit)return;const e=(t,e,a,h,i,r)=>{const s=(0,o.dict)(this.hatch_extra.value).get(t);if(null!=s){const t=s.get_pattern(e,a,h,i);if(t instanceof Promise){const{_update_iteration:e}=this;t.then((t=>{this._update_iteration==e&&(r(t),this.obj.request_paint())}))}else r(t)}else{const s=this.obj.canvas.create_layer(),n=(0,c.get_pattern)(s,t,e,a,h,i);r(n)}};if(this.hatch_color.is_Scalar()&&this.hatch_alpha.is_Scalar()&&this.hatch_scale.is_Scalar()&&this.hatch_pattern.is_Scalar()&&this.hatch_weight.is_Scalar()){const a=this.hatch_color.value,h=this.hatch_alpha.value,i=this.hatch_scale.value;e(this.hatch_pattern.value,a,h,i,this.hatch_weight.value,(e=>{this._hatch_image=new n.UniformScalar(e,t)}))}else{const a=new Array(t);a.fill(null),this._hatch_image=new n.UniformVector(a);for(let h=0;h{a[h]=t}))}}}get doit(){return this._static_doit}v_doit(t){if(!this.doit)return!1;if(0==this.hatch_color.get(t))return!1;if(0==this.hatch_alpha.get(t))return!1;const e=this.hatch_pattern.get(t);return\" \"!=e&&\"blank\"!=e&&null!=e}apply(t,e,a,h=\"nonzero\"){const i=this.v_doit(e);return i&&(this.set_vectorize(t,e),t.layer.undo_transform((()=>{if(a instanceof Path2D){const e=a;t.fill(e,h)}else t.fill(a??h)}))),i}set_vectorize(t,e){t.fillStyle=this.pattern(t,e)??\"transparent\"}pattern(t,e){const a=this._hatch_image.get(e);return null==a?null:t.createPattern(a,this.repetition(e))}repetition(t){const e=this.hatch_pattern.get(t);if(null!=e){const t=(0,o.dict)(this.hatch_extra.value).get(e);if(null!=t)switch(t.repetition){case\"repeat\":return\"repeat\";case\"repeat_x\":return\"repeat-x\";case\"repeat_y\":return\"repeat-y\";case\"no_repeat\":return\"no-repeat\"}}return\"repeat\"}}a.HatchVector=p,p.__name__=\"HatchVector\",l.prototype.type=\"hatch\",l.prototype.attrs=Object.keys(_.Hatch),u.prototype.type=\"hatch\",u.prototype.attrs=Object.keys(_.HatchScalar),p.prototype.type=\"hatch\",p.prototype.attrs=Object.keys(_.HatchVector)},\n", " function _(e,o,a,r,s){r(),a.get_pattern=function(e,o,r,s,k,_){return e.resize(k,k),e.prepare(),function(e,o,r,s,k,_){const T=k,h=T/2,v=h/2,d=(0,n.color2css)(r,s);switch(e.strokeStyle=d,e.fillStyle=d,e.lineCap=\"square\",e.lineWidth=_,a.hatch_aliases[o]??o){case\"blank\":break;case\"dot\":e.arc(h,h,h/2,0,2*Math.PI,!0),e.fill();break;case\"ring\":e.arc(h,h,h/2,0,2*Math.PI,!0),e.stroke();break;case\"horizontal_line\":l(e,T,h);break;case\"vertical_line\":t(e,T,h);break;case\"cross\":l(e,T,h),t(e,T,h);break;case\"horizontal_dash\":l(e,h,h);break;case\"vertical_dash\":t(e,h,h);break;case\"spiral\":{const o=T/30;e.moveTo(h,h);for(let a=0;a<360;a++){const r=.1*a,s=h+o*r*Math.cos(r),i=h+o*r*Math.sin(r);e.lineTo(s,i)}e.stroke();break}case\"right_diagonal_line\":e.moveTo(.5-v,T),e.lineTo(v+.5,0),e.stroke(),e.moveTo(v+.5,T),e.lineTo(3*v+.5,0),e.stroke(),e.moveTo(3*v+.5,T),e.lineTo(5*v+.5,0),e.stroke();break;case\"left_diagonal_line\":e.moveTo(v+.5,T),e.lineTo(.5-v,0),e.stroke(),e.moveTo(3*v+.5,T),e.lineTo(v+.5,0),e.stroke(),e.moveTo(5*v+.5,T),e.lineTo(3*v+.5,0),e.stroke();break;case\"diagonal_cross\":c(e,T);break;case\"right_diagonal_dash\":e.moveTo(v+.5,3*v+.5),e.lineTo(3*v+.5,v+.5),e.stroke();break;case\"left_diagonal_dash\":e.moveTo(v+.5,v+.5),e.lineTo(3*v+.5,3*v+.5),e.stroke();break;case\"horizontal_wave\":e.moveTo(0,v),e.lineTo(h,3*v),e.lineTo(T,v),e.stroke();break;case\"vertical_wave\":e.moveTo(v,0),e.lineTo(3*v,h),e.lineTo(v,T),e.stroke();break;case\"criss_cross\":c(e,T),l(e,T,h),t(e,T,h);break;default:i.logger.warn(`unknown hatch pattern: ${o}`)}}(e.ctx,o,r,s,k,_),e.canvas};const i=e(20),n=e(23);function l(e,o,a){e.moveTo(0,a+.5),e.lineTo(o,a+.5),e.stroke()}function t(e,o,a){e.moveTo(a+.5,0),e.lineTo(a+.5,o),e.stroke()}function c(e,o){e.moveTo(0,o),e.lineTo(o,0),e.stroke(),e.moveTo(0,0),e.lineTo(o,o),e.stroke()}a.hatch_aliases={\" \":\"blank\",\".\":\"dot\",o:\"ring\",\"-\":\"horizontal_line\",\"|\":\"vertical_line\",\"+\":\"cross\",'\"':\"horizontal_dash\",\":\":\"vertical_dash\",\"@\":\"spiral\",\"/\":\"right_diagonal_line\",\"\\\\\":\"left_diagonal_line\",x:\"diagonal_cross\",\",\":\"right_diagonal_dash\",\"`\":\"left_diagonal_dash\",v:\"horizontal_wave\",\">\":\"vertical_wave\",\"*\":\"criss_cross\"}},\n", " function _(a,t,e,l,s){l();const o=a(1),r=a(101),p=o.__importStar(a(95));class _ extends r.VisualProperties{get doit(){return!(0==this.global_alpha.get_value())}apply(a){const{doit:t}=this;return t&&this.set_value(a),t}values(){return{global_alpha:this.global_alpha.get_value()}}set_value(a){const t=this.global_alpha.get_value();a.globalAlpha=t}}e.Image=_,_.__name__=\"Image\";class i extends r.VisualUniforms{get doit(){return!(0==this.global_alpha.value)}apply(a){const{doit:t}=this;return t&&this.set_value(a),t}values(){return{global_alpha:this.global_alpha.value}}set_value(a){const t=this.global_alpha.value;a.globalAlpha=t}}e.ImageScalar=i,i.__name__=\"ImageScalar\";class g extends r.VisualUniforms{get doit(){const{global_alpha:a}=this;return!a.is_Scalar()||0!=a.value}v_doit(a){return 0!=this.global_alpha.get(a)}apply(a,t){const e=this.v_doit(t);return e&&this.set_vectorize(a,t),e}values(a){return{alpha:this.global_alpha.get(a)}}set_vectorize(a,t){const e=this.global_alpha.get(t);a.globalAlpha=e}}e.ImageVector=g,g.__name__=\"ImageVector\",_.prototype.type=\"image\",_.prototype.attrs=Object.keys(p.Image),i.prototype.type=\"image\",i.prototype.attrs=Object.keys(p.ImageScalar),g.prototype.type=\"image\",g.prototype.attrs=Object.keys(p.ImageVector)},\n", " function _(e,a,s,t,r){var c;t();const n=e(52),_=e(108),o=e(113),i=e(115),g=e(116),l=e(117),u=e(110),h=e(118),y=e(121);class x{constructor(e,a){this.x_scale=e,this.y_scale=a,this.x_source=this.x_scale.source_range,this.y_source=this.y_scale.source_range,this.ranges=[this.x_source,this.y_source],this.scales=[this.x_scale,this.y_scale]}map_to_screen(e,a){return[this.x_scale.v_compute(e),this.y_scale.v_compute(a)]}map_from_screen(e,a){return[this.x_scale.v_invert(e),this.y_scale.v_invert(a)]}}s.CoordinateTransform=x,x.__name__=\"CoordinateTransform\";class p extends n.Model{constructor(e){super(e)}get x_ranges(){return new Map([[\"default\",this.x_source]])}get y_ranges(){return new Map([[\"default\",this.y_source]])}_get_scale(e,a,s){if(e instanceof y.FactorRange!=a instanceof g.CategoricalScale)throw new Error(`Range ${e.type} is incompatible is Scale ${a.type}`);a instanceof i.LogScale&&e instanceof h.DataRange1d&&(e.scale_hint=\"log\");const t=a.clone();return t.setv({source_range:e,target_range:s}),t}get_transform(e){const{x_source:a,x_scale:s,x_target:t}=this,r=this._get_scale(a,s,t),{y_source:c,y_scale:n,y_target:_}=this,o=this._get_scale(c,n,_),i=new l.CompositeScale({source_scale:r,source_range:r.source_range,target_scale:e.x_scale,target_range:e.x_target}),g=new l.CompositeScale({source_scale:o,source_range:o.source_range,target_scale:e.y_scale,target_range:e.y_target});return new x(i,g)}}s.CoordinateMapping=p,c=p,p.__name__=\"CoordinateMapping\",c.define((({Ref:e})=>({x_source:[e(u.Range),()=>new h.DataRange1d],y_source:[e(u.Range),()=>new h.DataRange1d],x_scale:[e(_.Scale),()=>new o.LinearScale],y_scale:[e(_.Scale),()=>new o.LinearScale],x_target:[e(u.Range)],y_target:[e(u.Range)]})))},\n", " function _(e,t,r,n,s){var _;n();const a=e(109),c=e(110),o=e(111),i=e(25);class u extends a.Transform{constructor(e){super(e)}compute(e){return this.s_compute(e)}v_compute(e){const t=new i.ScreenArray(e.length),{s_compute:r}=this;for(let n=0;n({source_range:[e(c.Range)],target_range:[e(o.Range1d)]})))},\n", " function _(n,s,o,r,c){r();const e=n(52);class t extends e.Model{constructor(n){super(n)}}o.Transform=t,t.__name__=\"Transform\"},\n", " function _(t,e,n,l,s){var a;l();const i=t(52),u=t(22),r=t(14),o=(0,u.Nullable)((0,u.Or)((0,u.Tuple)((0,u.Nullable)(u.Float),(0,u.Nullable)(u.Float)),u.Auto));class d extends i.Model{constructor(t){super(t),this.have_updated_interactively=!1,this.frames=new Set}get computed_bounds(){return this._computed_bounds}get is_reversed(){return this.start>this.end}get is_valid(){return isFinite(this.min)&&isFinite(this.max)}get interval(){return[this.start,this.end]}get span(){return Math.abs(this.end-this.start)}get linked_plots(){return new Set((0,r.map)(this.frames,(t=>t.parent)))}}n.Range=d,a=d,d.__name__=\"Range\",a.define((({Float:t,Nullable:e})=>({bounds:[o,null,{on_update(t,e){const[n,l]=\"auto\"==t||null==t?[null,null]:t;e._computed_bounds=[n??-1/0,l??1/0]}}],min_interval:[e(t),null],max_interval:[e(t),null]})))},\n", " function _(t,e,s,n,r){var a;n();const i=t(112);class _ extends i.NumericalRange{constructor(t){super(t)}_set_auto_bounds(){if(\"auto\"==this.bounds){const t=Math.min(this._reset_start,this._reset_end),e=Math.max(this._reset_start,this._reset_end);this._computed_bounds=[t,e]}}initialize(){super.initialize(),this._set_auto_bounds()}get min(){return Math.min(this.start,this.end)}get max(){return Math.max(this.start,this.end)}reset(){this._set_auto_bounds();const{_reset_start:t,_reset_end:e}=this;this.start!=t||this.end!=e?this.setv({start:t,end:e}):this.change.emit()}map(t){return new a({start:t(this.start),end:t(this.end)})}widen(t){let{start:e,end:s}=this;return this.is_reversed?(e+=t,s-=t):(e-=t,s+=t),new a({start:e,end:s})}}s.Range1d=_,a=_,_.__name__=\"Range1d\",a.define((({Float:t,Nullable:e})=>({reset_start:[e(t),null,{on_update(t,e){e._reset_start=t??e.start}}],reset_end:[e(t),null,{on_update(t,e){e._reset_end=t??e.end}}]}))),a.override({start:0,end:1})},\n", " function _(n,e,t,c,r){var o;c();const a=n(1),s=n(110),u=a.__importStar(n(19)),_=n(11);class m extends s.Range{constructor(n){super(n)}}t.NumericalRange=m,o=m,m.__name__=\"NumericalRange\",o.define((({Float:n})=>({start:[n,u.unset,{convert(n,e){const[t,c]=e.computed_bounds;return(0,_.clamp)(n,t,c)}}],end:[n,u.unset,{convert(n,e){const[t,c]=e.computed_bounds;return(0,_.clamp)(n,t,c)}}]})))},\n", " function _(t,e,n,r,s){r();const a=t(114);class _ extends a.ContinuousScale{constructor(t){super(t)}get s_compute(){const[t,e]=this._linear_compute_state();return n=>t*n+e}get s_invert(){const[t,e]=this._linear_compute_state();return n=>(n-e)/t}_linear_compute_state(){const t=this.source_range.start,e=this.source_range.end,n=this.target_range.start,r=(this.target_range.end-n)/(e-t);return[r,-r*t+n]}}n.LinearScale=_,_.__name__=\"LinearScale\"},\n", " function _(n,c,o,s,e){s();const t=n(108);class u extends t.Scale{constructor(n){super(n)}}o.ContinuousScale=u,u.__name__=\"ContinuousScale\"},\n", " function _(t,e,s,a,r){a();const o=t(114);class n extends o.ContinuousScale{constructor(t){super(t)}get s_compute(){const[t,e,s,a]=this._compute_state();return r=>{if(0==s)return 0;{const o=(Math.log(r)-a)/s;return isFinite(o)?o*t+e:NaN}}}get s_invert(){const[t,e,s,a]=this._compute_state();return r=>{const o=(r-e)/t;return Math.exp(s*o+a)}}_get_safe_factor(t,e){let s=t<0?0:t,a=e<0?0:e;if(s==a)if(0==s)[s,a]=[1,10];else{const t=Math.log10(s);s=10**Math.floor(t),a=Math.ceil(t)!=Math.floor(t)?10**Math.ceil(t):10**(Math.ceil(t)+1)}return[s,a]}_compute_state(){const t=this.source_range.start,e=this.source_range.end,s=this.target_range.start,a=this.target_range.end-s,[r,o]=this._get_safe_factor(t,e);let n,c;0==r?(n=Math.log(o),c=0):(n=Math.log(o/r),c=Math.log(r));return[a,s,n,c]}}s.LogScale=n,n.__name__=\"LogScale\"},\n", " function _(t,e,c,a,s){a();const n=t(108),r=t(113),{_linear_compute_state:o}=r.LinearScale.prototype;class l extends n.Scale{constructor(t){super(t)}get s_compute(){const[t,e]=o.call(this),c=this.source_range;return a=>t*c.synthetic(a)+e}get s_invert(){const[t,e]=o.call(this);return c=>(c-e)/t}}c.CategoricalScale=l,l.__name__=\"CategoricalScale\"},\n", " function _(e,t,s,c,r){var n;c();const _=e(108),o=e(13);class a extends _.Scale{constructor(e){super(e)}get s_compute(){const e=this.source_scale.s_compute,t=this.target_scale.s_compute;return s=>t(e(s))}get s_invert(){const e=this.source_scale.s_invert,t=this.target_scale.s_invert;return s=>e(t(s))}compute(e){return this.s_compute(e)}v_compute(e){const{s_compute:t}=this;return(0,o.map)(e,t)}invert(e){return this.s_invert(e)}v_invert(e){const{s_invert:t}=this;return(0,o.map)(e,t)}}s.CompositeScale=a,n=a,a.__name__=\"CompositeScale\",n.define((({Ref:e})=>({source_scale:[e(_.Scale)],target_scale:[e(_.Scale)]})))},\n", " function _(t,i,n,a,e){var s;a(),n.is_auto_ranged=function(t){return n.auto_ranged in t};const l=t(1),_=t(119),o=t(21),r=t(14),d=t(11),h=t(20),u=l.__importStar(t(62)),g=t(120);n.auto_ranged=Symbol(\"auto_ranged\");class p extends _.DataRange{constructor(t){super(t),this.have_updated_interactively=!1}initialize(){super.initialize(),this._initial_start=isNaN(this.start)?null:this.start,this._initial_end=isNaN(this.end)?null:this.end,this._initial_range_padding=this.range_padding,this._initial_range_padding_units=this.range_padding_units,this._initial_follow=this.follow,this._initial_follow_interval=this.follow_interval,this._initial_default_span=this.default_span,this._plot_bounds=new Map}get min(){return Math.min(this.start,this.end)}get max(){return Math.max(this.start,this.end)}computed_renderers(){const{renderers:t}=this,i=(0,r.flat_map)(this.linked_plots,(t=>t.auto_ranged_renderers.map((t=>t.model))));return(0,g.compute_renderers)(0==t.length?\"auto\":t,[...i])}_compute_plot_bounds(t,i){let n=u.empty();for(const a of t){const t=i.get(a);null==t||!a.visible&&this.only_visible||(n=u.union(n,t))}return n}adjust_bounds_for_aspect(t,i){const n=u.empty();let a=t.x1-t.x0;a<=0&&(a=1);let e=t.y1-t.y0;e<=0&&(e=1);const s=.5*(t.x1+t.x0),l=.5*(t.y1+t.y0);return ao&&(\"start\"==this.follow?l=s+_*o:\"end\"==this.follow&&(s=l-_*o)),[s,l]}update(t,i,n,a){if(this.have_updated_interactively)return;const e=this.computed_renderers();let s=this._compute_plot_bounds(e,t);null!=a&&(s=this.adjust_bounds_for_aspect(s,a)),this._plot_bounds.set(n,s);const[l,_]=this._compute_min_max(this._plot_bounds.entries(),i);let[o,r]=this._compute_range(l,_);null!=this._initial_start&&(\"log\"==this.scale_hint?this._initial_start>0&&(o=this._initial_start):o=this._initial_start),null!=this._initial_end&&(\"log\"==this.scale_hint?this._initial_end>0&&(r=this._initial_end):r=this._initial_end);let d=!1;\"auto\"==this.bounds&&(this._computed_bounds=[o,r],d=!0);const[h,u]=[this.start,this.end];if(o!=h||r!=u){const t={};o!=h&&(t.start=o),r!=u&&(t.end=r),this.setv(t),d=!1}d&&this.change.emit()}reset(){this.have_updated_interactively=!1,this.setv({range_padding:this._initial_range_padding,range_padding_units:this._initial_range_padding_units,follow:this._initial_follow,follow_interval:this._initial_follow_interval,default_span:this._initial_default_span},{silent:!0}),this.change.emit()}}n.DataRange1d=p,s=p,p.__name__=\"DataRange1d\",s.define((({Bool:t,Float:i,Nullable:n})=>({range_padding:[i,.1],range_padding_units:[o.PaddingUnits,\"percent\"],flipped:[t,!1],follow:[n(o.StartEnd),null],follow_interval:[n(i),null],default_span:[i,2],only_visible:[t,!1]}))),s.internal((({Enum:t})=>({scale_hint:[t(\"log\",\"auto\"),\"auto\"]})))},\n", " function _(e,a,n,r,t){var s;r();const c=e(112);class o extends c.NumericalRange{constructor(e){super(e)}}n.DataRange=o,s=o,o.__name__=\"DataRange\",s.define((({List:e,AnyRef:a,Or:n,Auto:r})=>({renderers:[n(e(a()),r),[]]}))),s.override({start:NaN,end:NaN})},\n", " function _(n,e,r,t,u){t(),r.compute_renderers=function(n,e){return\"auto\"==n?e:n??[]}},\n", " function _(t,e,n,r,s){var i;r(),n.map_one_level=_,n.map_two_levels=f,n.map_three_levels=m;const a=t(1),o=t(110),c=t(21),p=t(22),g=a.__importStar(t(19)),u=t(16),l=t(25),h=t(10),d=t(8);function _(t,e,n=0){const r=new Map;for(let s=0;sc.mapping.get(t).value)));s.set(t,{value:p/i,mapping:c.mapping}),a+=i+e+c.inner_padding}const c=(i.size-1)*e+o;return{mapping:s,tops:[...s.keys()],inner_padding:c}}function m(t,e,n,r,s=0){const i=new Map,a=new Map;for(const[e,n,r]of t){const t=a.get(e)??[];a.set(e,[...t,[n,r]])}let o=s,c=0;for(const[t,s]of a){const a=s.length,p=f(s,n,r,o);c+=p.inner_padding;const g=(0,h.sum)(s.map((([t])=>p.mapping.get(t).value)));i.set(t,{value:g/a,mapping:p.mapping}),o+=a+e+p.inner_padding}const p=[];for(const[t,e]of i)for(const n of e.mapping.keys())p.push([t,n]);const g=(a.size-1)*e+c;return{mapping:i,tops:[...i.keys()],mids:p,inner_padding:g}}n.L1Factor=p.Str,n.L2Factor=(0,p.Tuple)(p.Str,p.Str),n.L3Factor=(0,p.Tuple)(p.Str,p.Str,p.Str),n.L1FactorSeq=(0,p.List)(n.L1Factor),n.L2FactorSeq=(0,p.List)(n.L2Factor),n.L3FactorSeq=(0,p.List)(n.L3Factor),n.L1OffsetFactor=(0,p.Tuple)(p.Str,p.Float),n.L2OffsetFactor=(0,p.Tuple)(p.Str,p.Str,p.Float),n.L3OffsetFactor=(0,p.Tuple)(p.Str,p.Str,p.Str,p.Float),n.Factor=(0,p.Or)(n.L1Factor,n.L2Factor,n.L3Factor),n.FactorSeq=(0,p.Or)(n.L1FactorSeq,n.L2FactorSeq,n.L3FactorSeq),n.OffsetFactor=(0,p.Or)(n.L1OffsetFactor,n.L2OffsetFactor,n.L3OffsetFactor),n.FactorLike=(0,p.Or)(p.Float,n.Factor,n.OffsetFactor);const F=t=>(0,d.isString)(t),v=t=>(0,d.isArray)(t)&&2==t.length&&(0,d.isString)(t[0])&&(0,d.isString)(t[1]),S=t=>(0,d.isArray)(t)&&3==t.length&&(0,d.isString)(t[0])&&(0,d.isString)(t[1])&&(0,d.isString)(t[2]);class L{constructor({levels:t,mapping:e,tops:n=null,mids:r=null,inner_padding:s}){this.levels=t,this.mapping=e,this.tops=n,this.mids=r,this.inner_padding=s}static compute_levels(t){if((0,h.every)(t,F))return 1;if((0,h.every)(t,v))return 2;if((0,h.every)(t,S))return 3;throw TypeError(\"factor levels are inconsistent\")}static for(t){switch(this.compute_levels(t.factors)){case 1:return new y(t);case 2:return new w(t);case 3:return new O(t)}}map(t){if((0,d.isNumber)(t))return t;const[e,n]=(()=>{if((0,d.isString)(t))return[[t],0];const e=t[t.length-1];return(0,d.isNumber)(e)?[t.slice(0,-1),e]:[t,0]})();if(e.length>this.levels)throw new Error(`Attempted to map ${e.length} levels of factors with an L${this.levels}FactorMap`);return this.lookup_value(e)+n}lookup_value(t){return this.lookup_entry(t)?.value??NaN}}n.FactorMapper=L,L.__name__=\"FactorMapper\";class y extends L{constructor(t){const{factors:e,factor_padding:n}=t;super({levels:1,..._(e,n)})}lookup_entry(t){const[e]=t;return this.mapping.get(e)??null}}y.__name__=\"L1FactorMapper\";class w extends L{constructor(t){const{factors:e,group_padding:n,factor_padding:r}=t;super({levels:2,...f(e,n,r)})}lookup_entry(t){if(1==t.length){const[e]=t;return this.mapping.get(e)??null}{const[e,n]=t;return this.mapping.get(e)?.mapping.get(n)??null}}}w.__name__=\"L2FactorMapper\";class O extends L{constructor(t){const{factors:e,group_padding:n,subgroup_padding:r,factor_padding:s}=t;super({levels:3,...m(e,n,r,s)})}lookup_entry(t){if(1==t.length){const[e]=t;return this.mapping.get(e)??null}if(2==t.length){const[e,n]=t;return this.mapping.get(e)?.mapping.get(n)??null}{const[e,n,r]=t;return this.mapping.get(e)?.mapping.get(n)?.mapping.get(r)??null}}}O.__name__=\"L3FactorMapper\";class b extends o.Range{constructor(t){super(t),this.invalidate_synthetic=new u.Signal0(this,\"invalidate_synthetic\")}get min(){return this.start}get max(){return this.end}initialize(){super.initialize(),this.configure()}connect_signals(){super.connect_signals(),this.connect(this.properties.factors.change,(()=>this.reset())),this.connect(this.properties.factor_padding.change,(()=>this.reset())),this.connect(this.properties.group_padding.change,(()=>this.reset())),this.connect(this.properties.subgroup_padding.change,(()=>this.reset())),this.connect(this.properties.range_padding.change,(()=>this.reset())),this.connect(this.properties.range_padding_units.change,(()=>this.reset()))}reset(){this.configure(),this.invalidate_synthetic.emit()}synthetic(t){return this.mapper.map(t)}v_synthetic(t){return l.ScreenArray.from(t,(t=>this.synthetic(t)))}factor(t){for(const e of this.factors){const n=this.mapper.map(e);if(t>=n-.5&&t{switch(this.range_padding_units){case\"percent\":return e*this.range_padding/2;case\"absolute\":return this.range_padding}})();return[-n,e+n]}configure(){this.mapper=L.for(this);const[t,e]=this.compute_bounds(this.mapper.inner_padding);this.setv({start:t,end:e},{silent:!0}),\"auto\"==this.bounds&&(this._computed_bounds=[t,e])}}n.FactorRange=b,i=b,b.__name__=\"FactorRange\",i.define((({Float:t})=>({factors:[n.FactorSeq,[]],factor_padding:[t,0],subgroup_padding:[t,.8],group_padding:[t,1.4],range_padding:[t,0],range_padding_units:[c.PaddingUnits,\"percent\"],start:[t,g.unset,{readonly:!0}],end:[t,g.unset,{readonly:!0}]})))},\n", " function _(e,t,i,s,n){var o;s();const u=e(1),l=e(55),_=e(123),r=e(126),d=e(127),h=e(8),m=e(61),c=e(22),a=e(69),p=e(10),v=e(51),w=u.__importStar(e(128)),f=w,y=u.__importDefault(e(76));function g(e){return(0,h.isFunction)(e)?e():e}i.MenuItemLike=(0,c.Or)((0,c.Ref)(_.MenuItem),(0,c.Ref)(r.DividerItem),c.Null);class k extends l.UIElementView{constructor(){super(...arguments),this._menu_views=new Map,this._menu_items=[],this._open=!1,this._item_click=e=>{if(!g(e.disabled)){const{action:t}=e;null!=t&&(0,v.execute)(t,this.model,{item:e}),this.hide()}},this._on_mousedown=e=>{e.composedPath().includes(this.el)||this.prevent_hide?.(e)||this.hide()},this._on_keydown=e=>{if(\"Escape\"===e.key)this.hide()},this._on_blur=()=>{this.hide()}}*children(){yield*super.children(),yield*this._menu_views.values()}get menu_items(){const e=this._menu_items,{reversed:t}=this.model;return t?(0,p.reversed)(e):e}_compute_menu_items(){return this.model.items}_update_menu_items(){this._menu_items=this._compute_menu_items()}get is_empty(){return 0==this.menu_items.length}initialize(){super.initialize(),this._update_menu_items()}async lazy_initialize(){await super.lazy_initialize();const e=this.menu_items.filter((e=>e instanceof _.MenuItem)).map((e=>e.menu)).filter((e=>null!=e));await(0,a.build_views)(this._menu_views,e,{parent:this})}connect_signals(){super.connect_signals();const{items:e}=this.model.properties;this.on_change(e,(()=>this._update_menu_items()))}get is_open(){return this._open}remove(){this._unlisten(),(0,a.remove_views)(this._menu_views),super.remove()}_listen(){document.addEventListener(\"mousedown\",this._on_mousedown),document.addEventListener(\"keydown\",this._on_keydown),window.addEventListener(\"blur\",this._on_blur)}_unlisten(){document.removeEventListener(\"mousedown\",this._on_mousedown),document.removeEventListener(\"keydown\",this._on_keydown),window.removeEventListener(\"blur\",this._on_blur)}stylesheets(){return[...super.stylesheets(),w.default,y.default]}render(){super.render();const e=this.menu_items,t=[];if(0!=e.length)for(const i of e)if(i instanceof _.MenuItem){const s=(0,m.div)({class:f.check}),n=(0,m.div)({class:f.label},i.label),o=(0,m.div)({class:f.shortcut},i.shortcut),u=(0,m.div)({class:f.chevron}),l=(()=>{const{icon:e}=i;if(null!=e){const t=(0,m.div)({class:f.icon});return(0,d.apply_icon)(t,e),t}return null})(),r=(0,m.div)({class:f.item,title:i.tooltip,tabIndex:0},s,l,n,o,u),h=null!=i.menu&&!this._menu_views.get(i.menu).is_empty;r.classList.toggle(f.menu,h),r.classList.toggle(f.disabled,g(i.disabled)),null!=i.checked&&(r.classList.add(f.checkable),r.classList.toggle(f.checked,g(i.checked)));const c=e=>{if(null!=e.menu){this._menu_views.get(e.menu)._show_submenu(r)}},a=e=>{if(null!=e.menu){this._menu_views.get(e.menu).hide()}};function p(e){const{currentTarget:t,target:i}=e;return t instanceof Node&&i instanceof Node&&t.contains(i)}r.addEventListener(\"click\",(e=>{p(e)?this._item_click(i):this.hide()})),r.addEventListener(\"keydown\",(e=>{if(\"Enter\"===e.key)this._item_click(i)}));const{menu:v}=i;null!=v&&(r.addEventListener(\"pointerenter\",(()=>{c(i)})),r.addEventListener(\"pointerleave\",(()=>{a(i)}))),this.shadow_el.append(r),t.push({item:i,el:r})}else{const w=(0,m.div)({class:f.divider});this.shadow_el.append(w)}}_show_submenu(e){if(this.is_empty)return void this.hide();this.render(),e.append(this.el);const{style:t}=this.el;t.left=\"100%\",t.top=\"0\",this._listen(),this._open=!0}show(e){if(this.is_empty)return this.hide(),!1;const{parent:t}=this;if(null==t)return this.hide(),!1;this.render();(t.el.shadowRoot??t.el).append(this.el);const{style:i}=this.el;return i.left=(0,m.px)(e.x),i.top=(0,m.px)(e.y),this._listen(),this._open=!0,!0}hide(){this._open&&(this._open=!1,this._unlisten(),this.el.remove())}}i.MenuView=k,k.__name__=\"MenuView\";class L extends l.UIElement{constructor(e){super(e)}}i.Menu=L,o=L,L.__name__=\"Menu\",o.prototype.default_view=k,o.define((({Bool:e,List:t})=>({items:[t(i.MenuItemLike),[]],reversed:[e,!1]})))},\n", " function _(l,n,e,u,c){var o;u();const t=l(52),a=l(124),s=l(125);class i extends t.Model{constructor(l){super(l)}}e.MenuItem=i,o=i,i.__name__=\"MenuItem\",o.define((({Bool:l,Str:n,Nullable:e,AnyRef:u,Ref:c,Func:o,Func0:t,Or:i})=>({checked:[e(i(l,t(l))),null],icon:[e(a.IconLike),null],label:[n],tooltip:[e(n),null],shortcut:[e(n),null],menu:[e(u()),null],disabled:[i(l,t(l)),!1],action:[e(i(c(s.Callback),o())),null]})))},\n", " function _(t,n,e,r,i){r();const g=t(1),a=t(22),h=g.__importStar(t(21));e.Length=(0,a.NonNegative)(a.Int);var o;e.HAnchor=(0,a.Or)(h.Align,h.HAlign,a.Percent),e.VAnchor=(0,a.Or)(h.Align,h.VAlign,a.Percent),e.Anchor=(0,a.Or)(h.Anchor,(0,a.Tuple)(e.HAnchor,e.VAnchor)),e.AutoAnchor=(0,a.Or)(a.Auto,h.Anchor,(0,a.Tuple)((0,a.Or)(e.HAnchor,a.Auto),(0,a.Or)(e.VAnchor,a.Auto))),e.TextAnchor=(0,a.Or)(e.Anchor,a.Auto),e.Padding=(0,a.Or)(e.Length,(0,a.Tuple)(e.Length,e.Length),(o=e.Length,(0,a.PartialStruct)({x:o,y:o})),(0,a.Tuple)(e.Length,e.Length,e.Length,e.Length),(t=>(0,a.PartialStruct)({left:t,right:t,top:t,bottom:t}))(e.Length)),e.BorderRadius=(0,a.Or)(e.Length,(0,a.Tuple)(e.Length,e.Length,e.Length,e.Length),(0,a.PartialStruct)({top_left:e.Length,top_right:e.Length,bottom_right:e.Length,bottom_left:e.Length})),e.Index=(0,a.NonNegative)(a.Int),e.Span=(0,a.NonNegative)(a.Int);e.GridChild=t=>(0,a.Tuple)((0,a.Ref)(t),e.Index,e.Index,(0,a.Opt)(e.Span),(0,a.Opt)(e.Span)),e.GridSpacing=(0,a.Or)(e.Length,(0,a.Tuple)(e.Length,e.Length)),e.TrackAlign=(0,a.Enum)(\"start\",\"center\",\"end\",\"auto\"),e.TrackSize=a.Str,e.TrackSizing=(0,a.PartialStruct)({size:e.TrackSize,align:e.TrackAlign}),e.TrackSizingLike=(0,a.Or)(e.TrackSize,e.TrackSizing),e.TracksSizing=(0,a.Or)(e.TrackSizingLike,(0,a.List)(e.TrackSizingLike),(0,a.Mapping)(a.Int,e.TrackSizingLike)),e.IconLike=(0,a.Or)(h.ToolIcon,(0,a.PrefixedStr)(\"--\"),(0,a.PrefixedStr)(\".\"),(0,a.PrefixedStr)(\"data:image\"))},\n", " function _(c,a,l,n,s){n();const e=c(52);class o extends e.Model{constructor(c){super(c)}}l.Callback=o,o.__name__=\"Callback\"},\n", " function _(e,t,n,s,c){s();const i=e(52);class o extends i.Model{constructor(e){super(e)}}n.DividerItem=o,o.__name__=\"DividerItem\"},\n", " function _(t,e,r,n,o){n(),r.normalized_anchor=u,r.anchor=l,r.text_anchor=function(t,e,r){if(\"auto\"!=t)return l(t);return l([(()=>{switch(e){case\"left\":return\"start\";case\"center\":return\"center\";case\"right\":return\"end\"}})(),(()=>{switch(r){case\"alphabetic\":case\"ideographic\":case\"hanging\":case\"middle\":return\"center\";case\"top\":return\"start\";case\"bottom\":return\"end\"}})()])},r.padding=function(t){if((0,i.isNumber)(t))return{left:t,right:t,top:t,bottom:t};if(!(0,i.isPlainObject)(t)){if(2==t.length){const[e=0,r=0]=t;return{left:e,right:e,top:r,bottom:r}}{const[e=0,r=0,n=0,o=0]=t;return{left:e,right:r,top:n,bottom:o}}}if(\"x\"in t||\"y\"in t){const{x:e=0,y:r=0}=t;return{left:e,right:e,top:r,bottom:r}}if(\"left\"in t||\"right\"in t||\"top\"in t||\"bottom\"in t){const{left:e=0,right:r=0,top:n=0,bottom:o=0}=t;return{left:e,right:r,top:n,bottom:o}}(0,s.unreachable)()},r.border_radius=function(t){if((0,i.isNumber)(t))return{top_left:t,top_right:t,bottom_right:t,bottom_left:t};if((0,i.isPlainObject)(t))return{top_left:t.top_left??0,top_right:t.top_right??0,bottom_right:t.bottom_right??0,bottom_left:t.bottom_left??0};{const[e=0,r=0,n=0,o=0]=t;return{top_left:e,top_right:r,bottom_right:n,bottom_left:o}}},r.apply_icon=function(t,e){if(e.startsWith(\"data:image\")){const r=`url(\"${encodeURI(e)}\")`;t.style.backgroundImage=r}else if(e.startsWith(\"--\"))t.style.backgroundImage=`var(${e})`;else if(e.startsWith(\".\")){const r=e.substring(1);t.classList.add(r)}else if(c.ToolIcon.valid(e)){const r=`bk-tool-icon-${e.replace(/_/g,\"-\")}`;t.classList.add(r)}else a.logger.warn(`unable to resolve icon: ${e}`)};const c=t(21),i=t(8),s=t(12),a=t(20);function u(t){if(\"auto\"==t)return{x:\"auto\",y:\"auto\"};const e=(()=>{switch(t){case\"top\":return\"top_center\";case\"bottom\":return\"bottom_center\";case\"left\":return\"center_left\";case\"center\":return\"center_center\";case\"right\":return\"center_right\";default:return t}})();if((0,i.isString)(e)){const[t,r]=e.split(\"_\");return{x:r,y:t}}{const[t,r]=e;return{x:t,y:r}}}function l(t){const{x:e,y:r}=u(t);return{x:(()=>{switch(e){case\"start\":case\"left\":return 0;case\"center\":return.5;case\"end\":case\"right\":return 1;default:return e}})(),y:(()=>{switch(r){case\"start\":case\"top\":return 0;case\"center\":return.5;case\"end\":case\"bottom\":return 1;default:return r}})()}}},\n", " function _(e,o,r,i,t){i(),r.item=\"bk-item\",r.divider=\"bk-divider\",r.check=\"bk-check\",r.icon=\"bk-icon\",r.label=\"bk-label\",r.shortcut=\"bk-shortcut\",r.chevron=\"bk-chevron\",r.disabled=\"bk-disabled\",r.menu=\"bk-menu\",r.checkable=\"bk-checkable\",r.checked=\"bk-checked\",r.default=\":host{position:absolute;display:inline-grid;grid-template-columns:repeat(5, max-content);grid-template-rows:auto;user-select:none;-webkit-user-select:none;cursor:pointer;width:auto;height:auto;z-index:var(--bokeh-top-level);font-size:var(--font-size);background-color:var(--background-color);border:1px solid var(--border-color);border-radius:var(--border-radius);box-shadow:var(--box-shadow);}.bk-item,.bk-divider{position:relative;display:grid;grid-template-columns:subgrid;grid-column:span 5;align-items:center;}.bk-check{grid-column:1;}.bk-icon{grid-column:2;}.bk-label{grid-column:3;}.bk-shortcut{grid-column:4;}.bk-chevron{grid-column:5;}.bk-divider{cursor:default;overflow:hidden;background-color:var(--divider-color);height:1px;margin:1px 5px;}.bk-item{padding:0.5em;}.bk-item:hover{background-color:var(--hover-color);}.bk-item:focus,.bk-item:focus-visible{outline:1px dotted var(--highlight-color);outline-offset:-1px;}.bk-item::-moz-focus-inner{border:0;}.bk-item.bk-disabled{color:var(--disabled-color);cursor:not-allowed;}.bk-item.bk-disabled .bk-icon{color:var(--icon-color-disabled);}.bk-item:first-of-type{border-top-left-radius:var(--border-radius);border-top-right-radius:var(--border-radius);}.bk-item:last-of-type{border-bottom-left-radius:var(--border-radius);border-bottom-right-radius:var(--border-radius);}.bk-icon{position:relative;width:16px;height:16px;mask-size:100% 100%;-webkit-mask-size:100% 100%;mask-position:center center;-webkit-mask-position:center center;mask-repeat:no-repeat;-webkit-mask-repeat:no-repeat;background-size:100% 100%;background-origin:border-box;background-position:center center;background-repeat:no-repeat;}.bk-label{padding:0 0.5em;}.bk-shortcut{text-align:right;font-size:90%;color:var(--shortcut-color);}.bk-chevron{background-color:var(--icon-color);mask-image:var(--bokeh-icon-caret-right);-webkit-mask-image:var(--bokeh-icon-caret-right);mask-size:100% 100%;-webkit-mask-size:100% 100%;mask-position:center center;-webkit-mask-position:center center;mask-repeat:no-repeat;-webkit-mask-repeat:no-repeat;width:12px;height:12px;}.bk-item:not(.bk-menu) .bk-chevron{display:none;}.bk-item.bk-checkable .bk-check{width:16px;height:16px;}.bk-item.bk-checkable.bk-checked .bk-check{background-color:var(--icon-color);mask-image:var(--bokeh-icon-check);-webkit-mask-image:var(--bokeh-icon-check);mask-size:100% 100%;-webkit-mask-size:100% 100%;mask-position:center center;-webkit-mask-position:center center;mask-repeat:no-repeat;-webkit-mask-repeat:no-repeat;}\"},\n", " function _(e,r,n,o,s){var c;o();const d=e(52);class t extends d.Model{constructor(e){super(e)}}n.RendererGroup=t,c=t,t.__name__=\"RendererGroup\",c.define((({Bool:e})=>({visible:[e,!0]})))},\n", " function _(e,o,_,d,s){d();const n=e(64),c=e(52);class t extends n.DOMView{}_.DOMNodeView=t,t.__name__=\"DOMNodeView\";class M extends c.Model{constructor(e){super(e)}}_.DOMNode=M,M.__name__=\"DOMNode\",M.__module__=\"bokeh.models.dom\"},\n", " function _(t,e,i,s,l){var a;s();const o=t(132),n=t(20),r=t(16),h=t(21),u=t(61),_=t(8),c=t(14),d=t(69),f=t(135),p=t(71),m=t(12);class y extends o.PaneView{constructor(){super(...arguments),this._child_views=new Map,this.mouseenter=new r.Signal(this,\"mouseenter\"),this.mouseleave=new r.Signal(this,\"mouseleave\"),this.disabled=new r.Signal(this,\"disabled\"),this._auto_width=\"fit-content\",this._auto_height=\"fit-content\",this._layout_computed=!1}get is_layout_root(){return this.is_root||!(this.parent instanceof y)}_after_resize(){super._after_resize(),this.is_layout_root&&!this._was_built?(n.logger.warn(`${this} wasn't built properly`),this.render(),this.r_after_render()):this.compute_layout()}async lazy_initialize(){await super.lazy_initialize(),await this.build_child_views()}remove(){for(const t of this.child_views)t.remove();this._child_views.clear(),super.remove()}connect_signals(){super.connect_signals(),this.el.addEventListener(\"mouseenter\",(t=>{this.mouseenter.emit(t)})),this.el.addEventListener(\"mouseleave\",(t=>{this.mouseleave.emit(t)})),this.parent instanceof y&&this.connect(this.parent.disabled,(t=>{this.disabled.emit(t||this.model.disabled)}));const t=this.model.properties;this.on_change(t.disabled,(()=>{this.disabled.emit(this.model.disabled)})),this.on_change([t.css_classes,t.stylesheets,t.width,t.height,t.min_width,t.min_height,t.max_width,t.max_height,t.margin,t.width_policy,t.height_policy,t.flow_mode,t.sizing_mode,t.aspect_ratio,t.visible],(()=>this.invalidate_layout()))}*children(){yield*super.children(),yield*this.child_views}get child_views(){return this.child_models.map((t=>this._child_views.get(t))).filter((t=>null!=t))}get layoutable_views(){return this.child_views.filter((t=>t instanceof y))}async build_child_views(){const{created:t,removed:e}=await(0,d.build_views)(this._child_views,this.child_models,{parent:this});for(const t of e)this._resize_observer.unobserve(t.el);for(const e of t)this._resize_observer.observe(e.el,{box:\"border-box\"});return t}render(){super.render();for(const t of this.child_views){const e=t.rendering_target()??this.shadow_el;t.render_to(e)}}rerender(){super.rerender(),this.update_layout(),this.compute_layout()}_update_children(){}async update_children(){const t=await this.build_child_views(),e=new Set(t),i=Array.from(this.shadow_el.children).flatMap((t=>{const e=this.child_views.find((e=>e.el===t));return void 0===e?[]:[e]}));let s=null;for(let t=0;ts)&&a.append(t.el)}this.r_after_render(),this._update_children(),this.invalidate_layout()}_intrinsic_display(){return{inner:this.model.flow_mode,outer:\"flow\"}}_update_layout(){function t(t,e,i,s){switch(t){case\"auto\":return null!=e?(0,u.px)(e):i;case\"fixed\":return null!=e?(0,u.px)(e):\"fit-content\";case\"fit\":return\"fit-content\";case\"min\":return\"min-content\";case\"max\":return null==s?\"100%\":`calc(100% - ${s})`}}function e(t){return(0,_.isNumber)(t)?(0,u.px)(t):`${t.percent}%`}const i={},s=this._intrinsic_display();i.display=function(t){const{inner:e,outer:i}=t;switch(`${e} ${i}`){case\"block flow\":return\"block\";case\"inline flow\":return\"inline\";case\"block flow-root\":return\"flow-root\";case\"inline flow-root\":return\"inline-block\";case\"block flex\":return\"flex\";case\"inline flex\":return\"inline-flex\";case\"block grid\":return\"grid\";case\"inline grid\":return\"inline-grid\";case\"block table\":return\"table\";case\"inline table\":return\"inline-table\";default:(0,m.unreachable)()}}(s);const l=this.box_sizing(),{width_policy:a,height_policy:o,width:n,height:r,aspect_ratio:h}=l,c=(()=>{if(\"auto\"==h){if(null!=n&&null!=r)return n/r}else if((0,_.isNumber)(h))return h;return null})();\"auto\"==h?i.aspect_ratio=null!=n&&null!=r?`${n} / ${r}`:\"auto\":(0,_.isNumber)(h)&&(i.aspect_ratio=`${h}`);const{margin:d}=this.model,f=(()=>{if(null!=d){if((0,_.isNumber)(d))return i.margin=(0,u.px)(d),{width:(0,u.px)(2*d),height:(0,u.px)(2*d)};if(2==d.length){const[t,e]=d;return i.margin=`${(0,u.px)(t)} ${(0,u.px)(e)}`,{width:(0,u.px)(2*e),height:(0,u.px)(2*t)}}{const[t,e,s,l]=d;return i.margin=`${(0,u.px)(t)} ${(0,u.px)(e)} ${(0,u.px)(s)} ${(0,u.px)(l)}`,{width:(0,u.px)(l+e),height:(0,u.px)(t+s)}}}return{width:null,height:null}})(),[p,y]=(()=>{const e=t(a,n,this._auto_width,f.width),i=t(o,r,this._auto_height,f.height);if(null!=h){if(a!=o)return\"fixed\"==a?[e,\"auto\"]:\"fixed\"==o?[\"auto\",i]:\"max\"==a?[e,\"auto\"]:\"max\"==o?[\"auto\",i]:[\"auto\",\"auto\"];if(\"fixed\"!=a&&\"fixed\"!=o&&null!=c)return c>=1?[e,\"auto\"]:[\"auto\",i]}return[e,i]})();i.width=p,i.height=y;const{min_width:w,max_width:g}=this.model,{min_height:b,max_height:x}=this.model;null!=w&&(i.min_width=e(w)),null!=b&&(i.min_height=e(b)),this.is_layout_root?(null!=g&&(i.max_width=e(g)),null!=x&&(i.max_height=e(x))):(null!=g?i.max_width=`min(${e(g)}, 100%)`:\"fixed\"!=a&&(i.max_width=\"100%\"),null!=x?i.max_height=`min(${e(x)}, 100%)`:\"fixed\"!=o&&(i.max_height=\"100%\"));const{resizable:v}=this.model;if(!1!==v){const t=(()=>{switch(v){case\"width\":return\"horizontal\";case\"height\":return\"vertical\";case!0:case\"both\":return\"both\"}})();i.resize=t,i.overflow=\"auto\"}this.style.append(\":host\",i)}update_layout(){this.update_style();for(const t of this.child_views)t.parent_style.clear();for(const t of this.layoutable_views)t.update_layout();this._update_layout()}get is_managed(){return this.parent instanceof y}_measure_layout(){}measure_layout(){for(const t of this.layoutable_views)t.measure_layout();this._measure_layout()}compute_layout(){this.parent instanceof y?this.parent.compute_layout():(this.measure_layout(),this.update_bbox(),this._compute_layout(),this.after_layout()),this._layout_computed=!0}_compute_layout(){if(null!=this.layout){this.layout.compute(this.bbox.size);for(const t of this.layoutable_views)null==t.layout?t._compute_layout():t._propagate_layout()}else for(const t of this.layoutable_views)t._compute_layout()}_propagate_layout(){for(const t of this.layoutable_views)null==t.layout&&t._compute_layout()}update_bbox(){for(const t of this.layoutable_views)t.update_bbox();const t=super.update_bbox();return null!=this.layout&&(this.layout.visible=this.is_displayed),t}_after_layout(){}after_layout(){for(const t of this.layoutable_views)t.after_layout();this._after_layout()}_after_render(){this.is_managed||this.invalidate_layout()}invalidate_layout(){this.parent instanceof y?this.parent.invalidate_layout():(this.update_layout(),this.compute_layout())}invalidate_render(){this.render(),this.r_after_render(),this.invalidate_layout()}has_finished(){if(!super.has_finished())return!1;if(this.is_layout_root&&!this._layout_computed)return!1;for(const t of this.child_views)if(!t.has_finished())return!1;return!0}box_sizing(){let{width_policy:t,height_policy:e,aspect_ratio:i}=this.model;const{sizing_mode:s}=this.model;if(null!=s)if(\"inherit\"==s){if(this.parent instanceof y){const s=this.parent.box_sizing();t=s.width_policy,e=s.height_policy,null==i&&(i=s.aspect_ratio)}}else if(\"fixed\"==s)t=e=\"fixed\";else if(\"stretch_both\"==s)t=e=\"max\";else if(\"stretch_width\"==s)t=\"max\";else if(\"stretch_height\"==s)e=\"max\";else switch(null==i&&(i=\"auto\"),s){case\"scale_width\":t=\"max\",e=\"min\";break;case\"scale_height\":t=\"min\",e=\"max\";break;case\"scale_both\":t=\"max\",e=\"max\"}const[l,a]=(()=>{const{align:t}=this.model;return\"auto\"==t?[void 0,void 0]:(0,_.isArray)(t)?t:[t,t]})(),{width:o,height:n}=this.model;return{width_policy:t,height_policy:e,width:o,height:n,aspect_ratio:i,halign:l,valign:a}}export(t=\"auto\",e=!0){const i=(()=>{switch(t){case\"auto\":case\"png\":return\"canvas\";case\"svg\":return\"svg\"}})(),s=new p.CanvasLayer(i,e),{x:l,y:a,width:o,height:n}=this.bbox;s.resize(o,n);const r=getComputedStyle(this.el).backgroundColor;s.ctx.fillStyle=r,s.ctx.fillRect(l,a,o,n);for(const i of this.child_views){const l=i.export(t,e),{x:a,y:o}=i.bbox.scale(s.pixel_ratio);s.ctx.drawImage(l.canvas,a,o)}return s}}i.LayoutDOMView=y,y.__name__=\"LayoutDOMView\";class w extends o.Pane{constructor(t){super(t)}}i.LayoutDOM=w,a=w,w.__name__=\"LayoutDOM\",a.define((t=>{const{Bool:e,Float:i,Auto:s,Tuple:l,Or:a,Null:o,Nullable:n}=t,r=l(i,i),u=l(i,i,i,i);return{width:[n(i),null],height:[n(i),null],min_width:[n(i),null],min_height:[n(i),null],max_width:[n(i),null],max_height:[n(i),null],margin:[n(a(i,r,u)),null],width_policy:[a(f.SizingPolicy,s),\"auto\"],height_policy:[a(f.SizingPolicy,s),\"auto\"],aspect_ratio:[a(i,s,o),null],flow_mode:[h.FlowMode,\"block\"],sizing_mode:[n(h.SizingMode),null],disabled:[e,!1],align:[a(h.Align,l(h.Align,h.Align),s),\"auto\"],resizable:[a(e,h.Dimensions),!1]}}))},\n", " function _(e,t,n,s,i){var r;s();const _=e(55),l=e(130),a=e(133),m=e(69),o=e(22);n.ElementLike=(0,o.Or)((0,o.Ref)(_.UIElement),(0,o.Ref)(l.DOMNode),(0,o.Ref)(a.HTML));class h extends _.UIElementView{constructor(){super(...arguments),this._element_views=new Map}get elements(){return this.model.elements}get element_views(){return this.elements.map((e=>this._element_views.get(e))).filter((e=>null!=e))}*children(){yield*super.children(),yield*this.element_views}async lazy_initialize(){await super.lazy_initialize(),await this._build_elements()}async _build_elements(){return await(0,m.build_views)(this._element_views,this.elements,{parent:this})}async _update_elements(){const{created:e}=await this._build_elements(),t=new Set(e);for(const e of this.element_views){const n=t.has(e),s=e.rendering_target()??this.self_target;n?e.render_to(s):s.append(e.el)}this.r_after_render()}remove(){(0,m.remove_views)(this._element_views),super.remove()}connect_signals(){super.connect_signals();const{elements:e}=this.model.properties;this.on_change(e,(async()=>{await this._update_elements()}))}render(){super.render();for(const e of this.element_views){const t=e.rendering_target()??this.self_target;e.render_to(t)}}has_finished(){if(!super.has_finished())return!1;for(const e of this.element_views)if(!e.has_finished())return!1;return!0}}n.PaneView=h,h.__name__=\"PaneView\";class d extends _.UIElement{constructor(e){super(e)}}n.Pane=d,r=d,d.__name__=\"Pane\",r.prototype.default_view=h,r.define((({List:e})=>({elements:[e(n.ElementLike),[]]})))},\n", " function _(e,t,r,s,i){var n;s();const o=e(134),a=e(55),l=e(69),d=e(61),c=e(12),f=e(8),_=e(22),h=(0,_.Or)((0,_.Ref)(o.DOMElement),(0,_.Ref)(a.UIElement)),u=_.Str;class p extends o.DOMElementView{constructor(){super(...arguments),this._refs=new Map}get refs(){const{html:e,refs:t}=this.model;return[...(0,f.isArray)(e)?e.filter((e=>!(0,f.isString)(e))):[],...t]}async _update_refs(){await(0,l.build_views)(this._refs,this.refs)}*children(){yield*super.children(),yield*this._refs.values()}async lazy_initialize(){await super.lazy_initialize(),await this._update_refs()}remove(){(0,l.remove_views)(this._refs),super.remove()}connect_signals(){super.connect_signals();const{refs:e,html:t}=this.model.properties;this.on_change([e,t],(async()=>{await this._update_refs(),this.render()}))}render(){super.render();const e=(()=>{const{html:e}=this.model;return(0,f.isArray)(e)?e.map((e=>(0,f.isString)(e)?e:``)).join(\"\"):e})(),t=(()=>(0,f.isString)(e)?this.parse_html(e):[e])();this.el.append(...t),this.finish()}parse_html(e){const t=(new DOMParser).parseFromString(e,\"text/html\"),r=t.createNodeIterator(t,NodeFilter.SHOW_ELEMENT,(e=>\"ref\"==e.nodeName.toLowerCase()?NodeFilter.FILTER_ACCEPT:NodeFilter.FILTER_REJECT));let s;e:for(;null!=(s=r.nextNode());){(0,c.assert)(s instanceof Element);const e=s.getAttribute(\"id\");if(null!=e){for(const[t,r]of this._refs)if(t.id==e){r.render(),s.replaceWith(r.el);continue e}s.replaceWith((0,d.span)(``));continue}const t=s.getAttribute(\"name\");if(null==t);else{for(const[e,r]of this._refs)if(e.name==t){r.render(),s.replaceWith(r.el);continue e}s.replaceWith((0,d.span)(``))}}return[...t.body.childNodes]}}r.HTMLView=p,p.__name__=\"HTMLView\";class m extends o.DOMElement{constructor(e){super(e)}}r.HTML=m,n=m,m.__name__=\"HTML\",n.prototype.default_view=p,n.define((({Node:e,List:t,Or:r})=>({html:[r(e,u,t(r(u,h)))],refs:[t(h),[]]})))},\n", " function _(e,t,i,s,n){var l;s();const r=e(130),c=e(56),d=e(55),h=e(69),o=e(8),a=e(63),_=e(61);class u extends r.DOMNodeView{constructor(){super(...arguments),this.child_views=new Map}get bbox(){return(0,_.bounding_box)(this.el).relative()}get self_target(){return this.el}*children(){yield*super.children(),yield*this.child_views.values()}async lazy_initialize(){await super.lazy_initialize();const e=this.model.children.filter((e=>!(0,o.isString)(e)));await(0,h.build_views)(this.child_views,e,{parent:this})}remove(){(0,h.remove_views)(this.child_views),super.remove()}connect_signals(){super.connect_signals();const{children:e,style:t}=this.model.properties;this.on_change(e,(async()=>{await this._update_children()})),this.on_change(t,(()=>{this.el.removeAttribute(\"style\"),(0,a.apply_styles)(this.el.style,this.model.style)}))}async _build_children(){const e=this.model.children.filter((e=>!(0,o.isString)(e)));return await(0,h.build_views)(this.child_views,e,{parent:this})}async _update_children(){const{created:e}=await this._build_children(),t=new Set(e);for(const e of this.model.children)if((0,o.isString)(e)){const t=document.createTextNode(e);this.self_target.append(t)}else{const i=this.child_views.get(e);if(null==i)continue;const s=t.has(i),n=i.rendering_target()??this.self_target;s?i.render_to(n):n.append(i.el)}this.r_after_render()}render(){(0,_.empty)(this.el),(0,a.apply_styles)(this.el.style,this.model.style);for(const e of this.model.children)if((0,o.isString)(e)){const t=document.createTextNode(e);this.el.append(t)}else{const t=this.child_views.get(e);if(null==t)continue;const i=t.rendering_target()??this.self_target;t.render_to(i)}this.finish()}}i.DOMElementView=u,u.__name__=\"DOMElementView\";class p extends r.DOMNode{constructor(e){super(e)}}i.DOMElement=p,l=p,p.__name__=\"DOMElement\",l.define((({Str:e,List:t,Or:i,Ref:s})=>({style:[c.StylesLike,{}],children:[t(i(e,s(r.DOMNode),s(d.UIElement))),[]]})))},\n", " function _(a,t,o,e,i){e();var u=a(136);i(\"Sizeable\",u.Sizeable),i(\"SizingPolicy\",u.SizingPolicy);var l=a(137);i(\"Layoutable\",l.Layoutable),i(\"ContentLayoutable\",l.ContentLayoutable),i(\"ElementLayout\",l.ElementLayout),i(\"TextLayout\",l.TextLayout),i(\"FixedLayout\",l.FixedLayout);var n=a(138);i(\"HStack\",n.HStack),i(\"VStack\",n.VStack);var y=a(139);i(\"Grid\",y.Grid),i(\"Row\",y.Row),i(\"Column\",y.Column)},\n", " function _(h,t,i,e,w){e();const n=h(22),{min:d,max:s}=Math;class g{constructor(h={}){this.width=null!=h.width?h.width:0,this.height=null!=h.height?h.height:0}bounded_to({width:h,height:t}){return new g({width:this.width==1/0&&null!=h?h:this.width,height:this.height==1/0&&null!=t?t:this.height})}expanded_to({width:h,height:t}){return new g({width:h!=1/0?s(this.width,h):this.width,height:t!=1/0?s(this.height,t):this.height})}expand_to({width:h,height:t}){this.width=s(this.width,h),this.height=s(this.height,t)}narrowed_to({width:h,height:t}){return new g({width:d(this.width,h),height:d(this.height,t)})}narrow_to({width:h,height:t}){this.width=d(this.width,h),this.height=d(this.height,t)}grow_by({left:h,right:t,top:i,bottom:e}){const w=this.width+h+t,n=this.height+i+e;return new g({width:w,height:n})}shrink_by({left:h,right:t,top:i,bottom:e}){const w=s(this.width-h-t,0),n=s(this.height-i-e,0);return new g({width:w,height:n})}map(h,t){return new g({width:h(this.width),height:(null!=t?t:h)(this.height)})}}i.Sizeable=g,g.__name__=\"Sizeable\",i.SizingPolicy=(0,n.Enum)(\"fixed\",\"fit\",\"min\",\"max\")},\n", " function _(i,t,e,h,s){h();const n=i(136),r=i(62),_=i(8),g=i(12),{abs:o,min:l,max:a,round:d}=Math;class u{constructor(){this.absolute=!1,this.position={left:0,top:0},this._bbox=new r.BBox,this._inner_bbox=new r.BBox,this._sizing=null,this._dirty=!1,this._handlers=[]}*[Symbol.iterator](){}get bbox(){return this._bbox}get inner_bbox(){return this._inner_bbox}get sizing(){return(0,g.assert)(null!=this._sizing),this._sizing}set dirty(i){this._dirty=i}get dirty(){return this._dirty}get visible(){return this.sizing.visible}set visible(i){this.sizing.visible!=i&&(this.sizing.visible=i,this._dirty=!0)}set_sizing(i={}){const t=i.width_policy??\"fit\",e=i.width,h=i.min_width,s=i.max_width,n=i.height_policy??\"fit\",r=i.height,_=i.min_height,g=i.max_height,o=i.aspect,l=i.margin??{top:0,right:0,bottom:0,left:0},a=i.visible??!0,d=i.halign??\"start\",u=i.valign??\"start\";this._sizing={width_policy:t,min_width:h,width:e,max_width:s,height_policy:n,min_height:_,height:r,max_height:g,aspect:o,margin:l,visible:a,halign:d,valign:u,size:{width:e,height:r}},this._init()}_init(){}_set_geometry(i,t){this._bbox=i,this._inner_bbox=t}set_geometry(i,t){const{fixup_geometry:e}=this;null!=e&&([i,t]=e(i,t)),this._set_geometry(i,t??i);for(const i of this._handlers)i(this._bbox,this._inner_bbox)}on_resize(i){this._handlers.push(i)}is_width_expanding(){return\"max\"==this.sizing.width_policy}is_height_expanding(){return\"max\"==this.sizing.height_policy}apply_aspect(i,{width:t,height:e}){const{aspect:h}=this.sizing;if(null!=h){const{width_policy:s,height_policy:n}=this.sizing,r=(i,t)=>{const e={max:4,fit:3,min:2,fixed:1};return e[i]>e[t]};if(\"fixed\"!=s&&\"fixed\"!=n)if(s==n){const s=t,n=d(t/h),r=d(e*h),_=e;o(i.width-s)+o(i.height-n)<=o(i.width-r)+o(i.height-_)?(t=s,e=n):(t=r,e=_)}else r(s,n)?e=d(t/h):t=d(e*h);else\"fixed\"==s?e=d(t/h):\"fixed\"==n&&(t=d(e*h))}return{width:t,height:e}}measure(i){if(null==this._sizing&&this.set_sizing(),!this.sizing.visible)return{width:0,height:0};const t=i=>\"fixed\"==this.sizing.width_policy&&null!=this.sizing.width?this.sizing.width:i,e=i=>\"fixed\"==this.sizing.height_policy&&null!=this.sizing.height?this.sizing.height:i,h=new n.Sizeable(i).shrink_by(this.sizing.margin).map(t,e),s=this._measure(h),r=this.clip_size(s,h),_=t(r.width),g=e(r.height),o=this.apply_aspect(h,{width:_,height:g});return{...s,...o}}_compute(i){const t=this.measure({width:null!=i.width&&this.is_width_expanding()?i.width:1/0,height:null!=i.height&&this.is_height_expanding()?i.height:1/0}),{width:e,height:h}=t,{left:s,top:n}=this.position,_=new r.BBox({left:s,top:n,width:e,height:h});let g;if(null!=t.inner){const{left:i,top:s,right:n,bottom:_}=t.inner;g=new r.BBox({left:i,top:s,right:e-n,bottom:h-_})}return{outer:_,inner:g}}compute(i={}){const{outer:t,inner:e}=this._compute(i);this.set_geometry(t,e)}get xview(){return this.bbox.xview}get yview(){return this.bbox.yview}clip_size(i,t){function e(i,t,e,h){return null==e?e=0:(0,_.isNumber)(e)||(e=d(e.percent*t)),null==h?h=1/0:(0,_.isNumber)(h)||(h=d(h.percent*t)),a(e,l(i,h))}return{width:e(i.width,t.width,this.sizing.min_width,this.sizing.max_width),height:e(i.height,t.height,this.sizing.min_height,this.sizing.max_height)}}has_size_changed(){const{_dirty:i}=this;return this._dirty=!1,i}}e.Layoutable=u,u.__name__=\"Layoutable\";class c extends u{_measure(i){const t=this._content_size(),e=i.bounded_to(this.sizing.size).bounded_to(t);return{width:(()=>{switch(this.sizing.width_policy){case\"fixed\":return null!=this.sizing.width?this.sizing.width:t.width;case\"min\":return t.width;case\"fit\":return e.width;case\"max\":return a(t.width,e.width)}})(),height:(()=>{switch(this.sizing.height_policy){case\"fixed\":return null!=this.sizing.height?this.sizing.height:t.height;case\"min\":return t.height;case\"fit\":return e.height;case\"max\":return a(t.height,e.height)}})()}}}e.ContentLayoutable=c,c.__name__=\"ContentLayoutable\";class w extends c{constructor(i){super(),this.el=i}_content_size(){const{width:i,height:t}=this.el.getBoundingClientRect();return new n.Sizeable({width:i,height:t})}}e.ElementLayout=w,w.__name__=\"ElementLayout\";class x extends c{constructor(i){super(),this.text=i}_content_size(){return new n.Sizeable(this.text.size())}}e.TextLayout=x,x.__name__=\"TextLayout\";class b extends c{constructor(i={}){super(),this.size=i}_content_size(){return new n.Sizeable(this.size)}}e.FixedLayout=b,b.__name__=\"FixedLayout\"},\n", " function _(t,e,h,i,r){i();const s=t(137),o=t(62),{max:n,round:c}=Math;class a extends s.Layoutable{constructor(){super(...arguments),this.children=[]}*[Symbol.iterator](){yield*this.children}}h.Stack=a,a.__name__=\"Stack\";class l extends a{_measure(t){let e=0,h=0;for(const t of this.children){const i=t.measure({width:0,height:0});e+=i.width,h=n(h,i.height)}return{width:e,height:h}}_set_geometry(t,e){if(super._set_geometry(t,e),t.is_empty)for(const t of this.children)t.set_geometry(new o.BBox);else{const e=this.absolute?t.top:0;let h=this.absolute?t.left:0;const{height:i}=t;for(const t of this.children){const{width:r}=t.measure({width:0,height:0});t.set_geometry(new o.BBox({left:h,width:r,top:e,height:i})),h+=r}}}}h.HStack=l,l.__name__=\"HStack\";class d extends a{_measure(t){let e=0,h=0;for(const t of this.children){const i=t.measure({width:0,height:0});e=n(e,i.width),h+=i.height}return{width:e,height:h}}_set_geometry(t,e){if(super._set_geometry(t,e),t.is_empty)for(const t of this.children)t.set_geometry(new o.BBox);else{const e=this.absolute?t.left:0;let h=this.absolute?t.top:0;const{width:i}=t;for(const t of this.children){const r=t.measure({width:0,height:0}),{height:s}=r;t.set_geometry(new o.BBox({top:h,height:s,left:e,width:i})),h+=s}}}}h.VStack=d,d.__name__=\"VStack\";class g extends s.Layoutable{constructor(){super(...arguments),this.children=[]}*[Symbol.iterator](){yield*this.children}_measure(t){const{width_policy:e,height_policy:h}=this.sizing,{min:i,max:r}=Math;let s=0,o=0;for(const e of this.children){const{width:h,height:i}=e.measure(t);s=r(s,h),o=r(o,i)}return{width:(()=>{const{width:h}=this.sizing;if(t.width==1/0)return\"fixed\"==e?h??s:s;switch(e){case\"fixed\":return h??s;case\"min\":return s;case\"fit\":return null!=h?i(t.width,h):t.width;case\"max\":return null!=h?r(t.width,h):t.width}})(),height:(()=>{const{height:e}=this.sizing;if(t.height==1/0)return\"fixed\"==h?e??o:o;switch(h){case\"fixed\":return e??o;case\"min\":return o;case\"fit\":return null!=e?i(t.height,e):t.height;case\"max\":return null!=e?r(t.height,e):t.height}})()}}_set_geometry(t,e){if(super._set_geometry(t,e),t.is_empty)for(const t of this.children)t.set_geometry(new o.BBox);else{const e=this.absolute?t:t.relative(),{left:h,right:i,top:r,bottom:s}=e,n=c(e.vcenter),a=c(e.hcenter);for(const e of this.children){const{margin:c,halign:l=\"start\",valign:d=\"start\"}=e.sizing,{width:g,height:u,inner:_}=e.measure(t),w=(()=>{switch(`${d}_${l}`){case\"start_start\":return new o.BBox({left:h+c.left,top:r+c.top,width:g,height:u});case\"start_center\":return new o.BBox({hcenter:a,top:r+c.top,width:g,height:u});case\"start_end\":return new o.BBox({right:i-c.right,top:r+c.top,width:g,height:u});case\"center_start\":return new o.BBox({left:h+c.left,vcenter:n,width:g,height:u});case\"center_center\":return new o.BBox({hcenter:a,vcenter:n,width:g,height:u});case\"center_end\":return new o.BBox({right:i-c.right,vcenter:n,width:g,height:u});case\"end_start\":return new o.BBox({left:h+c.left,bottom:s-c.bottom,width:g,height:u});case\"end_center\":return new o.BBox({hcenter:a,bottom:s-c.bottom,width:g,height:u});case\"end_end\":return new o.BBox({right:i-c.right,bottom:s-c.bottom,width:g,height:u})}})(),m=null==_?w:new o.BBox({left:w.left+_.left,top:w.top+_.top,right:w.right-_.right,bottom:w.bottom-_.bottom});e.set_geometry(w,m)}}}}h.NodeLayout=g,g.__name__=\"NodeLayout\"},\n", " function _(t,i,s,e,o){e();const n=t(136),r=t(137),h=t(8),l=t(62),c=t(10),{max:a,round:p}=Math;class g{constructor(t){this._map=new Map,this.def=t}get(t){let i=this._map.get(t);return void 0===i&&(i=this.def(),this._map.set(t,i)),i}apply(t,i){const s=this.get(t);this._map.set(t,i(s))}}s.DefaultMap=g,g.__name__=\"DefaultMap\";class _{constructor(){this._items=[],this._nrows=0,this._ncols=0}get size(){return this._items.length}get nrows(){return this._nrows}get ncols(){return this._ncols}add(t,i){const{r1:s,c1:e}=t;this._nrows=a(this._nrows,s+1),this._ncols=a(this._ncols,e+1),this._items.push({span:t,data:i})}at(t,i){return this._items.filter((({span:s})=>s.r0<=t&&t<=s.r1&&s.c0<=i&&i<=s.c1)).map((({data:t})=>t))}row(t){return this._items.filter((({span:i})=>i.r0<=t&&t<=i.r1)).map((({data:t})=>t))}col(t){return this._items.filter((({span:i})=>i.c0<=t&&t<=i.c1)).map((({data:t})=>t))}*[Symbol.iterator](){yield*this._items}foreach(t){for(const{span:i,data:s}of this._items)t(i,s)}map(t){const i=new _;for(const{span:s,data:e}of this._items)i.add(s,t(s,e));return i}}s.Container=_,_.__name__=\"Container\";class f extends r.Layoutable{*[Symbol.iterator](){for(const{layout:t}of this.items)yield t}constructor(t=[]){super(),this.rows=\"auto\",this.cols=\"auto\",this.spacing=0,this.items=t}is_width_expanding(){if(super.is_width_expanding())return!0;if(\"fixed\"==this.sizing.width_policy)return!1;const{cols:t}=this._state;return(0,c.some)(t,(t=>\"max\"==t.policy))}is_height_expanding(){if(super.is_height_expanding())return!0;if(\"fixed\"==this.sizing.height_policy)return!1;const{rows:t}=this._state;return(0,c.some)(t,(t=>\"max\"==t.policy))}_init(){super._init();const t=new _;for(const{layout:i,row:s,col:e,row_span:o=1,col_span:n=1}of this.items)if(i.sizing.visible){const r=s,h=e,l=s+o-1,c=e+n-1;t.add({r0:r,c0:h,r1:l,c1:c},i)}const{nrows:i,ncols:s}=t,e=new Array(i);for(let s=0;s{const t=(0,h.isPlainObject)(this.rows)?this.rows[s]??this.rows[\"*\"]:this.rows;return null==t?{policy:\"auto\"}:(0,h.isNumber)(t)?{policy:\"fixed\",height:t}:(0,h.isString)(t)?{policy:t}:t})(),o=i.align??\"auto\";\"fixed\"==i.policy?e[s]={policy:\"fixed\",height:i.height,align:o}:\"min\"==i.policy?e[s]={policy:\"min\",align:o}:\"fit\"==i.policy||\"max\"==i.policy?e[s]={policy:i.policy,flex:i.flex??1,align:o}:(0,c.some)(t.row(s),(t=>t.is_height_expanding()))?e[s]={policy:\"max\",flex:1,align:o}:e[s]={policy:\"min\",align:o}}const o=new Array(s);for(let i=0;i{const t=(0,h.isPlainObject)(this.cols)?this.cols[i]??this.cols[\"*\"]:this.cols;return null==t?{policy:\"auto\"}:(0,h.isNumber)(t)?{policy:\"fixed\",width:t}:(0,h.isString)(t)?{policy:t}:t})(),e=s.align??\"auto\";\"fixed\"==s.policy?o[i]={policy:\"fixed\",width:s.width,align:e}:\"min\"==s.policy?o[i]={policy:\"min\",align:e}:\"fit\"==s.policy||\"max\"==s.policy?o[i]={policy:s.policy,flex:s.flex??1,align:e}:(0,c.some)(t.col(i),(t=>t.is_width_expanding()))?o[i]={policy:\"max\",flex:1,align:e}:o[i]={policy:\"min\",align:e}}const[n,r]=(0,h.isNumber)(this.spacing)?[this.spacing,this.spacing]:this.spacing;this._state={items:t,nrows:i,ncols:s,rows:e,cols:o,rspacing:n,cspacing:r}}_measure_totals(t,i){const{nrows:s,ncols:e,rspacing:o,cspacing:n}=this._state;return{height:(0,c.sum)(t)+(s-1)*o,width:(0,c.sum)(i)+(e-1)*n}}_measure_cells(t){const{items:i,nrows:s,ncols:e,rows:o,cols:r,rspacing:h,cspacing:l}=this._state,c=new Array(s);for(let t=0;t{const{r0:e,c0:_,r1:d,c1:w}=i,m=(d-e)*h,u=(w-_)*l;let y=0;for(let i=e;i<=d;i++)y+=t(i,_).height;y+=m;let x=0;for(let i=_;i<=w;i++)x+=t(e,i).width;x+=u;const z=s.measure({width:x,height:y});f.add(i,{layout:s,size_hint:z});const b=new n.Sizeable(z).grow_by(s.sizing.margin);b.height-=m,b.width-=u;const B=[];for(let t=e;t<=d;t++){const i=o[t];\"fixed\"==i.policy?b.height-=i.height:B.push(t)}if(b.height>0){const t=p(b.height/B.length);for(const i of B)c[i]=a(c[i],t)}const S=[];for(let t=_;t<=w;t++){const i=r[t];\"fixed\"==i.policy?b.width-=i.width:S.push(t)}if(b.width>0){const t=p(b.width/S.length);for(const i of S)g[i]=a(g[i],t)}}));return{size:this._measure_totals(c,g),row_heights:c,col_widths:g,size_hints:f}}_measure_grid(t){const{nrows:i,ncols:s,rows:e,cols:o,rspacing:n,cspacing:r}=this._state,h=this._measure_cells(((t,i)=>{const s=e[t],n=o[i];return{width:\"fixed\"==n.policy?n.width:1/0,height:\"fixed\"==s.policy?s.height:1/0}}));let l;l=\"fixed\"==this.sizing.height_policy&&null!=this.sizing.height?this.sizing.height:t.height!=1/0&&this.is_height_expanding()?t.height:h.size.height;let c,g=0;for(let t=0;t0)for(let t=0;ti?i:e,t--}}}c=\"fixed\"==this.sizing.width_policy&&null!=this.sizing.width?this.sizing.width:t.width!=1/0&&this.is_width_expanding()?t.width:h.size.width;let _=0;for(let t=0;t0)for(let t=0;ts?s:o,t--}}}const{row_heights:f,col_widths:d,size_hints:w}=this._measure_cells(((t,i)=>({width:h.col_widths[i],height:h.row_heights[t]})));return{size:this._measure_totals(f,d),row_heights:f,col_widths:d,size_hints:w}}_measure(t){const{size:i}=this._measure_grid(t);return i}_set_geometry(t,i){super._set_geometry(t,i);const{nrows:s,ncols:e,rspacing:o,cspacing:n}=this._state,{row_heights:r,col_widths:h,size_hints:c}=this._measure_grid(t),_=this._state.rows.map(((t,i)=>({...t,top:0,height:r[i],get bottom(){return this.top+this.height}}))),f=this._state.cols.map(((t,i)=>({...t,left:0,width:h[i],get right(){return this.left+this.width}}))),d=c.map(((t,i)=>({...i,outer:new l.BBox,inner:new l.BBox})));for(let i=0,e=this.absolute?t.top:this.position.top;i{const{layout:h,size_hint:c}=r,{sizing:a}=h,{width:g,height:d}=c,w=function(t,i){let s=(i-t)*n;for(let e=t;e<=i;e++)s+=f[e].width;return s}(i,e),m=function(t,i){let s=(i-t)*o;for(let e=t;e<=i;e++)s+=_[e].height;return s}(t,s),u=i==e&&\"auto\"!=f[i].align?f[i].align:a.halign,y=t==s&&\"auto\"!=_[t].align?_[t].align:a.valign;let x=f[i].left;\"start\"==u?x+=a.margin.left:\"center\"==u?x+=p((w-g)/2):\"end\"==u&&(x+=w-a.margin.right-g);let z=_[t].top;\"start\"==y?z+=a.margin.top:\"center\"==y?z+=p((m-d)/2):\"end\"==y&&(z+=m-a.margin.bottom-d),r.outer=new l.BBox({left:x,top:z,width:g,height:d})}));const w=_.map((()=>({start:new g((()=>0)),end:new g((()=>0))}))),m=f.map((()=>({start:new g((()=>0)),end:new g((()=>0))})));d.foreach((({r0:t,c0:i,r1:s,c1:e},{size_hint:o,outer:n})=>{const{inner:r}=o;null!=r&&(w[t].start.apply(n.top,(t=>a(t,r.top))),w[s].end.apply(_[s].bottom-n.bottom,(t=>a(t,r.bottom))),m[i].start.apply(n.left,(t=>a(t,r.left))),m[e].end.apply(f[e].right-n.right,(t=>a(t,r.right))))})),d.foreach((({r0:t,c0:i,r1:s,c1:e},o)=>{const{size_hint:n,outer:r}=o,h=t=>{const i=this.absolute?r:r.relative(),s=i.left+t.left,e=i.top+t.top,o=i.right-t.right,n=i.bottom-t.bottom;return new l.BBox({left:s,top:e,right:o,bottom:n})};if(null!=n.inner){let l=h(n.inner);const c=w[t].start.get(r.top),a=w[s].end.get(_[s].bottom-r.bottom),p=m[i].start.get(r.left),g=m[e].end.get(f[e].right-r.right);try{l=h({top:c,bottom:a,left:p,right:g})}catch{}o.inner=l}else o.inner=r})),d.foreach(((t,{layout:i,outer:s,inner:e})=>{i.set_geometry(s,e)}))}}s.Grid=f,f.__name__=\"Grid\";class d extends f{constructor(t){super(),this.items=t.map(((t,i)=>({layout:t,row:0,col:i}))),this.rows=\"fit\"}}s.Row=d,d.__name__=\"Row\";class w extends f{constructor(t){super(),this.items=t.map(((t,i)=>({layout:t,row:i,col:0}))),this.cols=\"fit\"}}s.Column=w,w.__name__=\"Column\"},\n", " function _(t,e,s,a,n){var r;a();const i=t(1),_=t(141),o=t(182),l=t(95),d=t(21),c=t(25),h=t(69),u=t(25),p=i.__importStar(t(19)),v=t(11);class y extends _.DataAnnotationView{*children(){yield*super.children();const{start:t,end:e}=this;null!=t&&(yield t),null!=e&&(yield e)}async lazy_initialize(){await super.lazy_initialize();const{start:t,end:e}=this.model;null!=t&&(this.start=await(0,h.build_view)(t,{parent:this})),null!=e&&(this.end=await(0,h.build_view)(e,{parent:this}))}set_data(t){super.set_data(t);const e=u.Indices.all_set(this._x_start.length);this.start?.set_data(t,e),this.end?.set_data(t,e)}remove(){this.start?.remove(),this.end?.remove(),super.remove()}map_data(){const{frame:t}=this.plot_view,[e,s]=(()=>{switch(this.model.start_units){case\"canvas\":return[new c.ScreenArray(this._x_start),new c.ScreenArray(this._y_start)];case\"screen\":return[t.bbox.xview.v_compute(this._x_start),t.bbox.yview.v_compute(this._y_start)];case\"data\":return[this.coordinates.x_scale.v_compute(this._x_start),this.coordinates.y_scale.v_compute(this._y_start)]}})(),[a,n]=(()=>{switch(this.model.end_units){case\"canvas\":return[new c.ScreenArray(this._x_end),new c.ScreenArray(this._y_end)];case\"screen\":return[t.bbox.xview.v_compute(this._x_end),t.bbox.yview.v_compute(this._y_end)];case\"data\":return[this.coordinates.x_scale.v_compute(this._x_end),this.coordinates.y_scale.v_compute(this._y_end)]}})();this._sx_start=e,this._sy_start=s,this._sx_end=a,this._sy_end=n;const r=e.length,i=this._angles=new c.ScreenArray(r);for(let t=0;t({x_start:[p.XCoordinateSpec,{field:\"x_start\"}],y_start:[p.YCoordinateSpec,{field:\"y_start\"}],start_units:[d.CoordinateUnits,\"data\"],start:[e(t(o.ArrowHead)),null],x_end:[p.XCoordinateSpec,{field:\"x_end\"}],y_end:[p.YCoordinateSpec,{field:\"y_end\"}],end_units:[d.CoordinateUnits,\"data\"],end:[e(t(o.ArrowHead)),()=>new o.OpenHead]})))},\n", " function _(t,n,e,s,a){var o;s();const i=t(1),c=t(96),_=t(142),r=t(147),l=t(148),h=i.__importStar(t(19));class d extends c.AnnotationView{constructor(){super(...arguments),this._initial_set_data=!1}connect_signals(){super.connect_signals();const t=()=>{this.set_data(this.model.source),this._rerender()};this.connect(this.model.change,t),this.connect(this.model.source.streaming,t),this.connect(this.model.source.patching,t),this.connect(this.model.source.change,t)}_rerender(){this.request_paint()}set_data(t){const n=this;for(const e of this.model)if(e instanceof h.VectorSpec||e instanceof h.ScalarSpec)if(e instanceof h.BaseCoordinateSpec){const s=e.array(t);n[`_${e.attr}`]=s}else{const s=e.uniform(t);n[`${e.attr}`]=s}this.plot_model.use_map&&(null!=n._x&&l.inplace.project_xy(n._x,n._y),null!=n._xs&&l.inplace.project_xsys(n._xs,n._ys));for(const t of this.visuals)t.update()}_paint(t){this._initial_set_data||(this.set_data(this.model.source),this._initial_set_data=!0),this.map_data(),this._paint_data(t)}}e.DataAnnotationView=d,d.__name__=\"DataAnnotationView\";class u extends c.Annotation{constructor(t){super(t)}}e.DataAnnotation=u,o=u,u.__name__=\"DataAnnotation\",o.define((({Ref:t})=>({source:[t(_.ColumnarDataSource),()=>new r.ColumnDataSource]})))},\n", " function _(t,e,n,s,r){var i;s();const a=t(20),c=t(143),o=t(16),l=t(12),u=t(10),h=t(31),d=t(9),f=t(8),g=t(145),_=t(144),p=t(146);class y extends p.DataSource{get_array(t){const e=(0,d.dict)(this.data);let n=e.get(t);return null==n?e.set(t,n=[]):(0,f.isArray)(n)||e.set(t,n=Array.from(n)),n}constructor(t){super(t),this.selection_manager=new c.SelectionManager(this)}initialize(){super.initialize(),this._select=new o.Signal0(this,\"select\"),this.inspect=new o.Signal(this,\"inspect\")}get inferred_defaults(){const t=new Map;for(const[e,n]of(0,d.entries)(this.data)){const s=(()=>{if((0,h.is_NDArray)(n))switch(n.dtype){case\"bool\":return!1;case\"uint8\":case\"int8\":case\"uint16\":case\"int16\":case\"uint32\":case\"int32\":case\"float32\":case\"float64\":return 0;case\"object\":return null}else if((0,f.isArray)(n)&&0!=n.length){const[t]=n;if(null===t)return null;if((0,f.isBoolean)(t))return!1;if((0,f.isNumber)(t))return 0;if((0,f.isString)(t))return\"\";if((0,f.isArray)(t))return[]}})();void 0!==s&&t.set(e,s)}return t}get(t){const e=this.get_column(t);return(0,l.assert)(null!=e,`unknown column '${t}' in ${this}`),e}set(t,e){(0,d.dict)(this.data).set(t,e)}get_column(t){return(0,d.dict)(this.data).get(t)??null}get_row(t){const e=(0,f.isNumber)(t)?t:t.index,n={};for(const[t,s]of(0,d.entries)(this.data))n[t]=s[e];return n}columns(){return(0,d.keys)(this.data)}get_length(t=!0){const e=(0,u.uniq)((0,d.values)(this.data).map((t=>(0,h.is_NDArray)(t)?t.shape[0]:t.length)));switch(e.length){case 0:return null;case 1:return e[0];default:{const n=\"data source has columns of inconsistent lengths\";if(t)return a.logger.warn(n),e.sort()[0];throw new Error(n)}}}get length(){return this.get_length()??0}clear(){const t=(0,d.clone)(this.data),e=(0,d.dict)(t);for(const[t,n]of e){const s=new n.constructor(0);e.set(t,s)}this.data=t}stream(t,e,{sync:n}={}){this.stream_to(this.properties.data,t,e,{sync:n})}patch(t,{sync:e}={}){this.patch_to(this.properties.data,t,{sync:e})}}n.ColumnarDataSource=y,i=y,y.__name__=\"ColumnarDataSource\",i.define((({Ref:t,Dict:e,Unknown:n})=>({default_values:[e(n),{}],selection_policy:[t(g.SelectionPolicy),()=>new g.UnionRenderers]}))),i.internal((({AnyRef:t})=>({inspected:[t(),()=>new _.Selection]})))},\n", " function _(e,t,s,o,c){o();const n=e(144);function i(e){return\"GlyphRenderer\"==e.model.type}function r(e){return\"GraphRenderer\"==e.model.type}class l{constructor(e){this.inspectors=new Map,this.source=e}select(e,t,s,o=\"replace\"){const c=[],n=[];for(const t of e)i(t)?c.push(t):r(t)&&n.push(t);let l=!1;for(const e of n){const c=e.model.selection_policy.hit_test(t,e);l=l||e.model.selection_policy.do_selection(c,e.model,s,o)}if(c.length>0){const e=this.source.selection_policy.hit_test(t,c);l=l||this.source.selection_policy.do_selection(e,this.source,s,o)}return l}inspect(e,t){let s=!1;if(i(e)){const o=e.hit_test(t);if(null!=o){s=!o.is_empty();const c=this.get_or_create_inspector(e.model);c.update(o,!0,\"replace\"),this.source.setv({inspected:c},{silent:!0}),this.source.inspect.emit([e.model,{geometry:t}])}}else if(r(e)){const o=e.model.inspection_policy.hit_test(t,e);s=e.model.inspection_policy.do_inspection(o,t,e,!1,\"replace\")}return s}invert(e){const t=this.source.get_length();null!=t&&(this.source.selected.invert(t),null!=e&&this.get_or_create_inspector(e.model).invert(t))}clear(e){this.source.selected.clear(),null!=e&&this.get_or_create_inspector(e.model).clear()}get_or_create_inspector(e){let t=this.inspectors.get(e);return null==t&&(t=new n.Selection,this.inspectors.set(e,t)),t}}s.SelectionManager=l,l.__name__=\"SelectionManager\"},\n", " function _(i,e,s,n,t){var c;n();const d=i(52),h=i(10),l=i(9),_=i(22),a=i(13);s.OpaqueIndices=(0,_.Arrayable)(_.Int),s.MultiIndices=(0,_.Mapping)(_.Int,s.OpaqueIndices),s.ImageIndex=(0,_.Struct)({index:_.Int,i:_.Int,j:_.Int,flat_index:_.Int}),s.ImageIndices=(0,_.List)(s.ImageIndex);class u extends d.Model{constructor(i){super(i)}get_view(){return this.view}get selected_glyph(){return this.selected_glyphs.length>0?this.selected_glyphs[0]:null}add_to_selected_glyphs(i){this.selected_glyphs.push(i)}update(i,e=!0,s=\"replace\"){switch(s){case\"replace\":this.update_through_replacement(i);break;case\"toggle\":this.update_through_toggle(i);break;case\"append\":this.update_through_union(i);break;case\"intersect\":this.update_through_intersection(i);break;case\"subtract\":this.update_through_subtraction(i);break;case\"xor\":this.update_through_symmetric_difference(i)}}invert(i){const e=new Set(this.indices),s=[];for(let n=0;n[i(e),s]))),image_indices:this.image_indices.map((e=>({...e,index:i(e.index)})))})}is_empty(){return 0==this.indices.length&&0==this.line_indices.length&&0==this.image_indices.length}_union_image_indices(...i){const e=new Map,s=new Map,n=[];for(const t of i)for(const i of t){const{index:t,i:c,j:d}=i,h=e.get(t),l=s.get(t);null!=h&&null!=l?h.has(c)&&l.has(d)||(n.push(i),h.add(c),l.add(d)):(n.push(i),e.set(t,new Set([c])),s.set(t,new Set([d])))}return n}update_through_replacement(i){this.indices=i.indices,this.line_indices=i.line_indices,this.multiline_indices=i.multiline_indices,this.image_indices=i.image_indices,this.view=i.view,this.selected_glyphs=i.selected_glyphs}update_through_toggle(i){this.indices=(0,h.difference)(i.indices,this.indices),this.selected_glyphs=(0,h.union)(i.selected_glyphs,this.selected_glyphs),this.line_indices=(0,h.union)(i.line_indices,this.line_indices),this.image_indices=this._union_image_indices(this.image_indices,i.image_indices),this.view=i.view,this.multiline_indices=(0,l.merge)(i.multiline_indices,this.multiline_indices)}update_through_union(i){this.indices=(0,h.union)(this.indices,i.indices),this.selected_glyphs=(0,h.union)(i.selected_glyphs,this.selected_glyphs),this.line_indices=(0,h.union)(i.line_indices,this.line_indices),this.image_indices=this._union_image_indices(this.image_indices,i.image_indices),this.view=i.view,this.multiline_indices=(0,l.merge)(i.multiline_indices,this.multiline_indices)}update_through_intersection(i){this.indices=(0,h.intersection)(this.indices,i.indices),this.selected_glyphs=(0,h.union)(i.selected_glyphs,this.selected_glyphs),this.line_indices=(0,h.union)(i.line_indices,this.line_indices),this.image_indices=this._union_image_indices(this.image_indices,i.image_indices),this.view=i.view,this.multiline_indices=(0,l.merge)(i.multiline_indices,this.multiline_indices)}update_through_subtraction(i){this.indices=(0,h.difference)(this.indices,i.indices),this.selected_glyphs=(0,h.union)(i.selected_glyphs,this.selected_glyphs),this.line_indices=(0,h.union)(i.line_indices,this.line_indices),this.image_indices=this._union_image_indices(this.image_indices,i.image_indices),this.view=i.view,this.multiline_indices=(0,l.merge)(i.multiline_indices,this.multiline_indices)}update_through_symmetric_difference(i){this.indices=(0,h.symmetric_difference)(this.indices,i.indices),this.selected_glyphs=(0,h.union)(i.selected_glyphs,this.selected_glyphs),this.line_indices=(0,h.union)(i.line_indices,this.line_indices),this.image_indices=this._union_image_indices(this.image_indices,i.image_indices),this.view=i.view,this.multiline_indices=(0,l.merge)(i.multiline_indices,this.multiline_indices)}}s.Selection=u,c=u,u.__name__=\"Selection\",c.define({indices:[s.OpaqueIndices,[]],line_indices:[s.OpaqueIndices,[]],multiline_indices:[s.MultiIndices,new Map],image_indices:[s.ImageIndices,[]]}),c.internal((({List:i,AnyRef:e,Nullable:s})=>({selected_glyphs:[i(e()),[]],view:[s(e()),null]})))},\n", " function _(e,t,n,s,o){s();const r=e(52);class c extends r.Model{do_selection(e,t,n,s){return null!=e&&(t.selected.update(e,n,s),t._select.emit(),!t.selected.is_empty())}}n.SelectionPolicy=c,c.__name__=\"SelectionPolicy\";class l extends c{hit_test(e,t){const n=[];for(const s of t){const t=s.hit_test(e);null!=t&&n.push(t)}if(n.length>0){const e=n[0];for(const t of n)e.update_through_intersection(t);return e}return null}}n.IntersectRenderers=l,l.__name__=\"IntersectRenderers\";class _ extends c{hit_test(e,t){const n=[];for(const s of t){const t=s.hit_test(e);null!=t&&n.push(t)}if(n.length>0){const e=n[0];for(const t of n)e.update_through_union(t);return e}return null}}n.UnionRenderers=_,_.__name__=\"UnionRenderers\"},\n", " function _(e,n,c,o,t){var a;o();const r=e(52),s=e(144);class l extends r.Model{constructor(e){super(e)}}c.DataSource=l,a=l,l.__name__=\"DataSource\",a.define((({Ref:e})=>({selected:[e(s.Selection),()=>new s.Selection,{readonly:!0}]})))},\n", " function _(a,n,o,e,r){var t;e();const c=a(142);class u extends c.ColumnarDataSource{constructor(a){super(a)}}o.ColumnDataSource=u,t=u,u.__name__=\"ColumnDataSource\",t.define((({Unknown:a,Dict:n,Arrayable:o})=>({data:[n(o(a)),{}]})))},\n", " function _(n,t,e,o,r){o(),e.clip_mercator=function(n,t,e){const[o,r]=_[e];return[h(n,o),g(t,r)]},e.in_bounds=function(n,t){const[e,o]=p[t];return eisFinite(n)&&isFinite(t)?f.forward([n,t]):[NaN,NaN],invert:(n,t)=>isFinite(n)&&isFinite(t)?f.inverse([n,t]):[NaN,NaN]};const _={lon:[-20026376.39,20026376.39],lat:[-20048966.1,20048966.1]},p={lon:[-180,180],lat:[-85.06,85.06]},{min:g,max:h}=Math;function m(n,t){const o=g(n.length,t.length),r=(0,a.infer_type)(n,t),c=new r(o),i=new r(o);return e.inplace.project_xy(n,t,c,i),[c,i]}!function(n){function t(n,t,o,r){const c=g(n.length,t.length);o=o??n,r=r??t;for(let i=0;i2?void 0!==e.name&&\"geocent\"===e.name||void 0!==n.name&&\"geocent\"===n.name?\"number\"==typeof o.z?[o.x,o.y,o.z].concat(t.splice(3)):[o.x,o.y,t[2]].concat(t.splice(3)):[o.x,o.y].concat(t.splice(2)):[o.x,o.y]):(a=(0,c.default)(e,n,t,r),2===(i=Object.keys(t)).length||i.forEach((function(r){if(void 0!==e.name&&\"geocent\"===e.name||void 0!==n.name&&\"geocent\"===n.name){if(\"x\"===r||\"y\"===r||\"z\"===r)return}else if(\"x\"===r||\"y\"===r)return;a[r]=t[r]})),a)}function l(e){return e instanceof i.default?e:e.oProj?e.oProj:(0,i.default)(e)}t.default=function(e,n,t){e=l(e);var r,o=!1;return void 0===n?(n=e,e=u,o=!0):(void 0!==n.x||Array.isArray(n))&&(t=n,n=e,e=u,o=!0),n=l(n),t?f(e,n,t):(r={forward:function(t,r){return f(e,n,t,r)},inverse:function(t,r){return f(n,e,t,r)}},o&&(r.oProj=n),r)}},\n", " function _(t,e,a,s,i){s();const l=t(1),u=l.__importDefault(t(151)),r=l.__importDefault(t(162)),d=l.__importDefault(t(163)),o=t(171),f=l.__importDefault(t(173)),p=l.__importDefault(t(174)),m=l.__importDefault(t(158)),n=t(175);function h(t,e){if(!(this instanceof h))return new h(t);e=e||function(t){if(t)throw t};var a=(0,u.default)(t);if(\"object\"==typeof a){var s=h.projections.get(a.projName);if(s){if(a.datumCode&&\"none\"!==a.datumCode){var i=(0,m.default)(f.default,a.datumCode);i&&(a.datum_params=a.datum_params||(i.towgs84?i.towgs84.split(\",\"):null),a.ellps=i.ellipse,a.datumName=i.datumName?i.datumName:a.datumCode)}a.k0=a.k0||1,a.axis=a.axis||\"enu\",a.ellps=a.ellps||\"wgs84\",a.lat1=a.lat1||a.lat0;var l=(0,o.sphere)(a.a,a.b,a.rf,a.ellps,a.sphere),d=(0,o.eccentricity)(l.a,l.b,l.rf,a.R_A),_=(0,n.getNadgrids)(a.nadgrids),c=a.datum||(0,p.default)(a.datumCode,a.datum_params,l.a,l.b,d.es,d.ep2,_);(0,r.default)(this,a),(0,r.default)(this,s),this.a=l.a,this.b=l.b,this.rf=l.rf,this.sphere=l.sphere,this.es=d.es,this.e=d.e,this.ep2=d.ep2,this.datum=c,this.init(),e(null,this)}else e(t)}else e(t)}h.projections=d.default,h.projections.start(),a.default=h},\n", " function _(t,r,n,u,e){u();const f=t(1),i=f.__importDefault(t(152)),a=f.__importDefault(t(159)),o=f.__importDefault(t(154)),l=f.__importDefault(t(158));var C=[\"PROJECTEDCRS\",\"PROJCRS\",\"GEOGCS\",\"GEOCCS\",\"PROJCS\",\"LOCAL_CS\",\"GEODCRS\",\"GEODETICCRS\",\"GEODETICDATUM\",\"ENGCRS\",\"ENGINEERINGCRS\"];var d=[\"3857\",\"900913\",\"3785\",\"102113\"];n.default=function(t){if(!function(t){return\"string\"==typeof t}(t))return t;if(function(t){return t in i.default}(t))return i.default[t];if(function(t){return C.some((function(r){return t.indexOf(r)>-1}))}(t)){var r=(0,a.default)(t);if(function(t){var r=(0,l.default)(t,\"authority\");if(r){var n=(0,l.default)(r,\"epsg\");return n&&d.indexOf(n)>-1}}(r))return i.default[\"EPSG:3857\"];var n=function(t){var r=(0,l.default)(t,\"extension\");if(r)return(0,l.default)(r,\"proj4\")}(r);return n?(0,o.default)(n):r}return function(t){return\"+\"===t[0]}(t)?(0,o.default)(t):void 0}},\n", " function _(t,r,i,e,n){e();const f=t(1),a=f.__importDefault(t(153)),l=f.__importDefault(t(154)),u=f.__importDefault(t(159));function o(t){var r=this;if(2===arguments.length){var i=arguments[1];\"string\"==typeof i?\"+\"===i.charAt(0)?o[t]=(0,l.default)(arguments[1]):o[t]=(0,u.default)(arguments[1]):o[t]=i}else if(1===arguments.length){if(Array.isArray(t))return t.map((function(t){Array.isArray(t)?o.apply(r,t):o(t)}));if(\"string\"==typeof t){if(t in o)return o[t]}else\"EPSG\"in t?o[\"EPSG:\"+t.EPSG]=t:\"ESRI\"in t?o[\"ESRI:\"+t.ESRI]=t:\"IAU2000\"in t?o[\"IAU2000:\"+t.IAU2000]=t:console.log(t);return}}(0,a.default)(o),i.default=o},\n", " function _(t,l,G,S,e){S(),G.default=function(t){t(\"EPSG:4326\",\"+title=WGS 84 (long/lat) +proj=longlat +ellps=WGS84 +datum=WGS84 +units=degrees\"),t(\"EPSG:4269\",\"+title=NAD83 (long/lat) +proj=longlat +a=6378137.0 +b=6356752.31414036 +ellps=GRS80 +datum=NAD83 +units=degrees\"),t(\"EPSG:3857\",\"+title=WGS 84 / Pseudo-Mercator +proj=merc +a=6378137 +b=6378137 +lat_ts=0.0 +lon_0=0.0 +x_0=0.0 +y_0=0 +k=1.0 +units=m +nadgrids=@null +no_defs\"),t.WGS84=t[\"EPSG:4326\"],t[\"EPSG:3785\"]=t[\"EPSG:3857\"],t.GOOGLE=t[\"EPSG:3857\"],t[\"EPSG:900913\"]=t[\"EPSG:3857\"],t[\"EPSG:102113\"]=t[\"EPSG:3857\"]}},\n", " function _(t,n,o,a,u){a(),o.default=function(t){var n,o,a,u={},e=t.split(\"+\").map((function(t){return t.trim()})).filter((function(t){return t})).reduce((function(t,n){var o=n.split(\"=\");return o.push(!0),t[o[0].toLowerCase()]=o[1],t}),{}),c={proj:\"projName\",datum:\"datumCode\",rf:function(t){u.rf=parseFloat(t)},lat_0:function(t){u.lat0=t*r.D2R},lat_1:function(t){u.lat1=t*r.D2R},lat_2:function(t){u.lat2=t*r.D2R},lat_ts:function(t){u.lat_ts=t*r.D2R},lon_0:function(t){u.long0=t*r.D2R},lon_1:function(t){u.long1=t*r.D2R},lon_2:function(t){u.long2=t*r.D2R},alpha:function(t){u.alpha=parseFloat(t)*r.D2R},gamma:function(t){u.rectified_grid_angle=parseFloat(t)},lonc:function(t){u.longc=t*r.D2R},x_0:function(t){u.x0=parseFloat(t)},y_0:function(t){u.y0=parseFloat(t)},k_0:function(t){u.k0=parseFloat(t)},k:function(t){u.k0=parseFloat(t)},a:function(t){u.a=parseFloat(t)},b:function(t){u.b=parseFloat(t)},r:function(t){u.a=u.b=parseFloat(t)},r_a:function(){u.R_A=!0},zone:function(t){u.zone=parseInt(t,10)},south:function(){u.utmSouth=!0},towgs84:function(t){u.datum_params=t.split(\",\").map((function(t){return parseFloat(t)}))},to_meter:function(t){u.to_meter=parseFloat(t)},units:function(t){u.units=t;var n=(0,l.default)(f.default,t);n&&(u.to_meter=n.to_meter)},from_greenwich:function(t){u.from_greenwich=t*r.D2R},pm:function(t){var n=(0,l.default)(i.default,t);u.from_greenwich=(n||parseFloat(t))*r.D2R},nadgrids:function(t){\"@null\"===t?u.datumCode=\"none\":u.nadgrids=t},axis:function(t){var n=\"ewnsud\";3===t.length&&-1!==n.indexOf(t.substr(0,1))&&-1!==n.indexOf(t.substr(1,1))&&-1!==n.indexOf(t.substr(2,1))&&(u.axis=t)},approx:function(){u.approx=!0}};for(n in e)o=e[n],n in c?\"function\"==typeof(a=c[n])?a(o):u[a]=o:u[n]=o;\"string\"==typeof u.datumCode&&\"WGS84\"!==u.datumCode&&(u.datumCode=u.datumCode.toLowerCase());return u};const e=t(1),r=t(155),i=e.__importDefault(t(156)),f=e.__importDefault(t(157)),l=e.__importDefault(t(158))},\n", " function _(S,_,P,R,I){R(),P.PJD_3PARAM=1,P.PJD_7PARAM=2,P.PJD_GRIDSHIFT=3,P.PJD_WGS84=4,P.PJD_NODATUM=5,P.SRS_WGS84_SEMIMAJOR=6378137,P.SRS_WGS84_SEMIMINOR=6356752.314,P.SRS_WGS84_ESQUARED=.0066943799901413165,P.SEC_TO_RAD=484813681109536e-20,P.HALF_PI=Math.PI/2,P.SIXTH=.16666666666666666,P.RA4=.04722222222222222,P.RA6=.022156084656084655,P.EPSLN=1e-10,P.D2R=.017453292519943295,P.R2D=57.29577951308232,P.FORTPI=Math.PI/4,P.TWO_PI=2*Math.PI,P.SPI=3.14159265359},\n", " function _(o,r,a,e,s){e();var n={};a.default=n,n.greenwich=0,n.lisbon=-9.131906111111,n.paris=2.337229166667,n.bogota=-74.080916666667,n.madrid=-3.687938888889,n.rome=12.452333333333,n.bern=7.439583333333,n.jakarta=106.807719444444,n.ferro=-17.666666666667,n.brussels=4.367975,n.stockholm=18.058277777778,n.athens=23.7163375,n.oslo=10.722916666667},\n", " function _(t,e,f,o,u){o(),f.default={ft:{to_meter:.3048},\"us-ft\":{to_meter:1200/3937}}},\n", " function _(e,r,t,a,n){a(),t.default=function(e,r){if(e[r])return e[r];var t,a=Object.keys(e),n=r.toLowerCase().replace(o,\"\"),f=-1;for(;++f0?90:-90)):(e.lat0=_(e.lat1>0?90:-90),e.lat_ts=e.lat1)}(n),n};const r=e(1);var l=.017453292519943295;const d=r.__importDefault(e(160)),i=e(161);function _(e){return e*l}},\n", " function _(t,e,r,i,s){i(),r.default=function(t){return new c(t).output()};var h=1,o=/\\s/,n=/[A-Za-z]/,a=/[A-Za-z84_]/,u=/[,\\]]/,d=/[\\d\\.E\\-\\+]/;function c(t){if(\"string\"!=typeof t)throw new Error(\"not a string\");this.text=t.trim(),this.level=0,this.place=0,this.root=null,this.stack=[],this.currentObject=null,this.state=h}c.prototype.readCharicter=function(){var t=this.text[this.place++];if(4!==this.state)for(;o.test(t);){if(this.place>=this.text.length)return;t=this.text[this.place++]}switch(this.state){case h:return this.neutral(t);case 2:return this.keyword(t);case 4:return this.quoted(t);case 5:return this.afterquote(t);case 3:return this.number(t);case-1:return}},c.prototype.afterquote=function(t){if('\"'===t)return this.word+='\"',void(this.state=4);if(u.test(t))return this.word=this.word.trim(),void this.afterItem(t);throw new Error(\"havn't handled \\\"\"+t+'\" in afterquote yet, index '+this.place)},c.prototype.afterItem=function(t){return\",\"===t?(null!==this.word&&this.currentObject.push(this.word),this.word=null,void(this.state=h)):\"]\"===t?(this.level--,null!==this.word&&(this.currentObject.push(this.word),this.word=null),this.state=h,this.currentObject=this.stack.pop(),void(this.currentObject||(this.state=-1))):void 0},c.prototype.number=function(t){if(!d.test(t)){if(u.test(t))return this.word=parseFloat(this.word),void this.afterItem(t);throw new Error(\"havn't handled \\\"\"+t+'\" in number yet, index '+this.place)}this.word+=t},c.prototype.quoted=function(t){'\"'!==t?this.word+=t:this.state=5},c.prototype.keyword=function(t){if(a.test(t))this.word+=t;else{if(\"[\"===t){var e=[];return e.push(this.word),this.level++,null===this.root?this.root=e:this.currentObject.push(e),this.stack.push(this.currentObject),this.currentObject=e,void(this.state=h)}if(!u.test(t))throw new Error(\"havn't handled \\\"\"+t+'\" in keyword yet, index '+this.place);this.afterItem(t)}},c.prototype.neutral=function(t){if(n.test(t))return this.word=t,void(this.state=2);if('\"'===t)return this.word=\"\",void(this.state=4);if(d.test(t))return this.word=t,void(this.state=3);if(!u.test(t))throw new Error(\"havn't handled \\\"\"+t+'\" in neutral yet, index '+this.place);this.afterItem(t)},c.prototype.output=function(){for(;this.place90&&a*o.R2D<-90&&h*o.R2D>180&&h*o.R2D<-180)return null;if(Math.abs(Math.abs(a)-o.HALF_PI)<=o.EPSLN)return null;if(this.sphere)i=this.x0+this.a*this.k0*(0,n.default)(h-this.long0),s=this.y0+this.a*this.k0*Math.log(Math.tan(o.FORTPI+.5*a));else{var e=Math.sin(a),r=(0,l.default)(this.e,a,e);i=this.x0+this.a*this.k0*(0,n.default)(h-this.long0),s=this.y0-this.a*this.k0*Math.log(r)}return t.x=i,t.y=s,t}function M(t){var i,s,h=t.x-this.x0,a=t.y-this.y0;if(this.sphere)s=o.HALF_PI-2*Math.atan(Math.exp(-a/(this.a*this.k0)));else{var e=Math.exp(-a/(this.a*this.k0));if(-9999===(s=(0,u.default)(this.e,e)))return null}return i=(0,n.default)(this.long0+h/(this.a*this.k0)),t.x=i,t.y=s,t}s.names=[\"Mercator\",\"Popular Visualisation Pseudo Mercator\",\"Mercator_1SP\",\"Mercator_Auxiliary_Sphere\",\"merc\"],s.default={init:f,forward:_,inverse:M,names:s.names}},\n", " function _(t,n,r,u,a){u(),r.default=function(t,n,r){var u=t*n;return r/Math.sqrt(1-u*u)}},\n", " function _(t,n,u,a,f){a(),u.default=function(t){return Math.abs(t)<=o.SPI?t:t-(0,_.default)(t)*o.TWO_PI};const e=t(1),o=t(155),_=e.__importDefault(t(167))},\n", " function _(n,t,u,f,c){f(),u.default=function(n){return n<0?-1:1}},\n", " function _(t,n,a,o,u){o(),a.default=function(t,n,a){var o=t*a,u=.5*t;return o=Math.pow((1-o)/(1+o),u),Math.tan(.5*(c.HALF_PI-n))/o};const c=t(155)},\n", " function _(t,a,n,r,f){r(),n.default=function(t,a){for(var n,r,f=.5*t,o=h.HALF_PI-2*Math.atan(a),u=0;u<=15;u++)if(n=t*Math.sin(o),o+=r=h.HALF_PI-2*Math.atan(a*Math.pow((1-n)/(1+n),f))-o,Math.abs(r)<=1e-10)return o;return-9999};const h=t(155)},\n", " function _(n,i,e,t,r){function a(){}function f(n){return n}t(),e.init=a,e.forward=f,e.inverse=f,e.names=[\"longlat\",\"identity\"],e.default={init:a,forward:f,inverse:f,names:e.names}},\n", " function _(t,r,e,a,n){a(),e.eccentricity=function(t,r,e,a){var n=t*t,f=r*r,u=(n-f)/n,c=0;a?(n=(t*=1-u*(i.SIXTH+u*(i.RA4+u*i.RA6)))*t,u=0):c=Math.sqrt(u);return{es:u,e:c,ep2:(n-f)/f}},e.sphere=function(t,r,e,a,n){if(!t){var f=(0,c.default)(u.default,a);f||(f=u.WGS84),t=f.a,r=f.b,e=f.rf}e&&!r&&(r=(1-1/e)*t);(0===e||Math.abs(t-r)3&&(0===s.datum_params[3]&&0===s.datum_params[4]&&0===s.datum_params[5]&&0===s.datum_params[6]||(s.datum_type=d.PJD_7PARAM,s.datum_params[3]*=d.SEC_TO_RAD,s.datum_params[4]*=d.SEC_TO_RAD,s.datum_params[5]*=d.SEC_TO_RAD,s.datum_params[6]=s.datum_params[6]/1e6+1))),r&&(s.datum_type=d.PJD_GRIDSHIFT,s.grids=r),s.a=_,s.b=t,s.es=u,s.ep2=p,s}},\n", " function _(t,e,n,r,i){r(),n.default=function(t,e){var n=new DataView(e),r=function(t){var e=t.getInt32(8,!1);if(11===e)return!1;e=t.getInt32(8,!0),11!==e&&console.warn(\"Failed to detect nadgrid endian-ness, defaulting to little-endian\");return!0}(n),i=function(t,e){return{nFields:t.getInt32(8,e),nSubgridFields:t.getInt32(24,e),nSubgrids:t.getInt32(40,e),shiftType:a(t,56,64).trim(),fromSemiMajorAxis:t.getFloat64(120,e),fromSemiMinorAxis:t.getFloat64(136,e),toSemiMajorAxis:t.getFloat64(152,e),toSemiMinorAxis:t.getFloat64(168,e)}}(n,r),o=function(t,e,n){for(var r=176,i=[],u=0;ua.y||N>a.x||g1e-12&&Math.abs(n.y)>1e-12);if(d<0)return console.log(\"Inverse grid shift iterator failed to converge.\"),a;a.x=(0,u.default)(l.x+t.ll[0]),a.y=l.y+t.ll[1]}else isNaN(l.x)||(a.x=r.x+l.x,a.y=r.y+l.y);return a}function f(r,e){var t,a={x:r.x/e.del[0],y:r.y/e.del[1]},i=Math.floor(a.x),l=Math.floor(a.y),n=a.x-1*i,o=a.y-1*l,u={x:Number.NaN,y:Number.NaN};if(i<0||i>=e.lim[0])return u;if(l<0||l>=e.lim[1])return u;t=l*e.lim[0]+i;var d=e.cvs[t][0],s=e.cvs[t][1];t++;var y=e.cvs[t][0],f=e.cvs[t][1];t+=e.lim[0];var x=e.cvs[t][0],m=e.cvs[t][1];t--;var N=e.cvs[t][0],c=e.cvs[t][1],_=n*o,g=n*(1-o),v=(1-n)*(1-o),S=(1-n)*o;return u.x=v*d+g*y+S*N+_*x,u.y=v*s+g*f+S*c+_*m,u}},\n", " function _(a,t,r,m,s){m(),r.compareDatums=function(a,t){return a.datum_type===t.datum_type&&(!(a.a!==t.a||Math.abs(a.es-t.es)>5e-11)&&(a.datum_type===u.PJD_3PARAM?a.datum_params[0]===t.datum_params[0]&&a.datum_params[1]===t.datum_params[1]&&a.datum_params[2]===t.datum_params[2]:a.datum_type!==u.PJD_7PARAM||a.datum_params[0]===t.datum_params[0]&&a.datum_params[1]===t.datum_params[1]&&a.datum_params[2]===t.datum_params[2]&&a.datum_params[3]===t.datum_params[3]&&a.datum_params[4]===t.datum_params[4]&&a.datum_params[5]===t.datum_params[5]&&a.datum_params[6]===t.datum_params[6]))},r.geodeticToGeocentric=function(a,t,r){var m,s,_,e,n=a.x,d=a.y,i=a.z?a.z:0;if(d<-u.HALF_PI&&d>-1.001*u.HALF_PI)d=-u.HALF_PI;else if(d>u.HALF_PI&&d<1.001*u.HALF_PI)d=u.HALF_PI;else{if(d<-u.HALF_PI)return{x:-1/0,y:-1/0,z:a.z};if(d>u.HALF_PI)return{x:1/0,y:1/0,z:a.z}}n>Math.PI&&(n-=2*Math.PI);return s=Math.sin(d),e=Math.cos(d),_=s*s,{x:((m=r/Math.sqrt(1-t*_))+i)*e*Math.cos(n),y:(m+i)*e*Math.sin(n),z:(m*(1-t)+i)*s}},r.geocentricToGeodetic=function(a,t,r,m){var s,_,e,n,d,i,p,P,y,z,M,o,A,c,x,h,f=1e-12,I=a.x,F=a.y,H=a.z?a.z:0;if(s=Math.sqrt(I*I+F*F),_=Math.sqrt(I*I+F*F+H*H),s/r1e-24&&A<30);return x=Math.atan(M/Math.abs(z)),{x:c,y:x,z:h}},r.geocentricToWgs84=function(a,t,r){if(t===u.PJD_3PARAM)return{x:a.x+r[0],y:a.y+r[1],z:a.z+r[2]};if(t===u.PJD_7PARAM){var m=r[0],s=r[1],_=r[2],e=r[3],n=r[4],d=r[5],i=r[6];return{x:i*(a.x-d*a.y+n*a.z)+m,y:i*(d*a.x+a.y-e*a.z)+s,z:i*(-n*a.x+e*a.y+a.z)+_}}},r.geocentricFromWgs84=function(a,t,r){if(t===u.PJD_3PARAM)return{x:a.x-r[0],y:a.y-r[1],z:a.z-r[2]};if(t===u.PJD_7PARAM){var m=r[0],s=r[1],_=r[2],e=r[3],n=r[4],d=r[5],i=r[6],p=(a.x-m)/i,P=(a.y-s)/i,y=(a.z-_)/i;return{x:p+d*P-n*y,y:-d*p+P+e*y,z:n*p-e*P+y}}};const u=a(155)},\n", " function _(e,a,i,s,n){s(),i.default=function(e,a,i){var s,n,r,c=i.x,d=i.y,f=i.z||0,u={};for(r=0;r<3;r++)if(!a||2!==r||void 0!==i.z)switch(0===r?(s=c,n=-1!==\"ew\".indexOf(e.axis[r])?\"x\":\"y\"):1===r?(s=d,n=-1!==\"ns\".indexOf(e.axis[r])?\"y\":\"x\"):(s=f,n=\"z\"),e.axis[r]){case\"e\":case\"n\":u[n]=s;break;case\"w\":case\"s\":u[n]=-s;break;case\"u\":void 0!==i[n]&&(u.z=s);break;case\"d\":void 0!==i[n]&&(u.z=-s);break;default:return null}return u}},\n", " function _(n,t,e,u,f){u(),e.default=function(n){var t={x:n[0],y:n[1]};n.length>2&&(t.z=n[2]);n.length>3&&(t.m=n[3]);return t}},\n", " function _(e,i,n,t,r){function o(e){if(\"function\"==typeof Number.isFinite){if(Number.isFinite(e))return;throw new TypeError(\"coordinates must be finite numbers\")}if(\"number\"!=typeof e||e!=e||!isFinite(e))throw new TypeError(\"coordinates must be finite numbers\")}t(),n.default=function(e){o(e.x),o(e.y)}},\n", " function _(e,i,s,t,o){var l,a,n,c,r;t();const _=e(1),p=e(183),d=e(95),T=_.__importStar(e(19));class h extends p.MarkingView{}s.ArrowHeadView=h,h.__name__=\"ArrowHeadView\";class v extends p.Marking{constructor(e){super(e)}}s.ArrowHead=v,l=v,v.__name__=\"ArrowHead\",l.define((()=>({size:[T.NumberSpec,25]})));class m extends h{clip(e,i){this.visuals.line.set_vectorize(e,i);const s=this.size.get(i);e.moveTo(.5*s,s),e.lineTo(.5*s,-2),e.lineTo(-.5*s,-2),e.lineTo(-.5*s,s),e.lineTo(0,0),e.lineTo(.5*s,s)}paint(e,i){const s=this.size.get(i);e.beginPath(),e.moveTo(.5*s,s),e.lineTo(0,0),e.lineTo(-.5*s,s),this.visuals.line.apply(e,i)}}s.OpenHeadView=m,m.__name__=\"OpenHeadView\";class u extends v{constructor(e){super(e)}}s.OpenHead=u,a=u,u.__name__=\"OpenHead\",a.prototype.default_view=m,a.mixins(d.LineVector);class V extends h{clip(e,i){this.visuals.line.set_vectorize(e,i);const s=this.size.get(i);e.moveTo(.5*s,s),e.lineTo(.5*s,-2),e.lineTo(-.5*s,-2),e.lineTo(-.5*s,s),e.lineTo(.5*s,s)}paint(e,i){const s=this.size.get(i);e.beginPath(),e.moveTo(.5*s,s),e.lineTo(0,0),e.lineTo(-.5*s,s),e.closePath(),this.visuals.fill.apply(e,i),this.visuals.hatch.apply(e,i),this.visuals.line.apply(e,i)}}s.NormalHeadView=V,V.__name__=\"NormalHeadView\";class H extends v{constructor(e){super(e)}}s.NormalHead=H,n=H,H.__name__=\"NormalHead\",n.prototype.default_view=V,n.mixins([d.LineVector,d.FillVector,d.HatchVector]),n.override({fill_color:\"black\"});class w extends h{clip(e,i){this.visuals.line.set_vectorize(e,i);const s=this.size.get(i);e.moveTo(.5*s,s),e.lineTo(.5*s,-2),e.lineTo(-.5*s,-2),e.lineTo(-.5*s,s),e.lineTo(0,.5*s),e.lineTo(.5*s,s)}paint(e,i){const s=this.size.get(i);e.beginPath(),e.moveTo(.5*s,s),e.lineTo(0,0),e.lineTo(-.5*s,s),e.lineTo(0,.5*s),e.closePath(),this.visuals.fill.apply(e,i),this.visuals.hatch.apply(e,i),this.visuals.line.apply(e,i)}}s.VeeHeadView=w,w.__name__=\"VeeHeadView\";class x extends v{constructor(e){super(e)}}s.VeeHead=x,c=x,x.__name__=\"VeeHead\",c.prototype.default_view=w,c.mixins([d.LineVector,d.FillVector,d.HatchVector]),c.override({fill_color:\"black\"});class g extends h{paint(e,i){const s=this.size.get(i);e.beginPath(),e.moveTo(.5*s,0),e.lineTo(-.5*s,0),this.visuals.line.apply(e,i)}clip(e,i){}}s.TeeHeadView=g,g.__name__=\"TeeHeadView\";class y extends v{constructor(e){super(e)}}s.TeeHead=y,r=y,y.__name__=\"TeeHead\",r.prototype.default_view=g,r.mixins(d.LineVector)},\n", " function _(t,e,n,i,s){var a;i();const r=t(1),o=t(52),c=t(64),_=r.__importStar(t(99)),p=r.__importStar(t(19));class u extends c.DOMComponentView{initialize(){super.initialize(),this.visuals=new _.Visuals(this)}request_paint(){this.parent.request_paint()}get canvas(){return this.parent.canvas}set_data(t,e){const n=this;for(const i of this.model){if(!(i instanceof p.VectorSpec||i instanceof p.ScalarSpec))continue;const s=i.uniform(t).select(e);n[`${i.attr}`]=s}}}n.MarkingView=u,u.__name__=\"MarkingView\";class l extends o.Model{constructor(t){super(t)}}n.Marking=l,a=l,l.__name__=\"Marking\",a.define((({})=>({})))},\n", " function _(t,e,i,o,a){var r;o();const n=t(1),_=t(96),s=t(185),l=t(198),h=t(202),c=t(207),p=t(204),u=t(213),m=t(205),d=t(256),f=t(206),g=t(269),w=t(271),b=t(188),y=t(21),x=n.__importStar(t(95)),v=t(135),k=t(138),j=t(272),z=t(187),B=t(69),S=t(62),L=t(8);class T extends _.AnnotationView{get orientation(){return this._orientation}*children(){yield*super.children(),yield this._axis_view,yield this._title_view}initialize(){super.initialize();const{ticker:t,formatter:e}=this.model;this._ticker=\"auto\"!=t?t:this._create_ticker(),this._formatter=\"auto\"!=e?e:this._create_formatter(),this._major_range=this._create_major_range(),this._major_scale=this._create_major_scale(),this._minor_range=new w.Range1d({start:0,end:1}),this._minor_scale=new g.LinearScale,this._frame=new l.CartesianFrame({x_scale:this._major_scale,y_scale:this._minor_scale,x_range:this._major_range,y_range:this._minor_range}),this._axis=this._create_axis(),this._apply_axis_properties(),this._title=new s.Title,this._apply_title_properties()}async lazy_initialize(){await super.lazy_initialize();const t=this,e={get parent(){return t.parent},get root(){return t.root},get frame(){return t._frame_view},get frame_view(){return t._frame_view},get canvas_view(){return t.parent.canvas_view},request_layout(){t.layout.dirty=!0,t.parent.request_layout()},request_paint(){t.parent.request_paint(t)},notify_finished_after_paint(){t.parent.notify_finished_after_paint()}};this._frame_view=await(0,B.build_view)(this._frame,{parent:e}),this._axis_view=await(0,B.build_view)(this._axis,{parent:e}),this._title_view=await(0,B.build_view)(this._title,{parent:e})}remove(){this._title_view.remove(),this._axis_view.remove(),super.remove()}_apply_axis_properties(){const t={ticker:this._ticker,formatter:this._formatter,major_label_standoff:this.model.label_standoff,axis_line_color:null,major_tick_in:this.model.major_tick_in,major_tick_out:this.model.major_tick_out,minor_tick_in:this.model.minor_tick_in,minor_tick_out:this.model.minor_tick_out,major_label_overrides:this.model.major_label_overrides,major_label_policy:this.model.major_label_policy,...x.attrs_of(this.model,\"major_label_\",x.Text,!0),...x.attrs_of(this.model,\"major_tick_\",x.Line,!0),...x.attrs_of(this.model,\"minor_tick_\",x.Line,!0)};this._axis.setv(t)}_apply_title_properties(){const t={text:this.model.title??\"\",standoff:this.model.title_standoff,...x.attrs_of(this.model,\"title_\",x.Text,!1)};this._title.setv(t)}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>{this._apply_title_properties(),this._apply_axis_properties()})),this.connect(this._ticker.change,(()=>this.request_paint())),this.connect(this._formatter.change,(()=>this.request_paint()))}_update_frame(){const[t,e,i,o]=(()=>\"horizontal\"==this.orientation?[this._major_scale,this._minor_scale,this._major_range,this._minor_range]:[this._minor_scale,this._major_scale,this._minor_range,this._major_range])();this._frame.setv({x_scale:t,y_scale:e,x_range:i,y_range:o})}update_layout(){const{location:t,width:e,height:i,padding:o,margin:a}=this.model,[r,n]=(()=>{if(!(0,L.isString)(t))return[\"end\",\"start\"];switch(t){case\"top_left\":return[\"start\",\"start\"];case\"top\":case\"top_center\":return[\"start\",\"center\"];case\"top_right\":return[\"start\",\"end\"];case\"bottom_left\":return[\"end\",\"start\"];case\"bottom\":case\"bottom_center\":return[\"end\",\"center\"];case\"bottom_right\":return[\"end\",\"end\"];case\"left\":case\"center_left\":return[\"center\",\"start\"];case\"center\":case\"center_center\":return[\"center\",\"center\"];case\"right\":case\"center_right\":return[\"center\",\"end\"]}})(),_=this._orientation=(()=>{const{orientation:t}=this.model;return\"auto\"==t?null!=this.panel?this.panel.is_horizontal?\"horizontal\":\"vertical\":\"start\"==n||\"end\"==n||\"center\"==r?\"vertical\":\"horizontal\":t})();this._update_frame();const s=new k.NodeLayout,l=new k.VStack,h=new k.VStack,c=new k.HStack,p=new k.HStack;s.absolute=!0,l.absolute=!0,h.absolute=!0,c.absolute=!0,p.absolute=!0,s.on_resize((t=>this._frame_view.set_geometry(t)));const u=new j.BorderLayout;this._inner_layout=u,u.absolute=!0,u.center_panel=s,u.top_panel=l,u.bottom_panel=h,u.left_panel=c,u.right_panel=p;const m={left:o,right:o,top:o,bottom:o},d=(()=>{if(null==this.panel){if((0,L.isString)(t))return{left:a,right:a,top:a,bottom:a};{const[e,i]=t;return{left:e,right:a,top:a,bottom:i}}}if(!(0,L.isString)(t)){const[e,i]=t;return u.fixup_geometry=(t,o)=>{const a=t,r=this.layout.bbox,{width:n,height:_}=t;if(t=new S.BBox({left:r.left+e,bottom:r.bottom-i,width:n,height:_}),null!=o){const e=t.left-a.left,i=t.top-a.top,{left:r,top:n,width:_,height:s}=o;o=new S.BBox({left:r+e,top:n+i,width:_,height:s})}return[t,o]},{left:e,right:0,top:0,bottom:i}}u.fixup_geometry=(t,e)=>{const i=t;if(\"horizontal\"==_){const{top:e,width:i,height:o}=t;if(\"end\"==n){const{right:a}=this.layout.bbox;t=new S.BBox({right:a,top:e,width:i,height:o})}else if(\"center\"==n){const{hcenter:a}=this.layout.bbox;t=new S.BBox({hcenter:Math.round(a),top:e,width:i,height:o})}}else{const{left:e,width:i,height:o}=t;if(\"end\"==r){const{bottom:a}=this.layout.bbox;t=new S.BBox({left:e,bottom:a,width:i,height:o})}else if(\"center\"==r){const{vcenter:a}=this.layout.bbox;t=new S.BBox({left:e,vcenter:Math.round(a),width:i,height:o})}}if(null!=e){const o=t.left-i.left,a=t.top-i.top,{left:r,top:n,width:_,height:s}=e;e=new S.BBox({left:r+o,top:n+a,width:_,height:s})}return[t,e]}})();let f,g,w,b;if(u.padding=m,null!=this.panel)f=\"max\",g=void 0,w=void 0,b=void 0;else if(\"auto\"==(\"horizontal\"==_?e:i)){f=\"fixed\";const t=this._get_major_size_factor();null!=t&&(g=25*t),w={percent:.3},b={percent:.8}}else f=\"fit\",g=void 0;if(\"horizontal\"==_){const t=\"auto\"==e?void 0:e,o=\"auto\"==i?25:i;u.set_sizing({width_policy:f,height_policy:\"min\",width:g,min_width:w,max_width:b,halign:n,valign:r,margin:d}),u.center_panel.set_sizing({width_policy:\"auto\"==e?\"fit\":\"fixed\",height_policy:\"fixed\",width:t,height:o})}else{const t=\"auto\"==e?25:e,o=\"auto\"==i?void 0:i;u.set_sizing({width_policy:\"min\",height_policy:f,height:g,min_height:w,max_height:b,halign:n,valign:r,margin:d}),u.center_panel.set_sizing({width_policy:\"fixed\",height_policy:\"auto\"==i?\"fit\":\"fixed\",width:t,height:o})}l.set_sizing({width_policy:\"fit\",height_policy:\"min\"}),h.set_sizing({width_policy:\"fit\",height_policy:\"min\"}),c.set_sizing({width_policy:\"min\",height_policy:\"fit\"}),p.set_sizing({width_policy:\"min\",height_policy:\"fit\"});const{_title_view:y}=this;\"horizontal\"==_?(y.panel=new z.SidePanel(\"above\"),y.update_layout(),l.children.push(y.layout)):(y.panel=new z.SidePanel(\"left\"),y.update_layout(),c.children.push(y.layout));const{panel:x}=this,B=null!=x&&_==x.orientation?x.side:\"horizontal\"==_?\"below\":\"right\",T=(()=>{switch(B){case\"above\":return l;case\"below\":return h;case\"left\":return c;case\"right\":return p}})(),{_axis_view:q}=this;if(q.panel=new z.SidePanel(B),q.update_layout(),null!=q.layout&&T.children.push(q.layout),null!=this.panel){const t=new v.Grid([{layout:u,row:0,col:0}]);t.absolute=!0,\"horizontal\"==_?t.set_sizing({width_policy:\"max\",height_policy:\"min\"}):t.set_sizing({width_policy:\"min\",height_policy:\"max\"}),this.layout=t}else this.layout=this._inner_layout;const{visible:A}=this.model;this.layout.sizing.visible=A}_create_axis(){return new c.LinearAxis}_create_formatter(){return new d.BasicTickFormatter}_create_major_range(){return new w.Range1d({start:0,end:1})}_create_major_scale(){return new g.LinearScale}_create_ticker(){return new u.BasicTicker}_get_major_size_factor(){return null}_paint(t){t.save(),this._paint_bbox(t,this._inner_layout.bbox),this._paint_colors(t,this._inner_layout.center_panel.bbox),this._title_view.paint(t),this._axis_view.paint(t),t.restore()}_paint_bbox(t,e){const{x:i,y:o}=e;let{width:a,height:r}=e;i+a>=this.parent.canvas_view.bbox.width&&(a-=1),o+r>=this.parent.canvas_view.bbox.height&&(r-=1),t.save(),t.beginPath(),t.rect(i,o,a,r),this.visuals.background_fill.apply(t),this.visuals.background_hatch.apply(t),this.visuals.border_line.apply(t),t.restore()}}i.BaseColorBarView=T,T.__name__=\"BaseColorBarView\";class q extends _.Annotation{constructor(t){super(t)}}i.BaseColorBar=q,r=q,q.__name__=\"BaseColorBar\",r.mixins([[\"major_label_\",x.Text],[\"title_\",x.Text],[\"major_tick_\",x.Line],[\"minor_tick_\",x.Line],[\"border_\",x.Line],[\"bar_\",x.Line],[\"background_\",x.Fill],[\"background_\",x.Hatch]]),r.define((({Float:t,Str:e,Tuple:i,Or:o,Ref:a,Auto:r,Nullable:n})=>({location:[o(y.Anchor,i(t,t)),\"top_right\"],orientation:[o(y.Orientation,r),\"auto\"],title:[n(o(e,a(b.BaseText))),null],title_standoff:[t,2],width:[o(t,r),\"auto\"],height:[o(t,r),\"auto\"],ticker:[o(a(p.Ticker),r),\"auto\"],formatter:[o(a(m.TickFormatter),r),\"auto\"],major_label_overrides:[h.LabelOverrides,new Map],major_label_policy:[a(f.LabelingPolicy),()=>new f.NoOverlap],label_standoff:[t,5],margin:[t,30],padding:[t,10],major_tick_in:[t,5],major_tick_out:[t,0],minor_tick_in:[t,0],minor_tick_out:[t,0]}))),r.override({background_fill_color:\"#ffffff\",background_fill_alpha:.95,bar_line_color:null,border_line_color:null,major_label_text_font_size:\"11px\",major_tick_line_color:\"#ffffff\",minor_tick_line_color:null,title_text_font_size:\"13px\",title_text_font_style:\"italic\"})},\n", " function _(e,t,i,a,s){var o;a();const r=e(1),n=e(186),c=e(21),l=r.__importStar(e(127));class h extends n.TextAnnotationView{_get_position(){const e=this.model.offset,t=this.model.standoff/2,{align:i,vertical_align:a}=this.model;let s,o;const{bbox:r}=this.layout;switch(this.panel.side){case\"above\":case\"below\":switch(a){case\"top\":o=r.top+t;break;case\"middle\":o=r.vcenter;break;case\"bottom\":o=r.bottom-t}switch(i){case\"left\":s=r.left+e;break;case\"center\":s=r.hcenter;break;case\"right\":s=r.right-e}break;case\"left\":switch(a){case\"top\":s=r.left+t;break;case\"middle\":s=r.hcenter;break;case\"bottom\":s=r.right-t}switch(i){case\"left\":o=r.bottom-e;break;case\"center\":o=r.vcenter;break;case\"right\":o=r.top+e}break;case\"right\":switch(a){case\"top\":s=r.right-t;break;case\"middle\":s=r.hcenter;break;case\"bottom\":s=r.left+t}switch(i){case\"left\":o=r.top+e;break;case\"center\":o=r.vcenter;break;case\"right\":o=r.bottom-e}}return{sx:s,sy:o}}get anchor(){const{align:e,vertical_align:t}=this.model;return l.text_anchor(\"auto\",e,t)}get origin(){return this._get_position()}get angle(){return this.panel.get_label_angle_heuristic(\"parallel\")}_get_size(){const e=e=>0==e?0:2+e+this.model.standoff,{width:t,height:i}=super._get_size();return this.panel.is_horizontal?{width:t,height:e(i)}:{width:e(t),height:i}}}i.TitleView=h,h.__name__=\"TitleView\";class _ extends n.TextAnnotation{constructor(e){super(e)}}i.Title=_,o=_,_.__name__=\"Title\",o.prototype.default_view=h,o.define((({Float:e})=>({vertical_align:[c.VerticalAlign,\"bottom\"],align:[c.TextAlign,\"left\"],offset:[e,0],standoff:[e,10]}))),o.override({text_font_size:\"13px\",text_font_style:\"bold\",text_line_height:1})},\n", " function _(t,i,e,s,n){var a;s();const r=t(1),o=t(96),d=t(187),_=t(188),h=t(69),l=t(8),c=t(189),u=t(124),g=r.__importStar(t(127)),p=t(62),x=t(197),w=r.__importStar(t(95));class y extends o.AnnotationView{*children(){yield*super.children(),yield this._text_view}async lazy_initialize(){await super.lazy_initialize(),await this._init_text()}async _init_text(){const{text:t}=this.model,i=(0,l.isString)(t)?(0,c.parse_delimited_string)(t):t;this._text_view=await(0,h.build_view)(i,{parent:this})}update_layout(){const{panel:t}=this;this.layout=null!=t?new d.SideLayout(t,(()=>this.get_size()),!1):void 0}connect_signals(){super.connect_signals();const{text:t}=this.model.properties;this.on_change(t,(async()=>{this._text_view.remove(),await this._init_text()})),this.connect(this.model.change,(()=>this.request_paint()))}remove(){this._text_view.remove(),super.remove()}has_finished(){return!!super.has_finished()&&!!this._text_view.has_finished()}get displayed(){return super.displayed&&\"\"!=this._text_view.model.text&&this.visuals.text.doit}get padding(){return g.padding(this.model.padding)}get border_radius(){return g.border_radius(this.model.border_radius)}_get_size(){if(!this.displayed)return{width:0,height:0};const t=this._text_view.graphics();t.angle=this.angle,t.align=\"auto\",t.visuals=this.visuals.text.values();const i=t.size(),{padding:e}=this;return{width:i.width+e.left+e.right,height:i.height+e.top+e.bottom}}compute_geometry(){super.compute_geometry();const t=this._text_view.graphics();t.position={sx:0,sy:0,x_anchor:\"left\",y_anchor:\"top\"},t.angle=0,t.align=\"auto\",t.visuals=this.visuals.text.values();const i=t.size(),{sx:e,sy:s}=this.origin,{anchor:n,padding:a,border_radius:r,angle:o}=this,d=i.width+a.left+a.right,_=i.height+a.top+a.bottom;this._text_box=t,this._rect={sx:e,sy:s,width:d,height:_,angle:o,anchor:n,padding:a,border_radius:r}}_paint(t){const{sx:i,sy:e,width:s,height:n,angle:a,anchor:r,padding:o,border_radius:d}=this._rect,_=this._text_box,h=r.x*s,l=r.y*n;t.translate(i,e),t.rotate(a),t.translate(-h,-l);const{background_fill:c,background_hatch:u,border_line:g,text:w}=this.visuals;if(c.doit||u.doit||g.doit){t.beginPath();const i=new p.BBox({x:0,y:0,width:s,height:n});(0,x.round_rect)(t,i,d),c.apply(t),u.apply(t),g.apply(t)}if(w.doit){const{left:i,top:e}=o;t.translate(i,e),_.paint(t),t.translate(-i,-e)}t.translate(h,l),t.rotate(-a),t.translate(-i,-e)}}e.TextAnnotationView=y,y.__name__=\"TextAnnotationView\";class v extends o.Annotation{constructor(t){super(t)}}e.TextAnnotation=v,a=v,v.__name__=\"TextAnnotation\",a.mixins([w.Text,[\"border_\",w.Line],[\"background_\",w.Fill],[\"background_\",w.Hatch]]),a.define((({Str:t,Or:i,Ref:e})=>({text:[i(t,e(_.BaseText)),\"\"],padding:[u.Padding,0],border_radius:[u.BorderRadius,0]}))),a.override({border_line_color:null,background_fill_color:null})},\n", " function _(t,e,i,l,a){l();const r=t(136),o=t(137),n=t(8),s=Math.PI/2,h={above:{parallel:0,normal:-s,horizontal:0,vertical:-s},below:{parallel:0,normal:s,horizontal:0,vertical:s},left:{parallel:-s,normal:0,horizontal:0,vertical:-s},right:{parallel:s,normal:0,horizontal:0,vertical:s}},c={above:{parallel:\"bottom\",normal:\"center\",horizontal:\"bottom\",vertical:\"center\"},below:{parallel:\"top\",normal:\"center\",horizontal:\"top\",vertical:\"center\"},left:{parallel:\"bottom\",normal:\"center\",horizontal:\"center\",vertical:\"bottom\"},right:{parallel:\"bottom\",normal:\"center\",horizontal:\"center\",vertical:\"bottom\"}},_={above:{parallel:\"center\",normal:\"left\",horizontal:\"center\",vertical:\"left\"},below:{parallel:\"center\",normal:\"left\",horizontal:\"center\",vertical:\"left\"},left:{parallel:\"center\",normal:\"right\",horizontal:\"right\",vertical:\"center\"},right:{parallel:\"center\",normal:\"left\",horizontal:\"left\",vertical:\"center\"}},g={above:\"right\",below:\"left\",left:\"right\",right:\"left\"},b={above:\"left\",below:\"right\",left:\"right\",right:\"left\"};class d{constructor(t,e){this.side=t,this.face=(()=>{if(null!=e&&\"auto\"!=e)return e;switch(this.side){case\"left\":case\"above\":return\"front\";case\"right\":case\"below\":return\"back\"}})(),this.dimension=\"above\"==this.side||\"below\"==this.side?0:1,this.orientation=0==this.dimension?\"horizontal\":\"vertical\",this.is_horizontal=0==this.dimension,this.is_vertical=1==this.dimension,this.normals=(()=>{const t=\"front\"==this.face?-1:1;switch(this.side){case\"left\":case\"right\":return[t,0];case\"above\":case\"below\":return[0,t]}})()}get face_adjusted_side(){const{side:t,face:e}=this;switch(t){case\"left\":case\"right\":return\"front\"==e?\"left\":\"right\";case\"above\":case\"below\":return\"front\"==e?\"above\":\"below\"}}get_label_text_heuristics(t){const e=this.face_adjusted_side;return(0,n.isString)(t)?{vertical_align:c[e][t],align:_[e][t]}:{vertical_align:\"center\",align:(t<0?g:b)[e]}}get_label_angle_heuristic(t){if((0,n.isString)(t)){const e=this.face_adjusted_side;return h[e][t]}return-t}}i.SidePanel=d,d.__name__=\"SidePanel\";class f extends o.ContentLayoutable{constructor(t,e,i=!1){super(),this.panel=t,this.get_size=e,this.rotate=i,this.panel.is_horizontal?this.set_sizing({width_policy:\"max\",height_policy:\"fixed\"}):this.set_sizing({width_policy:\"fixed\",height_policy:\"max\"})}_content_size(){const{width:t,height:e}=this.get_size();return!this.rotate||this.panel.is_horizontal?new r.Sizeable({width:t,height:e}):new r.Sizeable({width:e,height:t})}has_size_changed(){const{width:t,height:e}=this._content_size();return this.panel.is_horizontal?this.bbox.height!=e:this.bbox.width!=t}}i.SideLayout=f,f.__name__=\"SideLayout\"},\n", " function _(e,s,t,a,n){var _;a();const x=e(52),c=e(65);class i extends c.View{}t.BaseTextView=i,i.__name__=\"BaseTextView\";class o extends x.Model{constructor(e){super(e)}}t.BaseText=o,_=o,o.__name__=\"BaseText\",_.define((({Str:e})=>({text:[e]})))},\n", " function _(n,e,t,i,r){i(),t.parse_delimited_string=function(n){const e=[];for(const t of c){const i=d(t.start),r=d(t.end),o=new RegExp(`${i}([^]*?)${r}`,\"gm\");for(const i of n.matchAll(o)){const{index:n}=i,[r,o]=i;e.push({index:n,outer:r,inner:o,delim:t})}}if(e.length>0){if(1==e.length){const[t]=e,i=t.index,r=t.outer.length;if(0==i&&r==n.length){const n=t.inner;return new o.TeX({text:n,inline:t.delim.inline})}}let t=\"\",i=0;for(const r of(0,s.sort_by)(e,(n=>n.index))){const e=r.index;i<=e&&(t+=0!=e?`\\\\text{${n.slice(i,e)}}${r.inner}`:`${r.inner}`,i=e+r.outer.length)}return t+=i`\\\\${n}`)).join(\"\")}},\n", " function _(t,e,s,i,n){var h,o,r;i();const a=t(9),_=t(8),l=t(191),c=t(23),d=t(192),u=t(193),g=t(41),x=t(73),f=t(62),p=t(188),m=t(194);class y extends p.BaseTextView{constructor(){super(...arguments),this._position={sx:0,sy:0},this.align=\"left\",this._x_anchor=\"left\",this._y_anchor=\"center\",this._base_font_size=13,this.font_size_scale=1,this.svg_image=null}graphics(){return this}infer_text_height(){return\"ascent_descent\"}set base_font_size(t){null!=t&&(this._base_font_size=t)}get base_font_size(){return this._base_font_size}_rect(){const{width:t,height:e}=this._size(),{x:s,y:i}=this._computed_position();return new f.BBox({x:s,y:i,width:t,height:e}).rect}set position(t){this._position=t}get position(){return this._position}get text(){return this.model.text}get provider(){return m.default_provider}async lazy_initialize(){await super.lazy_initialize(),\"not_started\"==this.provider.status&&await this.provider.fetch()}connect_signals(){super.connect_signals(),this.on_change(this.model.properties.text,(()=>this.load_image()))}set visuals(t){const e=t.color,s=t.alpha,i=t.font_style;let n=t.font_size;const h=t.font,{font_size_scale:o,_base_font_size:r}=this,a=(0,u.parse_css_font_size)(n);if(null!=a){let{value:t,unit:e}=a;t*=o,\"em\"==e&&0!=r&&(t*=r,e=\"px\"),n=`${t}${e}`}const _=`${i} ${n} ${h}`;this.font=_,this.color=(0,c.color2css)(e,s);const l=t.align;this._x_anchor=l;const d=t.baseline;this._y_anchor=(()=>{switch(d){case\"top\":return\"top\";case\"middle\":return\"center\";case\"bottom\":return\"bottom\";default:return\"baseline\"}})()}_computed_position(){const{width:t,height:e}=this._size(),{sx:s,sy:i,x_anchor:n=this._x_anchor,y_anchor:h=this._y_anchor}=this.position,o=(0,u.font_metrics)(this.font);return{x:s-(()=>{if((0,_.isNumber)(n))return n*t;switch(n){case\"left\":return 0;case\"center\":return.5*t;case\"right\":return t}})(),y:i-(()=>{if((0,_.isNumber)(h))return h*e;switch(h){case\"top\":return o.height>e?e-(-this.valign-o.descent)-o.height:0;case\"center\":case\"baseline\":return.5*e;case\"bottom\":return o.height>e?e+o.descent+this.valign:e}})()}}size(){const{width:t,height:e}=this._size(),{angle:s}=this;if(null==s||0==s)return{width:t,height:e};{const i=Math.cos(Math.abs(s)),n=Math.sin(Math.abs(s));return{width:Math.abs(t*i+e*n),height:Math.abs(t*n+e*i)}}}get_image_dimensions(){const t=(0,u.font_metrics)(this.font),e=this.svg_element.getAttribute(\"style\")?.split(\";\");if(null!=e){const s=new Map;e.forEach((t=>{const[e,i]=t.split(\":\");\"\"!=e.trim()&&s.set(e.trim(),i.trim())}));const i=(0,u.parse_css_length)(s.get(\"vertical-align\"));\"ex\"==i?.unit?this.valign=i.value*t.x_height:\"px\"==i?.unit&&(this.valign=i.value)}const s=(()=>{const t=this.svg_element.getAttribute(\"width\"),e=this.svg_element.getAttribute(\"height\");return{width:null!=t&&t.endsWith(\"ex\")?parseFloat(t):1,height:null!=e&&e.endsWith(\"ex\")?parseFloat(e):1}})();return{width:t.x_height*s.width,height:t.x_height*s.height}}get truncated_text(){return this.model.text.length>6?`${this.model.text.substring(0,6)}...`:this.model.text}_size(){if(null==this.svg_image)return\"failed\"==this.provider.status||\"not_started\"==this.provider.status?{width:(0,d.text_width)(this.truncated_text,this.font),height:(0,u.font_metrics)(this.font).height}:{width:this._base_font_size,height:this._base_font_size};const t=(0,u.font_metrics)(this.font);let{width:e,height:s}=this.get_image_dimensions();s=Math.max(s,t.height);return{width:e*(\"%\"==this.width?.unit?this.width.value:1),height:s*(\"%\"==this.height?.unit?this.height.value:1)}}bbox(){const{p0:t,p1:e,p2:s,p3:i}=this.rect(),n=Math.min(t.x,e.x,s.x,i.x),h=Math.min(t.y,e.y,s.y,i.y),o=Math.max(t.x,e.x,s.x,i.x),r=Math.max(t.y,e.y,s.y,i.y);return new f.BBox({left:n,right:o,top:h,bottom:r})}rect(){const t=this._rect(),{angle:e}=this;if(null==e||0==e)return t;{const{sx:s,sy:i}=this.position,n=new x.AffineTransform;return n.translate(s,i),n.rotate(e),n.translate(-s,-i),n.apply_rect(t)}}paint_rect(t){const{p0:e,p1:s,p2:i,p3:n}=this.rect();t.save(),t.strokeStyle=\"red\",t.lineWidth=1,t.beginPath();const{round:h}=Math;t.moveTo(h(e.x),h(e.y)),t.lineTo(h(s.x),h(s.y)),t.lineTo(h(i.x),h(i.y)),t.lineTo(h(n.x),h(n.y)),t.closePath(),t.stroke(),t.restore()}paint_bbox(t){const{x:e,y:s,width:i,height:n}=this.bbox();t.save(),t.strokeStyle=\"blue\",t.lineWidth=1,t.beginPath();const{round:h}=Math;t.moveTo(h(e),h(s)),t.lineTo(h(e),h(s+n)),t.lineTo(h(e+i),h(s+n)),t.lineTo(h(e+i),h(s)),t.closePath(),t.stroke(),t.restore()}async request_image(){if(null==this.provider.MathJax)return;const t=this._process_text();if(null==t)return void(this._has_finished=!0);const e=t.children[0];this.svg_element=e,e.setAttribute(\"font\",this.font),e.setAttribute(\"stroke\",this.color);const s=e.outerHTML,i=`data:image/svg+xml;utf-8,${encodeURIComponent(s)}`;this.svg_image=await(0,l.load_image)(i)}async load_image(){await this.request_image(),this.parent.request_layout()}paint(t){null==this.svg_image&&(\"not_started\"!=this.provider.status&&\"loading\"!=this.provider.status||this.provider.ready.connect((()=>this.load_image())),\"loaded\"==this.provider.status&&this.load_image()),t.save();const{sx:e,sy:s}=this.position,{angle:i}=this;null!=i&&0!=i&&(t.translate(e,s),t.rotate(i),t.translate(-e,-s));const{x:n,y:h}=this._computed_position();if(null!=this.svg_image){const{width:e,height:s}=this.get_image_dimensions();t.drawImage(this.svg_image,n,h,e,s)}else\"failed\"!=this.provider.status&&\"not_started\"!=this.provider.status||(t.fillStyle=this.color,t.font=this.font,t.textAlign=\"left\",t.textBaseline=\"alphabetic\",t.fillText(this.truncated_text,n,h+(0,u.font_metrics)(this.font).ascent));t.restore(),this._has_finished||\"failed\"!=this.provider.status&&null==this.svg_image||(this._has_finished=!0,this.parent.notify_finished_after_paint())}}s.MathTextView=y,y.__name__=\"MathTextView\";class v extends p.BaseText{constructor(t){super(t)}}s.MathText=v,v.__name__=\"MathText\";class b extends y{get styled_text(){return this.text}_process_text(){}_size(){return{width:(0,d.text_width)(this.text,this.font),height:(0,u.font_metrics)(this.font).height}}paint(t){t.save();const{sx:e,sy:s}=this.position,{angle:i}=this;null!=i&&0!=i&&(t.translate(e,s),t.rotate(i),t.translate(-e,-s));const{x:n,y:h}=this._computed_position();t.fillStyle=this.color,t.font=this.font,t.textAlign=\"left\",t.textBaseline=\"alphabetic\",t.fillText(this.text,n,h+(0,u.font_metrics)(this.font).ascent),t.restore(),this._has_finished=!0,this.parent.notify_finished_after_paint()}}s.AsciiView=b,b.__name__=\"AsciiView\";class w extends v{constructor(t){super(t)}}s.Ascii=w,h=w,w.__name__=\"Ascii\",h.prototype.default_view=b;class M extends y{get styled_text(){let t=this.text.trim(),e=t.match(//s);return null==e?this.text.trim():(t=(0,g.insert_text_on_position)(t,t.indexOf(e[0])+e[0].length,``),e=t.match(/<\\/[^>]*?math.*?>/s),null==e?this.text.trim():(0,g.insert_text_on_position)(t,t.indexOf(e[0]),\"\"))}_process_text(){const t=(0,u.font_metrics)(this.font);return this.provider.MathJax?.mathml2svg(this.styled_text,{em:this.base_font_size,ex:t.x_height})}}s.MathMLView=M,M.__name__=\"MathMLView\";class z extends v{constructor(t){super(t)}}s.MathML=z,o=z,z.__name__=\"MathML\",o.prototype.default_view=M;class T extends y{get styled_text(){const[t,e,s]=(0,c.color2rgba)(this.color);return`\\\\color[RGB]{${t}, ${e}, ${s}} ${this.font.includes(\"bold\")?`\\\\boldsymbol{${this.text}}`:this.text}`}_process_text(){const t=(0,u.font_metrics)(this.font);return this.provider.MathJax?.tex2svg(this.styled_text,{display:!this.model.inline,em:this.base_font_size,ex:t.x_height},(0,a.to_object)(this.model.macros))}}s.TeXView=T,T.__name__=\"TeXView\";class $ extends v{constructor(t){super(t)}}s.TeX=$,r=$,$.__name__=\"TeX\",r.prototype.default_view=T,r.define((({Bool:t,Float:e,Str:s,Dict:i,Tuple:n,Or:h})=>({macros:[i(h(s,n(s,e))),{}],inline:[t,!1]})))},\n", " function _(i,e,t,s,n){s(),t.load_image=async function(i,e){return new o(i,e).promise};const a=i(20);class o{constructor(i,e={}){this.image=new Image,this._finished=!1;const{attempts:t=1,timeout:s=1}=e,n=(()=>{if(i instanceof ArrayBuffer){const e=new Blob([i],{type:\"image/png\"});return URL.createObjectURL(e)}return i})();this.promise=new Promise(((i,o)=>{this.image.crossOrigin=\"anonymous\";let r=0;this.image.onerror=()=>{if(++r==t){const i=`unable to load ${n} image after ${t} attempts`;if(a.logger.warn(i),null==this.image.crossOrigin)return void e.failed?.();a.logger.warn(`attempting to load ${n} without a cross origin policy`),this.image.crossOrigin=null,r=0}setTimeout((()=>this.image.src=n),s)},this.image.onload=()=>{this._finished=!0,e.loaded?.(this.image),i(this.image)},this.image.src=n}))}get finished(){return this._finished}}t.ImageLoader=o,o.__name__=\"ImageLoader\"},\n", " function _(t,e,s,i,n){i();const h=t(62),o=t(193),a=t(10),r=t(8),c=t(73),_=t(23);s.text_width=(()=>{const t=document.createElement(\"canvas\").getContext(\"2d\");let e=\"\";return(s,i)=>(i!=e&&(e=i,t.font=i),t.measureText(s).width)})();class l{constructor(){this._position={sx:0,sy:0},this.font_size_scale=1,this.align=\"left\",this._base_font_size=13,this._x_anchor=\"left\",this._y_anchor=\"center\"}set base_font_size(t){null!=t&&(this._base_font_size=t)}get base_font_size(){return this._base_font_size}set position(t){this._position=t}get position(){return this._position}infer_text_height(){return\"ascent_descent\"}bbox(){const{p0:t,p1:e,p2:s,p3:i}=this.rect(),n=Math.min(t.x,e.x,s.x,i.x),o=Math.min(t.y,e.y,s.y,i.y),a=Math.max(t.x,e.x,s.x,i.x),r=Math.max(t.y,e.y,s.y,i.y);return new h.BBox({left:n,right:a,top:o,bottom:r})}size(){const{width:t,height:e}=this._size(),{angle:s}=this;if(null==s||0==s)return{width:t,height:e};{const i=Math.cos(Math.abs(s)),n=Math.sin(Math.abs(s));return{width:Math.abs(t*i+e*n),height:Math.abs(t*n+e*i)}}}rect(){const t=this._rect(),{angle:e}=this;if(null==e||0==e)return t;{const{sx:s,sy:i}=this.position,n=new c.AffineTransform;return n.translate(s,i),n.rotate(e),n.translate(-s,-i),n.apply_rect(t)}}paint_rect(t){const{p0:e,p1:s,p2:i,p3:n}=this.rect();t.save(),t.strokeStyle=\"red\",t.lineWidth=1,t.beginPath();const{round:h}=Math;t.moveTo(h(e.x),h(e.y)),t.lineTo(h(s.x),h(s.y)),t.lineTo(h(i.x),h(i.y)),t.lineTo(h(n.x),h(n.y)),t.closePath(),t.stroke(),t.restore()}paint_bbox(t){const{x:e,y:s,width:i,height:n}=this.bbox();t.save(),t.strokeStyle=\"blue\",t.lineWidth=1,t.beginPath();const{round:h}=Math;t.moveTo(h(e),h(s)),t.lineTo(h(e),h(s+n)),t.lineTo(h(e+i),h(s+n)),t.lineTo(h(e+i),h(s)),t.closePath(),t.stroke(),t.restore()}}s.GraphicsBox=l,l.__name__=\"GraphicsBox\";class x extends l{set visuals(t){const e=t.color,s=t.alpha,i=t.outline_color,n=t.font_style;let h=t.font_size;const a=t.font,{font_size_scale:r,base_font_size:c}=this,l=(0,o.parse_css_font_size)(h);if(null!=l){let{value:t,unit:e}=l;t*=r,\"em\"==e&&0!=c&&(t*=c,e=\"px\"),h=`${t}${e}`}const x=`${n} ${h} ${a}`;this.font=x,this.color=(0,_.color2css)(e,s),this.outline_color=(0,_.color2css)(i,s),this.line_height=t.line_height;const u=t.align;this._visual_align=u,this._x_anchor=u;const p=t.baseline;this._y_anchor=(()=>{switch(p){case\"top\":return\"top\";case\"middle\":return\"center\";case\"bottom\":return\"bottom\";default:return\"baseline\"}})()}constructor({text:t}){super(),this._visual_align=\"left\",this.text=t}infer_text_height(){if(this.text.includes(\"\\n\"))return\"ascent_descent\";{function t(t){for(const e of new Set(t))if(!(\"0\"<=e&&e<=\"9\"))switch(e){case\",\":case\".\":case\"+\":case\"-\":case\"\\u2212\":case\"e\":continue;default:return!1}return!0}return t(this.text)?\"cap\":\"ascent_descent\"}}_text_line(t){const e=this.text_height_metric??this.infer_text_height(),s=(()=>{switch(e){case\"x\":case\"x_descent\":return t.x_height;case\"cap\":case\"cap_descent\":return t.cap_height;case\"ascent\":case\"ascent_descent\":return t.ascent}})(),i=(()=>{switch(e){case\"x\":case\"cap\":case\"ascent\":return 0;case\"x_descent\":case\"cap_descent\":case\"ascent_descent\":return t.descent}})();return{height:s+i,ascent:s,descent:i}}get nlines(){return this.text.split(\"\\n\").length}_size(){const{font:t}=this,e=(0,o.font_metrics)(t),i=(this.line_height-1)*e.height,n=\"\"==this.text,h=this.text.split(\"\\n\"),r=h.length,c=h.map((e=>(0,s.text_width)(e,t))),_=this._text_line(e).height*r,l=\"%\"==this.width?.unit?this.width.value:1,x=\"%\"==this.height?.unit?this.height.value:1;return{width:(0,a.max)(c)*l,height:n?0:(_+i*(r-1))*x,metrics:e}}_computed_position(t,e,s){const{width:i,height:n}=t,{sx:h,sy:o,x_anchor:a=this._x_anchor,y_anchor:c=this._y_anchor}=this.position;return{x:h-(()=>{if((0,r.isNumber)(a))return a*i;switch(a){case\"left\":return 0;case\"center\":return.5*i;case\"right\":return i}})(),y:o-(()=>{if((0,r.isNumber)(c))return c*n;switch(c){case\"top\":return 0;case\"center\":return.5*n;case\"bottom\":return n;case\"baseline\":if(1!=s)return.5*n;switch(this.text_height_metric??this.infer_text_height()){case\"x\":case\"x_descent\":return e.x_height;case\"cap\":case\"cap_descent\":return e.cap_height;case\"ascent\":case\"ascent_descent\":return e.ascent}}})()}}_rect(){const{width:t,height:e,metrics:s}=this._size(),i=this.text.split(\"\\n\").length,{x:n,y:o}=this._computed_position({width:t,height:e},s,i);return new h.BBox({x:n,y:o,width:t,height:e}).rect}paint(t){const{font:e}=this,i=(0,o.font_metrics)(e),n=(this.line_height-1)*i.height,h=this.text.split(\"\\n\"),r=h.length,c=h.map((t=>(0,s.text_width)(t,e))),_=this._text_line(i),l=_.height*r,x=\"%\"==this.width?.unit?this.width.value:1,u=\"%\"==this.height?.unit?this.height.value:1,p=(0,a.max)(c)*x,f=(l+n*(r-1))*u;t.save(),t.fillStyle=this.color,t.strokeStyle=this.outline_color,t.font=this.font,t.textAlign=\"left\",t.textBaseline=\"alphabetic\";const{sx:g,sy:d}=this.position,{align:b}=this,{angle:m}=this;null!=m&&0!=m&&(t.translate(g,d),t.rotate(m),t.translate(-g,-d));let{x:y,y:w}=this._computed_position({width:p,height:f},i,r);if(\"justify\"==b)for(let i=0;i(0,s.text_width)(t,e))),x=(p-(0,a.sum)(l))/(c-1);for(let e=0;e{switch(\"auto\"==b?this._visual_align:b){case\"left\":return 0;case\"center\":return.5*(p-c[e]);case\"right\":return p-c[e]}})(),i=h[e],o=w+_.ascent;t.fillText(i,s,o),t.strokeText(i,s,o),w+=_.height+n}t.restore()}}s.TextBox=x,x.__name__=\"TextBox\";class u extends l{constructor(t,e){super(),this.base=t,this.expo=e}get children(){return[this.base,this.expo]}set base_font_size(t){super.base_font_size=t,this.base.base_font_size=t,this.expo.base_font_size=t}set position(t){this._position=t;const e=this.base.size(),s=this.expo.size(),i=this._shift_scale()*e.height,n=Math.max(e.height,i+s.height);this.base.position={sx:0,x_anchor:\"left\",sy:n,y_anchor:\"bottom\"},this.expo.position={sx:e.width,x_anchor:\"left\",sy:i,y_anchor:\"bottom\"}}get position(){return this._position}set visuals(t){this.expo.font_size_scale=.7,this.base.visuals=t,this.expo.visuals=t}_shift_scale(){if(this.base instanceof x&&1==this.base.nlines){const{x_height:t,cap_height:e}=(0,o.font_metrics)(this.base.font);return t/e}return 2/3}infer_text_height(){return this.base.infer_text_height()}_rect(){const t=this.base.bbox(),e=this.expo.bbox(),s=t.union(e),{x:i,y:n}=this._computed_position();return s.translate(i,n).rect}_size(){const t=this.base.size(),e=this.expo.size();return{width:t.width+e.width,height:Math.max(t.height,this._shift_scale()*t.height+e.height)}}paint(t){t.save();const{angle:e}=this;if(null!=e&&0!=e){const{sx:s,sy:i}=this.position;t.translate(s,i),t.rotate(e),t.translate(-s,-i)}const{x:s,y:i}=this._computed_position();t.translate(s,i),this.base.paint(t),this.expo.paint(t),t.restore()}paint_bbox(t){super.paint_bbox(t);const{x:e,y:s}=this._computed_position();t.save(),t.translate(e,s);for(const e of this.children)e.paint_bbox(t);t.restore()}_computed_position(){const{width:t,height:e}=this._size(),{sx:s,sy:i,x_anchor:n=this._x_anchor,y_anchor:h=this._y_anchor}=this.position;return{x:s-(()=>{if((0,r.isNumber)(n))return n*t;switch(n){case\"left\":return 0;case\"center\":return.5*t;case\"right\":return t}})(),y:i-(()=>{if((0,r.isNumber)(h))return h*e;switch(h){case\"top\":return 0;case\"center\":case\"baseline\":return.5*e;case\"bottom\":return e}})()}}}s.BaseExpo=u,u.__name__=\"BaseExpo\";class p{constructor(t){this.items=t}set base_font_size(t){for(const e of this.items)e.base_font_size=t}get length(){return this.items.length}set visuals(t){for(const e of this.items)e.visuals=t;const e={x:0,cap:1,ascent:2,x_descent:3,cap_descent:4,ascent_descent:5},s=(0,a.max_by)(this.items.map((t=>t.infer_text_height())),(t=>e[t]));for(const t of this.items)t.text_height_metric=s}set angle(t){for(const e of this.items)e.angle=t}max_size(){let t=0,e=0;for(const s of this.items){const i=s.size();t=Math.max(t,i.width),e=Math.max(e,i.height)}return{width:t,height:e}}}s.GraphicsBoxes=p,p.__name__=\"GraphicsBoxes\"},\n", " function _(n,t,e,o,s){o(),e.font_metrics=function(n){let t=f.get(n);if(null==t){const e=document.fonts.check(n);t={font:a(n)},e&&f.set(n,t)}return t.font},e.parse_css_font_size=function(n){const t=n.match(/^\\s*(\\d+(\\.\\d+)?)(\\w+)\\s*$/);if(null!=t){const[,n,,e]=t,o=Number(n);if(isFinite(o))return{value:o,unit:e}}return null},e.parse_css_length=function(n){const t=n.match(/^\\s*(-?\\d+(\\.\\d+)?)(\\w+)\\s*$/);if(null!=t){const[,n,,e]=t,o=Number(n);if(isFinite(o))return{value:o,unit:e}}return null};const c=n(12),u=n(61),i=(()=>{const n=(\"undefined\"!=typeof OffscreenCanvas?new OffscreenCanvas(0,0):(0,u.canvas)({width:0,height:0})).getContext(\"2d\");return(0,c.assert)(null!=n,\"can't obtain 2d context\"),n})();function a(n){const t=i;t.font=n;const e=t.measureText(\"M\"),o=t.measureText(\"x\"),s=t.measureText(\"\\xc5\\u015ag|\"),c=void 0!==s.fontBoundingBoxAscent?s.fontBoundingBoxAscent:s.actualBoundingBoxAscent,u=void 0!==s.fontBoundingBoxDescent?s.fontBoundingBoxDescent:s.actualBoundingBoxDescent;return{height:c+u,ascent:c,descent:u,cap_height:e.actualBoundingBoxAscent,x_height:o.actualBoundingBoxAscent}}const f=new Map},\n", " function _(t,e,a,r,n){var s,i=this&&this.__createBinding||(Object.create?function(t,e,a,r){void 0===r&&(r=a);var n=Object.getOwnPropertyDescriptor(e,a);n&&!(\"get\"in n?!e.__esModule:n.writable||n.configurable)||(n={enumerable:!0,get:function(){return e[a]}}),Object.defineProperty(t,r,n)}:function(t,e,a,r){void 0===r&&(r=a),t[r]=e[a]}),o=this&&this.__setModuleDefault||(Object.create?function(t,e){Object.defineProperty(t,\"default\",{enumerable:!0,value:e})}:function(t,e){t.default=e}),d=this&&this.__importStar||(s=function(t){return s=Object.getOwnPropertyNames||function(t){var e=[];for(var a in t)Object.prototype.hasOwnProperty.call(t,a)&&(e[e.length]=a);return e},s(t)},function(t){if(t&&t.__esModule)return t;var e={};if(null!=t)for(var a=s(t),r=0;r{this.status=\"loaded\",this.ready.emit()},t.onerror=()=>{this.status=\"failed\"},this.status=\"loading\",document.head.appendChild(t)}}a.CDNProvider=_,_.__name__=\"CDNProvider\";class f extends c{get MathJax(){return this._mathjax}async fetch(){this.status=\"loading\";try{const e=await(0,l.load_module)(Promise.resolve().then((()=>d(t(735)))));this.status=null==e?\"failed\":\"loaded\",this._mathjax=e,this.ready.emit()}catch(t){this.status=\"failed\"}}}a.BundleProvider=f,f.__name__=\"BundleProvider\",a.default_provider=new f},\n", " function _(n,r,o,t,c){t(),o.load_module=async function(n){try{return await n}catch(n){if((r=n)instanceof Error&&\"code\"in r&&\"MODULE_NOT_FOUND\"===n.code)return null;throw n}var r}},\n", " function _(e,t,i,n,s){var a;n();const x=e(188),_=e(192);class l extends x.BaseTextView{initialize(){super.initialize(),this._has_finished=!0}graphics(){return new _.TextBox({text:this.model.text})}}i.PlainTextView=l,l.__name__=\"PlainTextView\";class r extends x.BaseText{constructor(e){super(e)}}i.PlainText=r,a=r,r.__name__=\"PlainText\",a.prototype.default_view=l},\n", " function _(t,o,e,i,n){i(),e.round_rect=function(t,o,e){let{top_left:i,top_right:n,bottom_right:c,bottom_left:h}=e;if(0!=i||0!=n||0!=c||0!=h){const{left:e,right:l,top:r,bottom:T,width:f,height:a}=o,_=Math.min(f/(i+n),a/(n+c),f/(c+h),a/(i+h));_<1&&(i*=_,n*=_,c*=_,h*=_),t.moveTo(e+i,r),t.lineTo(l-n,r),0!=n&&t.arcTo(l,r,l,r+n,n),t.lineTo(l,T-c),0!=c&&t.arcTo(l,T,l-c,T,c),t.lineTo(e+h,T),0!=h&&t.arcTo(e,T,e,T-h,h),t.lineTo(e,r+i),0!=i&&t.arcTo(e,r,e+i,r,i),t.closePath()}else{const{left:e,top:i,width:n,height:c}=o;t.rect(e,i,n,c)}}},\n", " function _(e,s,t,a,r){var _;a();const n=e(1),i=e(199),g=e(116),c=e(115),l=e(108),o=e(113),h=e(110),u=e(111),x=e(118),y=e(121),f=e(9),p=e(12),d=n.__importStar(e(201));class m extends i.CanvasPanelView{constructor(){super(...arguments),this._x_ranges=new Map,this._y_ranges=new Map,this._x_scales=new Map,this._y_scales=new Map}initialize(){super.initialize(),this._configure_scales()}remove(){this._unregister_frame(),super.remove()}stylesheets(){return[...super.stylesheets(),d.default]}connect_signals(){super.connect_signals();const{x_range:e,y_range:s,x_scale:t,y_scale:a,extra_x_ranges:r,extra_y_ranges:_,extra_x_scales:n,extra_y_scales:i}=this.model.properties;this.on_change([e,s,t,a,r,_,n,i],(()=>{this._configure_scales()}))}_get_ranges(e,s){return new Map([...(0,f.entries)(s),[\"default\",e]])}_get_scales(e,s,t,a){const r=new Map([...(0,f.entries)(s),[\"default\",e]]),_=new Map;for(const[s,n]of t){if(n instanceof y.FactorRange!=e instanceof g.CategoricalScale)throw new Error(`'${n.type}' is incompatible '${e.type}'`);e instanceof c.LogScale&&n instanceof x.DataRange1d&&(n.scale_hint=\"log\");const t=(r.get(s)??e).clone();t.setv({source_range:n,target_range:a}),_.set(s,t)}return _}_configure_ranges(){const{bbox:e}=this;this._x_target=new u.Range1d({start:e.left,end:e.right}),this._y_target=new u.Range1d({start:e.bottom,end:e.top})}_configure_scales(){const{x_range:e,y_range:s,extra_x_ranges:t,extra_y_ranges:a}=this.model,{x_scale:r,y_scale:_,extra_x_scales:n,extra_y_scales:i}=this.model;(0,p.assert)(r.properties.source_range.is_unset&&r.properties.target_range.is_unset),(0,p.assert)(_.properties.source_range.is_unset&&_.properties.target_range.is_unset),this._configure_ranges(),this._unregister_frame(),this._x_ranges=this._get_ranges(e,t),this._y_ranges=this._get_ranges(s,a),this._register_frame(),this._x_scales=this._get_scales(r,n,this._x_ranges,this._x_target),this._y_scales=this._get_scales(_,i,this._y_ranges,this._y_target),this._x_scale=this._x_scales.get(\"default\"),this._y_scale=this._y_scales.get(\"default\"),this.mark_finished()}_update_scales(){this._configure_ranges();for(const[,e]of this._x_scales)e.target_range=this._x_target;for(const[,e]of this._y_scales)e.target_range=this._y_target}_register_frame(){for(const e of this.ranges.values())e.frames.add(this)}_unregister_frame(){for(const e of this.ranges.values())e.frames.delete(this)}set_geometry(e){super.set_geometry(e),this._update_scales()}get x_range(){return this.model.x_range}get y_range(){return this.model.y_range}get x_target(){return this._x_target}get y_target(){return this._y_target}get x_ranges(){return this._x_ranges}get y_ranges(){return this._y_ranges}get ranges(){return new Set([...this.x_ranges.values(),...this.y_ranges.values()])}get x_scales(){return this._x_scales}get y_scales(){return this._y_scales}get scales(){return new Set([...this.x_scales.values(),...this.y_scales.values()])}get x_scale(){return this._x_scale}get y_scale(){return this._y_scale}}t.CartesianFrameView=m,m.__name__=\"CartesianFrameView\";class w extends i.CanvasPanel{constructor(e){super(e)}}t.CartesianFrame=w,_=w,w.__name__=\"CartesianFrame\",_.prototype.default_view=m,_.define((({Bool:e,Float:s,Dict:t,Ref:a})=>({x_range:[a(h.Range),()=>new x.DataRange1d],y_range:[a(h.Range),()=>new x.DataRange1d],x_scale:[a(l.Scale),()=>new o.LinearScale],y_scale:[a(l.Scale),()=>new o.LinearScale],extra_x_ranges:[t(a(h.Range)),{}],extra_y_ranges:[t(a(h.Range)),{}],extra_x_scales:[t(a(l.Scale)),{}],extra_y_scales:[t(a(l.Scale)),{}],match_aspect:[e,!1],aspect_scale:[s,1]})))},\n", " function _(e,t,s,n,i){var o;n();const r=e(1),a=e(56),l=e(61),_=e(62),p=e(21),d=e(22),h=e(8),c=r.__importStar(e(200));class u extends a.StyledElementView{constructor(){super(...arguments),this._bbox=new _.BBox,this.position=new l.InlineStyleSheet(\"\",\"position\")}get bbox(){return this._bbox}stylesheets(){return[...super.stylesheets(),c.default,this.position]}rendering_target(){return this.model.inner?this.parent.frame_view.shadow_el:this.parent.canvas_view.events_el}render(){super.render(),this.class_list.add(c[this.model.place])}set_geometry(e){this._bbox=e,this._update_position(),this.mark_finished()}_update_position(){const{bbox:e,position:t}=this;e.is_valid||t.replace(\"\\n :host {\\n display: none;\\n }\\n \")}resolve_symbol(e){const t=this.bbox.resolve(e.symbol),{offset:s}=e;if((0,h.isNumber)(t))return t+s;{const{x:e,y:n}=t;return{x:e+s,y:n+s}}}}s.CanvasPanelView=u,u.__name__=\"CanvasPanelView\";class b extends a.StyledElement{constructor(e){super(e)}}s.CanvasPanel=b,o=b,b.__name__=\"CanvasPanel\",o.prototype.default_view=u,o.define({place:[p.Place],inner:[d.Bool,!1]})},\n", " function _(t,e,o,r,a){r(),o.above=\"bk-above\",o.below=\"bk-below\",o.left=\"bk-left\",o.right=\"bk-right\",o.center=\"bk-center\",o.default=\":host{position:relative;pointer-events:none;}:host{align-items:start;justify-items:start;}:host(.bk-above),:host(.bk-below){display:grid;grid-auto-flow:row;grid-template-rows:auto;grid-template-columns:100%;}:host(.bk-left),:host(.bk-right){display:grid;grid-auto-flow:column;grid-template-rows:100%;grid-template-columns:auto;}:host(.bk-above){grid-area:above;}:host(.bk-below){grid-area:below;}:host(.bk-left){grid-area:left;}:host(.bk-right){grid-area:right;}:host(.bk-center){grid-area:center;}:host(.bk-center){overflow:hidden;}\"},\n", " function _(t,e,a,n,o){n(),a.default=':host{display:grid;grid-template-areas:\". above . \" \"left center right\" \". below . \";grid-template-rows:max-content 1fr max-content;grid-template-columns:max-content 1fr max-content;}'},\n", " function _(t,e,i,s,a){var l;s();const n=t(1),o=t(203),r=t(204),_=t(205),h=t(206),c=t(80),d=n.__importStar(t(95)),u=t(21),b=t(25),m=t(187),x=t(10),f=t(9),g=t(8),p=t(192),v=t(121),w=t(188),k=t(69),j=t(12),y=t(8),z=t(62),M=t(189),T=t(22);i.LabelOverrides=(0,T.Or)((0,T.Dict)((0,T.Or)(T.Str,(0,T.Ref)(w.BaseText))),(0,T.Mapping)((0,T.Or)(T.Str,T.Float),(0,T.Or)(T.Str,(0,T.Ref)(w.BaseText))));const{abs:A}=Math;class L extends o.GuideRendererView{constructor(){super(...arguments),this._axis_label_view=null,this._major_label_views=new Map}get panel(){return this._panel}set panel(t){this._panel=new m.SidePanel(t.side,this.model.face)}get bbox(){if(null!=this.layout&&null==this.model.fixed_location)return this.layout.bbox;if(this.is_renderable){const{extents:t}=this,e=Math.round(t.tick+t.tick_label+t.axis_label);let{sx0:i,sy0:s,sx1:a,sy1:l}=this.rule_scoords;const{dimension:n,face:o}=this;return 0==n?\"front\"==o?s-=e:l+=e:\"front\"==o?i-=e:a+=e,z.BBox.from_lrtb({left:i,top:s,right:a,bottom:l})}return new z.BBox}*children(){yield*super.children(),null!=this._axis_label_view&&(yield this._axis_label_view),yield*this._major_label_views.values()}async lazy_initialize(){await super.lazy_initialize(),await this._init_axis_label(),await this._init_major_labels()}async _init_axis_label(){const{axis_label:t}=this.model;if(null!=t){const e=(0,y.isString)(t)?(0,M.parse_delimited_string)(t):t;this._axis_label_view=await(0,k.build_view)(e,{parent:this})}else this._axis_label_view=null}async _init_major_labels(){for(const[t,e]of(0,f.dict)(this.model.major_label_overrides)){const i=(0,y.isString)(e)?(0,M.parse_delimited_string)(e):e;this._major_label_views.set(t,await(0,k.build_view)(i,{parent:this}))}}update_layout(){this.layout=new m.SideLayout(this.panel,(()=>this.get_size()),!0),this.layout.on_resize((()=>{this._coordinates=void 0}))}get_size(){const{visible:t,fixed_location:e}=this.model;if(t&&null==e&&this.is_renderable){const{extents:t}=this;return{width:0,height:Math.round(t.tick+t.tick_label+t.axis_label)}}return{width:0,height:0}}get is_renderable(){const[t,e]=this.ranges;return super.is_renderable&&t.is_valid&&e.is_valid&&t.span>0&&e.span>0}interactive_hit(t,e){return this.bbox.contains(t,e)}on_hit(t,e){const i=this._hit_value(t,e);return null!=i&&(this.model.trigger_event(new c.AxisClick(this.model,i)),!0)}_paint(t){const{tick_coords:e,extents:i}=this;this._draw_background(t,i),this._draw_rule(t,i),this._draw_major_ticks(t,i,e),this._draw_minor_ticks(t,i,e),this._draw_major_labels(t,i,e),this._draw_axis_label(t,i,e)}connect_signals(){super.connect_signals();const{axis_label:t,major_label_overrides:e}=this.model.properties;this.on_change(t,(async()=>{this._axis_label_view?.remove(),await this._init_axis_label()})),this.on_change(e,(async()=>{for(const t of this._major_label_views.values())t.remove();await this._init_major_labels()})),this.connect(this.model.change,(()=>this.plot_view.request_layout()))}get needs_clip(){return null!=this.model.fixed_location}_draw_background(t,e){if(!this.visuals.background_fill.doit&&!this.visuals.background_hatch.doit)return;t.beginPath();const{x:i,y:s,width:a,height:l}=this.bbox;t.rect(i,s,a,l),this.visuals.background_fill.apply(t),this.visuals.background_hatch.apply(t)}_draw_rule(t,e){if(!this.visuals.axis_line.doit)return;const{sx0:i,sy0:s,sx1:a,sy1:l}=this.rule_scoords;t.beginPath(),t.moveTo(i,s),t.lineTo(a,l),this.visuals.axis_line.apply(t)}_draw_major_ticks(t,e,i){const s=this.model.major_tick_in,a=this.model.major_tick_out,l=this.visuals.major_tick_line;this._draw_ticks(t,i.major,s,a,l)}_draw_minor_ticks(t,e,i){const s=this.model.minor_tick_in,a=this.model.minor_tick_out,l=this.visuals.minor_tick_line;this._draw_ticks(t,i.minor,s,a,l)}_draw_major_labels(t,e,i){const s=i.major,a=this.compute_labels(s[this.dimension]),l=this.model.major_label_orientation,n=e.tick+this.model.major_label_standoff,o=this.visuals.major_label_text;this._draw_oriented_labels(t,a,s,l,n,o)}_axis_label_extent(){if(null==this._axis_label_view)return 0;const t=this._axis_label_view.graphics(),e=this.model.axis_label_orientation;t.visuals=this.visuals.axis_label_text.values(),t.angle=this.panel.get_label_angle_heuristic(e),t.base_font_size=this.plot_view.base_font_size;const i=t.size(),s=0==this.dimension?i.height:i.width,a=(()=>{switch(this.model.axis_label_standoff_mode){case\"tick_labels\":return 0;case\"axis\":return(0,x.sum)(this._tick_label_extents())+this._tick_extent()}})(),l=this.model.axis_label_standoff-a;return s>0?l+s+3:0}_draw_axis_label(t,e,i){if(null==this._axis_label_view)return;const[s,a]=(()=>{const{bbox:t}=this,{side:e,face:i}=this.panel,[s]=this.ranges,{axis_label_align:a}=this.model;switch(e){case\"above\":case\"below\":{const[e,l]=(()=>{switch(a){case\"start\":return s.is_reversed?[t.right,\"right\"]:[t.left,\"left\"];case\"center\":return[t.hcenter,\"center\"];case\"end\":return s.is_reversed?[t.left,\"left\"]:[t.right,\"right\"]}})(),[n,o]=\"front\"==i?[t.bottom,\"bottom\"]:[t.top,\"top\"];return[e,n,l,o]}case\"left\":case\"right\":{const[e,l]=(()=>{switch(a){case\"start\":return s.is_reversed?[t.top,\"top\"]:[t.bottom,\"bottom\"];case\"center\":return[t.vcenter,\"center\"];case\"end\":return s.is_reversed?[t.bottom,\"bottom\"]:[t.top,\"top\"]}})(),[n,o]=\"front\"==i?[t.right,\"right\"]:[t.left,\"left\"];return[n,e,o,l]}}})(),[l,n]=this.normals,o=this.model.axis_label_orientation,r=this.model.axis_label_standoff_mode,_=(()=>{switch(r){case\"tick_labels\":return e.tick+e.tick_label;case\"axis\":return 0}})(),h=this.model.axis_label_standoff+_,{vertical_align:c,align:d}=this.panel.get_label_text_heuristics(o),u={sx:s+l*h,sy:a+n*h,x_anchor:d,y_anchor:c},b=this._axis_label_view.graphics();b.visuals=this.visuals.axis_label_text.values(),b.angle=this.panel.get_label_angle_heuristic(o),b.base_font_size=this.plot_view.base_font_size,b.position=u,b.align=d,b.paint(t)}_draw_ticks(t,e,i,s,a){if(!a.doit)return;const[l,n]=this.scoords(e),[o,r]=this.normals,[_,h]=[o*-i,r*-i],[c,d]=[o*s,r*s];a.set_value(t),t.beginPath();for(let e=0;et.bbox())),w=(()=>{const[t]=this.ranges;return t.is_reversed?0==this.dimension?(t,e)=>v[t].left-v[e].right:(t,e)=>v[e].top-v[t].bottom:0==this.dimension?(t,e)=>v[e].left-v[t].right:(t,e)=>v[t].top-v[e].bottom})(),{major_label_policy:k}=this.model,j=k.filter(f,v,w),y=[...j];if(0!=y.length){const t=this.canvas.bbox,e=e=>{const i=v[e];if(i.left<0){const t=-i.left,{position:s}=g[e];g[e].position={...s,sx:s.sx+t}}else if(i.right>t.width){const s=i.right-t.width,{position:a}=g[e];g[e].position={...a,sx:a.sx-s}}},i=e=>{const i=v[e];if(i.top<0){const t=-i.top,{position:s}=g[e];g[e].position={...s,sy:s.sy+t}}else if(i.bottom>t.height){const s=i.bottom-t.height,{position:a}=g[e];g[e].position={...a,sy:a.sy-s}}},s=y[0],a=y[y.length-1];0==this.dimension?(e(s),e(a)):(i(s),i(a))}for(const e of j){g[e].paint(t)}}_tick_extent(){const{major:t,minor:e}=this.tick_coords,i=this.dimension;return Math.max(0==t[i].length?0:this.model.major_tick_out,0==e[i].length?0:this.model.minor_tick_out)}_tick_label_extents(){const t=this.tick_coords.major,e=this.compute_labels(t[this.dimension]),i=this.model.major_label_orientation,s=this.model.major_label_standoff,a=this.visuals.major_label_text;return[this._oriented_labels_extent(e,i,s,a)]}get extents(){const t=this._tick_label_extents();return{tick:this._tick_extent(),tick_labels:t,tick_label:(0,x.sum)(t),axis_label:this._axis_label_extent()}}_oriented_labels_extent(t,e,i,s){if(0==t.length||!s.doit)return 0;const a=this.panel.get_label_angle_heuristic(e);t.visuals=s.values(),t.angle=a,t.base_font_size=this.plot_view.base_font_size;const l=t.max_size(),n=0==this.dimension?l.height:l.width;return n>0?i+n+3:0}get normals(){return this.panel.normals}get dimension(){return this.panel.dimension}compute_labels(t){const e=this.model.formatter.format_graphics(t,this),{_major_label_views:i}=this,s=new Set;for(let a=0;aA(n-o)?(t=_(r(a,l),n),s=r(_(a,l),o)):(t=r(a,l),s=_(a,l)),[t,s]}}get rule_coords(){const t=this.dimension,e=1-t,[i]=this.ranges,[s,a]=this.computed_bounds,l=[new Array(2),new Array(2)];return l[t][0]=Math.max(s,i.min),l[t][1]=Math.min(a,i.max),l[t][0]>l[t][1]&&(l[t][0]=l[t][1]=NaN),l[e][0]=this.loc,l[e][1]=this.loc,l}get rule_scoords(){const[[t,e],[i,s]]=this.scoords(this.rule_coords);return{sx0:Math.round(t),sy0:Math.round(i),sx1:Math.round(e),sy1:Math.round(s)}}get tick_coords(){const t=this.dimension,e=1-t,[i]=this.ranges,[s,a]=this.computed_bounds,l=this.model.ticker.get_ticks(s,a,i,this.loc),n=l.major,o=l.minor,r=[[],[]],_=[[],[]],[h,c]=[i.min,i.max];for(let i=0;ic||(r[t].push(n[i]),r[e].push(this.loc));for(let i=0;ic||(_[t].push(o[i]),_[e].push(this.loc));return{major:r,minor:_}}get loc(){const{fixed_location:t}=this.model;if(null!=t){if((0,g.isNumber)(t))return t;const[,e]=this.ranges;if(e instanceof v.FactorRange)return e.synthetic(t);(0,j.unreachable)()}const[,e]=this.ranges;switch(this.panel.side){case\"left\":case\"below\":return e.start;case\"right\":case\"above\":return e.end}}get face(){return this.panel.face}remove(){this._axis_label_view?.remove();for(const t of this._major_label_views.values())t.remove();super.remove()}has_finished(){if(!super.has_finished())return!1;if(null!=this._axis_label_view&&!this._axis_label_view.has_finished())return!1;for(const t of this._major_label_views.values())if(!t.has_finished())return!1;return!0}}i.AxisView=L,L.__name__=\"AxisView\";class S extends o.GuideRenderer{constructor(t){super(t)}}i.Axis=S,l=S,S.__name__=\"Axis\",l.mixins([[\"axis_\",d.Line],[\"major_tick_\",d.Line],[\"minor_tick_\",d.Line],[\"major_label_\",d.Text],[\"axis_label_\",d.Text],[\"background_\",d.Fill],[\"background_\",d.Hatch]]),l.define((({Any:t,Int:e,Float:s,Str:a,Ref:l,Tuple:n,Or:o,Nullable:c,Auto:d,Enum:b})=>({dimension:[o(b(0,1),d),\"auto\"],face:[o(u.Face,d),\"auto\"],bounds:[o(n(s,s),d),\"auto\"],ticker:[l(r.Ticker)],formatter:[l(_.TickFormatter)],axis_label:[c(o(a,l(w.BaseText))),null],axis_label_standoff:[e,5],axis_label_standoff_mode:[u.AxisLabelStandoffMode,\"tick_labels\"],axis_label_orientation:[o(u.LabelOrientation,s),\"parallel\"],axis_label_align:[u.Align,\"center\"],major_label_standoff:[e,5],major_label_orientation:[o(u.LabelOrientation,s),\"horizontal\"],major_label_overrides:[i.LabelOverrides,new Map],major_label_policy:[l(h.LabelingPolicy),()=>new h.AllLabels],major_tick_in:[s,2],major_tick_out:[s,6],minor_tick_in:[s,0],minor_tick_out:[s,4],fixed_location:[c(o(s,t)),null]}))),l.override({axis_line_color:\"black\",major_tick_line_color:\"black\",minor_tick_line_color:\"black\",major_label_text_font_size:\"11px\",major_label_text_align:\"center\",major_label_text_baseline:\"alphabetic\",axis_label_text_font_size:\"13px\",axis_label_text_font_style:\"italic\",background_fill_color:null})},\n", " function _(e,r,d,n,i){var s;n();const _=e(98);class u extends _.RendererView{}d.GuideRendererView=u,u.__name__=\"GuideRendererView\";class c extends _.Renderer{constructor(e){super(e)}}d.GuideRenderer=c,s=c,c.__name__=\"GuideRenderer\",s.override({level:\"guide\"})},\n", " function _(c,e,n,s,o){s();const r=c(52);class t extends r.Model{constructor(c){super(c)}}n.Ticker=t,t.__name__=\"Ticker\"},\n", " function _(t,o,r,e,c){e();const a=t(52),m=t(192);class n extends a.Model{constructor(t){super(t)}format_graphics(t,o){return this.doFormat(t,o).map((t=>new m.TextBox({text:t})))}compute(t,o){return this.doFormat([t],o??{loc:0})[0]}v_compute(t,o){return this.doFormat(t,o??{loc:0})}}r.TickFormatter=n,n.__name__=\"TickFormatter\"},\n", " function _(e,n,s,t,i){var c,l;t();const r=e(52),o=e(9),a=e(41),u=e(8),d=e(25);class _ extends r.Model{constructor(e){super(e)}}s.LabelingPolicy=_,_.__name__=\"LabelingPolicy\";class f extends _{constructor(e){super(e)}filter(e,n,s){return e}}s.AllLabels=f,f.__name__=\"AllLabels\";class m extends _{constructor(e){super(e)}filter(e,n,s){const{min_distance:t}=this;let i=null;for(const n of e)null!=i&&s(i,n)({min_distance:[e,5]})));class v extends _{constructor(e){super(e)}get names(){return(0,o.keys)(this.args)}get values(){return(0,o.values)(this.args)}get func(){const e=(0,a.use_strict)(this.code);return new d.GeneratorFunction(\"indices\",\"bboxes\",\"distance\",...this.names,e)}filter(e,n,s){const t=Object.create(null),i=this.func.call(t,e,n,s,...this.values);let c=i.next();if(c.done&&void 0!==c.value){const{value:n}=c;return n instanceof d.Indices?n:void 0===n?e:(0,u.isIterable)(n)?d.Indices.from_indices(e.size,n):d.Indices.all_unset(e.size)}{const n=[];do{n.push(c.value),c=i.next()}while(!c.done);return d.Indices.from_indices(e.size,n)}}}s.CustomLabelingPolicy=v,l=v,v.__name__=\"CustomLabelingPolicy\",l.define((({Unknown:e,Str:n,Dict:s})=>({args:[s(e),{}],code:[n,\"\"]})))},\n", " function _(e,i,s,n,r){var t;n();const a=e(208),o=e(209),c=e(210);class _ extends a.ContinuousAxisView{}s.LinearAxisView=_,_.__name__=\"LinearAxisView\";class u extends a.ContinuousAxis{constructor(e){super(e)}}s.LinearAxis=u,t=u,u.__name__=\"LinearAxis\",t.prototype.default_view=_,t.override({ticker:()=>new c.BasicTicker,formatter:()=>new o.BasicTickFormatter})},\n", " function _(s,n,t,i,e){i();const o=s(202);class u extends o.AxisView{_hit_value(s,n){const[t]=this.ranges,{start:i,end:e,span:o}=t;switch(this.dimension){case 0:{const{x0:n,width:t}=this.bbox;return o*(s-n)/t+i}case 1:{const{y0:s,height:t}=this.bbox;return e-o*(n-s)/t}}}}t.ContinuousAxisView=u,u.__name__=\"ContinuousAxisView\";class c extends o.Axis{constructor(s){super(s)}}t.ContinuousAxis=c,c.__name__=\"ContinuousAxis\"},\n", " function _(i,t,e,o,n){var r;o(),e.unicode_replace=_;const s=i(205),c=i(41);function _(i){let t=\"\";for(const e of i)t+=\"-\"==e?\"\\u2212\":e;return t}class a extends s.TickFormatter{constructor(i){super(i),this.last_precision=3}get scientific_limit_low(){return 10**this.power_limit_low}get scientific_limit_high(){return 10**this.power_limit_high}_need_sci(i){if(!this.use_scientific)return!1;const{scientific_limit_high:t}=this,{scientific_limit_low:e}=this,o=i.length<2?0:Math.abs(i[1]-i[0])/1e4;for(const n of i){const i=Math.abs(n);if(!(i<=o)&&(i>=t||i<=e))return!0}return!1}_format_with_precision(i,t,e){return t?i.map((i=>_(i.toExponential(e)))):i.map((i=>_((0,c.to_fixed)(i,e))))}_auto_precision(i,t){const e=new Array(i.length),o=this.last_precision<=15;i:for(let n=this.last_precision;o?n<=15:n>=1;o?n++:n--){if(t){e[0]=i[0].toExponential(n);for(let t=1;t({precision:[o(t,e),\"auto\"],use_scientific:[i,!0],power_limit_high:[t,5],power_limit_low:[t,-3]})))},\n", " function _(c,e,s,i,n){i();const r=c(211);class t extends r.AdaptiveTicker{constructor(c){super(c)}}s.BasicTicker=t,t.__name__=\"BasicTicker\"},\n", " function _(t,e,s,a,i){var n;a();const r=t(212),_=t(10),l=t(11);class h extends r.ContinuousTicker{constructor(t){super(t)}get_min_interval(){return this.min_interval}get_max_interval(){return this.max_interval??1/0}get extended_mantissas(){const t=(0,_.nth)(this.mantissas,-1)/this.base,e=(0,_.nth)(this.mantissas,0)*this.base;return[t,...this.mantissas,e]}get base_factor(){return 0==this.get_min_interval()?1:this.get_min_interval()}get_interval(t,e,s){const a=e-t,i=this.get_ideal_interval(t,e,s),n=Math.floor((0,l.log)(i/this.base_factor,this.base)),r=this.base**n*this.base_factor,h=this.extended_mantissas,m=h.map((t=>Math.abs(s-a/(t*r)))),o=h[(0,_.argmin)(m)]*r;return(0,l.clamp)(o,this.get_min_interval(),this.get_max_interval())}}s.AdaptiveTicker=h,n=h,h.__name__=\"AdaptiveTicker\",n.define((({Float:t,List:e,Nullable:s})=>({base:[t,10],mantissas:[e(t),[1,2,5]],min_interval:[t,0],max_interval:[s(t),null]})))},\n", " function _(t,n,i,s,e){var o;s();const r=t(204),c=t(10);class _ extends r.Ticker{constructor(t){super(t)}get_ticks(t,n,i,s){return this.get_ticks_no_defaults(t,n,s,this.desired_num_ticks)}get_ticks_no_defaults(t,n,i,s){const e=this.get_interval(t,n,s),o=Math.floor(t/e),r=Math.ceil(n/e);let _;_=isFinite(o)&&isFinite(r)?(0,c.range)(o,r+1):[];const u=_.map((t=>t*e)).filter((i=>t<=i&&i<=n)),a=this.num_minor_ticks,f=[];if(a>0&&u.length>0){const i=e/a,s=(0,c.range)(0,a).map((t=>t*i));for(const i of s.slice(1)){const s=u[0]-i;t<=s&&s<=n&&f.push(s)}for(const i of u)for(const e of s){const s=i+e;t<=s&&s<=n&&f.push(s)}}return{major:u,minor:f}}get_ideal_interval(t,n,i){return(n-t)/i}}i.ContinuousTicker=_,o=_,_.__name__=\"ContinuousTicker\",o.define((({Int:t})=>({num_minor_ticks:[t,5],desired_num_ticks:[t,6]})))},\n", " function _(e,i,r,c,T){c(),T(\"AdaptiveTicker\",e(211).AdaptiveTicker),T(\"BasicTicker\",e(210).BasicTicker),T(\"CategoricalTicker\",e(214).CategoricalTicker),T(\"CompositeTicker\",e(215).CompositeTicker),T(\"ContinuousTicker\",e(212).ContinuousTicker),T(\"CustomJSTicker\",e(216).CustomJSTicker),T(\"DatetimeTicker\",e(217).DatetimeTicker),T(\"DaysTicker\",e(218).DaysTicker),T(\"FixedTicker\",e(223).FixedTicker),T(\"LogTicker\",e(224).LogTicker),T(\"MercatorTicker\",e(225).MercatorTicker),T(\"MonthsTicker\",e(221).MonthsTicker),T(\"SingleIntervalTicker\",e(219).SingleIntervalTicker),T(\"Ticker\",e(204).Ticker),T(\"TimedeltaTicker\",e(226).TimedeltaTicker),T(\"YearsTicker\",e(222).YearsTicker),T(\"BinnedTicker\",e(227).BinnedTicker)},\n", " function _(t,c,o,s,e){s();const r=t(204);class i extends r.Ticker{constructor(t){super(t)}get_ticks(t,c,o,s){return{major:this._collect(o.factors,o,t,c),minor:[],tops:this._collect(o.mapper.tops??[],o,t,c),mids:this._collect(o.mapper.mids??[],o,t,c)}}_collect(t,c,o,s){const e=[];for(const r of t){const t=c.synthetic(r);t>o&&tt.get_min_interval()))}get max_intervals(){return this.tickers.map((t=>t.get_max_interval()))}get_min_interval(){return this.min_intervals[0]}get_max_interval(){return this.max_intervals[0]}get_best_ticker(t,e,i){const s=e-t;if(0==s)return this.tickers[0];const r=this.get_ideal_interval(t,e,i),n=[(0,a.sorted_index)(this.min_intervals,r)-1,(0,a.sorted_index)(this.max_intervals,r)],_=[this.min_intervals[n[0]],this.max_intervals[n[1]]].map((t=>Math.abs(i-s/t)));let c;if((0,a.is_empty)(_.filter((t=>!isNaN(t)))))c=this.tickers[0];else{const t=n[(0,a.argmin)(_)];c=this.tickers[t]}return c}get_interval(t,e,i){return this.get_best_ticker(t,e,i).get_interval(t,e,i)}get_ticks_no_defaults(t,e,i,s){return this.get_best_ticker(t,e,s).get_ticks_no_defaults(t,e,i,s)}}i.CompositeTicker=c,n=c,c.__name__=\"CompositeTicker\",n.define((({NonEmptyList:t,Ref:e})=>({tickers:[t(e(_.ContinuousTicker))]})))},\n", " function _(t,s,r,n,e){var i;n();const o=t(204),c=t(121),a=t(9),m=t(41);class _ extends o.Ticker{constructor(t){super(t)}get names(){return(0,a.keys)(this.args)}get values(){return(0,a.values)(this.args)}get_ticks(t,s,r,n){const e={start:t,end:s,range:r,cross_loc:n},i=this.major_ticks(e);if(r instanceof c.FactorRange)return{major:i,minor:[],tops:[],mids:[]};const o={major_ticks:i,...e};return{major:i,minor:this.minor_ticks(o)}}major_ticks(t){if(\"\"==this.major_code)return[];const s=(0,m.use_strict)(this.major_code);return new Function(\"cb_data\",...this.names,s)(t,...this.values)}minor_ticks(t){if(\"\"==this.minor_code)return[];const s=(0,m.use_strict)(this.minor_code);return new Function(\"cb_data\",...this.names,s)(t,...this.values)}}r.CustomJSTicker=_,i=_,_.__name__=\"CustomJSTicker\",i.define((({Unknown:t,Str:s,Dict:r})=>({args:[r(t),{}],major_code:[s,\"\"],minor_code:[s,\"\"]})))},\n", " function _(e,n,i,a,s){var r;a();const t=e(10),c=e(211),m=e(215),_=e(218),k=e(221),o=e(222),T=e(220);class w extends m.CompositeTicker{constructor(e){super(e)}}i.DatetimeTicker=w,r=w,w.__name__=\"DatetimeTicker\",r.override({num_minor_ticks:0,tickers:()=>[new c.AdaptiveTicker({mantissas:[1,2,5],base:10,min_interval:0,max_interval:500*T.ONE_MILLI,num_minor_ticks:0}),new c.AdaptiveTicker({mantissas:[1,2,5,10,15,20,30],base:60,min_interval:T.ONE_SECOND,max_interval:30*T.ONE_MINUTE,num_minor_ticks:0}),new c.AdaptiveTicker({mantissas:[1,2,4,6,8,12],base:24,min_interval:T.ONE_HOUR,max_interval:12*T.ONE_HOUR,num_minor_ticks:0}),new _.DaysTicker({days:(0,t.range)(1,32)}),new _.DaysTicker({days:(0,t.range)(1,31,3)}),new _.DaysTicker({days:[1,8,15,22]}),new _.DaysTicker({days:[1,15]}),new k.MonthsTicker({months:(0,t.range)(0,12,1)}),new k.MonthsTicker({months:(0,t.range)(0,12,2)}),new k.MonthsTicker({months:(0,t.range)(0,12,4)}),new k.MonthsTicker({months:(0,t.range)(0,12,6)}),new o.YearsTicker({})]})},\n", " function _(t,e,n,s,o){var a;s();const i=t(219),r=t(220),c=t(10);class _ extends i.BaseSingleIntervalTicker{constructor(t){super(t)}initialize(){super.initialize();const t=this.days;t.length>1?this.interval=(t[1]-t[0])*r.ONE_DAY:this.interval=31*r.ONE_DAY}get_ticks_no_defaults(t,e,n,s){const o=function(t,e){const n=(0,r.last_month_no_later_than)(new Date(t)),s=(0,r.last_month_no_later_than)(new Date(e));s.setUTCMonth(s.getUTCMonth()+1);const o=[],a=n;for(;o.push((0,r.copy_date)(a)),a.setUTCMonth(a.getUTCMonth()+1),!(a>s););return o}(t,e),a=this.days;return{major:(0,c.concat)(o.map((t=>((t,e)=>{const n=t.getUTCMonth(),s=[];for(const o of a){const a=(0,r.copy_date)(t);a.setUTCDate(o),new Date(a.getTime()+e/2).getUTCMonth()==n&&s.push(a)}return s})(t,this.interval)))).map((t=>t.getTime())).filter((n=>t<=n&&n<=e)),minor:[]}}}n.DaysTicker=_,a=_,_.__name__=\"DaysTicker\",a.define((({Int:t,List:e})=>({days:[e(t),[]]}))),a.override({num_minor_ticks:0})},\n", " function _(e,n,t,r,i){var a;r();const l=e(212);class s extends l.ContinuousTicker{constructor(e){super(e)}get_interval(e,n,t){return this.interval}get_min_interval(){return this.interval}get_max_interval(){return this.interval}}t.BaseSingleIntervalTicker=s,s.__name__=\"BaseSingleIntervalTicker\";class _ extends s{constructor(e){super(e)}}t.SingleIntervalTicker=_,a=_,_.__name__=\"SingleIntervalTicker\",a.define((({Float:e})=>({interval:[e]})))},\n", " function _(t,_,e,n,N){function O(t){return new Date(t.getTime())}function E(t){const _=O(t);return _.setUTCDate(1),_.setUTCHours(0),_.setUTCMinutes(0),_.setUTCSeconds(0),_.setUTCMilliseconds(0),_}n(),e.copy_date=O,e.last_month_no_later_than=E,e.last_year_no_later_than=function(t){const _=E(t);return _.setUTCMonth(0),_},e.ONE_NANO=1e-6,e.ONE_MICRO=.001,e.ONE_MILLI=1,e.ONE_SECOND=1e3,e.ONE_MINUTE=60*e.ONE_SECOND,e.ONE_HOUR=60*e.ONE_MINUTE,e.ONE_DAY=24*e.ONE_HOUR,e.ONE_MONTH=30*e.ONE_DAY,e.ONE_YEAR=365*e.ONE_DAY},\n", " function _(t,e,n,a,s){var r;a();const i=t(219),o=t(220),l=t(10);class _ extends i.BaseSingleIntervalTicker{constructor(t){super(t)}initialize(){super.initialize();const t=this.months;t.length>1?this.interval=(t[1]-t[0])*o.ONE_MONTH:this.interval=12*o.ONE_MONTH}get_ticks_no_defaults(t,e,n,a){const s=function(t,e){const n=(0,o.last_year_no_later_than)(new Date(t)),a=(0,o.last_year_no_later_than)(new Date(e));a.setUTCFullYear(a.getUTCFullYear()+1);const s=[],r=n;for(;s.push((0,o.copy_date)(r)),r.setUTCFullYear(r.getUTCFullYear()+1),!(r>a););return s}(t,e),r=this.months;return{major:(0,l.concat)(s.map((t=>r.map((e=>{const n=(0,o.copy_date)(t);return n.setUTCMonth(e),n}))))).map((t=>t.getTime())).filter((n=>t<=n&&n<=e)),minor:[]}}}n.MonthsTicker=_,r=_,_.__name__=\"MonthsTicker\",r.define((({Int:t,List:e})=>({months:[e(t),[]]})))},\n", " function _(e,t,a,r,_){r();const n=e(210),s=e(219),i=e(220);class c extends s.BaseSingleIntervalTicker{constructor(e){super(e),this.interval=i.ONE_YEAR,this.basic_ticker=new n.BasicTicker({num_minor_ticks:0})}get_ticks_no_defaults(e,t,a,r){const _=(0,i.last_year_no_later_than)(new Date(e)).getUTCFullYear(),n=(0,i.last_year_no_later_than)(new Date(t)).getUTCFullYear();return{major:this.basic_ticker.get_ticks_no_defaults(_,n,a,r).major.map((e=>Date.UTC(e,0,1))).filter((a=>e<=a&&a<=t)),minor:[]}}}a.YearsTicker=c,c.__name__=\"YearsTicker\"},\n", " function _(t,e,r,i,n){var s;i();const _=t(212);class c extends _.ContinuousTicker{constructor(t){super(t)}get_ticks_no_defaults(t,e,r,i){return{major:[...this.ticks],minor:[...this.minor_ticks]}}get_interval(t,e,r){return 0}get_min_interval(){return 0}get_max_interval(){return 0}}r.FixedTicker=c,s=c,c.__name__=\"FixedTicker\",s.define((({Float:t,Arrayable:e})=>({ticks:[e(t),[]],minor_ticks:[e(t),[]]})))},\n", " function _(t,o,e,s,i){var n;s();const r=t(211),a=t(10);class f extends r.AdaptiveTicker{constructor(t){super(t)}get_ticks_no_defaults(t,o,e,s){const i=this.num_minor_ticks,n=[],r=this.base,f=Math.log(t)/Math.log(r),c=Math.log(o)/Math.log(r),l=c-f;let h;if(isFinite(l)&&0!=l)if(l<2){const e=this.get_interval(t,o,s),r=Math.floor(t/e),f=Math.ceil(o/e);if(h=(0,a.range)(r,f+1).filter((t=>0!=t)).map((t=>t*e)).filter((e=>t<=e&&e<=o)),i>0&&h.length>0){const t=e/i,o=(0,a.range)(0,i).map((o=>o*t));for(const t of o.slice(1))n.push(h[0]-t);for(const t of h)for(const e of o)n.push(t+e)}}else{const e=1e-6,s=1-Math.sign(f)*e,l=1+Math.sign(c)*e,g=Math.ceil(f*s),M=Math.floor(c*l),m=Math.ceil((M-g)/9);if(h=(0,a.range)(g-1,M+1,1).map((t=>r**t)).filter((e=>t<=e&&e<=o)).filter(((t,o)=>o%m==0)),i>0&&h.length>0){const t=r**m/i,o=(0,a.range)(1,i+1).map((o=>o*t)),e=Math.max(...o);for(const t of o)n.push(h[0]*(t/e));for(const t of h)for(const e of o)n.push(t*e)}}else h=[];return{major:h.filter((e=>t<=e&&e<=o)),minor:n.filter((e=>t<=e&&e<=o))}}}e.LogTicker=f,n=f,f.__name__=\"LogTicker\",n.override({mantissas:[1,5]})},\n", " function _(t,o,n,s,r){var e;s();const i=t(210),c=t(21),_=t(148);class a extends i.BasicTicker{constructor(t){super(t)}get_ticks_no_defaults(t,o,n,s){if(null==this.dimension)throw new Error(`${this}.dimension wasn't configured`);return[t,o]=(0,_.clip_mercator)(t,o,this.dimension),\"lon\"==this.dimension?this._get_ticks_lon(t,o,n,s):this._get_ticks_lat(t,o,n,s)}_get_ticks_lon(t,o,n,s){const[r]=_.wgs84_mercator.invert(t,n),[e,i]=_.wgs84_mercator.invert(o,n),c=super.get_ticks_no_defaults(r,e,n,s),a=[];for(const t of c.major)if((0,_.in_bounds)(t,\"lon\")){const[o]=_.wgs84_mercator.compute(t,i);a.push(o)}const m=[];for(const t of c.minor)if((0,_.in_bounds)(t,\"lon\")){const[o]=_.wgs84_mercator.compute(t,i);m.push(o)}return{major:a,minor:m}}_get_ticks_lat(t,o,n,s){const[,r]=_.wgs84_mercator.invert(n,t),[e,i]=_.wgs84_mercator.invert(n,o),c=super.get_ticks_no_defaults(r,i,n,s),a=[];for(const t of c.major)if((0,_.in_bounds)(t,\"lat\")){const[,o]=_.wgs84_mercator.compute(e,t);a.push(o)}const m=[];for(const t of c.minor)if((0,_.in_bounds)(t,\"lat\")){const[,o]=_.wgs84_mercator.compute(e,t);m.push(o)}return{major:a,minor:m}}}n.MercatorTicker=a,e=a,a.__name__=\"MercatorTicker\",e.define((({Nullable:t})=>({dimension:[t(c.LatLon),null]})))},\n", " function _(i,e,n,a,t){var s;a();const _=i(211),r=i(215),m=i(220);class c extends r.CompositeTicker{constructor(i){super(i)}}n.TimedeltaTicker=c,s=c,c.__name__=\"TimedeltaTicker\",s.override({num_minor_ticks:0,tickers:()=>[new _.AdaptiveTicker({mantissas:[1,2,5],base:10,min_interval:0,max_interval:500*m.ONE_MILLI,num_minor_ticks:0}),new _.AdaptiveTicker({mantissas:[1,2,5,10,15,20,30],base:60,min_interval:m.ONE_SECOND,max_interval:30*m.ONE_MINUTE,num_minor_ticks:0}),new _.AdaptiveTicker({mantissas:[1,2,4,6,8,12],base:24,min_interval:m.ONE_HOUR,max_interval:12*m.ONE_HOUR,num_minor_ticks:0}),new _.AdaptiveTicker({mantissas:[1,2,5],base:10,min_interval:m.ONE_DAY,max_interval:null,num_minor_ticks:0})]})},\n", " function _(e,n,t,r,i){var o;r();const a=e(204),s=e(228),c=e(13);class _ extends a.Ticker{constructor(e){super(e)}get_ticks(e,n,t,r){const{binning:i}=this.mapper.metrics,o=Math.max(0,(0,c.left_edge_index)(e,i)),a=Math.min((0,c.left_edge_index)(n,i)+1,i.length-1),s=[];for(let e=o;e<=a;e++)s.push(i[e]);const{num_major_ticks:_}=this,m=[],h=\"auto\"==_?s.length:_,l=Math.max(1,Math.floor(s.length/h));for(let e=0;e({mapper:[n(s.ScanningColorMapper)],num_major_ticks:[t(e,r),8]})))},\n", " function _(n,i,e,t,a){t();const o=n(229),_=n(13);class r extends o.ContinuousColorMapper{constructor(n){super(n)}index_to_value(n){return this._scan_data.binning[n]}value_to_index(n,i){const e=this._scan_data;return ne.binning[e.binning.length-1]?i:(0,_.left_edge_index)(n,e.binning)}}e.ScanningColorMapper=r,r.__name__=\"ScanningColorMapper\"},\n", " function _(t,o,e,n,l){var s;n();const i=t(230),c=t(232),a=t(10),h=t(8);class r extends i.ColorMapper{constructor(t){super(t),this._scan_data=null}connect_signals(){super.connect_signals();const t=()=>{for(const[t]of this.domain)this.connect(t.view.change,(()=>this.update_data())),this.connect(t.data_source.selected.change,(()=>this.update_data()))},{high:o,low:e,high_color:n,low_color:l,palette:s,nan_color:i}=this.properties;this.on_change([o,e,n,l,s,i],(()=>this.update_data())),this.connect(this.properties.domain.change,(()=>t())),t()}update_data(){const{domain:t,palette:o}=this,e=[...this._collect(t)];this._scan_data=this.scan(e,o.length),this.metrics_change.emit(),this.change.emit()}get metrics(){return null==this._scan_data&&this.update_data(),this._scan_data}*_collect(t){for(const[o,e]of t)for(const t of(0,h.isArray)(e)?e:[e]){if(o.view.properties.indices.is_unset)continue;const e=o.data_source.get_column(t);if(null==e)continue;let n=o.view.indices.select(e);const l=o.view.masked,s=o.data_source.selected.indices;let i;if(null!=l&&s.length>0?i=(0,a.intersection)([...l],s):null!=l?i=[...l]:s.length>0&&(i=s),null!=i&&(n=(0,a.map)(i,(t=>n[t]))),n.length>0&&!(0,h.isNumber)(n[0]))for(const t of n)yield*t;else yield*n}}_v_compute(t,o,e,n){const{nan_color:l}=n;let{low_color:s,high_color:i}=n;null==s&&(s=e[0]),null==i&&(i=e[e.length-1]);const{domain:c}=this,h=(0,a.is_empty)(c)?t:[...this._collect(c)];this._scan_data=this.scan(h,e.length),this.metrics_change.emit();for(let n=0,c=t.length;n=o.length?n:o[l]}}e.ContinuousColorMapper=r,s=r,r.__name__=\"ContinuousColorMapper\",s.define((({Float:t,Str:o,Ref:e,Color:n,Or:l,Tuple:s,List:i,Nullable:a})=>({high:[a(t),null],low:[a(t),null],high_color:[a(n),null],low_color:[a(n),null],domain:[i(s(e(c.GlyphRenderer),l(o,i(o)))),[]]})))},\n", " function _(t,e,n,r,o){var i;r(),n.convert_to_uint32_color=u,n.convert_to_uint32_palette=h;const a=t(231),c=t(16),_=t(25),s=t(23),l=t(28),p=t(31);function u(t){return(0,s.encode_rgba)((0,s.color2rgba)(t))}function h(t){const e=new Uint32Array(t.length);for(let n=0,r=t.length;n({palette:[e(t)],nan_color:[t,\"gray\"]})))},\n", " function _(r,e,n,s,o){s();const p=r(109);class t extends p.Transform{constructor(r){super(r)}compute(r){throw new Error(\"mapping single values is not supported\")}}n.Mapper=t,t.__name__=\"Mapper\"},\n", " function _(e,t,i,s,l){var h;s();const n=e(233),a=e(234),o=e(244),_=e(245),c=e(248),d=e(249),p=e(250),r=e(236),g=e(142),y=e(251),u=e(25),m=e(13),v=e(9),w=e(69),f=e(27),b=e(121),V=e(241),z={fill:{},line:{}},x={fill:{fill_alpha:.3,fill_color:\"grey\"},line:{line_alpha:.3,line_color:\"grey\"}},G={fill:{fill_alpha:.2},line:{}},R={fill:{fill_alpha:.2},line:{}};class k extends n.DataRendererView{get glyph_view(){return this.glyph}*children(){yield*super.children(),yield this.cds_view,yield this.glyph,yield this.selection_glyph,yield this.nonselection_glyph,null!=this.hover_glyph&&(yield this.hover_glyph),yield this.muted_glyph,yield this.decimated_glyph}get data_source(){return this.model.properties.data_source}async lazy_initialize(){await super.lazy_initialize(),this.cds_view=await(0,w.build_view)(this.model.view,{parent:this});const e=this.model.glyph;this.glyph=await this.build_glyph_view(e);const t=\"fill\"in this.glyph.visuals,i=\"line\"in this.glyph.visuals,s={...e.attributes};function l(l){const h=(0,v.clone)(s);return t&&(0,v.extend)(h,l.fill),i&&(0,v.extend)(h,l.line),new e.constructor(h)}function h(e,t){return t instanceof r.Glyph?t:l(\"auto\"==t?e:{fill:{},line:{}})}delete s.id;let{selection_glyph:n,nonselection_glyph:a,hover_glyph:o,muted_glyph:_}=this.model;n=h(z,n),this.selection_glyph=await this.build_glyph_view(n),a=h(G,a),this.nonselection_glyph=await this.build_glyph_view(a),null!=o&&(this.hover_glyph=await this.build_glyph_view(o)),_=h(R,_),this.muted_glyph=await this.build_glyph_view(_);const c=h(x,\"auto\");this.decimated_glyph=await this.build_glyph_view(c),this.selection_glyph.set_base(this.glyph),this.nonselection_glyph.set_base(this.glyph),this.hover_glyph?.set_base(this.glyph),this.muted_glyph.set_base(this.glyph),this.decimated_glyph.set_base(this.glyph),await this.set_data()}async build_glyph_view(e){return(0,w.build_view)(e,{parent:this})}remove(){this.cds_view.remove(),this.glyph.remove(),this.selection_glyph.remove(),this.nonselection_glyph.remove(),this.hover_glyph?.remove(),this.muted_glyph.remove(),this.decimated_glyph.remove(),super.remove()}connect_signals(){super.connect_signals();const e=()=>this.request_paint(),t=()=>this.update_data();this.connect(this.model.change,e),this.connect(this.glyph.model.change,t),this.connect(this.selection_glyph.model.change,t),this.connect(this.nonselection_glyph.model.change,t),null!=this.hover_glyph&&this.connect(this.hover_glyph.model.change,t),this.connect(this.muted_glyph.model.change,t),this.connect(this.decimated_glyph.model.change,t),this.connect(this.model.data_source.change,t),this.connect(this.model.data_source.streaming,t),this.connect(this.model.data_source.patching,(e=>this.update_data(e))),this.connect(this.model.data_source.selected.change,e),this.connect(this.model.data_source._select,e),null!=this.hover_glyph&&this.connect(this.model.data_source.inspect,(()=>{const{inspected:t}=this.model.data_source,i={indices:t.indices,line_indices:t.line_indices,multiline_indices:t.multiline_indices,image_indices:t.image_indices,selected_glyphs:t.selected_glyphs};(0,f.is_equal)(this._previous_inspected,i)||(this._previous_inspected=i,e())})),this.connect(this.model.properties.view.change,(async()=>{this.cds_view.remove(),this.cds_view=await(0,w.build_view)(this.model.view,{parent:this}),await t()})),this.connect(this.model.view.properties.indices.change,t),this.connect(this.model.view.properties.masked.change,(async()=>await this.set_visuals())),this.connect(this.model.properties.visible.change,(()=>this.plot_view.invalidate_dataranges=!0));const{x_ranges:i,y_ranges:s}=this.plot_view.frame;for(const[,e]of i)e instanceof b.FactorRange&&this.connect(e.invalidate_synthetic,t);for(const[,e]of s)e instanceof b.FactorRange&&this.connect(e.invalidate_synthetic,t);const{transformchange:l,exprchange:h}=this.model.glyph;this.connect(l,t),this.connect(h,t)}_update_masked_indices(){const e=this.glyph.mask_data();return this.model.view.masked=e,e}async update_data(e){await this.set_data(e),this.request_paint()}async set_data(e){const t=this.model.data_source;this.all_indices=this.model.view.indices;const{all_indices:i}=this;await this.glyph.set_data(t,i,e),await this.decimated_glyph.set_data(t,i,e),await this.selection_glyph.set_data(t,i,e),await this.nonselection_glyph.set_data(t,i,e),await(this.hover_glyph?.set_data(t,i,e)),await this.muted_glyph.set_data(t,i,e),await this.set_visuals(),this._update_masked_indices();const{lod_factor:s}=this.plot_model,l=this.all_indices.count;this.decimated=new u.Indices(l);for(let e=0;el.is_empty()?[]:this.glyph instanceof a.LineView&&l.selected_glyph===this.glyph.model?this.model.view.convert_indices_from_subset(s):l.indices)(),{inspected:n}=this.model.data_source;this._previous_inspected={indices:n.indices,line_indices:n.line_indices,multiline_indices:n.multiline_indices,image_indices:n.image_indices,selected_glyphs:n.selected_glyphs};const r=new Set((()=>n.is_empty()?[]:null!=n.selected_glyph?this.model.view.convert_indices_from_subset(s):n.indices.length>0?n.indices:Object.keys(n.multiline_indices).map((e=>parseInt(e))))()),g=0===r.size?[]:(0,m.filter)(s,(e=>r.has(i[e]))),{lod_threshold:y}=this.plot_model;let u,v,w;if(null!=this.model.document&&this.model.document.interactive_duration()>0&&!t&&null!=y&&i.length>y?(s=[...this.decimated],u=this.decimated_glyph,v=this.decimated_glyph,w=this.selection_glyph):(u=this.model.muted?this.muted_glyph:this.glyph,v=this.nonselection_glyph,w=this.selection_glyph),null!=this.hover_glyph&&0!=g.length){const e=new Set(s);for(const t of g)e.delete(t);s=[...e]}if(e.save(),0==h.length)if(this.glyph instanceof a.LineView)null!=this.hover_glyph&&0!=g.length?this.hover_glyph.paint(e,this.model.view.convert_indices_from_subset(g)):u.paint(e,i);else if(this.glyph instanceof o.PatchView||this.glyph instanceof c.HAreaView||this.glyph instanceof p.VAreaView||this.glyph instanceof d.VAreaStepView||this.glyph instanceof _.HAreaStepView)if(0==n.selected_glyphs.length||null==this.hover_glyph)u.paint(e,i);else for(const t of n.selected_glyphs)t==this.glyph.model&&this.hover_glyph.paint(e,i);else u.paint(e,s),null!=this.hover_glyph&&0!=g.length&&this.hover_glyph.paint(e,g);else{const t=new Set(h),l=new Array,n=new Array;if(this.glyph instanceof a.LineView)for(const e of i)t.has(e)?l.push(e):n.push(e);else for(const e of s)t.has(i[e])?l.push(e):n.push(e);v.paint(e,n),w.paint(e,l),null!=this.hover_glyph&&(this.glyph instanceof a.LineView?this.hover_glyph.paint(e,this.model.view.convert_indices_from_subset(g)):this.hover_glyph.paint(e,g))}e.restore()}get_reference_point(e,t){if(null!=e){const i=this.model.data_source.get_column(e);if(null!=i)for(const[e,s]of this.model.view.indices_map)if(i[e]==t)return s}return 0}draw_legend(e,t,i,s,l,h,n,a){if(0==this.glyph.data_size)return;const o=(()=>{if(null==a)return this.get_reference_point(h,n);{const{indices_map:e}=this.model.view;return e.get(a)}})();null!=o&&this.glyph.draw_legend_for_index(e,{x0:t,x1:i,y0:s,y1:l},o)}hit_test(e){if(!this.model.visible)return null;const t=this.glyph.hit_test(e);return null==t?null:this.model.view.convert_selection_from_subset(t)}}i.GlyphRendererView=k,k.__name__=\"GlyphRendererView\";class S extends n.DataRenderer{constructor(e){super(e)}get_selection_manager(){return this.data_source.selection_manager}add_decoration(e,t){const i=new V.Decoration({marking:e,node:t}),s=[this.glyph,this.selection_glyph,this.nonselection_glyph,this.hover_glyph,this.muted_glyph];for(const e of s)e instanceof r.Glyph&&(e.decorations=[...e.decorations,i]);return i}}i.GlyphRenderer=S,h=S,S.__name__=\"GlyphRenderer\",h.prototype.default_view=k,h.define((({Bool:e,Auto:t,Or:i,Ref:s,Null:l,Nullable:h})=>({data_source:[s(g.ColumnarDataSource)],view:[s(y.CDSView),()=>new y.CDSView],glyph:[s(r.Glyph)],hover_glyph:[h(s(r.Glyph)),null],nonselection_glyph:[i(s(r.Glyph),t,l),\"auto\"],selection_glyph:[i(s(r.Glyph),t,l),\"auto\"],muted_glyph:[i(s(r.Glyph),t,l),\"auto\"],muted:[e,!1]})))},\n", " function _(e,r,n,t,s){var a,o;t();const _=e(98),i=e(118);class c extends _.RendererView{constructor(){super(...arguments),this[a]=!0}get xscale(){return this.coordinates.x_scale}get yscale(){return this.coordinates.y_scale}bounds(e=\"none\"){return this.glyph_view.bounds(e)}log_bounds(){return this.glyph_view.log_bounds()}}n.DataRendererView=c,a=i.auto_ranged,c.__name__=\"DataRendererView\";class d extends _.Renderer{constructor(e){super(e)}get selection_manager(){return this.get_selection_manager()}}n.DataRenderer=d,o=d,d.__name__=\"DataRenderer\",o.override({level:\"glyph\"})},\n", " function _(e,t,i,n,s){var l;n();const o=e(1),r=e(235),_=e(242),h=o.__importStar(e(95)),a=o.__importStar(e(243)),c=e(144);class d extends r.XYGlyphView{async load_glglyph(){const{LineGL:t}=await Promise.resolve().then((()=>o.__importStar(e(591))));return t}_paint(e,t,i){const{sx:n,sy:s}={...this,...i},l=this.parent.nonselection_glyph==this;let o=null;const r=e=>null!=o&&e-o!=1;let _=!0;e.beginPath();for(const i of t){const t=n[i],h=s[i];l&&!_&&null!=o&&i-o>1&&isFinite(n[o+1]+s[o+1])&&e.lineTo(n[o+1],s[o+1]),isFinite(t+h)?(_||r(i)?(l&&i>0&&isFinite(n[i-1]+s[i-1])?(e.moveTo(n[i-1],s[i-1]),e.lineTo(t,h)):e.moveTo(t,h),_=!1):e.lineTo(t,h),o=i):_=!0}if(l&&!_&&null!=o){const t=n.length;o({x:[a.XCoordinateSpec,{field:\"x\"}],y:[a.YCoordinateSpec,{field:\"y\"}]})))},\n", " function _(e,t,i,s,n){var r;s();const a=e(1),_=a.__importStar(e(19)),o=a.__importStar(e(62)),h=a.__importStar(e(99)),c=a.__importStar(e(40)),l=e(30),d=e(64),u=e(52),f=e(69),p=e(20),y=e(25),g=e(8),x=e(237),b=e(10),m=e(13),w=e(148),S=e(27),v=e(238),z=e(12),q=e(62),$=e(121),C=e(144),N=e(241),{abs:j,ceil:A}=Math;i.inherit=Symbol(\"inherit\");class V extends d.DOMComponentView{constructor(){super(...arguments),this._can_use_webgl=!1,this._index=null,this._data_size=null,this._nohit_warned=new Set,this.decorations=new Map,this._base=null}get renderer(){return this.parent}has_webgl(){return null!=this.glglyph&&this._can_use_webgl}_compute_can_use_webgl(){return!0}get index(){const{_index:e}=this;if(null!=e)return e;throw new Error(`${this}.index_data() wasn't called`)}get data_size(){const{base:e}=this;if(null!=e)return e.data_size;{const{_data_size:e}=this;if(null!=e)return e;throw new Error(`${this}.set_data() wasn't called`)}}initialize(){super.initialize(),this.visuals=new h.Visuals(this)}*children(){yield*super.children(),yield*this.decorations.values()}async lazy_initialize(){await super.lazy_initialize(),await(0,f.build_views)(this.decorations,this.model.decorations,{parent:this.parent});const{webgl:e}=this.canvas;if(null!=e&&null!=this.load_glglyph){const t=await this.load_glglyph();this.glglyph=new t(e.regl_wrapper,this)}}request_paint(){this.parent.request_paint()}get canvas(){return this.renderer.parent.canvas_view}paint(e,t,i){if(this.has_webgl())this.glglyph.render(e,t,this.base??this);else{if(null!=this.canvas.webgl&&l.settings.force_webgl)throw new Error(`${this} doesn't support webgl rendering`);this._paint(e,t,i)}}has_finished(){return!0}notify_finished(){this.renderer.notify_finished()}_bounds(e){return e}bounds(e=\"none\"){switch(e){case\"none\":return this._bounds(this.index.bbox);case\"x\":{const e=this.renderer.coordinates.x_source;if(isNaN(e.start)||isNaN(e.end))return this._bounds(this.index.bbox);const t=o.x_range(e.start,e.end),{x0:i,y0:s,x1:n,y1:r}=this.index.bounds(t);return isFinite(s+r)?this._bounds({x0:i,y0:s,x1:n,y1:r}):this._bounds(this.index.bbox)}case\"y\":{const e=this.renderer.coordinates.y_source;if(isNaN(e.start)||isNaN(e.end))return this._bounds(this.index.bbox);const t=o.y_range(e.start,e.end),{x0:i,y0:s,x1:n,y1:r}=this.index.bounds(t);return isFinite(i+n)?this._bounds({x0:i,y0:s,x1:n,y1:r}):this._bounds(this.index.bbox)}}}log_bounds(){const{x0:e,x1:t}=this.index.bounds(o.positive_x()),{y0:i,y1:s}=this.index.bounds(o.positive_y());return this._bounds({x0:e,y0:i,x1:t,y1:s})}get_anchor_point(e,t,[i,s]){switch(e){case\"center\":case\"center_center\":{const[e,n]=this.scenterxy(t,i,s);return{x:e,y:n}}default:return null}}sdist(e,t,i,s=\"edge\",n=!1){const r=t.length,a=new y.ScreenArray(r),_=e.s_compute;if(\"center\"==s)for(let e=0;eA(e))),a}draw_legend_for_index(e,t,i){}hit_test(e){const t=(()=>{switch(e.type){case\"point\":return this._hit_point?.(e);case\"span\":return this._hit_span?.(e);case\"rect\":return this._hit_rect?.(e);case\"poly\":return this._hit_poly?.(e)}})();return null!=t?t:(this._nohit_warned.has(e.type)||(p.logger.debug(`'${e.type}' selection not available for ${this.model.type}`),this._nohit_warned.add(e.type)),null)}_hit_rect_against_index(e){const{sx0:t,sx1:i,sy0:s,sy1:n}=e,[r,a]=this.renderer.coordinates.x_scale.r_invert(t,i),[_,o]=this.renderer.coordinates.y_scale.r_invert(s,n),h=[...this.index.indices({x0:r,x1:a,y0:_,y1:o})];return new C.Selection({indices:h})}_project_xy(e,t,i,s){const n=this._is_inherited(e),r=this._is_inherited(i);if(n||r){if(!n||!r){const[n,r]=(0,w.project_xy)(t,s);this._define_attr(e,n),this._define_attr(i,r)}}else w.inplace.project_xy(t,s)}_project_data(){}*_iter_visuals(){for(const e of this.visuals)for(const t of e)(t instanceof _.VectorSpec||t instanceof _.ScalarSpec)&&(yield t)}get base(){return this._base}set_base(e){e!=this&&e instanceof this.constructor?this._base=e:this._base=null}_define_or_inherit_attr(e,t){const s=t();s===i.inherit?this._inherit_attr(e):this._define_attr(e,s)}_define_attr(e,t){Object.defineProperty(this,e,{configurable:!0,enumerable:!0,value:t}),this._define_inherited(e,!1)}_inherit_attr(e){const{base:t}=this;(0,z.assert)(null!=t),this._inherit_from(e,t)}_inherit_from(e,t){Object.defineProperty(this,e,{configurable:!0,enumerable:!0,get:()=>t[e]}),this._define_inherited(e,!0)}_define_inherited(e,t){Object.defineProperty(this,`inherited_${e}`,{configurable:!0,enumerable:!0,value:t})}_can_inherit_from(e,t){if(null==t)return!1;const i=t.model.property(e.attr),s=e.get_value(),n=i.get_value();try{return(0,S.is_equal)(s,n)}catch(e){if(e instanceof S.EqNotImplemented)return!1;throw e}}_is_inherited(e){return this[`inherited_${(0,g.isString)(e)?e:e.attr}`]}set_visuals(e,t){for(const i of this._iter_visuals()){const{base:s}=this;if(null!=s&&this._can_inherit_from(i,s))this._inherit_from(i.attr,s);else{const s=i.uniform(e).select(t);this._define_attr(i.attr,s)}}for(const e of this.visuals)e.update();this.has_webgl()&&this.glglyph.set_visuals_changed()}_transform_array(e,t){if(e instanceof _.CoordinateSeqSpec){if(!(null==this.renderer.data_source.get_value().get_length())&&!(0,b.every)(t,g.isArrayable)){const t=`expected a 2-d array for ${this.model.type}.${e.attr}`;throw p.logger.error(t),new Error(t)}}const{x_source:i,y_source:s}=this.renderer.coordinates,n=\"x\"==e.dimension?i:s;if(n instanceof $.FactorRange)if(e instanceof _.CoordinateSpec)t=n.v_synthetic(t);else if(e instanceof _.CoordinateSeqSpec)for(let e=0;e{const s=\"x\"==i.dimension?e:t,n=this[i.attr];return n instanceof x.RaggedArray?new x.RaggedArray(n.offsets,s.v_compute(n.data)):s.v_compute(n)};for(const e of this.model)if(e instanceof _.BaseCoordinateSpec)if(null!=i&&this._is_inherited(e))this._inherit_from(`s${e.attr}`,i);else{const t=s(e);this._define_attr(`s${e.attr}`,t)}this._map_data(),this.has_webgl()&&this.glglyph.set_data_mapped()}_map_data(){}get bbox(){if(null==this.base){const{x0:e,y0:t,x1:i,y1:s}=this.index.bbox,{x_scale:n,y_scale:r}=this.renderer.coordinates,[a,_]=n.r_compute(e,i),[o,h]=r.r_compute(t,s);return q.BBox.from_rect({x0:a,y0:o,x1:_,y1:h})}}}i.GlyphView=V,V.__name__=\"GlyphView\";class E extends u.Model{constructor(e){super(e)}}i.Glyph=E,r=E,E.__name__=\"Glyph\",r.define((({List:e,Ref:t})=>({decorations:[e(t(N.Decoration)),[]]})))},\n", " function _(t,s,e,r,a){var n;r();const o=t(27),h=t(12);class i{constructor(t,s){this.offsets=t,this.data=s}[(n=Symbol.toStringTag,o.equals)](t,s){return s.arrays(this.offsets,t.offsets)&&s.arrays(this.data,t.data)}get length(){return this.offsets.length}clone(){return new i(this.offsets.slice(),this.data.slice())}static from(t,s){const e=t.length;let r=0;const a=(()=>{const s=new Uint32Array(e);for(let a=0;a0&&(this.index=new d.default(i))}add_rect(i,n,e,t){isFinite(i+n+e+t)?this.index?.add(i,n,e,t):this.add_empty()}add_point(i,n){isFinite(i+n)?this.index?.add(i,n,i,n):this.add_empty()}add_empty(){this.index?.add(1/0,1/0,-1/0,-1/0)}finish(){this.index?.finish()}_normalize(i){let{x0:n,y0:e,x1:t,y1:s}=i;return n>t&&isFinite(n+t)&&([n,t]=[t,n]),e>s&&isFinite(e+s)&&([e,s]=[s,e]),{x0:n,y0:e,x1:t,y1:s}}get bbox(){if(null==this.index)return(0,a.empty)();{const{minX:i,minY:n,maxX:e,maxY:t}=this.index;return{x0:i,y0:n,x1:e,y1:t}}}indices(i){if(null==this.index)return new x.Indices(0);const{x0:n,y0:e,x1:t,y1:s}=this._normalize(i),d=new x.Indices(this.index.numItems);return this.index.search(n,e,t,s,(i=>(d.set_unchecked(i),!1))),d}bounds(i){if(null==this.index)return(0,a.empty)();const{x0:n,y0:e,x1:t,y1:s}=this._normalize(i),d=(0,a.empty)();return this.index.search(n,e,t,s,((i,x,a,r,h)=>(x>=n&&xd.x1&&(d.x1=r),a>=e&&ad.y1&&(d.y1=h),!1))),d}}e.SpatialIndex=r,r.__name__=\"SpatialIndex\"},\n", " function _(t,s,i,e,n){e();const o=t(1).__importDefault(t(240)),h=[Int8Array,Uint8Array,Uint8ClampedArray,Int16Array,Uint16Array,Int32Array,Uint32Array,Float32Array,Float64Array];class r{static from(t,s=0){if(s%8!=0)throw new Error(\"byteOffset must be 8-byte aligned.\");if(!t||void 0===t.byteLength||t.buffer)throw new Error(\"Data must be an instance of ArrayBuffer or SharedArrayBuffer.\");const[i,e]=new Uint8Array(t,s+0,2);if(251!==i)throw new Error(\"Data does not appear to be in a Flatbush format.\");const n=e>>4;if(3!==n)throw new Error(`Got v${n} data when expected v3.`);const o=h[15&e];if(!o)throw new Error(\"Unrecognized array type.\");const[a]=new Uint16Array(t,s+2,1),[m]=new Uint32Array(t,s+4,1);return new r(m,a,o,void 0,t,s)}constructor(t,s=16,i=Float64Array,e=ArrayBuffer,n,r=0){if(void 0===t)throw new Error(\"Missing required argument: numItems.\");if(isNaN(t)||t<=0)throw new Error(`Unexpected numItems value: ${t}.`);this.numItems=+t,this.nodeSize=Math.min(Math.max(+s,2),65535),this.byteOffset=r;let a=t,m=a;this._levelBounds=[4*a];do{a=Math.ceil(a/this.nodeSize),m+=a,this._levelBounds.push(4*m)}while(1!==a);this.ArrayType=i,this.IndexArrayType=m<16384?Uint16Array:Uint32Array;const _=h.indexOf(i),d=4*m*i.BYTES_PER_ELEMENT;if(_<0)throw new Error(`Unexpected typed array class: ${i}.`);if(n)this.data=n,this._boxes=new i(n,r+8,4*m),this._indices=new this.IndexArrayType(n,r+8+d,m),this._pos=4*m,this.minX=this._boxes[this._pos-4],this.minY=this._boxes[this._pos-3],this.maxX=this._boxes[this._pos-2],this.maxY=this._boxes[this._pos-1];else{const n=this.data=new e(8+d+m*this.IndexArrayType.BYTES_PER_ELEMENT);this._boxes=new i(n,8,4*m),this._indices=new this.IndexArrayType(n,8+d,m),this._pos=0,this.minX=1/0,this.minY=1/0,this.maxX=-1/0,this.maxY=-1/0,new Uint8Array(n,0,2).set([251,48+_]),new Uint16Array(n,2,1)[0]=s,new Uint32Array(n,4,1)[0]=t}this._queue=new o.default}add(t,s,i=t,e=s){const n=this._pos>>2,o=this._boxes;return this._indices[n]=n,o[this._pos++]=t,o[this._pos++]=s,o[this._pos++]=i,o[this._pos++]=e,tthis.maxX&&(this.maxX=i),e>this.maxY&&(this.maxY=e),n}finish(){if(this._pos>>2!==this.numItems)throw new Error(`Added ${this._pos>>2} items when expected ${this.numItems}.`);const t=this._boxes;if(this.numItems<=this.nodeSize)return t[this._pos++]=this.minX,t[this._pos++]=this.minY,t[this._pos++]=this.maxX,void(t[this._pos++]=this.maxY);const s=this.maxX-this.minX||1,i=this.maxY-this.minY||1,e=new Uint32Array(this.numItems);for(let n=0,o=0;n>2]=s,t[this._pos++]=n,t[this._pos++]=o,t[this._pos++]=h,t[this._pos++]=r}}}search(t,s,i,e,n){if(this._pos!==this._boxes.length)throw new Error(\"Data not yet indexed - call index.finish().\");let o=this._boxes.length-4;const h=[],r=[];for(;void 0!==o;){const m=Math.min(o+4*this.nodeSize,a(o,this._levelBounds));for(let a=o;ad)continue;const f=this._boxes[a+3];if(s>f)continue;const l=0|this._indices[a>>2];o>=4*this.numItems?h.push(l):(void 0===n||n(l,m,_,d,f))&&r.push(l)}o=h.pop()}return r}neighbors(t,s,i=1/0,e=1/0,n){if(this._pos!==this._boxes.length)throw new Error(\"Data not yet indexed - call index.finish().\");let o=this._boxes.length-4;const h=this._queue,r=[],m=e*e;t:for(;void 0!==o;){const e=Math.min(o+4*this.nodeSize,a(o,this._levelBounds));for(let i=o;i>2],r=this._boxes[i],a=this._boxes[i+1],_=this._boxes[i+2],d=this._boxes[i+3],f=t_?t-_:0,l=sd?s-d:0,c=f*f+l*l;c>m||(o>=4*this.numItems?h.push(e<<1,c):(void 0===n||n(e))&&h.push(1+(e<<1),c))}for(;h.length&&1&h.peek();){if(h.peekValue()>m)break t;if(r.push(h.pop()>>1),r.length===i)break t}o=h.length?h.pop()>>1:void 0}return h.clear(),r}}function a(t,s){let i=0,e=s.length-1;for(;i>1;s[n]>t?e=n:i=n+1}return s[i]}function m(t,s,i,e,n,o){if(Math.floor(e/o)>=Math.floor(n/o))return;const h=t[e],r=t[e+n>>1],a=t[n];let d=a;const f=Math.max(h,r);a>f?d=f:f===h?d=Math.max(r,a):f===r&&(d=Math.max(h,a));let l=e-1,c=n+1;for(;;){do{l++}while(t[l]d);if(l>=c)break;_(t,s,i,l,c)}m(t,s,i,e,c,o),m(t,s,i,c+1,n,o)}function _(t,s,i,e,n){const o=t[e];t[e]=t[n],t[n]=o;const h=4*e,r=4*n,a=s[h],m=s[h+1],_=s[h+2],d=s[h+3];s[h]=s[r],s[h+1]=s[r+1],s[h+2]=s[r+2],s[h+3]=s[r+3],s[r]=a,s[r+1]=m,s[r+2]=_,s[r+3]=d;const f=i[e];i[e]=i[n],i[n]=f}function d(t,s){let i=t^s,e=65535^i,n=65535^(t|s),o=t&(65535^s),h=i|e>>1,r=i>>1^i,a=n>>1^e&o>>1^n,m=i&n>>1^o>>1^o;i=h,e=r,n=a,o=m,h=i&i>>2^e&e>>2,r=i&e>>2^e&(i^e)>>2,a^=i&n>>2^e&o>>2,m^=e&n>>2^(i^e)&o>>2,i=h,e=r,n=a,o=m,h=i&i>>4^e&e>>4,r=i&e>>4^e&(i^e)>>4,a^=i&n>>4^e&o>>4,m^=e&n>>4^(i^e)&o>>4,i=h,e=r,n=a,o=m,a^=i&n>>8^e&o>>8,m^=e&n>>8^(i^e)&o>>8,i=a^a>>1,e=m^m>>1;let _=t^s,d=e|65535^(_|i);return _=16711935&(_|_<<8),_=252645135&(_|_<<4),_=858993459&(_|_<<2),_=1431655765&(_|_<<1),d=16711935&(d|d<<8),d=252645135&(d|d<<4),d=858993459&(d|d<<2),d=1431655765&(d|d<<1),(d<<1|_)>>>0}i.default=r},\n", " function _(t,s,i,h,e){h();i.default=class{constructor(){this.ids=[],this.values=[],this.length=0}clear(){this.length=0}push(t,s){let i=this.length++;for(;i>0;){const t=i-1>>1,h=this.values[t];if(s>=h)break;this.ids[i]=this.ids[t],this.values[i]=h,i=t}this.ids[i]=t,this.values[i]=s}pop(){if(0===this.length)return;const t=this.ids,s=this.values,i=t[0],h=--this.length;if(h>0){const i=t[h],e=s[h];let l=0;const n=h>>1;for(;l=e)break;t[l]=t[r],s[l]=s[r],l=r}t[l]=i,s[l]=e}return i}peek(){return this.length>0?this.ids[0]:void 0}peekValue(){return this.length>0?this.values[0]:void 0}shrink(){this.ids.length=this.values.length=this.length}}},\n", " function _(e,i,n,a,t){var r;a();const o=e(183),s=e(52),d=e(65),l=e(69);class c extends d.View{*children(){yield*super.children(),yield this.marking}async lazy_initialize(){await super.lazy_initialize(),this.marking=await(0,l.build_view)(this.model.marking,{parent:this.parent})}}n.DecorationView=c,c.__name__=\"DecorationView\";class _ extends s.Model{constructor(e){super(e)}}n.Decoration=_,r=_,_.__name__=\"Decoration\",r.prototype.default_view=c,r.define((({Enum:e,Ref:i})=>({marking:[i(o.Marking)],node:[e(\"start\",\"middle\",\"end\")]})))},\n", " function _(e,n,t,a,i){a(),t.generic_line_scalar_legend=function(e,n,{x0:t,x1:a,y0:i,y1:l}){n.save(),n.beginPath(),n.moveTo(t,(i+l)/2),n.lineTo(a,(i+l)/2),e.line.apply(n),n.restore()},t.generic_line_vector_legend=r,t.generic_line_legend=r,t.generic_area_scalar_legend=function(e,n,{x0:t,x1:a,y0:i,y1:l}){const r=.1*Math.abs(a-t),c=.1*Math.abs(l-i),_=t+r,o=a-r,s=i+c,y=l-c;n.beginPath(),n.rect(_,s,o-_,y-s),e.fill.apply(n),e.hatch?.apply(n),e.line?.apply(n)},t.generic_area_vector_legend=c,t.generic_area_legend=c,t.line_interpolation=function(e,n,t,a,i,r){const{sx:c,sy:_}=n;let o,s,y,p;\"point\"==n.type?([y,p]=e.yscale.r_invert(_-1,_+1),[o,s]=e.xscale.r_invert(c-1,c+1)):\"v\"==n.direction?([y,p]=e.yscale.r_invert(_,_),[o,s]=[Math.min(t-1,i-1),Math.max(t+1,i+1)]):([o,s]=e.xscale.r_invert(c,c),[y,p]=[Math.min(a-1,r-1),Math.max(a+1,r+1)]);const{x:g,y:h}=l.check_2_segments_intersect(o,y,s,p,t,a,i,r);return[g,h]};const l=e(1).__importStar(e(243));function r(e,n,{x0:t,x1:a,y0:i,y1:l},r){n.save(),n.beginPath(),n.moveTo(t,(i+l)/2),n.lineTo(a,(i+l)/2),e.line.apply(n,r),n.restore()}function c(e,n,{x0:t,x1:a,y0:i,y1:l},r){const c=.1*Math.abs(a-t),_=.1*Math.abs(l-i),o=t+c,s=a-c,y=i+_,p=l-_;n.beginPath(),n.rect(o,y,s-o,p-y),e.fill.apply(n,r),e.hatch?.apply(n,r),e.line?.apply(n,r)}},\n", " function _(t,n,e,r,i){function o(t,n,e,r){let i=!1,o=e[e.length-1],u=r[r.length-1];for(let l=0;l1)return u(t,e);return u(t,{x:n.x+i*(e.x-n.x),y:n.y+i*(e.y-n.y)})}function h(t,n,e,r,i,o,u,l){const h=(l-o)*(e-t)-(u-i)*(r-n);if(0==h)return{hit:!1,x:null,y:null};{let s=n-o,f=t-i;const c=(e-t)*s-(r-n)*f;s=((u-i)*s-(l-o)*f)/h,f=c/h;return{hit:s>0&&s<1&&f>0&&f<1,x:t+s*(e-t),y:n+s*(r-n)}}}r(),e.point_in_poly=o,e.point_in_ellipse=function(t,n,e,r,i,o,u){const l=(Math.cos(e)/i)**2+(Math.sin(e)/r)**2,h=2*Math.cos(e)*Math.sin(e)*((1/i)**2-(1/r)**2),s=(Math.cos(e)/r)**2+(Math.sin(e)/i)**2;return l*(t-o)**2+h*(t-o)*(n-u)+s*(n-u)**2<=1},e.dist_2_pts=u,e.dist_to_segment_squared=l,e.dist_to_segment=function(t,n,e){return Math.sqrt(l(t,n,e))},e.check_2_segments_intersect=h,e.vertex_overlap=function(t,n,e,r){for(let i=0;i0==n?[t[n],_,_,t[n]]:n==this.data_size-1?[o,t[n],t[n],o]:[o,_,_,o])();if(a.point_in_poly(e.sx,e.sy,r,l))return this._line_selection_for(n)}return new p.Selection}_hit_point(e){switch(this.model.step_mode){case\"before\":return this._hit_point_before(e);case\"after\":return this._hit_point_after(e);case\"center\":return this._hit_point_center(e)}}}i.HAreaStepView=d,d.__name__=\"HAreaStepView\";class f extends r.Area{constructor(e){super(e)}}i.HAreaStep=f,o=f,f.__name__=\"HAreaStep\",o.prototype.default_view=d,o.define((({})=>({x1:[l.XCoordinateSpec,{field:\"x1\"}],x2:[l.XCoordinateSpec,{field:\"x2\"}],y:[l.YCoordinateSpec,{field:\"y\"}],step_mode:[h.StepMode,\"before\"]})))},\n", " function _(e,a,r,_,s){var n;_();const i=e(1),l=e(236),c=e(242),t=i.__importStar(e(95));class d extends l.GlyphView{draw_legend_for_index(e,a,r){(0,c.generic_area_scalar_legend)(this.visuals,e,a)}}r.AreaView=d,d.__name__=\"AreaView\";class o extends l.Glyph{constructor(e){super(e)}}r.Area=o,n=o,o.__name__=\"Area\",n.mixins([t.FillScalar,t.HatchScalar])},\n", " function _(e,r,t,n,c){n(),t.flip_step_mode=function(e){switch(e){case\"before\":return\"after\";case\"after\":return\"before\";case\"center\":return\"center\"}}},\n", " function _(t,s,e,i,n){var a;i();const o=t(1),h=t(246),r=o.__importStar(t(243)),l=o.__importStar(t(19)),_=t(144);class c extends h.AreaView{_index_data(t){const{min:s,max:e}=Math,{data_size:i}=this;for(let n=0;n=0;s--)t.lineTo(n[s],a[s]);t.closePath(),this.visuals.fill.apply(t),this.visuals.hatch.apply(t)}_hit_point(t){const s=this.sy.length,e=new _.Selection;for(let i=0,n=s-1;i({x1:[l.XCoordinateSpec,{field:\"x1\"}],x2:[l.XCoordinateSpec,{field:\"x2\"}],y:[l.YCoordinateSpec,{field:\"y\"}]})))},\n", " function _(e,t,i,s,n){var o;s();const _=e(1),r=e(246),a=_.__importStar(e(243)),l=_.__importStar(e(19)),h=e(21),c=e(247),p=e(144);class d extends r.AreaView{_index_data(e){const{min:t,max:i}=Math,{x:s,y1:n,y2:o}=this;for(let _=0;_0==n?[t[n],_,_,t[n]]:n==this.data_size-1?[o,t[n],t[n],o]:[o,_,_,o])(),l=[i[n],i[n],s[n],s[n]];if(a.point_in_poly(e.sx,e.sy,r,l))return this._line_selection_for(n)}return new p.Selection}_hit_point(e){switch(this.model.step_mode){case\"before\":return this._hit_point_before(e);case\"after\":return this._hit_point_after(e);case\"center\":return this._hit_point_center(e)}}}i.VAreaStepView=d,d.__name__=\"VAreaStepView\";class f extends r.Area{constructor(e){super(e)}}i.VAreaStep=f,o=f,f.__name__=\"VAreaStep\",o.prototype.default_view=d,o.define((({})=>({x:[l.XCoordinateSpec,{field:\"x\"}],y1:[l.YCoordinateSpec,{field:\"y1\"}],y2:[l.YCoordinateSpec,{field:\"y2\"}],step_mode:[h.StepMode,\"before\"]})))},\n", " function _(t,s,e,i,n){var a;i();const o=t(1),h=t(246),r=o.__importStar(t(243)),l=o.__importStar(t(19)),_=t(144);class c extends h.AreaView{_index_data(t){const{min:s,max:e}=Math,{data_size:i}=this;for(let n=0;n=0;s--)t.lineTo(i[s],a[s]);t.closePath(),this.visuals.fill.apply(t),this.visuals.hatch.apply(t)}scenterxy(t){return[this.sx[t],(this.sy1[t]+this.sy2[t])/2]}_hit_point(t){const s=this.sx.length,e=new _.Selection;for(let i=0,n=s-1;i({x:[l.XCoordinateSpec,{field:\"x\"}],y1:[l.YCoordinateSpec,{field:\"y1\"}],y2:[l.YCoordinateSpec,{field:\"y2\"}]})))},\n", " function _(e,t,i,n,s){var c;n();const a=e(52),o=e(65),r=e(25),l=e(252),_=e(253),d=e(254);class h extends o.View{initialize(){super.initialize(),this.compute_indices()}connect_signals(){super.connect_signals();const e=()=>{this.compute_indices()},t=t=>{this.connect(t.change,e)},i=t=>{this.disconnect(t.change,e)};let{filter:n}=this.model;t(n),this.on_change(this.model.properties.filter,(()=>{i(n),n=this.model.filter,t(n),e()}));const s=t=>{this.connect(t.change,e),this.connect(t.streaming,e),this.connect(t.patching,e),this.connect(t.properties.data.change,e)},c=t=>{this.disconnect(t.change,e),this.disconnect(t.streaming,e),this.disconnect(t.patching,e),this.disconnect(t.properties.data.change,e)};let a=this.parent.data_source.get_value();s(a),this.on_change(this.parent.data_source,(()=>{c(a),a=this.parent.data_source.get_value(),s(a),e()}))}compute_indices(){const e=this.parent.data_source.get_value(),t=e.get_length()??1,i=r.Indices.all_set(t),n=this.model.filter.compute_indices(e);i.intersect(n),this.model.indices=i,this.model._indices_map_to_subset()}}i.CDSViewView=h,h.__name__=\"CDSViewView\";class p extends a.Model{constructor(e){super(e)}_indices_map_to_subset(){this._indices=[...this.indices],this.indices_map=new Map;const{_indices:e,indices_map:t}=this,i=e.length;for(let n=0;nthis._indices[e]))}convert_selection_to_subset(e){return e.map((e=>this.indices_map.get(e)))}convert_indices_from_subset(e){return e.map((e=>this._indices[e]))}get filters(){const{filter:e}=this;return e instanceof d.IntersectionFilter?e.operands:e instanceof _.AllIndices?[]:[e]}set filters(e){0==e.length?this.filter=new _.AllIndices:1==e.length?this.filter=e[0]:this.filter=new d.IntersectionFilter({operands:e})}}i.CDSView=p,c=p,p.__name__=\"CDSView\",c.prototype.default_view=h,c.define((({Ref:e})=>({filter:[e(l.Filter),()=>new _.AllIndices]}))),c.internal((({Int:e,Mapping:t,Ref:i,Nullable:n})=>({indices:[i(r.Indices)],indices_map:[t(e,e),new Map],masked:[n(i(r.Indices)),null]})))},\n", " function _(e,t,n,s,c){s();const o=e(52);class r extends o.Model{constructor(e){super(e)}}n.Filter=r,r.__name__=\"Filter\"},\n", " function _(e,n,s,t,c){t();const l=e(252),_=e(25);class i extends l.Filter{constructor(e){super(e)}compute_indices(e){const n=e.get_length()??1;return _.Indices.all_set(n)}}s.AllIndices=i,i.__name__=\"AllIndices\"},\n", " function _(e,t,n,s,c){s();const i=e(255);class o extends i.CompositeFilter{constructor(e){super(e)}_inplace_op(e,t){e.intersect(t)}}n.IntersectionFilter=o,o.__name__=\"IntersectionFilter\"},\n", " function _(e,t,n,s,o){var i;s();const c=e(252),r=e(25);class a extends c.Filter{constructor(e){super(e)}connect_signals(){super.connect_signals();const e=()=>{this.change.emit()},t=t=>{for(const n of t)this.connect(n.change,e)},n=t=>{for(const n of t)this.disconnect(n.change,e)};let s=(()=>{const{operands:e}=this.properties;return e.is_unset?[]:e.get_value()})();t(s),this.on_change(this.properties.operands,(()=>{n(s),s=this.operands,t(s)}))}compute_indices(e){const{operands:t}=this;if(0==t.length){const t=e.get_length()??1;return r.Indices.all_set(t)}{const[n,...s]=t.map((t=>t.compute_indices(e)));for(const e of s)this._inplace_op(n,e);return n}}}n.CompositeFilter=a,i=a,a.__name__=\"CompositeFilter\",i.define((({List:e,Ref:t})=>({operands:[e(t(c.Filter))]})))},\n", " function _(t,r,a,e,i){e(),i(\"BasicTickFormatter\",t(209).BasicTickFormatter),i(\"CategoricalTickFormatter\",t(257).CategoricalTickFormatter),i(\"DatetimeTickFormatter\",t(258).DatetimeTickFormatter),i(\"CustomJSTickFormatter\",t(263).CustomJSTickFormatter),i(\"LogTickFormatter\",t(264).LogTickFormatter),i(\"MercatorTickFormatter\",t(265).MercatorTickFormatter),i(\"NumeralTickFormatter\",t(266).NumeralTickFormatter),i(\"PrintfTickFormatter\",t(267).PrintfTickFormatter),i(\"TickFormatter\",t(205).TickFormatter),i(\"TimedeltaTickFormatter\",t(268).TimedeltaTickFormatter)},\n", " function _(t,r,o,c,a){c();const e=t(205),n=t(10);class i extends e.TickFormatter{constructor(t){super(t)}doFormat(t,r){return(0,n.copy)(t)}}o.CategoricalTickFormatter=i,i.__name__=\"CategoricalTickFormatter\"},\n", " function _(e,t,s,n,o){var r;n(),s._get_resolution=h,s._mktime=m,s._strftime=d,s._us=f;const i=e(21),l=e(12),c=e(259),u=e(8),_=e(205),a=e(220);function h(e,t){const s=1.1*e*1e3,n=1e3*t;return s=a.ONE_MINUTE?\"minsec\":\"seconds\":s=a.ONE_HOUR?\"hourmin\":\"minutes\":sparseInt(e,10)))}function d(e,t){const s=(0,c.sprintf)(\"$1%06d\",f(e));return-1==(t=t.replace(/((^|[^%])(%%)*)%f/,s)).indexOf(\"%\")?t:(0,c.datetime)(e,t)}function f(e){let t=Math.round(e/1e3%1*1e6);return e<0&&(t=(1e6+t)%1e6),t}s.resolution_order=[\"microseconds\",\"milliseconds\",\"seconds\",\"minsec\",\"minutes\",\"hourmin\",\"hours\",\"days\",\"months\",\"years\"],s.tm_index_for_resolution={microseconds:0,milliseconds:0,seconds:5,minsec:4,minutes:4,hourmin:3,hours:3,days:0,months:0,years:0};class p extends _.TickFormatter{constructor(e){super(e)}doFormat(e,t,s){if(0==e.length)return[];const n=Math.abs(e[e.length-1]-e[0])/1e3,o=n/(e.length-1),r=(0,u.is_undefined)(s)?h(o,n):s;let i=[];for(const t of e){const e=this._compute_label(t,r);i.push(e)}if(this.hide_repeats&&(i=this._hide_repeating_labels(i)),null==this.context)return i;const l=this._compute_context_labels(e,r);return this._build_full_labels(i,l)}_compute_label(e,t){const n=d(e,this[t]),o=m(e),r=s.resolution_order.indexOf(t);let i=t,l=n;if(this.boundary_scaling){let n=!1,c=r,u=t;for(;0==o[s.tm_index_for_resolution[s.resolution_order[c]]]&&(c+=1,c!=s.resolution_order.length);){if((\"minsec\"==t||\"hourmin\"==t)&&!n){if(\"minsec\"==t&&0==o[4]&&0!=o[5]||\"hourmin\"==t&&0==o[3]&&0!=o[4]){u=s.resolution_order[r-1],l=d(e,this[u]);break}n=!0}u=s.resolution_order[c],l=d(e,this[u])}i=u}const{strip_leading_zeros:c}=this;if((0,u.isBoolean)(c)&&c||(0,u.isArray)(c)&&c.includes(i)){const e=l.replace(/^0+/g,\"\");return e==l||Number.isInteger(Number(e[0]))?e:`0${e}`}return l}_compute_context_labels(e,t){const{context:s}=this;(0,l.assert)(null!=s);const n=[];if((0,u.isString)(s))for(const t of e)n.push(d(t,s));else n.push(...s.doFormat(e,{loc:0},t));const o=this.context_which,r=n.length;for(let e=0;e\"\"===e)))return e;for(let o=0;o{switch(s){case\"above\":return`${i}\\n${r}`;case\"below\":return`${r}\\n${i}`;case\"left\":return\"\"==i?r:`${i} ${r}`;case\"right\":return\"\"==i?r:`${r} ${i}`}})();n.push(l)}return n}_hide_repeating_labels(e){if(e.length<=1)return e;const t=[e[0]];let s=0;for(let n=1;n({microseconds:[o,\"%fus\"],milliseconds:[o,\"%3Nms\"],seconds:[o,\"%Ss\"],minsec:[o,\":%M:%S\"],minutes:[o,\":%M\"],hourmin:[o,\"%H:%M\"],hours:[o,\"%Hh\"],days:[o,\"%m/%d\"],months:[o,\"%m/%Y\"],years:[o,\"%Y\"],strip_leading_zeros:[s(e,l(i.ResolutionType)),!1],boundary_scaling:[e,!0],hide_repeats:[e,!1],context:[t(s(o,n(r))),null],context_which:[i.ContextWhich,\"start\"],context_location:[i.Location,\"below\"]})))},\n", " function _(r,e,n,t,i){t(),n.datetime=h,n.sprintf=g,n.basic_formatter=T,n.get_formatter=b,n._get_column_value=M,n.get_value=$,n.replace_placeholders_html=function(r,e,t,i,u={}){const s=E(r,((r,s,a,l,o)=>{const c=$(r,s,e,t,u);if(\"safe\"==a){const r=A.safe(c);return r instanceof I?r.html:(0,_.escape)(`${r}`)}{const r=(()=>{if(null==c)return n.MISSING;if((0,m.isNumber)(c)&&isNaN(c))return\"NaN\";return`${b(o,a,i)(c,a??\"\",u)}`})();return(0,_.escape)(r)}})),a=new DOMParser;return[...a.parseFromString(s,\"text/html\").body.childNodes]},n.replace_placeholders=function(r,e,t,i,u={},s){let a,l;(0,m.isString)(r)?(a=r,l=!1):(a=r.html,l=!0);if(a=E(a,((r,a,o,c,f)=>{const N=$(r,a,e,t,u);if(\"safe\"==o)return l=!0,null==N?n.MISSING:(0,m.isNumber)(N)&&isNaN(N)?\"NaN\":`${N}`;{const r=(()=>{if(null==N)return n.MISSING;if((0,m.isNumber)(N)&&isNaN(N))return\"NaN\";return`${b(f,o,i)(N,o??\"\",u)}`})();return null!=s?s(r):r}})),l){return[...(new DOMParser).parseFromString(a,\"text/html\").body.childNodes]}return a},n.process_placeholders=E;const u=r(1),s=u.__importStar(r(260)),a=r(261),l=u.__importDefault(r(262)),o=r(20),c=r(9),f=r(31),m=r(8),N=r(43),_=r(41),p=r(12),{abs:S}=Math;n.DEFAULT_FORMATTERS={raw:(r,e,n)=>(0,N.to_string)(r),basic:(r,e,n)=>T(r,e,n),numeral:(r,e,n)=>s.format(r,e),datetime:(r,e,n)=>h(r,e),printf:(r,e,n)=>g(e,r)};class d{}function h(r,e){return(0,m.isNumber)(r)&&isFinite(r)?(0,l.default)(r,e):\"NaN\"}function g(r,...e){return(0,a.sprintf)(r,...e)}function T(r,e,n){if((0,m.isNumber)(r)){return g(Number.isInteger(r)?\"%d\":.1((0,p.assert)(0==e.length),null==r?n.MISSING:(0,m.isNumber)(r)&&isNaN(r)?\"NaN\":new I(`${r}`))};const F=/(@\\$|@|\\$)((?:[\\p{Letter}\\p{Number}_]+)|(?:\\{(?:[^{}]+)\\}))(?:\\{([^{}]+)\\})?/gu;function E(r,e){let t=0;return r.replace(F,((r,i,u,s)=>{const a=u.replace(/^{/,\"\").replace(/}$/,\"\").trim(),l=`${i}${u}`;return e(i,a,s,t++,l)??n.MISSING}))}},\n", " function _(e,n,t,r,i){\n", " /*!\n", " * numbro.js\n", " * version : 1.6.2\n", " * author : Företagsplatsen AB\n", " * license : MIT\n", " * http://www.foretagsplatsen.se\n", " */\n", " var a,o={},l=o,c=\"en-US\",u=null,s=\"0,0\";void 0!==n&&n.exports;function f(e){this._value=e}function d(e){var n,t=\"\";for(n=0;n-1?function(e,n){var t,r,i,a;return t=(a=e.toString()).split(\"e\")[0],i=a.split(\"e\")[1],a=t.split(\".\")[0]+(r=t.split(\".\")[1]||\"\")+d(i-r.length),n>0&&(a+=\".\"+d(n)),a}(e,n):(t(e*o)/o).toFixed(n),r&&(i=new RegExp(\"0{1,\"+r+\"}$\"),a=a.replace(i,\"\")),a}function p(e,n,t){var r;return r=n.indexOf(\"$\")>-1?function(e,n,t){var r,i,a=n,l=a.indexOf(\"$\"),u=a.indexOf(\"(\"),s=a.indexOf(\"+\"),f=a.indexOf(\"-\"),d=\"\",h=\"\";-1===a.indexOf(\"$\")?\"infix\"===o[c].currency.position?(h=o[c].currency.symbol,o[c].currency.spaceSeparated&&(h=\" \"+h+\" \")):o[c].currency.spaceSeparated&&(d=\" \"):a.indexOf(\" $\")>-1?(d=\" \",a=a.replace(\" $\",\"\")):a.indexOf(\"$ \")>-1?(d=\" \",a=a.replace(\"$ \",\"\")):a=a.replace(\"$\",\"\");if(i=m(e,a,t,h),-1===n.indexOf(\"$\"))switch(o[c].currency.position){case\"postfix\":i.indexOf(\")\")>-1?((i=i.split(\"\")).splice(-1,0,d+o[c].currency.symbol),i=i.join(\"\")):i=i+d+o[c].currency.symbol;break;case\"infix\":break;case\"prefix\":i.indexOf(\"(\")>-1||i.indexOf(\"-\")>-1?(i=i.split(\"\"),r=Math.max(u,f)+1,i.splice(r,0,o[c].currency.symbol+d),i=i.join(\"\")):i=o[c].currency.symbol+d+i;break;default:throw Error('Currency position should be among [\"prefix\", \"infix\", \"postfix\"]')}else l<=1?i.indexOf(\"(\")>-1||i.indexOf(\"+\")>-1||i.indexOf(\"-\")>-1?(r=1,(l-1?((i=i.split(\"\")).splice(-1,0,d+o[c].currency.symbol),i=i.join(\"\")):i=i+d+o[c].currency.symbol;return i}(e,n,t):n.indexOf(\"%\")>-1?function(e,n,t){var r,i=\"\";e*=100,n.indexOf(\" %\")>-1?(i=\" \",n=n.replace(\" %\",\"\")):n=n.replace(\"%\",\"\");r=m(e,n,t),r.indexOf(\")\")>-1?((r=r.split(\"\")).splice(-1,0,i+\"%\"),r=r.join(\"\")):r=r+i+\"%\";return r}(e,n,t):n.indexOf(\":\")>-1?function(e){var n=Math.floor(e/60/60),t=Math.floor((e-60*n*60)/60),r=Math.round(e-60*n*60-60*t);return n+\":\"+(t<10?\"0\"+t:t)+\":\"+(r<10?\"0\"+r:r)}(e):m(e,n,t),r}function m(e,n,t,r){var i,a,l,s,f,d,p,m,x,g,O,b,w,y,M,v,$,B=!1,E=!1,F=!1,k=\"\",U=!1,N=!1,S=!1,j=!1,D=!1,C=\"\",L=\"\",T=Math.abs(e),K=[\"B\",\"KiB\",\"MiB\",\"GiB\",\"TiB\",\"PiB\",\"EiB\",\"ZiB\",\"YiB\"],G=[\"B\",\"KB\",\"MB\",\"GB\",\"TB\",\"PB\",\"EB\",\"ZB\",\"YB\"],I=\"\",P=!1,R=!1;if(0===e&&null!==u)return u;if(!isFinite(e))return\"\"+e;if(0===n.indexOf(\"{\")){var W=n.indexOf(\"}\");if(-1===W)throw Error('Format should also contain a \"}\"');b=n.slice(1,W),n=n.slice(W+1)}else b=\"\";if(n.indexOf(\"}\")===n.length-1){var Y=n.indexOf(\"{\");if(-1===Y)throw Error('Format should also contain a \"{\"');w=n.slice(Y+1,-1),n=n.slice(0,Y+1)}else w=\"\";if(v=null===($=-1===n.indexOf(\".\")?n.match(/([0-9]+).*/):n.match(/([0-9]+)\\..*/))?-1:$[1].length,-1!==n.indexOf(\"-\")&&(P=!0),n.indexOf(\"(\")>-1?(B=!0,n=n.slice(1,-1)):n.indexOf(\"+\")>-1&&(E=!0,n=n.replace(/\\+/g,\"\")),n.indexOf(\"a\")>-1){if(g=n.split(\".\")[0].match(/[0-9]+/g)||[\"0\"],g=parseInt(g[0],10),U=n.indexOf(\"aK\")>=0,N=n.indexOf(\"aM\")>=0,S=n.indexOf(\"aB\")>=0,j=n.indexOf(\"aT\")>=0,D=U||N||S||j,n.indexOf(\" a\")>-1?(k=\" \",n=n.replace(\" a\",\"\")):n=n.replace(\"a\",\"\"),p=0===(p=(f=Math.floor(Math.log(T)/Math.LN10)+1)%3)?3:p,g&&0!==T&&(d=Math.floor(Math.log(T)/Math.LN10)+1-g,m=3*~~((Math.min(g,f)-p)/3),T/=Math.pow(10,m),-1===n.indexOf(\".\")&&g>3))for(n+=\"[.]\",M=(M=0===d?0:3*~~(d/3)-d)<0?M+3:M,i=0;i=Math.pow(10,12)&&!D||j?(k+=o[c].abbreviations.trillion,e/=Math.pow(10,12)):T=Math.pow(10,9)&&!D||S?(k+=o[c].abbreviations.billion,e/=Math.pow(10,9)):T=Math.pow(10,6)&&!D||N?(k+=o[c].abbreviations.million,e/=Math.pow(10,6)):(T=Math.pow(10,3)&&!D||U)&&(k+=o[c].abbreviations.thousand,e/=Math.pow(10,3)))}if(n.indexOf(\"b\")>-1)for(n.indexOf(\" b\")>-1?(C=\" \",n=n.replace(\" b\",\"\")):n=n.replace(\"b\",\"\"),s=0;s<=K.length;s++)if(a=Math.pow(1024,s),l=Math.pow(1024,s+1),e>=a&&e0&&(e/=a);break}if(n.indexOf(\"d\")>-1)for(n.indexOf(\" d\")>-1?(C=\" \",n=n.replace(\" d\",\"\")):n=n.replace(\"d\",\"\"),s=0;s<=G.length;s++)if(a=Math.pow(1e3,s),l=Math.pow(1e3,s+1),e>=a&&e0&&(e/=a);break}if(n.indexOf(\"o\")>-1&&(n.indexOf(\" o\")>-1?(L=\" \",n=n.replace(\" o\",\"\")):n=n.replace(\"o\",\"\"),o[c].ordinal&&(L+=o[c].ordinal(e))),n.indexOf(\"[.]\")>-1&&(F=!0,n=n.replace(\"[.]\",\".\")),x=e.toString().split(\".\")[0],O=n.split(\".\")[1],y=n.indexOf(\",\"),O){if(x=(I=-1!==O.indexOf(\"*\")?h(e,e.toString().split(\".\")[1].length,t):O.indexOf(\"[\")>-1?h(e,(O=(O=O.replace(\"]\",\"\")).split(\"[\"))[0].length+O[1].length,t,O[1].length):h(e,O.length,t)).split(\".\")[0],I.split(\".\")[1].length)I=(r?k+r:o[c].delimiters.decimal)+I.split(\".\")[1];else I=\"\";F&&0===Number(I.slice(1))&&(I=\"\")}else x=h(e,null,t);return x.indexOf(\"-\")>-1&&(x=x.slice(1),R=!0),x.length-1&&(x=x.toString().replace(/(\\d)(?=(\\d{3})+(?!\\d))/g,\"$1\"+o[c].delimiters.thousands)),0===n.indexOf(\".\")&&(x=\"\"),b+(n.indexOf(\"(\")2)&&(o.length<2?!!o[0].match(/^\\d+.*\\d$/)&&!o[0].match(c):1===o[0].length?!!o[0].match(/^\\d+$/)&&!o[0].match(c)&&!!o[1].match(/^\\d+$/):!!o[0].match(/^\\d+.*\\d$/)&&!o[0].match(c)&&!!o[1].match(/^\\d+$/)))))},n.exports={format:function(e,n,t,r){return null!=t&&t!==a.culture()&&a.setCulture(t),p(Number(e),null!=n?n:s,r??Math.round)}}},\n", " function _(e,n,t,r,i){!function(){\"use strict\";var e={not_string:/[^s]/,not_bool:/[^t]/,not_type:/[^T]/,not_primitive:/[^v]/,number:/[diefg]/,numeric_arg:/[bcdiefguxX]/,json:/[j]/,not_json:/[^j]/,text:/^[^\\x25]+/,modulo:/^\\x25{2}/,placeholder:/^\\x25(?:([1-9]\\d*)\\$|\\(([^)]+)\\))?(\\+)?(0|'[^$])?(-)?(\\d+)?(?:\\.(\\d+))?([b-gijostTuvxX])/,key:/^([a-z_][a-z_\\d]*)/i,key_access:/^\\.([a-z_][a-z_\\d]*)/i,index_access:/^\\[(\\d+)\\]/,sign:/^[+-]/};function n(t){return function(t,r){var i,s,a,o,p,c,l,u,f,d=1,g=t.length,y=\"\";for(s=0;s=0),o.type){case\"b\":i=parseInt(i,10).toString(2);break;case\"c\":i=String.fromCharCode(parseInt(i,10));break;case\"d\":case\"i\":i=parseInt(i,10);break;case\"j\":i=JSON.stringify(i,null,o.width?parseInt(o.width):0);break;case\"e\":i=o.precision?parseFloat(i).toExponential(o.precision):parseFloat(i).toExponential();break;case\"f\":i=o.precision?parseFloat(i).toFixed(o.precision):parseFloat(i);break;case\"g\":i=o.precision?String(Number(i.toPrecision(o.precision))):parseFloat(i);break;case\"o\":i=(parseInt(i,10)>>>0).toString(8);break;case\"s\":i=String(i),i=o.precision?i.substring(0,o.precision):i;break;case\"t\":i=String(!!i),i=o.precision?i.substring(0,o.precision):i;break;case\"T\":i=Object.prototype.toString.call(i).slice(8,-1).toLowerCase(),i=o.precision?i.substring(0,o.precision):i;break;case\"u\":i=parseInt(i,10)>>>0;break;case\"v\":i=i.valueOf(),i=o.precision?i.substring(0,o.precision):i;break;case\"x\":i=(parseInt(i,10)>>>0).toString(16);break;case\"X\":i=(parseInt(i,10)>>>0).toString(16).toUpperCase()}e.json.test(o.type)?y+=i:(!e.number.test(o.type)||u&&!o.sign?f=\"\":(f=u?\"+\":\"-\",i=i.toString().replace(e.sign,\"\")),c=o.pad_char?\"0\"===o.pad_char?\"0\":o.pad_char.charAt(1):\" \",l=o.width-(f+i).length,p=o.width&&l>0?c.repeat(l):\"\",y+=o.align?f+i+p:\"0\"===c?f+p+i:p+f+i)}return y}(function(n){if(i[n])return i[n];var t,r=n,s=[],a=0;for(;r;){if(null!==(t=e.text.exec(r)))s.push(t[0]);else if(null!==(t=e.modulo.exec(r)))s.push(\"%\");else{if(null===(t=e.placeholder.exec(r)))throw new SyntaxError(\"[sprintf] unexpected placeholder\");if(t[2]){a|=1;var o=[],p=t[2],c=[];if(null===(c=e.key.exec(p)))throw new SyntaxError(\"[sprintf] failed to parse named argument key\");for(o.push(c[1]);\"\"!==(p=p.substring(c[0].length));)if(null!==(c=e.key_access.exec(p)))o.push(c[1]);else{if(null===(c=e.index_access.exec(p)))throw new SyntaxError(\"[sprintf] failed to parse named argument key\");o.push(c[1])}t[2]=o}else a|=2;if(3===a)throw new Error(\"[sprintf] mixing positional and named placeholders is not (yet) supported\");s.push({placeholder:t[0],param_no:t[1],keys:t[2],sign:t[3],pad_char:t[4],align:t[5],width:t[6],precision:t[7],type:t[8]})}r=r.substring(t[0].length)}return i[n]=s}(t),arguments)}function r(e,t){return n.apply(null,[e].concat(t||[]))}var i=Object.create(null);void 0!==t&&(t.sprintf=n,t.vsprintf=r),\"undefined\"!=typeof window&&(window.sprintf=n,window.vsprintf=r,\"function\"==typeof define&&define.amd&&define((function(){return{sprintf:n,vsprintf:r}})))}()},\n", " function _(e,t,n,r,o){!function(e){\"object\"==typeof t&&t.exports?t.exports=e():\"function\"==typeof define?define(e):this.tz=e()}((function(){function e(e,t,n){var r,o=t.day[1];do{r=new Date(Date.UTC(n,t.month,Math.abs(o++)))}while(t.day[0]<7&&r.getUTCDay()!=t.day[0]);return(r={clock:t.clock,sort:r.getTime(),rule:t,save:6e4*t.save,offset:e.offset})[r.clock]=r.sort+6e4*t.time,r.posix?r.wallclock=r[r.clock]+(e.offset+t.saved):r.posix=r[r.clock]-(e.offset+t.saved),r}function t(t,n,r){var o,a,u,i,l,s,c,f=t[t.zone],h=[],T=new Date(r).getUTCFullYear(),g=1;for(o=1,a=f.length;o=T-g;--c)for(o=0,a=s.length;o=h[o][n]&&h[o][h[o].clock]>u[h[o].clock]&&(i=h[o])}return i&&((l=/^(.*)\\/(.*)$/.exec(u.format))?i.abbrev=l[i.save?2:1]:i.abbrev=u.format.replace(/%s/,i.rule.letter)),i||u}function n(e,n){return\"UTC\"==e.zone?n:(e.entry=t(e,\"posix\",n),n+e.entry.offset+e.entry.save)}function r(e,n){return\"UTC\"==e.zone?n:(e.entry=r=t(e,\"wallclock\",n),0<(o=n-r.wallclock)&&o9)t+=s*l[c-10];else{if(a=new Date(n(e,t)),c<7)for(;s;)a.setUTCDate(a.getUTCDate()+i),a.getUTCDay()==c&&(s-=i);else 7==c?a.setUTCFullYear(a.getUTCFullYear()+s):8==c?a.setUTCMonth(a.getUTCMonth()+s):a.setUTCDate(a.getUTCDate()+s);null==(t=r(e,a.getTime()))&&(t=r(e,a.getTime()+864e5*i)-864e5*i)}return t}var a={clock:function(){return+new Date},zone:\"UTC\",entry:{abbrev:\"UTC\",offset:0,save:0},UTC:1,z:function(e,t,n,r){var o,a,u=this.entry.offset+this.entry.save,i=Math.abs(u/1e3),l=[],s=3600;for(o=0;o<3;o++)l.push((\"0\"+Math.floor(i/s)).slice(-2)),i%=s,s/=60;return\"^\"!=n||u?(\"^\"==n&&(r=3),3==r?(a=(a=l.join(\":\")).replace(/:00$/,\"\"),\"^\"!=n&&(a=a.replace(/:00$/,\"\"))):r?(a=l.slice(0,r+1).join(\":\"),\"^\"==n&&(a=a.replace(/:00$/,\"\"))):a=l.slice(0,2).join(\"\"),a=(a=(u<0?\"-\":\"+\")+a).replace(/([-+])(0)/,{_:\" $1\",\"-\":\"$1\"}[n]||\"$1$2\")):\"Z\"},\"%\":function(e){return\"%\"},n:function(e){return\"\\n\"},t:function(e){return\"\\t\"},U:function(e){return s(e,0)},W:function(e){return s(e,1)},V:function(e){return c(e)[0]},G:function(e){return c(e)[1]},g:function(e){return c(e)[1]%100},j:function(e){return Math.floor((e.getTime()-Date.UTC(e.getUTCFullYear(),0))/864e5)+1},s:function(e){return Math.floor(e.getTime()/1e3)},C:function(e){return Math.floor(e.getUTCFullYear()/100)},N:function(e){return e.getTime()%1e3*1e6},m:function(e){return e.getUTCMonth()+1},Y:function(e){return e.getUTCFullYear()},y:function(e){return e.getUTCFullYear()%100},H:function(e){return e.getUTCHours()},M:function(e){return e.getUTCMinutes()},S:function(e){return e.getUTCSeconds()},e:function(e){return e.getUTCDate()},d:function(e){return e.getUTCDate()},u:function(e){return e.getUTCDay()||7},w:function(e){return e.getUTCDay()},l:function(e){return e.getUTCHours()%12||12},I:function(e){return e.getUTCHours()%12||12},k:function(e){return e.getUTCHours()},Z:function(e){return this.entry.abbrev},a:function(e){return this[this.locale].day.abbrev[e.getUTCDay()]},A:function(e){return this[this.locale].day.full[e.getUTCDay()]},h:function(e){return this[this.locale].month.abbrev[e.getUTCMonth()]},b:function(e){return this[this.locale].month.abbrev[e.getUTCMonth()]},B:function(e){return this[this.locale].month.full[e.getUTCMonth()]},P:function(e){return this[this.locale].meridiem[Math.floor(e.getUTCHours()/12)].toLowerCase()},p:function(e){return this[this.locale].meridiem[Math.floor(e.getUTCHours()/12)]},R:function(e,t){return this.convert([t,\"%H:%M\"])},T:function(e,t){return this.convert([t,\"%H:%M:%S\"])},D:function(e,t){return this.convert([t,\"%m/%d/%y\"])},F:function(e,t){return this.convert([t,\"%Y-%m-%d\"])},x:function(e,t){return this.convert([t,this[this.locale].date])},r:function(e,t){return this.convert([t,this[this.locale].time12||\"%I:%M:%S\"])},X:function(e,t){return this.convert([t,this[this.locale].time24])},c:function(e,t){return this.convert([t,this[this.locale].dateTime])},convert:function(e){if(!e.length)return\"1.0.23\";var t,a,u,l,s,c=Object.create(this),f=[];for(t=0;t=o?Math.floor((n-o)/7)+1:0}function c(e){var t,n,r;return n=e.getUTCFullYear(),t=new Date(Date.UTC(n,0)).getUTCDay(),(r=s(e,1)+(t>1&&t<=4?1:0))?53!=r||4==t||3==t&&29==new Date(n,1,29).getDate()?[r,e.getUTCFullYear()]:[1,e.getUTCFullYear()+1]:(n=e.getUTCFullYear()-1,[r=4==(t=new Date(Date.UTC(n,0)).getUTCDay())||3==t&&29==new Date(n,1,29).getDate()?53:52,e.getUTCFullYear()-1])}return u=u.toLowerCase().split(\"|\"),\"delmHMSUWVgCIky\".replace(/./g,(function(e){a[e].pad=2})),a.N.pad=9,a.j.pad=3,a.k.style=\"_\",a.l.style=\"_\",a.e.style=\"_\",function(){return a.convert(arguments)}}))},\n", " function _(t,e,s,n,r){var c;n();const a=t(205),i=t(9),o=t(41);class u extends a.TickFormatter{constructor(t){super(t)}get names(){return(0,i.keys)(this.args)}get values(){return(0,i.values)(this.args)}_make_func(){const t=(0,o.use_strict)(this.code);return new Function(\"tick\",\"index\",\"ticks\",...this.names,t)}doFormat(t,e){const s=this._make_func().bind({});return t.map(((t,e,n)=>`${s(t,e,n,...this.values)}`))}}s.CustomJSTickFormatter=u,c=u,u.__name__=\"CustomJSTickFormatter\",c.define((({Unknown:t,Str:e,Dict:s})=>({args:[s(t),{}],code:[e,\"\"]})))},\n", " function _(e,t,n,r,o){var i;r();const s=e(205),a=e(209),c=e(224),l=e(192),{abs:u,log:x,round:_}=Math;class p extends s.TickFormatter{constructor(e){super(e)}initialize(){super.initialize(),this.basic_formatter=new a.BasicTickFormatter}format_graphics(e,t){if(0==e.length)return[];const n=this.ticker?.base??10,r=this._exponents(e,n);return null==r?this.basic_formatter.format_graphics(e,t):r.map((e=>{if(u(e)u(e)({ticker:[n(t(c.LogTicker)),null],min_exponent:[e,0]})))},\n", " function _(r,t,e,o,n){var i;o();const c=r(209),s=r(21),a=r(148);class l extends c.BasicTickFormatter{constructor(r){super(r)}doFormat(r,t){if(null==this.dimension)throw new Error(\"MercatorTickFormatter.dimension not configured\");if(0==r.length)return[];const e=r.length,o=new Array(e);if(\"lon\"==this.dimension)for(let n=0;n({dimension:[r(s.LatLon),null]})))},\n", " function _(r,n,t,o,e){var a;o();const u=r(1).__importStar(r(260)),c=r(205),i=r(21);class s extends c.TickFormatter{constructor(r){super(r)}get _rounding_fn(){switch(this.rounding){case\"round\":case\"nearest\":return Math.round;case\"floor\":case\"rounddown\":return Math.floor;case\"ceil\":case\"roundup\":return Math.ceil}}doFormat(r,n){const{format:t,language:o,_rounding_fn:e}=this;return r.map((r=>u.format(r,t,o,e)))}}t.NumeralTickFormatter=s,a=s,s.__name__=\"NumeralTickFormatter\",a.define((({Str:r})=>({format:[r,\"0,0\"],language:[r,\"en\"],rounding:[i.RoundingFunction,\"round\"]})))},\n", " function _(t,r,n,o,a){var e;o();const i=t(205),s=t(259);class c extends i.TickFormatter{constructor(t){super(t)}doFormat(t,r){return t.map((t=>(0,s.sprintf)(this.format,t)))}}n.PrintfTickFormatter=c,e=c,c.__name__=\"PrintfTickFormatter\",e.define((({Str:t})=>({format:[t,\"%s\"]})))},\n", " function _(t,n,e,s,r){var o;s(),e._get_resolution=h,e._str_timedelta=d,e._days=f,e._hours=m,e._minutes=N,e._seconds=g,e._ms=p,e._us=O,e._ns=E;const i=t(21),l=t(12),u=t(259),c=t(8),_=t(205),a=t(220);function h(t,n){const e=1.1*t*1e3,s=1e3*n;return e=a.ONE_MINUTE?\"minsec\":\"seconds\":e=a.ONE_HOUR?\"hourmin\":\"minutes\":eE(t,1e3),\"%ns\":t=>E(t,null),\"%US\":t=>O(t,1e3),\"%us\":t=>O(t,null),\"%MS\":t=>p(t,1e3),\"%ms\":t=>p(t,null),\"%S\":t=>g(t,60),\"%s\":t=>g(t,null),\"%M\":t=>N(t,60),\"%m\":t=>N(t,null),\"%H\":t=>m(t,24),\"%h\":t=>m(t,null),\"%d\":t=>f(t,null)};class S extends _.TickFormatter{constructor(t){super(t)}doFormat(t,n,e){if(0==t.length)return[];const s=Math.abs(t[t.length-1]-t[0])/1e3,r=s/(t.length-1),o=(0,c.is_undefined)(e)?h(r,s):e;let i=[];for(const n of t){const t=this._compute_label(n,o);i.push(t)}if(this.hide_repeats&&(i=this._hide_repeating_labels(i)),null==this.context)return i;const l=this._compute_context_labels(t,o);return this._build_full_labels(i,l)}_compute_label(t,n){const e=d(t,this[n]),{strip_leading_zeros:s}=this;if((0,c.isBoolean)(s)&&s||(0,c.isArray)(s)&&s.includes(n)){const t=e.replace(/^0+/g,\"\");return t==e||Number.isInteger(Number(t[0]))?t:`0${t}`}return e}_compute_context_labels(t,n){const{context:e}=this;(0,l.assert)(null!=e);const s=[];if((0,c.isString)(e))for(const n of t)s.push(d(n,e));else s.push(...e.doFormat(t,{loc:0},n));const r=this.context_which,o=s.length;for(let t=0;t\"\"===t)))return t;for(let r=0;r{switch(e){case\"above\":return`${i}\\n${o}`;case\"below\":return`${o}\\n${i}`;case\"left\":return\"\"==i?o:`${i} ${o}`;case\"right\":return\"\"==i?o:`${o} ${i}`}})();s.push(l)}return s}_hide_repeating_labels(t){if(t.length<=1)return t;const n=[t[0]];let e=0;for(let s=1;s({nanoseconds:[r,\"%NSns\"],microseconds:[r,\"%USus\"],milliseconds:[r,\"%MSms\"],seconds:[r,\"%H:%M:%S\"],minsec:[r,\"%H:%M:%S\"],minutes:[r,\"%H:%M\"],hourmin:[r,\"%H:%M\"],hours:[r,\"%H:%M\"],days:[r,\"%d days\"],strip_leading_zeros:[e(t,l(i.TimedeltaResolutionType)),!1],hide_repeats:[t,!1],context:[n(e(r,s(o))),null],context_which:[i.ContextWhich,\"start\"],context_location:[i.Location,\"below\"]})))},\n", " function _(a,e,l,c,o){c(),o(\"CategoricalScale\",a(116).CategoricalScale),o(\"CompositeScale\",a(117).CompositeScale),o(\"ContinuousScale\",a(114).ContinuousScale),o(\"LinearInterpolationScale\",a(270).LinearInterpolationScale),o(\"LinearScale\",a(113).LinearScale),o(\"LogScale\",a(115).LogScale),o(\"Scale\",a(108).Scale)},\n", " function _(e,n,r,t,a){var i;t();const s=e(108),o=e(113),c=e(13);class _ extends s.Scale{constructor(e){super(e)}initialize(){super.initialize();const{source_range:e,target_range:n}=this.properties;e.is_unset||n.is_unset||(this.linear_scale=new o.LinearScale({source_range:e.get_value(),target_range:n.get_value()}))}connect_signals(){super.connect_signals();const{source_range:e,target_range:n}=this.properties;this.on_change([e,n],(()=>{this.linear_scale=new o.LinearScale({source_range:this.source_range,target_range:this.target_range})}))}get s_compute(){throw new Error(\"not implemented\")}get s_invert(){throw new Error(\"not implemented\")}compute(e){return e}v_compute(e){const{binning:n}=this,{start:r,end:t}=this.source_range,a=r,i=t,s=n.length,o=(t-r)/(s-1),_=new Float64Array(s);for(let e=0;e{if(ei)return i;const r=(0,c.left_edge_index)(e,n);if(-1==r)return a;if(r>=s-1)return i;const t=n[r],o=(e-t)/(n[r+1]-t),l=_[r];return l+o*(_[r+1]-l)}));return this.linear_scale.v_compute(l)}invert(e){return e}v_invert(e){return new Float64Array(e)}}r.LinearInterpolationScale=_,i=_,_.__name__=\"LinearInterpolationScale\",i.internal((({Float:e,Arrayable:n,Ref:r})=>({binning:[n(e)],linear_scale:[r(o.LinearScale)]})))},\n", " function _(a,n,e,g,R){g(),R(\"DataRange\",a(119).DataRange),R(\"DataRange1d\",a(118).DataRange1d),R(\"FactorRange\",a(121).FactorRange),R(\"Range\",a(110).Range),R(\"Range1d\",a(111).Range1d)},\n", " function _(t,e,i,h,o){h();const n=t(136),s=t(137),r=t(62);class _ extends s.Layoutable{constructor(){super(...arguments),this.aligns={left:!0,right:!0,top:!0,bottom:!0},this.min_border={left:0,top:0,right:0,bottom:0},this.padding={left:0,top:0,right:0,bottom:0},this.center_border_width=0}*[Symbol.iterator](){yield this.top_panel,yield this.bottom_panel,yield this.left_panel,yield this.right_panel,yield this.center_panel}_measure(t){t=new n.Sizeable({width:\"fixed\"==this.sizing.width_policy||t.width==1/0?this.sizing.width:t.width,height:\"fixed\"==this.sizing.height_policy||t.height==1/0?this.sizing.height:t.height});const e=this.left_panel.measure({width:0,height:t.height}),i=Math.max(e.width,this.min_border.left)+this.padding.left,h=this.right_panel.measure({width:0,height:t.height}),o=Math.max(h.width,this.min_border.right)+this.padding.right,s=this.top_panel.measure({width:t.width,height:0}),r=Math.max(s.height,this.min_border.top)+this.padding.top,_=this.bottom_panel.measure({width:t.width,height:0}),g=Math.max(_.height,this.min_border.bottom)+this.padding.bottom,l=new n.Sizeable(t).shrink_by({left:i,right:o,top:r,bottom:g}),a=this.center_panel.measure(l);return{width:i+a.width+o,height:r+a.height+g,inner:{left:i,right:o,top:r,bottom:g},align:(()=>{const{width_policy:t,height_policy:e}=this.center_panel.sizing;return{...this.aligns,fixed_width:\"fixed\"==t,fixed_height:\"fixed\"==e}})()}}_set_geometry(t,e){if(super._set_geometry(t,e),this.sizing.visible){this.center_panel.set_geometry(e);const i=this.left_panel.measure({width:0,height:t.height}),h=this.right_panel.measure({width:0,height:t.height}),o=this.top_panel.measure({width:t.width,height:0}),n=this.bottom_panel.measure({width:t.width,height:0}),{left:s,top:_,right:g,bottom:l}=e;this.top_panel.set_geometry(new r.BBox({left:s,right:g,bottom:_,height:o.height})),this.bottom_panel.set_geometry(new r.BBox({left:s,right:g,top:l,height:n.height})),this.left_panel.set_geometry(new r.BBox({top:_,bottom:l,right:s,width:i.width})),this.right_panel.set_geometry(new r.BBox({top:_,bottom:l,left:g,width:h.width}));const a=e.shrink_by(this.center_border_width);if(null!=this.inner_top_panel){const{left:t,right:e,top:i,width:h}=a,o=this.inner_top_panel.measure({width:h,height:0});this.inner_top_panel.set_geometry(new r.BBox({left:t,right:e,top:i,height:o.height}))}if(null!=this.inner_bottom_panel){const{left:t,right:e,bottom:i,width:h}=a,o=this.inner_bottom_panel.measure({width:h,height:0});this.inner_bottom_panel.set_geometry(new r.BBox({left:t,right:e,bottom:i,height:o.height}))}if(null!=this.inner_left_panel){const{top:t,bottom:e,left:i,height:h}=a,o=this.inner_left_panel.measure({width:0,height:h});this.inner_left_panel.set_geometry(new r.BBox({top:t,bottom:e,left:i,width:o.width}))}if(null!=this.inner_right_panel){const{top:t,bottom:e,right:i,height:h}=a,o=this.inner_right_panel.measure({width:0,height:h});this.inner_right_panel.set_geometry(new r.BBox({top:t,bottom:e,right:i,width:o.width}))}}else this.center_panel.set_geometry(new r.BBox),this.top_panel.set_geometry(new r.BBox),this.bottom_panel.set_geometry(new r.BBox),this.left_panel.set_geometry(new r.BBox),this.right_panel.set_geometry(new r.BBox),this.inner_top_panel?.set_geometry(new r.BBox),this.inner_bottom_panel?.set_geometry(new r.BBox),this.inner_left_panel?.set_geometry(new r.BBox),this.inner_right_panel?.set_geometry(new r.BBox)}}i.BorderLayout=_,_.__name__=\"BorderLayout\"},\n", " function _(e,s,_,i,l){var t;i();const o=e(1),r=e(274),h=o.__importStar(e(95));class p extends r.UpperLowerView{_paint_data(e){e.beginPath(),e.moveTo(this._lower_sx[0],this._lower_sy[0]);for(let s=0,_=this._lower_sx.length;s<_;s++)e.lineTo(this._lower_sx[s],this._lower_sy[s]);for(let s=this._upper_sx.length-1;s>=0;s--)e.lineTo(this._upper_sx[s],this._upper_sy[s]);e.closePath(),this.visuals.fill.apply(e),this.visuals.hatch.apply(e),e.beginPath(),e.moveTo(this._lower_sx[0],this._lower_sy[0]);for(let s=0,_=this._lower_sx.length;s<_;s++)e.lineTo(this._lower_sx[s],this._lower_sy[s]);this.visuals.line.apply(e),e.beginPath(),e.moveTo(this._upper_sx[0],this._upper_sy[0]);for(let s=0,_=this._upper_sx.length;s<_;s++)e.lineTo(this._upper_sx[s],this._upper_sy[s]);this.visuals.line.apply(e)}}_.BandView=p,p.__name__=\"BandView\";class a extends r.UpperLower{constructor(e){super(e)}}_.Band=a,t=a,a.__name__=\"Band\",t.prototype.default_view=p,t.mixins([h.Line,h.Fill,h.Hatch]),t.override({fill_color:\"#fff9ba\",fill_alpha:.4,line_color:\"#cccccc\",line_alpha:.3})},\n", " function _(e,t,s,r,i){var n;r();const a=e(1),o=e(141),_=e(25),c=e(21),p=a.__importStar(e(19));class h extends o.DataAnnotationView{map_data(){const{frame:e}=this.plot_view,t=this.model.dimension,s=this.coordinates.x_scale,r=this.coordinates.y_scale,i=\"height\"==t?r:s,n=\"height\"==t?s:r,a=\"height\"==t?e.bbox.yview:e.bbox.xview,o=\"height\"==t?e.bbox.xview:e.bbox.yview,c=(()=>{switch(this.model.properties.lower.units){case\"canvas\":return new _.ScreenArray(this._lower);case\"screen\":return a.v_compute(this._lower);case\"data\":return i.v_compute(this._lower)}})(),p=(()=>{switch(this.model.properties.upper.units){case\"canvas\":return new _.ScreenArray(this._upper);case\"screen\":return a.v_compute(this._upper);case\"data\":return i.v_compute(this._upper)}})(),h=(()=>{switch(this.model.properties.base.units){case\"canvas\":return new _.ScreenArray(this._base);case\"screen\":return o.v_compute(this._base);case\"data\":return n.v_compute(this._base)}})(),[u,d]=\"height\"==t?[1,0]:[0,1],w=[c,h],l=[p,h];this._lower_sx=w[u],this._lower_sy=w[d],this._upper_sx=l[u],this._upper_sy=l[d]}}s.UpperLowerView=h,h.__name__=\"UpperLowerView\";class u extends p.CoordinateSpec{constructor(){super(...arguments),this._value=p.unset}get dimension(){return\"width\"==this.obj.dimension?\"x\":\"y\"}get units(){return this._value===p.unset?\"data\":this._value.units??\"data\"}}s.XOrYCoordinateSpec=u,u.__name__=\"XOrYCoordinateSpec\";class d extends o.DataAnnotation{constructor(e){super(e)}}s.UpperLower=d,n=d,d.__name__=\"UpperLower\",n.define((()=>({dimension:[c.Dimension,\"height\"],lower:[u,{field:\"lower\"}],upper:[u,{field:\"upper\"}],base:[u,{field:\"base\"}]})))},\n", " function _(t,e,o,i,r){var s,n,l;i();const a=t(1),h=t(96),_=t(52),u=t(94),c=t(118),m=a.__importStar(t(95)),b=t(21),d=t(10),p=t(62),f=t(16),g=t(8),v=t(11),w=t(12),x=t(9),y=t(124),N=a.__importStar(t(276)),B=t(197),z=a.__importStar(t(127)),A=t(57),C=t(58),V=t(121),F=t(22),E=(0,F.Or)(F.Float,V.FactorLike,(0,F.Ref)(C.Coordinate));o.EDGE_TOLERANCE=2.5;const{abs:L}=Math;class R extends _.Model{constructor(t){super(t)}}o.BoxInteractionHandles=R,s=R,R.__name__=\"BoxInteractionHandles\",s.define((({Ref:t,Nullable:e})=>({all:[t(u.AreaVisuals)],move:[e(t(u.AreaVisuals)),null],resize:[e(t(u.AreaVisuals)),null],sides:[e(t(u.AreaVisuals)),null],corners:[e(t(u.AreaVisuals)),null],left:[e(t(u.AreaVisuals)),null],right:[e(t(u.AreaVisuals)),null],top:[e(t(u.AreaVisuals)),null],bottom:[e(t(u.AreaVisuals)),null],top_left:[e(t(u.AreaVisuals)),null],top_right:[e(t(u.AreaVisuals)),null],bottom_left:[e(t(u.AreaVisuals)),null],bottom_right:[e(t(u.AreaVisuals)),null]})));const H=()=>new R({all:new u.AreaVisuals({fill_color:\"white\",fill_alpha:1,line_color:\"black\",line_alpha:1,hover_fill_color:\"lightgray\",hover_fill_alpha:1})});class M extends h.AnnotationView{constructor(){super(...arguments),this._bbox=new p.BBox,this._handles_views={},this[n]=!0,this._pan_state=null,this._pinch_state=null,this._is_hovered=!1}get bbox(){return this._bbox}initialize(){super.initialize(),this._update_handles()}_update_handles(){const{editable:t,use_handles:e,handles:o}=this.model;if(t&&e){const{movable:i,resizable:r}=this,s={visible:!0,resizable:\"none\",left_units:\"canvas\",right_units:\"canvas\",top_units:\"canvas\",bottom_units:\"canvas\",level:this.model.level,is_handle:!0};function n(t){return{...m.attrs_of(t,\"\",m.Line,!0),...m.attrs_of(t,\"\",m.Fill,!0),...m.attrs_of(t,\"\",m.Hatch,!0),...m.attrs_of(t,\"hover_\",m.Line,!0),...m.attrs_of(t,\"hover_\",m.Fill,!0),...m.attrs_of(t,\"hover_\",m.Hatch,!0)}}const l=o,a={area:n(l.move??l.all),left:n(l.left??l.sides??l.resize??l.all),right:n(l.right??l.sides??l.resize??l.all),top:n(l.top??l.sides??l.resize??l.all),bottom:n(l.bottom??l.sides??l.resize??l.all),top_left:n(l.top_left??l.corners??l.resize??l.all),top_right:n(l.top_right??l.corners??l.resize??l.all),bottom_left:n(l.bottom_left??l.corners??l.resize??l.all),bottom_right:n(l.bottom_right??l.corners??l.resize??l.all)},{tl_cursor:h,tr_cursor:_,bl_cursor:u,br_cursor:c,ew_cursor:b,ns_cursor:d}=this.model;this._handles={area:i?new S({...s,...a.area,in_cursor:\"move\",movable:this.model.movable}):null,left:r.left?new S({...s,...a.left,in_cursor:b}):null,right:r.right?new S({...s,...a.right,in_cursor:b}):null,top:r.top?new S({...s,...a.top,in_cursor:d}):null,bottom:r.bottom?new S({...s,...a.bottom,in_cursor:d}):null,top_left:r.top_left?new S({...s,...a.top_left,in_cursor:h}):null,top_right:r.top_right?new S({...s,...a.top_right,in_cursor:_}):null,bottom_left:r.bottom_left?new S({...s,...a.bottom_left,in_cursor:u}):null,bottom_right:r.bottom_right?new S({...s,...a.bottom_right,in_cursor:c}):null}}else this._handles={area:null,left:null,right:null,top:null,bottom:null,top_left:null,top_right:null,bottom_left:null,bottom_right:null}}get computed_renderers(){return[...super.computed_renderers,...(0,x.values)(this._handles).filter((t=>null!=t))]}connect_signals(){super.connect_signals();const{editable:t,use_handles:e,handles:o,resizable:i,movable:r}=this.model.properties;this.on_change([t,e,o,i,r],(async()=>{this._update_handles(),await this._update_renderers()})),this.connect(this.model.change,(()=>this.request_paint()))}async _build_renderers(){const t=await super._build_renderers(),e=t=>null!=t?this._renderer_views.get(t):void 0;return this._handles_views={area:e(this._handles.area),left:e(this._handles.left),right:e(this._handles.right),top:e(this._handles.top),bottom:e(this._handles.bottom),top_left:e(this._handles.top_left),top_right:e(this._handles.top_right),bottom_left:e(this._handles.bottom_left),bottom_right:e(this._handles.bottom_right)},t}_synthetic_lrtb(){const{left:t,left_units:e,right:o,right_units:i,top:r,top_units:s,bottom:n,bottom_units:l}=this.model,{x_source:a,y_source:h}=this.coordinates,_=a instanceof V.FactorRange,u=h instanceof V.FactorRange;return{left:(()=>{if(\"data\"==e&&!(t instanceof C.Coordinate)){if(_)return a.synthetic(t);if((0,g.isNumber)(t))return t}return NaN})(),right:(()=>{if(\"data\"==i&&!(o instanceof C.Coordinate)){if(_)return a.synthetic(o);if((0,g.isNumber)(o))return o}return NaN})(),top:(()=>{if(\"data\"==s&&!(r instanceof C.Coordinate)){if(u)return h.synthetic(r);if((0,g.isNumber)(r))return r}return NaN})(),bottom:(()=>{if(\"data\"==l&&!(n instanceof C.Coordinate)){if(u)return h.synthetic(n);if((0,g.isNumber)(n))return n}return NaN})()}}bounds(){const{left:t,right:e,top:o,bottom:i}=this._synthetic_lrtb(),r=isFinite(t),s=isFinite(e),n=isFinite(o),l=isFinite(i),[a,h]=r&&s?t<=e?[t,e]:[e,t]:r?[t,t]:s?[e,e]:[NaN,NaN],[_,u]=n&&l?o<=i?[o,i]:[i,o]:n?[o,o]:l?[i,i]:[NaN,NaN];return{x0:a,x1:h,y0:_,y1:u}}log_bounds(){return(0,p.empty)()}get mappers(){function t(t,e,o,i){switch(t){case\"canvas\":return i;case\"screen\":return o;case\"data\":return e}}const e=this.model,{x_scale:o,y_scale:i}=this.coordinates,{x_view:r,y_view:s}=this.plot_view.frame.bbox,{x_screen:n,y_screen:l}=this.plot_view.canvas.bbox;return{left:t(e.left_units,o,r,n),right:t(e.right_units,o,r,n),top:t(e.top_units,i,s,l),bottom:t(e.bottom_units,i,s,l)}}get border_radius(){return z.border_radius(this.model.border_radius)}compute_geometry(){super.compute_geometry();const t=(()=>{const t=(t,e,o)=>e instanceof C.Coordinate?this.resolve_as_scalar(e,t):o.compute(e),{left:e,right:o,top:i,bottom:r}=this.model,{mappers:s}=this;return p.BBox.from_lrtb({left:t(\"x\",e,s.left),right:t(\"x\",o,s.right),top:t(\"y\",i,s.top),bottom:t(\"y\",r,s.bottom)})})();this._bbox=t;const e=10,o=10;function i(t,e){const{left:o,right:i,top:r,bottom:s}=e;t?.setv({left:o,right:i,top:r,bottom:s},{silent:!0})}i(this._handles.area,new p.BBox({...t.center,width:e,height:o,origin:\"center\"})),i(this._handles.left,new p.BBox({...t.center_left,width:e,height:o,origin:\"center\"})),i(this._handles.right,new p.BBox({...t.center_right,width:e,height:o,origin:\"center\"})),i(this._handles.top,new p.BBox({...t.top_center,width:e,height:o,origin:\"center\"})),i(this._handles.bottom,new p.BBox({...t.bottom_center,width:e,height:o,origin:\"center\"})),i(this._handles.top_left,new p.BBox({...t.top_left,width:e,height:o,origin:\"center\"})),i(this._handles.top_right,new p.BBox({...t.top_right,width:e,height:o,origin:\"center\"})),i(this._handles.bottom_left,new p.BBox({...t.bottom_left,width:e,height:o,origin:\"center\"})),i(this._handles.bottom_right,new p.BBox({...t.bottom_right,width:e,height:o,origin:\"center\"}))}_paint(t){if(!this.bbox.is_valid)return;const{_is_hovered:e,visuals:o}=this,i=e&&o.hover_fill.doit?o.hover_fill:o.fill,r=e&&o.hover_hatch.doit?o.hover_hatch:o.hatch,s=e&&o.hover_line.doit?o.hover_line:o.line;if(t.save(),this.model.inverted){t.beginPath();const e=this.layout??this.plot_view.frame,{x:o,y:n,width:l,height:a}=e.bbox;t.rect(o,n,l,a),(0,B.round_rect)(t,this.bbox,this.border_radius),i.apply(t,\"evenodd\"),r.apply(t,\"evenodd\"),t.beginPath(),(0,B.round_rect)(t,this.bbox,this.border_radius),s.apply(t)}else t.beginPath(),(0,B.round_rect)(t,this.bbox,this.border_radius),i.apply(t),r.apply(t),s.apply(t);t.restore()}interactive_bbox(){const t=this.model.line_width+o.EDGE_TOLERANCE;return this.bbox.grow_by(t)}interactive_hit(t,e){if(!this.model.visible)return!1;return this.interactive_bbox().contains(t,e)}_hit_test(t,e){const{left:i,right:r,bottom:s,top:n}=this.bbox,l=Math.max(o.EDGE_TOLERANCE,this.model.line_width/2),a=L(i-t),h=L(r-t),_=L(n-e),u=L(s-e),c={left:a{if(!m[o])return!1;const r=this._handles_views[o];return null!=r?r.bbox.contains(t,e):i};return b(\"top_left\",c.top&&c.left)?\"top_left\":b(\"top_right\",c.top&&c.right)?\"top_right\":b(\"bottom_left\",c.bottom&&c.left)?\"bottom_left\":b(\"bottom_right\",c.bottom&&c.right)?\"bottom_right\":b(\"left\",c.left)?\"left\":b(\"right\",c.right)?\"right\":b(\"top\",c.top)?\"top\":b(\"bottom\",c.bottom)?\"bottom\":b(\"area\",this.bbox.contains(t,e))?\"area\":null}get resizable(){const{resizable:t}=this.model,e=\"left\"==t||\"x\"==t||\"all\"==t,o=\"right\"==t||\"x\"==t||\"all\"==t,i=\"top\"==t||\"y\"==t||\"all\"==t,r=\"bottom\"==t||\"y\"==t||\"all\"==t;return{left:e,right:o,top:i,bottom:r,top_left:i&&e,top_right:i&&o,bottom_left:r&&e,bottom_right:r&&o}}get movable(){const t=\"none\"!=this.model.movable;return(this.model.is_handle||this.model.editable)&&t}_hittable(){const{left:t,right:e,top:o,bottom:i}=this.resizable;return{top_left:o&&t,top_right:o&&e,bottom_left:i&&t,bottom_right:i&&e,left:t,right:e,top:o,bottom:i,area:this.movable}}_can_hit(t){const{left:e,right:o,top:i,bottom:r}=this.resizable;switch(t){case\"top_left\":return i&&e;case\"top_right\":return i&&o;case\"bottom_left\":return r&&e;case\"bottom_right\":return r&&o;case\"left\":return e;case\"right\":return o;case\"top\":return i;case\"bottom\":return r;case\"area\":return this.movable}}on_pan_start(t){if(this.model.visible&&this.model.editable){const{sx:e,sy:o}=t,i=this._hit_test(e,o);if(null!=i&&this._can_hit(i))return this._pan_state={bbox:this.bbox.clone(),target:i},this.model.pan.emit([\"pan:start\",t.modifiers]),!0}return!1}on_pan(t){(0,w.assert)(null!=this._pan_state);const{mappers:e}=this,o=(t,e,o)=>e instanceof C.Coordinate?this.resolve_as_scalar(e,t):null==e?NaN:o.compute(e),i=p.BBox.from_lrtb({left:o(\"x\",this.model.left_limit,e.left),right:o(\"x\",this.model.right_limit,e.right),top:o(\"y\",this.model.top_limit,e.top),bottom:o(\"y\",this.model.bottom_limit,e.bottom)}),[r,s,n,l]=(()=>{const{dx:e,dy:o}=t,{target:i}=this._pan_state,{symmetric:r}=this.model,[s,n]=r?[-e,-o]:[0,0];switch(i){case\"top_left\":return[e,s,o,n];case\"top_right\":return[s,e,o,n];case\"bottom_left\":return[e,s,n,o];case\"bottom_right\":return[s,e,n,o];case\"left\":return[e,s,0,0];case\"right\":return[s,e,0,0];case\"top\":return[0,0,o,n];case\"bottom\":return[0,0,n,o];case\"area\":switch(this.model.movable){case\"both\":return[e,e,o,o];case\"x\":return[e,e,0,0];case\"y\":return[0,0,o,o];case\"none\":return[0,0,0,0]}}})(),a=(()=>{const t=(t,e)=>(0,d.min)([t,e]),e=t=>t<0?-1:t>0?1:0,{bbox:o}=this._pan_state;let{left:a,right:h,left_sign:_,right_sign:u}=(()=>{const t=o.left+r,i=o.right+s,n=e(r),l=e(s);return t<=i?{left:t,right:i,left_sign:n,right_sign:l}:{left:i,right:t,left_sign:l,right_sign:n}})(),{top:c,bottom:m,top_sign:b,bottom_sign:f}=(()=>{const t=o.top+n,i=o.bottom+l,r=e(n),s=e(l);return t<=i?{top:t,bottom:i,top_sign:r,bottom_sign:s}:{top:i,bottom:t,top_sign:s,bottom_sign:r}})();const g=a-i.left,v=i.right-h,w=t(g<0?g:NaN,v<0?v:NaN);isFinite(w)&&w<0&&(a+=-_*-w,h+=-u*-w);const x=c-i.top,y=i.bottom-m,N=t(x<0?x:NaN,y<0?y:NaN);return isFinite(N)&&N<0&&(c+=-b*-N,m+=-f*-N),p.BBox.from_lrtb({left:a,right:h,top:c,bottom:m})})(),{min_width:h,min_height:_,max_width:u,max_height:c}=this.model,{left:m,right:b,top:f,bottom:g}=this.model,x={left:e.left.invert(a.left),right:e.right.invert(a.right),top:e.top.invert(a.top),bottom:e.bottom.invert(a.bottom)};if(0{const{scale:e}=t,{bbox:o}=this._pinch_state,{left:i,top:r,right:s,bottom:n,width:l,height:a}=o,h=l*(e-1),_=a*(e-1),{resizable:u}=this,c=u.left?-h/2:0,m=u.right?h/2:0,b=u.top?-_/2:0,d=u.bottom?_/2:0;return p.BBox.from_lrtb({left:i+c,right:s+m,top:r+b,bottom:n+d})})(),o=(()=>{const{left:t,right:o,top:i,bottom:r}=this.model,{mappers:s}=this;return{left:t instanceof C.Coordinate?t:s.left.invert(e.left),right:o instanceof C.Coordinate?o:s.right.invert(e.right),top:i instanceof C.Coordinate?i:s.top.invert(e.top),bottom:r instanceof C.Coordinate?r:s.bottom.invert(e.bottom)}})();this.model.update(o),this.model.pan.emit([\"pan\",t.modifiers])}on_pinch_end(t){this._pinch_state=null,this.model.pan.emit([\"pan:end\",t.modifiers])}get _has_hover(){const{hover_line:t,hover_fill:e,hover_hatch:o}=this.visuals;return t.doit||e.doit||o.doit}on_enter(t){const{_has_hover:e}=this;return e&&(this._is_hovered=!0,this.request_paint()),e}on_move(t){}on_leave(t){this._has_hover&&(this._is_hovered=!1,this.request_paint())}cursor(t,e){const o=this._pan_state?.target??this._hit_test(t,e);if(null==o||!this._can_hit(o))return null;const{tl_cursor:i,tr_cursor:r,bl_cursor:s,br_cursor:n,ew_cursor:l,ns_cursor:a,in_cursor:h}=this.model;switch(o){case\"top_left\":return null==this._handles.top_left?i:this._handles.top_left.tl_cursor;case\"top_right\":return null==this._handles.top_right?r:this._handles.top_right.tr_cursor;case\"bottom_left\":return null==this._handles.bottom_left?s:this._handles.bottom_left.bl_cursor;case\"bottom_right\":return null==this._handles.bottom_right?n:this._handles.bottom_right.br_cursor;case\"left\":return null==this._handles.left?l:this._handles.left.ew_cursor;case\"right\":return null==this._handles.right?l:this._handles.right.ew_cursor;case\"top\":return null==this._handles.top?a:this._handles.top.ns_cursor;case\"bottom\":return null==this._handles.bottom?a:this._handles.bottom.ns_cursor;case\"area\":return this.movable?null==this._handles.area?null!=this._pan_state&&\"grab\"===h?\"grabbing\":h:this._handles.area.in_cursor:null}}}o.BoxAnnotationView=M,n=c.auto_ranged,M.__name__=\"BoxAnnotationView\";class S extends h.Annotation{constructor(t){super(t),this.pan=new f.Signal(this,\"pan\"),this.nodes=(()=>{const t=new Map,e=e=>{let o=t.get(e);return void 0===o&&t.set(e,o=new A.Node({target:this,symbol:e})),o};return{get left(){return e(\"left\")},get right(){return e(\"right\")},get top(){return e(\"top\")},get bottom(){return e(\"bottom\")},get top_left(){return e(\"top_left\")},get top_center(){return e(\"top_center\")},get top_right(){return e(\"top_right\")},get center_left(){return e(\"center_left\")},get center(){return e(\"center\")},get center_right(){return e(\"center_right\")},get bottom_left(){return e(\"bottom_left\")},get bottom_center(){return e(\"bottom_center\")},get bottom_right(){return e(\"bottom_right\")},get width(){return e(\"width\")},get height(){return e(\"height\")}}})()}clone(t){return super.clone(t)}update({left:t,right:e,top:o,bottom:i}){this.setv({left:t,right:e,top:o,bottom:i,visible:!0})}clear(){this.visible=!1}}o.BoxAnnotation=S,l=S,S.__name__=\"BoxAnnotation\",l.prototype.default_view=M,l.mixins([m.Line,m.Fill,m.Hatch,[\"hover_\",m.Line],[\"hover_\",m.Fill],[\"hover_\",m.Hatch]]),l.define((({Bool:t,Float:e,Ref:o,NonNegative:i,Positive:r})=>({top:[E,()=>new A.Node({target:\"frame\",symbol:\"top\"})],bottom:[E,()=>new A.Node({target:\"frame\",symbol:\"bottom\"})],left:[E,()=>new A.Node({target:\"frame\",symbol:\"left\"})],right:[E,()=>new A.Node({target:\"frame\",symbol:\"right\"})],top_units:[b.CoordinateUnits,\"data\"],bottom_units:[b.CoordinateUnits,\"data\"],left_units:[b.CoordinateUnits,\"data\"],right_units:[b.CoordinateUnits,\"data\"],top_limit:[N.Limit,null],bottom_limit:[N.Limit,null],left_limit:[N.Limit,null],right_limit:[N.Limit,null],min_width:[i(e),0],min_height:[i(e),0],max_width:[r(e),1/0],max_height:[r(e),1/0],border_radius:[y.BorderRadius,0],editable:[t,!1],resizable:[N.Resizable,\"all\"],movable:[N.Movable,\"both\"],symmetric:[t,!1],use_handles:[t,!1],handles:[o(R),H],inverted:[t,!1]}))),l.internal((({Str:t,Bool:e})=>({tl_cursor:[t,\"nwse-resize\"],tr_cursor:[t,\"nesw-resize\"],bl_cursor:[t,\"nesw-resize\"],br_cursor:[t,\"nwse-resize\"],ew_cursor:[t,\"ew-resize\"],ns_cursor:[t,\"ns-resize\"],in_cursor:[t,\"grab\"],is_handle:[e,!1]}))),l.override({fill_color:\"#fff9ba\",fill_alpha:.4,line_color:\"#cccccc\",line_alpha:.3,hover_fill_color:null,hover_fill_alpha:.4,hover_line_color:null,hover_line_alpha:.3})},\n", " function _(t,o,e,n,l){n();const r=t(22),m=t(57);e.Corner=(0,r.Enum)(\"top_left\",\"top_right\",\"bottom_left\",\"bottom_right\"),e.Edge=(0,r.Enum)(\"left\",\"right\",\"top\",\"bottom\"),e.HitTarget=(0,r.Enum)(...e.Corner,...e.Edge,\"area\"),e.Resizable=(0,r.Enum)(\"none\",\"left\",\"right\",\"top\",\"bottom\",\"x\",\"y\",\"all\"),e.Movable=(0,r.Enum)(\"none\",\"x\",\"y\",\"both\"),e.Limit=(0,r.Nullable)((0,r.Or)(r.Float,(0,r.Ref)(m.Node)))},\n", " function _(e,i,n,t,a){var o;t();const l=e(184),r=e(278),s=e(256),_=e(230),c=e(284),h=e(271),p=e(269),g=e(213),m=e(10),d=e(12);class u extends l.BaseColorBarView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.color_mapper.change,(async()=>{this._title_view.remove(),this._axis_view.remove(),this.initialize(),await this.lazy_initialize(),this.plot_view.invalidate_layout()})),this.connect(this.model.color_mapper.metrics_change,(()=>this._metrics_changed())),this.connect(this.model.properties.display_low.change,(()=>this._metrics_changed())),this.connect(this.model.properties.display_high.change,(()=>this._metrics_changed()))}get color_mapper(){let e=this.model.color_mapper;return e instanceof c.WeightedStackColorMapper&&(e=e.alpha_mapper),e}update_layout(){super.update_layout(),this._set_canvas_image()}_create_axis(){const{color_mapper:e}=this;return e instanceof c.CategoricalColorMapper?new r.CategoricalAxis:e instanceof c.LogColorMapper?new r.LogAxis:new r.LinearAxis}_create_formatter(){const{color_mapper:e}=this;return this._ticker instanceof g.LogTicker?new s.LogTickFormatter:e instanceof c.CategoricalColorMapper?new s.CategoricalTickFormatter:new s.BasicTickFormatter}_create_major_range(){const{color_mapper:e}=this;if(e instanceof c.CategoricalColorMapper)return new h.FactorRange({factors:e.factors});if(e instanceof c.ContinuousColorMapper){const{min:i,max:n}=this._continuous_metrics(e);return new h.Range1d({start:i,end:n})}(0,d.unreachable)()}_create_major_scale(){const{color_mapper:e}=this;return e instanceof c.LinearColorMapper?new p.LinearScale:e instanceof c.LogColorMapper?new p.LogScale:e instanceof c.ScanningColorMapper?new p.LinearInterpolationScale({binning:this._scanning_binning(e)}):e instanceof c.CategoricalColorMapper?new p.CategoricalScale:void(0,d.unreachable)()}_create_ticker(){const{color_mapper:e}=this;return e instanceof c.LogColorMapper?new g.LogTicker:e instanceof c.ScanningColorMapper?new g.BinnedTicker({mapper:e}):e instanceof c.CategoricalColorMapper?new g.CategoricalTicker:new g.BasicTicker}_continuous_metrics(e){const{display_low:i,display_high:n}=this.model;let{min:t,max:a}=e.metrics;if(null!=n&&null!=i&&n0&&(this._index_low=n,t=e.index_to_value(n))}return{min:t,max:a}}_get_major_size_factor(){return this.color_mapper.palette.length}_metrics_changed(){const e=this._major_range,i=this._major_scale,{color_mapper:n}=this;if(n instanceof c.ScanningColorMapper&&i instanceof p.LinearInterpolationScale){const e=this._scanning_binning(n);i.binning=e;const t=\"vertical\"==this.orientation,a=t?this._frame_view.y_scale:this._frame_view.x_scale;if(a instanceof p.LinearInterpolationScale){a.binning=e;const i=t?this._frame_view.y_range:this._frame_view.x_range;i instanceof h.Range1d&&(i.start=e[0],i.end=e[e.length-1])}}else if(n instanceof c.ContinuousColorMapper&&e instanceof h.Range1d){const{min:i,max:t}=this._continuous_metrics(n);e.setv({start:i,end:t})}this._set_canvas_image(),this.plot_view.request_layout()}_paint_colors(e,i){const{x:n,y:t,width:a,height:o}=i;e.save(),e.globalAlpha=this.model.scale_alpha,null!=this._image&&(e.imageSmoothingEnabled=!1,e.drawImage(this._image,n,t,a,o)),this.visuals.bar_line.doit&&(this.visuals.bar_line.set_value(e),e.strokeRect(n,t,a,o)),e.restore()}_scanning_binning(e){let{binning:i,force_low_cutoff:n}=e.metrics;const{display_high:t}=this.model;let{display_low:a}=this.model;if(n&&(null==a||e.metrics.min>a)&&(a=e.metrics.min),null!=t&&null!=a&&t0&&(this._index_low=n)}if(null!=this._index_low||null!=this._index_high){const e=null!=this._index_low?this._index_low:0,n=(null!=this._index_high?this._index_high+1:i.length-1)-e+1;if(n>0){const t=new Array(n);for(let a=0;a({color_mapper:[t(_.ColorMapper)],display_low:[i(n),null],display_high:[i(n),null],scale_alpha:[e,1]})))},\n", " function _(i,s,x,A,e){A(),e(\"Axis\",i(202).Axis),e(\"CategoricalAxis\",i(279).CategoricalAxis),e(\"ContinuousAxis\",i(208).ContinuousAxis),e(\"DatetimeAxis\",i(280).DatetimeAxis),e(\"LinearAxis\",i(207).LinearAxis),e(\"LogAxis\",i(281).LogAxis),e(\"MercatorAxis\",i(282).MercatorAxis),e(\"TimedeltaAxis\",i(283).TimedeltaAxis)},\n", " function _(t,s,e,o,i){var a;o();const r=t(1),l=t(202),_=t(214),n=t(257),c=r.__importStar(t(95)),p=t(21),h=t(192),m=t(8);class u extends l.AxisView{_hit_value(t,s){const[e]=this.ranges,{start:o,end:i,span:a}=e;switch(this.dimension){case 0:{const{x0:s,width:i}=this.bbox;return e.factor(a*(t-s)/i+o)}case 1:{const{y0:t,height:o}=this.bbox;return e.factor(i-a*(s-t)/o)}}}_paint(t){const{tick_coords:s,extents:e}=this;super._paint(t),this._draw_group_separators(t,e,s)}_draw_group_separators(t,s,e){const[o]=this.ranges,[i,a]=this.computed_bounds,{factors:r}=o,{tops:l}=o.mapper;if(null==l||l.length<2||!this.visuals.separator_line.doit)return;const _=this.dimension,n=1-_,c=[[],[]];let p=0;for(let t=0;ti&&hnew h.GraphicsBoxes(t.map((t=>(0,m.isString)(t)?new h.TextBox({text:t}):t))),_=t=>l(this.model.formatter.doFormat(t,this));switch(t.mapper.levels){case 1:{const t=_(i.major);r.push([t,a.major,this.model.major_label_orientation,this.visuals.major_label_text]);break}case 2:{const t=_(i.major.map((t=>t[1])));r.push([t,a.major,this.model.major_label_orientation,this.visuals.major_label_text]),r.push([l(i.tops),a.tops,this.model.group_label_orientation,this.visuals.group_text]);break}case 3:{const t=_(i.major.map((t=>t[2]))),s=i.mids.map((t=>t[1]));r.push([t,a.major,this.model.major_label_orientation,this.visuals.major_label_text]),r.push([l(s),a.mids,this.model.subgroup_label_orientation,this.visuals.subgroup_text]),r.push([l(i.tops),a.tops,this.model.group_label_orientation,this.visuals.group_text]);break}}return r}get tick_coords(){const t=this.dimension,s=1-t,[e]=this.ranges,[o,i]=this.computed_bounds,a=this.model.ticker.get_ticks(o,i,e,this.loc),r={major:[[],[]],mids:[[],[]],tops:[[],[]],minor:[[],[]]};r.major[t]=a.major,r.major[s]=a.major.map((()=>this.loc));const{levels:l}=e.mapper;return 3==l&&(r.mids[t]=a.mids,r.mids[s]=a.mids.map((()=>this.loc))),l>1&&(r.tops[t]=a.tops,r.tops[s]=a.tops.map((()=>this.loc))),r}}e.CategoricalAxisView=u,u.__name__=\"CategoricalAxisView\";class d extends l.Axis{constructor(t){super(t)}}e.CategoricalAxis=d,a=d,d.__name__=\"CategoricalAxis\",a.prototype.default_view=u,a.mixins([[\"separator_\",c.Line],[\"group_\",c.Text],[\"subgroup_\",c.Text]]),a.define((({Float:t,Or:s})=>({group_label_orientation:[s(p.LabelOrientation,t),\"parallel\"],subgroup_label_orientation:[s(p.LabelOrientation,t),\"parallel\"]}))),a.override({ticker:()=>new _.CategoricalTicker,formatter:()=>new n.CategoricalTickFormatter,separator_line_color:\"lightgrey\",separator_line_width:2,group_text_font_style:\"bold\",group_text_font_size:\"11px\",group_text_color:\"grey\",subgroup_text_font_style:\"bold\",subgroup_text_font_size:\"11px\"})},\n", " function _(e,t,i,s,a){var n;s();const o=e(208),r=e(258),m=e(217);class _ extends o.ContinuousAxisView{}i.DatetimeAxisView=_,_.__name__=\"DatetimeAxisView\";class c extends o.ContinuousAxis{constructor(e){super(e)}}i.DatetimeAxis=c,n=c,c.__name__=\"DatetimeAxis\",n.prototype.default_view=_,n.override({ticker:()=>new m.DatetimeTicker,formatter:()=>new r.DatetimeTickFormatter})},\n", " function _(t,e,s,i,o){var n;i();const r=t(208),c=t(264),a=t(224);class _ extends r.ContinuousAxisView{_hit_value(t,e){const[s]=this.ranges,{start:i,end:o}=s,{log10:n}=Math;switch(this.dimension){case 0:{const{x0:e,width:s}=this.bbox;return n(o/i)*(t-e)/s+n(i)}case 1:{const{y0:t,height:s}=this.bbox;return n(o)-n(o/i)*(e-t)/s}}}}s.LogAxisView=_,_.__name__=\"LogAxisView\";class u extends r.ContinuousAxis{constructor(t){super(t)}}s.LogAxis=u,n=u,u.__name__=\"LogAxis\",n.prototype.default_view=_,n.override({ticker:()=>new a.LogTicker,formatter:()=>new c.LogTickFormatter})},\n", " function _(e,r,t,i,a){var o;i();const s=e(207),n=e(265),c=e(225);class _ extends s.LinearAxisView{}t.MercatorAxisView=_,_.__name__=\"MercatorAxisView\";class x extends s.LinearAxis{constructor(e){super(e)}}t.MercatorAxis=x,o=x,x.__name__=\"MercatorAxis\",o.prototype.default_view=_,o.override({ticker:()=>new c.MercatorTicker({dimension:\"lat\"}),formatter:()=>new n.MercatorTickFormatter({dimension:\"lat\"})})},\n", " function _(e,i,t,s,a){var n;s();const o=e(208),r=e(268),d=e(226);class m extends o.ContinuousAxisView{}t.TimedeltaAxisView=m,m.__name__=\"TimedeltaAxisView\";class _ extends o.ContinuousAxis{constructor(e){super(e)}}t.TimedeltaAxis=_,n=_,_.__name__=\"TimedeltaAxis\",n.prototype.default_view=m,n.override({ticker:()=>new d.TimedeltaTicker,formatter:()=>new r.TimedeltaTickFormatter})},\n", " function _(r,o,a,p,e){p(),e(\"CategoricalColorMapper\",r(285).CategoricalColorMapper),e(\"CategoricalMarkerMapper\",r(287).CategoricalMarkerMapper),e(\"CategoricalPatternMapper\",r(288).CategoricalPatternMapper),e(\"ContinuousColorMapper\",r(229).ContinuousColorMapper),e(\"ColorMapper\",r(230).ColorMapper),e(\"LinearColorMapper\",r(289).LinearColorMapper),e(\"LogColorMapper\",r(290).LogColorMapper),e(\"ScanningColorMapper\",r(228).ScanningColorMapper),e(\"EqHistColorMapper\",r(291).EqHistColorMapper),e(\"StackColorMapper\",r(292).StackColorMapper),e(\"WeightedStackColorMapper\",r(293).WeightedStackColorMapper)},\n", " function _(t,o,a,r,e){var c;r();const l=t(286),s=t(230),n=t(121);class _ extends s.ColorMapper{constructor(t){super(t)}_v_compute(t,o,a,{nan_color:r}){(0,l.cat_v_compute)(t,this.factors,a,o,this.start,this.end,r)}}a.CategoricalColorMapper=_,c=_,_.__name__=\"CategoricalColorMapper\",c.define((({Float:t,Nullable:o})=>({factors:[n.FactorSeq],start:[t,0],end:[o(t),null]})))},\n", " function _(n,t,e,o,i){o(),e._cat_equals=l,e.cat_v_compute=function(n,t,e,o,i,r,s){let u=0;for(const _ of n){let n;if((0,f.isArray)(_)){const e=_.slice(i,r??void 0);n=1==e.length?(0,c.index_of)(t,e[0]):(0,c.find_index)(t,(n=>l(n,e)))}else n=(0,c.index_of)(t,_);const d=n in e?e[n]:s;o[u++]=d}};const c=n(13),f=n(8);function l(n,t){if(n.length!=t.length)return!1;const e=n.length;for(let o=0;o({factors:[n.FactorSeq],markers:[r(u.MarkerType)],start:[e,0],end:[a(e),null],default_value:[u.MarkerType,\"circle\"]})))},\n", " function _(t,e,a,r,n){var s;r();const c=t(286),l=t(121),o=t(231),p=t(21);class u extends o.Mapper{constructor(t){super(t)}v_compute(t){const e=new Array(t.length);return(0,c.cat_v_compute)(t,this.factors,this.patterns,e,this.start,this.end,this.default_value),e}}a.CategoricalPatternMapper=u,s=u,u.__name__=\"CategoricalPatternMapper\",s.define((({Float:t,List:e,Nullable:a})=>({factors:[l.FactorSeq],patterns:[e(p.HatchPatternType)],start:[t,0],end:[a(t),null],default_value:[p.HatchPatternType,\" \"]})))},\n", " function _(n,r,o,t,a){t();const e=n(229),i=n(13),s=n(11);class _ extends e.ContinuousColorMapper{constructor(n){super(n)}scan(n,r){const o=null!=this.low?this.low:(0,i.min)(n),t=null!=this.high?this.high:(0,i.max)(n);return{max:t,min:o,norm_factor:1/(t-o),normed_interval:1/r}}index_to_value(n){const r=this._scan_data;return r.min+r.normed_interval*n/r.norm_factor}value_to_index(n,r){const o=this._scan_data;if(n==o.max)return r-1;const t=(n-o.min)*o.norm_factor,a=Math.floor(t/o.normed_interval);return(0,s.clamp)(a,-1,r)}}o.LinearColorMapper=_,_.__name__=\"LinearColorMapper\"},\n", " function _(n,t,a,o,s){o();const r=n(229),e=n(13),i=n(11);class l extends r.ContinuousColorMapper{constructor(n){super(n)}scan(n,t){const a=null!=this.low?this.low:(0,e.min)(n),o=null!=this.high?this.high:(0,e.max)(n);return{max:o,min:a,scale:t/Math.log(o/a)}}index_to_value(n){const t=this._scan_data;return t.min*Math.exp(n/t.scale)}value_to_index(n,t){const a=this._scan_data;if(n==a.max)return t-1;if(n>a.max)return t;if(n1?d=1-n:m=!1}const g=(0,c.linspace)(d,1,n+1),w=(0,r.interpolate)(g,f,h);let b=!1;if(m){const e=(0,r.sorted_index)(w,s);s0&&(w[e-1]=s),b=!0}else w[0]=s;return w[w.length-1]=t,{min:s,max:t,binning:w,force_low_cutoff:b}}}s.EqHistColorMapper=a,o=a,a.__name__=\"EqHistColorMapper\",o.define((({Bool:e,Int:n})=>({bins:[n,65536],rescale_discrete_levels:[e,!1]})))},\n", " function _(o,r,a,c,e){c();const p=o(230);class t extends p.ColorMapper{constructor(o){super(o)}}a.StackColorMapper=t,t.__name__=\"StackColorMapper\"},\n", " function _(e,t,o,r,a){var l;r();const n=e(230),s=e(229),c=e(292),i=e(25),_=e(13),p=e(12),h=e(23);class u extends c.StackColorMapper{constructor(e){super(e)}_mix_colors(e,t,o,r){if(isNaN(r))return t;let a=0,l=0,n=0,s=0;const c=o.length;if(0!=r)for(let t=0;t({alpha_mapper:[r(s.ContinuousColorMapper)],color_baseline:[t(o),null],stack_labels:[t(e(a)),null]})))},\n", " function _(e,t,i,r,l){var n;r();const o=e(184),s=e(271),a=e(232),_=e(69),h=e(12);class d extends o.BaseColorBarView{*children(){yield*super.children(),yield this._fill_view,yield this._line_view}async lazy_initialize(){await super.lazy_initialize();const{fill_renderer:e,line_renderer:t}=this.model;this._fill_view=await(0,_.build_view)(e,{parent:this.parent}),this._line_view=await(0,_.build_view)(t,{parent:this.parent})}remove(){this._fill_view.remove(),this._line_view.remove(),super.remove()}_create_major_range(){const e=this.model.levels;return e.length>0?new s.Range1d({start:e[0],end:e[e.length-1]}):new s.Range1d({start:0,end:1})}_paint_colors(e,t){const i=\"vertical\"==this.orientation,r=this.model.levels,l=this._major_scale;l.source_range=this._major_range,l.target_range=i?new s.Range1d({start:t.bottom,end:t.top}):new s.Range1d({start:t.left,end:t.right});const n=l.v_compute(r),o=this._fill_view.glyph,a=o.data_size;if(a>0){(0,h.assert)(r.length==a+1,\"Inconsistent number of filled contour levels\"),e.save();for(let r=0;r0){(0,h.assert)(r.length==d,\"Inconsistent number of line contour levels\"),e.save();for(let r=0;r({fill_renderer:[i(a.GlyphRenderer)],line_renderer:[i(a.GlyphRenderer)],levels:[e(t),[]]})))},\n", " function _(t,e,n,s,a){var i;s();const o=t(1),r=t(186),_=t(11),l=t(21),h=t(12),c=t(16),u=t(73),d=t(124),x=o.__importStar(t(127)),p=t(58);function m(t,e){return{x:t,y:e}}class g extends r.TextAnnotationView{constructor(){super(...arguments),this._pan_state=null}get mappers(){function t(t,e,n,s){switch(t){case\"canvas\":return s;case\"screen\":return n;case\"data\":return e}}const e=this.model,n=this.layout??this.plot_view.frame,{x_scale:s,y_scale:a}=this.coordinates,{x_view:i,y_view:o}=n.bbox,{x_screen:r,y_screen:_}=this.plot_view.canvas.bbox;return{x:t(e.x_units,s,i,r),y:t(e.y_units,a,o,_)}}get anchor(){const{align:t,baseline:e}=this.visuals.text.values();return x.text_anchor(this.model.anchor,t,e)}get angle(){const{angle:t,angle_units:e,direction:n}=this.model;return(0,_.compute_angle)(t,e,n)}get origin(){const{mappers:t}=this,{x:e,y:n,x_offset:s,y_offset:a}=this.model,i=(t,e,n)=>e instanceof p.Coordinate?this.resolve_as_scalar(e,t):n.compute(e);return{sx:i(\"x\",e,t.x)+s,sy:i(\"y\",n,t.y)-a}}interactive_hit(t,e){return!(!this.model.visible||!this.model.editable)&&\"area\"==this._hit_test(t,e)}_hit_test(t,e){const{sx:n,sy:s,anchor:a,angle:i,width:o,height:r}=this._rect,{x:_,y:l}=(0,u.rotate_around)(m(t,e),m(n,s),-i),h=n-a.x*o,c=s-a.y*r;return h<=_&&_<=h+o&&c<=l&&l<=c+r?\"area\":null}_can_hit(t){return!0}on_pan_start(t){if(this.model.visible&&this.model.editable){const{sx:e,sy:n}=t,s=this._hit_test(e,n);if(null!=s&&this._can_hit(s))return this._pan_state={angle:this.angle,base:{sx:e,sy:n},target:s,action:\"rotate\"},this.model.pan.emit([\"pan:start\",t.modifiers]),!0}return!1}on_pan(t){(0,h.assert)(null!=this._pan_state);const{dx:e,dy:n}=t,{angle:s,base:a}=this._pan_state,{origin:i}=this,o=(0,_.atan2)([i.sx,i.sy],[a.sx,a.sy]),r=(s+((0,_.atan2)([i.sx,i.sy],[a.sx+e,a.sy+n])-o))%(2*Math.PI),{angle_units:l,direction:c}=this.model;this.model.angle=(0,_.invert_angle)(r,l,c),this.model.pan.emit([\"pan\",t.modifiers])}on_pan_end(t){this._pan_state=null,this.model.pan.emit([\"pan:end\",t.modifiers])}cursor(t,e){const n=this._pan_state?.target??this._hit_test(t,e);return null!=n&&this._can_hit(n)?\"var(--bokeh-cursor-rotate)\":null}}n.LabelView=g,g.__name__=\"LabelView\";class y extends r.TextAnnotation{constructor(t){super(t),this.pan=new c.Signal(this,\"pan\")}}n.Label=y,i=y,y.__name__=\"Label\",i.prototype.default_view=g,i.define((({Bool:t,Float:e,Angle:n,Or:s,Ref:a})=>({anchor:[d.TextAnchor,\"auto\"],x:[s(e,a(p.Coordinate))],y:[s(e,a(p.Coordinate))],x_units:[l.CoordinateUnits,\"data\"],y_units:[l.CoordinateUnits,\"data\"],x_offset:[e,0],y_offset:[e,0],angle:[n,0],angle_units:[l.AngleUnits,\"rad\"],direction:[l.Direction,\"anticlock\"],editable:[t,!1]})))},\n", " function _(t,e,i,s,a){var n;s();const o=t(1),l=t(141),r=o.__importStar(t(95)),c=t(21),_=t(192),u=o.__importStar(t(19)),h=t(25);class d extends l.DataAnnotationView{map_data(){const{x_scale:t,y_scale:e}=this.coordinates,i=null!=this.layout?this.layout:this.plot_view.frame;this.sx=(()=>{switch(this.model.x_units){case\"canvas\":return new h.ScreenArray(this._x);case\"screen\":return i.bbox.xview.v_compute(this._x);case\"data\":return t.v_compute(this._x)}})(),this.sy=(()=>{switch(this.model.y_units){case\"canvas\":return new h.ScreenArray(this._y);case\"screen\":return i.bbox.yview.v_compute(this._y);case\"data\":return e.v_compute(this._y)}})()}_paint_data(t){for(let e=0,i=this.text.length;e({x:[u.XCoordinateSpec,{field:\"x\"}],y:[u.YCoordinateSpec,{field:\"y\"}],x_units:[c.CoordinateUnits,\"data\"],y_units:[c.CoordinateUnits,\"data\"],text:[u.NullStringSpec,{field:\"text\"}],angle:[u.AngleSpec,0],x_offset:[u.NumberSpec,{value:0}],y_offset:[u.NumberSpec,{value:0}]}))),n.override({background_fill_color:null,border_line_color:null})},\n", " function _(t,e,i,s,n){var o;s();const l=t(1),r=t(96),a=t(298),c=t(21),_=l.__importStar(t(95)),d=t(187),h=t(62),u=t(10),p=t(9),g=t(8),b=t(14),m=t(80),v=t(61),f=t(192),x=l.__importStar(t(299)),y=t(124),w=t(197),$=l.__importStar(t(127)),{ceil:k}=Math;class L extends r.AnnotationView{constructor(){super(...arguments),this._bbox=new h.BBox,this.grid_el=(0,v.div)({class:x.grid}),this.title_el=(0,v.div)(),this.entries=[]}get is_dual_renderer(){return!0}_get_size(){const{width:t,height:e}=this.bbox,{margin:i}=this.model;return{width:t+2*i,height:e+2*i}}update_layout(){this.update_geometry();const{panel:t}=this;this.layout=null!=t?new d.SideLayout(t,(()=>this.get_size())):void 0}initialize(){super.initialize(),this._resize_observer=new ResizeObserver((t=>this.request_layout())),this._resize_observer.observe(this.el,{box:\"border-box\"})}remove(){this._resize_observer.disconnect(),super.remove()}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.rerender()));const{items:t}=this.model.properties;this.on_transitive_change(t,(()=>this._render_items()))}get bbox(){return this._bbox}get padding(){const t=null!=this.model.border_line_color?this.model.padding:0;return $.padding(t)}get border_radius(){return $.border_radius(this.model.border_radius)}stylesheets(){return[...super.stylesheets(),x.default]}_paint_glyphs(){const{glyph_width:t,glyph_height:e}=this.model,i=t,s=e;for(const{glyph:n,item:o,label:l}of this.entries){const r=o.get_field_from_label_prop();n.resize(t,e);const a=n.prepare();for(const t of o.renderers){const e=this.plot_view.views.find_one(t);e?.draw_legend(a,0,i,0,s,r,l,o.index)}n.finish()}}get labels(){const t=[];for(const e of this.model.items){const i=e.get_labels_list_from_label_prop();for(const s of i)t.push({item:e,label:s})}return t}get _should_rerender_items(){const{entries:t,labels:e}=this;if(t.length!=e.length)return!0;for(const[i,{item:s,label:n}]of(0,b.zip)(t,e))if(i.item!=s||i.label!=n)return!0;return!1}_toggle_inactive({el:t,item:e}){t.classList.toggle(x.inactive,!this.is_active(e))}_render_items(){this.entries=[];const{click_policy:t}=this;let e=0;for(const i of this.model.items){const s=i.get_labels_list_from_label_prop();for(const n of s){const s=this.plot_view.canvas.create_layer();s.el.classList.add(x.glyph);const o=s.canvas,l=(0,v.div)({class:x.label},`${n}`),r=(0,v.div)({class:x.overlay}),a=(0,v.div)({class:x.item},o,l,r);a.classList.toggle(x.hidden,!i.visible);const c={el:a,glyph:s,label_el:l,item:i,label:n,i:e++,row:0,col:0};this.entries.push(c),a.addEventListener(\"pointerdown\",(()=>{this.model.trigger_event(new m.LegendItemClick(this.model,i));for(const e of i.renderers)t(e);this._toggle_inactive(c)}))}}const i=\"vertical\"==this.model.orientation,{nc:s,nr:n}=(()=>{const{ncols:t,nrows:e}=this.model,s=this.entries.length;let n,o;return\"auto\"!=t&&\"auto\"!=e?(n=t,o=e):\"auto\"!=t?(n=t,o=k(s/t)):\"auto\"!=e?(n=k(s/e),o=e):i?(n=1,o=s):(n=s,o=1),{nc:n,nr:o}})();let o=0,l=0;for(const t of this.entries)t.el.id=`item_${o}_${l}`,t.row=o,t.col=l,i?(o+=1,o>=n&&(o=0,l+=1)):(l+=1,l>=s&&(l=0,o+=1));for(const t of this.entries)this._toggle_inactive(t);for(const{el:t,i:e,row:i,col:s}of this.entries)this.has_item_background(e,i,s)&&t.classList.add(x.styled);(0,v.empty)(this.grid_el),this.grid_el.style.setProperty(\"--ncols\",`${s}`),this.grid_el.style.setProperty(\"--nrows\",`${n}`),this.grid_el.append(...this.entries.map((({el:t})=>t)))}render(){super.render();const{orientation:t}=this.model,e=\"vertical\"==t;this.el.classList.toggle(x.interactive,this.is_interactive),this.el.classList.toggle(x.vertical,e);const i=(0,v.div)({class:x.title},this.model.title);this.title_el.remove(),this.title_el=i;const{writing_mode:s,rotate:n}=(()=>{switch(new d.SidePanel(this.model.title_location).face_adjusted_side){case\"above\":case\"below\":return{writing_mode:\"horizontal-tb\",rotate:0};case\"left\":return{writing_mode:\"vertical-rl\",rotate:180};case\"right\":return{writing_mode:\"vertical-rl\",rotate:0}}})(),o=this.visuals.title_text.computed_values();this.style.append(`\\n .${x.title} {\\n font: ${o.font};\\n color: ${o.color};\\n -webkit-text-stroke: 1px ${o.outline_color};\\n writing-mode: ${s};\\n rotate: ${n}deg;\\n }\\n `);const l=this.visuals.label_text.computed_values();this.style.append(`\\n .${x.item} .${x.label} {\\n font: ${l.font};\\n color: ${l.color};\\n -webkit-text-stroke: 1px ${l.outline_color};\\n }\\n `);const{anchor:r}=this;if(this.style.append(`\\n :host {\\n transform: translate(-${100*r.x}%, -${100*r.y}%);\\n }\\n `),this.style.append(`\\n :host {\\n gap: ${(0,v.px)(this.model.title_standoff)};\\n }\\n .${x.grid} {\\n gap: ${(0,v.px)(this.model.spacing)};\\n }\\n .${x.item} {\\n gap: ${(0,v.px)(this.model.label_standoff)};\\n }\\n .${x.item} .${x.glyph} {\\n width: ${(0,v.px)(this.model.glyph_width)};\\n height: ${(0,v.px)(this.model.glyph_height)};\\n }\\n .${x.item} .${x.label} {\\n min-width: ${(0,v.px)(this.model.label_width)};\\n min-height: ${(0,v.px)(this.model.label_height)};\\n }\\n `),this.visuals.item_background_fill.doit){const{color:t}=this.visuals.item_background_fill.computed_values();this.style.append(`\\n .${x.item} {\\n --item-background-color: ${t};\\n }\\n `)}if(this.visuals.inactive_fill.doit){const{color:t}=this.visuals.inactive_fill.computed_values();this.style.append(`\\n .${x.item} {\\n --item-background-inactive-color: ${t};\\n }\\n `)}const a=(()=>{switch(this.model.title_location){case\"above\":case\"below\":return\"row\";case\"left\":case\"right\":return\"column\"}})();this.style.append(`\\n :host {\\n grid-auto-flow: ${a};\\n }\\n `),this.shadow_el.append(...(()=>{switch(this.model.title_location){case\"above\":case\"left\":return[i,this.grid_el];case\"below\":case\"right\":return[this.grid_el,i]}})());const{padding:c,border_radius:_}=this;if(this.style.append(`\\n :host {\\n padding-left: ${c.left}px;\\n padding-right: ${c.right}px;\\n padding-top: ${c.top}px;\\n padding-bottom: ${c.bottom}px;\\n\\n border-top-left-radius: ${_.top_left}px;\\n border-top-right-radius: ${_.top_right}px;\\n border-bottom-right-radius: ${_.bottom_right}px;\\n border-bottom-left-radius: ${_.bottom_left}px;\\n }\\n `),this.visuals.background_fill.doit){const{color:t}=this.visuals.background_fill.computed_values();this.style.append(`\\n :host {\\n background-color: ${t};\\n }\\n `)}if(this.visuals.border_line.doit){const{color:t,width:e,dash:i}=this.visuals.border_line.computed_values();this.style.append(`\\n :host {\\n border-color: ${t};\\n border-width: ${e}px;\\n border-style: ${(0,g.isString)(i)?i:i.length<2?\"solid\":\"dashed\"};\\n }\\n `)}this._render_items()}after_render(){super.after_render(),this.update_position(),this.request_paint()}get location(){const{location:t}=this.model;if((0,g.isString)(t)){const e=(()=>{switch(t){case\"top\":return\"top_center\";case\"bottom\":return\"bottom_center\";case\"left\":return\"center_left\";case\"center\":return\"center_center\";case\"right\":return\"center_right\";default:return t}})(),[i,s]=e.split(\"_\");return{x:s,y:i}}{const[e,i]=t;return{x:e,y:i}}}get anchor(){const{location:t}=this;return{x:(()=>{switch(t.x){case\"left\":default:return 0;case\"center\":return.5;case\"right\":return 1}})(),y:(()=>{switch(t.y){case\"top\":return 0;case\"center\":return.5;default:return 1}})()}}get css_position(){const{location:t}=this,{margin:e}=this.model,i=this.layout??this.plot_view.frame;return{x:(()=>{const{x:s}=t;switch(s){case\"left\":return`calc(0% + ${(0,v.px)(e)})`;case\"center\":return\"50%\";case\"right\":return`calc(100% - ${(0,v.px)(e)})`;default:return(0,v.px)(i.bbox.relative().x_view.compute(s))}})(),y:(()=>{const{y:s}=t;switch(s){case\"top\":return`calc(0% + ${(0,v.px)(e)})`;case\"center\":return\"50%\";case\"bottom\":return`calc(100% - ${(0,v.px)(e)})`;default:return(0,v.px)(i.bbox.relative().y_view.compute(s))}})()}}get is_visible(){const{visible:t,items:e}=this.model;return t&&0!=e.length&&(0,u.some)(e,(t=>t.visible))}update_position(){if(this.is_visible){const{x:t,y:e}=this.css_position;this.position.replace(`\\n :host {\\n position: ${null!=this.layout?\"relative\":\"absolute\"};\\n left: ${t};\\n top: ${e};\\n }\\n `)}else this.position.replace(\"\\n :host {\\n display: none;\\n }\\n \");const t=(0,v.bounding_box)(this.el),e=(0,v.bounding_box)(this.plot_view.canvas.el);this._bbox=t.relative_to(e)}get is_interactive(){return\"none\"!=this.model.click_policy||(0,p.dict)(this.model.js_event_callbacks).has(\"legend_item_click\")}get click_policy(){switch(this.model.click_policy){case\"hide\":return t=>t.visible=!t.visible;case\"mute\":return t=>t.muted=!t.muted;case\"none\":return t=>{}}}get is_active(){switch(this.model.click_policy){case\"none\":return t=>!0;case\"hide\":return t=>(0,u.every)(t.renderers,(t=>t.visible));case\"mute\":return t=>(0,u.every)(t.renderers,(t=>!t.muted))}}has_item_background(t,e,i){if(!this.visuals.item_background_fill.doit&&!this.visuals.item_background_hatch.doit)return!1;switch(this.model.item_background_policy){case\"every\":return!0;case\"even\":return e%2==0==(i%2==0);case\"odd\":return e%2==0!=(i%2==0);case\"none\":return!1}}_paint(t){if(this.is_visible)if(this.is_dual_renderer&&!this.parent.is_forcing_paint)this._should_rerender_items&&this._render_items(),this._paint_glyphs();else{t.save();const e=(0,v.bounding_box)(this.plot_view.canvas.el);this._draw_legend_box(t,e),this._draw_title(t,e),this._draw_legend_items(t,e),t.restore()}}_draw_legend_box(t,e){t.beginPath();const i=(0,v.bounding_box)(this.el).relative_to(e);(0,w.round_rect)(t,i,this.border_radius),this.visuals.background_fill.apply(t),this.visuals.background_hatch.apply(t),this.visuals.border_line.apply(t)}_draw_title(t,e){const{title:i}=this.model;if(null==i||0==i.length||!this.visuals.title_text.doit)return;const s=this.title_el.textContent,n=new f.TextBox({text:s}),o=(0,v.bounding_box)(this.title_el).relative_to(e);let{x:l,y:r}=o;switch(this.model.title_location){case\"left\":r+=o.height;break;case\"right\":l+=o.width}n.position={sx:l,sy:r,x_anchor:\"left\",y_anchor:\"top\"},n.visuals=this.visuals.title_text.values();const a=new d.SidePanel(this.model.title_location);n.angle=a.get_label_angle_heuristic(\"parallel\"),n.paint(t)}_draw_legend_items(t,e){const{is_active:i}=this;for(const{el:s,glyph:n,label_el:o,item:l,i:r,row:a,col:c}of this.entries){const _=(0,v.bounding_box)(s).relative_to(e);this.has_item_background(r,a,c)&&(t.beginPath(),t.rect_bbox(_),this.visuals.item_background_fill.apply(t),this.visuals.item_background_hatch.apply(t)),t.layer.undo_transform((()=>{const i=n.canvas,s=(0,v.bounding_box)(i).relative_to(e).scale(t.layer.pixel_ratio);t.drawImage(i,s.x,s.y)}));const d=o.textContent,h=new f.TextBox({text:d}),{x:u,vcenter:p}=(0,v.bounding_box)(o).relative_to(e);h.position={sx:u,sy:p,x_anchor:\"left\",y_anchor:\"center\"},h.visuals=this.visuals.label_text.values(),h.paint(t),i(l)||(t.beginPath(),t.rect_bbox(_),this.visuals.inactive_fill.apply(t),this.visuals.inactive_hatch.apply(t))}}}i.LegendView=L,L.__name__=\"LegendView\";class z extends r.Annotation{constructor(t){super(t)}}i.Legend=z,o=z,z.__name__=\"Legend\",o.prototype.default_view=L,o.mixins([[\"label_\",_.Text],[\"title_\",_.Text],[\"inactive_\",_.Fill],[\"inactive_\",_.Hatch],[\"border_\",_.Line],[\"background_\",_.Fill],[\"background_\",_.Hatch],[\"item_background_\",_.Fill],[\"item_background_\",_.Hatch]]),o.define((({Float:t,Int:e,Str:i,List:s,Tuple:n,Or:o,Ref:l,Nullable:r,Positive:_,Auto:d})=>({orientation:[c.Orientation,\"vertical\"],ncols:[o(_(e),d),\"auto\"],nrows:[o(_(e),d),\"auto\"],location:[o(c.LegendLocation,n(t,t)),\"top_right\"],title:[r(i),null],title_location:[c.Location,\"above\"],title_standoff:[t,5],label_standoff:[t,5],glyph_width:[t,20],glyph_height:[t,20],label_width:[t,20],label_height:[o(t,d),\"auto\"],margin:[t,10],padding:[y.Padding,10],border_radius:[y.BorderRadius,0],spacing:[t,3],items:[s(l(a.LegendItem)),[]],click_policy:[c.LegendClickPolicy,\"none\"],item_background_policy:[c.AlternationPolicy,\"none\"]}))),o.override({border_line_color:\"#e5e5e5\",border_line_alpha:.5,border_line_width:1,background_fill_color:\"#ffffff\",background_fill_alpha:.95,item_background_fill_color:\"#f1f1f1\",item_background_fill_alpha:.8,inactive_fill_color:\"white\",inactive_fill_alpha:.7,label_text_font_size:\"13px\",label_text_baseline:\"middle\",title_text_font_size:\"13px\",title_text_font_style:\"italic\"})},\n", " function _(e,r,l,n,t){var s;n();const i=e(1),o=e(52),_=e(232),a=e(142),u=e(29),d=i.__importStar(e(19)),c=e(20),f=e(10);class h extends o.Model{constructor(e){super(e)}_check_data_sources_on_renderers(){if(null!=this.get_field_from_label_prop()){if(this.renderers.length<1)return!1;const e=this.renderers[0].data_source;for(const r of this.renderers)if(r.data_source!=e)return!1}return!0}_check_field_label_on_data_source(){const e=this.get_field_from_label_prop();if(null!=e){if(this.renderers.length<1)return!1;const r=this.renderers[0].data_source;if(!(0,f.includes)(r.columns(),e))return!1}return!0}initialize(){super.initialize();this._check_data_sources_on_renderers()||c.logger.error(\"Non matching data sources on legend item renderers\");this._check_field_label_on_data_source()||c.logger.error(`Bad column name on label: ${this.label}`)}get_field_from_label_prop(){const{label:e}=this;return(0,u.isField)(e)?e.field:null}get_labels_list_from_label_prop(){if(!this.visible)return[];const{index:e}=this;if(null!=e&&this.renderers.every((r=>!r.view.indices_map.has(e))))return[];if((0,u.isValue)(this.label)){const{value:e}=this.label;return null!=e?[e]:[]}const r=this.get_field_from_label_prop();if(null!=r){let e;if(0==this.renderers.length)return[\"No source found\"];if(e=this.renderers[0].data_source,e instanceof a.ColumnarDataSource){const l=e.get_column(r);return null!=l?(0,f.uniq)(Array.from(l)):[\"Invalid field\"]}}return[]}}l.LegendItem=h,s=h,h.__name__=\"LegendItem\",s.define((({Bool:e,Int:r,List:l,Ref:n,Nullable:t})=>({label:[d.NullStringSpec,null],renderers:[l(n(_.GlyphRenderer)),[]],index:[t(r),null],visible:[e,!0]})))},\n", " function _(e,t,i,o,r){o(),i.hidden=\"bk-hidden\",i.title=\"bk-title\",i.label=\"bk-label\",i.grid=\"bk-grid\",i.vertical=\"bk-vertical\",i.item=\"bk-item\",i.styled=\"bk-styled\",i.interactive=\"bk-interactive\",i.glyph=\"bk-glyph\",i.overlay=\"bk-overlay\",i.inactive=\"bk-inactive\",i.default=\":host{position:relative;display:grid;grid-template-rows:auto;grid-template-columns:auto;pointer-events:all;}.bk-hidden{display:none;}.bk-title{position:relative;white-space:pre;cursor:auto;}.bk-title:empty{display:none;}.bk-label{position:relative;white-space:pre;cursor:auto;width:fit-content;height:fit-content;display:flex;align-items:center;}.bk-grid{position:relative;display:grid;grid-auto-flow:row;grid-template-rows:repeat(var(--nrows), max-content);grid-template-columns:repeat(var(--ncols), max-content);width:max-content;height:max-content;}:host(.bk-vertical) .bk-grid{grid-auto-flow:column;}.bk-item{position:relative;display:flex;flex-direction:row;flex-wrap:nowrap;align-items:center;}.bk-item.bk-styled{background-color:var(--item-background-color);}:host(.bk-interactive) .bk-item{cursor:pointer;}.bk-glyph{position:relative;}.bk-overlay{position:absolute;left:0;top:0;width:100%;height:100%;pointer-events:none;}.bk-item.bk-inactive .bk-overlay{background-color:var(--item-background-inactive-color);}\"},\n", " function _(t,e,s,n,i){var o,a;n();const l=t(1),r=t(96),h=t(118),_=l.__importStar(t(95)),c=t(21),p=t(243),y=t(16),d=t(62),u=t(13),v=t(12);class x{constructor(t=[],e=[]){this.xs=t,this.ys=e,(0,v.assert)(t.length==e.length)}clone(){return new x(this.xs.slice(),this.ys.slice())}[Symbol.iterator](){return this.nodes()}*nodes(){const{xs:t,ys:e,n:s}=this;for(let n=0;n=3){const n={x:t[s-1],y:e[s-1]},i={x:t[0],y:e[0]};yield[n,i,s-1]}}contains(t,e){return(0,p.point_in_poly)(t,e,this.xs,this.ys)}get bbox(){const[t,e,s,n]=(0,u.minmax2)(this.xs,this.ys);return new d.BBox({x0:t,x1:e,y0:s,y1:n})}get n(){return this.xs.length}translate(t,e,...s){const n=this.clone(),{xs:i,ys:o,n:a}=n;if(0!=s.length)for(const n of s){const s=n%a;i[s]+=t,o[s]+=e}else for(let s=0;sthis.request_paint()))}bounds(){const{xs_units:t,ys_units:e}=this.model;if(\"data\"==t&&\"data\"==e){const{xs:t,ys:e}=this.model,[s,n,i,o]=(0,u.minmax2)(t,e);return{x0:s,x1:n,y0:i,y1:o}}return(0,d.empty)()}log_bounds(){return(0,d.empty)()}_mappers(){const t=(t,e,s,n)=>{switch(t){case\"canvas\":return n;case\"screen\":return s;case\"data\":return e}},e=this.model,{frame:s,canvas:n}=this.plot_view,{x_scale:i,y_scale:o}=s,{x_view:a,y_view:l}=s.bbox,{x_screen:r,y_screen:h}=n.bbox;return{x:t(e.xs_units,i,a,r),y:t(e.ys_units,o,l,h)}}_paint(t){const{xs:e,ys:s}=this.model;(0,v.assert)(e.length==s.length),this.poly=(()=>{const{x:t,y:n}=this._mappers();return new x(t.v_compute(e),n.v_compute(s))})(),t.beginPath();for(const[e,s]of this.poly)t.lineTo(e,s);const{_is_hovered:n,visuals:i}=this,o=n&&i.hover_fill.doit?i.hover_fill:i.fill,a=n&&i.hover_hatch.doit?i.hover_hatch:i.hatch,l=n&&i.hover_line.doit?i.hover_line:i.line;this.poly.n>=3&&(t.closePath(),o.apply(t),a.apply(t)),l.apply(t)}interactive_hit(t,e){return!(!this.model.visible||!this.model.editable)&&this.poly.contains(t,e)}_hit_test(t,e){const{abs:s}=Math,n=Math.max(2.5,this.model.line_width/2);for(const[i,o,a]of this.poly)if(s(i-t){const{poly:e,target:s}=this._pan_state,{dx:n,dy:i}=t;switch(s.type){case\"node\":{const{i:t}=s;return e.translate(n,i,t)}case\"edge\":{const{i:t}=s;return e.translate(n,i,t,t+1)}case\"area\":return e.translate(n,i)}})(),{x:s,y:n}=this._mappers(),i=s.v_invert(e.xs),o=n.v_invert(e.ys);this.model.update({xs:i,ys:o}),this.model.pan.emit([\"pan\",t.modifiers])}on_pan_end(t){this._pan_state=null,this.model.pan.emit([\"pan:end\",t.modifiers])}get _has_hover(){const{hover_line:t,hover_fill:e,hover_hatch:s}=this.visuals;return t.doit||e.doit||s.doit}on_enter(t){const{_has_hover:e}=this;return e&&(this._is_hovered=!0,this.request_paint()),e}on_move(t){}on_leave(t){this._has_hover&&(this._is_hovered=!1,this.request_paint())}cursor(t,e){const s=this._pan_state?.target??this._hit_test(t,e);if(null==s||!this._can_hit(s))return null;switch(s.type){case\"node\":case\"edge\":case\"area\":return\"move\"}}}s.PolyAnnotationView=m,o=h.auto_ranged,m.__name__=\"PolyAnnotationView\";class f extends r.Annotation{constructor(t){super(t),this.pan=new y.Signal(this,\"pan\")}update({xs:t,ys:e}){this.setv({xs:t.slice(),ys:e.slice(),visible:!0})}clear(){this.setv({xs:[],ys:[],visible:!1})}}s.PolyAnnotation=f,a=f,f.__name__=\"PolyAnnotation\",a.prototype.default_view=m,a.mixins([_.Line,_.Fill,_.Hatch,[\"hover_\",_.Line],[\"hover_\",_.Fill],[\"hover_\",_.Hatch]]),a.define((({Bool:t,Float:e,Arrayable:s})=>({xs:[s(e),[]],ys:[s(e),[]],xs_units:[c.CoordinateUnits,\"data\"],ys_units:[c.CoordinateUnits,\"data\"],editable:[t,!1]}))),a.override({fill_color:\"#fff9ba\",fill_alpha:.4,line_color:\"#cccccc\",line_alpha:.3,hover_fill_color:null,hover_fill_alpha:.4,hover_line_color:null,hover_line_alpha:.3})},\n", " function _(t,e,i,a,n){var o;a();const s=t(1),r=t(96),l=t(302),c=t(110),h=t(111),_=t(21),u=s.__importStar(t(21)),d=s.__importStar(t(95)),g=t(192),b=t(187),x=t(62),w=t(135),p=t(139),m=t(207),f=t(204),y=t(223),v=t(113),z=t(116),S=t(107),k=t(69),L=t(11),A=t(12),B=t(14),F=t(8),T=t(259),R=t(22),O=t(124),V=s.__importStar(t(127)),C=t(121),{round:E}=Math,M=(0,R.Or)(u.Anchor,(0,R.Tuple)((0,R.Or)(R.Float,C.Factor,_.HAlign),(0,R.Or)(R.Float,C.Factor,_.VAlign))),P=(0,R.Enum)(\"data\",\"screen\",\"view\",\"percent\"),q=(0,R.Enum)(\"screen\",\"data\",\"percent\"),H=(0,R.Enum)(\"adaptive\",\"exact\");class N extends r.AnnotationView{constructor(){super(...arguments),this._bbox=new x.BBox}get bbox(){return this._bbox}_get_size(){const{width:t,height:e}=this.bbox,{margin:i}=this.model;return{width:t+2*i,height:e+2*i}}initialize(){super.initialize();const{ticker:t}=this.model;this.axis=new m.LinearAxis({ticker:t,...d.attrs_of(this.model,\"bar_\",d.Line,\"axis_\")}),this.range=(()=>{const{range:t,orientation:e}=this.model;if(\"auto\"!=t)return t;{const{frame:t}=this.parent;switch(e){case\"horizontal\":return t.x_range;case\"vertical\":return t.y_range}}})()}async lazy_initialize(){await super.lazy_initialize();const t=(()=>{const t=new h.Range1d,e=new h.Range1d,i=new h.Range1d,a=new h.Range1d;return this.axis_scale=new v.LinearScale({source_range:t,target_range:e}),this.cross_scale=new v.LinearScale({source_range:i,target_range:a}),\"horizontal\"==this.model.orientation?new S.CoordinateTransform(this.axis_scale,this.cross_scale):new S.CoordinateTransform(this.cross_scale,this.axis_scale)})();this.axis_view=await(0,k.build_view)(this.axis,{parent:this.plot_view}),this.axis_view.coordinates=t,this.axis_view.panel=new b.SidePanel(\"horizontal\"==this.model.orientation?\"below\":\"right\"),this.axis_view.update_layout()}remove(){this.axis_view.remove(),super.remove()}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>{this.request_paint()})),this.connect(this.range.change,(()=>{this.request_paint()}))}update_layout(){this.update_geometry();const{panel:t}=this;this.layout=null!=t?new b.SideLayout(t,(()=>this.get_size())):void 0}update_geometry(){super.update_geometry()}get horizontal(){return\"horizontal\"==this.model.orientation}text_layout(t){const{text:e,location:i,align:a,visuals:n}=t,{orientation:o}=this.model,s=new g.TextBox({text:e}),r=new b.SidePanel(i);s.visuals=n.values();const l=(()=>{switch(i){case\"above\":case\"below\":return\"horizontal\";default:return o}})();s.angle=r.get_label_angle_heuristic(l),s.base_font_size=this.plot_view.base_font_size,s.position={sx:0,sy:0,x_anchor:\"left\",y_anchor:\"top\"},s.align=\"auto\";const c=new w.TextLayout(s);c.absolute=!0;const h=\"horizontal\"==o,_=h?a:void 0,u=h?void 0:a;return c.set_sizing({width_policy:\"min\",height_policy:\"min\",visible:\"\"!=e&&n.doit,halign:_,valign:u}),c}compute_geometry(){super.compute_geometry();const{orientation:t,length_sizing:e,padding:i,margin:a}=this.model,{border_line:n,bar_line:o}=this.visuals,s=o.line_width.get_value(),r=n.line_width.get_value(),{frame:l}=this.parent,c=\"horizontal\"==t?l.bbox.width:l.bbox.height,h=(()=>{const{bar_length:e,bar_length_units:i}=this.model;switch(i){case\"screen\":return 0<=e&&e<=1?e:(0,L.clamp)(e/c,0,1);case\"data\":{const i=\"horizontal\"==t?this.coordinates.x_scale:this.coordinates.y_scale;(0,A.assert)(i instanceof v.LinearScale||i instanceof z.CategoricalScale);const[a,n]=i.r_compute(0,e);return Math.abs(n-a)/c}case\"percent\":return(0,L.clamp)(e,0,1)}})(),{new_value:_,new_unit:u,scale_factor:d,exact:g}=(()=>{const{unit:t,dimensional:i}=this.model,a=this.range.span*h;return i.compute(a,t,\"exact\"==e)})(),b=E(c*h*d),m=(()=>{const{label:t}=this.model;return(0,T.process_placeholders)(t,((t,e,i)=>{switch(e){case\"value\":return g?null!=i?(0,T.sprintf)(i,_):_.toFixed(2):`${_}`;case\"unit\":if(\"short\"===(i??\"short\"))return u;default:return null}}))})();this.label_layout=this.text_layout({text:m,location:this.model.label_location,align:this.model.label_align,visuals:this.visuals.label_text}),this.title_layout=this.text_layout({text:this.model.title,location:this.model.title_location,align:this.model.title_align,visuals:this.visuals.title_text});const f=\"horizontal\"==t?{width:b,height:s}:{width:s,height:b},y=this.axis_view.layout;(0,A.assert)(null!=y),this.axis_layout=y,y.absolute=!0,\"horizontal\"==t?y.set_sizing({width_policy:\"fixed\",width:f.width,height_policy:\"min\",valign:\"center\"}):y.set_sizing({width_policy:\"min\",height_policy:\"fixed\",height:f.height,halign:\"center\"}),this.box_layout=(()=>{const t={above:[],below:[],left:[],right:[]};function e(e,i,a){e.visible&&t[i].push(function(t,e){const i=new w.FixedLayout;return i.absolute=!0,i.set_sizing(\"left\"==t||\"right\"==t?{width_policy:\"fixed\",width:e}:{height_policy:\"fixed\",height:e}),i}(i,a),e)}e(this.label_layout,this.model.label_location,this.model.label_standoff),e(this.title_layout,this.model.title_location,this.model.title_standoff);const i=t.above.length,a=t.left.length,n=[{layout:y,row:i,col:a}];for(const[e,o]of(0,B.enumerate)(t.above))n.push({layout:e,row:i-o-1,col:a});for(const[e,o]of(0,B.enumerate)(t.below))n.push({layout:e,row:i+o+1,col:a});for(const[e,o]of(0,B.enumerate)(t.left))n.push({layout:e,row:i,col:a-o-1});for(const[e,o]of(0,B.enumerate)(t.right))n.push({layout:e,row:i,col:a+o+1});return new p.Grid(n)})();const{box_layout:S}=this;S.absolute=!0,S.position={left:i,top:i},S.set_sizing(),S.compute();const[k,R]=(()=>{const{x_range:e,y_range:i}=this.axis_view.bbox;return\"horizontal\"==t?[e,i]:[i,e]})();this.axis_scale.source_range.end=_,this.axis_scale.target_range.setv(k),this.cross_scale.source_range.end=1,this.cross_scale.target_range.setv(R);const O=(()=>{const{location:t}=this.model;if((0,F.isString)(t)){const e=(()=>{switch(t){case\"top\":return\"top_center\";case\"bottom\":return\"bottom_center\";case\"left\":return\"center_left\";case\"center\":return\"center_center\";case\"right\":return\"center_right\";default:return t}})(),[i,a]=e.split(\"_\");return{x:a,y:i}}{const[e,i]=t;return{x:e,y:i}}})(),{x:C,y:M}=(()=>{const{bbox:t}=this.layout??this.plot_view.frame,e=t.shrink_by(a),i=(()=>{const{x:i}=O;switch(i){case\"left\":return e.left;case\"center\":return e.x_center;case\"right\":return e.right}return(()=>{switch(this.model.x_units){case\"data\":return this.coordinates.x_scale;case\"screen\":return t.x_screen;case\"view\":return t.x_view;case\"percent\":return t.x_percent}})().compute(i)})(),n=(()=>{const{y:i}=O;switch(i){case\"top\":return e.top;case\"center\":return e.y_center;case\"bottom\":return e.bottom}return(()=>{switch(this.model.y_units){case\"data\":return this.coordinates.y_scale;case\"screen\":return t.y_screen;case\"view\":return t.y_view;case\"percent\":return t.y_percent}})().compute(i)})();return{x:i,y:n}})(),P=(()=>{const t=V.anchor(this.model.anchor);return{x:(()=>{if(\"auto\"!=t.x)return t.x;switch(O.x){case\"left\":return 0;case\"center\":default:return.5;case\"right\":return 1}})(),y:(()=>{if(\"auto\"!=t.y)return t.y;switch(O.y){case\"top\":return 0;case\"center\":default:return.5;case\"bottom\":return 1}})()}})(),q=r+i+S.bbox.width+i+r,H=r+i+S.bbox.height+i+r,N=C-P.x*q,D=M-P.y*H;this._bbox=new x.BBox({left:N,top:D,width:q,height:H})}_draw_box(t){const{width:e,height:i}=this.bbox;t.beginPath(),t.rect(0,0,e,i),this.visuals.background_fill.apply(t),this.visuals.background_hatch.apply(t),this.visuals.border_line.apply(t)}_draw_axis(t){this.axis_view.paint(t)}_draw_text(t,e,i){const{bbox:a}=e,[n,o]=(()=>{const{orientation:t}=this.model,e=\"horizontal\"==t;switch(i){case\"left\":return e?[0,0]:[0,a.height];case\"right\":return e?[0,0]:[a.width,0];case\"above\":case\"below\":return[0,0]}})(),{left:s,top:r}=a.translate(n,o);t.translate(s,r),e.text.paint(t),t.translate(-s,-r)}_draw_label(t){this._draw_text(t,this.label_layout,this.model.label_location)}_draw_title(t){this._draw_text(t,this.title_layout,this.model.title_location)}_paint(t){const{left:e,top:i}=this.bbox;t.translate(e,i),this.box_layout.visible&&this._draw_box(t),this.axis_layout.visible&&this._draw_axis(t),this.label_layout.visible&&this._draw_label(t),this.title_layout.visible&&this._draw_title(t),t.translate(-e,-i)}}i.ScaleBarView=N,N.__name__=\"ScaleBarView\";class D extends r.Annotation{constructor(t){super(t)}}i.ScaleBar=D,o=D,D.__name__=\"ScaleBar\",o.prototype.default_view=N,o.mixins([[\"background_\",d.Fill],[\"background_\",d.Hatch],[\"bar_\",d.Line],[\"border_\",d.Line],[\"label_\",d.Text],[\"title_\",d.Text]]),o.define((({NonNegative:t,Float:e,Str:i,Ref:a,Or:n,Auto:o})=>({anchor:[O.AutoAnchor,\"auto\"],bar_length:[t(e),.2],bar_length_units:[q,\"screen\"],dimensional:[a(l.Dimensional),()=>new l.MetricLength],label:[i,\"@{value} @{unit}\"],label_align:[_.Align,\"center\"],label_location:[_.Location,\"below\"],label_standoff:[e,5],length_sizing:[H,\"adaptive\"],location:[M,\"top_right\"],margin:[e,10],orientation:[_.Orientation,\"horizontal\"],padding:[e,10],range:[n(a(c.Range),o),\"auto\"],ticker:[a(f.Ticker),()=>new y.FixedTicker({ticks:[]})],title:[i,\"\"],title_align:[_.Align,\"center\"],title_location:[_.Location,\"above\"],title_standoff:[e,5],unit:[i,\"m\"],x_units:[P,\"data\"],y_units:[P,\"data\"]}))),o.override({background_fill_alpha:.95,background_fill_color:\"#ffffff\",bar_line_width:2,border_line_alpha:.5,border_line_color:\"#e5e5e5\",border_line_width:1,label_text_baseline:\"middle\",label_text_font_size:\"13px\",title_text_font_size:\"13px\",title_text_font_style:\"italic\"})},\n", " function _(e,t,n,s,r){var i,c,a,o,l,u,_;s();const m=e(52),d=e(12),f=e(9),p=e(13),{min:h}=Math;class g extends m.Model{constructor(e){super(e)}compute(e,t,n){const s=(()=>{const{include:e,exclude:t}=this,n=(0,f.entries)(this.get_basis()).map((([e,[t,n,s]])=>({name:e,factor:t,tex_name:n,long_name:s}))).filter((({name:n})=>(null==e||e.includes(n))&&!t.includes(n)));return(0,p.sort_by)(n,(({factor:e})=>e))})(),{ticks:r}=this,i=s.find((({name:e})=>e==t));(0,d.assert)(null!=i);const c=e*i.factor,[a,o]=(()=>{const e=(0,p.bisect_right_by)(s,c,(({factor:e})=>e));if(e>0){const{name:t,factor:n}=s[e-1];return[t,c/n]}return[t,c]})();n=n??0==r.length;const l=(()=>{if(n)return o;{const e=(0,p.bisect_right)(r,o);return r[h(e,r.length-1)]}})();return{new_value:l,new_unit:a,scale_factor:l*(c/o)/e/i.factor,exact:n}}}n.Dimensional=g,i=g,g.__name__=\"Dimensional\",i.define((({Nullable:e,List:t,Str:n,Float:s})=>({ticks:[t(s)],include:[e(t(n)),null],exclude:[t(n),[]]})));class b extends g{constructor(e){super(e)}get_basis(){return this.basis}}n.CustomDimensional=b,c=b,b.__name__=\"CustomDimensional\",c.define((({Dict:e,Tuple:t,Float:n,Str:s,Or:r})=>({basis:[e(r(t(n,s),t(n,s,s)))]})));class x extends g{constructor(e){super(e)}get_basis(){const{base_unit:e,full_unit:t}=this,n={};for(const[s,r,i,c]of a._metric_basis){const a=`${i}${e}`,o=null!=t?`${c}${t}`:void 0;n[`${s}${e}`]=[r,a,o]}return n}}n.Metric=x,a=x,x.__name__=\"Metric\",a.define((({Str:e,Nullable:t})=>({base_unit:[e],full_unit:[t(e),null]}))),a.override({ticks:[1,2,5,10,15,20,25,50,75,100,125,150,200,250,500,750]}),x._metric_basis=[[\"Q\",1e30,\"Q\",\"quetta\"],[\"R\",1e27,\"R\",\"ronna\"],[\"Y\",1e24,\"Y\",\"yotta\"],[\"Z\",1e21,\"Z\",\"zetta\"],[\"E\",1e18,\"E\",\"exa\"],[\"P\",1e15,\"P\",\"peta\"],[\"T\",1e12,\"T\",\"tera\"],[\"G\",1e9,\"G\",\"giga\"],[\"M\",1e6,\"M\",\"mega\"],[\"k\",1e3,\"k\",\"kilo\"],[\"h\",100,\"h\",\"hecto\"],[\"\",1,\"\",\"\"],[\"d\",.1,\"d\",\"deci\"],[\"c\",.01,\"c\",\"centi\"],[\"m\",.001,\"m\",\"milli\"],[\"\\xb5\",1e-6,\"\\\\mu\",\"micro\"],[\"n\",1e-9,\"n\",\"nano\"],[\"p\",1e-12,\"p\",\"pico\"],[\"f\",1e-15,\"f\",\"femto\"],[\"a\",1e-18,\"a\",\"atto\"],[\"z\",1e-21,\"z\",\"zepto\"],[\"y\",1e-24,\"y\",\"yocto\"],[\"r\",1e-27,\"r\",\"ronto\"],[\"q\",1e-30,\"q\",\"quecto\"]];class M extends x{constructor(e){super(e)}get_basis(){const e=super.get_basis(),t={};for(const[n,[s,r]]of(0,f.entries)(e))t[`${n}\\u207b1`]=[s**-1,`${r}^{-1}`];return t}}n.ReciprocalMetric=M,M.__name__=\"ReciprocalMetric\";class y extends x{constructor(e){super(e)}}n.MetricLength=y,o=y,y.__name__=\"MetricLength\",o.override({base_unit:\"m\",exclude:[\"dm\",\"hm\"]});class k extends M{constructor(e){super(e)}}n.ReciprocalMetricLength=k,l=k,k.__name__=\"ReciprocalMetricLength\",l.override({base_unit:\"m\",exclude:[\"dm\",\"hm\"]});class v extends b{constructor(e){super(e)}}n.ImperialLength=v,u=v,v.__name__=\"ImperialLength\",u.override({basis:{in:[1/12,\"in\",\"inch\"],ft:[1,\"ft\",\"foot\"],yd:[3,\"yd\",\"yard\"],ch:[66,\"ch\",\"chain\"],fur:[660,\"fur\",\"furlong\"],mi:[5280,\"mi\",\"mile\"],lea:[15840,\"lea\",\"league\"]},ticks:[1,3,6,12,60]});class $ extends b{constructor(e){super(e)}}n.Angular=$,_=$,$.__name__=\"Angular\",_.override({basis:{\"\\xb0\":[1,\"^\\\\circ\",\"degree\"],\"'\":[1/60,\"^\\\\prime\",\"minute\"],\"''\":[1/3600,\"^{\\\\prime\\\\prime}\",\"second\"]},ticks:[1,3,6,12,60,120,240,360]})},\n", " function _(e,t,r,i,a){var s,o,n;i();const _=e(1),l=e(304),c=e(305),h=e(232),m=e(71),d=e(269),u=e(111),p=e(207),g=_.__importStar(e(95)),f=_.__importStar(e(40)),y=e(147),x=e(8),w=e(185),v=e(306),b=e(209),k=e(211),j=e(223),z=e(10),B=e(20),V=e(343),L=e(62),S=e(272);class R extends S.BorderLayout{constructor(){super(...arguments),this.offset_position={x:0,y:0}}set_geometry(e){const{outer:t,inner:r}=this._compute(e);this.offset_position={x:e.x,y:e.y},super.set_geometry(t,r)}}R.__name__=\"InternalBorderLayout\";class T extends v.PlotView{initialize(){super.initialize(),this._range_manager.warn_initial_ranges=!1}_make_layout(){return new R}_after_resize(){}}T.__name__=\"InternalPlotView\";class F extends v.Plot{constructor(e){super(e)}}s=F,F.__name__=\"InternalPlot\",s.prototype.default_view=T;class G extends l.BaseBarView{constructor(){super(...arguments),this._last_bbox=new L.BBox,this[o]=!0}get align(){const{location:e}=this.model;if(!(0,x.isString)(e))return{v:\"end\",h:\"start\"};switch(e){case\"top_left\":return{v:\"start\",h:\"start\"};case\"top\":case\"top_center\":return{v:\"start\",h:\"center\"};case\"top_right\":return{v:\"start\",h:\"end\"};case\"bottom_left\":return{v:\"end\",h:\"start\"};case\"bottom\":case\"bottom_center\":return{v:\"end\",h:\"center\"};case\"bottom_right\":return{v:\"end\",h:\"end\"};case\"left\":case\"center_left\":return{v:\"center\",h:\"start\"};case\"center\":case\"center_center\":return{v:\"center\",h:\"center\"};case\"right\":case\"center_right\":return{v:\"center\",h:\"end\"}}}get orientation(){const{orientation:e}=this.model,{align:t}=this;return\"auto\"==e?null!=this.panel?this.panel.is_horizontal?\"horizontal\":\"vertical\":\"start\"==t.h||\"end\"==t.h||\"center\"==t.v?\"vertical\":\"horizontal\":e}initialize(){super.initialize();const{orientation:e}=this;this._major_range=new u.Range1d,this._major_scale=new d.LinearScale,this._minor_range=new u.Range1d,this._minor_scale=new d.LinearScale;const t=new(0,(this.renderer??new h.GlyphRenderer({glyph:new V.Circle})).glyph.constructor)({x:{field:\"x\"},y:{field:\"y\"},radius:{field:\"s\",units:\"screen\"},...g.attrs_of(this.model,\"glyph_\",g.LineVector),...g.attrs_of(this.model,\"glyph_\",g.FillVector),...g.attrs_of(this.model,\"glyph_\",g.HatchVector)});this._data_source=new y.ColumnDataSource({data:{x:[],y:[],s:[]}});const r=new h.GlyphRenderer({data_source:this._data_source,glyph:t}),{ticker:i,formatter:a}=this.model;this._major_ticker=\"auto\"!=i?i:new j.FixedTicker({ticks:[]}),this._major_formatter=\"auto\"!=a?a:new b.BasicTickFormatter,this._major_axis=new p.LinearAxis({ticker:this._major_ticker,formatter:this._major_formatter,axis_line_color:null,major_label_standoff:this.model.label_standoff,major_tick_in:this.model.major_tick_in,major_tick_out:this.model.major_tick_out,minor_tick_in:this.model.minor_tick_in,minor_tick_out:this.model.minor_tick_out,major_label_overrides:this.model.major_label_overrides,major_label_policy:this.model.major_label_policy,...g.attrs_of(this.model,\"major_label_\",g.Text,!0),...g.attrs_of(this.model,\"major_tick_\",g.Line,!0),...g.attrs_of(this.model,\"minor_tick_\",g.Line,!0)});const{width:s,height:o}=this.model,n={renderers:[r],toolbar_location:null,title:new w.Title({text:this.model.title??void 0,standoff:this.model.title_standoff,...g.attrs_of(this.model,\"title_\",g.Text,!1)}),...g.attrs_of(this.model,\"background_\",g.Fill,!0),...g.attrs_of(this.model,\"background_\",g.Hatch,!0),...g.attrs_of(this.model,\"border_\",g.Line,!0),...g.attrs_of(this.model,\"bar_\",g.Line,\"outline_\")};switch(e){case\"horizontal\":this._size_bar=new F({width_policy:\"max\"==s?\"max\":\"fit\",height_policy:\"max\"==o?\"max\":\"fit\",frame_width:\"max\"==s?void 0:s,frame_height:\"max\"==o?void 0:o,below:[this._major_axis],x_range:this._major_range,y_range:this._minor_range,x_scale:this._major_scale,y_scale:this._minor_scale,...n});break;case\"vertical\":this._size_bar=new F({width_policy:\"max\"==o?\"max\":\"fit\",height_policy:\"max\"==s?\"max\":\"fit\",frame_width:\"max\"==o?void 0:o,frame_height:\"max\"==s?void 0:s,right:[this._major_axis],x_range:this._minor_range,y_range:this._major_range,x_scale:this._minor_scale,y_scale:this._major_scale,...n})}}get computed_elements(){return[...super.computed_elements,this._size_bar]}async lazy_initialize(){await super.lazy_initialize(),this._size_bar_view=this._element_views.get(this._size_bar)}update_layout(){this.layout=this._size_bar_view.layout,this.layout.on_resize((e=>{e.equals(this._last_bbox)||(this._last_bbox=e,this.parent.request_layout(!0))}))}get renderer(){const{renderer:e}=this.model;if(\"auto\"!=e)return e;{const e=this.plot_view.model.renderers.filter((e=>e instanceof h.GlyphRenderer&&e.glyph instanceof c.RadialGlyph));switch(e.length){case 0:return B.logger.warn(\"can't find any radial glyph renderers\"),null;case 1:return e[0];default:return B.logger.warn(\"found multiple radial glyph renderers; choosing the first one\"),e[0]}}}get glyph_view(){const{renderer:e}=this;if(null==e)return null;return this.plot_view.views.get_one(e).glyph_view}_paint(e){const{glyph_view:t}=this;if(null==t)return;const r=(()=>{const{bounds:e}=this.model;return\"auto\"==e?[-1/0,1/0]:e})(),i=Math.max(f.min(t.radius),r[0]),a=Math.min(f.max(t.radius),r[1]),s=a==i,o=1e-6,n=s?Math.max(i-o,0):i,_=s?a+o:a,l=s?1:5,c=new k.AdaptiveTicker({desired_num_ticks:l}).get_ticks(0==n?_*o:n,_,new u.Range1d,NaN).major;\"auto\"==this.model.ticker&&this._major_ticker instanceof j.FixedTicker&&(this._major_ticker.ticks=c);const h=c,m=(0,z.repeat)(0,h.length),d=(()=>{if(\"data\"!=t.model.properties.radius.units)return c;{const e=()=>t.sdist(t.renderer.xscale,(0,z.repeat)(0,c.length),new f.UniformVector(c)),r=()=>t.sdist(t.renderer.yscale,(0,z.repeat)(0,c.length),new f.UniformVector(c)),{radius_dimension:i}=t.model;switch(i){case\"x\":return e();case\"y\":return r();case\"min\":case\"max\":return(0,z.elementwise)(e(),r(),Math[i])}}})();this._major_range.setv({start:n,end:_}),this._minor_range.setv({start:-_,end:_}),this._data_source.data=(()=>{switch(this.orientation){case\"horizontal\":return{x:h,y:m,s:d};case\"vertical\":return{x:m,y:h,s:d}}})()}export(e=\"auto\",t=!0){return this._size_bar_view.export(e,t)}get bbox(){const{bbox:e,offset_position:{x:t,y:r}}=this.layout;return e.translate(t,r)}}r.SizeBarView=G,o=m.exportable,G.__name__=\"SizeBarView\";class M extends l.BaseBar{constructor(e){super(e)}}r.SizeBar=M,n=M,M.__name__=\"SizeBar\",n.prototype.default_view=G,n.mixins([[\"glyph_\",g.LineVector],[\"glyph_\",g.FillVector],[\"glyph_\",g.HatchVector]]),n.override({glyph_line_color:null}),n.define((({Ref:e,Auto:t,Or:r,Float:i,Tuple:a})=>({renderer:[r(e(h.GlyphRenderer),t),\"auto\"],bounds:[r(a(i,i),t),\"auto\"]})))},\n", " function _(t,e,i,o,a){var _;o();const r=t(1),l=t(96),n=t(202),c=t(223),m=t(205),s=t(206),u=t(188),f=t(21),d=r.__importStar(t(95));class b extends l.AnnotationView{}i.BaseBarView=b,b.__name__=\"BaseBarView\";class k extends l.Annotation{constructor(t){super(t)}}i.BaseBar=k,_=k,k.__name__=\"BaseBar\",_.mixins([[\"title_\",d.Text],[\"major_label_\",d.Text],[\"major_tick_\",d.Line],[\"minor_tick_\",d.Line],[\"background_\",d.Fill],[\"background_\",d.Hatch],[\"border_\",d.Line],[\"bar_\",d.Line]]),_.define((({Float:t,Str:e,Tuple:i,Or:o,Ref:a,Enum:_,Auto:r,Nullable:l})=>({location:[o(f.Anchor,i(t,t)),\"top_right\"],orientation:[o(f.Orientation,r),\"auto\"],width:[o(t,_(\"max\")),200],height:[o(t,_(\"max\")),50],margin:[t,30],padding:[t,10],title:[l(o(e,a(u.BaseText))),null],title_standoff:[t,2],ticker:[o(a(c.FixedTicker),r),\"auto\"],formatter:[o(a(m.TickFormatter),r),\"auto\"],major_label_overrides:[n.LabelOverrides,new Map],major_label_policy:[a(s.LabelingPolicy),()=>new s.NoOverlap],label_standoff:[t,5],major_tick_in:[t,5],major_tick_out:[t,0],minor_tick_in:[t,0],minor_tick_out:[t,0]}))),_.override({background_fill_color:\"#ffffff\",background_fill_alpha:.95,border_line_color:null,bar_line_color:null,major_label_text_font_size:\"11px\",major_tick_line_color:\"black\",minor_tick_line_color:null,title_text_font_size:\"13px\",title_text_font_style:\"italic\"})},\n", " function _(i,e,t,s,r){var a;s();const n=i(1),d=i(235),h=i(236),_=i(95),c=i(25),u=i(21),l=n.__importStar(i(19)),o=i(10);class x extends d.XYGlyphView{_index_data(i){const{x:e,y:t,radius:s,data_size:r}=this;for(let a=0;a{if(\"data\"!=this.model.properties.radius.units)return this.inherited_sradius?h.inherit:(0,c.to_screen)(this.radius);{const i=()=>this.sdist(this.renderer.xscale,this.x,this.radius),e=()=>this.sdist(this.renderer.yscale,this.y,this.radius),{radius_dimension:t}=this.model;switch(t){case\"x\":return this.inherited_x&&this.inherited_radius?h.inherit:i();case\"y\":return this.inherited_y&&this.inherited_radius?h.inherit:e();case\"min\":case\"max\":return this.inherited_x&&this.inherited_y&&this.inherited_radius?h.inherit:(0,o.elementwise)(i(),e(),Math[t])}}}))}_mask_data(){const{frame:i}=this.renderer.plot_view,e=i.x_target,t=i.y_target;let s,r;return\"data\"==this.model.properties.radius.units?(s=e.map((i=>this.renderer.xscale.invert(i))).widen(this.max_radius),r=t.map((i=>this.renderer.yscale.invert(i))).widen(this.max_radius)):(s=e.widen(this.max_radius).map((i=>this.renderer.xscale.invert(i))),r=t.widen(this.max_radius).map((i=>this.renderer.yscale.invert(i)))),this.index.indices({x0:s.start,x1:s.end,y0:r.start,y1:r.end})}draw_legend_for_index(i,{x0:e,y0:t,x1:s,y1:r},a){const n=a+1,d=new Array(n);d[a]=(e+s)/2;const h=new Array(n);h[a]=(t+r)/2;const _=new Array(n);_[a]=.2*Math.min(Math.abs(s-e),Math.abs(r-t)),this._paint(i,[a],{sx:d,sy:h,sradius:_})}}t.RadialGlyphView=x,x.__name__=\"RadialGlyphView\";class m extends d.XYGlyph{constructor(i){super(i)}}t.RadialGlyph=m,a=m,m.__name__=\"RadialGlyph\",a.mixins([_.LineVector,_.FillVector,_.HatchVector]),a.define((()=>({radius:[l.DistanceSpec],radius_dimension:[u.RadiusDimension,\"x\"]})))},\n", " function _(e,t,o,r,n){var l;r();const a=e(1),i=a.__importStar(e(95)),s=a.__importStar(e(19)),_=e(16),d=e(21),c=e(10),h=e(45),u=e(8),b=e(131),m=e(202),f=e(307),g=e(96),w=e(185),p=e(113),y=e(308),v=e(133),S=e(110),x=e(108),R=e(147),A=e(98),L=e(233),T=e(232),k=e(309),D=e(118),P=e(56),E=e(328);n(\"PlotView\",E.PlotView);class O extends b.LayoutDOM{constructor(e){super(e),this.use_map=!1,this.reset=new _.Signal0(this,\"reset\")}add_layout(e,t=\"center\"){this.remove_layout(e);const o=this.properties[t].get_value();this.setv({[t]:[...o,e]})}remove_layout(e){(0,c.remove)(this.left,e),(0,c.remove)(this.right,e),(0,c.remove)(this.above,e),(0,c.remove)(this.below,e),(0,c.remove)(this.center,e)}get data_renderers(){return this.renderers.filter((e=>e instanceof L.DataRenderer))}add_renderers(...e){this.renderers=[...this.renderers,...e]}add_glyph(e,t=new R.ColumnDataSource,o={}){const r=new T.GlyphRenderer({...o,data_source:t,glyph:e});return this.add_renderers(r),r}add_tools(...e){const t=e.map((e=>e instanceof k.Tool?e:k.Tool.from_string(e)));this.toolbar.tools=[...this.toolbar.tools,...t]}remove_tools(...e){this.toolbar.tools=[...(0,h.difference)(new Set(this.toolbar.tools),new Set(e))]}get panels(){return[...this.side_panels,...this.center]}get side_panels(){const{above:e,below:t,left:o,right:r}=this;return(0,c.concat)([e,t,o,r])}}o.Plot=O,l=O,O.__name__=\"Plot\",l.prototype.default_view=E.PlotView,l.mixins([[\"outline_\",i.Line],[\"background_\",i.Fill],[\"background_\",i.Hatch],[\"border_\",i.Line],[\"border_\",i.Fill],[\"border_\",i.Hatch]]),l.define((({Bool:e,Float:t,Str:o,List:r,Dict:n,Or:l,Ref:a,Null:i,Nullable:_,Struct:c,Opt:h})=>({toolbar:[a(y.Toolbar),()=>new y.Toolbar],toolbar_location:[_(d.Location),\"right\"],toolbar_sticky:[e,!0],toolbar_inner:[e,!1],frame_width:[_(t),null],frame_height:[_(t),null],frame_align:[l(e,c({left:h(e),right:h(e),top:h(e),bottom:h(e)})),!0],title:[l(a(w.Title),o,i),\"\",{convert:e=>(0,u.isString)(e)?new w.Title({text:e}):e}],title_location:[_(d.Location),\"above\"],above:[r(l(a(g.Annotation),a(m.Axis),a(P.StyledElement))),[]],below:[r(l(a(g.Annotation),a(m.Axis),a(P.StyledElement))),[]],left:[r(l(a(g.Annotation),a(m.Axis),a(P.StyledElement))),[]],right:[r(l(a(g.Annotation),a(m.Axis),a(P.StyledElement))),[]],center:[r(l(a(g.Annotation),a(f.Grid),a(P.StyledElement))),[]],renderers:[r(a(A.Renderer)),[]],x_range:[a(S.Range),()=>new D.DataRange1d],y_range:[a(S.Range),()=>new D.DataRange1d],x_scale:[a(x.Scale),()=>new p.LinearScale],y_scale:[a(x.Scale),()=>new p.LinearScale],extra_x_ranges:[n(a(S.Range)),{}],extra_y_ranges:[n(a(S.Range)),{}],extra_x_scales:[n(a(x.Scale)),{}],extra_y_scales:[n(a(x.Scale)),{}],window_axis:[d.WindowAxis,\"none\"],lod_factor:[t,10],lod_interval:[t,300],lod_threshold:[_(t),2e3],lod_timeout:[t,500],hidpi:[e,!0],output_backend:[d.OutputBackend,\"canvas\"],min_border:[_(t),5],min_border_top:[_(t),null],min_border_left:[_(t),null],min_border_bottom:[_(t),null],min_border_right:[_(t),null],inner_width:[t,s.unset,{readonly:!0}],inner_height:[t,s.unset,{readonly:!0}],outer_width:[t,s.unset,{readonly:!0}],outer_height:[t,s.unset,{readonly:!0}],match_aspect:[e,!1],aspect_scale:[t,1],reset_policy:[d.ResetPolicy,\"standard\"],hold_render:[e,!1],attribution:[r(l(o,a(v.HTML))),[]]}))),l.override({width:600,height:600,outline_line_color:\"#e5e5e5\",border_line_color:null,border_fill_color:\"#ffffff\",background_fill_color:\"#ffffff\",context_menu:\"auto\"})},\n", " function _(i,e,s,n,t){var r;n();const o=i(1),a=i(278),d=i(203),_=i(204),l=o.__importStar(i(95)),h=i(8);class u extends d.GuideRendererView{_paint(i){i.save(),this._draw_regions(i),this._draw_minor_grids(i),this._draw_grids(i),i.restore()}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.request_paint()))}_draw_regions(i){if(!this.visuals.band_fill.doit&&!this.visuals.band_hatch.doit)return;const[e,s]=this.grid_coords(\"major\",!1);for(let n=0;ns[1]&&(t=s[1]);else{[n,t]=s;for(const i of this.plot_view.axis_views)i.dimension==this.model.dimension&&i.model.x_range_name==this.model.x_range_name&&i.model.y_range_name==this.model.y_range_name&&([n,t]=i.computed_bounds)}return[n,t]}grid_coords(i,e=!0){const s=this.model.dimension,n=1-s,[t,r]=this.ranges(),[o,a]=(()=>{const[i,e]=this.computed_bounds();return[Math.min(i,e),Math.max(i,e)]})(),d=[[],[]],_=this.model.get_ticker();if(null==_)return d;const l=_.get_ticks(o,a,t,r.min)[i],h=t.min,u=t.max,[c,m]=(()=>{const{cross_bounds:i}=this.model;return\"auto\"==i?[r.min,r.max]:i})();e||(l[0]!=h&&l.splice(0,0,h),l[l.length-1]!=u&&l.push(u));for(let i=0;i({bounds:[r(t(i,i),e),\"auto\"],cross_bounds:[r(t(i,i),e),\"auto\"],dimension:[s(0,1),0],axis:[o(n(a.Axis)),null],ticker:[o(n(_.Ticker)),null]}))),r.override({level:\"underlay\",band_fill_color:null,band_fill_alpha:0,grid_line_color:\"#e5e5e5\",minor_grid_line_color:null})},\n", " function _(t,e,o,s,i){var l;s();const n=t(1),r=t(20),a=t(61),c=t(69),_=t(55),h=t(21),u=t(10),v=t(14),p=t(9),f=t(8),d=t(309),g=t(313),m=t(314),b=t(315),w=t(320),y=t(322),T=t(323),x=t(325),z=t(310),L=t(317),I=t(16),P=t(3),k=n.__importStar(t(326)),$=k,C=n.__importStar(t(327)),A=C,S=n.__importDefault(t(76));class B extends _.UIElementView{constructor(){super(...arguments),this._tool_button_views=new Map,this._items=[],this._visible=null,this._our_proxies=[]}get tool_buttons(){return this._tool_buttons.flat()}get tool_button_views(){return this.tool_buttons.map((t=>this._tool_button_views.get(t))).filter((t=>null!=t))}get overflow_el(){return this._overflow_el}get visible(){return!!this.model.visible&&(!this.model.autohide||(this._visible??!1))}*children(){yield*super.children(),yield*this._tool_button_views.values()}has_finished(){if(!super.has_finished())return!1;for(const t of this._tool_button_views.values())if(!t.has_finished())return!1;return!0}initialize(){super.initialize();const{location:t}=this.model,e=\"left\"==t||\"above\"==t,o=this.model.horizontal?\"vertical\":\"horizontal\";this._overflow_menu=new L.ContextMenu([],{target:this.el,orientation:o,reversed:e,prevent_hide:t=>t.composedPath().includes(this._overflow_el)})}async lazy_initialize(){await super.lazy_initialize(),await this._build_tool_button_views()}connect_signals(){super.connect_signals();const{buttons:t,tools:e,location:o,autohide:s,group:i,group_types:l}=this.model.properties;this.on_change([t,e,i,l],(async()=>{await this._build_tool_button_views(),this.rerender()})),this.on_change(o,(()=>{this.rerender()})),this.on_change(s,(()=>{this._on_visible_change()})),this.on_transitive_change(e,(()=>{this.rerender()}),{signal:t=>t.properties.visible.change})}stylesheets(){return[...super.stylesheets(),k.default,C.default,S.default]}remove(){(0,c.remove_views)(this._tool_button_views),this._destroy_proxies(),super.remove()}_destroy_proxies(){for(const t of this._our_proxies)t.destroy();(0,u.clear)(this._our_proxies)}_group_tools(t){const{group_types:e}=this.model,o=new Map;for(const[s,i]of(0,v.enumerate)(t)){if(null!=e.find((t=>d.Tool.is_alias_of(s,t)))&&!1!==s.group){const t=!0===s.group?s.type:`${s.type}_${s.group}`,e=o.get(t);null!=e?e.push(s):o.set(t,[s])}else o.set(`${i}`,[s])}return Array.from(o.values(),(t=>{if(t.length>1){const e=new m.ToolGroup({tools:t});return this._our_proxies.push(e),e}return t[0]}))}async _build_tool_button_views(){this._destroy_proxies(),this._tool_buttons=(()=>{const{buttons:t}=this.model;if(\"auto\"==t){const t=[...(0,p.values)(this.model.gestures).map((t=>t.tools)),this.model.actions,this.model.inspectors,this.model.auxiliaries],{group:e}=this.model;return t.map((t=>(e?this._group_tools(t):t).map((t=>t.tool_button()))))}return(0,u.split)(t,null)})(),await(0,c.build_views)(this._tool_button_views,this._tool_buttons.flat(),{parent:this})}set_visibility(t){t!=this._visible&&(this._visible=t,this._on_visible_change())}_on_visible_change(){this.el.classList.toggle($.hidden,!this.visible)}_after_resize(){super._after_resize(),this._after_render()}_menu_at(){switch(this.model.location){case\"right\":return{left_of:this._overflow_el};case\"left\":return{right_of:this._overflow_el};case\"above\":return{below:this._overflow_el};case\"below\":return{above:this._overflow_el}}}toggle_menu(){this._overflow_menu.toggle(this._menu_at())}render(){super.render(),this.el.classList.add($[this.model.location]),this.el.classList.toggle($.inner,this.model.inner),this._on_visible_change();const{horizontal:t}=this.model;if(this._overflow_el=(0,a.div)({class:$.tool_overflow,tabIndex:0},t?\"\\u22ee\":\"\\u22ef\"),this._overflow_el.addEventListener(\"click\",(t=>{this.toggle_menu()})),this._overflow_el.addEventListener(\"keydown\",(t=>{\"Enter\"==t.key&&this.toggle_menu()})),this._items=[],null!=this.model.logo){const t=\"grey\"===this.model.logo?A.grey:null,e=(0,a.a)({href:\"https://bokeh.org/\",target:\"_blank\",class:[A.logo,A.logo_small,t],title:`Bokeh ${P.version}`});this._items.push(e),this.shadow_el.appendChild(e)}for(const[,t]of this._tool_button_views)t.render();const e=this._tool_buttons.map((t=>t.filter((t=>t.tool.visible)).map((t=>this._tool_button_views.get(t))).filter((t=>null!=t)).map((t=>t.el)))).filter((t=>0!=t.length)),o=()=>(0,a.div)({class:$.divider});for(const t of(0,v.join)(e,o))this._items.push(t);this.shadow_el.append(...this._items)}_after_render(){super._after_render(),(0,u.clear)(this._overflow_menu.items),this.shadow_el.contains(this._overflow_el)&&this.shadow_el.removeChild(this._overflow_el);for(const t of this._items)this.shadow_el.contains(t)||this.shadow_el.append(t);const{horizontal:t}=this.model,{bbox:e}=this,o=t?$.right:$.above;let s=0,i=!1;for(const l of this._items)if(i)this.shadow_el.removeChild(l),this._overflow_menu.items.push({custom:l,class:o});else{const{width:n,height:r}=l.getBoundingClientRect();s+=t?n:r,i=t?s>e.width-15:s>e.height-15,i&&(this.shadow_el.removeChild(l),this.shadow_el.appendChild(this._overflow_el),this._overflow_menu.items.push({custom:l,class:o}))}this._overflow_menu.is_open&&this._overflow_menu.show(this._menu_at());for(const t of this.tool_button_views)t.update_bbox()}toggle_auto_scroll(t){if(\"auto\"==this.model.active_scroll)for(const e of this.model.tools)if(e.event_types.includes(\"scroll\")){e.active=t??!e.active;break}}}o.ToolbarView=B,B.__name__=\"ToolbarView\";const E=t(22),R=(0,E.Or)((0,E.Ref)(w.GestureTool),(0,E.Ref)(g.ToolProxy)),M=(0,E.Struct)({tools:(0,E.List)(R),active:(0,E.Nullable)(R)}),N=(0,E.Struct)({pan:M,scroll:M,pinch:M,rotate:M,move:M,tap:M,doubletap:M,press:M,pressup:M,multi:M});function G(){return{pan:{tools:[],active:null},scroll:{tools:[],active:null},pinch:{tools:[],active:null},rotate:{tools:[],active:null},move:{tools:[],active:null},tap:{tools:[],active:null},doubletap:{tools:[],active:null},press:{tools:[],active:null},pressup:{tools:[],active:null},multi:{tools:[],active:null}}}o.Inspection=d.Tool;class O extends _.UIElement{constructor(t){super(t)}get horizontal(){return\"above\"==this.location||\"below\"==this.location}get vertical(){return\"left\"==this.location||\"right\"==this.location}connect_signals(){super.connect_signals();const{tools:t,active_drag:e,active_inspect:o,active_scroll:s,active_tap:i,active_multi:l}=this.properties;this.on_change([t,e,o,s,i,l],(()=>{this._init_tools(),this._activate_tools()}))}initialize(){super.initialize(),this.active_changed=new I.Signal0(this,\"active_changed\"),this._init_tools(),this._activate_tools()}_init_tools(){const t=new Set;function e(e,o){const s=e.underlying instanceof o;return s&&t.add(e),s}const o=this.tools.filter((t=>e(t,y.InspectTool)));this.inspectors=o;const s=this.tools.filter((t=>e(t,x.HelpTool)));this.help=s;const i=this.tools.filter((t=>e(t,T.ActionTool)));this.actions=i;const l={pan:{tools:[],active:null},scroll:{tools:[],active:null},pinch:{tools:[],active:null},rotate:{tools:[],active:null},move:{tools:[],active:null},tap:{tools:[],active:null},doubletap:{tools:[],active:null},press:{tools:[],active:null},pressup:{tools:[],active:null},multi:{tools:[],active:null}};for(const t of this.tools)e(t,w.GestureTool)&&l[t.event_role].tools.push(t);for(const t of(0,p.typed_keys)(l)){const e=this.gestures[t];e.tools=(0,u.sort_by)(l[t].tools,(t=>t.default_order)),null!=e.active&&(0,u.every)(e.tools,(t=>t.id!=e.active?.id))&&(e.active=null)}const n=this.tools.filter((e=>!t.has(e)));this.auxiliaries=n}_activate_tools(){if(\"auto\"==this.active_inspect);else if(null==this.active_inspect)for(const t of this.inspectors)t.active=!1;else if((0,f.isArray)(this.active_inspect)){const t=(0,u.intersection)(this.active_inspect,this.inspectors);t.length!=this.active_inspect.length&&(this.active_inspect=t);for(const t of this.inspectors)(0,u.includes)(this.active_inspect,t)||(t.active=!1)}else{let t=!1;for(const e of this.inspectors)e!=this.active_inspect?e.active=!1:t=!0;t||(this.active_inspect=null)}const t=t=>{t.active?this._active_change(t):t.active=!0};for(const t of(0,p.values)(this.gestures))for(const e of t.tools)this.connect(e.properties.active.change,(()=>{this._active_change(e),this.active_changed.emit()}));function e(t){switch(t){case\"tap\":return\"active_tap\";case\"pan\":return\"active_drag\";case\"pinch\":case\"scroll\":return\"active_scroll\";case\"multi\":return\"active_multi\";default:return null}}function o(t,e){return\"tap\"==t||\"pan\"==t||e.supports_auto()}const s=t=>this.tools.includes(t)||t instanceof d.Tool&&this.tools.some((e=>e instanceof g.ToolProxy&&e.tools.includes(t)));for(const[i,l]of(0,p.entries)(this.gestures)){const n=i,r=e(n);if(null!=r){const e=this[r];if(\"auto\"==e){if(0!=l.tools.length){const[e]=l.tools;o(n,e)&&t(e)}}else if(null!=e)s(e)?t(e):this[r]=null;else{this.gestures[n].active=null;for(const t of this.gestures[n].tools)t.active=!1}}}this.active_changed.emit()}_active_change(t){const{event_types:e}=t;for(const o of e)if(t.active){const e=this.gestures[o].active;null!=e&&t!=e&&(r.logger.debug(`Toolbar: deactivating tool: ${e} for event type '${o}'`),e.active=!1),this.gestures[o].active=t,r.logger.debug(`Toolbar: activating tool: ${t} for event type '${o}'`)}else this.gestures[o].active=null}to_menu(){const t=[...(0,p.values)(this.gestures).map((t=>t.tools)),this.actions,this.inspectors,this.auxiliaries].filter((t=>0!=t.length)).map((t=>t.map((t=>t.menu_item())))),e=[...(0,v.join)(t,(()=>new z.DividerItem))];return new z.Menu({items:e})}}o.Toolbar=O,l=O,O.__name__=\"Toolbar\",l.prototype.default_view=B,l.define((({Bool:t,List:e,Or:s,Ref:i,Nullable:l,Auto:n})=>({tools:[e(s(i(d.Tool),i(g.ToolProxy))),[]],logo:[l(h.Logo),\"normal\"],autohide:[t,!1],group:[t,!0],group_types:[e(h.ToolName),[\"hover\"]],active_drag:[l(s(R,n)),\"auto\"],active_inspect:[l(s(i(o.Inspection),e(i(o.Inspection)),i(g.ToolProxy),n)),\"auto\"],active_scroll:[l(s(R,n)),\"auto\"],active_tap:[l(s(R,n)),\"auto\"],active_multi:[l(s(R,n)),\"auto\"]}))),l.internal((({List:t,Bool:e,Ref:o,Or:s,Null:i,Auto:l})=>({buttons:[s(t(s(o(b.ToolButton),i)),l),\"auto\"],location:[h.Location,\"right\"],inner:[e,!1],gestures:[N,G],actions:[t(s(o(T.ActionTool),o(g.ToolProxy))),[]],inspectors:[t(s(o(y.InspectTool),o(g.ToolProxy))),[]],auxiliaries:[t(s(o(d.Tool),o(g.ToolProxy))),[]],help:[t(s(o(x.HelpTool),o(g.ToolProxy))),[]]})))},\n", " function _(t,e,n,i,o){var s;i();const r=t(65),a=t(10),l=t(9),c=t(8),u=t(27),_=t(52),h=t(310),p=t(124);class d extends r.View{connect_signals(){super.connect_signals(),this.connect(this.model.properties.active.change,(()=>{this.model.active?this.activate():this.deactivate()}))}get overlays(){return[]}activate(){}deactivate(){}}n.ToolView=d,d.__name__=\"ToolView\";class m extends _.Model{constructor(t){super(t)}get event_role(){const{event_type:t}=this;return(0,c.isString)(t)?t:\"multi\"}get event_types(){const{event_type:t}=this;return null==t?[]:(0,c.isString)(t)?[t]:t}menu_item(){const t=new h.MenuItem({icon:this.computed_icon,label:this.tool_name,tooltip:this.tooltip!=this.tool_name?this.tooltip:void 0,checked:()=>this.active,disabled:()=>this.disabled,action:()=>this.active=!this.active}),e=this.menu;return null!=e&&(t.menu=new h.Menu({items:e})),t}get tooltip(){return this.description??this.tool_name}get computed_icon(){const{icon:t,tool_icon:e}=this;return t??(null!=e?`.${e}`:void 0)}get menu(){return null}supports_auto(){return!1}_get_dim_limits([t,e],[n,i],o,s){const r=o.bbox.h_range;let l;\"width\"==s||\"both\"==s?(l=[(0,a.min)([t,n]),(0,a.max)([t,n])],l=[(0,a.max)([l[0],r.start]),(0,a.min)([l[1],r.end])]):l=[r.start,r.end];const c=o.bbox.v_range;let u;return\"height\"==s||\"both\"==s?(u=[(0,a.min)([e,i]),(0,a.max)([e,i])],u=[(0,a.max)([u[0],c.start]),(0,a.min)([u[1],c.end])]):u=[c.start,c.end],[l,u]}_get_dim_tooltip(t){const{description:e,tool_name:n}=this;return null!=e?e:\"both\"==t?n:\"auto\"==t?`${n} (either x, y or both dimensions)`:`${n} (${\"width\"==t?\"x\":\"y\"}-axis)`}static register_alias(t,e){const n=e(),i=n.dirty_attributes,o=new u.Comparator;this.prototype._known_aliases.set(t,{fn:e,query:t=>{if(!(t instanceof n.constructor))return!1;for(const[e,n]of(0,l.entries)(i))if(!o.eq(n,t.property(e).get_value()))return!1;return!0}})}static is_alias_of(t,e){const n=this.prototype._known_aliases.get(e);return n?.query(t.underlying)??!1}static from_string(t){const e=this.prototype._known_aliases.get(t);if(null!=e)return e.fn();{const e=[...this.prototype._known_aliases.keys()];throw new Error(`unexpected tool name '${t}', possible tools are ${e.join(\", \")}`)}}get underlying(){return this}}n.Tool=m,s=m,m.__name__=\"Tool\",s.prototype._known_aliases=new Map,s.define((({Bool:t,Or:e,Str:n,Nullable:i})=>({icon:[i(p.IconLike),null],description:[i(n),null],visible:[t,!0],group:[e(n,t),!0]}))),s.internal((({Bool:t})=>({active:[t,!1],disabled:[t,!1]})))},\n", " function _(e,t,m,n,I){n();var i=e(122);I(\"Menu\",i.Menu),I(\"MenuItemLike\",i.MenuItemLike),I(\"MenuItem\",e(123).MenuItem),I(\"ActionItem\",e(311).ActionItem),I(\"CheckableItem\",e(312).CheckableItem),I(\"DividerItem\",e(126).DividerItem)},\n", " function _(t,n,e,c,o){c();const s=t(123);class _ extends s.MenuItem{constructor(t){super(t)}}e.ActionItem=_,_.__name__=\"ActionItem\"},\n", " function _(e,t,c,n,s){n();const _=e(123);class a extends _.MenuItem{constructor(e){super(e)}}c.CheckableItem=a,a.__name__=\"CheckableItem\"},\n", " function _(t,o,e,s,n){var i;s();const l=t(16),r=t(52),c=t(310),u=t(309),a=t(14),h=t(51);class _ extends r.Model{constructor(t){super(t)}get underlying(){const t=this.tools[0];return t instanceof i?t.underlying:t}tool_button(){const t=this.tools[0].tool_button();return t.tool=this,t}menu_item(){return this.tools[0].menu_item()}get event_type(){return this.tools[0].event_type}get event_role(){return this.tools[0].event_role}get event_types(){return this.tools[0].event_types}get default_order(){return this.tools[0].default_order}get tooltip(){return this.tools[0].tooltip}get tool_name(){return this.tools[0].tool_name}get computed_icon(){return this.tools[0].computed_icon}get toggleable(){const t=this.tools[0];return\"toggleable\"in t&&t.toggleable}get group(){return this.tools[0].group}initialize(){super.initialize(),this.do=new l.Signal0(this,\"do\")}connect_signals(){super.connect_signals(),this.connect(this.do,(()=>this.doit())),this.connect(this.properties.active.change,(()=>this.set_active()));for(const t of this.tools)this.connect(t.properties.active.change,(()=>{this.active=t.active}))}doit(){for(const t of this.tools)t.do.emit()}set_active(){for(const t of this.tools)t.active=this.active}get menu(){const{menu:t}=this.tools[0];if(null==t)return null;const o=[];for(const[e,s]of(0,a.enumerate)(t))if(null==e)o.push(null);else{const t=()=>{for(const t of this.tools){const{menu:o}=t;if(null==o)continue;const e=o[s];e instanceof c.MenuItem&&null!=e.action&&(0,h.execute)(e.action,new c.Menu,{item:e})}};o.push(e.clone({action:t}))}return o}supports_auto(){return this.tools[0].supports_auto()}}e.ToolProxy=_,i=_,_.__name__=\"ToolProxy\",i.define((({Bool:t,List:o,Ref:e,Or:s})=>({tools:[o(s(e(u.Tool),e(i))),[]],visible:[t,t=>(0,a.some)(t.tools,(t=>t.visible))],active:[t,t=>(0,a.some)(t.tools,(t=>t.active))],disabled:[t,!1]})))},\n", " function _(o,t,n,r,s){var e;r();const l=o(313);class u extends l.ToolProxy{constructor(o){super(o)}get tooltip(){return this.tools.map((o=>o.tooltip)).join(\"\\n\")}}n.ToolGroup=u,e=u,u.__name__=\"ToolGroup\",e.define((({Bool:o})=>({show_count:[o,!1]})))},\n", " function _(e,t,s,o,i){var n;o();const l=e(1),a=e(55),r=e(124),h=e(127),c=e(309),d=e(313),u=e(314),_=e(316),p=e(61),m=e(317),g=e(10),v=l.__importStar(e(319)),f=v,w=l.__importDefault(e(76));class b extends a.UIElementView{initialize(){super.initialize();const{location:e}=this.parent.model,t=\"left\"==e||\"above\"==e,s=this.parent.model.horizontal?\"vertical\":\"horizontal\",o=this.model.tool.menu??[];this._menu=new m.ContextMenu(t?(0,g.reversed)(o):o,{target:this.parent.el,orientation:s,prevent_hide:e=>e.composedPath().includes(this.el),labels:!1}),this._ui_gestures=new _.UIGestures(this.el,{on_tap:e=>{this._menu.is_open?this._menu.hide():e.native.composedPath().includes(this.el)&&this.tap()},on_press:()=>{this.press()}}),this.el.addEventListener(\"keydown\",(e=>{switch(e.key){case\"Enter\":this.tap();break;case\" \":this.press()}}))}connect_signals(){super.connect_signals(),this._ui_gestures.connect_signals(),this.connect(this.model.change,(()=>this.render())),this.connect(this.model.tool.change,(()=>this.render()))}remove(){this._ui_gestures.remove(),this._menu.remove(),super.remove()}stylesheets(){return[...super.stylesheets(),v.default,w.default]}render(){super.render();const{tool:e}=this.model;this.class_list.add(f[this.parent.model.location]),this.class_list.toggle(f.hidden,!e.visible),this.class_list.toggle(f.disabled,e.disabled);const t=(0,p.div)({class:f.tool_icon});this.shadow_el.append(t);const s=this.model.icon??e.computed_icon;if(null!=s&&(0,h.apply_icon)(t,s),null!=e.menu){const e=(0,p.div)({class:f.tool_chevron});this.shadow_el.append(e)}if(e instanceof u.ToolGroup&&e.show_count){const t=(0,p.div)({class:f.count},`${e.tools.length}`);this.shadow_el.append(t)}const o=this.model.tooltip??e.tooltip;this.el.title=o,this.el.tabIndex=0}press(){const e=(()=>{switch(this.parent.model.location){case\"right\":return{left_of:this.el};case\"left\":return{right_of:this.el};case\"above\":return{below:this.el};case\"below\":return{above:this.el}}})();this._menu.toggle(e)}}s.ToolButtonView=b,b.__name__=\"ToolButtonView\";class T extends a.UIElement{constructor(e){super(e)}}s.ToolButton=T,n=T,T.__name__=\"ToolButton\",n.define((({Str:e,Ref:t,Nullable:s,Or:o})=>({tool:[o(t(c.Tool),t(d.ToolProxy))],icon:[s(r.IconLike),null],tooltip:[s(e),null]})))},\n", " function _(t,s,e,i,n){i();const a=t(61),_=t(12);class r{constructor(t,s,e={}){this.phase=\"idle\",this.pointers=new Map,this.press_timer=null,this.tap_timestamp=-1/0,this.last_scale=null,this.last_rotation=null,this.hit_area=t,this.handlers=s,this.must_be_target=e.must_be_target??!1,this._pointer_over=this._pointer_over.bind(this),this._pointer_out=this._pointer_out.bind(this),this._pointer_down=this._pointer_down.bind(this),this._pointer_move=this._pointer_move.bind(this),this._pointer_up=this._pointer_up.bind(this),this._pointer_cancel=this._pointer_cancel.bind(this)}connect_signals(){this.hit_area.addEventListener(\"pointerover\",this._pointer_over),this.hit_area.addEventListener(\"pointerout\",this._pointer_out),this.hit_area.addEventListener(\"pointerdown\",this._pointer_down),this.hit_area.addEventListener(\"pointermove\",this._pointer_move),this.hit_area.addEventListener(\"pointerup\",this._pointer_up),this.hit_area.addEventListener(\"pointercancel\",this._pointer_cancel)}disconnect_signals(){this.hit_area.removeEventListener(\"pointerover\",this._pointer_over),this.hit_area.removeEventListener(\"pointerout\",this._pointer_out),this.hit_area.removeEventListener(\"pointerdown\",this._pointer_down),this.hit_area.removeEventListener(\"pointermove\",this._pointer_move),this.hit_area.removeEventListener(\"pointerup\",this._pointer_up),this.hit_area.removeEventListener(\"pointercancel\",this._pointer_cancel)}remove(){this.disconnect_signals()}_self_is_target(t){return t.composedPath()[0]==this.hit_area}_is_event_target(t){return!this.must_be_target||this._self_is_target(t)}reset(){this._cancel_timeout(),this._user_select(!0),this.phase=\"idle\",this.pointers.clear(),this.press_timer=null,this.tap_timestamp=-1/0,this.last_scale=null,this.last_rotation=null}_user_select(t){this.hit_area.style.userSelect=t?\"\":\"none\"}get _is_multi_gesture(){return this.pointers.size>=2}_within_threshold(t){const{dx:s,dy:e}=this._movement(t);return s**2+e**2<=r.move_threshold**2}get _any_movement(){return[...this.pointers.values()].some((t=>!this._within_threshold(t)))}_start_timeout(){(0,_.assert)(null==this.press_timer),this.press_timer=setTimeout((()=>this._pointer_timeout()),r.press_threshold)}_cancel_timeout(){const{press_timer:t}=this;null!=t&&(clearTimeout(t),this.press_timer=null)}_pointer_timeout(){(0,_.assert)(\"started\"==this.phase),(0,_.assert)(!this._is_multi_gesture),this.phase=\"pressing\",this.press_timer=null;const[t]=this.pointers.values();this.on_press(t.init)}_pointer_over(t){this._is_event_target(t)&&t.isPrimary&&this.on_enter(t)}_pointer_out(t){this._is_event_target(t)&&t.isPrimary&&this.on_leave(t)}_pointer_down(t){if(this._is_event_target(t)&&!this._is_multi_gesture&&!this.pointers.has(t.pointerId)&&(!t.isPrimary||\"mouse\"!=t.pointerType||t.buttons==a.MouseButton.Left)&&this.hit_area.isConnected)switch(this.pointers.set(t.pointerId,{init:t,last:t}),this.hit_area.setPointerCapture(t.pointerId),this._user_select(!1),this.phase){case\"idle\":this.phase=\"started\",this._start_timeout();break;case\"started\":this._cancel_timeout()}}_pointer_move(t){if(!this._is_event_target(t))return;t.isPrimary&&this.on_move(t);const s=this.pointers.get(t.pointerId);if(null!=s)switch(s.last=t,this.phase){case\"idle\":this.reset(),(0,_.unreachable)();case\"started\":case\"transitional\":if(!this._any_movement)return;if(this._cancel_timeout(),this._is_multi_gesture){const[t,s]=this.pointers.values(),e=this._scale(t,s),i=this._rotation(t,s);Math.abs(e-1)>r.pinch_threshold?(this.phase=\"pinching\",this.on_pinch_start(t.init,s.init,1),this.on_pinch(t.last,s.last,e),this.last_scale=e):Math.abs(i)>r.rotate_threshold&&(this.phase=\"rotating\",this.on_rotate_start(t.init,s.init,0),this.on_rotate(s.last,s.last,i),this.last_rotation=i)}else{this.phase=\"panning\";const[t]=this.pointers.values(),{dx:s,dy:e}=this._movement(t);this.on_pan_start(t.init,0,0),this.on_pan(t.last,s,e)}break;case\"pressing\":break;case\"panning\":{const[s]=this.pointers.values(),{dx:e,dy:i}=this._movement(s);this.on_pan(t,e,i);break}case\"pinching\":{const[t,s]=this.pointers.values(),e=this._scale(t,s);e!=this.last_scale&&(this.on_pinch(t.last,s.last,e),this.last_scale=e);break}case\"rotating\":{const[t,s]=this.pointers.values(),e=this._rotation(t,s);e!=this.last_rotation&&(this.on_rotate(t.last,s.last,e),this.last_rotation=e);break}}}_pointer_up(t){if(!this._is_event_target(t))return;const s=this.pointers.get(t.pointerId);if(null!=s){switch(s.last=t,this._cancel_timeout(),this.phase){case\"idle\":this.reset(),(0,_.unreachable)();case\"started\":{const[t]=this.pointers.values(),{tap_timestamp:s}=this;t.last.timeStamp-s{null!=t.action&&((0,r.isPlainObject)(t)?t.action():(0,a.execute)(t.action,new p.Menu,{item:t})),this.hide()},this._on_mousedown=t=>{t.composedPath().includes(this.el)||this.prevent_hide?.(t)||this.hide()},this._on_keydown=t=>{\"Escape\"==t.key&&this.hide()},this._on_blur=()=>{this.hide()},this.items=t,this.target=e.target,this.orientation=e.orientation??\"vertical\",this.reversed=e.reversed??!1,this.labels=e.labels??!0,this.prevent_hide=e.prevent_hide,this.extra_styles=e.extra_styles??[],this.shadow_el=this.el.attachShadow({mode:\"open\"}),this.class_list=new l.ClassList(this.el.classList)}remove(){this._unlisten(),this.el.remove()}_listen(){document.addEventListener(\"mousedown\",this._on_mousedown),document.addEventListener(\"keydown\",this._on_keydown),window.addEventListener(\"blur\",this._on_blur)}_unlisten(){document.removeEventListener(\"mousedown\",this._on_mousedown),document.removeEventListener(\"keydown\",this._on_keydown),window.removeEventListener(\"blur\",this._on_blur)}_position(t){const e=(()=>{if(\"left_of\"in t){const{left:e,top:i}=t.left_of.getBoundingClientRect();return{right:e,top:i}}if(\"right_of\"in t){const{top:e,right:i}=t.right_of.getBoundingClientRect();return{left:i,top:e}}if(\"below\"in t){const{left:e,bottom:i}=t.below.getBoundingClientRect();return{left:e,top:i}}if(\"above\"in t){const{left:e,top:i}=t.above.getBoundingClientRect();return{left:e,bottom:i}}return t})(),i=this.el.offsetParent??document.body,s=(()=>{const t=i.getBoundingClientRect(),e=getComputedStyle(i);return{left:t.left-parseFloat(e.marginLeft),right:t.right+parseFloat(e.marginRight),top:t.top-parseFloat(e.marginTop),bottom:t.bottom+parseFloat(e.marginBottom)}})(),{style:n}=this.el;n.left=null!=e.left?e.left-s.left+\"px\":\"auto\",n.top=null!=e.top?e.top-s.top+\"px\":\"auto\",n.right=null!=e.right?s.right-e.right+\"px\":\"auto\",n.bottom=null!=e.bottom?s.bottom-e.bottom+\"px\":\"auto\"}stylesheets(){return[u.default,d.default,_.default,...this.extra_styles]}empty(){(0,l.empty)(this.shadow_el),this.class_list.clear()}render(){this.empty();for(const t of this.stylesheets()){((0,r.isString)(t)?new l.InlineStyleSheet(t):t).install(this.shadow_el)}this.class_list.add(c[this.orientation]);const t=this.reversed?(0,h.reversed)(this.items):this.items;for(const e of t){let t;if(null==e||e instanceof p.DividerItem)t=(0,l.div)({class:c.divider});else{if((0,r.isBoolean)(e.disabled)?e.disabled:e.disabled?.())continue;if((0,r.isPlainObject)(e)&&null!=e.custom)t=e.custom;else{const i=(()=>{if(null!=e.icon){const t=(0,l.div)({class:c.menu_icon});return(0,m.apply_icon)(t,e.icon),t}return null})(),s=((0,r.isBoolean)(e.checked)?e.checked:e.checked?.())?c.active:null,n=this.labels?e.label:null;t=(0,l.div)({class:[s],title:e.tooltip,tabIndex:0},i,n),(0,r.isPlainObject)(e)&&(null!=e.class&&t.classList.add(e.class),null!=e.content&&t.append(e.content)),t.addEventListener(\"click\",(()=>{this._item_click(e)})),t.addEventListener(\"keydown\",(t=>{\"Enter\"==t.key&&this._item_click(e)}))}}this.shadow_el.appendChild(t)}}show(t){0!=this.items.length&&(this.render(),0!=this.shadow_el.children.length&&((this.target.shadowRoot??this.target).appendChild(this.el),this._position(t??{left:0,top:0}),this._listen(),this._open=!0))}hide(){this._open&&(this._open=!1,this._unlisten(),this.el.remove())}toggle(t){this._open?this.hide():this.show(t)}}i.ContextMenu=f,f.__name__=\"ContextMenu\"},\n", " function _(r,o,e,i,t){i(),e.menu_icon=\"bk-menu-icon\",e.horizontal=\"bk-horizontal\",e.vertical=\"bk-vertical\",e.divider=\"bk-divider\",e.active=\"bk-active\",e.default=\".bk-menu-icon{width:28px;height:28px;mask-size:60% 60%;mask-position:center center;mask-repeat:no-repeat;-webkit-mask-size:60% 60%;-webkit-mask-position:center center;-webkit-mask-repeat:no-repeat;background-size:60%;background-color:transparent;background-repeat:no-repeat;background-position:center center;}:host{position:absolute;display:inline-flex;flex-wrap:nowrap;user-select:none;-webkit-user-select:none;width:auto;height:auto;z-index:var(--bokeh-top-level);cursor:pointer;font-size:var(--font-size);background-color:#fff;border:1px solid #ccc;border-radius:var(--border-radius);box-shadow:2px 4px 8px rgba(0, 0, 0, 0.175);}:host(.bk-horizontal){flex-direction:row;}:host(.bk-vertical){flex-direction:column;}.bk-divider{cursor:default;overflow:hidden;background-color:#e5e5e5;}:host(.bk-horizontal) > .bk-divider{width:1px;margin:5px 0;}:host(.bk-vertical) > .bk-divider{height:1px;margin:0 5px;}:host > :not(.bk-divider){border:1px solid transparent;}:host > :not(.bk-divider).bk-active{border-color:var(--highlight-color);}:host > :not(.bk-divider):hover{background-color:#f9f9f9;}:host > :not(.bk-divider):focus,:host > :not(.bk-divider):focus-visible{outline:1px dotted var(--highlight-color);outline-offset:-1px;}:host > :not(.bk-divider)::-moz-focus-inner{border:0;}:host(.bk-horizontal) > :not(.bk-divider):first-child{border-top-left-radius:var(--border-radius);border-bottom-left-radius:var(--border-radius);}:host(.bk-horizontal) > :not(.bk-divider):last-child{border-top-right-radius:var(--border-radius);border-bottom-right-radius:var(--border-radius);}:host(.bk-vertical) > :not(.bk-divider):first-child{border-top-left-radius:var(--border-radius);border-top-right-radius:var(--border-radius);}:host(.bk-vertical) > :not(.bk-divider):last-child{border-bottom-left-radius:var(--border-radius);border-bottom-right-radius:var(--border-radius);}\"},\n", " function _(o,t,e,r,i){r(),e.tool_icon=\"bk-tool-icon\",e.disabled=\"bk-disabled\",e.hidden=\"bk-hidden\",e.count=\"bk-count\",e.tool_chevron=\"bk-tool-chevron\",e.above=\"bk-above\",e.below=\"bk-below\",e.left=\"bk-left\",e.right=\"bk-right\",e.active=\"bk-active\",e.default=\":host{--button-width:30px;--button-height:30px;--button-color:lightgray;--button-border:2px;--active-tool-border:var(--button-border) solid transparent;}:host{position:relative;width:var(--button-width);height:var(--button-height);cursor:pointer;user-select:none;-webkit-user-select:none;touch-action:none;}.bk-tool-icon{position:relative;top:calc(var(--button-border)/2);width:calc(var(--button-width) - var(--button-border));height:calc(var(--button-height) - var(--button-border));mask-size:60% 60%;mask-position:center center;mask-repeat:no-repeat;-webkit-mask-size:60% 60%;-webkit-mask-position:center center;-webkit-mask-repeat:no-repeat;background-size:60% 60%;background-origin:border-box;background-position:center center;background-repeat:no-repeat;}:host(.bk-disabled) .bk-tool-icon{background-color:var(--icon-color-disabled);cursor:not-allowed;}:host(.bk-hidden){display:none;}.bk-count{position:absolute;top:0;right:0;--height:1.1em;height:var(--height);line-height:var(--height);text-align:center;aspect-ratio:1 / 1;font-size:80%;border-radius:50%;color:white;background-color:var(--icon-color);}.bk-tool-chevron{position:absolute;visibility:hidden;width:8px;height:8px;mask-size:100% 100%;mask-position:center center;mask-repeat:no-repeat;-webkit-mask-size:100% 100%;-webkit-mask-position:center center;-webkit-mask-repeat:no-repeat;}:host(:hover) .bk-tool-chevron{visibility:visible;}:host(.bk-above) .bk-tool-chevron{right:0;bottom:0;background-color:var(--icon-color);mask-image:var(--bokeh-icon-chevron-down);-webkit-mask-image:var(--bokeh-icon-chevron-down);}:host(.bk-below) .bk-tool-chevron{right:0;top:0;background-color:var(--icon-color);mask-image:var(--bokeh-icon-chevron-up);-webkit-mask-image:var(--bokeh-icon-chevron-up);}:host(.bk-left) .bk-tool-chevron{right:0;bottom:0;background-color:var(--icon-color);mask-image:var(--bokeh-icon-chevron-right);-webkit-mask-image:var(--bokeh-icon-chevron-right);}:host(.bk-right) .bk-tool-chevron{left:0;bottom:0;background-color:var(--icon-color);mask-image:var(--bokeh-icon-chevron-left);-webkit-mask-image:var(--bokeh-icon-chevron-left);}:host(:hover){background-color:rgba(192, 192, 192, 0.15);}:host(:focus),:host(:focus-visible){outline:1px dotted var(--highlight-color);outline-offset:-1px;}:host::-moz-focus-inner{border:0;}:host(.bk-above){border-bottom:var(--active-tool-border);}:host(.bk-above.bk-active){border-bottom-color:var(--highlight-color);}:host(.bk-below){border-top:var(--active-tool-border);}:host(.bk-below.bk-active){border-top-color:var(--highlight-color);}:host(.bk-right){border-left:var(--active-tool-border);}:host(.bk-right.bk-active){border-left-color:var(--highlight-color);}:host(.bk-left){border-right:var(--active-tool-border);}:host(.bk-left.bk-active){border-right-color:var(--highlight-color);}\"},\n", " function _(e,o,t,n,s){n();const r=e(309),l=e(321);class u extends r.ToolView{get plot_view(){return this.parent}}t.GestureToolView=u,u.__name__=\"GestureToolView\";class _ extends r.Tool{constructor(e){super(e)}tool_button(){return new l.OnOffButton({tool:this})}}t.GestureTool=_,_.__name__=\"GestureTool\"},\n", " function _(t,e,o,n,s){var i;n();const c=t(1),_=t(315),l=c.__importStar(t(319));class a extends _.ToolButtonView{_toggle_active(){this.class_list.toggle(l.active,this.model.tool.active)}connect_signals(){super.connect_signals();const{active:t}=this.model.tool.properties;this.on_change(t,(()=>{this._toggle_active()}))}render(){super.render(),this._toggle_active()}tap(){const{active:t}=this.model.tool;this.model.tool.active=!t}}o.OnOffButtonView=a,a.__name__=\"OnOffButtonView\";class r extends _.ToolButton{constructor(t){super(t)}}o.OnOffButton=r,i=r,r.__name__=\"OnOffButton\",i.prototype.default_view=a},\n", " function _(e,t,o,n,s){var i;n();const l=e(1),r=e(309),_=e(321),c=l.__importStar(e(19));class a extends r.ToolView{get plot_view(){return this.parent}}o.InspectToolView=a,a.__name__=\"InspectToolView\";class p extends r.Tool{constructor(e){super(e),this.event_type=\"move\"}tool_button(){return new _.OnOffButton({tool:this})}}o.InspectTool=p,i=p,p.__name__=\"InspectTool\",i.define((()=>({toggleable:[new c.PropertyAlias(\"visible\")]}))),i.override({active:!0})},\n", " function _(o,t,n,e,i){e();const s=o(309),c=o(324),l=o(16);class _ extends s.ToolView{connect_signals(){super.connect_signals(),this.connect(this.model.do,(o=>this.doit(o)))}}n.ActionToolView=_,_.__name__=\"ActionToolView\";class u extends s.Tool{constructor(o){super(o),this.do=new l.Signal(this,\"do\")}tool_button(){return new c.ClickButton({tool:this})}menu_item(){const o=super.menu_item();return o.action=()=>this.do.emit(void 0),o}}n.ActionTool=u,u.__name__=\"ActionTool\"},\n", " function _(t,o,n,e,i){var c;e();const s=t(321);class u extends s.OnOffButtonView{tap(){this.model.tool.do.emit(void 0)}}n.ClickButtonView=u,u.__name__=\"ClickButtonView\";class _ extends s.OnOffButton{constructor(t){super(t)}}n.ClickButton=_,c=_,_.__name__=\"ClickButton\",c.prototype.default_view=u},\n", " function _(o,e,t,l,i){var n;l();const s=o(323),r=o(76);class c extends s.ActionToolView{doit(){window.open(this.model.redirect)}}t.HelpToolView=c,c.__name__=\"HelpToolView\";class _ extends s.ActionTool{constructor(o){super(o),this.tool_name=\"Help\",this.tool_icon=r.tool_icon_help}}t.HelpTool=_,n=_,_.__name__=\"HelpTool\",n.prototype.default_view=c,n.define((({Str:o})=>({redirect:[o,\"https://docs.bokeh.org/en/latest/docs/user_guide/interaction/tools.html\"]}))),n.override({description:\"Click the question mark to learn more about Bokeh plot tools.\"}),n.register_alias(\"help\",(()=>new n))},\n", " function _(o,t,e,i,l){i(),e.inner=\"bk-inner\",e.hidden=\"bk-hidden\",e.logo=\"bk-logo\",e.above=\"bk-above\",e.below=\"bk-below\",e.left=\"bk-left\",e.right=\"bk-right\",e.divider=\"bk-divider\",e.tool_overflow=\"bk-tool-overflow\",e.horizontal=\"bk-horizontal\",e.vertical=\"bk-vertical\",e.default=':host{--button-width:30px;--button-height:30px;--button-color:lightgray;}:host{display:flex;flex-wrap:nowrap;align-items:center;user-select:none;-webkit-user-select:none;pointer-events:all;}:host(.bk-inner){background-color:white;opacity:0.8;}:host(.bk-hidden){visibility:hidden;opacity:0;transition:visibility 0.3s linear, opacity 0.3s linear;}.bk-logo{flex-shrink:0;}:host(.bk-above),:host(.bk-below){flex-direction:row;justify-content:flex-end;}:host(.bk-above) .bk-logo,:host(.bk-below) .bk-logo{order:1;margin-left:5px;margin-right:0px;}:host(.bk-left),:host(.bk-right){flex-direction:column;justify-content:flex-start;}:host(.bk-left) .bk-logo,:host(.bk-right) .bk-logo{order:0;margin-bottom:5px;margin-top:0px;}.bk-divider{content:\" \";display:inline-block;background-color:var(--button-color);}:host(.bk-above) .bk-divider,:host(.bk-below) .bk-divider{height:10px;width:1px;}:host(.bk-left) .bk-divider,:host(.bk-right) .bk-divider{height:1px;width:10px;}.bk-tool-overflow{color:gray;display:flex;align-items:center;}.bk-tool-overflow:hover{background-color:rgba(192, 192, 192, 0.15);}.bk-tool-overflow:focus,.bk-tool-overflow:focus-visible{outline:var(--outline-width) var(--outline-style) var(--highlight-color);outline-offset:-1px;}.bk-tool-overflow::-moz-focus-inner{border:0;}:host(.bk-above) .bk-tool-overflow,:host(.bk-below) .bk-tool-overflow,:host(.bk-horizontal) .bk-tool-overflow{width:calc(var(--button-width)/2);height:var(--button-height);flex-direction:row;}:host(.bk-left) .bk-tool-overflow,:host(.bk-right) .bk-tool-overflow,:host(.bk-vertical) .bk-tool-overflow{width:var(--button-width);height:calc(var(--button-height)/2);flex-direction:column;}'},\n", " function _(A,l,g,o,d){o(),g.logo=\"bk-logo\",g.grey=\"bk-grey\",g.logo_small=\"bk-logo-small\",g.default=\".bk-logo{margin:5px;position:relative;display:block;background-repeat:no-repeat;}.bk-logo.bk-grey{filter:grayscale(100%);}.bk-logo-small{width:20px;height:20px;background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABQAAAAUCAYAAACNiR0NAAAABHNCSVQICAgIfAhkiAAAAAlwSFlzAAALEgAACxIB0t1+/AAAABx0RVh0U29mdHdhcmUAQWRvYmUgRmlyZXdvcmtzIENTNui8sowAAAOkSURBVDiNjZRtaJVlGMd/1/08zzln5zjP1LWcU9N0NkN8m2CYjpgQYQXqSs0I84OLIC0hkEKoPtiH3gmKoiJDU7QpLgoLjLIQCpEsNJ1vqUOdO7ppbuec5+V+rj4ctwzd8IIbbi6u+8f1539dt3A78eXC7QizUF7gyV1fD1Yqg4JWz84yffhm0qkFqBogB9rM8tZdtwVsPUhWhGcFJngGeWrPzHm5oaMmkfEg1usvLFyc8jLRqDOMru7AyC8saQr7GG7f5fvDeH7Ej8CM66nIF+8yngt6HWaKh7k49Soy9nXurCi1o3qUbS3zWfrYeQDTB/Qj6kX6Ybhw4B+bOYoLKCC9H3Nu/leUTZ1JdRWkkn2ldcCamzrcf47KKXdAJllSlxAOkRgyHsGC/zRday5Qld9DyoM4/q/rUoy/CXh3jzOu3bHUVZeU+DEn8FInkPBFlu3+nW3Nw0mk6vCDiWg8CeJaxEwuHS3+z5RgY+YBR6V1Z1nxSOfoaPa4LASWxxdNp+VWTk7+4vzaou8v8PN+xo+KY2xsw6une2frhw05CTYOmQvsEhjhWjn0bmXPjpE1+kplmmkP3suftwTubK9Vq22qKmrBhpY4jvd5afdRA3wGjFAgcnTK2s4hY0/GPNIb0nErGMCRxWOOX64Z8RAC4oCXdklmEvcL8o0BfkNK4lUg9HTl+oPlQxdNo3Mg4Nv175e/1LDGzZen30MEjRUtmXSfiTVu1kK8W4txyV6BMKlbgk3lMwYCiusNy9fVfvvwMxv8Ynl6vxoByANLTWplvuj/nF9m2+PDtt1eiHPBr1oIfhCChQMBw6Aw0UulqTKZdfVvfG7VcfIqLG9bcldL/+pdWTLxLUy8Qq38heUIjh4XlzZxzQm19lLFlr8vdQ97rjZVOLf8nclzckbcD4wxXMidpX30sFd37Fv/GtwwhzhxGVAprjbg0gCAEeIgwCZyTV2Z1REEW8O4py0wsjeloKoMr6iCY6dP92H6Vw/oTyICIthibxjm/DfN9lVz8IqtqKYLUXfoKVMVQVVJOElGjrnnUt9T9wbgp8AyYKaGlqingHZU/uG2NTZSVqwHQTWkx9hxjkpWDaCg6Ckj5qebgBVbT3V3NNXMSiWSDdGV3hrtzla7J+duwPOToIg42ChPQOQjspnSlp1V+Gjdged7+8UN5CRAV7a5EdFNwCjEaBR27b3W890TE7g24NAP/mMDXRWrGoFPQI9ls/MWO2dWFAar/xcOIImbbpA3zgAAAABJRU5ErkJggg==);}\"},\n", " function _(e,t,i,s,n){s();const a=e(1),r=e(198),o=e(199),_=e(329),l=e(98),h=e(97),d=e(313),c=e(333),p=e(131),u=e(96),m=e(185),g=e(202),f=e(202),w=e(334),b=e(118),v=e(335),y=e(337),x=e(80),z=e(69),k=e(99),S=e(20),P=e(80),$=e(16),C=e(338),M=e(8),N=e(10),V=e(14),q=e(71),T=e(135),R=e(138),A=e(272),L=e(139),B=e(187),D=e(62),H=e(193),E=e(339),F=e(340),I=e(30),O=e(61),U=e(57),j=a.__importStar(e(341)),G=a.__importStar(e(332)),J=a.__importStar(e(342)),{max:K}=Math;class Q extends p.LayoutDOMView{constructor(){super(...arguments),this._render_count=0,this.repainted=new $.Signal0(this,\"repainted\"),this._computed_style=new O.InlineStyleSheet(\"\",\"computed\"),this._inner_bbox=new D.BBox,this._needs_paint=!0,this._invalidated_painters=new Set,this._invalidate_all=!0,this.computed_renderers=[],this.renderer_views=new Map,this.tool_views=new Map,this._is_paused=0,this._needs_notify=!1,this._needs_layout=!1,this._force_paint=!1,this._messages=new Map}get frame(){return this.frame_view}get canvas(){return this.canvas_view}stylesheets(){return[...super.stylesheets(),j.default,this._computed_style]}get toolbar_panel(){return null!=this._toolbar?this.views.find_one(this._toolbar):null}get state(){return this._state_manager}set invalidate_dataranges(e){this._range_manager.invalidate_dataranges=e}get computed_renderer_views(){return this.computed_renderers.map((e=>this.renderer_views.get(e))).filter((e=>null!=e))}get all_renderer_views(){const e=[];for(const t of this.computed_renderer_views)e.push(t),t instanceof h.CompositeRendererView&&e.push(...t.computed_renderer_views);return e}get auto_ranged_renderers(){return this.computed_renderer_views.filter(b.is_auto_ranged)}get base_font_size(){const e=getComputedStyle(this.el).fontSize,t=(0,H.parse_css_font_size)(e);if(null!=t){const{value:e,unit:i}=t;if(\"px\"==i)return e}return null}*children(){yield*super.children(),yield*this.renderer_views.values(),yield*this.tool_views.values()}get child_models(){return[]}get is_paused(){return 0!=this._is_paused}pause(){this._is_paused+=1}unpause(e=!1){this._is_paused=K(this._is_paused-1,0),this.is_paused||e||this.request_repaint()}notify_finished_after_paint(){this._needs_notify=!0}request_repaint(){this.request_paint()}request_paint(...e){this.invalidate_painters(...e),this.schedule_paint()}invalidate_painters(...e){if(0!=e.length)for(const t of e){const e=(()=>t instanceof l.RendererView?t:this.views.get_one(t))();this._invalidated_painters.add(e)}else this._invalidate_all=!0}schedule_paint(){this.is_paused||this._await_ready(this.throttled_paint())}request_layout(e=!1){e&&(this._needs_layout=!0),this.request_repaint()}reset(){\"standard\"==this.model.reset_policy&&(this.state.clear(),this.reset_range(),this.reset_selection()),this.model.trigger_event(new x.Reset)}remove(){(0,z.remove_views)(this.renderer_views),(0,z.remove_views)(this.tool_views),super.remove()}_provide_context_menu(){return new c.ToolMenu({toolbar:this.model.toolbar})}get_context_menu(e){const{x:t,y:i}=e;for(const e of(0,N.reversed)([...this.renderer_views.values()]))if(null!=e.context_menu&&1==e.interactive_hit?.(t,i))return e.context_menu;return super.get_context_menu(e)}initialize(){this.pause(),super.initialize(),this.lod_started=!1,this.visuals=new k.Visuals(this),this._initial_state={selection:new Map},this._top_panel=new o.CanvasPanel({place:\"above\"}),this._bottom_panel=new o.CanvasPanel({place:\"below\"}),this._left_panel=new o.CanvasPanel({place:\"left\"}),this._right_panel=new o.CanvasPanel({place:\"right\"}),this._inner_top_panel=new o.CanvasPanel({place:\"above\",inner:!0}),this._inner_bottom_panel=new o.CanvasPanel({place:\"below\",inner:!0}),this._inner_left_panel=new o.CanvasPanel({place:\"left\",inner:!0}),this._inner_right_panel=new o.CanvasPanel({place:\"right\",inner:!0}),this._frame=new r.CartesianFrame({place:\"center\",x_scale:this.model.x_scale,y_scale:this.model.y_scale,x_range:this.model.x_range,y_range:this.model.y_range,extra_x_ranges:this.model.extra_x_ranges,extra_y_ranges:this.model.extra_y_ranges,extra_x_scales:this.model.extra_x_scales,extra_y_scales:this.model.extra_y_scales,aspect_scale:this.model.aspect_scale,match_aspect:this.model.match_aspect}),this._range_manager=new E.RangeManager(this),this._state_manager=new F.StateManager(this,this._initial_state),this.throttled_paint=(0,C.throttle)((()=>{this.is_destroyed||this.repaint()}),1e3/60);const{title_location:e,title:t}=this.model;null!=e&&null!=t&&(this._title=t instanceof m.Title?t:new m.Title({text:t}));const{toolbar_location:i,toolbar_inner:s,toolbar:n}=this.model;null!=i&&(this._toolbar=new w.ToolbarPanel({toolbar:n}),n.location=i,n.inner=s);const{hidpi:a,output_backend:l}=this.model;this._canvas=new _.Canvas({hidpi:a,output_backend:l}),this._attribution=new v.Panel({position:new U.Node({target:\"frame\",symbol:\"bottom_right\"}),anchor:\"bottom_right\",elements:[],css_variables:{\"--max-width\":new U.Node({target:\"frame\",symbol:\"width\"})},stylesheets:[J.default]}),this._notifications=new v.Panel({position:new U.Node({target:this.model,symbol:\"top_center\"}),anchor:\"top_center\",elements:[],stylesheets:[\"\\n :host {\\n display: flex;\\n flex-direction: column;\\n gap: 1em;\\n width: max-content;\\n max-width: 80%;\\n }\\n\\n :host:empty {\\n display: none;\\n }\\n\\n :host > div {\\n padding: 0.5em;\\n border: 1px solid gray;\\n border-radius: 0.5em;\\n opacity: 0.8;\\n }\\n \"]})}get elements(){return[this._canvas,this._frame,this._top_panel,this._bottom_panel,this._left_panel,this._right_panel,this._inner_top_panel,this._inner_bottom_panel,this._inner_left_panel,this._inner_right_panel,this._attribution,this._notifications,...super.elements]}async lazy_initialize(){await super.lazy_initialize(),this.canvas_view=this._element_views.get(this._canvas),this.canvas_view.plot_views=[this],this.frame_view=this._element_views.get(this._frame),this.top_panel=this._element_views.get(this._top_panel),this.bottom_panel=this._element_views.get(this._bottom_panel),this.left_panel=this._element_views.get(this._left_panel),this.right_panel=this._element_views.get(this._right_panel),this.inner_top_panel=this._element_views.get(this._inner_top_panel),this.inner_bottom_panel=this._element_views.get(this._inner_bottom_panel),this.inner_left_panel=this._element_views.get(this._inner_left_panel),this.inner_right_panel=this._element_views.get(this._inner_right_panel),await this.build_tool_views(),await this.build_renderer_views(),this._range_manager.update_dataranges(),this._update_touch_action()}box_sizing(){const{width_policy:e,height_policy:t,...i}=super.box_sizing(),{frame_width:s,frame_height:n}=this.model;return{...i,width_policy:null!=s&&\"auto\"==e?\"fit\":e,height_policy:null!=n&&\"auto\"==t?\"fit\":t}}_intrinsic_display(){return{inner:this.model.flow_mode,outer:\"grid\"}}_compute_layout_panels(){const e=(0,N.copy)(this.model.above),t=(0,N.copy)(this.model.below),i=(0,N.copy)(this.model.left),s=(0,N.copy)(this.model.right),n=[],a=[],r=[],o=[],_=(_,l=!1)=>{switch(_){case\"above\":return l?n:e;case\"below\":return l?a:t;case\"left\":return l?r:i;case\"right\":return l?o:s}},{title_location:l}=this.model;if(null!=l&&null!=this._title&&_(l).push(this._title),null!=this._toolbar){const{location:e}=this._toolbar.toolbar;if(this.model.toolbar_inner){_(e,!0).push(this._toolbar)}else{const t=_(e);let i=!0;if(this.model.toolbar_sticky)for(let s=0;s{if((0,M.isBoolean)(t))return{left:t,right:t,top:t,bottom:t};{const{left:e=!0,right:i=!0,top:s=!0,bottom:n=!0}=t;return{left:e,right:i,top:s,bottom:n}}})(),e.set_sizing({width_policy:\"max\",height_policy:\"max\"}),this.visuals.outline_line.doit){const t=this.visuals.outline_line.line_width.get_value();e.center_border_width=t}const i=(e,t)=>{if(t instanceof u.Annotation||t instanceof g.Axis){const i=this.views.get_one(t);return i.panel=new B.SidePanel(e),i.update_layout?.(),i.layout}{const e=this.views.get_one(t),i=new T.ElementLayout(e.el);return i.set_sizing({width_policy:\"fixed\",height_policy:\"fixed\"}),i}},s=(e,t)=>{const s=\"above\"==e||\"below\"==e,n=[];for(const a of t)if((0,M.isArray)(a)){const t=a.map((t=>{const n=i(e,t);if(null!=n){if(t instanceof w.ToolbarPanel){const e=s?\"width_policy\":\"height_policy\";n.set_sizing({...n.sizing,[e]:\"min\"})}return n}})).filter((e=>null!=e));let r;s?(r=new L.Row(t),r.set_sizing({width_policy:\"max\",height_policy:\"min\"})):(r=new L.Column(t),r.set_sizing({width_policy:\"min\",height_policy:\"max\"})),r.absolute=!0,n.push(r)}else{const t=i(e,a);null!=t&&n.push(t)}return n},n=this.model.min_border??0;e.min_border={left:this.model.min_border_left??n,top:this.model.min_border_top??n,right:this.model.min_border_right??n,bottom:this.model.min_border_bottom??n};const a=new R.NodeLayout,r=new R.VStack,o=new R.VStack,_=new R.HStack,l=new R.HStack,h=new R.VStack,d=new R.VStack,c=new R.HStack,p=new R.HStack;a.absolute=!0,r.absolute=!0,o.absolute=!0,_.absolute=!0,l.absolute=!0,h.absolute=!0,d.absolute=!0,c.absolute=!0,p.absolute=!0,a.children=this.model.center.filter((e=>e instanceof u.Annotation)).map((e=>{const t=this.views.get_one(e);return t.update_layout?.(),t.layout})).filter((e=>null!=e));const{frame_width:m,frame_height:f}=this.model;a.set_sizing({...null!=m?{width_policy:\"fixed\",width:m}:{width_policy:\"fit\"},...null!=f?{height_policy:\"fixed\",height:f}:{height_policy:\"fit\"}}),a.on_resize((e=>this.frame.set_geometry(e))),r.on_resize((e=>this.top_panel.set_geometry(e))),o.on_resize((e=>this.bottom_panel.set_geometry(e))),_.on_resize((e=>this.left_panel.set_geometry(e))),l.on_resize((e=>this.right_panel.set_geometry(e)));const{outer_above:b,outer_below:v,outer_left:y,outer_right:x,inner_above:z,inner_below:k,inner_left:S,inner_right:P}=this._compute_layout_panels();r.children=(0,N.reversed)(s(\"above\",b)),o.children=s(\"below\",v),_.children=(0,N.reversed)(s(\"left\",y)),l.children=s(\"right\",x),h.on_resize((e=>this.inner_top_panel.set_geometry(e))),d.on_resize((e=>this.inner_bottom_panel.set_geometry(e))),c.on_resize((e=>this.inner_left_panel.set_geometry(e))),p.on_resize((e=>this.inner_right_panel.set_geometry(e))),h.children=s(\"above\",z),d.children=s(\"below\",k),c.children=s(\"left\",S),p.children=s(\"right\",P),r.set_sizing({width_policy:\"fit\",height_policy:\"min\"}),o.set_sizing({width_policy:\"fit\",height_policy:\"min\"}),_.set_sizing({width_policy:\"min\",height_policy:\"fit\"}),l.set_sizing({width_policy:\"min\",height_policy:\"fit\"}),h.set_sizing({width_policy:\"fit\",height_policy:\"min\"}),d.set_sizing({width_policy:\"fit\",height_policy:\"min\"}),c.set_sizing({width_policy:\"min\",height_policy:\"fit\"}),p.set_sizing({width_policy:\"min\",height_policy:\"fit\"}),e.center_panel=a,e.top_panel=r,e.bottom_panel=o,e.left_panel=_,e.right_panel=l,e.inner_top_panel=h,e.inner_bottom_panel=d,e.inner_left_panel=c,e.inner_right_panel=p,this.layout=e;const $=(e,t)=>(0,O.div)({style:{display:\"flex\",flex_direction:e,width:\"100%\",height:\"100%\"}},t),C=(e,t)=>e.map((e=>{if(!(0,M.isArray)(e))return this.views.get_one(e).el;{const i=this.views.select(e).map((e=>{const{el:t}=e;return t.style.flex=e.model instanceof w.ToolbarPanel?\"1\":\"none\",t}));switch(t){case\"x\":return $(\"row\",i);case\"y\":return $(\"column\",i)}}})),V=C(b,\"x\"),q=C(v,\"x\"),A=C(y,\"y\"),D=C(x,\"y\");this.top_panel.shadow_el.append(...(0,N.reversed)(V)),this.bottom_panel.shadow_el.append(...q),this.left_panel.shadow_el.append(...(0,N.reversed)(A)),this.right_panel.shadow_el.append(...D);const H=C(z,\"x\"),E=C(k,\"x\"),F=C(S,\"y\"),I=C(P,\"y\");this.inner_top_panel.shadow_el.append(...(0,N.reversed)(H)),this.inner_bottom_panel.shadow_el.append(...E),this.inner_left_panel.shadow_el.append(...(0,N.reversed)(F)),this.inner_right_panel.shadow_el.append(...I);const U=this.views.select(this.model.center).map((e=>e.el)),j=this.views.select(this.model.renderers).map((e=>e.el));this.frame.shadow_el.append(...j,...U)}_measure_layout(){const{frame_width:e,frame_height:t}=this.model,i=null==e?\"1fr\":(0,O.px)(e),s=null==t?\"1fr\":(0,O.px)(t),{layout:n}=this,a=n.top_panel.measure({width:1/0,height:1/0}),r=n.bottom_panel.measure({width:1/0,height:1/0}),o=n.left_panel.measure({width:1/0,height:1/0}),_=n.right_panel.measure({width:1/0,height:1/0}),l=K(a.height,n.min_border.top),h=K(r.height,n.min_border.bottom),d=K(o.width,n.min_border.left),c=K(_.width,n.min_border.right);this._computed_style.replace(`\\n :host {\\n grid-template-rows: ${l}px ${s} ${h}px;\\n grid-template-columns: ${d}px ${i} ${c}px;\\n }\\n `)}get axis_views(){const e=[];for(const[,t]of this.renderer_views)t instanceof f.AxisView&&e.push(t);return e}update_range(e,t){this.pause(),this._range_manager.update(e,t),this.unpause()}reset_range(){this.pause(),this._range_manager.reset(),this.unpause(),this.trigger_ranges_update_event()}trigger_ranges_update_event(e=[]){const{x_ranges:t,y_ranges:i}=this._range_manager.ranges(),s=[...t,...i,...e],n=new Set(s.flatMap((e=>[...e.linked_plots])));for(const e of n){const{x_range:t,y_range:i}=e.model,s=new P.RangesUpdate(t.start,t.end,i.start,i.end);e.model.trigger_event(s)}}get_selection(){const e=new Map;for(const t of this.model.data_renderers){const{selected:i}=t.selection_manager.source;e.set(t,i)}return e}update_selection(e){for(const t of this.model.data_renderers){const i=t.selection_manager.source;if(null!=e){const s=e.get(t);null!=s&&i.selected.update(s,!0)}else i.selection_manager.clear()}}reset_selection(){this.update_selection(null)}_invalidate_layout_if_needed(){(()=>{if(this._needs_layout)return this.invalidate_painters(),!0;for(const e of this.model.side_panels){const t=this.renderer_views.get(e);if(null!=t&&t.layout?.has_size_changed())return this.invalidate_painters(t),!0}return!1})()&&(this._needs_layout=!1,this.compute_layout())}*_compute_renderers(){const{above:e,below:t,left:i,right:s,center:n,renderers:a}=this.model;yield*a,yield*[...e,...t,...i,...s,...n],null!=this._title&&(yield this._title),null!=this._toolbar&&(yield this._toolbar);for(const[,e]of this.tool_views)yield*e.overlays}_update_attribution(){const e=[...this.model.attribution,...this.computed_renderer_views.map((e=>e.attribution))].filter((e=>null!=e)).map((e=>(0,M.isString)(e)?new y.Div({children:[e]}):e));this._attribution.elements=e}async _build_renderers(){this.computed_renderers=[...this._compute_renderers()];const e=await(0,z.build_views)(this.renderer_views,this.computed_renderers,{parent:e=>e instanceof p.LayoutDOM?null:this});return this._update_attribution(),e}async _update_renderers(){const{created:e}=await this._build_renderers(),t=new Set(e);for(const e of this.renderer_views.values()){const i=t.has(e),s=e.rendering_target()??this.self_target;i?e.render_to(s):s.append(e.el)}this.r_after_render()}async build_renderer_views(){await this._build_renderers()}async build_tool_views(){const e=(0,V.flat_map)(this.model.toolbar.tools,(e=>e instanceof d.ToolProxy?e.tools:[e])),{created:t}=await(0,z.build_views)(this.tool_views,[...e],{parent:this});t.map((e=>this.canvas_view.ui_event_bus.register_tool(e)))}connect_signals(){super.connect_signals();const{x_range:e,y_range:t,x_scale:i,y_scale:s,extra_x_ranges:n,extra_y_ranges:a,extra_x_scales:r,extra_y_scales:o,aspect_scale:_,match_aspect:l}=this.model.properties;this.on_change([e,t,i,s,n,a,r,o,_,l],(()=>{const{x_range:e,y_range:t,x_scale:i,y_scale:s,extra_x_ranges:n,extra_y_ranges:a,extra_x_scales:r,extra_y_scales:o,aspect_scale:_,match_aspect:l}=this.model;this._frame.setv({x_range:e,y_range:t,x_scale:i,y_scale:s,extra_x_ranges:n,extra_y_ranges:a,extra_x_scales:r,extra_y_scales:o,aspect_scale:_,match_aspect:l})}));const{above:h,below:d,left:c,right:p,center:u,renderers:m}=this.model.properties;this.on_change([h,d,c,p,u,m],(async()=>{await this._update_renderers(),this.invalidate_layout()})),this.connect(this.model.toolbar.properties.tools.change,(async()=>{await this.build_tool_views(),await this._update_renderers()}));const{x_ranges:g,y_ranges:f}=this.frame;for(const[,e]of g)this.connect(e.change,(()=>{this.request_repaint()}));for(const[,e]of f)this.connect(e.change,(()=>{this.request_repaint()}));this.connect(this.model.change,(()=>this.request_repaint())),this.connect(this.model.reset,(()=>this.reset()));const{toolbar_location:b}=this.model.properties;this.on_change(b,(async()=>{const{toolbar_location:e}=this.model;if(null!=this._toolbar)null!=e?this._toolbar.toolbar.location=e:(this._toolbar=void 0,await this._update_renderers());else if(null!=e){const{toolbar:t,toolbar_inner:i}=this.model;this._toolbar=new w.ToolbarPanel({toolbar:t}),t.location=e,t.inner=i,await this._update_renderers()}this.invalidate_layout()}));const{hold_render:v}=this.model.properties;this.on_change(v,(()=>{this.model.hold_render||this.request_repaint()})),this.model.toolbar.active_changed.connect((()=>this._update_touch_action())),null!=visualViewport&&visualViewport.addEventListener(\"resize\",(()=>{this.canvas.resize()&&this.request_repaint()}))}_update_touch_action(){const{toolbar:e}=this.model;let t=!1,i=!1;for(const s of e.tools)if(s.active){const{event_types:e}=s;if(e.includes(\"pan\")&&(t=!0),e.includes(\"scroll\")&&(i=!0),t&&i)break}const s=t||i?t?i?\"none\":\"pinch-zoom\":\"pan-x pan-y\":\"auto\";this.canvas.touch_action.replace(`\\n .${G.events} {\\n touch-action: ${s};\\n }\\n `)}has_finished(){if(!super.has_finished())return!1;if(this.model.visible)for(const[,e]of this.renderer_views)if(!e.has_finished())return!1;return!0}_after_layout(){super._after_layout(),this.unpause(!0);const e=this.layout.left_panel.bbox,t=this.layout.right_panel.bbox,i=this.layout.center_panel.bbox,s=this.layout.top_panel.bbox,n=this.layout.bottom_panel.bbox,{bbox:a}=this,r=s.bottom,o=a.height-n.top,_=e.right,l=a.width-t.left;this.canvas.parent_style.replace(`\\n .bk-events {\\n grid-template-rows: ${(0,O.px)(r)} ${(0,O.px)(i.height)} ${(0,O.px)(o)};\\n grid-template-columns: ${(0,O.px)(_)} ${(0,O.px)(i.width)} ${(0,O.px)(l)};\\n }\\n `);for(const[,e]of this.renderer_views)e instanceof u.AnnotationView&&e.after_layout?.();this.model.setv({inner_width:Math.round(this.frame.bbox.width),inner_height:Math.round(this.frame.bbox.height),outer_width:Math.round(this.bbox.width),outer_height:Math.round(this.bbox.height)},{no_change:!0}),this.model.match_aspect&&(this.pause(),this._range_manager.update_dataranges(),this.unpause(!0)),this.canvas_view.update_bbox()&&(this._invalidate_all=!0,this._needs_paint=!0);const{inner_bbox:h}=this.layout;this._inner_bbox.equals(h)||(this._inner_bbox=h,this._invalidate_all=!0,this._needs_paint=!0),this._needs_paint&&this.paint()}render(){super.render();for(const e of this.computed_renderer_views){const t=e.rendering_target()??this.self_target;e.render_to(t)}}repaint(){this._invalidate_layout_if_needed(),this.paint()}paint(){if(!this.is_paused&&!this.model.hold_render){if(this.is_displayed)S.logger.trace(`${this.toString()}.paint()`),this._actual_paint();else for(const e of this.computed_renderer_views)e.force_finished();this._needs_notify&&(this._needs_notify=!1,this.notify_finished())}}_actual_paint(){S.logger.trace(`${this.toString()}._actual_paint ${this._render_count} start`);const{document:e}=this.model;if(null!=e){const t=e.interactive_duration();t>=0&&t{e.interactive_duration()>this.model.lod_timeout&&e.interactive_stop(),this.request_repaint()}),this.model.lod_timeout):e.interactive_stop()}(this._range_manager.invalidate_dataranges||\"none\"!=this.model.window_axis)&&(this._range_manager.update_dataranges(),this._invalidate_layout_if_needed());let t=!1,i=!1;if(this._invalidate_all)t=!0,i=!0;else for(const e of this._invalidated_painters){const{level:s}=e.model;if(\"overlay\"!=s?t=!0:i=!0,t&&i)break}if(this._invalidated_painters.clear(),this._invalidate_all=!1,t){const{primary:e}=this.canvas_view,t=e.prepare();this._paint_primary(t),e.finish()}if(i||I.settings.wireframe){const{overlays:e}=this.canvas_view,t=e.prepare();this._paint_overlays(t),e.finish()}null==this._initial_state.range&&(this._initial_state.range=this._range_manager.compute_initial()??void 0);for(const e of this.element_views)e.reposition();this._needs_paint=!1,this.repainted.emit(),S.logger.trace(`${this.toString()}._actual_paint ${this._render_count} end`),this._render_count++}_paint_primary(e){const t=this.frame.bbox;this.canvas_view.prepare_webgl(t),this._paint_empty(e,t),this._paint_outline(e,t),this._paint_levels(e,\"image\",t,!0),this._paint_levels(e,\"underlay\",t,!0),this._paint_levels(e,\"glyph\",t,!0),this._paint_levels(e,\"guide\",t,!1),this._paint_levels(e,\"annotation\",t,!1)}_paint_overlays(e){const t=this.frame.bbox;this._paint_levels(e,\"overlay\",t,!1),I.settings.wireframe&&this.paint_layout(e,this.layout)}_paint_levels(e,t,i,s){for(const n of this.computed_renderer_views)n.model.level==t&&(e.save(),(s||n.needs_clip)&&(e.beginPath(),e.rect(...i.args),e.clip()),n.paint(e),e.restore(),n.has_webgl&&this.canvas_view.blit_webgl(e))}paint_layout(e,t){const{x:i,y:s,width:n,height:a}=t.bbox;e.strokeStyle=\"blue\",e.strokeRect(i,s,n,a);for(const n of t)e.save(),t.absolute||e.translate(i,s),this.paint_layout(e,n),e.restore()}_shrink_to_canvas(e){let{x:t,y:i,width:s,height:n}=e;return s>0&&t+s==this.bbox.width&&(s-=1),n>0&&i+n==this.bbox.height&&(n-=1),new D.BBox({x:t,y:i,width:s,height:n})}_paint_empty(e,t){const i=this.bbox.relative(),{border_fill:s,border_hatch:n}=this.visuals;(s.doit||n.doit)&&(e.save(),e.beginPath(),e.rect_bbox(i),e.rect_bbox(t),e.clip(\"evenodd\"),e.beginPath(),e.rect_bbox(i),s.apply(e),n.apply(e),e.restore());const{border_line:a}=this.visuals;a.doit&&(e.beginPath(),e.rect_bbox(this._shrink_to_canvas(i)),a.apply(e));const{background_fill:r,background_hatch:o}=this.visuals;(r.doit||o.doit)&&(e.beginPath(),e.rect_bbox(t),r.apply(e),o.apply(e))}_paint_outline(e,t){const{outline_line:i}=this.visuals;if(i.doit){i.set_value(e);const{x:s,y:n,width:a,height:r}=this._shrink_to_canvas(t);e.strokeRect(s,n,a,r)}}get is_forcing_paint(){return this._force_paint}force_paint(e){try{this._force_paint=!0,e()}finally{this._force_paint=!1}}export(e=\"auto\",t=!0){const i=(()=>{switch(e){case\"auto\":return this.canvas_view.model.output_backend;case\"png\":return\"canvas\";case\"svg\":return\"svg\"}})(),s=new q.CanvasLayer(i,t),{width:n,height:a}=this.bbox;if(s.resize(n,a),0!=n&&0!=a){this.force_paint((()=>{const e=s.prepare();this._paint_primary(e),this._paint_overlays(e),s.finish()}));for(const i of this.renderer_views.values())if((0,q.is_Exportable)(i)){const n=i.export(e,t),{x:a,y:r}=i.bbox.scale(s.pixel_ratio);s.ctx.drawImage(n.canvas,a,r)}}return s}resolve_frame(){return this.frame}resolve_canvas(){return this.canvas}resolve_plot(){return this}resolve_xy(e){const{x:t,y:i}=e,s=this.frame.x_scale.compute(t),n=this.frame.y_scale.compute(i);return this.frame.bbox.contains(s,n)?{x:s,y:n}:{x:NaN,y:NaN}}resolve_indexed(e){const{index:t,renderer:i}=e,s=this.views.find_one(i);if(null!=s&&s.has_finished()){const[e,i]=s.glyph.scenterxy(t,NaN,NaN);if(this.frame.bbox.contains(e,i))return{x:e,y:i}}return{x:NaN,y:NaN}}notify_about(e){if(this._messages.has(e))return;const t=new y.Div({children:[e]}),i=setTimeout((()=>{this._messages.delete(e),this._notifications.elements=this._notifications.elements.filter((e=>e!=t))}),2e3);this._messages.set(e,i),this._notifications.elements=[...this._notifications.elements,t],S.logger.info(e)}serializable_children(){return super.serializable_children().filter((e=>e.model instanceof r.CartesianFrame||!(e.model instanceof o.CanvasPanel)))}}i.PlotView=Q,Q.__name__=\"PlotView\"},\n", " function _(e,t,i,s,a){var r;s();const l=e(1),n=e(30),h=e(20),o=e(61),_=e(21),c=e(330),u=e(195),p=e(71),d=e(55),b=e(61),g=l.__importStar(e(332)),v=l.__importDefault(e(76));const w=(()=>{let t;return async()=>void 0!==t?t:t=await async function(){const t=document.createElement(\"canvas\"),i=t.getContext(\"webgl\",{alpha:!0,antialias:!1,depth:!1,premultipliedAlpha:!0});if(null!=i){const s=await(0,u.load_module)(Promise.resolve().then((()=>l.__importStar(e(565)))));if(null!=s){const e=s.get_regl(i);if(e.has_webgl)return{canvas:t,regl_wrapper:e};h.logger.trace(\"WebGL is supported, but not the required extensions\")}else h.logger.trace(\"WebGL is supported, but bokehjs(.min).js bundle is not available\")}else h.logger.trace(\"WebGL is not supported\");return null}()})();class y extends d.UIElementView{constructor(){super(...arguments),this.webgl=null,this._size=new b.InlineStyleSheet(\"\",\"size\"),this.touch_action=new b.InlineStyleSheet(\"\",\"touch-action\"),this.plot_views=[]}initialize(){super.initialize(),this.underlays_el=(0,o.div)({class:g.layer}),this.primary=this.create_layer(),this.overlays=this.create_layer(),this.overlays_el=(0,o.div)({class:g.layer}),this.events_el=(0,o.div)({class:[g.layer,g.events],tabIndex:0}),this.ui_event_bus=new c.UIEventBus(this)}get layers(){return[this.underlays_el,this.primary,this.overlays,this.overlays_el,this.events_el]}async lazy_initialize(){if(await super.lazy_initialize(),\"webgl\"==this.model.output_backend&&(this.webgl=await w(),n.settings.force_webgl&&null==this.webgl))throw new Error(\"webgl is not available\")}remove(){this.ui_event_bus.remove(),super.remove()}stylesheets(){return[...super.stylesheets(),g.default,v.default,this._size,this.touch_action]}render(){super.render();const e=[this.underlays_el,this.primary.el,this.overlays.el,this.overlays_el,this.events_el];this.shadow_el.append(...e)}get pixel_ratio(){return this.primary.pixel_ratio}get pixel_ratio_changed(){return this.primary.pixel_ratio_changed}_update_bbox(){const e=super._update_bbox()||this.pixel_ratio_changed;if(e){const{width:e,height:t}=this.bbox;this._size.replace(`.${g.layer}`,{width:(0,o.px)(e),height:(0,o.px)(t)}),this.primary.resize(e,t),this.overlays.resize(e,t)}return e}after_resize(){0!=this.plot_views.length?this.finish():super.after_resize()}_after_resize(){super._after_resize();const{width:e,height:t}=this.bbox;this.primary.resize(e,t),this.overlays.resize(e,t)}resize(){const e=this._update_bbox();return this._after_resize(),e}prepare_webgl(e){const{webgl:t}=this;if(null!=t){const{width:i,height:s}=this.bbox;t.canvas.width=this.pixel_ratio*i,t.canvas.height=this.pixel_ratio*s;const{x:a,y:r,width:l,height:n}=e,{xview:h,yview:o}=this.bbox,_=h.compute(a),c=o.compute(r+n),u=this.pixel_ratio;t.regl_wrapper.set_scissor(u*_,u*c,u*l,u*n),this._clear_webgl()}}blit_webgl(e){const{webgl:t}=this;if(null!=t&&t.canvas.width*t.canvas.height>0){if(h.logger.debug(\"Blitting WebGL canvas\"),e.restore(),e.drawImage(t.canvas,0,0),e.save(),this.model.hidpi){const t=this.pixel_ratio;e.scale(t,t),e.translate(.5,.5)}this._clear_webgl()}}_clear_webgl(){const{webgl:e}=this;if(null!=e){const{regl_wrapper:t,canvas:i}=e;t.clear(i.width,i.height)}}compose(){const e=this.create_layer(),{width:t,height:i}=this.bbox;return e.resize(t,i),e.ctx.drawImage(this.primary.canvas,0,0),e.ctx.drawImage(this.overlays.canvas,0,0),e}create_layer(){const{output_backend:e,hidpi:t}=this.model;return new p.CanvasLayer(e,t)}to_blob(){return this.compose().to_blob()}}i.CanvasView=y,y.__name__=\"CanvasView\";class m extends d.UIElement{constructor(e){super(e)}}i.Canvas=m,r=m,m.__name__=\"Canvas\",r.prototype.default_view=y,r.define((({Bool:e})=>({hidpi:[e,!0],output_backend:[_.OutputBackend,\"canvas\"]})))},\n", " function _(t,e,n,i,s){i(),n.is_Tapable=function(t){return(0,l.isObject)(t)&&\"on_tap\"in t},n.is_Moveable=p,n.is_Pannable=v,n.is_Pinchable=d,n.is_Rotatable=g,n.is_Scrollable=function(t){return(0,l.isObject)(t)&&\"on_scroll\"in t},n.is_Keyable=function(t){return(0,l.isObject)(t)&&\"on_keydown\"in t&&\"on_keyup\"in t};const r=t(1),_=t(316),o=t(16),a=t(61),h=r.__importStar(t(80)),c=t(331),u=t(10),l=t(8);function p(t){return(0,l.isObject)(t)&&\"on_enter\"in t&&\"on_move\"in t&&\"on_leave\"in t}function v(t){return(0,l.isObject)(t)&&\"on_pan_start\"in t&&\"on_pan\"in t&&\"on_pan_end\"in t}function d(t){return(0,l.isObject)(t)&&\"on_pinch_start\"in t&&\"on_pinch\"in t&&\"on_pinch_end\"in t}function g(t){return(0,l.isObject)(t)&&\"on_rotate_start\"in t&&\"on_rotate\"in t&&\"on_rotate_end\"in t}class w{constructor(t){this.pan_start=new o.Signal(this,\"pan:start\"),this.pan=new o.Signal(this,\"pan\"),this.pan_end=new o.Signal(this,\"pan:end\"),this.pinch_start=new o.Signal(this,\"pinch:start\"),this.pinch=new o.Signal(this,\"pinch\"),this.pinch_end=new o.Signal(this,\"pinch:end\"),this.rotate_start=new o.Signal(this,\"rotate:start\"),this.rotate=new o.Signal(this,\"rotate\"),this.rotate_end=new o.Signal(this,\"rotate:end\"),this.tap=new o.Signal(this,\"tap\"),this.doubletap=new o.Signal(this,\"doubletap\"),this.press=new o.Signal(this,\"press\"),this.pressup=new o.Signal(this,\"pressup\"),this.move_enter=new o.Signal(this,\"move:enter\"),this.move=new o.Signal(this,\"move\"),this.move_exit=new o.Signal(this,\"move:exit\"),this.scroll=new o.Signal(this,\"scroll\"),this.keydown=new o.Signal(this,\"keydown\"),this.keyup=new o.Signal(this,\"keyup\"),this.focus=new o.Signal0(this,\"focus\"),this.blur=new o.Signal0(this,\"blur\"),this._tools=new Map,this._prev_move=null,this._curr_pan=null,this._curr_pinch=null,this._curr_rotate=null,this._current_interactive_tool_view=null,this._current_pan_view=null,this._current_pinch_view=null,this._current_rotate_view=null,this._current_move_views=[],this.canvas_view=t,this.hit_area=t.events_el,this.on_tap=this.on_tap.bind(this),this.on_doubletap=this.on_doubletap.bind(this),this.on_press=this.on_press.bind(this),this.on_pressup=this.on_pressup.bind(this),this.on_enter=this.on_enter.bind(this),this.on_move=this.on_move.bind(this),this.on_leave=this.on_leave.bind(this),this.on_pan_start=this.on_pan_start.bind(this),this.on_pan=this.on_pan.bind(this),this.on_pan_end=this.on_pan_end.bind(this),this.on_pinch_start=this.on_pinch_start.bind(this),this.on_pinch=this.on_pinch.bind(this),this.on_pinch_end=this.on_pinch_end.bind(this),this.on_rotate_start=this.on_rotate_start.bind(this),this.on_rotate=this.on_rotate.bind(this),this.on_rotate_end=this.on_rotate_end.bind(this),this.on_context_menu=this.on_context_menu.bind(this),this.on_mouse_wheel=this.on_mouse_wheel.bind(this),this.on_key_down=this.on_key_down.bind(this),this.on_key_up=this.on_key_up.bind(this),this.on_focus=this.on_focus.bind(this),this.on_blur=this.on_blur.bind(this),this.ui_gestures=new _.UIGestures(this.hit_area,this,{must_be_target:!0}),this.ui_gestures.connect_signals(),this.hit_area.addEventListener(\"contextmenu\",this.on_context_menu),this.hit_area.addEventListener(\"wheel\",this.on_mouse_wheel),this.hit_area.addEventListener(\"focus\",this.on_focus),this.hit_area.addEventListener(\"blur\",this.on_blur),this.hit_area.addEventListener(\"keydown\",this.on_key_down),this.hit_area.addEventListener(\"keyup\",this.on_key_up)}remove(){this.ui_gestures.remove(),this.hit_area.removeEventListener(\"contextmenu\",this.on_context_menu),this.hit_area.removeEventListener(\"wheel\",this.on_mouse_wheel),document.removeEventListener(\"keydown\",this.on_key_down),document.removeEventListener(\"keyup\",this.on_key_up)}register_tool(t){const{model:e}=t;if(this._tools.has(e))throw new Error(`${e} already registered`);this._tools.set(e,t)}hit_test_renderers(t,e,n){const i=[];for(const s of(0,u.reversed)(t.all_renderer_views))s.interactive_hit?.(e,n)&&i.push(s);return i}set_cursor(t){this.hit_area.style.cursor=t??\"default\"}hit_test_frame(t,e,n){return t.frame.bbox.contains(e,n)}hit_test_plot(t,e){for(const n of this.canvas_view.plot_views)if(n.bbox.relative().contains(t,e))return n;return null}_trigger(t,e){if(!this.hit_area.isConnected)return;const{sx:n,sy:i,native:s}=e,r=this.hit_test_plot(n,i),_=t=>{const[s,r]=[n,i];return{...e,sx:s,sy:r}};if(\"pan_start\"==e.type||\"pan\"==e.type||\"pan_end\"==e.type){let n;if(\"pan_start\"==e.type&&null!=r?(this._curr_pan={plot_view:r},n=r):\"pan\"==e.type&&null!=this._curr_pan?n=this._curr_pan.plot_view:\"pan_end\"==e.type&&null!=this._curr_pan?(n=this._curr_pan.plot_view,this._curr_pan=null):n=null,null!=n){const e=_();this.__trigger(n,t,e,s)}}else if(\"pinch_start\"==e.type||\"pinch\"==e.type||\"pinch_end\"==e.type){let n;if(\"pinch_start\"==e.type&&null!=r?(this._curr_pinch={plot_view:r},n=r):\"pinch\"==e.type&&null!=this._curr_pinch?n=this._curr_pinch.plot_view:\"pinch_end\"==e.type&&null!=this._curr_pinch?(n=this._curr_pinch.plot_view,this._curr_pinch=null):n=null,null!=n){const e=_();this.__trigger(n,t,e,s)}}else if(\"rotate_start\"==e.type||\"rotate\"==e.type||\"rotate_end\"==e.type){let n;if(\"rotate_start\"==e.type&&null!=r?(this._curr_rotate={plot_view:r},n=r):\"rotate\"==e.type&&null!=this._curr_rotate?n=this._curr_rotate.plot_view:\"rotate_end\"==e.type&&null!=this._curr_rotate?(n=this._curr_rotate.plot_view,this._curr_rotate=null):n=null,null!=n){const e=_();this.__trigger(n,t,e,s)}}else if(\"enter\"==e.type||\"move\"==e.type||\"leave\"==e.type){const o=this._prev_move?.plot_view;if(null!=o&&(\"leave\"==e.type||o!=r)){const{sx:t,sy:e}=_();this.__trigger(o,this.move_exit,{type:\"leave\",sx:t,sy:e,modifiers:{shift:!1,ctrl:!1,alt:!1},native:s},s)}if(null!=r&&(\"enter\"==e.type||o!=r)){const{sx:t,sy:e}=_();this.__trigger(r,this.move_enter,{type:\"enter\",sx:t,sy:e,modifiers:{shift:!1,ctrl:!1,alt:!1},native:s},s)}if(null!=r&&\"move\"==e.type){const e=_();this.__trigger(r,t,e,s)}this._prev_move={sx:n,sy:i,plot_view:r}}else if(null!=r){const e=_();this.__trigger(r,t,e,s)}}__trigger(t,e,n,i){const s=t.model.toolbar.gestures,r=e.name,_=r.split(\":\")[0],o=this.hit_test_renderers(t,n.sx,n.sy);if(\"pan\"==_){const t=n;if(null!=this._current_pan_view)return\"pan\"==r?this._current_pan_view.on_pan(t):\"pan:end\"==r&&(this._current_pan_view.on_pan_end(t),this.set_cursor(this._current_pan_view.cursor(t.sx,t.sy)),this._current_pan_view=null),void i.preventDefault();if(\"pan:start\"==r)for(const e of o)if(v(e)&&e.on_pan_start(t))return this._current_pan_view=e,void i.preventDefault()}else if(\"pinch\"==_){const t=n;if(null!=this._current_pinch_view)return\"pinch\"==r?this._current_pinch_view.on_pinch(t):\"pinch:end\"==r&&(this._current_pinch_view.on_pinch_end(t),this._current_pinch_view=null),void i.preventDefault();if(\"pinch:start\"==r)for(const e of o)if(d(e)&&e.on_pinch_start(t))return this._current_pinch_view=e,void i.preventDefault()}else if(\"rotate\"==_){const t=n;if(null!=this._current_rotate_view)return\"rotate\"==r?this._current_rotate_view.on_rotate(t):\"rotate:end\"==r&&(this._current_rotate_view.on_rotate_end(t),this._current_rotate_view=null),void i.preventDefault();if(\"rotate:start\"==r)for(const e of o)if(g(e)&&e.on_rotate_start(t))return this._current_rotate_view=e,void i.preventDefault()}else if(\"move\"==_){const t=n,e=new Set(o),i=new Set(this._current_move_views);this._current_move_views=[];for(const n of i)e.has(n)||(i.delete(n),n.on_leave(t));for(const e of o)p(e)&&(i.has(e)?(this._current_move_views.push(e),e.on_move(t)):e.on_enter(n)&&this._current_move_views.push(e))}function a(e){return null!=e?t.tool_views.get(e.underlying)??null:null}const h=o.at(0);switch(_){case\"move\":{const i=s.move.active;null!=i&&this.trigger(e,n,i);const r=t.model.toolbar.inspectors.filter((t=>t.active)),_=(()=>{const e=this._current_interactive_tool_view??this._current_pan_view??this._current_pinch_view??this._current_rotate_view??this._current_move_views.at(0)??h??a(i);if(null!=e){const t=e.cursor(n.sx,n.sy);if(null!=t)return t}return this.hit_test_frame(t,n.sx,n.sy)&&!(0,u.is_empty)(r)?\"crosshair\":null})();this.set_cursor(_),r.map((t=>this.trigger(e,n,t)));break}case\"tap\":{const r=i.composedPath();if(0!=r.length&&r[0]!=this.hit_area)return;if(h?.on_hit?.(n.sx,n.sy),this.hit_test_frame(t,n.sx,n.sy)){const t=s.tap.active;null!=t&&this.trigger(e,n,t)}break}case\"doubletap\":if(this.hit_test_frame(t,n.sx,n.sy)){const t=s.doubletap.active??s.tap.active;null!=t&&this.trigger(e,n,t)}break;case\"press\":if(this.hit_test_frame(t,n.sx,n.sy)){const t=s.press.active??s.tap.active;null!=t&&this.trigger(e,n,t)}break;case\"pinch\":{const t=s.pinch.active??s.scroll.active;null!=t&&this.trigger(e,n,t)&&(i.preventDefault(),i.stopPropagation());break}case\"scroll\":{const t=s.scroll.active;null!=t&&this.trigger(e,n,t)&&(i.preventDefault(),i.stopPropagation());break}case\"pan\":{const t=s.pan.active,_=a(t);if(null!=_){switch(r){case\"pan:start\":this._current_interactive_tool_view=_;break;case\"pan:end\":this._current_interactive_tool_view=null}this.trigger(e,n,t)&&(i.preventDefault(),i.stopPropagation());const s=_.cursor(n.sx,n.sy);this.set_cursor(s)}break}default:{const t=s[_].active;null!=t&&this.trigger(e,n,t)}}this._trigger_bokeh_event(t,n)}trigger(t,e,n=null){const i=n=>{const i=this._tools.get(n);if(null==i)return!1;const s=(()=>{switch(t){case this.pan_start:return i._pan_start;case this.pan:return i._pan;case this.pan_end:return i._pan_end;case this.pinch_start:return i._pinch_start;case this.pinch:return i._pinch;case this.pinch_end:return i._pinch_end;case this.rotate_start:return i._rotate_start;case this.rotate:return i._rotate;case this.rotate_end:return i._rotate_end;case this.move_enter:return i._move_enter;case this.move:return i._move;case this.move_exit:return i._move_exit;case this.tap:return i._tap;case this.doubletap:return i._doubletap;case this.press:return i._press;case this.pressup:return i._pressup;case this.scroll:return i._scroll;case this.keydown:return i._keydown;case this.keyup:return i._keyup;default:return null}})();if(null==s)return!1;const r=s.bind(i)(e);return!(0,l.isBoolean)(r)||r};if(null!=n)return i(n);{let t=!1;for(const e of this._tools.keys()){const n=i(e);t||(t=n)}return t}}_trigger_bokeh_event(t,e){const n=(()=>{const{sx:n,sy:i,modifiers:s}=e,r=t.frame.x_scale.invert(n),_=t.frame.y_scale.invert(i);switch(e.type){case\"wheel\":return new h.MouseWheel(n,i,r,_,e.delta,s);case\"enter\":return new h.MouseEnter(n,i,r,_,s);case\"move\":return new h.MouseMove(n,i,r,_,s);case\"leave\":return new h.MouseLeave(n,i,r,_,s);case\"tap\":return new h.Tap(n,i,r,_,s);case\"double_tap\":return new h.DoubleTap(n,i,r,_,s);case\"press\":return new h.Press(n,i,r,_,s);case\"press_up\":return new h.PressUp(n,i,r,_,s);case\"pan_start\":return new h.PanStart(n,i,r,_,s);case\"pan\":return new h.Pan(n,i,r,_,e.dx,e.dy,s);case\"pan_end\":return new h.PanEnd(n,i,r,_,s);case\"pinch_start\":return new h.PinchStart(n,i,r,_,s);case\"pinch\":return new h.Pinch(n,i,r,_,e.scale,s);case\"pinch_end\":return new h.PinchEnd(n,i,r,_,s);case\"rotate_start\":return new h.RotateStart(n,i,r,_,s);case\"rotate\":return new h.Rotate(n,i,r,_,e.rotation,s);case\"rotate_end\":return new h.RotateEnd(n,i,r,_,s);default:return null}})();null!=n&&t.model.trigger_event(n)}_get_sxy(t){const{pageX:e,pageY:n}=t,{left:i,top:s}=(0,a.offset_bbox)(this.hit_area);return{sx:e-i,sy:n-s}}_get_modifiers(t){return{shift:t.shiftKey,ctrl:t.ctrlKey,alt:t.altKey}}_scroll_event(t){return{type:t.type,...this._get_sxy(t),delta:(0,c.getDeltaY)(t),modifiers:this._get_modifiers(t),native:t}}_key_event(t){return{type:t.type,key:t.key,modifiers:this._get_modifiers(t),native:t}}on_tap(t){this._trigger(this.tap,t)}on_doubletap(t){this._trigger(this.doubletap,t)}on_press(t){this._trigger(this.press,t)}on_pressup(t){this._trigger(this.pressup,t)}on_enter(t){this._trigger(this.move_enter,t)}on_move(t){this._trigger(this.move,t)}on_leave(t){this._trigger(this.move_exit,t)}on_pan_start(t){this._trigger(this.pan_start,t)}on_pan(t){this._trigger(this.pan,t)}on_pan_end(t){this._trigger(this.pan_end,t)}on_pinch_start(t){this._trigger(this.pinch_start,t)}on_pinch(t){this._trigger(this.pinch,t)}on_pinch_end(t){this._trigger(this.pinch_end,t)}on_rotate_start(t){this._trigger(this.rotate_start,t)}on_rotate(t){this._trigger(this.rotate,t)}on_rotate_end(t){this._trigger(this.rotate_end,t)}on_mouse_wheel(t){this._trigger(this.scroll,this._scroll_event(t))}on_context_menu(t){}on_key_down(t){this.trigger(this.keydown,this._key_event(t))}on_key_up(t){this.trigger(this.keyup,this._key_event(t))}on_focus(){this.focus.emit()}on_blur(){this.blur.emit()}}n.UIEventBus=w,w.__name__=\"UIEventBus\"},\n", " function _(t,e,n,a,r){\n", " /*!\n", " * jQuery Mousewheel 3.1.13\n", " *\n", " * Copyright jQuery Foundation and other contributors\n", " * Released under the MIT license\n", " * http://jquery.org/license\n", " */\n", " function o(t){const e=getComputedStyle(t).fontSize,n=parseInt(e,10);return isNaN(n)?null:n}a(),n.getDeltaY=function(t){let e=-t.deltaY;if(t.target instanceof HTMLElement)switch(t.deltaMode){case t.DOM_DELTA_LINE:e*=o((n=t.target).offsetParent??document.body)??o(n)??16;break;case t.DOM_DELTA_PAGE:e*=function(t){return t.clientHeight}(t.target)}var n;return e}},\n", " function _(e,t,o,i,l){i(),o.layer=\"bk-layer\",o.events=\"bk-events\",o.default='.bk-layer{position:absolute;top:0;left:0;width:100%;height:100%;overflow:hidden;}.bk-events{display:grid;grid-template-areas:\". above . \" \"left center right\" \". below . \";touch-action:none;overflow:visible;cursor:default;}.bk-events:focus,.bk-events:focus-visible{outline:var(--outline-width) var(--outline-style) var(--highlight-color);outline-offset:-1px;}'},\n", " function _(e,o,n,t,s){var _;t();const i=e(122),u=e(308);class a extends i.MenuView{_compute_menu_items(){const{items:e}=this.model.toolbar.to_menu();return e}connect_signals(){super.connect_signals();const{toolbar:e}=this.model.properties;this.on_transitive_change(e,(()=>this._update_menu_items()))}}n.ToolMenuView=a,a.__name__=\"ToolMenuView\";class l extends i.Menu{constructor(e){super(e)}}n.ToolMenu=l,_=l,l.__name__=\"ToolMenu\",_.prototype.default_view=a,_.define((({Ref:e})=>({toolbar:[e(u.Toolbar)]})))},\n", " function _(e,t,i,o,s){var l;o();const n=e(96),a=e(308),r=e(69),h=e(187);class _ extends n.AnnotationView{update_layout(){this.layout=new h.SideLayout(this.panel,(()=>this.get_size()),!0)}after_layout(){this.toolbar_view.after_render()}has_finished(){return super.has_finished()&&this.toolbar_view.has_finished()}*children(){yield*super.children(),yield this.toolbar_view}async lazy_initialize(){await super.lazy_initialize(),this.toolbar_view=await(0,r.build_view)(this.model.toolbar,{parent:this.canvas})}connect_signals(){super.connect_signals(),this.plot_view.mouseenter.connect((()=>{this.toolbar_view.set_visibility(!0)})),this.plot_view.mouseleave.connect((()=>{this.toolbar_view.set_visibility(!1)})),this.plot_view.canvas.ui_event_bus.focus.connect((()=>{this.toolbar_view.toggle_auto_scroll(!0)})),this.plot_view.canvas.ui_event_bus.blur.connect((()=>{this.toolbar_view.toggle_auto_scroll(!1)}))}remove(){this.toolbar_view.remove(),super.remove()}render(){super.render(),this.toolbar_view.render_to(this.shadow_el)}get is_horizontal(){return this.toolbar_view.model.horizontal}_paint(){const{style:e}=this.toolbar_view.el;this.is_horizontal?(e.width=\"100%\",e.height=\"unset\"):(e.width=\"unset\",e.height=\"100%\"),this.is_horizontal?(this.el.style.minWidth=\"0\",this.el.style.minHeight=\"unset\"):(this.el.style.minWidth=\"unset\",this.el.style.minHeight=\"0\")}_get_size(){const{tools:e,logo:t}=this.model.toolbar;return{width:30*e.length+(null!=t?25:0)+15,height:30}}}i.ToolbarPanelView=_,_.__name__=\"ToolbarPanelView\";class u extends n.Annotation{constructor(e){super(e)}}i.ToolbarPanel=u,l=u,u.__name__=\"ToolbarPanel\",l.prototype.default_view=_,l.define((({Ref:e})=>({toolbar:[e(a.Toolbar)]})))},\n", " function _(e,t,s,o,n){var i;o();const r=e(1),a=e(132),l=e(58),h=e(57),c=e(124),p=r.__importStar(e(127)),_=e(61),d=r.__importStar(e(336));class u extends a.PaneView{stylesheets(){return[...super.stylesheets(),d.default]}connect_signals(){super.connect_signals();const{position:e,anchor:t,width:s,height:o,elements:n}=this.model.properties;this.on_change([t,s,o,n],(()=>this.reposition())),this.on_transitive_change(e,(()=>this.reposition()))}reposition(e){super.reposition(e);const{position:t,visible:s,anchor:o,elements:n}=this.model;if(0==e||!s||0==n.length)return void this.el.remove();const{x:i,y:r}=this.resolve_as_xy(t);if(!isFinite(i+r))return void this.el.remove();const a=this.parent?.el??document.body,l=a.shadowRoot??a;this.el.isConnected||l.append(this.el),this.el.style.left=(0,_.px)(i),this.el.style.top=(0,_.px)(r);const h=p.anchor(o);this.el.style.transform=`translate(${-100*h.x}%, ${-100*h.y}%)`}}s.PanelView=u,u.__name__=\"PanelView\";class m extends a.Pane{constructor(e){super(e)}}s.Panel=m,i=m,m.__name__=\"Panel\",i.prototype.default_view=u,i.define((({Ref:e,Or:t,Auto:s,Int:o})=>({position:[e(l.Coordinate)],anchor:[c.Anchor,\"top_left\"],width:[t(s,o,e(h.Node)),\"auto\"],height:[t(s,o,e(h.Node)),\"auto\"]})))},\n", " function _(o,a,c,n,r){n(),c.default=\":host{position:absolute;background-color:var(--background-color);}\"},\n", " function _(e,a,_,n,t){var l,s,i,m;n();const w=e(134);class o extends w.DOMElementView{}_.SpanView=o,o.__name__=\"SpanView\",o.tag_name=\"span\";class d extends w.DOMElement{}_.Span=d,l=d,d.__name__=\"Span\",l.prototype.default_view=o;class p extends w.DOMElementView{}_.DivView=p,p.__name__=\"DivView\",p.tag_name=\"div\";class D extends w.DOMElement{}_.Div=D,s=D,D.__name__=\"Div\",s.prototype.default_view=p;class V extends w.DOMElementView{}_.TableView=V,V.__name__=\"TableView\",V.tag_name=\"table\";class c extends w.DOMElement{}_.Table=c,i=c,c.__name__=\"Table\",i.prototype.default_view=V;class v extends w.DOMElementView{}_.TableRowView=v,v.__name__=\"TableRowView\",v.tag_name=\"tr\";class b extends w.DOMElement{}_.TableRow=b,m=b,b.__name__=\"TableRow\",m.prototype.default_view=v},\n", " function _(n,t,e,l,u){l(),e.throttle=function(n,t){let e,l=null,u=null,o=0,i=!1;const r=function(){return new Promise(((r,c)=>{e=r;const a=function(){o=Date.now(),l=null,u=null,i=!1;try{n(),r()}catch(n){c(n)}},m=Date.now(),s=t-(m-o);s<=0&&!i?(null!=l&&clearTimeout(l),i=!0,u=requestAnimationFrame(a)):null!=l||i?r():l=setTimeout((()=>u=requestAnimationFrame(a)),s)}))};return r.stop=function(){null!=l&&clearTimeout(l),null!=u&&cancelAnimationFrame(u),e()},r}},\n", " function _(t,n,a,e,s){e();const o=t(118),r=t(20);class i{constructor(t){this.warn_initial_ranges=!0,this.invalidate_dataranges=!0,this.parent=t}get frame(){return this.parent.frame}update(t,n={}){const a=n.panning??!1,e=n.scrolling??!1,s=n.maintain_focus??!1,o=new Map;for(const[n,a]of t.xrs)o.set(n,a);for(const[n,a]of t.yrs)o.set(n,a);e&&s&&this._update_ranges_together(o),this._update_ranges_individually(o,{panning:a,scrolling:e,maintain_focus:s})}ranges(){const t=new Set,n=new Set;for(const n of this.frame.x_ranges.values())t.add(n);for(const t of this.frame.y_ranges.values())n.add(t);for(const a of this.parent.model.data_renderers){const{coordinates:e}=a;null!=e&&(t.add(e.x_source),n.add(e.y_source))}return{x_ranges:[...t],y_ranges:[...n]}}reset(){const{x_ranges:t,y_ranges:n}=this.ranges();for(const n of t)n.reset();for(const t of n)t.reset();this.update_dataranges()}_update_dataranges(t){const n=new Map,a=new Map;let e=!1;for(const[,n]of t.x_ranges)n instanceof o.DataRange1d&&\"log\"==n.scale_hint&&(e=!0);for(const[,n]of t.y_ranges)n instanceof o.DataRange1d&&\"log\"==n.scale_hint&&(e=!0);for(const t of this.parent.auto_ranged_renderers){const s=t.bounds(this.parent.model.window_axis);if(n.set(t.model,s),e){const n=t.log_bounds();a.set(t.model,n)}}let s=!1,i=!1;const l=t.x_target.span,d=t.y_target.span;let _;!1!==this.parent.model.match_aspect&&0!=l&&0!=d&&(_=1/this.parent.model.aspect_scale*(l/d));for(const[,e]of t.x_ranges){if(e instanceof o.DataRange1d){const t=\"log\"==e.scale_hint?a:n;e.update(t,0,this.parent,_),null!=e.follow&&(s=!0)}null!=e.bounds&&(i=!0)}for(const[,e]of t.y_ranges){if(e instanceof o.DataRange1d){const t=\"log\"==e.scale_hint?a:n;e.update(t,1,this.parent,_),null!=e.follow&&(s=!0)}null!=e.bounds&&(i=!0)}if(s&&i){r.logger.warn(\"Follow enabled so bounds are unset.\");for(const[,n]of t.x_ranges)n.bounds=null;for(const[,n]of t.y_ranges)n.bounds=null}}update_dataranges(){this._update_dataranges(this.frame);for(const t of this.parent.auto_ranged_renderers){const{coordinates:n}=t.model;null!=n&&this._update_dataranges(n)}null!=this.compute_initial()&&(this.invalidate_dataranges=!1)}compute_initial(){let t=!0;const{x_ranges:n,y_ranges:a}=this.frame,e=new Map,s=new Map;for(const[,a]of n){const{start:n,end:s}=a;if(isNaN(n+s)){t=!1;break}e.set(a,{start:n,end:s})}if(t)for(const[,n]of a){const{start:a,end:e}=n;if(isNaN(a+e)){t=!1;break}s.set(n,{start:a,end:e})}return t?{xrs:e,yrs:s}:(this.warn_initial_ranges&&r.logger.warn(\"could not set initial ranges\"),null)}_update_ranges_together(t){let n=1;for(const[a,e]of t)n=Math.min(n,this._get_weight_to_constrain_interval(a,e));if(n<1)for(const[a,e]of t)e.start=n*e.start+(1-n)*a.start,e.end=n*e.end+(1-n)*a.end}_update_ranges_individually(t,n){const{panning:a,scrolling:e,maintain_focus:s}=n;let o=!1;for(const[n,r]of t){if(!e||s){const t=this._get_weight_to_constrain_interval(n,r);t<1&&(r.start=t*r.start+(1-t)*n.start,r.end=t*r.end+(1-t)*n.end)}if(null!=n.bounds){const[t,s]=n.computed_bounds,i=Math.abs(r.end-r.start);n.is_reversed?(t>r.end&&(o=!0,r.end=t,(a||e)&&(r.start=t+i)),sr.start&&(o=!0,r.start=t,(a||e)&&(r.end=t+i)),s0&&r0&&r>e&&(s=(e-o)/(r-o)),s=Math.max(0,Math.min(1,s))}return s}}a.RangeManager=i,i.__name__=\"RangeManager\"},\n", " function _(t,i,e,s,n){s();const h=t(16);class a{constructor(t,i){this.history=[],this.index=-1,this.parent=t,this.initial_state=i,this.changed=new h.Signal0(this.parent,\"state_changed\")}_do_state_change(t){const i=t in this.history?this.history[t].state:this.initial_state;return null!=i.range&&this.parent.update_range(i.range),null!=i.selection&&this.parent.update_selection(i.selection),i}peek(){return this.can_undo?this.history[this.index]:null}push(t,i){const{history:e,index:s}=this,n=s in e?e[s].state:{},h={...this.initial_state,...n,...i};this.history=this.history.slice(0,this.index+1),this.history.push({type:t,state:h}),this.index=this.history.length-1,this.changed.emit()}clear(){this.history=[],this.index=-1,this.changed.emit()}undo(){if(this.can_undo){this.index-=1;const t=this._do_state_change(this.index);return this.changed.emit(),t}return null}redo(){if(this.can_redo){this.index+=1;const t=this._do_state_change(this.index);return this.changed.emit(),t}return null}get can_undo(){return this.index>=0}get can_redo(){return this.index *{overflow:hidden;text-overflow:ellipsis;text-align:right;}a{color:var(--color);}\"},\n", " function _(s,e,i,t,r){var n;t();const c=s(1),o=s(305),a=c.__importStar(s(243)),h=s(13),l=s(144);class d extends o.RadialGlyphView{async load_glglyph(){const{CircleGL:e}=await Promise.resolve().then((()=>c.__importStar(s(587))));return e}_paint(s,e,i){const{sx:t,sy:r,sradius:n}={...this,...i};for(const i of e){const e=t[i],c=r[i],o=n[i];isFinite(e+c+o)&&(s.beginPath(),s.arc(e,c,o,0,2*Math.PI,!1),this.visuals.fill.apply(s,i),this.visuals.hatch.apply(s,i),this.visuals.line.apply(s,i))}}_hit_point(s){const{sx:e,sy:i}=s,t=this.renderer.xscale.invert(e),r=this.renderer.yscale.invert(i),{hit_dilation:n}=this.model,[c,o,a,h]=(()=>{if(\"data\"==this.model.properties.radius.units){const s=this.max_radius*n;return[t-s,t+s,r-s,r+s]}{const s=this.max_radius*n,t=e-s,r=e+s,c=i-s,o=i+s,[a,h]=this.renderer.xscale.r_invert(t,r),[l,d]=this.renderer.yscale.r_invert(c,o);return[a,h,l,d]}})(),d=this.index.indices({x0:c,x1:o,y0:a,y1:h}),_=[];if(\"data\"==this.model.properties.radius.units)for(const s of d){const e=(this.sradius[s]*n)**2,[i,c]=this.renderer.xscale.r_compute(t,this.x[s]),[o,a]=this.renderer.yscale.r_compute(r,this.y[s]);(i-c)**2+(o-a)**2<=e&&_.push(s)}else for(const s of d){const t=(this.sradius[s]*n)**2;(this.sx[s]-e)**2+(this.sy[s]-i)**2<=t&&_.push(s)}return new l.Selection({indices:_})}_hit_span(s){const{sx:e,sy:i}=s,t=this.bounds(),[r,n,c,o]=(()=>{const r=this.max_radius;if(\"h\"==s.direction){const s=e-r,i=e+r,[n,c]=this.renderer.xscale.r_invert(s,i),{y0:o,y1:a}=t;return[n,c,o,a]}{const s=i-r,e=i+r,{x0:n,x1:c}=t,[o,a]=this.renderer.yscale.r_invert(s,e);return[n,c,o,a]}})(),a=[...this.index.indices({x0:r,x1:n,y0:c,y1:o})];return new l.Selection({indices:a})}_hit_rect(s){const{sx0:e,sx1:i,sy0:t,sy1:r}=s,[n,c]=this.renderer.xscale.r_invert(e,i),[o,a]=this.renderer.yscale.r_invert(t,r),h=this.index.indices({x0:n,x1:c,y0:o,y1:a}),d=[];for(const s of h){const n=this.sx[s],c=this.sy[s];e<=n&&n<=i&&t<=c&&c<=r&&d.push(s)}return new l.Selection({indices:d})}_hit_poly(s){const{sx:e,sy:i}=s,t=(()=>{const[s,t,r,n]=(0,h.minmax2)(e,i),[c,o]=this.renderer.xscale.r_invert(s,t),[a,l]=this.renderer.yscale.r_invert(r,n);return this.index.indices({x0:c,x1:o,y0:a,y1:l})})(),r=[];for(const s of t)a.point_in_poly(this.sx[s],this.sy[s],e,i)&&r.push(s);return new l.Selection({indices:r})}}i.CircleView=d,d.__name__=\"CircleView\";class _ extends o.RadialGlyph{constructor(s){super(s)}}i.Circle=_,n=_,_.__name__=\"Circle\",n.prototype.default_view=d,n.define((({Float:s})=>({hit_dilation:[s,1]})))},\n", " function _(o,l,e,i,t){var n;i();const s=o(1),a=o(96),_=s.__importStar(o(95));class c extends a.AnnotationView{connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.request_paint()))}_paint(o){const{gradient:l,y_intercept:e}=this.model;if(null==l||null==e)return;const{frame:i}=this.plot_view,t=this.coordinates.x_scale,n=this.coordinates.y_scale,[s,a,_,c]=(()=>{if(0==l){const o=n.compute(e),l=o;return[i.bbox.left,i.bbox.right,o,l]}{const o=i.bbox.top,s=i.bbox.bottom,a=n.invert(o),_=n.invert(s),c=(a-e)/l,h=(_-e)/l,b=t.compute(c),r=t.compute(h);return b<=r?[b,r,o,s]:[r,b,s,o]}})();if(o.save(),this.visuals.above_fill.doit||this.visuals.above_hatch.doit){const{left:l,right:e,top:t,bottom:n}=i.bbox;o.beginPath(),o.moveTo(s,_),o.lineTo(s,_),o.lineTo(a,c),o.lineTo(a,c),_<=c?(al&&o.lineTo(l,n)),o.closePath(),this.visuals.above_fill.apply(o),this.visuals.above_hatch.apply(o)}if(this.visuals.below_fill.doit||this.visuals.below_hatch.doit){const{left:l,right:e,top:t,bottom:n}=i.bbox;o.beginPath(),o.moveTo(s,_),o.lineTo(s,_),o.lineTo(a,c),_<=c?(o.lineTo(e,n),o.lineTo(l,n),s>l&&o.lineTo(l,t)):(a({gradient:[l(o),null],y_intercept:[l(o),null]}))),n.override({line_color:\"black\",above_fill_color:null,above_fill_alpha:.4,below_fill_color:null,below_fill_alpha:.4})},\n", " function _(t,e,i,n,s){var o;n();const a=t(1),l=t(96),r=a.__importStar(t(95)),h=t(21),_=t(243),c=t(16),d=t(12);class u{constructor(t,e){this.p0=t,this.p1=e}clone(){return new u({...this.p0},{...this.p1})}hit_test(t,e=2.5){return(0,_.dist_to_segment)(t,this.p0,this.p1)this.plot_view.request_paint(this)))}_paint(t){const{location:e,location_units:i}=this.model;if(null==e)return;function n(t,e,i,n,s){switch(e){case\"canvas\":return s.compute(t);case\"screen\":return n.compute(t);case\"data\":return i.compute(t)}}const{frame:s,canvas:o}=this.plot_view,{x_scale:a,y_scale:l}=this.coordinates;let r,h,_,c;\"width\"==this.model.dimension?(_=n(e,i,l,s.bbox.yview,o.bbox.y_screen),h=s.bbox.left,c=s.bbox.width,r=this.model.line_width):(_=s.bbox.top,h=n(e,i,a,s.bbox.xview,o.bbox.y_screen),c=this.model.line_width,r=s.bbox.height);const d={x:h,y:_},p={x:h+c,y:_+r};this.line=new u(d,p);const{_is_hovered:m,visuals:v}=this,b=m&&v.hover_line.doit?v.hover_line:v.line;t.save(),t.beginPath(),this.visuals.line.set_value(t),t.moveTo(h,_),\"width\"==this.model.dimension?t.lineTo(h+c,_):t.lineTo(h,_+r),b.apply(t),t.restore()}interactive_hit(t,e){return!(!this.model.visible||!this.model.editable)&&null!=this._hit_test(t,e)}_hit_test(t,e){const i=Math.max(2.5,this.model.line_width/2);return this.line.hit_test({x:t,y:e},i)?\"edge\":null}_can_hit(t){return!0}on_pan_start(t){if(this.model.visible&&this.model.editable){const{sx:e,sy:i}=t,n=this._hit_test(e,i);if(null!=n&&this._can_hit(n))return this._pan_state={line:this.line.clone(),target:n},this.model.pan.emit([\"pan:start\",t.modifiers]),!0}return!1}on_pan(t){function e(t,e,i,n,s){switch(e){case\"canvas\":return s.invert(t);case\"screen\":return n.invert(t);case\"data\":return i.invert(t)}}(0,d.assert)(null!=this._pan_state);const i=(()=>{const{dx:e,dy:i}=t,{line:n}=this._pan_state;return\"width\"==this.model.dimension?n.translate(0,i).p0.y:n.translate(e,0).p0.x})(),n=(()=>{const{location_units:t}=this.model,{frame:n,canvas:s}=this.plot_view,{x_scale:o,y_scale:a}=this.coordinates;return\"width\"==this.model.dimension?e(i,t,a,n.bbox.yview,s.bbox.y_screen):e(i,t,o,n.bbox.xview,s.bbox.y_screen)})();this.model.location=n,this.model.pan.emit([\"pan\",t.modifiers])}on_pan_end(t){this._pan_state=null,this.model.pan.emit([\"pan:end\",t.modifiers])}get _has_hover(){const{hover_line:t}=this.visuals;return t.doit}on_enter(t){const{_has_hover:e}=this;return e&&(this._is_hovered=!0,this.request_paint()),e}on_move(t){}on_leave(t){this._has_hover&&(this._is_hovered=!1,this.request_paint())}cursor(t,e){const i=this._pan_state?.target??this._hit_test(t,e);return null!=i&&this._can_hit(i)?\"width\"==this.model.dimension?\"ns-resize\":\"ew-resize\":null}}i.SpanView=p,p.__name__=\"SpanView\";class m extends l.Annotation{constructor(t){super(t),this.pan=new c.Signal(this,\"pan\")}}i.Span=m,o=m,m.__name__=\"Span\",o.prototype.default_view=p,o.mixins([r.Line,[\"hover_\",r.Line]]),o.define((({Bool:t,Float:e,Nullable:i})=>({location:[i(e),null],location_units:[h.CoordinateUnits,\"data\"],dimension:[h.Dimension,\"width\"],editable:[t,!1]}))),o.override({line_color:\"black\",hover_line_color:null,hover_line_alpha:.3})},\n", " function _(e,t,i,s,a){var l;s();const r=e(274),_=e(182),h=e(25),n=e(69),o=e(95);class d extends r.UpperLowerView{*children(){yield*super.children();const{lower_head:e,upper_head:t}=this;null!=e&&(yield e),null!=t&&(yield t)}async lazy_initialize(){await super.lazy_initialize();const{lower_head:e,upper_head:t}=this.model;null!=e&&(this.lower_head=await(0,n.build_view)(e,{parent:this})),null!=t&&(this.upper_head=await(0,n.build_view)(t,{parent:this}))}set_data(e){super.set_data(e);const t=h.Indices.all_set(this._lower.length);this.lower_head?.set_data(e,t),this.upper_head?.set_data(e,t)}_paint_data(e){if(this.visuals.line.doit)for(let t=0,i=this._lower_sx.length;t({lower_head:[t(e(_.ArrowHead)),()=>new _.TeeHead({size:10})],upper_head:[t(e(_.ArrowHead)),()=>new _.TeeHead({size:10})]}))),l.override({level:\"underlay\"})},\n", " function _(L,e,T,l,H){l(),H(\"HTMLLabel\",L(348).HTMLLabel),H(\"HTMLLabelSet\",L(350).HTMLLabelSet),H(\"HTMLTitle\",L(351).HTMLTitle)},\n", " function _(t,e,s,i,o){var n;i();const a=t(1),l=t(349),r=t(11),_=t(21),u=t(192),c=t(187),d=a.__importStar(t(95));class h extends l.TextAnnotationView{update_layout(){const{panel:t}=this;this.layout=null!=t?new c.SideLayout(t,(()=>this.get_size()),!1):void 0}_get_size(){const{text:t}=this.model,e=new u.TextBox({text:t}),{angle:s,angle_units:i}=this.model;e.angle=(0,r.compute_angle)(s,i),e.visuals=this.visuals.text.values();const o=e.size(),{padding:n}=this;return{width:o.width+n.left+n.right,height:o.height+n.top+n.bottom}}_paint(t){const{angle:e,angle_units:s}=this.model,i=(0,r.compute_angle)(e,s),o=null!=this.layout?this.layout:this.plot_view.frame,n=this.coordinates.x_scale,a=this.coordinates.y_scale;let l=(()=>{switch(this.model.x_units){case\"canvas\":return this.model.x;case\"screen\":return o.bbox.xview.compute(this.model.x);case\"data\":return n.compute(this.model.x)}})(),_=(()=>{switch(this.model.y_units){case\"canvas\":return this.model.y;case\"screen\":return o.bbox.yview.compute(this.model.y);case\"data\":return a.compute(this.model.y)}})();l+=this.model.x_offset,_-=this.model.y_offset,this._paint_text(t,this.model.text,l,_,i)}}s.HTMLLabelView=h,h.__name__=\"HTMLLabelView\";class m extends l.TextAnnotation{constructor(t){super(t)}}s.HTMLLabel=m,n=m,m.__name__=\"HTMLLabel\",n.prototype.default_view=h,n.mixins([d.Text,[\"border_\",d.Line],[\"background_\",d.Fill],[\"background_\",d.Hatch]]),n.define((({Float:t,Str:e,Angle:s})=>({x:[t],x_units:[_.CoordinateUnits,\"data\"],y:[t],y_units:[_.CoordinateUnits,\"data\"],text:[e,\"\"],angle:[s,0],angle_units:[_.AngleUnits,\"rad\"],x_offset:[t,0],y_offset:[t,0]}))),n.override({background_fill_color:null,background_hatch_color:null,border_line_color:null})},\n", " function _(t,e,n,i,s){var o;i();const r=t(1),a=t(96),l=t(61),d=t(187),p=t(124),h=r.__importStar(t(127));class u extends a.AnnotationView{rendering_target(){return this.plot_view.canvas_view.overlays_el}update_layout(){const{panel:t}=this;this.layout=null!=t?new d.SideLayout(t,(()=>this.get_size()),!0):void 0}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.paint(this.layer.ctx)))}paint(t){this.model.visible?super.paint(t):(0,l.undisplay)(this.el)}get padding(){return h.padding(this.model.padding)}get border_radius(){return h.border_radius(this.model.border_radius)}render(){super.render(),this.text_el=document.createTextNode(\"\"),this.shadow_el.append(this.text_el)}_paint_text(t,e,n,i,s){const{el:o}=this;(0,l.undisplay)(o),this.text_el.textContent=e,this.visuals.text.set_value(t);const{padding:r,border_radius:a}=this;if(null!=this.layout)this.position.replace(\"\\n :host {\\n position: relative;\\n }\\n \");else{const t=this.plot_view.frame,[e,s]=t.bbox.relativize(n,i);this.position.replace(`\\n :host {\\n position: absolute;\\n left: ${e}px;\\n top: ${s}px;\\n }\\n `)}if(this.style.replace(`\\n :host {\\n width: max-content;\\n height: max-content;\\n\\n color: ${t.fillStyle};\\n -webkit-text-stroke: 1px ${t.strokeStyle};\\n font: ${t.font};\\n white-space: pre;\\n\\n padding-left: ${r.left}px;\\n padding-right: ${r.right}px;\\n padding-top: ${r.top}px;\\n padding-bottom: ${r.bottom}px;\\n\\n border-top-left-radius: ${a.top_left}px;\\n border-top-right-radius: ${a.top_right}px;\\n border-bottom-right-radius: ${a.bottom_right}px;\\n border-bottom-left-radius: ${a.bottom_left}px;\\n }\\n `),null!=this.layout)0!=s&&this.style.append(\"\\n :host {\\n writing-mode: vertical-rl;\\n rotate: 180deg;\\n align-self: end;\\n }\\n \");else{const t=(()=>{switch(this.visuals.text.text_align.get_value()){case\"left\":return\"0%\";case\"center\":return\"50%\";case\"right\":return\"100%\"}})(),e=(()=>{switch(this.visuals.text.text_baseline.get_value()){case\"top\":return\"0%\";case\"middle\":default:return\"50%\";case\"bottom\":return\"100%\"}})();this.style.append(`\\n :host {\\n transform-origin: ${t} ${e};\\n transform: translate(-${t}, -${e}) rotate(${s}rad);\\n }\\n `)}this.visuals.background_fill.doit&&(this.visuals.background_fill.set_value(t),this.style.append(`\\n :host {\\n background-color: ${t.fillStyle};\\n }\\n `)),this.visuals.border_line.doit&&(this.visuals.border_line.set_value(t),this.style.append(`\\n :host {\\n border-style: ${t.getLineDash().length<2?\"solid\":\"dashed\"};\\n border-width: ${t.lineWidth}px;\\n border-color: ${t.strokeStyle};\\n }\\n `)),(0,l.display)(o)}}n.TextAnnotationView=u,u.__name__=\"TextAnnotationView\";class _ extends a.Annotation{constructor(t){super(t)}}n.TextAnnotation=_,o=_,_.__name__=\"TextAnnotation\",o.define((()=>({padding:[p.Padding,0],border_radius:[p.BorderRadius,0]})))},\n", " function _(t,e,s,i,r){var l;i();const a=t(1),o=t(141),n=a.__importStar(t(95)),c=t(21),_=t(61),h=a.__importStar(t(19)),u=t(25),d=t(12);class y extends o.DataAnnotationView{constructor(){super(...arguments),this.els=[]}set_data(t){super.set_data(t),this.els.forEach((t=>t.remove())),this.els=[...this.text.map((()=>(0,_.div)({style:{display:\"none\"}})))],this.plot_view.canvas_view.overlays_el.append(...this.els)}remove(){this.els.forEach((t=>t.remove())),this.els=[],super.remove()}_rerender(){this.paint(this.layer.ctx)}map_data(){const{x_scale:t,y_scale:e}=this.coordinates,s=null!=this.layout?this.layout:this.plot_view.frame;this.sx=(()=>{switch(this.model.x_units){case\"canvas\":return new u.ScreenArray(this._x);case\"screen\":return s.bbox.xview.v_compute(this._x);case\"data\":return t.v_compute(this._x)}})(),this.sy=(()=>{switch(this.model.y_units){case\"canvas\":return new u.ScreenArray(this._y);case\"screen\":return s.bbox.yview.v_compute(this._y);case\"data\":return e.v_compute(this._y)}})()}_paint_data(t){for(let e=0,s=this.text.length;e{switch(this.visuals.text.text_align.get(e)){case\"left\":return[\"left\",\"0%\"];case\"center\":return[\"center\",\"-50%\"];case\"right\":return[\"right\",\"-100%\"]}})(),[c,h]=(()=>{switch(this.visuals.text.text_baseline.get(e)){case\"top\":return[\"top\",\"0%\"];case\"middle\":default:return[\"center\",\"-50%\"];case\"bottom\":return[\"bottom\",\"-100%\"]}})();let u=`translate(${n}, ${h})`;0!=l&&(u+=`rotate(${l}rad)`),a.style.transformOrigin=`${o} ${c}`,a.style.transform=u,this.layout,this.visuals.background_fill.doit&&(this.visuals.background_fill.set_vectorize(t,e),a.style.backgroundColor=t.fillStyle),this.visuals.border_line.doit&&(this.visuals.border_line.set_vectorize(t,e),a.style.borderStyle=t.getLineDash().length<2?\"solid\":\"dashed\",a.style.borderWidth=`${t.lineWidth}px`,a.style.borderColor=t.strokeStyle),(0,_.display)(a)}}s.HTMLLabelSetView=y,y.__name__=\"HTMLLabelSetView\";class p extends o.DataAnnotation{constructor(t){super(t)}}s.HTMLLabelSet=p,l=p,p.__name__=\"HTMLLabelSet\",l.prototype.default_view=y,l.mixins([n.TextVector,[\"border_\",n.LineVector],[\"background_\",n.FillVector]]),l.define((()=>({x:[h.XCoordinateSpec,{field:\"x\"}],y:[h.YCoordinateSpec,{field:\"y\"}],x_units:[c.CoordinateUnits,\"data\"],y_units:[c.CoordinateUnits,\"data\"],text:[h.NullStringSpec,{field:\"text\"}],angle:[h.AngleSpec,0],x_offset:[h.NumberSpec,{value:0}],y_offset:[h.NumberSpec,{value:0}]}))),l.override({background_fill_color:null,border_line_color:null})},\n", " function _(t,e,i,o,a){var l;o();const s=t(1),n=t(349),r=t(21),c=t(192),h=s.__importStar(t(95));class _ extends n.TextAnnotationView{_get_location(){const t=this.model.offset,e=this.model.standoff/2;let i,o;const{bbox:a}=this.layout;switch(this.panel.side){case\"above\":case\"below\":switch(this.model.vertical_align){case\"top\":o=a.top+e;break;case\"middle\":o=a.vcenter;break;case\"bottom\":o=a.bottom-e}switch(this.model.align){case\"left\":i=a.left+t;break;case\"center\":i=a.hcenter;break;case\"right\":i=a.right-t}break;case\"left\":switch(this.model.vertical_align){case\"top\":i=a.left+e;break;case\"middle\":i=a.hcenter;break;case\"bottom\":i=a.right-e}switch(this.model.align){case\"left\":o=a.bottom-t;break;case\"center\":o=a.vcenter;break;case\"right\":o=a.top+t}break;case\"right\":switch(this.model.vertical_align){case\"top\":i=a.right-e;break;case\"middle\":i=a.hcenter;break;case\"bottom\":i=a.left+e}switch(this.model.align){case\"left\":o=a.top+t;break;case\"center\":o=a.vcenter;break;case\"right\":o=a.bottom-t}}return[i,o]}_paint(t){const{text:e}=this.model;if(0==e.length)return;this.model.text_baseline=this.model.vertical_align,this.model.text_align=this.model.align;const[i,o]=this._get_location(),a=this.panel.get_label_angle_heuristic(\"parallel\");this._paint_text(t,e,i,o,a)}_get_size(){const{text:t}=this.model,e=new c.TextBox({text:t});e.visuals=this.visuals.text.values();const i=e.size(),{padding:o}=this,a=i.width+o.left+o.right,l=i.height+o.top+o.bottom;return{width:a,height:0==l?0:2+l+this.model.standoff}}}i.HTMLTitleView=_,_.__name__=\"HTMLTitleView\";class d extends n.TextAnnotation{constructor(t){super(t)}}i.HTMLTitle=d,l=d,d.__name__=\"HTMLTitle\",l.prototype.default_view=_,l.mixins([h.Text,[\"border_\",h.Line],[\"background_\",h.Fill],[\"background_\",h.Hatch]]),l.define((({Float:t,Str:e})=>({text:[e,\"\"],vertical_align:[r.VerticalAlign,\"bottom\"],align:[r.TextAlign,\"left\"],offset:[t,0],standoff:[t,10]}))),l.prototype._props.text_align.options.internal=!0,l.prototype._props.text_baseline.options.internal=!0,l.override({text_font_size:\"13px\",text_font_style:\"bold\",text_line_height:1,background_fill_color:null,background_hatch_color:null,border_line_color:null})},\n", " function _(i,e,l,o,g){o(),g(\"CustomJS\",i(353).CustomJS),g(\"OpenURL\",i(354).OpenURL),g(\"SetValue\",i(355).SetValue),g(\"ToggleVisibility\",i(356).ToggleVisibility),g(\"OpenDialog\",i(357).OpenDialog),g(\"CloseDialog\",i(361).CloseDialog)},\n", " function _(require,module,exports,__esModule,__esExport){var _a;__esModule();const callback_1=require(125),object_1=require(9),array_1=require(10),string_1=require(41),logging_1=require(20),types_1=require(8),standalone_1=require(81);class CustomJS extends callback_1.Callback{constructor(t){super(t),this._state=null}connect_signals(){super.connect_signals();const{args:t,code:e,module:s}=this.properties;this.on_change([t,e,s],(()=>this._state=null))}async _compile_module(){const url=URL.createObjectURL(new Blob([this.code],{type:\"text/javascript\"}));try{const module=await eval(`import(\"${url}\")`);return(0,types_1.isFunction)(module.default)?module.default:(logging_1.logger.warn(\"custom ES module didn't export a default function\"),()=>{})}finally{URL.revokeObjectURL(url)}}async _compile_function(){const[t=[],e=[]]=(0,array_1.unzip)((0,object_1.entries)(this.args)),s=(0,string_1.use_strict)(this.code),o=new Function(...t,\"cb_obj\",\"cb_data\",\"cb_context\",s);return function(...t){return o.call(this,...e,...t)}}_is_es_module(t){return t.split(\"\\n\").some((t=>t.trimStart().startsWith(\"export default\")))}async _compile(){const t=(()=>\"auto\"==this.module?this._is_es_module(this.code):this.module)();return t?{func:await this._compile_module(),module:t}:{func:await this._compile_function(),module:t}}async compile(){null==this._state&&(this._state=await this._compile())}async state(){return null==this._state&&(this._state=await this._compile()),this._state}async execute(t,e={}){const{func:s,module:o}=await this.state(),n={index:standalone_1.index};return o?s((0,object_1.to_object)(this.args),t,e,n):s.call(t,t,e,n)}execute_sync(t,e={}){if(null==this._state)throw new Error(`${this.type} needs to be compiled first`);const{func:s,module:o}=this._state,n={index:standalone_1.index};return o?s((0,object_1.to_object)(this.args),t,e,n):s.call(t,t,e,n)}}exports.CustomJS=CustomJS,_a=CustomJS,CustomJS.__name__=\"CustomJS\",_a.define((({Unknown:t,Str:e,Dict:s,Auto:o,Or:n,Bool:i})=>({args:[s(t),{}],code:[e],module:[n(o,i),\"auto\"]})))},\n", " function _(e,t,o,n,s){var i;n();const c=e(125),r=e(259),a=e(8);class d extends c.Callback{constructor(e){super(e)}navigate(e){this.same_tab?window.location.href=e:window.open(e)}execute(e,{source:t}){const o=e=>{const o=(0,r.replace_placeholders)(this.url,t,e,void 0,void 0,encodeURI);if(!(0,a.isString)(o))throw new Error(\"HTML output is not supported in this context\");this.navigate(o)},{selected:n}=t;for(const e of n.indices)o(e);for(const e of n.line_indices)o(e)}}o.OpenURL=d,i=d,d.__name__=\"OpenURL\",i.define((({Bool:e,Str:t})=>({url:[t,\"http://\"],same_tab:[e,!1]})))},\n", " function _(e,t,r,o,a){var n;o();const s=e(125),c=e(15),l=e(20);class u extends s.Callback{constructor(e){super(e)}execute(){const{obj:e,attr:t,value:r}=this;t in e.properties?e.setv({[t]:r}):l.logger.error(`${e.type}.${t} is not a property`)}}r.SetValue=u,n=u,u.__name__=\"SetValue\",n.define((({Str:e,Unknown:t,Ref:r})=>({obj:[r(c.HasProps)],attr:[e],value:[t]})))},\n", " function _(e,i,t,s,l){var n;s();const c=e(125),a=e(55);class o extends c.Callback{constructor(e){super(e)}execute(){const{target:e}=this;e.visible=!e.visible}}t.ToggleVisibility=o,n=o,o.__name__=\"ToggleVisibility\",n.define((({Ref:e})=>({target:[e(a.UIElement)]})))},\n", " function _(e,n,a,i,l){var o;i();const t=e(125),c=e(358);class s extends t.Callback{constructor(e){super(e)}async execute(){const{dialog:e}=this,n=e.document?.views_manager;if(null!=n){let a=n.find_one(e);null==a&&(a=await n.build_view(e)),a.open()}}}a.OpenDialog=s,o=s,s.__name__=\"OpenDialog\",o.define((({Ref:e})=>({dialog:[e(c.Dialog)]})))},\n", " function _(t,e,i,s,n){var o;s();const l=t(1),r=t(55),a=t(130),h=t(359),_=t(16),m=t(61),c=t(8),d=t(69),p=t(62),b=t(10),u=t(14),g=t(12),f=l.__importStar(t(276)),x=t(58),v=t(22),z=l.__importStar(t(360)),y=z,w=l.__importDefault(t(76)),L=((0,v.Or)((0,v.Ref)(r.UIElement),(0,v.Ref)(a.DOMNode)),[]),E=(()=>{const t=(0,m.div)(),e=t.attachShadow({mode:\"open\"});return new m.InlineStyleSheet(\"\\n:host {\\n display: flex;\\n flex-direction: column;\\n flex-wrap: nowrap;\\n position: fixed;\\n left: 0;\\n bottom: 0;\\n width: max-content;\\n height: max-content;\\n}\\n:host:empty {\\n display: none;\\n}\\n\").install(e),(0,m.dom_ready)().then((()=>document.body.append(t))),t})();class N extends r.UIElementView{constructor(){super(...arguments),this._position=new m.InlineStyleSheet,this._stacking=new m.InlineStyleSheet,this._has_rendered=!1,this._pinned=!1,this._normal_bbox=null,this._collapsed=!1,this._minimized=!1,this._maximized=!1,this.displayed=new _.Signal(this,\"displayed\")}*children(){yield*super.children(),yield this._title,yield this._content}stylesheets(){return[...super.stylesheets(),z.default,w.default,this._position,this._stacking]}async lazy_initialize(){await super.lazy_initialize();const t=(()=>{const{title:t}=this.model;return(0,c.isString)(t)||null==t?new h.Text({content:t??\"\"}):t})(),e=(()=>{const{content:t}=this.model;return(0,c.isString)(t)?new h.Text({content:t}):t})();this._title=await(0,d.build_view)(t,{parent:this}),this._content=await(0,d.build_view)(e,{parent:this})}connect_signals(){super.connect_signals();const{visible:t}=this.model.properties;this.connect(t.change,(()=>this._toggle(this.model.visible)))}remove(){(0,b.remove)(L,this),this._content.remove(),this._title.remove(),super.remove()}_reposition(t){this._position.replace(\":host\",{left:\"left\"in t?(0,m.px)(t.left):\"unset\",right:\"right\"in t?(0,m.px)(t.right):\"unset\",top:\"top\"in t?(0,m.px)(t.top):\"unset\",bottom:\"bottom\"in t?(0,m.px)(t.bottom):\"unset\",width:\"width\"in t?(0,m.px)(t.width):\"unset\",height:\"height\"in t?(0,m.px)(t.height):\"unset\"}),this.update_bbox()}render(){super.render(),this._title.render(),this._content.render();const t=(0,m.div)({class:y.inner});this.shadow_el.append(t);const e=(0,m.div)({class:y.header}),i=(0,m.div)({class:y.content},this._content.el),s=(0,m.div)({class:y.footer});t.append(e),t.append(i),t.append(s);const n=(0,m.div)({class:y.grip}),o=(0,m.div)({class:y.title},n,this._title.el),l=(0,m.div)({class:y.controls});e.append(o,l);const r=(0,m.div)({class:[y.ctrl,y.pin],title:\"Pin\"});r.addEventListener(\"click\",(()=>this.pin())),this._pin_el=r;const a=(0,m.div)({class:[y.ctrl,y.collapse],title:\"Collapse\"});a.addEventListener(\"click\",(()=>this.collapse())),this._collapse_el=a;const h=(0,m.div)({class:[y.ctrl,y.minimize],title:\"Minimize\"});h.addEventListener(\"click\",(()=>this.minimize())),this._minimize_el=h;const _=(0,m.div)({class:[y.ctrl,y.maximize],title:\"Maximize\"});_.addEventListener(\"click\",(()=>this.maximize())),this._maximize_el=_;const c=(0,m.div)({class:[y.ctrl,y.close],title:\"Close\"});c.addEventListener(\"click\",(()=>this.close())),this._close_el=c,this.model.pinnable&&l.append(r),this.model.collapsible&&l.append(a),this.model.minimizable&&l.append(h),this.model.maximizable&&l.append(_),this.model.closable&&l.append(c);const d=this._handles={area:o,top:(0,m.div)({class:[y.handle,y.resize_top]}),bottom:(0,m.div)({class:[y.handle,y.resize_bottom]}),left:(0,m.div)({class:[y.handle,y.resize_left]}),right:(0,m.div)({class:[y.handle,y.resize_right]}),top_left:(0,m.div)({class:[y.handle,y.resize_top_left]}),top_right:(0,m.div)({class:[y.handle,y.resize_top_right]}),bottom_left:(0,m.div)({class:[y.handle,y.resize_bottom_left]}),bottom_right:(0,m.div)({class:[y.handle,y.resize_bottom_right]})};this.shadow_el.append(d.top,d.bottom,d.left,d.right,d.top_left,d.top_right,d.bottom_left,d.bottom_right);let p=null;const b=()=>{p=null,document.removeEventListener(\"pointermove\",u),document.removeEventListener(\"pointerup\",f),document.removeEventListener(\"keydown\",x),this.el.classList.remove(y.interacting)},u=t=>{(0,g.assert)(null!=p),t.preventDefault(),this.el.classList.add(y.interacting);const e=t.x-p.xy.x,i=t.y-p.xy.y,{target:s,bbox:n}=p,o=this._move_bbox(s,n,e,i);this._reposition(o)},f=t=>{(0,g.assert)(null!=p),t.preventDefault(),b()},x=t=>{if(\"Escape\"==t.key){(0,g.assert)(null!=p),t.preventDefault();const{left:e,top:i,width:s,height:n}=p.bbox;this._reposition({left:e,top:i,width:s,height:n}),b()}};this.el.addEventListener(\"pointerdown\",(t=>{(0,g.assert)(null==p),this.bring_to_front();const e=this._hit_target(t.composedPath());if(null==e||!this._can_hit(e))return;t.preventDefault();const{x:i,y:s}=t;p={bbox:(0,m.bounding_box)(this.el),xy:{x:i,y:s},target:e},document.addEventListener(\"pointermove\",u),document.addEventListener(\"pointerup\",f),document.addEventListener(\"keydown\",x);this._handles[e].setPointerCapture(t.pointerId)})),o.addEventListener(\"wheel\",(t=>{const e=t.deltaY;(e<0&&!this._collapsed||e>0&&this._collapsed)&&(t.preventDefault(),t.stopPropagation(),this.collapse())})),this._has_rendered=!0,this.model.visible&&this.bring_to_front()}get resizable(){const{resizable:t}=this.model;return{left:\"left\"==t||\"x\"==t||\"all\"==t,right:\"right\"==t||\"x\"==t||\"all\"==t,top:\"top\"==t||\"y\"==t||\"all\"==t,bottom:\"bottom\"==t||\"y\"==t||\"all\"==t}}_hit_target(t){const{_handles:e}=this;for(const i of t)switch(i){case e.area:return\"area\";case e.top:return\"top\";case e.bottom:return\"bottom\";case e.left:return\"left\";case e.right:return\"right\";case e.top_left:return\"top_left\";case e.top_right:return\"top_right\";case e.bottom_left:return\"bottom_left\";case e.bottom_right:return\"bottom_right\"}return null}_can_hit(t){if(this._minimized||this._maximized)return!1;const{left:e,right:i,top:s,bottom:n}=this.resizable;switch(t){case\"top_left\":return s&&e;case\"top_right\":return s&&i;case\"bottom_left\":return n&&e;case\"bottom_right\":return n&&i;case\"left\":return e;case\"right\":return i;case\"top\":return s;case\"bottom\":return n;case\"area\":return\"none\"!=this.model.movable}}_move_bbox(t,e,i,s){const n=(t,e)=>e instanceof x.Coordinate?this.resolve_as_scalar(e,t):NaN,o=p.BBox.from_lrtb({left:n(\"x\",this.model.left_limit),right:n(\"x\",this.model.right_limit),top:n(\"y\",this.model.top_limit),bottom:n(\"y\",this.model.bottom_limit)}),[l,r,a,h]=(()=>{const{symmetric:e}=this.model,[n,o]=e?[-i,-s]:[0,0];switch(t){case\"top_left\":return[i,n,s,o];case\"top_right\":return[n,i,s,o];case\"bottom_left\":return[i,n,o,s];case\"bottom_right\":return[n,i,o,s];case\"left\":return[i,n,0,0];case\"right\":return[n,i,0,0];case\"top\":return[0,0,s,o];case\"bottom\":return[0,0,o,s];case\"area\":switch(this.model.movable){case\"both\":return[i,i,s,s];case\"x\":return[i,i,0,0];case\"y\":return[0,0,s,s];case\"none\":return[0,0,0,0]}}})(),_=(t,e)=>(0,b.min)([t,e]),m=t=>t<0?-1:t>0?1:0;let{left:c,right:d,left_sign:u,right_sign:g}=(()=>{const t=e.left+l,i=e.right+r,s=m(l),n=m(r);return t<=i?{left:t,right:i,left_sign:s,right_sign:n}:{left:i,right:t,left_sign:n,right_sign:s}})(),{top:f,bottom:v,top_sign:z,bottom_sign:y}=(()=>{const t=e.top+a,i=e.bottom+h,s=m(a),n=m(h);return t<=i?{top:t,bottom:i,top_sign:s,bottom_sign:n}:{top:i,bottom:t,top_sign:n,bottom_sign:s}})();const w=c-o.left,L=o.right-d,E=_(w<0?w:NaN,L<0?L:NaN);isFinite(E)&&E<0&&(c+=-u*-E,d+=-g*-E);const N=f-o.top,k=o.bottom-v,D=_(N<0?N:NaN,k<0?k:NaN);return isFinite(D)&&D<0&&(f+=-z*-D,v+=-y*-D),p.BBox.from_lrtb({left:c,right:d,top:f,bottom:v})}pin(){const{_pinned:t}=this;for(const e of L)e==this?this._pin(!t):e._pin(!1);t||this.bring_to_front()}_pin(t){this._pinned!=t&&(this._pinned=t,this.el.classList.toggle(y.pinned,this._pinned),this._pin_el.title=this._pinned?\"Unpin\":\"Pin\")}collapse(){const t=(()=>{if(this._collapsed){const{_normal_bbox:t}=this;return(0,g.assert)(null!=t),this._normal_bbox=null,t}{this._minimize(!1),this._maximize(!1),null==this._normal_bbox&&(this._normal_bbox=(0,m.bounding_box)(this.el));const{left:t,top:e,width:i}=this._normal_bbox;return{left:t,top:e,width:i,height:\"max-content\"}}})();this._reposition(t),this._collapse(!this._collapsed)}_collapse(t){this._collapsed!=t&&(this._collapsed=t,this.el.classList.toggle(y.collapsed,this._collapsed),this._collapse_el.title=this._collapsed?\"Restore\":\"Collapse\")}minimize(){const t=(()=>{if(this._minimized){const{_normal_bbox:t}=this;return(0,g.assert)(null!=t),this._normal_bbox=null,t}return this._pin(!1),this._collapse(!1),this._maximize(!1),null==this._normal_bbox&&(this._normal_bbox=(0,m.bounding_box)(this.el)),{width:\"auto\",height:\"max-content\"}})();this._reposition(t),this._minimize(!this._minimized)}_minimize(t){if(this._minimized!=t){this._minimized=t;(t?E.shadowRoot??E:document.body).append(this.el),this.el.classList.toggle(y.minimized,this._minimized),this._minimize_el.title=this._minimized?\"Restore\":\"Minimize\"}}maximize(){const t=(()=>{if(this._maximized){const{_normal_bbox:t}=this;return(0,g.assert)(null!=t),this._normal_bbox=null,t}return this._collapse(!1),this._minimize(!1),null==this._normal_bbox&&(this._normal_bbox=(0,m.bounding_box)(this.el)),{left:0,top:0,width:\"100%\",height:\"100%\"}})();this._reposition(t),this._maximize(!this._maximized)}_maximize(t){this._maximized!=t&&(this._maximized=t,this.el.classList.toggle(y.maximized,this._maximized),this._maximize_el.title=this._maximized?\"Restore\":\"Maximize\")}restore(){this._collapse(!1),this._minimize(!1),this._maximize(!1);const{_normal_bbox:t}=this;null!=t&&(this._reposition(t),this._normal_bbox=null)}_toggle(t){if(t){const t=document.body;this._has_rendered||(this.render_to(t),this.r_after_render()),this.el.isConnected||t.append(this.el),this.bring_to_front()}else(0,b.remove)(L,this),this.el.remove()}get is_open(){return this.model.visible}toggle(t){const e=t??!this.model.visible;this.model.setv({visible:e},{check_eq:!1}),this.displayed.emit(e)}open(){this.toggle(!0)}close(){switch(this.model.close_action){case\"hide\":this.toggle(!1);break;case\"destroy\":this.remove()}}bring_to_front(){L.includes(this)||L.push(this);const t=(0,b.find)(L,(t=>t._pinned));null!=t&&(0,b.remove)(L,t),(0,b.remove)(L,this),L.push(this),null!=t&&L.push(t);for(const[t,e]of(0,u.enumerate)(L))t._stacking.replace(\":host\",{\"z-index\":`${1e3+e}`})}}i.DialogView=N,N.__name__=\"DialogView\";class k extends r.UIElement{constructor(t){super(t)}}i.Dialog=k,o=k,k.__name__=\"Dialog\",o.prototype.default_view=N,o.define((({Bool:t,Str:e,Ref:i,Or:s,Nullable:n,Enum:o})=>({title:[n(s(e,i(a.DOMNode),i(r.UIElement))),null],content:[s(e,i(a.DOMNode),i(r.UIElement))],pinnable:[t,!0],collapsible:[t,!0],minimizable:[t,!0],maximizable:[t,!0],closable:[t,!0],close_action:[o(\"hide\",\"destroy\"),\"destroy\"],resizable:[f.Resizable,\"all\"],movable:[f.Movable,\"both\"],symmetric:[t,!1],top_limit:[f.Limit,null],bottom_limit:[f.Limit,null],left_limit:[f.Limit,null],right_limit:[f.Limit,null]})))},\n", " function _(e,t,n,s,o){var r;s();const c=e(130);class i extends c.DOMNodeView{connect_signals(){super.connect_signals();const{content:e}=this.model.properties;this.on_change(e,(()=>this.render()))}render(){this.el.textContent=this.model.content}after_render(){this.finish()}_create_element(){return document.createTextNode(\"\")}}n.TextView=i,i.__name__=\"TextView\";class _ extends c.DOMNode{constructor(e){super(e)}}n.Text=_,r=_,_.__name__=\"Text\",r.prototype.default_view=i,r.define((({Str:e})=>({content:[e,\"\"]})))},\n", " function _(e,i,o,r,t){r(),o.interacting=\"bk-interacting\",o.inner=\"bk-inner\",o.header=\"bk-header\",o.content=\"bk-content\",o.collapsed=\"bk-collapsed\",o.minimized=\"bk-minimized\",o.footer=\"bk-footer\",o.grip=\"bk-grip\",o.title=\"bk-title\",o.controls=\"bk-controls\",o.ctrl=\"bk-ctrl\",o.pin=\"bk-pin\",o.pinned=\"bk-pinned\",o.collapse=\"bk-collapse\",o.minimize=\"bk-minimize\",o.maximize=\"bk-maximize\",o.maximized=\"bk-maximized\",o.close=\"bk-close\",o.handle=\"bk-handle\",o.resize_top=\"bk-resize-top\",o.resize_bottom=\"bk-resize-bottom\",o.resize_left=\"bk-resize-left\",o.resize_right=\"bk-resize-right\",o.resize_top_left=\"bk-resize-top-left\",o.resize_top_right=\"bk-resize-top-right\",o.resize_bottom_left=\"bk-resize-bottom-left\",o.resize_bottom_right=\"bk-resize-bottom-right\",o.default=\":host{--bokeh-bg-color:var(--background-color);--bokeh-border-color:var(--divider-color);--bokeh-shadow-color:var(--divider-color);--bokeh-ctrl-size:16px;--bokeh-ctrl-color:var(--shortcut-color);}:host{position:fixed;left:200px;top:200px;width:600px;height:600px;width:80vw;height:60vh;}:host(.bk-interacting){opacity:0.9;}.bk-inner{position:relative;display:flex;flex-direction:column;flex-wrap:nowrap;width:100%;height:100%;overflow:hidden;border-radius:4px;background-color:var(--bokeh-bg-color);border:1px solid var(--bokeh-border-color);box-shadow:5px 5px 10px var(--bokeh-shadow-color);}.bk-header{position:relative;display:flex;flex:0;gap:1em;padding:5px;background-color:var(--border-color);}.bk-content{position:relative;display:flex;flex:1;overflow:auto;}:host(.bk-collapsed) .bk-content,:host(.bk-minimized) .bk-content,:host(.bk-collapsed) .bk-footer,:host(.bk-minimized) .bk-footer{display:none;}.bk-footer{position:relative;display:flex;flex:0;}.bk-grip{width:var(--bokeh-ctrl-size);height:var(--bokeh-ctrl-size);background-color:var(--bokeh-ctrl-color);background-color:var(--color);mask-image:var(--bokeh-icon-y-grip);mask-size:contain;mask-repeat:no-repeat;-webkit-mask-image:var(--bokeh-icon-y-grip);-webkit-mask-size:contain;-webkit-mask-repeat:no-repeat;}.bk-title{position:relative;display:flex;flex:1;cursor:move;white-space:nowrap;}.bk-controls{position:relative;display:flex;flex:0;}.bk-ctrl{width:var(--bokeh-ctrl-size);height:var(--bokeh-ctrl-size);cursor:pointer;mask-size:100% 100%;-webkit-mask-size:100% 100%;mask-position:center center;-webkit-mask-position:center center;mask-repeat:no-repeat;-webkit-mask-repeat:no-repeat;background-color:var(--bokeh-ctrl-color);}.bk-ctrl:hover{background-color:var(--hover-color);}.bk-pin{mask-image:var(--bokeh-icon-pin);-webkit-mask-image:var(--bokeh-icon-pin);}:host(.bk-pinned) .bk-pin{mask-image:var(--bokeh-icon-unpin);-webkit-mask-image:var(--bokeh-icon-unpin);}.bk-collapse{mask-image:var(--bokeh-icon-chevron-up);-webkit-mask-image:var(--bokeh-icon-chevron-up);}:host(.bk-collapsed) .bk-collapse{mask-image:var(--bokeh-icon-chevron-down);-webkit-mask-image:var(--bokeh-icon-chevron-down);}.bk-minimize{mask-image:var(--bokeh-icon-arrow-down-to-bar);-webkit-mask-image:var(--bokeh-icon-arrow-down-to-bar);}:host(.bk-minimized) .bk-minimize{mask-image:var(--bokeh-icon-arrow-up-from-bar);-webkit-mask-image:var(--bokeh-icon-arrow-up-from-bar);}.bk-maximize{mask-image:var(--bokeh-icon-maximize);-webkit-mask-image:var(--bokeh-icon-maximize);}:host(.bk-maximized) .bk-maximize{mask-image:var(--bokeh-icon-minimize);-webkit-mask-image:var(--bokeh-icon-minimize);}.bk-close{mask-image:var(--bokeh-icon-x);-webkit-mask-image:var(--bokeh-icon-x);}:host{--resize-radius:3px;--resize-depth:calc(2*var(--resize-radius));}:host(.bk-minimized){position:relative;}:host(.bk-minimized) .bk-handle,:host(.bk-maximized) .bk-handle{display:none;}:host(.bk-minimized) .bk-title,:host(.bk-maximized) .bk-title{cursor:default;}.bk-resize-top{position:absolute;top:0;left:var(--resize-radius);width:calc(100% - var(--resize-depth));height:var(--resize-depth);transform:translate(0, -50%);cursor:ns-resize;}.bk-resize-bottom{position:absolute;bottom:0;left:var(--resize-radius);width:calc(100% - var(--resize-depth));height:var(--resize-depth);transform:translate(0, 50%);cursor:ns-resize;}.bk-resize-left{position:absolute;left:0;top:var(--resize-radius);width:var(--resize-depth);height:calc(100% - var(--resize-depth));transform:translate(-50%, 0);cursor:ew-resize;}.bk-resize-right{position:absolute;right:0;top:var(--resize-radius);width:var(--resize-depth);height:calc(100% - var(--resize-depth));transform:translate(50%, 0);cursor:ew-resize;}.bk-resize-top-left{position:absolute;top:0;left:0;width:var(--resize-depth);height:var(--resize-depth);transform:translate(-50%, -50%);cursor:nw-resize;}.bk-resize-top-right{position:absolute;top:0;right:0;width:var(--resize-depth);height:var(--resize-depth);transform:translate(50%, -50%);cursor:ne-resize;}.bk-resize-bottom-left{position:absolute;bottom:0;left:0;width:var(--resize-depth);height:var(--resize-depth);transform:translate(-50%, 50%);cursor:sw-resize;}.bk-resize-bottom-right{position:absolute;bottom:0;right:0;width:var(--resize-depth);height:var(--resize-depth);transform:translate(50%, 50%);cursor:se-resize;}\"},\n", " function _(e,o,a,n,s){var c;n();const l=e(125),i=e(358);class t extends l.Callback{constructor(e){super(e)}async execute(){const{dialog:e}=this;e.document?.views_manager?.find_one(e)?.close()}}a.CloseDialog=t,c=t,t.__name__=\"CloseDialog\",c.define((({Ref:e})=>({dialog:[e(i.Dialog)]})))},\n", " function _(a,n,e,r,s){r(),s(\"Canvas\",a(329).Canvas),s(\"CartesianFrame\",a(198).CartesianFrame)},\n", " function _(o,a,m,C,n){C(),n(\"Comparison\",o(364).Comparison),n(\"CustomJSCompare\",o(365).CustomJSCompare),n(\"NanCompare\",o(366).NanCompare)},\n", " function _(o,n,s,c,e){c();const r=o(52);class t extends r.Model{constructor(o){super(o)}}s.Comparison=t,t.__name__=\"Comparison\"},\n", " function _(e,s,t,n,r){var u;n();const a=e(364),o=e(9),c=e(41);class i extends a.Comparison{constructor(e){super(e)}get names(){return(0,o.keys)(this.args)}get values(){return(0,o.values)(this.args)}_make_func(){const e=(0,c.use_strict)(this.code);return new Function(\"x\",\"y\",...this.names,e)}compute(e,s){return this._make_func()(e,s,this.values)}}t.CustomJSCompare=i,u=i,i.__name__=\"CustomJSCompare\",u.define((({Unknown:e,Str:s,Dict:t})=>({args:[t(e),{}],code:[s,\"\"]})))},\n", " function _(s,e,i,n,r){var a;n();const t=s(364),o=s(8);class N extends t.Comparison{constructor(s){super(s)}compute(s,e){return(0,o.isNumber)(s)&&isNaN(s)?this.ascending_first?-1:1:(0,o.isNumber)(e)&&isNaN(e)?this.ascending_first?1:-1:(0,o.isNumber)(s)&&(0,o.isNumber)(e)?s==e?0:s({ascending_first:[s,!1]})))},\n", " function _(d,e,n,o,i){o(),i(\"CoordinateMapping\",d(107).CoordinateMapping),i(\"Node\",d(57).Node),i(\"XY\",d(66).XY),i(\"Indexed\",d(67).Indexed)},\n", " function _(m,o,n,r,a){r(),a(\"Expression\",m(369).Expression),a(\"CustomJSExpr\",m(370).CustomJSExpr),a(\"Stack\",m(371).Stack),a(\"CumSum\",m(372).CumSum),a(\"ScalarExpression\",m(369).ScalarExpression),a(\"Minimum\",m(373).Minimum),a(\"Maximum\",m(374).Maximum);var s=m(375);a(\"XComponent\",s.XComponent),a(\"YComponent\",s.YComponent),a(\"PolarTransform\",m(376).PolarTransform)},\n", " function _(e,t,s,i,r){i();const n=e(52);class _ extends n.Model{constructor(e){super(e)}initialize(){super.initialize(),this._result=new Map}v_compute(e){let t=this._result.get(e);return(void 0===t||e.changed_for(this))&&(t=this._v_compute(e),this._result.set(e,t)),t}}s.Expression=_,_.__name__=\"Expression\";class o extends n.Model{constructor(e){super(e)}initialize(){super.initialize(),this._result=new Map}compute(e){let t=this._result.get(e);return(void 0===t||e.changed_for(this))&&(t=this._compute(e),this._result.set(e,t)),t}}s.ScalarExpression=o,o.__name__=\"ScalarExpression\"},\n", " function _(e,s,t,n,r){var a;n();const o=e(15),c=e(369),i=e(25),u=e(10),l=e(9),h=e(41),g=e(8);class p extends c.Expression{constructor(e){super(e)}connect_signals(){super.connect_signals();for(const e of(0,l.values)(this.args))e instanceof o.HasProps&&e.change.connect((()=>{this._result.clear(),this.change.emit()}))}get names(){return(0,l.keys)(this.args)}get values(){return(0,l.values)(this.args)}get func(){const e=(0,h.use_strict)(this.code);return new i.GeneratorFunction(...this.names,e)}_v_compute(e){const s=this.func.apply(e,this.values);let t=s.next();if(t.done&&void 0!==t.value){const{value:s}=t;return(0,g.isArray)(s)||(0,g.isTypedArray)(s)?s:(0,g.isIterable)(s)?[...s]:(0,u.repeat)(s,e.length)}{const e=[];do{e.push(t.value),t=s.next()}while(!t.done);return e}}}t.CustomJSExpr=p,a=p,p.__name__=\"CustomJSExpr\",a.define((({Unknown:e,Str:s,Dict:t})=>({args:[t(e),{}],code:[s,\"\"]})))},\n", " function _(t,n,e,s,o){var c;s();const r=t(369),a=t(9);class i extends r.Expression{constructor(t){super(t)}_v_compute(t){const n=t.get_length()??0,e=new Float64Array(n);for(const s of this.fields){const o=(0,a.dict)(t.data).get(s);if(null!=o){const t=Math.min(n,o.length);for(let n=0;n({fields:[n(t),[]]})))},\n", " function _(e,t,n,o,r){var i;o();const s=e(369),u=e(9);class c extends s.Expression{constructor(e){super(e)}_v_compute(e){const t=new Float64Array(e.get_length()??0),n=(0,u.dict)(e.data).get(this.field)??[],o=this.include_zero?1:0;t[0]=this.include_zero?0:n[0];for(let e=1;e({field:[t],include_zero:[e,!1]})))},\n", " function _(i,t,n,e,a){var s;e();const c=i(369),r=i(9),m=i(10);class o extends c.ScalarExpression{constructor(i){super(i)}_compute(i){const t=(0,r.dict)(i.data).get(this.field)??[];return Math.min(this.initial,(0,m.min)(t))}}n.Minimum=o,s=o,o.__name__=\"Minimum\",s.define((({Float:i,Str:t})=>({field:[t],initial:[i,1/0]})))},\n", " function _(t,i,a,e,n){var s;e();const c=t(369),r=t(9),m=t(10);class o extends c.ScalarExpression{constructor(t){super(t)}_compute(t){const i=(0,r.dict)(t.data).get(this.field)??[];return Math.max(this.initial,(0,m.max)(i))}}a.Maximum=o,s=o,o.__name__=\"Maximum\",s.define((({Float:t,Str:i})=>({field:[i],initial:[t,-1/0]})))},\n", " function _(n,e,t,o,r){var s;o();const _=n(369);class m extends _.Expression{constructor(n){super(n)}get x(){return new c({transform:this})}get y(){return new u({transform:this})}}t.CoordinateTransform=m,m.__name__=\"CoordinateTransform\";class a extends _.Expression{constructor(n){super(n)}}t.XYComponent=a,s=a,a.__name__=\"XYComponent\",s.define((({Ref:n})=>({transform:[n(m)]})));class c extends a{constructor(n){super(n)}_v_compute(n){return this.transform.v_compute(n).x}}t.XComponent=c,c.__name__=\"XComponent\";class u extends a{constructor(n){super(n)}_v_compute(n){return this.transform.v_compute(n).y}}t.YComponent=u,u.__name__=\"YComponent\"},\n", " function _(r,t,e,n,o){var i;n();const a=r(1),s=r(375),c=r(21),l=a.__importStar(r(19));class d extends s.CoordinateTransform{constructor(r){super(r)}_v_compute(r){const t=this.properties.radius.uniform(r),e=this.properties.angle.uniform(r),n=\"anticlock\"==this.direction?-1:1,o=Math.min(t.length,e.length),i=new Float64Array(o),a=new Float64Array(o);for(let r=0;r({radius:[l.DistanceSpec,{field:\"radius\"}],angle:[l.AngleSpec,{field:\"angle\"}],direction:[c.Direction,\"anticlock\"]})))},\n", " function _(e,i,r,t,l){t(),l(\"BooleanFilter\",e(378).BooleanFilter),l(\"CustomJSFilter\",e(379).CustomJSFilter),l(\"Filter\",e(252).Filter),l(\"GroupFilter\",e(380).GroupFilter),l(\"IndexFilter\",e(381).IndexFilter),l(\"AllIndices\",e(253).AllIndices),l(\"InversionFilter\",e(382).InversionFilter),l(\"IntersectionFilter\",e(254).IntersectionFilter),l(\"UnionFilter\",e(383).UnionFilter),l(\"DifferenceFilter\",e(384).DifferenceFilter),l(\"SymmetricDifferenceFilter\",e(385).SymmetricDifferenceFilter)},\n", " function _(e,l,n,o,t){var s;o();const a=e(252),r=e(25);class c extends a.Filter{constructor(e){super(e)}compute_indices(e){const l=e.get_length()??1,{booleans:n}=this;return null==n?r.Indices.all_set(l):r.Indices.from_booleans(l,n)}}n.BooleanFilter=c,s=c,c.__name__=\"BooleanFilter\",s.define((({Bool:e,Iterable:l,Nullable:n})=>({booleans:[n(l(e)),null]})))},\n", " function _(e,r,s,t,n){var i;t();const o=e(252),c=e(25),u=e(9),a=e(8),l=e(41);class f extends o.Filter{constructor(e){super(e)}get names(){return(0,u.keys)(this.args)}get values(){return(0,u.values)(this.args)}get func(){const e=(0,l.use_strict)(this.code);return new Function(...this.names,\"source\",e)}compute_indices(e){const r=e.get_length()??1,s=this.func(...this.values,e);if(null==s)return c.Indices.all_set(r);if((0,a.isArrayOf)(s,a.isInteger))return c.Indices.from_indices(r,s);if((0,a.isArrayOf)(s,a.isBoolean))return c.Indices.from_booleans(r,s);throw new Error(`expect an array of integers or booleans, or null, got ${s}`)}}s.CustomJSFilter=f,i=f,f.__name__=\"CustomJSFilter\",i.define((({Unknown:e,Str:r,Dict:s})=>({args:[s(e),{}],code:[r,\"\"]})))},\n", " function _(n,e,t,o,r){var s;o();const u=n(252),c=n(25),i=n(20),l=n(27);class a extends u.Filter{constructor(n){super(n)}compute_indices(n){const e=n.get_column(this.column_name),t=n.get_length()??1;if(null==e)return i.logger.warn(`${this}: groupby column '${this.column_name}' not found in the data source`),c.Indices.all_set(t);{const n=new c.Indices(t,0),o=new l.Comparator;for(let t=0;t({column_name:[n],group:[e]})))},\n", " function _(e,n,t,i,l){var s;i();const c=e(252),r=e(25);class d extends c.Filter{constructor(e){super(e)}compute_indices(e){const n=e.get_length()??1,{indices:t}=this;return null==t?r.Indices.all_set(n):r.Indices.from_indices(n,t)}}t.IndexFilter=d,s=d,d.__name__=\"IndexFilter\",s.define((({Int:e,Iterable:n,Nullable:t})=>({indices:[t(n(e)),null]})))},\n", " function _(e,n,t,s,o){var i;s();const r=e(252);class c extends r.Filter{constructor(e){super(e)}connect_signals(){super.connect_signals();const e=()=>{this.change.emit()},n=n=>{for(const t of n)this.connect(t.change,e)},t=n=>{for(const t of n)this.disconnect(t.change,e)};let s=(()=>{const{operand:e}=this.properties;return e.is_unset?[]:[e.get_value()]})();n(s),this.on_change(this.properties.operand,(()=>{t(s),s=[this.operand],n(s)}))}compute_indices(e){const n=this.operand.compute_indices(e);return n.invert(),n}}t.InversionFilter=c,i=c,c.__name__=\"InversionFilter\",i.define((({Ref:e})=>({operand:[e(r.Filter)]})))},\n", " function _(n,e,o,t,i){t();const s=n(255);class _ extends s.CompositeFilter{constructor(n){super(n)}_inplace_op(n,e){n.add(e)}}o.UnionFilter=_,_.__name__=\"UnionFilter\"},\n", " function _(e,t,c,n,r){n();const i=e(255);class s extends i.CompositeFilter{constructor(e){super(e)}_inplace_op(e,t){e.subtract(t)}}c.DifferenceFilter=s,s.__name__=\"DifferenceFilter\"},\n", " function _(e,t,c,r,i){r();const n=e(255);class s extends n.CompositeFilter{constructor(e){super(e)}_inplace_op(e,t){e.symmetric_subtract(t)}}c.SymmetricDifferenceFilter=s,s.__name__=\"SymmetricDifferenceFilter\"},\n", " function _(e,a,t,l,r){l(),r(\"AnnularWedge\",e(387).AnnularWedge),r(\"Annulus\",e(388).Annulus),r(\"Arc\",e(389).Arc),r(\"Bezier\",e(390).Bezier),r(\"Block\",e(392).Block),r(\"Circle\",e(343).Circle),r(\"Ellipse\",e(394).Ellipse),r(\"Glyph\",e(236).Glyph),r(\"HArea\",e(248).HArea),r(\"HAreaStep\",e(245).HAreaStep),r(\"HBar\",e(396).HBar),r(\"HexTile\",e(397).HexTile),r(\"HSpan\",e(398).HSpan),r(\"HStrip\",e(399).HStrip),r(\"Image\",e(400).Image),r(\"ImageRGBA\",e(402).ImageRGBA),r(\"ImageStack\",e(403).ImageStack),r(\"ImageURL\",e(404).ImageURL),r(\"Line\",e(234).Line),r(\"MathMLGlyph\",e(405).MathMLGlyph),r(\"MultiLine\",e(408).MultiLine),r(\"MultiPolygons\",e(409).MultiPolygons),r(\"Ngon\",e(410).Ngon),r(\"Patch\",e(244).Patch),r(\"Patches\",e(411).Patches),r(\"Quad\",e(412).Quad),r(\"Quadratic\",e(413).Quadratic),r(\"Ray\",e(414).Ray),r(\"Rect\",e(415).Rect),r(\"Scatter\",e(416).Scatter),r(\"Segment\",e(419).Segment),r(\"Spline\",e(420).Spline),r(\"Step\",e(422).Step),r(\"TeXGlyph\",e(423).TeXGlyph),r(\"Text\",e(407).Text),r(\"VArea\",e(250).VArea),r(\"VAreaStep\",e(249).VAreaStep),r(\"VBar\",e(424).VBar),r(\"VSpan\",e(425).VSpan),r(\"VStrip\",e(426).VStrip),r(\"Wedge\",e(427).Wedge)},\n", " function _(e,t,i,s,r){var n;s();const a=e(1),_=e(235),d=e(236),h=e(242),o=e(95),u=e(25),l=e(21),c=a.__importStar(e(19)),g=e(11),x=e(144),p=e(13);class f extends _.XYGlyphView{async load_glglyph(){const{AnnularWedgeGL:t}=await Promise.resolve().then((()=>a.__importStar(e(578))));return t}_index_data(e){const{x:t,y:i,outer_radius:s,data_size:r}=this;for(let n=0;n\"data\"==this.model.properties.inner_radius.units?this.inherited_x&&this.inherited_inner_radius?d.inherit:this.sdist(this.renderer.xscale,this.x,this.inner_radius):this.inherited_inner_radius?d.inherit:(0,u.to_screen)(this.inner_radius))),this._define_or_inherit_attr(\"souter_radius\",(()=>\"data\"==this.model.properties.outer_radius.units?this.inherited_x&&this.inherited_outer_radius?d.inherit:this.sdist(this.renderer.xscale,this.x,this.outer_radius):this.inherited_outer_radius?d.inherit:(0,u.to_screen)(this.outer_radius))),this._define_or_inherit_attr(\"max_souter_radius\",(()=>(0,p.max)(this.souter_radius)))}_paint(e,t,i){const{sx:s,sy:r,start_angle:n,end_angle:a,sinner_radius:_,souter_radius:d}={...this,...i},h=\"anticlock\"==this.model.direction;for(const i of t){const t=s[i],o=r[i],u=_[i],l=d[i],c=n.get(i),g=a.get(i);if(!isFinite(t+o+u+l+c+g))continue;const x=g-c;e.translate(t,o),e.rotate(c),e.beginPath(),e.moveTo(l,0),e.arc(0,0,l,0,x,h),e.rotate(x),e.lineTo(u,0),e.arc(0,0,u,0,-x,!h),e.closePath(),e.rotate(-x-c),e.translate(-t,-o),this.visuals.fill.apply(e,i),this.visuals.hatch.apply(e,i),this.visuals.line.apply(e,i)}}_hit_point(e){const{sx:t,sy:i}=e,s=this.renderer.xscale.invert(t),r=this.renderer.yscale.invert(i),n=t-this.max_souter_radius,a=t+this.max_souter_radius,[_,d]=this.renderer.xscale.r_invert(n,a),h=i-this.max_souter_radius,o=i+this.max_souter_radius,[u,l]=this.renderer.yscale.r_invert(h,o),c=[];for(const e of this.index.indices({x0:_,x1:d,y0:u,y1:l})){const t=this.souter_radius[e]**2,i=this.sinner_radius[e]**2,[n,a]=this.renderer.xscale.r_compute(s,this.x[e]),[_,d]=this.renderer.yscale.r_compute(r,this.y[e]),h=(n-a)**2+(_-d)**2;h<=t&&h>=i&&c.push(e)}const p=\"anticlock\"==this.model.direction,f=[];for(const e of c){const s=Math.atan2(i-this.sy[e],t-this.sx[e]);(Math.abs(this.start_angle.get(e)-this.end_angle.get(e))>=2*Math.PI||(0,g.angle_between)(-s,-this.start_angle.get(e),-this.end_angle.get(e),p))&&f.push(e)}return new x.Selection({indices:f})}draw_legend_for_index(e,t,i){(0,h.generic_area_vector_legend)(this.visuals,e,t,i)}scenterxy(e){const t=(this.sinner_radius[e]+this.souter_radius[e])/2,i=(this.start_angle.get(e)+this.end_angle.get(e))/2;return[this.sx[e]+t*Math.cos(i),this.sy[e]+t*Math.sin(i)]}}i.AnnularWedgeView=f,f.__name__=\"AnnularWedgeView\";class m extends _.XYGlyph{constructor(e){super(e)}}i.AnnularWedge=m,n=m,m.__name__=\"AnnularWedge\",n.prototype.default_view=f,n.mixins([o.LineVector,o.FillVector,o.HatchVector]),n.define((({})=>({direction:[l.Direction,\"anticlock\"],inner_radius:[c.DistanceSpec,{field:\"inner_radius\"}],outer_radius:[c.DistanceSpec,{field:\"outer_radius\"}],start_angle:[c.AngleSpec,{field:\"start_angle\"}],end_angle:[c.AngleSpec,{field:\"end_angle\"}]})))},\n", " function _(i,s,e,t,r){var n;t();const a=i(1),_=i(235),u=i(236),d=i(25),h=i(95),o=a.__importStar(i(19)),c=i(144);class l extends _.XYGlyphView{async load_glglyph(){const{AnnulusGL:s}=await Promise.resolve().then((()=>a.__importStar(i(585))));return s}_index_data(i){const{x:s,y:e,outer_radius:t,data_size:r}=this;for(let n=0;n\"data\"==this.model.properties.inner_radius.units?this.inherited_x&&this.inherited_inner_radius?u.inherit:this.sdist(this.renderer.xscale,this.x,this.inner_radius):this.inherited_inner_radius?u.inherit:(0,d.to_screen)(this.inner_radius))),this._define_or_inherit_attr(\"souter_radius\",(()=>\"data\"==this.model.properties.outer_radius.units?this.inherited_x&&this.inherited_outer_radius?u.inherit:this.sdist(this.renderer.xscale,this.x,this.outer_radius):this.inherited_outer_radius?u.inherit:(0,d.to_screen)(this.outer_radius)))}_paint(i,s,e){const{sx:t,sy:r,sinner_radius:n,souter_radius:a}={...this,...e};for(const e of s){const s=t[e],_=r[e],u=n[e],d=a[e];isFinite(s+_+u+d)&&(i.beginPath(),i.arc(s,_,u,0,2*Math.PI,!0),i.moveTo(s+d,_),i.arc(s,_,d,2*Math.PI,0,!1),this.visuals.fill.apply(i,e),this.visuals.hatch.apply(i,e),this.visuals.line.apply(i,e))}}_hit_point(i){const{sx:s,sy:e}=i,t=this.renderer.xscale.invert(s),r=this.renderer.yscale.invert(e);let n,a,_,u;if(\"data\"==this.model.properties.outer_radius.units)n=t-this.max_outer_radius,_=t+this.max_outer_radius,a=r-this.max_outer_radius,u=r+this.max_outer_radius;else{const i=s-this.max_outer_radius,t=s+this.max_outer_radius;[n,_]=this.renderer.xscale.r_invert(i,t);const r=e-this.max_outer_radius,d=e+this.max_outer_radius;[a,u]=this.renderer.yscale.r_invert(r,d)}const d=[];for(const i of this.index.indices({x0:n,x1:_,y0:a,y1:u})){const s=this.souter_radius[i]**2,e=this.sinner_radius[i]**2,[n,a]=this.renderer.xscale.r_compute(t,this.x[i]),[_,u]=this.renderer.yscale.r_compute(r,this.y[i]),h=(n-a)**2+(_-u)**2;h<=s&&h>=e&&d.push(i)}return new c.Selection({indices:d})}draw_legend_for_index(i,{x0:s,y0:e,x1:t,y1:r},n){const a=n+1,_=new Array(a);_[n]=(s+t)/2;const u=new Array(a);u[n]=(e+r)/2;const d=.5*Math.min(Math.abs(t-s),Math.abs(r-e)),h=new Array(a);h[n]=.4*d;const o=new Array(a);o[n]=.8*d,this._paint(i,[n],{sx:_,sy:u,sinner_radius:h,souter_radius:o})}}e.AnnulusView=l,l.__name__=\"AnnulusView\";class x extends _.XYGlyph{constructor(i){super(i)}}e.Annulus=x,n=x,x.__name__=\"Annulus\",n.prototype.default_view=l,n.mixins([h.LineVector,h.FillVector,h.HatchVector]),n.define((({})=>({inner_radius:[o.DistanceSpec,{field:\"inner_radius\"}],outer_radius:[o.DistanceSpec,{field:\"outer_radius\"}]})))},\n", " function _(e,i,t,s,n){var r;s();const a=e(1),o=e(235),d=e(236),c=e(242),_=e(95),l=e(25),h=e(21),u=a.__importStar(e(19));class p extends o.XYGlyphView{_map_data(){this._define_or_inherit_attr(\"sradius\",(()=>\"data\"==this.model.properties.radius.units?this.inherited_x&&this.inherited_radius?d.inherit:this.sdist(this.renderer.xscale,this.x,this.radius):this.inherited_radius?d.inherit:(0,l.to_screen)(this.radius)))}_paint(e,i,t){if(!this.visuals.line.doit)return;const{sx:s,sy:n,sradius:r,start_angle:a,end_angle:o}={...this,...t},d=\"anticlock\"==this.model.direction;for(const t of i){const i=s[t],c=n[t],_=r[t],l=a.get(t),h=o.get(t);isFinite(i+c+_+l+h)&&(this._render_decorations(e,t,i,c,_,l,h,d),e.beginPath(),e.arc(i,c,_,l,h,d),this.visuals.line.apply(e,t))}}_render_decorations(e,i,t,s,n,r,a,o){const{sin:d,cos:c,PI:_}=Math;for(const o of this.decorations.values()){if(e.save(),\"start\"==o.model.node){const i=n*c(r)+t,a=n*d(r)+s;e.translate(i,a),e.rotate(r+_)}else if(\"end\"==o.model.node){const i=n*Math.cos(a)+t,r=n*Math.sin(a)+s;e.translate(i,r),e.rotate(a)}o.marking.paint(e,i),e.restore()}}draw_legend_for_index(e,i,t){(0,c.generic_line_vector_legend)(this.visuals,e,i,t)}}t.ArcView=p,p.__name__=\"ArcView\";class f extends o.XYGlyph{constructor(e){super(e)}}t.Arc=f,r=f,f.__name__=\"Arc\",r.prototype.default_view=p,r.mixins(_.LineVector),r.define((({})=>({direction:[h.Direction,\"anticlock\"],radius:[u.DistanceSpec,{field:\"radius\"}],start_angle:[u.AngleSpec,{field:\"start_angle\"}],end_angle:[u.AngleSpec,{field:\"end_angle\"}]})))},\n", " function _(e,i,t,s,c){var o;s();const n=e(1),r=e(95),d=e(236),x=e(242),y=e(391),a=n.__importStar(e(19));class _ extends d.GlyphView{_project_data(){this._project_xy(\"x0\",this.x0,\"y0\",this.y0),this._project_xy(\"x1\",this.x1,\"y1\",this.y1)}_index_data(e){const{data_size:i,x0:t,y0:s,x1:c,y1:o,cx0:n,cy0:r,cx1:d,cy1:x}=this;for(let a=0;a({x0:[a.XCoordinateSpec,{field:\"x0\"}],y0:[a.YCoordinateSpec,{field:\"y0\"}],x1:[a.XCoordinateSpec,{field:\"x1\"}],y1:[a.YCoordinateSpec,{field:\"y1\"}],cx0:[a.XCoordinateSpec,{field:\"cx0\"}],cy0:[a.YCoordinateSpec,{field:\"cy0\"}],cx1:[a.XCoordinateSpec,{field:\"cx1\"}],cy1:[a.YCoordinateSpec,{field:\"cy1\"}]}))),o.mixins(r.LineVector)},\n", " function _(n,t,o,c,s){c(),o.qbb=function(n,t,o,c,s,r){function u(n,t,o){if(t==(n+o)/2)return[n,o];{const c=(n-t)/(n-2*t+o),s=n*(1-c)**2+2*t*(1-c)*c+o*c**2;return[i(n,o,s),f(n,o,s)]}}const[e,a]=u(n,o,s),[x,y]=u(t,c,r);return{x0:e,x1:a,y0:x,y1:y}},o.cbb=function(n,t,o,c,s,i,f,a){const x=f,y=a;f=o,a=c;const b=s,h=i,l=[];for(let o=0;o<=2;o++){let c,s,r;if(0==o?(s=6*n-12*f+6*b,c=-3*n+9*f-9*b+3*x,r=3*f-3*n):(s=6*t-12*a+6*h,c=-3*t+9*a-9*h+3*y,r=3*a-3*t),u(c)<1e-12){if(u(s)<1e-12)continue;const n=-r/s;00;){const o=l[p],c=1-o,s=c**3*n+3*c**2*o*f+3*c*o**2*b+o**3*x,r=c**3*t+3*c**2*o*a+3*c*o**2*h+o**3*y;q[p]=s,A[p]=r}q[m]=n,A[m]=t,q[m+1]=x,A[m+1]=y;const[g,M,_,d]=(0,r.minmax2)(q,A);return{x0:g,x1:M,y0:_,y1:d}};const r=n(13),{abs:u,sqrt:e,min:i,max:f}=Math},\n", " function _(t,e,i,s,r){var h;s();const n=t(1),_=t(393),a=t(11),o=t(25),c=n.__importStar(t(19));class d extends _.LRTBView{scenterxy(t){return[this.sleft[t]/2+this.sright[t]/2,this.stop[t]/2+this.sbottom[t]/2]}_lrtb(t){const e=this.x[t],i=this.y[t],s=this.width.get(t),r=this.height.get(t),[h,n]=(0,a.minmax)(e,e+s),[_,o]=(0,a.minmax)(i,i+r);return{l:h,r:n,t:o,b:_}}_map_data(){const{sx:t,sy:e}=this,i=t.length;if(this.inherited_x&&this.inherited_width)this._inherit_attr(\"sleft\"),this._inherit_attr(\"sright\");else{const e=this.sdist(this.renderer.xscale,this.x,this.width,\"edge\"),s=new o.ScreenArray(i),r=new o.ScreenArray(i);for(let h=0;h({x:[c.XCoordinateSpec,{field:\"x\"}],y:[c.YCoordinateSpec,{field:\"y\"}],width:[c.DistanceSpec,{value:1}],height:[c.DistanceSpec,{value:1}]})))},\n", " function _(t,e,r,s,i){var n;s();const a=t(1),o=t(95),_=t(236),c=t(242),h=t(144),d=t(62),l=t(13),p=t(124),x=a.__importStar(t(127)),m=t(197);class u extends _.GlyphView{async load_glglyph(){const{LRTBGL:e}=await Promise.resolve().then((()=>a.__importStar(t(593))));return e}get_anchor_point(t,e,r){const s=Math.min(this.sleft[e],this.sright[e]),i=Math.max(this.sright[e],this.sleft[e]),n=Math.min(this.stop[e],this.sbottom[e]),a=Math.max(this.sbottom[e],this.stop[e]);switch(t){case\"top_left\":return{x:s,y:n};case\"top\":case\"top_center\":return{x:(s+i)/2,y:n};case\"top_right\":return{x:i,y:n};case\"bottom_left\":return{x:s,y:a};case\"bottom\":case\"bottom_center\":return{x:(s+i)/2,y:a};case\"bottom_right\":return{x:i,y:a};case\"left\":case\"center_left\":return{x:s,y:(n+a)/2};case\"center\":case\"center_center\":return{x:(s+i)/2,y:(n+a)/2};case\"right\":case\"center_right\":return{x:i,y:(n+a)/2}}}_set_data(t){super._set_data(t),this.border_radius=x.border_radius(this.model.border_radius)}_index_data(t){const{min:e,max:r}=Math,{data_size:s}=this;for(let i=0;ie(t,r.start))),this.inherited_sright||(0,l.inplace_map)(this.sright,(e=>t(e,r.end))),this.inherited_stop||(0,l.inplace_map)(this.stop,(t=>e(t,s.start))),this.inherited_sbottom||(0,l.inplace_map)(this.sbottom,(e=>t(e,s.end)))}_hit_rect(t){return this._hit_rect_against_index(t)}_hit_point(t){const{sx:e,sy:r}=t,s=this.renderer.xscale.invert(e),i=this.renderer.yscale.invert(r),n=[...this.index.indices({x0:s,y0:i,x1:s,y1:i})];return new h.Selection({indices:n})}_hit_span(t){const{sx:e,sy:r}=t;let s;if(\"v\"==t.direction){const t=this.renderer.yscale.invert(r),e=this.renderer.plot_view.frame.bbox.h_range,[i,n]=this.renderer.xscale.r_invert(e.start,e.end);s=[...this.index.indices({x0:i,y0:t,x1:n,y1:t})]}else{const t=this.renderer.xscale.invert(e),r=this.renderer.plot_view.frame.bbox.v_range,[i,n]=this.renderer.yscale.r_invert(r.start,r.end);s=[...this.index.indices({x0:t,y0:i,x1:t,y1:n})]}return new h.Selection({indices:s})}draw_legend_for_index(t,e,r){(0,c.generic_area_vector_legend)(this.visuals,t,e,r)}}r.LRTBView=u,u.__name__=\"LRTBView\";class y extends _.Glyph{constructor(t){super(t)}}r.LRTB=y,n=y,y.__name__=\"LRTB\",n.mixins([o.LineVector,o.FillVector,o.HatchVector]),n.define((()=>({border_radius:[p.BorderRadius,0]})))},\n", " function _(t,i,e,s,h){var r;s();const n=t(1),a=t(395),_=t(236),d=n.__importStar(t(243)),l=t(25),o=t(144),c=n.__importStar(t(19));class p extends a.CenterRotatableView{_map_data(){this._define_or_inherit_attr(\"swidth\",(()=>\"data\"==this.model.properties.width.units?this.inherited_x&&this.inherited_width?_.inherit:this.sdist(this.renderer.xscale,this.x,this.width,\"center\"):this.inherited_width?_.inherit:(0,l.to_screen)(this.width))),this._define_or_inherit_attr(\"sheight\",(()=>\"data\"==this.model.properties.height.units?this.inherited_y&&this.inherited_height?_.inherit:this.sdist(this.renderer.yscale,this.y,this.height,\"center\"):this.inherited_height?_.inherit:(0,l.to_screen)(this.height)))}_paint(t,i,e){const{sx:s,sy:h,swidth:r,sheight:n,angle:a}={...this,...e};for(const e of i){const i=s[e],_=h[e],d=r[e],l=n[e],o=a.get(e);isFinite(i+_+d+l+o)&&(t.beginPath(),t.ellipse(i,_,d/2,l/2,o,0,2*Math.PI),this.visuals.fill.apply(t,e),this.visuals.hatch.apply(t,e),this.visuals.line.apply(t,e))}}_hit_point(t){let i,e,s,h,r,n,a,_,l;const{sx:c,sy:p}=t,w=this.renderer.xscale.invert(c),x=this.renderer.yscale.invert(p);\"data\"==this.model.properties.width.units?(i=w-this.max_width,e=w+this.max_width):(n=c-this.max_width,a=c+this.max_width,[i,e]=this.renderer.xscale.r_invert(n,a)),\"data\"==this.model.properties.height.units?(s=x-this.max_height,h=x+this.max_height):(_=p-this.max_height,l=p+this.max_height,[s,h]=this.renderer.yscale.r_invert(_,l));const g=this.index.indices({x0:i,x1:e,y0:s,y1:h}),y=[];for(const t of g)r=d.point_in_ellipse(c,p,this.angle.get(t),this.sheight[t]/2,this.swidth[t]/2,this.sx[t],this.sy[t]),r&&y.push(t);return new o.Selection({indices:y})}draw_legend_for_index(t,{x0:i,y0:e,x1:s,y1:h},r){const n=r+1,a=new Array(n);a[r]=(i+s)/2;const _=new Array(n);_[r]=(e+h)/2;const d=this.swidth[r]/this.sheight[r],l=.8*Math.min(Math.abs(s-i),Math.abs(h-e)),o=new Array(n),p=new Array(n);d>1?(o[r]=l,p[r]=l/d):(o[r]=l*d,p[r]=l);const w=new c.UniformScalar(0,n);this._paint(t,[r],{sx:a,sy:_,swidth:o,sheight:p,angle:w})}}e.EllipseView=p,p.__name__=\"EllipseView\";class w extends a.CenterRotatable{constructor(t){super(t)}}e.Ellipse=w,r=w,w.__name__=\"Ellipse\",r.prototype.default_view=p},\n", " function _(e,t,i,a,n){var r;a();const s=e(1),h=e(235),o=e(95),_=s.__importStar(e(19));class c extends h.XYGlyphView{get max_w2(){return\"data\"==this.model.properties.width.units?this.max_width/2:0}get max_h2(){return\"data\"==this.model.properties.height.units?this.max_height/2:0}_bounds({x0:e,x1:t,y0:i,y1:a}){const{max_w2:n,max_h2:r}=this;return{x0:e-n,x1:t+n,y0:i-r,y1:a+r}}}i.CenterRotatableView=c,c.__name__=\"CenterRotatableView\";class l extends h.XYGlyph{constructor(e){super(e)}}i.CenterRotatable=l,r=l,l.__name__=\"CenterRotatable\",r.mixins([o.LineVector,o.FillVector,o.HatchVector]),r.define((({})=>({angle:[_.AngleSpec,0],width:[_.DistanceSpec,{field:\"width\"}],height:[_.DistanceSpec,{field:\"height\"}]})))},\n", " function _(t,e,i,s,r){var h;s();const n=t(1),a=t(393),_=t(25),o=n.__importStar(t(19));class c extends a.LRTBView{scenterxy(t){return[(this.sleft[t]+this.sright[t])/2,this.sy[t]]}_lrtb(t){const e=this.left[t],i=this.right[t],s=this.y[t],r=this.height.get(t)/2;return{l:Math.min(e,i),r:Math.max(e,i),t:s+r,b:s-r}}_map_data(){if(this.inherited_y&&this.inherited_height)this._inherit_attr(\"sheight\"),this._inherit_attr(\"stop\"),this._inherit_attr(\"sbottom\");else{const t=this.sdist(this.renderer.yscale,this.y,this.height,\"center\"),{sy:e}=this,i=this.sy.length,s=new _.ScreenArray(i),r=new _.ScreenArray(i);for(let h=0;h({left:[o.XCoordinateSpec,{value:0}],y:[o.YCoordinateSpec,{field:\"y\"}],height:[o.DistanceSpec,{value:1}],right:[o.XCoordinateSpec,{field:\"right\"}]})))},\n", " function _(e,t,s,i,r){var n;i();const a=e(1),o=e(236),c=a.__importStar(e(243)),l=a.__importStar(e(19)),_=e(95),h=e(21),d=e(242),p=e(144);class x extends o.GlyphView{async load_glglyph(){const{HexTileGL:t}=await Promise.resolve().then((()=>a.__importStar(e(589))));return t}scenterxy(e){return[this.sx[e],this.sy[e]]}_set_data(){const{orientation:e,size:t,aspect_scale:s}=this.model,{q:i,r}=this,n=this.q.length,a=new Float64Array(n),o=new Float64Array(n),c=Math.sqrt(3);if(\"pointytop\"==e)for(let e=0;e{if(\"v\"==e.direction){const{sy:t}=e,s=this.renderer.yscale.invert(t),i=this.renderer.plot_view.frame.bbox.h_range,[r,n]=this.renderer.xscale.r_invert(i.start,i.end);return{x0:r,y0:s,x1:n,y1:s}}{const{sx:t}=e,s=this.renderer.xscale.invert(t),i=this.renderer.plot_view.frame.bbox.v_range,[r,n]=this.renderer.yscale.r_invert(i.start,i.end);return{x0:s,y0:r,x1:s,y1:n}}})(),s=[...this.index.indices(t)];return new p.Selection({indices:s})}_hit_rect(e){const{sx0:t,sx1:s,sy0:i,sy1:r}=e,[n,a]=this.renderer.xscale.r_invert(t,s),[o,c]=this.renderer.yscale.r_invert(i,r),l=[...this.index.indices({x0:n,x1:a,y0:o,y1:c})];return new p.Selection({indices:l})}draw_legend_for_index(e,t,s){(0,d.generic_area_vector_legend)(this.visuals,e,t,s)}}s.HexTileView=x,x.__name__=\"HexTileView\";class y extends o.Glyph{constructor(e){super(e)}}s.HexTile=y,n=y,y.__name__=\"HexTile\",n.prototype.default_view=x,n.mixins([_.LineVector,_.FillVector,_.HatchVector]),n.define((({Float:e})=>({r:[l.NumberSpec,{field:\"r\"}],q:[l.NumberSpec,{field:\"q\"}],scale:[l.NumberSpec,1],size:[e,1],aspect_scale:[e,1],orientation:[h.HexTileOrientation,\"pointytop\"]}))),n.override({line_color:null})},\n", " function _(t,e,i,n,s){var _;n();const r=t(1),a=t(236),o=t(242),d=t(144),c=t(95),h=r.__importStar(t(40)),p=t(13),l=t(10),y=r.__importStar(t(19)),{abs:f,max:u}=Math;class x extends a.GlyphView{after_visuals(){super.after_visuals(),this.max_line_width=h.max(this.line_width)}_index_data(t){for(const e of this.y)t.add_point(0,e)}_bounds(t){const{y0:e,y1:i}=t;return{x0:NaN,x1:NaN,y0:e,y1:i}}_map_data(){super._map_data();const{round:t}=Math;if(!this.inherited_sy){const e=(0,p.map)(this.sy,(e=>t(e)));this._define_attr(\"sy\",e)}}scenterxy(t){const{hcenter:e}=this.renderer.plot_view.frame.bbox;return[e,this.sy[t]]}_paint(t,e,i){const{sy:n}={...this,...i},{left:s,right:_}=this.renderer.plot_view.frame.bbox;for(const i of e){const e=n[i];isFinite(e)&&(t.beginPath(),t.moveTo(s,e),t.lineTo(_,e),this.visuals.line.apply(t,i))}}_get_candidates(t,e){const{max_line_width:i}=this,[n,s]=this.renderer.yscale.r_invert(t-i,(e??t)+i);return this.index.indices({x0:0,x1:0,y0:n,y1:s})}_find_spans(t,e){const{sy:i,line_width:n}=this,s=[];for(const _ of t){e(i[_],n.get(_))&&s.push(_)}return s}_hit_point(t){const{sy:e}=t,i=this._get_candidates(e),n=this._find_spans(i,((t,i)=>f(t-e)<=u(i/2,2)));return new d.Selection({indices:n})}_hit_span(t){const e=(()=>{if(\"v\"==t.direction)return(0,l.range)(0,this.data_size);{const{sy:e}=t,i=this._get_candidates(e);return this._find_spans(i,((t,i)=>f(t-e)<=u(i/2,2)))}})();return new d.Selection({indices:e})}_hit_rect(t){const e=(()=>{const{sy0:e,sy1:i}=t,n=this._get_candidates(e,i);return this._find_spans(n,((t,n)=>e-n/2<=t&&t<=i+n/2))})();return new d.Selection({indices:e})}draw_legend_for_index(t,e,i){(0,o.generic_line_vector_legend)(this.visuals,t,e,i)}}i.HSpanView=x,x.__name__=\"HSpanView\";class m extends a.Glyph{constructor(t){super(t)}}i.HSpan=m,_=m,m.__name__=\"HSpan\",_.prototype.default_view=x,_.mixins([c.LineVector]),_.define((()=>({y:[y.YCoordinateSpec,{field:\"y\"}]})))},\n", " function _(t,e,i,s,r){var n;s();const a=t(1),_=t(236),o=t(242),h=t(144),c=t(95),d=t(25),l=t(13),p=a.__importStar(t(14)),y=t(10),f=a.__importStar(t(19));class u extends _.GlyphView{async lazy_initialize(){await super.lazy_initialize();const{webgl:e}=this.renderer.plot_view.canvas_view;if(null!=e&&e.regl_wrapper.has_webgl){const{LRTBGL:i}=await Promise.resolve().then((()=>a.__importStar(t(593))));this.glglyph=new i(e.regl_wrapper,this)}}get sleft(){const{left:t}=this.renderer.plot_view.frame.bbox,e=this.data_size,i=new d.ScreenArray(e);return i.fill(t),i}get sright(){const{right:t}=this.renderer.plot_view.frame.bbox,e=this.data_size,i=new d.ScreenArray(e);return i.fill(t),i}get stop(){return this.sy0}get sbottom(){return this.sy1}_set_data(t){super._set_data(t);const{abs:e}=Math,{max:i,map:s,zip:r}=p,{y0:n,y1:a}=this;if(this.inherited_y0&&this.inherited_y1)this._inherit_attr(\"max_height\");else{const t=i(s(r(n,a),(([t,i])=>e(t-i))));this._define_attr(\"max_height\",t)}}_index_data(t){const{y0:e,y1:i,data_size:s}=this;for(let r=0;rt(e)));this._define_attr(\"sy0\",e)}if(!this.inherited_sy1){const e=(0,l.map)(this.sy1,(e=>t(e)));this._define_attr(\"sy1\",e)}}scenterxy(t){const{hcenter:e}=this.renderer.plot_view.frame.bbox;return[e,(this.sy0[t]+this.sy1[t])/2]}_paint(t,e,i){const{sy0:s,sy1:r}={...this,...i},{left:n,right:a,width:_}=this.renderer.plot_view.frame.bbox;for(const i of e){const e=s[i],o=r[i];isFinite(e+o)&&(t.beginPath(),t.rect(n,e,_,o-e),this.visuals.fill.apply(t,i),this.visuals.hatch.apply(t,i),t.beginPath(),t.moveTo(n,e),t.lineTo(a,e),t.moveTo(n,o),t.lineTo(a,o),this.visuals.line.apply(t,i))}}_get_candidates(t,e){const{max_height:i}=this,[s,r]=this.renderer.yscale.r_invert(t,e??t),n=s-i,a=r+i;return this.index.indices({x0:0,x1:0,y0:n,y1:a})}_find_strips(t,e){function i(t,i){return t<=i?e(t,i):e(i,t)}const{sy0:s,sy1:r}=this,n=[];for(const e of t){i(s[e],r[e])&&n.push(e)}return n}_hit_point(t){const{sy:e}=t,i=this._get_candidates(e),s=this._find_strips(i,((t,i)=>t<=e&&e<=i));return new h.Selection({indices:s})}_hit_span(t){const e=(()=>{if(\"v\"==t.direction)return(0,y.range)(0,this.data_size);{const{sy:e}=t,i=this._get_candidates(e);return this._find_strips(i,((t,i)=>t<=e&&e<=i))}})();return new h.Selection({indices:e})}_hit_rect(t){const e=(()=>{const{sy0:e,sy1:i}=t,s=this._get_candidates(e,i);return this._find_strips(s,((t,s)=>e<=t&&t<=i&&e<=s&&s<=i))})();return new h.Selection({indices:e})}draw_legend_for_index(t,e,i){(0,o.generic_area_vector_legend)(this.visuals,t,e,i)}}i.HStripView=u,u.__name__=\"HStripView\";class g extends _.Glyph{constructor(t){super(t)}}i.HStrip=g,n=g,g.__name__=\"HStrip\",n.prototype.default_view=u,n.mixins([c.LineVector,c.FillVector,c.HatchVector]),n.define((()=>({y0:[f.YCoordinateSpec,{field:\"y0\"}],y1:[f.YCoordinateSpec,{field:\"y1\"}]})))},\n", " function _(e,t,r,a,n){var i,o,_=this&&this.__createBinding||(Object.create?function(e,t,r,a){void 0===a&&(a=r);var n=Object.getOwnPropertyDescriptor(t,r);n&&!(\"get\"in n?!t.__esModule:n.writable||n.configurable)||(n={enumerable:!0,get:function(){return t[r]}}),Object.defineProperty(e,a,n)}:function(e,t,r,a){void 0===a&&(a=r),e[a]=t[r]}),s=this&&this.__setModuleDefault||(Object.create?function(e,t){Object.defineProperty(e,\"default\",{enumerable:!0,value:t})}:function(e,t){e.default=t}),c=this&&this.__importStar||(i=function(e){return i=Object.getOwnPropertyNames||function(e){var t=[];for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&(t[t.length]=r);return t},i(e)},function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var r=i(e),a=0;ac(e(590))));return t}connect_signals(){super.connect_signals(),this.connect(this.model.color_mapper.change,(()=>this._update_image()))}_update_image(){this.has_webgl()&&this.glglyph.set_image_changed(),null!=this.image_data&&(this._set_data(null),this.renderer.request_paint())}get _can_inherit_image_data(){return super._can_inherit_image_data&&this._can_inherit_from(this.model.properties.color_mapper,this.base)}_flat_img_to_buf8(e){return this.model.color_mapper.rgba_mapper.v_compute(e)}}r.ImageView=f,f.__name__=\"ImageView\";class d extends l.ImageBase{constructor(e){super(e)}}r.Image=d,o=d,d.__name__=\"Image\",o.prototype.default_view=f,o.define((({Ref:e})=>({color_mapper:[e(u.ColorMapper),()=>new p.LinearColorMapper({palette:[\"#000000\",\"#252525\",\"#525252\",\"#737373\",\"#969696\",\"#bdbdbd\",\"#d9d9d9\",\"#f0f0f0\",\"#ffffff\"]})]})))},\n", " function _(t,e,i,s,a){var r;s();const n=t(1),h=t(235),_=t(236),o=t(25),d=t(21),g=n.__importStar(t(19)),c=n.__importStar(t(95)),l=t(144),m=t(12),u=t(124),x=t(127),f=t(115);class y extends h.XYGlyphView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.global_alpha.change,(()=>this.renderer.request_paint()))}get image_dimension(){return 2}get xy_scale(){switch(this.model.origin){case\"bottom_left\":return{x:1,y:-1};case\"top_left\":return{x:1,y:1};case\"bottom_right\":return{x:-1,y:-1};case\"top_right\":return{x:-1,y:1}}}get xy_offset(){switch(this.model.origin){case\"bottom_left\":return{x:0,y:1};case\"top_left\":return{x:0,y:0};case\"bottom_right\":return{x:1,y:1};case\"top_right\":return{x:1,y:0}}}get xy_anchor(){return(0,x.anchor)(this.model.anchor)}get xy_sign(){const t=this.renderer.xscale.source_range,e=this.renderer.yscale.source_range;return{x:t.is_reversed?-1:1,y:e.is_reversed?-1:1}}_paint(t,e,i){const{image_data:s,sx:a,sy:r,sdw:n,sdh:h}={...this,...i},{xy_sign:_,xy_scale:o,xy_offset:d,xy_anchor:g}=this;if((0,m.assert)(null!=s),t.save(),t.imageSmoothingEnabled=!1,this.visuals.image.doit)for(const i of e){const e=s[i],c=a[i],l=r[i],m=n[i],u=h[i];if(null==e||!isFinite(c+l+m+u))continue;const x=_.x*g.x*m,f=_.y*g.y*u;t.save(),t.translate(c-x,l-f),t.scale(_.x*o.x,_.y*o.y),this.visuals.image.set_vectorize(t,i),t.drawImage(e,-d.x*m,-d.y*u,m,u),t.restore()}t.restore()}get _can_inherit_image_data(){return this.inherited_image}_set_data(t){const e=this.data_size;if(this._can_inherit_image_data)this._inherit_attr(\"image_data\"),this._inherit_attr(\"image_width\"),this._inherit_attr(\"image_height\");else{void 0!==this.image_data&&this.image_data.length==e||(this._define_attr(\"image_data\",new Array(e).fill(null)),this._define_attr(\"image_width\",new Uint32Array(e)),this._define_attr(\"image_height\",new Uint32Array(e)));const{image_dimension:i}=this;for(let s=0;s\"data\"==this.model.properties.dw.units?this.inherited_x&&this.inherited_dw?_.inherit:this.sdist(this.renderer.xscale,this.x,this.dw,\"edge\",this.model.dilate):this.inherited_dw?_.inherit:(0,o.to_screen)(this.dw))),this._define_or_inherit_attr(\"sdh\",(()=>\"data\"==this.model.properties.dh.units?this.inherited_y&&this.inherited_dh?_.inherit:this.sdist(this.renderer.yscale,this.y,this.dh,\"edge\",this.model.dilate):this.inherited_dh?_.inherit:(0,o.to_screen)(this.dh)))}_image_index(t,e,i){const[s,a,r,n]=this._lrtb(t),h=this.image_width[t],_=this.image_height[t],o=(()=>this.renderer.xscale instanceof f.LogScale?Math.log(e/s)/Math.log(a/s):(e-s)/(a-s))(),d=(()=>this.renderer.yscale instanceof f.LogScale?Math.log(i/n)/Math.log(r/n):(i-n)/(r-n))(),g=Math.floor(o*h),c=Math.floor(d*_);return{index:t,i:g,j:c,flat_index:c*h+g}}_hit_point(t){const{sx:e,sy:i}=t,s=this.renderer.xscale.invert(e),a=this.renderer.yscale.invert(i),r=this.index.indices({x0:s,x1:s,y0:a,y1:a}),n=new l.Selection,h=[];for(const t of r)isFinite(e)&&isFinite(i)&&(h.push(t),n.image_indices.push(this._image_index(t,s,a)));return n.indices=h,n}}i.ImageBaseView=y,y.__name__=\"ImageBaseView\";class w extends h.XYGlyph{constructor(t){super(t)}}i.ImageBase=w,r=w,w.__name__=\"ImageBase\",r.mixins(c.ImageVector),r.define((({Bool:t})=>({image:[g.NDArraySpec,{field:\"image\"}],dw:[g.DistanceSpec,{field:\"dw\"}],dh:[g.DistanceSpec,{field:\"dh\"}],dilate:[t,!1],origin:[d.ImageOrigin,\"bottom_left\"],anchor:[u.Anchor,\"bottom_left\"]})))},\n", " function _(e,t,r,n,a){var i,o,u=this&&this.__createBinding||(Object.create?function(e,t,r,n){void 0===n&&(n=r);var a=Object.getOwnPropertyDescriptor(t,r);a&&!(\"get\"in a?!t.__esModule:a.writable||a.configurable)||(a={enumerable:!0,get:function(){return t[r]}}),Object.defineProperty(e,n,a)}:function(e,t,r,n){void 0===n&&(n=r),e[n]=t[r]}),c=this&&this.__setModuleDefault||(Object.create?function(e,t){Object.defineProperty(e,\"default\",{enumerable:!0,value:t})}:function(e,t){e.default=t}),s=this&&this.__importStar||(i=function(e){return i=Object.getOwnPropertyNames||function(e){var t=[];for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&(t[t.length]=r);return t},i(e)},function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var r=i(e),n=0;ns(e(590))));return t}_flat_img_to_buf8(e){const t=(0,f.isTypedArray)(e)?e:new Uint32Array(e);return new Uint8ClampedArray(t.buffer)}}r.ImageRGBAView=_,_.__name__=\"ImageRGBAView\";class g extends l.ImageBase{constructor(e){super(e)}}r.ImageRGBA=g,o=g,g.__name__=\"ImageRGBA\",o.prototype.default_view=_},\n", " function _(e,t,a,r,n){var i,o,_=this&&this.__createBinding||(Object.create?function(e,t,a,r){void 0===r&&(r=a);var n=Object.getOwnPropertyDescriptor(t,a);n&&!(\"get\"in n?!t.__esModule:n.writable||n.configurable)||(n={enumerable:!0,get:function(){return t[a]}}),Object.defineProperty(e,r,n)}:function(e,t,a,r){void 0===r&&(r=a),e[r]=t[a]}),s=this&&this.__setModuleDefault||(Object.create?function(e,t){Object.defineProperty(e,\"default\",{enumerable:!0,value:t})}:function(e,t){e.default=t}),c=this&&this.__importStar||(i=function(e){return i=Object.getOwnPropertyNames||function(e){var t=[];for(var a in e)Object.prototype.hasOwnProperty.call(e,a)&&(t[t.length]=a);return t},i(e)},function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var a=i(e),r=0;rc(e(590))));return t}connect_signals(){super.connect_signals(),this.connect(this.model.color_mapper.change,(()=>this._update_image()))}get image_dimension(){return 3}_update_image(){this.has_webgl()&&this.glglyph.set_image_changed(),null!=this.image_data&&(this._set_data(null),this.renderer.request_paint())}get _can_inherit_image_data(){return super._can_inherit_image_data&&this._can_inherit_from(this.model.properties.color_mapper,this.base)}_flat_img_to_buf8(e){return this.model.color_mapper.rgba_mapper.v_compute(e)}}a.ImageStackView=g,g.__name__=\"ImageStackView\";class p extends l.ImageBase{constructor(e){super(e)}}a.ImageStack=p,o=p,p.__name__=\"ImageStack\",o.prototype.default_view=g,o.define((({Ref:e})=>({color_mapper:[e(u.StackColorMapper)]})))},\n", " function _(e,t,i,s,r){var n;s();const a=e(1),h=e(235),l=e(236),o=e(25),d=e(21),_=a.__importStar(e(19)),c=e(10),u=e(13),m=e(191),g=a.__importStar(e(127));class p extends h.XYGlyphView{constructor(){super(...arguments),this._images_rendered=!1,this.image=new Array(0),this._set_data_iteration=0}connect_signals(){super.connect_signals(),this.connect(this.model.properties.global_alpha.change,(()=>this.renderer.request_paint()))}_index_data(e){const{data_size:t}=this;for(let i=0;i{this._set_data_iteration!=r||this.resolved.get(n)||(this.resolved.set(n),this.image[n]=e,this.loaders[n]=null,this.renderer.request_paint())},failed:()=>{if(this._set_data_iteration==r){this.resolved.set(n),this.loaders[n]=null;null!=this.image[n]&&(this.image[n]=null,this.renderer.request_paint())}},attempts:i+1,timeout:s});this.loaders[n]=a}const n=\"data\"==this.model.properties.w.units,a=\"data\"==this.model.properties.h.units,h=this.data_size,l=new o.ScreenArray(n?2*h:h),d=new o.ScreenArray(a?2*h:h);this.anchor=g.anchor(this.model.anchor);const{x:_,y:p}=this.anchor;function f(e,t){const i=e-_*t;return[i,i+t]}function w(e,t){const i=e+p*t;return[i,i-t]}if(n)for(let e=0;ethis.w.map((e=>e??NaN)),t=()=>this.h.map((e=>e??NaN));this._define_or_inherit_attr(\"sw\",(()=>\"data\"==this.model.properties.w.units?this.inherited_x&&this.inherited_w?l.inherit:this.sdist(this.renderer.xscale,this.x,e(),\"edge\",this.model.dilate):this.inherited_w?l.inherit:(0,o.to_screen)(e()))),this._define_or_inherit_attr(\"sh\",(()=>\"data\"==this.model.properties.h.units?this.inherited_y&&this.inherited_h?l.inherit:this.sdist(this.renderer.yscale,this.y,t(),\"edge\",this.model.dilate):this.inherited_h?l.inherit:(0,o.to_screen)(t())))}_paint(e,t,i){const{sx:s,sy:r,sw:n,sh:a,angle:h,global_alpha:l}={...this,...i},{image:o,loaders:d,resolved:_}=this,{frame:c}=this.renderer.plot_view,{left:u,top:m,width:g,height:p}=c.bbox;e.beginPath(),e.rect(u+1,m+1,g-2,p-2),e.clip();let f=!0;for(const i of t){const t=d[i];if(!isFinite(s[i]+r[i]+h.get(i)+l.get(i)))continue;_.get(i)||(null!=t&&t.image.complete?(o[i]=t.image,d[i]=null,_.set(i)):f=!1);const c=o[i];null!=c&&(0==c.naturalWidth&&0==c.naturalHeight||this._render_image(e,i,c,s,r,n,a,h,l))}f&&!this._images_rendered&&(this._images_rendered=!0,this.notify_finished())}_render_image(e,t,i,s,r,n,a,h,l){isFinite(n[t])||(n[t]=i.width),isFinite(a[t])||(a[t]=i.height);const o=n[t],d=a[t],{anchor:_}=this,c=_.x*o,u=_.y*d,m=s[t]-c,g=r[t]-u,p=h.get(t),f=l.get(t);e.save(),e.globalAlpha=f;const w=o/2,y=d/2;0!=p?(e.translate(m,g),e.translate(w,y),e.rotate(p),e.translate(-w,-y),e.drawImage(i,0,0,o,d),e.translate(w,y),e.rotate(-p),e.translate(-w,-y),e.translate(-m,-g)):e.drawImage(i,m,g,o,d),e.restore()}bounds(){return this._bounds_rect}}i.ImageURLView=p,p.__name__=\"ImageURLView\";class f extends h.XYGlyph{constructor(e){super(e)}}i.ImageURL=f,n=f,f.__name__=\"ImageURL\",n.prototype.default_view=p,n.define((({Bool:e,Int:t})=>({url:[_.StringSpec,{field:\"url\"}],anchor:[d.Anchor,\"top_left\"],global_alpha:[_.NumberSpec,{value:1}],angle:[_.AngleSpec,0],w:[_.NullDistanceSpec,null],h:[_.NullDistanceSpec,null],dilate:[e,!1],retry_attempts:[t,0],retry_timeout:[t,0]})))},\n", " function _(t,e,a,h,l){var M;h();const _=t(406),n=t(190);class p extends _.MathTextGlyphView{_build_label(t){return new n.MathML({text:t})}}a.MathMLGlyphView=p,p.__name__=\"MathMLGlyphView\";class s extends _.MathTextGlyph{constructor(t){super(t)}}a.MathMLGlyph=s,M=s,s.__name__=\"MathMLGlyph\",M.prototype.default_view=p},\n", " function _(e,t,s,i,l){i();const a=e(407),n=e(190),r=e(69),h=e(14);class _ extends a.TextView{constructor(){super(...arguments),this._label_views=new Map}remove(){(0,r.remove_views)(this._label_views),super.remove()}*children(){yield*super.children(),yield*this._label_views.values()}has_finished(){if(!super.has_finished())return!1;for(const e of this._label_views.values())if(!e.has_finished())return!1;return!0}async _build_labels(e){const t=Array.from(e,(e=>null==e?null:this._build_label(e)));return await(0,r.build_views)(this._label_views,t.filter((e=>null!=e)),{parent:this.renderer}),t.map((e=>null==e?null:this._label_views.get(e).graphics()))}async after_lazy_visuals(){await super.after_lazy_visuals();const e=[...this._label_views.values()].map((e=>e instanceof n.MathTextView?e.request_image():null));await Promise.allSettled(e);const{left:t,right:s,top:i,bottom:l}=this.padding;for(const[e,a]of(0,h.enumerate)(this.labels)){if(null==e)continue;if(!(e instanceof n.MathTextView))continue;const r=e.size(),h=t+r.width+s,_=i+r.height+l;this.swidth[a]=h,this.sheight[a]=_}}}s.MathTextGlyphView=_,_.__name__=\"MathTextGlyphView\";class u extends a.Text{constructor(e){super(e)}}s.MathTextGlyph=u,u.__name__=\"MathTextGlyph\"},\n", " function _(t,e,a,i,s){var n;i();const o=t(1),r=t(235),l=o.__importStar(t(95)),h=o.__importStar(t(19)),c=t(40),_=t(144),d=t(62),u=t(14),x=t(73),p=t(192),g=t(124),f=o.__importStar(t(127)),y=t(197),b=t(11);class w extends h.DataSpec{}w.__name__=\"TextAnchorSpec\";class m extends h.DataSpec{}m.__name__=\"OutlineShapeSpec\";class v extends r.XYGlyphView{async _build_labels(t){return Array.from(t,(t=>{if(null==t)return null;{const e=`${t}`;return new p.TextBox({text:e})}}))}async _set_lazy_data(){this.inherited_text?this._inherit_attr(\"labels\"):this._define_attr(\"labels\",await this._build_labels(this.text))}after_visuals(){super.after_visuals();const t=this.data_size,{anchor:e}=this.base??this,{padding:a,border_radius:i}=this.model,{text_align:s,text_baseline:n}=this.visuals.text;if(e.is_Scalar()&&\"auto\"!=e.value)this.anchor_=new c.UniformScalar(f.anchor(e.value),t);else if(e.is_Scalar()&&s.is_Scalar()&&n.is_Scalar())this.anchor_=new c.UniformScalar(f.text_anchor(e.value,s.value,n.value),t);else{const a=new Array(t);for(let i=0;i{const{x:t,y:e,width:a,height:s}=i;if(a>s){const i=(a-s)/2;return new d.BBox({x:t,y:e-i,width:a,height:a})}{const i=(s-a)/2;return new d.BBox({x:t-i,y:e,width:s,height:s})}})();(0,y.round_rect)(t,e,n);break}case\"circle\":{const e=i.x_center,a=i.y_center,s=(0,b.sqrt)(i.width**2+i.height**2)/2;t.arc(e,a,s,0,2*b.PI,!1);break}case\"ellipse\":{const e=i.x_center,a=i.y_center,s=1.5,n=i.width/2,o=i.height/2,r=(0,b.sqrt)(n**2+n**(2/s)*o**(2-2/s)),l=(0,b.sqrt)(o**2+o**(2/s)*n**(2-2/s));t.ellipse(e,a,r,l,0,0,2*b.PI);break}case\"trapezoid\":{const{left:e,right:a,top:s,bottom:n,width:o}=i,r=.2*o;t.moveTo(e,s),t.lineTo(a,s),t.lineTo(a+r,n),t.lineTo(e-r,n),t.closePath();break}case\"parallelogram\":{const{left:e,right:a,top:s,bottom:n,width:o}=i,r=.2*o;t.moveTo(e,s),t.lineTo(a+r,s),t.lineTo(a,n),t.lineTo(e-r,n),t.closePath();break}case\"diamond\":{const{x_center:e,y_center:a,width:s,height:n}=i;t.moveTo(e,a-n),t.lineTo(s+s/2,a),t.lineTo(e,a+n),t.lineTo(-s/2,a),t.closePath();break}case\"triangle\":{const e=i.width,a=i.height,s=(0,b.sqrt)(3)/2*e,n=a+s;t.translate(e/2,-s),t.moveTo(0,0),t.lineTo(n/2,n),t.lineTo(-n/2,n),t.closePath(),t.translate(-e/2,s);break}}s.fill.apply(t,e),s.hatch.apply(t,e),s.line.apply(t,e)}_hit_point(t){const e={x:t.sx,y:t.sy},{sx:a,sy:i,x_offset:s,y_offset:n,angle:o,labels:r}=this,{anchor_:l}=this,{swidth:h,sheight:c}=this,d=this.data_size,u=[];for(let t=0;t({text:[h.NullStringSpec,{field:\"text\"}],angle:[h.AngleSpec,0],x_offset:[h.NumberSpec,0],y_offset:[h.NumberSpec,0],anchor:[w,{value:\"auto\"}],padding:[g.Padding,0],border_radius:[g.BorderRadius,0],outline_shape:[m,\"box\"]}))),n.override({border_line_color:null,background_fill_color:null,background_hatch_color:null})},\n", " function _(t,e,s,i,n){var o;i();const r=t(1),l=t(95),_=r.__importStar(t(243)),a=r.__importStar(t(19)),c=t(13),h=t(236),d=t(242),x=t(144);class g extends h.GlyphView{async load_glglyph(){const{MultiLineGL:e}=await Promise.resolve().then((()=>r.__importStar(t(594))));return e}_project_data(){this._project_xy(\"xs\",this.xs.data,\"ys\",this.ys.data)}_index_data(t){const{data_size:e}=this;for(let s=0;s0&&o.set(t,s)}return new x.Selection({indices:[...o.keys()],multiline_indices:o})}get_interpolation_hit(t,e,s){const i=this.xs.get(t),n=this.ys.get(t),o=i[e],r=n[e],l=i[e+1],_=n[e+1];return(0,d.line_interpolation)(this.renderer,s,o,r,l,_)}draw_legend_for_index(t,e,s){(0,d.generic_line_vector_legend)(this.visuals,t,e,s)}scenterxy(){throw new Error(`${this}.scenterxy() is not implemented`)}}s.MultiLineView=g,g.__name__=\"MultiLineView\";class y extends h.Glyph{constructor(t){super(t)}}s.MultiLine=y,o=y,y.__name__=\"MultiLine\",o.prototype.default_view=g,o.define((({})=>({xs:[a.XCoordinateSeqSpec,{field:\"xs\"}],ys:[a.YCoordinateSeqSpec,{field:\"ys\"}]}))),o.mixins(l.LineVector)},\n", " function _(t,e,s,n,i){var o;n();const r=t(1),l=t(238),h=t(236),a=t(242),_=t(13),c=t(13),d=t(95),y=r.__importStar(t(243)),f=r.__importStar(t(19)),x=t(144),g=t(12);class p extends h.GlyphView{_project_data(){}_index_data(t){const{min:e,max:s}=Math,{data_size:n}=this;for(let i=0;i1&&c.length>1)for(let s=1,n=i.length;s{const t=this.renderer.xscale.v_invert(e),n=this.renderer.yscale.v_invert(s),[i,o,r,l]=(0,_.minmax2)(t,n);return this.index.indices({x0:i,x1:o,y0:r,y1:l})})(),o=[];for(const t of i){const i=this.sxs[t],r=this.sys[t];let l=!n;const h=i.length;for(let t=0;t1){let r=!1;for(let t=1;t({xs:[f.XCoordinateSeqSeqSeqSpec,{field:\"xs\"}],ys:[f.YCoordinateSeqSeqSeqSpec,{field:\"ys\"}]}))),o.mixins([d.LineVector,d.FillVector,d.HatchVector])},\n", " function _(e,n,t,s,i){var r;s();const o=e(1),c=e(305),a=e(13),l=e(243),h=o.__importStar(e(19)),y=e(144);function _(e,n,t,s,i){const r=new Float32Array(s),o=new Float32Array(s),c=2*Math.PI/s;for(let a=0;ao.__importStar(e(596))));return n}_paint(e,n,t){const{sx:s,sy:i,sradius:r,angle:o,n:c}={...this,...t};for(const t of n){const n=s[t],a=i[t],l=r[t],h=o.get(t),y=c.get(t);if(y<3||!isFinite(n+a+l+h+y))continue;const[d,p]=_(n,a,l,y,h);e.beginPath(),e.moveTo(d[0],p[0]);for(let n=1;n<=y;n++)e.lineTo(d[n],p[n]);e.closePath(),this.visuals.fill.apply(e,t),this.visuals.hatch.apply(e,t),this.visuals.line.apply(e,t)}}_ngon(e){const{sx:n,sy:t,sradius:s,angle:i,n:r}={...this},o=n[e],c=t[e],a=s[e],l=i.get(e);return _(o,c,a,r.get(e),l)}_hit_point(e){const n=this.renderer.xscale.invert(e.sx),t=this.renderer.yscale.invert(e.sy),s=this.index.indices({x0:n,y0:t,x1:n,y1:t}),i=[];for(const n of s){const[t,s]=this._ngon(n);(0,l.point_in_poly)(e.sx,e.sy,t,s)&&i.push(n)}return new y.Selection({indices:i})}_hit_span(e){const{sx:n,sy:t}=e,{x0:s,x1:i,y0:r,y1:o}=this.bounds(),[c,a,l]=(()=>{switch(e.direction){case\"v\":{const e=this.renderer.yscale.invert(t),n=this.index.indices({x0:s,y0:e,x1:i,y1:e});return[t,1,n]}case\"h\":{const e=this.renderer.xscale.invert(n),t=this.index.indices({x0:e,y0:r,x1:e,y1:o});return[n,0,t]}}})(),h=[];for(const e of l){const n=this._ngon(e)[a];for(let t=0;t{const e=this.renderer.xscale.v_invert(n),s=this.renderer.yscale.v_invert(t),[i,r,o,c]=(0,a.minmax2)(e,s);return this.index.indices({x0:i,x1:r,y0:o,y1:c})})(),i=[];for(const e of s){const[s,r]=this._ngon(e);(0,l.vertex_overlap)(s,r,n,t)?i.push(e):(0,l.edge_intersection)(s,r,n,t)&&i.push(e)}return new y.Selection({indices:i})}_hit_rect(e){const{sx0:n,sx1:t,sy0:s,sy1:i}=e,r=[n,t,t,n],o=[s,s,i,i];return this._hit_poly({type:\"poly\",sx:r,sy:o})}}t.NgonView=d,d.__name__=\"NgonView\";class p extends c.RadialGlyph{constructor(e){super(e)}}t.Ngon=p,r=p,p.__name__=\"Ngon\",r.prototype.default_view=d,r.define((()=>({angle:[h.AngleSpec,0],n:[h.NumberSpec,{field:\"n\"}]})))},\n", " function _(e,t,s,i,n){var r;i();const o=e(1),a=e(236),c=e(242),_=e(13),h=e(95),l=o.__importStar(e(243)),y=o.__importStar(e(19)),d=e(144),x=e(12);class p extends a.GlyphView{_project_data(){this._project_xy(\"xs\",this.xs.data,\"ys\",this.ys.data)}_index_data(e){const{data_size:t}=this;for(let s=0;s{const e=this.renderer.xscale.v_invert(t),i=this.renderer.yscale.v_invert(s),[n,r,o,a]=(0,_.minmax2)(e,i);return this.index.indices({x0:n,x1:r,y0:o,y1:a})})(),r=[];for(const e of n){const n=this.sxs.get(e),o=this.sys.get(e),a=n.length;if(0==a)continue;let c=!i;for(let e=0;e({xs:[y.XCoordinateSeqSpec,{field:\"xs\"}],ys:[y.YCoordinateSeqSpec,{field:\"ys\"}]}))),r.mixins([h.LineVector,h.FillVector,h.HatchVector])},\n", " function _(t,e,i,o,r){var s;o();const d=t(1),n=t(393),a=d.__importStar(t(19));class l extends n.LRTBView{scenterxy(t){return[this.sleft[t]/2+this.sright[t]/2,this.stop[t]/2+this.sbottom[t]/2]}_lrtb(t){return{l:this.left[t],r:this.right[t],t:this.top[t],b:this.bottom[t]}}}i.QuadView=l,l.__name__=\"QuadView\";class _ extends n.LRTB{constructor(t){super(t)}}i.Quad=_,s=_,_.__name__=\"Quad\",s.prototype.default_view=l,s.define((({})=>({right:[a.XCoordinateSpec,{field:\"right\"}],bottom:[a.YCoordinateSpec,{field:\"bottom\"}],left:[a.XCoordinateSpec,{field:\"left\"}],top:[a.YCoordinateSpec,{field:\"top\"}]})))},\n", " function _(e,i,t,s,n){var o;s();const c=e(1),a=e(95),r=e(236),d=e(242),_=e(391),x=c.__importStar(e(19));class y extends r.GlyphView{_project_data(){this._project_xy(\"x0\",this.x0,\"y0\",this.y0),this._project_xy(\"x1\",this.x1,\"y1\",this.y1)}_index_data(e){const{x0:i,x1:t,y0:s,y1:n,cx:o,cy:c,data_size:a}=this;for(let r=0;r({x0:[x.XCoordinateSpec,{field:\"x0\"}],y0:[x.YCoordinateSpec,{field:\"y0\"}],x1:[x.XCoordinateSpec,{field:\"x1\"}],y1:[x.YCoordinateSpec,{field:\"y1\"}],cx:[x.XCoordinateSpec,{field:\"cx\"}],cy:[x.YCoordinateSpec,{field:\"cy\"}]}))),o.mixins(a.LineVector)},\n", " function _(e,t,i,n,s){var h;n();const r=e(1),a=e(235),l=e(236),_=e(242),o=e(95),d=e(25),g=r.__importStar(e(19));class c extends a.XYGlyphView{_map_data(){if(this._define_or_inherit_attr(\"slength\",(()=>\"data\"==this.model.properties.length.units?this.inherited_x&&this.inherited_length?l.inherit:this.sdist(this.renderer.xscale,this.x,this.length):this.inherited_length?l.inherit:(0,d.to_screen)(this.length))),!this.inherited_slength){const{width:e,height:t}=this.renderer.plot_view.frame.bbox,i=2*(e+t),{slength:n}=this,s=n.length;for(let e=0;e({length:[g.DistanceSpec,0],angle:[g.AngleSpec,0]})))},\n", " function _(t,e,i,s,r){var _;s();const n=t(1),h=t(395),a=t(242),d=t(25),o=t(13),l=t(144),c=t(62),x=t(73),y=t(124),f=n.__importStar(t(127)),g=t(197),{abs:w,sqrt:u}=Math;class p extends h.CenterRotatableView{async load_glglyph(){const{RectGL:e}=await Promise.resolve().then((()=>n.__importStar(t(597))));return e}_set_data(t){super._set_data(t),this.border_radius=f.border_radius(this.model.border_radius)}_map_data(){const t=this.data_size;if(this.inherited_x&&this.inherited_width)this._inherit_attr(\"swidth\"),this._inherit_attr(\"sx0\");else{let e,i;if(\"data\"==this.model.properties.width.units)[e,i]=this._map_dist_corner_for_data_side_length(this.x,this.width,this.renderer.xscale);else{e=(0,d.to_screen)(this.width),i=new d.ScreenArray(t);const{sx:s}=this;for(let r=0;r({border_radius:[y.BorderRadius,0],dilate:[t,!1]})))},\n", " function _(e,t,s,a,i){var r;a();const n=e(1),l=e(417),c=e(21),o=e(418),_=n.__importStar(e(19)),u=n.__importStar(e(40)),d=e(353),p=e(51),f=e(9);function h(e){return c.MarkerType.valid(e)}class m extends l.MarkerView{async load_glglyph(){const{MultiMarkerGL:t}=await Promise.resolve().then((()=>n.__importStar(e(595))));return t}_compute_can_use_webgl(){return(0,f.is_empty)(this.model.defs)||u.every(this.marker,h)}async _update_defs(){for(const e of(0,f.dict)(this.model.defs).values())e instanceof d.CustomJS&&await e.compile()}connect_signals(){super.connect_signals();const{defs:e}=this.model.properties;this.on_change(e,(()=>this._update_defs()))}async lazy_initialize(){await super.lazy_initialize(),await this._update_defs()}_paint(e,t,s){const{sx:a,sy:i,size:r,angle:n,marker:l}={...this,...s},c=(0,f.dict)(this.model.defs),{visuals:_}=this;for(const s of t){const t=a[s],u=i[s],d=r.get(s),f=n.get(s),m=l.get(s);if(!isFinite(t+u+d+f)||null==m)continue;e.beginPath(),e.translate(t,u),0!=f&&e.rotate(f);const y=d/2;if(h(m))o.marker_funcs[m](e,s,y,_);else{const t=c.get(m);if(null!=t){const a=(0,p.execute_sync)(t,this.model,{ctx:e,i:s,r:y,visuals:_});a instanceof Path2D&&(this.visuals.fill.apply(e,s,a),this.visuals.hatch.apply(e,s,a),this.visuals.line.apply(e,s,a))}}0!=f&&e.rotate(-f),e.translate(-t,-u)}}draw_legend_for_index(e,{x0:t,x1:s,y0:a,y1:i},r){const n=r+1,l=this.marker.get(r),c={...this._get_legend_args({x0:t,x1:s,y0:a,y1:i},r),marker:new _.UniformScalar(l,n)};this._paint(e,[r],c)}}s.ScatterView=m,m.__name__=\"ScatterView\";class y extends l.Marker{constructor(e){super(e)}}s.Scatter=y,r=y,y.__name__=\"Scatter\",r.prototype.default_view=m,r.define((({KeyVal:e,Or:t,Func:s,Ref:a})=>({marker:[_.MarkerSpec,{value:\"circle\"}],defs:[e(_.ExtMarkerType,t(s(),a(d.CustomJS))),{}]})))},\n", " function _(e,t,s,i,n){var r;i();const a=e(1),c=e(235),o=e(95),_=a.__importStar(e(243)),h=a.__importStar(e(19)),x=e(13),d=e(144);class l extends c.XYGlyphView{_paint(e,t,s){const{sx:i,sy:n,size:r,angle:a}={...this,...s};for(const s of t){const t=i[s],c=n[s],o=r.get(s),_=a.get(s);if(!isFinite(t+c+o+_))continue;const h=o/2;e.beginPath(),e.translate(t,c),0!=_&&e.rotate(_),this._render_one(e,s,h,this.visuals),0!=_&&e.rotate(-_),e.translate(-t,-c)}}_mask_data(){const{x_target:e,y_target:t}=this.renderer.plot_view.frame,s=e.widen(this.max_size).map((e=>this.renderer.xscale.invert(e))),i=t.widen(this.max_size).map((e=>this.renderer.yscale.invert(e)));return this.index.indices({x0:s.start,x1:s.end,y0:i.start,y1:i.end})}_hit_point(e){const{sx:t,sy:s}=e,{max_size:i}=this,{hit_dilation:n}=this.model,r=t-i*n,a=t+i*n,[c,o]=this.renderer.xscale.r_invert(r,a),_=s-i*n,h=s+i*n,[x,l]=this.renderer.yscale.r_invert(_,h),y=this.index.indices({x0:c,x1:o,y0:x,y1:l}),m=[];for(const e of y){const i=this.size.get(e)/2*n;Math.abs(this.sx[e]-t)<=i&&Math.abs(this.sy[e]-s)<=i&&m.push(e)}return new d.Selection({indices:m})}_hit_span(e){const{sx:t,sy:s}=e,i=this.bounds(),n=this.max_size/2,[r,a,c,o]=(()=>{if(\"h\"==e.direction){const{y0:e,y1:s}=i,r=t-n,a=t+n,[c,o]=this.renderer.xscale.r_invert(r,a);return[c,o,e,s]}{const{x0:e,x1:t}=i,r=s-n,a=s+n,[c,o]=this.renderer.yscale.r_invert(r,a);return[e,t,c,o]}})(),_=[...this.index.indices({x0:r,x1:a,y0:c,y1:o})];return new d.Selection({indices:_})}_hit_rect(e){const{sx0:t,sx1:s,sy0:i,sy1:n}=e,[r,a]=this.renderer.xscale.r_invert(t,s),[c,o]=this.renderer.yscale.r_invert(i,n),_=[...this.index.indices({x0:r,x1:a,y0:c,y1:o})];return new d.Selection({indices:_})}_hit_poly(e){const{sx:t,sy:s}=e,i=(()=>{const e=this.renderer.xscale.v_invert(t),i=this.renderer.yscale.v_invert(s),[n,r,a,c]=(0,x.minmax2)(e,i);return this.index.indices({x0:n,x1:r,y0:a,y1:c})})(),n=[];for(const e of i)_.point_in_poly(this.sx[e],this.sy[e],t,s)&&n.push(e);return new d.Selection({indices:n})}_get_legend_args({x0:e,x1:t,y0:s,y1:i},n){const r=n+1,a=new Array(r),c=new Array(r);a[n]=(e+t)/2,c[n]=(s+i)/2;const o=.4*Math.min(Math.abs(t-e),Math.abs(i-s));return{sx:a,sy:c,size:new h.UniformScalar(o,r),angle:new h.UniformScalar(0,r)}}draw_legend_for_index(e,{x0:t,x1:s,y0:i,y1:n},r){const a=this._get_legend_args({x0:t,x1:s,y0:i,y1:n},r);this._paint(e,[r],a)}}s.MarkerView=l,l.__name__=\"MarkerView\";class y extends c.XYGlyph{constructor(e){super(e)}}s.Marker=y,r=y,y.__name__=\"Marker\",r.mixins([o.LineVector,o.FillVector,o.HatchVector]),r.define((({Float:e})=>({size:[h.ScreenSizeSpec,{value:4}],angle:[h.AngleSpec,0],hit_dilation:[e,1]})))},\n", " function _(l,n,o,i,a){i();const t=Math.sqrt(3),e=Math.sqrt(5),p=(e+1)/4,c=Math.sqrt((5-e)/8),h=(e-1)/4,u=Math.sqrt((5+e)/8);function f(l,n){l.rotate(Math.PI/4),y(l,n),l.rotate(-Math.PI/4)}function r(l,n){const o=n*t,i=o/3;l.moveTo(-o/2,-i),l.lineTo(0,0),l.lineTo(o/2,-i),l.lineTo(0,0),l.lineTo(0,n)}function y(l,n){l.moveTo(0,n),l.lineTo(0,-n),l.moveTo(-n,0),l.lineTo(n,0)}function T(l,n){l.moveTo(0,n),l.lineTo(n/1.5,0),l.lineTo(0,-n),l.lineTo(-n/1.5,0),l.closePath()}function s(l,n){const o=n*t,i=o/3;l.moveTo(-n,i),l.lineTo(n,i),l.lineTo(0,i-o),l.closePath()}function v(l,n,o,i){l.arc(0,0,o,0,2*Math.PI,!1),i.fill.apply(l,n),i.hatch.apply(l,n),i.line.apply(l,n)}function d(l,n,o,i){T(l,o),i.fill.apply(l,n),i.hatch.apply(l,n),i.line.apply(l,n)}function P(l,n,o,i){!function(l,n){l.beginPath(),l.arc(0,0,n/4,0,2*Math.PI,!1),l.closePath()}(l,o),i.line.set_vectorize(l,n),l.fillStyle=l.strokeStyle,l.fill()}function m(l,n,o,i){!function(l,n){const o=n/2,i=t*o;l.moveTo(n,0),l.lineTo(o,-i),l.lineTo(-o,-i),l.lineTo(-n,0),l.lineTo(-o,i),l.lineTo(o,i),l.closePath()}(l,o),i.fill.apply(l,n),i.hatch.apply(l,n),i.line.apply(l,n)}function _(l,n,o,i){const a=2*o;l.rect(-o,-o,a,a),i.fill.apply(l,n),i.hatch.apply(l,n),i.line.apply(l,n)}function q(l,n,o,i){!function(l,n){const o=Math.sqrt(5-2*e)*n;l.moveTo(0,-n),l.lineTo(o*h,o*u-n),l.lineTo(o*(1+h),o*u-n),l.lineTo(o*(1+h-p),o*(u+c)-n),l.lineTo(o*(1+2*h-p),o*(2*u+c)-n),l.lineTo(0,2*o*u-n),l.lineTo(-o*(1+2*h-p),o*(2*u+c)-n),l.lineTo(-o*(1+h-p),o*(u+c)-n),l.lineTo(-o*(1+h),o*u-n),l.lineTo(-o*h,o*u-n),l.closePath()}(l,o),i.fill.apply(l,n),i.hatch.apply(l,n),i.line.apply(l,n)}function M(l,n,o,i){s(l,o),i.fill.apply(l,n),i.hatch.apply(l,n),i.line.apply(l,n)}o.marker_funcs={asterisk:function(l,n,o,i){y(l,o),f(l,o),i.line.apply(l,n)},circle:v,circle_cross:function(l,n,o,i){l.arc(0,0,o,0,2*Math.PI,!1),i.fill.apply(l,n),i.hatch.apply(l,n),y(l,o),i.line.apply(l,n)},circle_dot:function(l,n,o,i){v(l,n,o,i),P(l,n,o,i)},circle_y:function(l,n,o,i){l.arc(0,0,o,0,2*Math.PI,!1),i.fill.apply(l,n),i.hatch.apply(l,n),r(l,o),i.line.apply(l,n)},circle_x:function(l,n,o,i){l.arc(0,0,o,0,2*Math.PI,!1),i.fill.apply(l,n),i.hatch.apply(l,n),f(l,o),i.line.apply(l,n)},cross:function(l,n,o,i){y(l,o),i.line.apply(l,n)},diamond:d,diamond_dot:function(l,n,o,i){d(l,n,o,i),P(l,n,o,i)},diamond_cross:function(l,n,o,i){T(l,o),i.fill.apply(l,n),i.hatch.apply(l,n),l.moveTo(0,o),l.lineTo(0,-o),l.moveTo(-o/1.5,0),l.lineTo(o/1.5,0),i.line.apply(l,n)},dot:P,hex:m,hex_dot:function(l,n,o,i){m(l,n,o,i),P(l,n,o,i)},inverted_triangle:function(l,n,o,i){l.rotate(Math.PI),s(l,o),l.rotate(-Math.PI),i.fill.apply(l,n),i.hatch.apply(l,n),i.line.apply(l,n)},plus:function(l,n,o,i){const a=3*o/8,t=[a,a,o,o,a,a,-a,-a,-o,-o,-a,-a],e=[o,a,a,-a,-a,-o,-o,-a,-a,a,a,o];l.beginPath();for(let n=0;n<12;n++)l.lineTo(t[n],e[n]);l.closePath(),i.fill.apply(l,n),i.hatch.apply(l,n),i.line.apply(l,n)},square:_,square_cross:function(l,n,o,i){const a=2*o;l.rect(-o,-o,a,a),i.fill.apply(l,n),i.hatch.apply(l,n),y(l,o),i.line.apply(l,n)},square_dot:function(l,n,o,i){_(l,n,o,i),P(l,n,o,i)},square_pin:function(l,n,o,i){const a=3*o/8;l.moveTo(-o,-o),l.quadraticCurveTo(0,-a,o,-o),l.quadraticCurveTo(a,0,o,o),l.quadraticCurveTo(0,a,-o,o),l.quadraticCurveTo(-a,0,-o,-o),l.closePath(),i.fill.apply(l,n),i.hatch.apply(l,n),i.line.apply(l,n)},square_x:function(l,n,o,i){const a=2*o;l.rect(-o,-o,a,a),i.fill.apply(l,n),i.hatch.apply(l,n),l.moveTo(-o,o),l.lineTo(o,-o),l.moveTo(-o,-o),l.lineTo(o,o),i.line.apply(l,n)},star:q,star_dot:function(l,n,o,i){q(l,n,o,i),P(l,n,o,i)},triangle:M,triangle_dot:function(l,n,o,i){M(l,n,o,i),P(l,n,o,i)},triangle_pin:function(l,n,o,i){const a=o*t,e=a/3,p=3*e/8;l.moveTo(-o,e),l.quadraticCurveTo(0,p,o,e),l.quadraticCurveTo(t*p/2,p/2,0,e-a),l.quadraticCurveTo(-t*p/2,p/2,-o,e),l.closePath(),i.fill.apply(l,n),i.hatch.apply(l,n),i.line.apply(l,n)},dash:function(l,n,o,i){!function(l,n){l.moveTo(-n,0),l.lineTo(n,0)}(l,o),i.line.apply(l,n)},x:function(l,n,o,i){f(l,o),i.line.apply(l,n)},y:function(l,n,o,i){r(l,o),i.line.apply(l,n)}}},\n", " function _(e,t,s,i,n){var r;i();const o=e(1),a=o.__importStar(e(243)),h=o.__importStar(e(19)),d=e(95),c=e(11),_=e(236),x=e(242),y=e(144);class l extends _.GlyphView{_project_data(){this._project_xy(\"x0\",this.x0,\"y0\",this.y0),this._project_xy(\"x1\",this.x1,\"y1\",this.y1)}_index_data(e){const{min:t,max:s}=Math,{x0:i,x1:n,y0:r,y1:o,data_size:a}=this;for(let h=0;h({x0:[h.XCoordinateSpec,{field:\"x0\"}],y0:[h.YCoordinateSpec,{field:\"y0\"}],x1:[h.XCoordinateSpec,{field:\"x1\"}],y1:[h.YCoordinateSpec,{field:\"y1\"}]}))),r.mixins(d.LineVector)},\n", " function _(t,e,s,i,n){var _;i();const o=t(1),a=t(235),l=o.__importStar(t(95)),c=t(421);class r extends a.XYGlyphView{_set_data(){const{tension:t,closed:e}=this.model,[s,i]=(0,c.catmullrom_spline)(this.x,this.y,20,t,e);this._define_attr(\"xt\",s),this._define_attr(\"yt\",i)}_map_data(){const{x_scale:t,y_scale:e}=this.renderer.coordinates,s=t.v_compute(this.xt),i=e.v_compute(this.yt);this._define_attr(\"sxt\",s),this._define_attr(\"syt\",i)}_paint(t,e,s){const{sxt:i,syt:n}={...this,...s};let _=!0;t.beginPath();const o=i.length;for(let e=0;e({tension:[e,.5],closed:[t,!1]})))},\n", " function _(n,t,e,o,s){o(),e.catmullrom_spline=function(n,t,e=10,o=.5,s=!1){(0,l.assert)(n.length==t.length);const r=n.length,f=s?r+1:r,w=(0,c.infer_type)(n,t),i=new w(f+2),u=new w(f+2);i.set(n,1),u.set(t,1),s?(i[0]=n[r-1],u[0]=t[r-1],i[f]=n[0],u[f]=t[0],i[f+1]=n[1],u[f+1]=t[1]):(i[0]=n[0],u[0]=t[0],i[f+1]=n[r-1],u[f+1]=t[r-1]);const g=new w(4*(e+1));for(let n=0,t=0;n<=e;n++){const o=n/e,s=o**2,c=o*s;g[t++]=2*c-3*s+1,g[t++]=-2*c+3*s,g[t++]=c-2*s+o,g[t++]=c-s}const h=new w((f-1)*(e+1)),_=new w((f-1)*(e+1));for(let n=1,t=0;n_.__importStar(e(598))));return t}_paint(e,t,n){if(t.length<2)return;let s=[];for(let i=0;i({mode:[h.StepMode,\"before\"]})))},\n", " function _(e,t,i,l,n){var s;l();const a=e(406),o=e(190),r=e(22),c=e(189);i.DisplayMode=(0,r.Or)((0,r.Enum)(\"inline\",\"block\"),r.Auto);class p extends a.MathTextGlyphView{_build_label(e){const{macros:t,display:i}=this.model;if(\"auto\"==i){const i=(0,c.parse_delimited_string)(e);return i instanceof o.TeX&&(i.macros=t),i}return new o.TeX({text:e,macros:t,inline:\"inline\"==i})}}i.TeXGlyphView=p,p.__name__=\"TeXGlyphView\";class _ extends a.MathTextGlyph{constructor(e){super(e)}}i.TeXGlyph=_,s=_,_.__name__=\"TeXGlyph\",s.prototype.default_view=p,s.define((({Float:e,Str:t,Dict:l,Tuple:n,Or:s})=>({macros:[l(s(t,n(t,e))),{}],display:[i.DisplayMode,\"auto\"]})))},\n", " function _(t,e,i,s,r){var h;s();const n=t(1),a=t(393),_=t(25),o=n.__importStar(t(19));class d extends a.LRTBView{scenterxy(t){return[this.sx[t],(this.stop[t]+this.sbottom[t])/2]}_lrtb(t){const e=this.width.get(t)/2,i=this.x[t],s=this.top[t],r=this.bottom[t];return{l:i-e,r:i+e,t:Math.max(s,r),b:Math.min(s,r)}}_map_data(){if(this.inherited_x&&this.inherited_width)this._inherit_attr(\"swidth\"),this._inherit_attr(\"sleft\"),this._inherit_attr(\"sright\");else{const t=this.sdist(this.renderer.xscale,this.x,this.width,\"center\"),{sx:e}=this,i=e.length,s=new _.ScreenArray(i),r=new _.ScreenArray(i);for(let h=0;h({x:[o.XCoordinateSpec,{field:\"x\"}],bottom:[o.YCoordinateSpec,{value:0}],width:[o.DistanceSpec,{value:1}],top:[o.YCoordinateSpec,{field:\"top\"}]})))},\n", " function _(t,e,i,n,s){var _;n();const r=t(1),a=t(236),o=t(242),d=t(144),c=t(95),h=r.__importStar(t(40)),x=t(13),p=t(10),l=r.__importStar(t(19)),{abs:u,max:f}=Math;class m extends a.GlyphView{after_visuals(){super.after_visuals(),this.max_line_width=h.max(this.line_width)}_index_data(t){for(const e of this.x)t.add_point(e,0)}_bounds(t){const{x0:e,x1:i}=t;return{x0:e,x1:i,y0:NaN,y1:NaN}}_map_data(){super._map_data();const{round:t}=Math;if(!this.inherited_sx){const e=(0,x.map)(this.sx,(e=>t(e)));this._define_attr(\"sx\",e)}}scenterxy(t){const{vcenter:e}=this.renderer.plot_view.frame.bbox;return[this.sx[t],e]}_paint(t,e,i){const{sx:n}={...this,...i},{top:s,bottom:_}=this.renderer.plot_view.frame.bbox;for(const i of e){const e=n[i];isFinite(e)&&(t.beginPath(),t.moveTo(e,s),t.lineTo(e,_),this.visuals.line.apply(t,i))}}_get_candidates(t,e){const{max_line_width:i}=this,[n,s]=this.renderer.xscale.r_invert(t-i,(e??t)+i);return this.index.indices({x0:n,x1:s,y0:0,y1:0})}_find_spans(t,e){const{sx:i,line_width:n}=this,s=[];for(const _ of t){e(i[_],n.get(_))&&s.push(_)}return s}_hit_point(t){const{sx:e}=t,i=this._get_candidates(e),n=this._find_spans(i,((t,i)=>u(t-e)<=f(i,2)));return new d.Selection({indices:n})}_hit_span(t){const e=(()=>{if(\"h\"==t.direction)return(0,p.range)(0,this.data_size);{const{sx:e}=t,i=this._get_candidates(e);return this._find_spans(i,((t,i)=>u(t-e)<=f(i/2,2)))}})();return new d.Selection({indices:e})}_hit_rect(t){const e=(()=>{const{sx0:e,sx1:i}=t,n=this._get_candidates(e,i);return this._find_spans(n,((t,n)=>e-n/2<=t&&t<=i+n/2))})();return new d.Selection({indices:e})}draw_legend_for_index(t,e,i){(0,o.generic_line_vector_legend)(this.visuals,t,e,i)}}i.VSpanView=m,m.__name__=\"VSpanView\";class w extends a.Glyph{constructor(t){super(t)}}i.VSpan=w,_=w,w.__name__=\"VSpan\",_.prototype.default_view=m,_.mixins([c.LineVector]),_.define((()=>({x:[l.XCoordinateSpec,{field:\"x\"}]})))},\n", " function _(t,e,i,s,r){var n;s();const a=t(1),_=t(236),o=t(242),h=t(144),c=t(95),d=t(25),l=t(13),p=a.__importStar(t(14)),x=t(10),f=a.__importStar(t(19));class u extends _.GlyphView{async lazy_initialize(){await super.lazy_initialize();const{webgl:e}=this.renderer.plot_view.canvas_view;if(null!=e&&e.regl_wrapper.has_webgl){const{LRTBGL:i}=await Promise.resolve().then((()=>a.__importStar(t(593))));this.glglyph=new i(e.regl_wrapper,this)}}get sleft(){return this.sx0}get sright(){return this.sx1}get stop(){const{top:t}=this.renderer.plot_view.frame.bbox,e=this.data_size,i=new d.ScreenArray(e);return i.fill(t),i}get sbottom(){const{bottom:t}=this.renderer.plot_view.frame.bbox,e=this.data_size,i=new d.ScreenArray(e);return i.fill(t),i}_set_data(t){super._set_data(t);const{abs:e}=Math,{max:i,map:s,zip:r}=p,{x0:n,x1:a}=this;if(this.inherited_x0&&this.inherited_x1)this._inherit_attr(\"max_width\");else{const t=i(s(r(n,a),(([t,i])=>e(t-i))));this._define_attr(\"max_width\",t)}}_index_data(t){const{x0:e,x1:i,data_size:s}=this;for(let r=0;rt(e)));this._define_attr(\"sx0\",e)}if(!this.inherited_sx1){const e=(0,l.map)(this.sx1,(e=>t(e)));this._define_attr(\"sx1\",e)}}scenterxy(t){const{vcenter:e}=this.renderer.plot_view.frame.bbox;return[(this.sx0[t]+this.sx1[t])/2,e]}_paint(t,e,i){const{sx0:s,sx1:r}={...this,...i},{top:n,bottom:a,height:_}=this.renderer.plot_view.frame.bbox;for(const i of e){const e=s[i],o=r[i];isFinite(e+o)&&(t.beginPath(),t.rect(e,n,o-e,_),this.visuals.fill.apply(t,i),this.visuals.hatch.apply(t,i),t.beginPath(),t.moveTo(e,n),t.lineTo(e,a),t.moveTo(o,n),t.lineTo(o,a),this.visuals.line.apply(t,i))}}_get_candidates(t,e){const{max_width:i}=this,[s,r]=this.renderer.xscale.r_invert(t,e??t),n=s-i,a=r+i;return this.index.indices({x0:n,x1:a,y0:0,y1:0})}_find_strips(t,e){function i(t,i){return t<=i?e(t,i):e(i,t)}const{sx0:s,sx1:r}=this,n=[];for(const e of t){i(s[e],r[e])&&n.push(e)}return n}_hit_point(t){const{sx:e}=t,i=this._get_candidates(e),s=this._find_strips(i,((t,i)=>t<=e&&e<=i));return new h.Selection({indices:s})}_hit_span(t){const e=(()=>{if(\"h\"==t.direction)return(0,x.range)(0,this.data_size);{const{sx:e}=t,i=this._get_candidates(e);return this._find_strips(i,((t,i)=>t<=e&&e<=i))}})();return new h.Selection({indices:e})}_hit_rect(t){const e=(()=>{const{sx0:e,sx1:i}=t,s=this._get_candidates(e,i);return this._find_strips(s,((t,s)=>e<=t&&t<=i&&e<=s&&s<=i))})();return new h.Selection({indices:e})}draw_legend_for_index(t,e,i){(0,o.generic_area_vector_legend)(this.visuals,t,e,i)}}i.VStripView=u,u.__name__=\"VStripView\";class w extends _.Glyph{constructor(t){super(t)}}i.VStrip=w,n=w,w.__name__=\"VStrip\",n.prototype.default_view=u,n.mixins([c.LineVector,c.FillVector,c.HatchVector]),n.define((()=>({x0:[f.XCoordinateSpec,{field:\"x0\"}],x1:[f.XCoordinateSpec,{field:\"x1\"}]})))},\n", " function _(e,t,s,i,r){var a;i();const n=e(1),d=e(235),h=e(236),_=e(242),c=e(95),l=e(25),o=e(21),g=n.__importStar(e(19)),u=e(11),x=e(144),p=e(13);class y extends d.XYGlyphView{async load_glglyph(){const{WedgeGL:t}=await Promise.resolve().then((()=>n.__importStar(e(599))));return t}_index_data(e){const{x:t,y:s,radius:i,data_size:r}=this;for(let a=0;a\"data\"==this.model.properties.radius.units?this.inherited_x&&this.inherited_radius?h.inherit:this.sdist(this.renderer.xscale,this.x,this.radius):this.inherited_radius?h.inherit:(0,l.to_screen)(this.radius))),this._define_or_inherit_attr(\"max_sradius\",(()=>(0,p.max)(this.sradius)))}_paint(e,t,s){const{sx:i,sy:r,sradius:a,start_angle:n,end_angle:d}={...this,...s},h=\"anticlock\"==this.model.direction;for(const s of t){const t=i[s],_=r[s],c=a[s],l=n.get(s),o=d.get(s);isFinite(t+_+c+l+o)&&(e.beginPath(),e.arc(t,_,c,l,o,h),e.lineTo(t,_),e.closePath(),this.visuals.fill.apply(e,s),this.visuals.hatch.apply(e,s),this.visuals.line.apply(e,s))}}_hit_point(e){let t,s,i,r,a;const{sx:n,sy:d}=e,h=this.renderer.xscale.invert(n),_=this.renderer.yscale.invert(d);s=n-this.max_sradius,i=n+this.max_sradius;const[c,l]=this.renderer.xscale.r_invert(s,i);r=d-this.max_sradius,a=d+this.max_sradius;const[o,g]=this.renderer.yscale.r_invert(r,a),p=[];for(const e of this.index.indices({x0:c,x1:l,y0:o,y1:g})){const n=this.sradius[e]**2;[s,i]=this.renderer.xscale.r_compute(h,this.x[e]),[r,a]=this.renderer.yscale.r_compute(_,this.y[e]),t=(s-i)**2+(r-a)**2,t<=n&&p.push(e)}const y=\"anticlock\"==this.model.direction,m=[];for(const e of p){const t=Math.atan2(d-this.sy[e],n-this.sx[e]);(Math.abs(this.start_angle.get(e)-this.end_angle.get(e))>=2*Math.PI||(0,u.angle_between)(-t,-this.start_angle.get(e),-this.end_angle.get(e),y))&&m.push(e)}return new x.Selection({indices:m})}draw_legend_for_index(e,t,s){(0,_.generic_area_vector_legend)(this.visuals,e,t,s)}scenterxy(e){const t=this.sradius[e]/2,s=(this.start_angle.get(e)+this.end_angle.get(e))/2;return[this.sx[e]+t*Math.cos(s),this.sy[e]+t*Math.sin(s)]}}s.WedgeView=y,y.__name__=\"WedgeView\";class m extends d.XYGlyph{constructor(e){super(e)}}s.Wedge=m,a=m,m.__name__=\"Wedge\",a.prototype.default_view=y,a.mixins([c.LineVector,c.FillVector,c.HatchVector]),a.define((({})=>({direction:[o.Direction,\"anticlock\"],radius:[g.DistanceSpec,{field:\"radius\"}],start_angle:[g.AngleSpec,{field:\"start_angle\"}],end_angle:[g.AngleSpec,{field:\"end_angle\"}]})))},\n", " function _(n,i,o,a,r){a(),r(\"Decoration\",n(241).Decoration),r(\"Marking\",n(183).Marking)},\n", " function _(t,_,r,o,a){o();const e=t(1);e.__exportStar(t(430),r),e.__exportStar(t(431),r),e.__exportStar(t(432),r)},\n", " function _(e,t,n,d,s){d();const o=e(52),r=e(13),i=e(10),_=e(9),c=e(144);class a extends o.Model{constructor(e){super(e)}_hit_test(e,t,n){if(!t.model.visible)return null;const d=n.glyph.hit_test(e);return null==d?null:n.model.view.convert_selection_from_subset(d)}}n.GraphHitTestPolicy=a,a.__name__=\"GraphHitTestPolicy\";class l extends a{constructor(e){super(e)}hit_test(e,t){return this._hit_test(e,t,t.edge_view)}do_selection(e,t,n,d){if(null==e)return!1;const s=t.edge_renderer.data_source.selected;return s.update(e,n,d),t.edge_renderer.data_source._select.emit(),!s.is_empty()}do_inspection(e,t,n,d,s){if(null==e)return!1;const{edge_renderer:o}=n.model,r=o.get_selection_manager().get_or_create_inspector(n.edge_view.model);return r.update(e,d,s),n.edge_view.model.data_source.setv({inspected:r},{silent:!0}),n.edge_view.model.data_source.inspect.emit([n.edge_view.model,{geometry:t}]),!r.is_empty()}}n.EdgesOnly=l,l.__name__=\"EdgesOnly\";class u extends a{constructor(e){super(e)}hit_test(e,t){return this._hit_test(e,t,t.node_view)}do_selection(e,t,n,d){if(null==e)return!1;const s=t.node_renderer.data_source.selected;return s.update(e,n,d),t.node_renderer.data_source._select.emit(),!s.is_empty()}do_inspection(e,t,n,d,s){if(null==e)return!1;const{node_renderer:o}=n.model,r=o.get_selection_manager().get_or_create_inspector(n.node_view.model);return r.update(e,d,s),n.node_view.model.data_source.setv({inspected:r},{silent:!0}),n.node_view.model.data_source.inspect.emit([n.node_view.model,{geometry:t}]),!r.is_empty()}}n.NodesOnly=u,u.__name__=\"NodesOnly\";class m extends a{constructor(e){super(e)}hit_test(e,t){return this._hit_test(e,t,t.node_view)}get_linked_edges(e,t,n){const d=(0,_.dict)(e.data).get(\"index\")??[],s=(()=>{switch(n){case\"selection\":return(0,r.map)(e.selected.indices,(e=>d[e]));case\"inspection\":return(0,r.map)(e.inspected.indices,(e=>d[e]))}})(),o=(0,_.dict)(t.data),a=o.get(\"start\")??[],l=o.get(\"end\")??[],u=[],m=a.length;for(let e=0;e{switch(n){case\"selection\":return t.selected.indices;case\"inspection\":return t.inspected.indices}})(),s=(0,_.dict)(t.data),o=s.get(\"start\")??[],a=s.get(\"end\")??[],l=[];for(const e of d)l.push(o[e],a[e]);const u=(0,_.dict)(e.data).get(\"index\")??[],m=(0,i.uniq)(l).map((e=>(0,r.index_of)(u,e)));return new c.Selection({indices:m})}do_selection(e,t,n,d){if(null==e)return!1;const s=t.edge_renderer.data_source.selected;s.update(e,n,d);const o=t.node_renderer.data_source.selected,r=this.get_linked_nodes(t.node_renderer.data_source,t.edge_renderer.data_source,\"selection\");return o.update(r,n,d),t.edge_renderer.data_source._select.emit(),!s.is_empty()}do_inspection(e,t,n,d,s){if(null==e)return!1;const o=n.edge_view.model.data_source.selection_manager.get_or_create_inspector(n.edge_view.model);o.update(e,d,s),n.edge_view.model.data_source.setv({inspected:o},{silent:!0});const r=n.node_view.model.data_source.selection_manager.get_or_create_inspector(n.node_view.model),i=this.get_linked_nodes(n.node_view.model.data_source,n.edge_view.model.data_source,\"inspection\");return r.update(i,d,s),n.node_view.model.data_source.setv({inspected:r},{silent:!0}),n.edge_view.model.data_source.inspect.emit([n.edge_view.model,{geometry:t}]),!o.is_empty()}}n.EdgesAndLinkedNodes=p,p.__name__=\"EdgesAndLinkedNodes\";class g extends a{constructor(e){super(e)}hit_test(e,t){return this._hit_test(e,t,t.node_view)}get_adjacent_nodes(e,t,n){const d=(0,_.dict)(e.data).get(\"index\")??[],s=(()=>{switch(n){case\"selection\":return(0,r.map)(e.selected.indices,(e=>d[e]));case\"inspection\":return(0,r.map)(e.inspected.indices,(e=>d[e]))}})(),o=(0,_.dict)(t.data),a=o.get(\"start\")??[],l=o.get(\"end\")??[],u=[],m=[];for(let e=0;e(0,r.index_of)(d,e)));return new c.Selection({indices:p})}do_selection(e,t,n,d){if(null==e)return!1;const s=t.node_renderer.data_source.selected;s.update(e,n,d);const o=this.get_adjacent_nodes(t.node_renderer.data_source,t.edge_renderer.data_source,\"selection\");return o.is_empty()||s.update(o,n,d),t.node_renderer.data_source._select.emit(),!s.is_empty()}do_inspection(e,t,n,d,s){if(null==e)return!1;const o=n.node_view.model.data_source.selection_manager.get_or_create_inspector(n.node_view.model);o.update(e,d,s),n.node_view.model.data_source.setv({inspected:o},{silent:!0});const r=this.get_adjacent_nodes(n.node_view.model.data_source,n.edge_view.model.data_source,\"inspection\");return r.is_empty()||(o.update(r,d,s),n.node_view.model.data_source.setv({inspected:o},{silent:!0})),n.node_view.model.data_source.inspect.emit([n.node_view.model,{geometry:t}]),!o.is_empty()}}n.NodesAndAdjacentNodes=g,g.__name__=\"NodesAndAdjacentNodes\"},\n", " function _(e,o,t,r,n){var s;r();const a=e(52),d=e(375);class _ extends a.Model{constructor(e){super(e)}get node_coordinates(){return new u({layout:this})}get edge_coordinates(){return new i({layout:this})}}t.LayoutProvider=_,_.__name__=\"LayoutProvider\";class c extends d.CoordinateTransform{constructor(e){super(e)}}t.GraphCoordinates=c,s=c,c.__name__=\"GraphCoordinates\",s.define((({Ref:e})=>({layout:[e(_)]})));class u extends c{constructor(e){super(e)}_v_compute(e){const[o,t]=this.layout.get_node_coordinates(e);return{x:o,y:t}}}t.NodeCoordinates=u,u.__name__=\"NodeCoordinates\";class i extends c{constructor(e){super(e)}_v_compute(e){const[o,t]=this.layout.get_edge_coordinates(e);return{x:o,y:t}}}t.EdgeCoordinates=i,i.__name__=\"EdgeCoordinates\"},\n", " function _(t,a,e,r,o){var n;r();const s=t(431),i=t(9),l=t(22);e.GraphLayout=(0,l.Or)((0,l.Dict)((0,l.Arrayable)(l.Float)),(0,l.Mapping)((0,l.Or)(l.Int,l.Str),(0,l.Arrayable)(l.Float)));class c extends s.LayoutProvider{constructor(t){super(t)}get_node_coordinates(t){const a=(0,i.dict)(t.data).get(\"index\")??[],e=a.length,r=new Float64Array(e),o=new Float64Array(e),n=(0,i.dict)(this.graph_layout);for(let t=0;t({graph_layout:[e.GraphLayout,new Map]})))},\n", " function _(i,d,n,r,G){r(),G(\"Grid\",i(307).Grid)},\n", " function _(o,x,B,a,l){a(),l(\"Column\",o(435).Column),l(\"FlexBox\",o(436).FlexBox),l(\"GridBox\",o(438).GridBox),l(\"GroupBox\",o(440).GroupBox),l(\"HBox\",o(442).HBox),l(\"LayoutDOM\",o(131).LayoutDOM),l(\"Row\",o(443).Row),l(\"ScrollBox\",o(444).ScrollBox),l(\"Spacer\",o(445).Spacer),l(\"TabPanel\",o(446).TabPanel),l(\"Tabs\",o(450).Tabs),l(\"VBox\",o(452).VBox)},\n", " function _(e,o,n,t,s){var u;t();const _=e(436);class c extends _.FlexBoxView{constructor(){super(...arguments),this._direction=\"column\"}}n.ColumnView=c,c.__name__=\"ColumnView\";class l extends _.FlexBox{constructor(e){super(e)}}n.Column=l,u=l,l.__name__=\"Column\",u.prototype.default_view=c},\n", " function _(t,e,i,n,o){var s;n();const a=t(131),c=t(437),l=t(139),r=t(55),h=t(61);class d extends a.LayoutDOMView{connect_signals(){super.connect_signals();const{children:t}=this.model.properties;this.on_change(t,(()=>this.update_children()))}get child_models(){return this.model.children}_intrinsic_display(){return{inner:this.model.flow_mode,outer:\"flex\"}}_update_layout(){super._update_layout(),this.style.append(\":host\",{flex_direction:this._direction,gap:(0,h.px)(this.model.spacing)});const t=new l.Container;let e=0,i=0;for(const n of this.child_views){if(!(n instanceof a.LayoutDOMView))continue;const o=n.box_sizing(),s=(()=>{const t=\"row\"==this._direction?o.width_policy:o.height_policy,e=\"row\"==this._direction?o.width:o.height,i=null!=e?(0,h.px)(e):\"auto\";switch(t){case\"auto\":case\"fixed\":return`0 0 ${i}`;case\"fit\":return\"1 1 auto\";case\"min\":return\"0 1 auto\";case\"max\":return\"1 0 0px\"}})(),r=(()=>{switch(\"row\"==this._direction?o.height_policy:o.width_policy){case\"auto\":case\"fixed\":case\"fit\":case\"min\":return\"row\"==this._direction?o.valign:o.halign;case\"max\":return\"stretch\"}})();function d(t){return null!=t?(0,h.px)(t):\"0\"}const _=d(n.model.min_width),u=d(n.model.min_height);n.parent_style.append(\":host\",{flex:s,align_self:r,min_width:_,min_height:u}),\"row\"==this._direction?\"max\"==o.height_policy&&n.parent_style.append(\":host\",{height:\"auto\"}):\"max\"==o.width_policy&&n.parent_style.append(\":host\",{width:\"auto\"}),null!=n.layout&&(t.add({r0:e,c0:i,r1:e+1,c1:i+1},n),\"row\"==this._direction?i+=1:e+=1)}0!=t.size?(this.layout=new c.GridAlignmentLayout(t),this.layout.set_sizing()):delete this.layout}}i.FlexBoxView=d,d.__name__=\"FlexBoxView\";class _ extends a.LayoutDOM{constructor(t){super(t)}}i.FlexBox=_,s=_,_.__name__=\"FlexBox\",s.define((({Float:t,List:e,Ref:i})=>({children:[e(i(r.UIElement)),[]],spacing:[t,0]})))},\n", " function _(t,o,e,r,i){r();const n=t(137),h=t(62),l=t(12),{max:s}=Math;class f extends n.Layoutable{constructor(t){super(),this.children=t}_measure(t){return{width:0,height:0}}compute(t={}){const{width:o,height:e}=t;(0,l.assert)(null!=o&&null!=e);const r={width:o,height:e},i=new h.BBox({left:0,top:0,width:o,height:e});let n;if(null!=r.inner){const{left:t,top:i,right:l,bottom:s}=r.inner;n=new h.BBox({left:t,top:i,right:o-l,bottom:e-s})}this.set_geometry(i,n)}_set_geometry(t,o){super._set_geometry(t,o);const e=this.children.map(((t,o)=>{const{layout:e,bbox:r}=o;(0,l.assert)(null!=e);const i=e.measure(r);return{child:o,layout:e,bbox:r,size_hint:i}})),r=Array(e.nrows).fill(null).map((()=>({top:0,bottom:0}))),i=Array(e.ncols).fill(null).map((()=>({left:0,right:0})));e.foreach((({r0:t,c0:o,r1:e,c1:n},{size_hint:h})=>{const{inner:l}=h;null!=l&&(i[o].left=s(i[o].left,l.left),i[n].right=s(i[n].right,l.right),r[t].top=s(r[t].top,l.top),r[e].bottom=s(r[e].bottom,l.bottom))})),e.foreach((({r0:t,c0:o,r1:e,c1:n},{layout:l,size_hint:s,bbox:f})=>{const g=f,m=null==s.inner?void 0:(()=>{const{inner:l,align:f}=s,m=f?.left??!0,u=f?.right??!0,c=f?.top??!0,b=f?.bottom??!0,p=f?.fixed_width??!1,a=f?.fixed_height??!1,{left:d,right:_}=(()=>{if(p){const t=g.width-l.right-l.left;if(m){const e=i[o].left;return{left:e,right:g.width-(e+t)}}if(u){const o=i[n].right;return{left:g.width-(o+t),right:o}}return{left:l.left,right:l.right}}return{left:m?i[o].left:l.left,right:u?i[n].right:l.right}})(),{top:w,bottom:y}=(()=>{if(a){const o=g.height-l.bottom-l.top;if(c){const e=r[t].top;return{top:e,bottom:g.height-(e+o)}}if(b){const t=r[e].bottom;return{top:g.height-(t+o),bottom:t}}return{top:l.top,bottom:l.bottom}}return{top:c?r[t].top:l.top,bottom:b?r[e].bottom:l.bottom}})(),{width:x,height:B}=g;return h.BBox.from_lrtb({left:d,top:w,right:x-_,bottom:B-y})})();l.set_geometry(g,m)}))}}e.GridAlignmentLayout=f,f.__name__=\"GridAlignmentLayout\"},\n", " function _(e,i,s,n,r){var t;n();const o=e(439),l=e(124),c=e(55);class d extends o.CSSGridBoxView{connect_signals(){super.connect_signals();const{children:e,rows:i,cols:s}=this.model.properties;this.on_change(e,(()=>this.update_children())),this.on_change([i,s],(()=>this.invalidate_layout()))}get _children(){return this.model.children}get _rows(){return this.model.rows}get _cols(){return this.model.cols}}s.GridBoxView=d,d.__name__=\"GridBoxView\";class _ extends o.CSSGridBox{constructor(e){super(e)}}s.GridBox=_,t=_,_.__name__=\"GridBox\",t.prototype.default_view=d,t.define((({List:e,Nullable:i})=>({children:[e((0,l.GridChild)(c.UIElement)),[]],rows:[i(l.TracksSizing),null],cols:[i(l.TracksSizing),null]})))},\n", " function _(i,n,s,t,e){var o;t();const a=i(131),r=i(437),l=i(124),c=i(61),_=i(139),d=i(14),u=i(8),{max:p}=Math;class g extends a.LayoutDOMView{connect_signals(){super.connect_signals();const{spacing:i}=this.model.properties;this.on_change(i,(()=>this.invalidate_layout()))}get child_models(){return this._children.map((([i])=>i))}_intrinsic_display(){return{inner:this.model.flow_mode,outer:\"grid\"}}_update_layout(){super._update_layout();const i={},[n,s]=(()=>{const{spacing:i}=this.model;return(0,u.isNumber)(i)?[i,i]:i})();i.row_gap=(0,c.px)(n),i.column_gap=(0,c.px)(s);let t=0,e=0;const o=new _.Container;for(const[[,i,n,s=1,r=1],l]of(0,d.enumerate)(this._children)){const c=this.child_views[l];t=p(t,i+s),e=p(e,n+r);const _={};if(_.grid_row_start=`${i+1}`,_.grid_row_end=`span ${s}`,_.grid_column_start=`${n+1}`,_.grid_column_end=`span ${r}`,c.parent_style.append(\":host\",_),c instanceof a.LayoutDOMView&&null!=c.layout){const t=i,e=n,a=i+s-1,l=n+r-1;o.add({r0:t,c0:e,r1:a,c1:l},c)}}const{_rows:l,_cols:g}=this;function h(i,n){if(i instanceof Map)for(const[s,t]of i.entries())(0,u.isString)(t)?n[s].size=t:n[s]=t;else if((0,u.isArray)(i))for(const[s,t]of(0,d.enumerate)(i))(0,u.isString)(s)?n[t].size=s:n[t]=s;else if(null!=i)for(const s of n)(0,u.isString)(i)?s.size=i:(s.size=i.size,s.align=i.align)}l instanceof Map?t=p(t,...l.keys()):(0,u.isArray)(l)&&(t=p(t,l.length)),g instanceof Map?e=p(e,...g.keys()):(0,u.isArray)(g)&&(e=p(e,g.length));const f=Array(t).fill(null).map((()=>({}))),m=Array(e).fill(null).map((()=>({})));h(l,f),h(g,m);for(const[[,i,n],s]of(0,d.enumerate)(this._children)){const t=this.child_views[s],{halign:e,valign:o}=t.box_sizing();t.parent_style.append(\":host\",{justify_self:e??m[n].align,align_self:o??f[i].align})}const y=\"auto\";i.grid_template_rows=f.map((({size:i})=>i??y)).join(\" \"),i.grid_template_columns=m.map((({size:i})=>i??y)).join(\" \"),this.style.append(\":host\",i),0!=o.size?(this.layout=new r.GridAlignmentLayout(o),this.layout.set_sizing()):delete this.layout}}s.CSSGridBoxView=g,g.__name__=\"CSSGridBoxView\";class h extends a.LayoutDOM{constructor(i){super(i)}}s.CSSGridBox=h,o=h,h.__name__=\"CSSGridBox\",o.define((()=>({spacing:[l.GridSpacing,0]})))},\n", " function _(e,t,s,l,i){var c;l();const h=e(1),d=e(131),o=e(55),n=e(61),a=h.__importDefault(e(441));class _ extends d.LayoutDOMView{stylesheets(){return[...super.stylesheets(),a.default]}connect_signals(){super.connect_signals();const{child:e}=this.model.properties;this.on_change(e,(()=>this.update_children()));const{checkable:t,disabled:s}=this.model.properties;this.on_change(t,(()=>{(0,n.display)(this.checkbox_el,this.model.checkable)})),this.on_change(s,(()=>{this.checkbox_el.checked=!this.model.disabled}))}get child_models(){return[this.model.child]}render(){super.render();const{checkable:e,disabled:t,title:s}=this.model;this.checkbox_el=(0,n.input)({type:\"checkbox\",checked:!t}),this.checkbox_el.addEventListener(\"change\",(()=>{this.model.disabled=!this.checkbox_el.checked})),(0,n.display)(this.checkbox_el,e);const l=(0,n.legend)({},this.checkbox_el,s),i=this.child_views.map((e=>e.el));this.fieldset_el=(0,n.fieldset)({},l,...i),this.shadow_el.appendChild(this.fieldset_el)}_update_children(){const e=this.child_views.map((e=>e.el));this.fieldset_el.append(...e)}}s.GroupBoxView=_,_.__name__=\"GroupBoxView\";class r extends d.LayoutDOM{constructor(e){super(e)}}s.GroupBox=r,c=r,r.__name__=\"GroupBox\",c.prototype.default_view=_,c.define((({Bool:e,Str:t,Nullable:s,Ref:l})=>({title:[s(t),null],child:[l(o.UIElement)],checkable:[e,!1]})))},\n", " function _(d,a,e,l,r){l(),e.default=\"legend{display:flex;gap:0.5em;padding:0 calc(var(--padding-horizontal) / 2);}fieldset{border:var(--border);}\"},\n", " function _(e,n,t,s,l){var i;s();const o=e(439),c=e(124),r=e(55),a=e(22),d=(0,a.Struct)({child:(0,a.Ref)(r.UIElement),col:(0,a.Opt)(c.Index),span:(0,a.Opt)(c.Span)});class _ extends o.CSSGridBoxView{connect_signals(){super.connect_signals();const{children:e,cols:n}=this.model.properties;this.on_change(e,(()=>this.update_children())),this.on_change(n,(()=>this.invalidate_layout()))}get _children(){return this.model.children.map((({child:e,col:n,span:t},s)=>[e,0,n??s,1,t??1]))}get _rows(){return null}get _cols(){return this.model.cols}}t.HBoxView=_,_.__name__=\"HBoxView\";class h extends o.CSSGridBox{constructor(e){super(e)}}t.HBox=h,i=h,h.__name__=\"HBox\",i.prototype.default_view=_,i.define((({List:e,Nullable:n})=>({children:[e(d),[]],cols:[n(c.TracksSizing),null]})))},\n", " function _(e,o,t,s,_){var n;s();const r=e(436);class c extends r.FlexBoxView{constructor(){super(...arguments),this._direction=\"row\"}}t.RowView=c,c.__name__=\"RowView\";class w extends r.FlexBox{constructor(e){super(e)}}t.Row=w,n=w,w.__name__=\"Row\",n.prototype.default_view=c},\n", " function _(e,l,o,t,r){var s;t();const a=e(131),c=e(55),i=e(21);class n extends a.LayoutDOMView{stylesheets(){return[...super.stylesheets()]}connect_signals(){super.connect_signals();const{child:e,horizontal_scrollbar:l,vertical_scrollbar:o}=this.model.properties;this.on_change(e,(()=>this.update_children())),this.on_change([l,o],(()=>this.invalidate_layout()))}get child_models(){return[this.model.child]}_update_layout(){function e(e){switch(e){case\"auto\":return\"auto\";case\"visible\":return\"scroll\";case\"hidden\":return\"hidden\"}}super._update_layout();const{horizontal_scrollbar:l,vertical_scrollbar:o}=this.model;this.style.append(\":host\",{overflow_x:e(l),overflow_y:e(o)})}}o.ScrollBoxView=n,n.__name__=\"ScrollBoxView\";class _ extends a.LayoutDOM{constructor(e){super(e)}}o.ScrollBox=_,s=_,_.__name__=\"ScrollBox\",s.prototype.default_view=n,s.define((({Ref:e})=>({child:[e(c.UIElement)],horizontal_scrollbar:[i.ScrollbarPolicy,\"auto\"],vertical_scrollbar:[i.ScrollbarPolicy,\"auto\"]})))},\n", " function _(t,e,a,o,_){var r;o();const s=t(131);class c extends s.LayoutDOMView{constructor(){super(...arguments),this._auto_width=\"auto\",this._auto_height=\"auto\"}get child_models(){return[]}}a.SpacerView=c,c.__name__=\"SpacerView\";class u extends s.LayoutDOM{constructor(t){super(t)}}a.Spacer=u,r=u,u.__name__=\"Spacer\",r.prototype.default_view=c},\n", " function _(l,e,o,t,n){var a;t();const s=l(447),c=l(52),i=l(55);class d extends c.Model{constructor(l){super(l)}}o.TabPanel=d,a=d,d.__name__=\"TabPanel\",a.define((({Bool:l,Str:e,Ref:o,Nullable:t})=>({title:[e,\"\"],tooltip:[t(o(s.Tooltip)),null],child:[o(i.UIElement)],closable:[l,!1],disabled:[l,!1]})))},\n", " function _(e,t,i,r,s){var n;r();const o=e(1),l=e(55),a=e(130),h=e(58),c=e(448),_=e(21),u=e(61),d=e(64),p=e(8),v=e(12),f=e(62),w=e(20),g=e(69),m=e(52),b=globalThis.Node,y=o.__importStar(e(449)),x=y,z=o.__importDefault(e(76));class E extends l.UIElementView{constructor(){super(...arguments),this._element_view=null,this._has_rendered=!1}get target(){return this._target}set target(e){this._target=e}_init_target(){const{target:e}=this.model,t=(()=>{if(e instanceof l.UIElement)return this.owner.find_one(e)?.el??null;if(e instanceof c.Selector)return e.find_one(document);if(e instanceof b)return e;{const{parent:e}=this;return e instanceof d.DOMElementView?e.el:null}})();t instanceof Element?this._target=t:(w.logger.warn(`unable to resolve target '${e}' for '${this}'`),this._target=document.body)}initialize(){super.initialize(),this._init_target()}*children(){yield*super.children(),null!=this._element_view&&(yield this._element_view)}async lazy_initialize(){await super.lazy_initialize(),await this._build_content()}async _build_content(){null!=this._element_view&&(this._element_view.remove(),this._element_view=null);const{content:e}=this.model;e instanceof m.Model&&(this._element_view=await(0,g.build_view)(e,{parent:this}))}connect_signals(){super.connect_signals(),this._observer=new ResizeObserver((()=>{this._reposition()})),this._observer.observe(this.target);let e=!1;document.addEventListener(\"scroll\",this._scroll_listener=()=>{e||(requestAnimationFrame((()=>{this._reposition(),e=!1})),e=!0)},{capture:!0});const{target:t,content:i,closable:r,interactive:s,position:n,attachment:o,visible:l}=this.model.properties;this.on_change(t,(()=>{this._init_target(),this._observer.disconnect(),this._observer.observe(this.target),this.render(),this.after_render()})),this.on_change(i,(async()=>{await this._build_content(),this.render(),this.after_render()})),this.on_change([r,s],(()=>{this.render(),this.after_render()})),this.on_change([n,o,l],(()=>{this._reposition()}))}disconnect_signals(){null!=this._scroll_listener&&(document.removeEventListener(\"scroll\",this._scroll_listener,{capture:!0}),delete this._scroll_listener),super.disconnect_signals()}remove(){this._element_view?.remove(),this._observer.disconnect(),super.remove()}stylesheets(){return[...super.stylesheets(),y.default,z.default]}get content(){const{content:e}=this.model;return(0,p.isString)(e)?document.createTextNode(e):e instanceof m.Model?((0,v.assert)(null!=this._element_view),this._element_view.el):e}render(){super.render();const{_element_view:e}=this;null!=e&&(e.render(),e.r_after_render()),this.arrow_el=(0,u.div)({class:[x.arrow]}),this.content_el=(0,u.div)({class:x.tooltip_content},this.content),this.shadow_el.append(this.arrow_el,this.content_el),this.class_list.toggle(x.closable,this.model.closable);const t=(0,u.div)({class:x.close});this.shadow_el.append(t),t.addEventListener(\"click\",(()=>{this.model.visible=!1})),this.el.setAttribute(\"popover\",\"manual\"),this.el.classList.toggle(x.show_arrow,this.model.show_arrow),this.el.classList.toggle(x.non_interactive,!this.model.interactive),this._has_rendered=!0}_after_render(){super._after_render(),this._reposition()}_after_resize(){super._after_resize(),this._reposition()}_anchor_to_align(e){e=(()=>{switch(e){case\"top\":return\"top_center\";case\"bottom\":return\"bottom_center\";case\"left\":return\"center_left\";case\"right\":return\"center_right\";default:return e}})();const[t,i]=e.split(\"_\");return{v:t,h:i}}_reposition(){const e=document.body.shadowRoot??document.body;if(!this._has_rendered)return this.render_to(e),void this.after_render();const{position:t,visible:i}=this.model;if(null==t||!i)return void this.el.remove();e.append(this.el),void 0!==this.el.showPopover&&this.el.showPopover();const r=(0,u.bounding_box)(this.target),[s,n]=(()=>{if((0,p.isString)(t)){const{v:e,h:i}=this._anchor_to_align(t);return[(()=>{switch(i){case\"left\":return r.left;case\"center\":return r.hcenter;case\"right\":return r.right}})(),(()=>{switch(e){case\"top\":return r.top;case\"center\":return r.vcenter;case\"bottom\":return r.bottom}})()]}if((0,p.isArray)(t)){const[e,i]=t;return[r.left+e,r.top+i]}{const{x:e,y:i}=this.resolve_as_xy(t);return[r.left+e,r.top+i]}})(),o=new f.BBox({x:0,y:0,width:window.innerWidth,height:window.innerHeight}),l=getComputedStyle(this.el),a=parseFloat(l.getPropertyValue(\"--tooltip-arrow-width\")),h=parseFloat(l.getPropertyValue(\"--tooltip-arrow-height\")),c=(()=>{const e=(()=>{const{attachment:e}=this.model;if(\"auto\"==e){if((0,p.isString)(t)){const{v:e,h:i}=this._anchor_to_align(t);if(\"center\"!=i)return\"left\"==i?\"left\":\"right\";if(\"center\"!=e)return\"top\"==e?\"above\":\"below\"}return\"horizontal\"}return e})(),i=(0,u.box_size)(this.el),l=i.width+a,c=i.height+h;switch(e){case\"horizontal\":return s=o.left?\"left\":\"right\";case\"vertical\":return n=o.top?\"above\":\"below\";default:return e}})();this.class_list.remove(x.right,x.left,x.above,x.below),this.class_list.add((()=>{switch(c){case\"left\":return x.right;case\"right\":return x.left;case\"above\":return x.below;case\"below\":return x.above}})()),this.arrow_el.style.left=`${s}px`,this.arrow_el.style.top=`${n}px`;const{left:_,top:d}=(()=>{const{width:e,height:t}=(0,u.box_size)(this.el);function i(e){return eo.bottom?o.bottom-t:e}function r(t){return to.right?o.right-e:t}switch(c){case\"left\":return{left:s-e-a,top:i(n-t/2)};case\"right\":return{left:s+a,top:i(n-t/2)};case\"above\":return{left:r(s-e/2),top:n-t-h};case\"below\":return{left:r(s-e/2),top:n+h}}})();this.el.style.top=`${d}px`,this.el.style.left=`${_}px`,this.update_bbox()}}i.TooltipView=E,E.__name__=\"TooltipView\";class S extends l.UIElement{constructor(e){super(e)}show({x:e,y:t}){this.setv({position:[e,t],visible:!0},{check_eq:!1})}clear(){this.position=null}}i.Tooltip=S,n=S,S.__name__=\"Tooltip\",n.prototype.default_view=E,n.define((({Bool:e,Float:t,Str:i,Tuple:r,Or:s,Ref:n,Nullable:o,Auto:u})=>({target:[s(n(l.UIElement),n(c.Selector),n(b),u),\"auto\"],position:[o(s(_.Anchor,r(t,t),n(h.Coordinate))),null],content:[s(i,n(a.DOMNode),n(l.UIElement),n(b))],attachment:[s(_.TooltipAttachment,u),\"auto\"],show_arrow:[e,!0],closable:[e,!1],interactive:[e,!0]}))),n.override({visible:!1})},\n", " function _(e,r,t,c,n){var o;c();const s=e(52);class _ extends s.Model{constructor(e){super(e)}}t.Selector=_,o=_,_.__name__=\"Selector\",o.define((({Str:e})=>({query:[e]})))},\n", " function _(o,t,r,a,i){a(),r.non_interactive=\"bk-non-interactive\",r.arrow=\"bk-arrow\",r.show_arrow=\"bk-show-arrow\",r.left=\"bk-left\",r.right=\"bk-right\",r.above=\"bk-above\",r.below=\"bk-below\",r.tooltip_content=\"bk-tooltip-content\",r.tooltip_row_label=\"bk-tooltip-row-label\",r.tooltip_row_value=\"bk-tooltip-row-value\",r.tooltip_color_block=\"bk-tooltip-color-block\",r.closable=\"bk-closable\",r.close=\"bk-close\",r.default=':host{--tooltip-border:var(--divider-color);--tooltip-color:var(--background-color);--tooltip-text:var(--color);--tooltip-arrow-color:var(--icon-color);--tooltip-arrow-width:10px;--tooltip-arrow-height:10px;--tooltip-arrow-half-width:7px;--tooltip-arrow-half-height:7px;}:host{width:max-content;font-size:var(--font-size);position:fixed;padding:5px;border:1px solid var(--tooltip-border);color:var(--tooltip-text);background-color:var(--tooltip-color);opacity:0.95;z-index:var(--bokeh-top-level);margin:0;}:host(.bk-non-interactive){pointer-events:none;}.bk-arrow{pointer-events:none;position:fixed;width:0;height:0;content:\" \";border-style:solid;border-color:transparent;}:host(:not(.bk-show-arrow)) .bk-arrow{display:none;}:host(.bk-left) .bk-arrow,:host(.bk-right) .bk-arrow{border-width:var(--tooltip-arrow-half-height) 0 var(--tooltip-arrow-half-height) 0;}:host(.bk-above) .bk-arrow,:host(.bk-below) .bk-arrow{border-width:0 var(--tooltip-arrow-half-width) 0 var(--tooltip-arrow-half-width);}:host(.bk-left) .bk-arrow{transform:translate(0%, -50%);border-right-width:var(--tooltip-arrow-width);border-right-color:var(--tooltip-arrow-color);}:host(.bk-right) .bk-arrow{transform:translate(-100%, -50%);border-left-width:var(--tooltip-arrow-width);border-left-color:var(--tooltip-arrow-color);}:host(.bk-above) .bk-arrow{transform:translate(-50%, 0%);border-bottom-width:var(--tooltip-arrow-height);border-bottom-color:var(--tooltip-arrow-color);}:host(.bk-below) .bk-arrow{transform:translate(-50%, -100%);border-top-width:var(--tooltip-arrow-height);border-top-color:var(--tooltip-arrow-color);}.bk-tooltip-content > div:not(:first-child){margin-top:5px;border-top:var(--tooltip-border) 1px dashed;}.bk-tooltip-row-label{text-align:right;color:#26aae1;}.bk-tooltip-row-value{color:none;}.bk-tooltip-color-block{width:12px;height:12px;margin-left:5px;margin-right:5px;outline:#dddddd solid 1px;display:inline-block;}:host(.bk-closable){padding-right:17px;}:host(:not(.bk-closable)) .bk-close{display:none;}.bk-close{position:absolute;top:2px;right:2px;width:12px;height:12px;cursor:pointer;background-color:gray;mask-image:var(--bokeh-icon-x);mask-size:contain;mask-repeat:no-repeat;-webkit-mask-image:var(--bokeh-icon-x);-webkit-mask-size:contain;-webkit-mask-repeat:no-repeat;}.bk-close:hover{background-color:red;}'},\n", " function _(e,t,s,i,a){var l;i();const o=e(1),n=e(69),d=e(61),c=e(10),r=e(139),h=e(21),_=e(131),u=e(446),p=e(437),v=o.__importStar(e(451)),m=v,b=o.__importDefault(e(76));class f extends _.LayoutDOMView{constructor(){super(...arguments),this.tooltip_views=new Map}connect_signals(){super.connect_signals();const{tabs:e,active:t}=this.model.properties;this.on_change(e,(async()=>{this._update_headers(),await this.update_children()})),this.on_change(t,(()=>{this.update_active()}))}async lazy_initialize(){await super.lazy_initialize();const{tabs:e}=this.model,t=e.map((e=>e.tooltip)).filter((e=>null!=e));await(0,n.build_views)(this.tooltip_views,t,{parent:this})}stylesheets(){return[...super.stylesheets(),v.default,b.default]}get child_models(){return this.model.tabs.map((e=>e.child))}_intrinsic_display(){return{inner:this.model.flow_mode,outer:\"grid\"}}_update_layout(){super._update_layout();const e=this.model.tabs_location;this.class_list.remove([...h.Location].map((e=>m[e]))),this.class_list.add(m[e]);const t=new r.Container;for(const e of this.child_views)e.parent_style.append(\":host\",{grid_area:\"stack\"}),e instanceof _.LayoutDOMView&&null!=e.layout&&t.add({r0:0,c0:0,r1:1,c1:1},e);0!=t.size?(this.layout=new p.GridAlignmentLayout(t),this.layout.set_sizing()):delete this.layout}_after_layout(){super._after_layout();const{child_views:e}=this;for(const t of e)(0,d.hide)(t.el);const{active:t}=this.model;if(t in e){const s=e[t];(0,d.show)(s.el)}}render(){super.render(),this.header_el=(0,d.div)({class:m.header}),this.shadow_el.append(this.header_el),this._update_headers()}_update_headers(){const{active:e}=this.model,t=this.model.tabs.map(((t,s)=>{const i=(0,d.div)({class:[m.tab,s==e?m.active:null],tabIndex:0},t.title);i.addEventListener(\"click\",(e=>{this.model.disabled||e.target==e.currentTarget&&this.change_active(s)}));const a=null!=t.tooltip?this.tooltip_views.get(t.tooltip):null;if(null!=a){a.model.target=i;const e=e=>{a.model.visible=e};i.addEventListener(\"mouseenter\",(()=>{e(!0)})),i.addEventListener(\"mouseleave\",(()=>{e(!1)}))}if(t.closable){const e=(0,d.div)({class:m.close});e.addEventListener(\"click\",(e=>{if(e.target==e.currentTarget){this.model.tabs=(0,c.remove_at)(this.model.tabs,s);const e=this.model.tabs.length;this.model.active>e-1&&(this.model.active=e-1)}})),i.appendChild(e)}return(this.model.disabled||t.disabled)&&i.classList.add(m.disabled),i}));this.header_els=t,(0,d.empty)(this.header_el),this.header_el.append(...t)}change_active(e){e!=this.model.active&&(this.model.active=e)}update_active(){const e=this.model.active,{header_els:t}=this;for(const e of t)e.classList.remove(m.active);e in t&&t[e].classList.add(m.active);const{child_views:s}=this;for(const e of s)(0,d.hide)(e.el);e in s&&(0,d.show)(s[e].el)}}s.TabsView=f,f.__name__=\"TabsView\";class w extends _.LayoutDOM{constructor(e){super(e)}}s.Tabs=w,l=w,w.__name__=\"Tabs\",l.prototype.default_view=f,l.define((({Int:e,List:t,Ref:s})=>({tabs:[t(s(u.TabPanel)),[]],tabs_location:[h.Location,\"above\"],active:[e,0]})))},\n", " function _(r,e,o,a,t){a(),o.above=\"bk-above\",o.below=\"bk-below\",o.left=\"bk-left\",o.right=\"bk-right\",o.header=\"bk-header\",o.tab=\"bk-tab\",o.active=\"bk-active\",o.close=\"bk-close\",o.disabled=\"bk-disabled\",o.default=':host{--block-start-border-width:3px;--close-icon-hover-background-color:var(--error);--close-icon-width:14px;--close-icon-height:14px;--close-icon-color:var(--icon-color);--close-icon-space-away-from-tab-text:10px;--padding-vertical:4px;--padding-horizontal:8px;--outline-offset:-5px;--disabled-opacity:0.65;}:host{display:grid;}:host(.bk-above){grid-template:\"header\" max-content \"stack\" 1fr / 1fr;}:host(.bk-below){grid-template:\"stack\" 1fr \"header\" max-content / 1fr;}:host(.bk-left){grid-template:\"header stack\" 1fr / max-content 1fr;}:host(.bk-right){grid-template:\"stack header\" 1fr / 1fr max-content;}.bk-header{grid-area:\"header\";display:flex;flex-wrap:nowrap;align-items:stretch;user-select:none;-webkit-user-select:none;}:host(.bk-above) .bk-header,:host(.bk-below) .bk-header{flex-direction:row;}:host(.bk-left) .bk-header,:host(.bk-right) .bk-header{flex-direction:column;}:host(.bk-above) .bk-header{border-bottom:var(--divider);}:host(.bk-right) .bk-header{border-left:var(--divider);}:host(.bk-below) .bk-header{border-top:var(--divider);}:host(.bk-left) .bk-header{border-right:var(--divider);}.bk-tab{padding:var(--padding-vertical) var(--padding-horizontal);border:var(--border-style) transparent;outline:0;outline-offset:var(--outline-offset);white-space:nowrap;cursor:pointer;text-align:center;}.bk-tab:hover{background-color:var(--hover-color);}.bk-tab:focus,.bk-tab:active{outline:var(--outline);}.bk-tab.bk-active{color:var(--color);background-color:var(--background-color);border-color:var(--border-color);}.bk-tab .bk-close{margin-left:var(--close-icon-space-away-from-tab-text);}.bk-tab.bk-disabled{cursor:not-allowed;pointer-events:none;opacity:var(--disabled-opacity);}:host(.bk-above) .bk-tab{border-width:var(--block-start-border-width) var(--divider-width) 0 var(--divider-width);border-radius:var(--border-radius) var(--border-radius) 0 0;}:host(.bk-right) .bk-tab{border-width:var(--divider-width) var(--block-start-border-width) var(--divider-width) 0;border-radius:0 var(--border-radius) var(--border-radius) 0;}:host(.bk-below) .bk-tab{border-width:0 var(--divider-width) var(--block-start-border-width) var(--divider-width);border-radius:0 0 var(--border-radius) var(--border-radius);}:host(.bk-left) .bk-tab{border-width:var(--divider-width) 0 var(--divider-width) var(--block-start-border-width);border-radius:var(--border-radius) 0 0 var(--border-radius);}.bk-close{display:inline-block;vertical-align:middle;width:var(--close-icon-width);height:var(--close-icon-height);cursor:pointer;background-color:var(--close-icon-color);mask-image:var(--bokeh-icon-x);mask-size:contain;mask-repeat:no-repeat;-webkit-mask-image:var(--bokeh-icon-x);-webkit-mask-size:contain;-webkit-mask-repeat:no-repeat;}.bk-close:hover{background-color:var(--close-icon-hover-background-color);}'},\n", " function _(e,n,t,s,i){var o;s();const r=e(439),l=e(124),c=e(55),a=e(22),d=(0,a.Struct)({child:(0,a.Ref)(c.UIElement),row:(0,a.Opt)(l.Index),span:(0,a.Opt)(l.Span)});class _ extends r.CSSGridBoxView{connect_signals(){super.connect_signals();const{children:e,rows:n}=this.model.properties;this.on_change(e,(()=>this.update_children())),this.on_change(n,(()=>this.invalidate_layout()))}get _children(){return this.model.children.map((({child:e,row:n,span:t},s)=>[e,n??s,0,t??1,1]))}get _rows(){return this.model.rows}get _cols(){return null}}t.VBoxView=_,_.__name__=\"VBoxView\";class h extends r.CSSGridBox{constructor(e){super(e)}}t.VBox=h,o=h,h.__name__=\"VBox\",o.prototype.default_view=_,o.define((({List:e,Nullable:n})=>({children:[e(d),[]],rows:[n(l.TracksSizing),null]})))},\n", " function _(o,r,u,e,p){e();var y=o(454);p(\"GroupByModels\",y.GroupByModels),p(\"GroupByName\",y.GroupByName)},\n", " function _(o,s,e,n,r){var t;n();const u=o(52),c=o(22);class l extends u.Model{constructor(o){super(o)}}e.GroupBy=l,l.__name__=\"GroupBy\";class a extends l{constructor(o){super(o)}*query_groups(o,s){for(const s of o)for(const o of this.groups)o.includes(s)&&(yield o)}}e.GroupByModels=a,t=a,a.__name__=\"GroupByModels\",t.define({groups:[(0,c.List)((0,c.List)((0,c.Ref)(u.Model)))]});class _ extends l{constructor(o){super(o)}*query_groups(o,s){const e=new Map;for(const o of s){const{name:s}=o;if(null!=s){let n=e.get(s);void 0===n&&(n=new Set,e.set(s,n)),n.add(o)}}for(const s of o)for(const o of e.values())null!=s.name&&o.has(s)&&(yield[...o])}}e.GroupByName=_,_.__name__=\"GroupByName\"},\n", " function _(t,a,i,e,M){e();var T=t(190);M(\"MathText\",T.MathText),M(\"Ascii\",T.Ascii),M(\"MathML\",T.MathML),M(\"TeX\",T.TeX),M(\"PlainText\",t(196).PlainText)},\n", " function _(r,o,t,e,n){e(),n(\"CustomJSTransform\",r(457).CustomJSTransform),n(\"Dodge\",r(458).Dodge),n(\"Interpolator\",r(460).Interpolator),n(\"Jitter\",r(461).Jitter),n(\"LinearInterpolator\",r(463).LinearInterpolator),n(\"StepInterpolator\",r(464).StepInterpolator),n(\"Transform\",r(109).Transform)},\n", " function _(r,t,s,n,e){var a;n();const u=r(109),o=r(9),m=r(41);class _ extends u.Transform{constructor(r){super(r)}get names(){return(0,o.keys)(this.args)}get values(){return(0,o.values)(this.args)}_make_transform(r,t){return new Function(...this.names,r,(0,m.use_strict)(t))}get scalar_transform(){return this._make_transform(\"x\",this.func)}get vector_transform(){return this._make_transform(\"xs\",this.v_func)}compute(r){return this.scalar_transform(...this.values,r)}v_compute(r){return this.vector_transform(...this.values,r)}}s.CustomJSTransform=_,a=_,_.__name__=\"CustomJSTransform\",a.define((({Unknown:r,Str:t,Dict:s})=>({args:[s(r),{}],func:[t,\"\"],v_func:[t,\"\"]})))},\n", " function _(e,n,o,t,a){var r;t();const s=e(459);class u extends s.RangeTransform{constructor(e){super(e)}_compute(e){return e+this.value}}o.Dodge=u,r=u,u.__name__=\"Dodge\",r.define((({Float:e})=>({value:[e,0]})))},\n", " function _(e,n,t,r,a){var s;r();const c=e(109),o=e(110),i=e(121),u=e(25),h=e(8),l=e(12);class g extends c.Transform{constructor(e){super(e)}v_compute(e){let n;this.range instanceof i.FactorRange?n=this.range.v_synthetic(e):(0,h.isArrayableOf)(e,h.isNumber)?n=e:(0,l.unreachable)();const t=new((0,u.infer_type)(n))(n.length);for(let e=0;e({range:[n(e(o.Range)),null]})))},\n", " function _(t,e,r,n,s){var o;n();const i=t(109),a=t(142),h=t(25),l=t(10),d=t(8);class c extends i.Transform{constructor(t){super(t),this._sorted_dirty=!0}connect_signals(){super.connect_signals(),this.connect(this.change,(()=>this._sorted_dirty=!0))}v_compute(t){const e=new((0,h.infer_type)(t))(t.length);for(let r=0;ro*(e[t]-e[r]))),this._x_sorted=new((0,h.infer_type)(e))(n),this._y_sorted=new((0,h.infer_type)(r))(n);for(let t=0;t({x:[o(r,s(e))],y:[o(r,s(e))],data:[i(n(a.ColumnarDataSource)),null],clip:[t,!0]})))},\n", " function _(t,e,n,r,i){var s;r();const o=t(459),a=t(121),u=t(462),_=t(21),h=t(13),m=t(74);class c extends o.RangeTransform{constructor(t){super(t),this._previous_offsets=null}initialize(){super.initialize(),this._generator=this.random_generator?.generator()??new m.SystemRandom}v_compute(t){const e=(()=>this.range instanceof a.FactorRange?this.range.v_synthetic(t):t)(),n=(()=>{const t=e.length;return this._previous_offsets?.length!=t&&(this._previous_offsets=this._v_compute(t)),this._previous_offsets})();return(0,h.map)(n,((t,n)=>t+e[n]))}_compute(){const{mean:t,width:e}=this;switch(this.distribution){case\"uniform\":return this._generator.uniform(t,e);case\"normal\":return this._generator.normal(t,e)}}_v_compute(t){const{mean:e,width:n}=this;switch(this.distribution){case\"uniform\":return this._generator.uniforms(e,n,t);case\"normal\":return this._generator.normals(e,n,t)}}}n.Jitter=c,s=c,c.__name__=\"Jitter\",s.define((({Float:t})=>({mean:[t,0],width:[t,1],distribution:[_.Distribution,\"uniform\"]}))),s.internal((({Nullable:t,Ref:e})=>({random_generator:[t(e(u.RandomGenerator)),null]})))},\n", " function _(n,e,o,r,t){r();const a=n(52);class s extends a.Model{constructor(n){super(n)}}o.RandomGenerator=s,s.__name__=\"RandomGenerator\"},\n", " function _(t,s,_,r,e){r();const i=t(10),o=t(460);class n extends o.Interpolator{constructor(t){super(t)}compute(t){if(this.sort(!1),this.clip){if(tthis._x_sorted[this._x_sorted.length-1])return NaN}else{if(tthis._x_sorted[this._x_sorted.length-1])return this._y_sorted[this._y_sorted.length-1]}if(t==this._x_sorted[0])return this._y_sorted[0];const s=(0,i.find_last_index)(this._x_sorted,(s=>sthis._x_sorted[this._x_sorted.length-1])return NaN}else{if(tthis._x_sorted[this._x_sorted.length-1])return this._y_sorted[this._y_sorted.length-1]}let e;switch(this.mode){case\"after\":e=(0,d.find_last_index)(this._x_sorted,(e=>t>=e));break;case\"before\":e=(0,d.find_index)(this._x_sorted,(e=>t<=e));break;case\"center\":{const s=(0,d.map)(this._x_sorted,(e=>Math.abs(e-t))),r=(0,d.min)(s);e=(0,d.find_index)(s,(t=>r===t));break}default:throw new Error(`unknown mode: ${this.mode}`)}return-1!=e?this._y_sorted[e]:NaN}}s.StepInterpolator=h,_=h,h.__name__=\"StepInterpolator\",_.define((()=>({mode:[n.StepMode,\"after\"]})))},\n", " function _(p,o,t,i,a){i(),a(\"MapOptions\",p(466).MapOptions),a(\"GMapOptions\",p(466).GMapOptions),a(\"GMapPlot\",p(466).GMapPlot),a(\"GMap\",p(468).GMap),a(\"Plot\",p(306).Plot),a(\"GridPlot\",p(469).GridPlot),a(\"Figure\",p(470).Figure)},\n", " function _(e,t,a,o,n){var p,l,s;o();const _=e(306),r=e(21),i=e(52),c=e(111),d=e(467);n(\"GMapPlotView\",d.GMapPlotView);class u extends i.Model{constructor(e){super(e)}}a.MapOptions=u,p=u,u.__name__=\"MapOptions\",p.define((({Int:e,Float:t})=>({lat:[t],lng:[t],zoom:[e,12]})));class M extends u{constructor(e){super(e)}}a.GMapOptions=M,l=M,M.__name__=\"GMapOptions\",l.define((({Bool:e,Int:t,Str:a,Nullable:o})=>({map_type:[r.MapType,\"roadmap\"],scale_control:[e,!1],styles:[o(a),null],tilt:[t,45]})));class m extends _.Plot{constructor(e){super(e),this.use_map=!0}}a.GMapPlot=m,s=m,m.__name__=\"GMapPlot\",s.prototype.default_view=d.GMapPlotView,s.define((({Str:e,Bytes:t,Ref:a})=>({map_options:[a(M)],api_key:[t],api_version:[e,\"weekly\"]}))),s.override({x_range:()=>new c.Range1d,y_range:()=>new c.Range1d,background_fill_alpha:0})},\n", " function _(t,e,s,i,o){i();const a=t(20),n=t(16),p=t(61),_=t(148),l=t(328);const h=new n.Signal0({},\"gmaps_ready\");class m extends l.PlotView{initialize(){super.initialize(),this._tiles_loaded=!1,this.zoom_count=0;const{zoom:t,lat:e,lng:s}=this.model.map_options;this.initial_zoom=t,this.initial_lat=e,this.initial_lng=s;const i=new TextDecoder(\"utf-8\");if(this._api_key=i.decode(this.model.api_key),\"\"==this._api_key){const t=\"https://developers.google.com/maps/documentation/javascript/get-api-key\";a.logger.error(`api_key is required. See ${t} for more information on how to obtain your own.`)}}async lazy_initialize(){if(await super.lazy_initialize(),this.map_el=(0,p.div)({style:{position:\"absolute\"}}),this.canvas_view.underlays_el.append(this.map_el),\"undefined\"==typeof google||void 0===google.maps){if(void 0===window._bokeh_gmaps_callback){const{api_version:t}=this.model;!function(t,e){window._bokeh_gmaps_callback=()=>h.emit();const s=encodeURIComponent,i=document.createElement(\"script\");i.type=\"text/javascript\",i.src=`https://maps.googleapis.com/maps/api/js?v=${s(e)}&key=${s(t)}&callback=_bokeh_gmaps_callback&loading=async`,document.body.appendChild(i)}(this._api_key,t)}h.connect((()=>{this._build_map(),this.request_repaint()}))}else this._build_map()}remove(){this.map_el.remove(),super.remove()}update_range(t,e){if(null==t)this.map.setCenter({lat:this.initial_lat,lng:this.initial_lng}),this.map.setOptions({zoom:this.initial_zoom}),super.reset_range();else if(null!=t.sdx||null!=t.sdy)this.map.panBy(t.sdx??0,t.sdy??0),super.update_range(t,e);else if(null!=t.factor){if(10!==this.zoom_count)return void(this.zoom_count+=1);this.zoom_count=0,this.pause(),super.update_range(t,e);const s=t.factor<0?-1:1,i=this.map.getZoom(),o=this.map.getBounds();if(null!=i&&null!=o){const t=i+s;if(t>=2){this.map.setZoom(t);const[e,s]=this._get_projected_bounds(o);s-e<0&&this.map.setZoom(i)}}this.unpause()}this._set_bokeh_ranges()}_build_map(){const{maps:t}=google;this.map_types={satellite:t.MapTypeId.SATELLITE,terrain:t.MapTypeId.TERRAIN,roadmap:t.MapTypeId.ROADMAP,hybrid:t.MapTypeId.HYBRID};const e=this.model.map_options,s={center:new t.LatLng(e.lat,e.lng),zoom:e.zoom,disableDefaultUI:!0,mapTypeId:this.map_types[e.map_type],scaleControl:e.scale_control,tilt:e.tilt};null!=e.styles&&(s.styles=JSON.parse(e.styles)),this.map=new t.Map(this.map_el,s),t.event.addListener(this.map,\"idle\",(()=>this._set_bokeh_ranges())),t.event.addListener(this.map,\"bounds_changed\",(()=>this._set_bokeh_ranges())),t.event.addListenerOnce(this.map,\"tilesloaded\",(()=>this._render_finished())),this.connect(this.model.properties.map_options.change,(()=>this._update_options())),this.connect(this.model.map_options.properties.styles.change,(()=>this._update_styling())),this.connect(this.model.map_options.properties.lat.change,(()=>this._update_center(\"lat\"))),this.connect(this.model.map_options.properties.lng.change,(()=>this._update_center(\"lng\"))),this.connect(this.model.map_options.properties.zoom.change,(()=>this._update_zoom())),this.connect(this.model.map_options.properties.map_type.change,(()=>this._update_map_type())),this.connect(this.model.map_options.properties.scale_control.change,(()=>this._update_scale_control())),this.connect(this.model.map_options.properties.tilt.change,(()=>this._update_tilt()))}_render_finished(){this._tiles_loaded=!0,this.notify_finished()}has_finished(){return super.has_finished()&&!0===this._tiles_loaded}_get_latlon_bounds(t){const e=t.getNorthEast(),s=t.getSouthWest();return[s.lng(),e.lng(),s.lat(),e.lat()]}_get_projected_bounds(t){const[e,s,i,o]=this._get_latlon_bounds(t),[a,n]=_.wgs84_mercator.compute(e,i),[p,l]=_.wgs84_mercator.compute(s,o);return[a,p,n,l]}_set_bokeh_ranges(){const t=this.map.getBounds();if(null!=t){const[e,s,i,o]=this._get_projected_bounds(t);this.frame.x_range.setv({start:e,end:s}),this.frame.y_range.setv({start:i,end:o})}}_update_center(t){const e=this.map.getCenter()?.toJSON();null!=e&&(e[t]=this.model.map_options[t],this.map.setCenter(e),this._set_bokeh_ranges())}_update_map_type(){this.map.setOptions({mapTypeId:this.map_types[this.model.map_options.map_type]})}_update_scale_control(){this.map.setOptions({scaleControl:this.model.map_options.scale_control})}_update_tilt(){this.map.setOptions({tilt:this.model.map_options.tilt})}_update_options(){this._update_styling(),this._update_center(\"lat\"),this._update_center(\"lng\"),this._update_zoom(),this._update_map_type()}_update_styling(){const{styles:t}=this.model.map_options;this.map.setOptions({styles:null!=t?JSON.parse(t):null})}_update_zoom(){this.map.setOptions({zoom:this.model.map_options.zoom}),this._set_bokeh_ranges()}_after_layout(){super._after_layout();const{left:t,top:e,width:s,height:i}=this.frame.bbox;this.map_el.style.top=`${e}px`,this.map_el.style.left=`${t}px`,this.map_el.style.width=`${s}px`,this.map_el.style.height=`${i}px`}}s.GMapPlotView=m,m.__name__=\"GMapPlotView\"},\n", " function _(e,a,t,_,p){var s;_();const n=e(466);class o extends n.GMapPlotView{}t.GMapView=o,o.__name__=\"GMapView\";class c extends n.GMapPlot{constructor(e){super(e)}}t.GMap=c,s=c,c.__name__=\"GMap\",s.prototype.default_view=o},\n", " function _(i,o,t,e,s){var l;e();const n=i(131),r=i(55),a=i(438),c=i(124),_=i(308),d=i(323),h=i(69),u=i(21);class w extends n.LayoutDOMView{constructor(){super(...arguments),this._tool_views=new Map}get toolbar_view(){return this.child_views.find((i=>i.model==this.model.toolbar))}get grid_box_view(){return this.child_views.find((i=>i.model==this._grid_box))}_update_location(){const i=this.model.toolbar_location;null==i?this.model.toolbar.visible=!1:this.model.toolbar.setv({visible:!0,location:i})}initialize(){super.initialize(),this._update_location();const{children:i,rows:o,cols:t,spacing:e}=this.model;this._grid_box=new a.GridBox({children:i,rows:o,cols:t,spacing:e,sizing_mode:\"inherit\"})}async lazy_initialize(){await super.lazy_initialize(),await this.build_tool_views()}connect_signals(){super.connect_signals();const{toolbar:i,toolbar_location:o,children:t,rows:e,cols:s,spacing:l}=this.model.properties;this.on_change(o,(async()=>{this._update_location(),this.invalidate_layout()})),this.on_change(i,(async()=>{await this.update_children()})),this.on_change([t,e,s,l],(async()=>{const{children:i,rows:o,cols:t,spacing:e}=this.model;this._grid_box.setv({children:i,rows:o,cols:t,spacing:e}),await this.grid_box_view.ready})),this.on_change(this.model.toolbar.properties.tools,(async()=>{await this.build_tool_views()})),this.mouseenter.connect((()=>{this.toolbar_view.set_visibility(!0)})),this.mouseleave.connect((()=>{this.toolbar_view.set_visibility(!1)}))}remove(){(0,h.remove_views)(this._tool_views),super.remove()}async build_tool_views(){const i=this.model.toolbar.tools.filter((i=>i instanceof d.ActionTool));await(0,h.build_views)(this._tool_views,i,{parent:this})}*children(){yield*super.children(),yield*this._tool_views.values()}get child_models(){return[this.model.toolbar,this._grid_box]}_intrinsic_display(){return{inner:this.model.flow_mode,outer:\"flex\"}}_update_layout(){super._update_layout();const{location:i}=this.model.toolbar,o=(()=>{switch(i){case\"above\":return\"column\";case\"below\":return\"column-reverse\";case\"left\":return\"row\";case\"right\":return\"row-reverse\"}})();this.style.append(\":host\",{flex_direction:o})}}t.GridPlotView=w,w.__name__=\"GridPlotView\";class b extends n.LayoutDOM{constructor(i){super(i)}}t.GridPlot=b,l=b,b.__name__=\"GridPlot\",l.prototype.default_view=w,l.define((({List:i,Ref:o,Nullable:t})=>({toolbar:[o(_.Toolbar),()=>new _.Toolbar],toolbar_location:[t(u.Location),\"above\"],children:[i((0,c.GridChild)(r.UIElement)),[]],rows:[t(c.TracksSizing),null],cols:[t(c.TracksSizing),null],spacing:[c.GridSpacing,0]})))},\n", " function _(e,t,_,i,r){var s;i();const n=e(306);class o extends n.PlotView{}_.FigureView=o,o.__name__=\"FigureView\";class u extends n.Plot{constructor(e){super(e)}}_.Figure=u,s=u,u.__name__=\"Figure\",s.prototype.default_view=o},\n", " function _(t,_,n,o,r){o();t(1).__exportStar(t(206),n)},\n", " function _(l,r,i,a,e){a(),e(\"ParkMillerLCG\",l(473).ParkMillerLCG)},\n", " function _(e,n,r,a,t){var l;a();const o=e(462),s=e(74);class d extends o.RandomGenerator{constructor(e){super(e)}generator(){return new s.LCGRandom(this.seed??Date.now())}}r.ParkMillerLCG=d,l=d,d.__name__=\"ParkMillerLCG\",l.define((({Int:e,Nullable:n})=>({seed:[n(e),null]})))},\n", " function _(e,r,n,d,R){d(),R(\"ContourRenderer\",e(475).ContourRenderer),R(\"GlyphRenderer\",e(232).GlyphRenderer),R(\"GraphRenderer\",e(476).GraphRenderer),R(\"GuideRenderer\",e(203).GuideRenderer),R(\"Renderer\",e(98).Renderer),R(\"RendererGroup\",e(129).RendererGroup)},\n", " function _(e,i,r,t,l){var n;t();const _=e(233),s=e(232),a=e(69);class d extends _.DataRendererView{*children(){yield*super.children(),yield this.fill_view,yield this.line_view}get glyph_view(){return this.fill_view.glyph.data_size>0?this.fill_view.glyph:this.line_view.glyph}async lazy_initialize(){await super.lazy_initialize();const{parent:e}=this,{fill_renderer:i,line_renderer:r}=this.model;this.fill_view=await(0,a.build_view)(i,{parent:e}),this.line_view=await(0,a.build_view)(r,{parent:e})}remove(){this.fill_view.remove(),this.line_view.remove(),super.remove()}_paint(e){this.fill_view.paint(e),this.line_view.paint(e)}hit_test(e){return this.fill_view.hit_test(e)}}r.ContourRendererView=d,d.__name__=\"ContourRendererView\";class h extends _.DataRenderer{constructor(e){super(e)}get_selection_manager(){return this.fill_renderer.data_source.selection_manager}}r.ContourRenderer=h,n=h,h.__name__=\"ContourRenderer\",n.prototype.default_view=d,n.define((({List:e,Float:i,Ref:r})=>({fill_renderer:[r(s.GlyphRenderer)],line_renderer:[r(s.GlyphRenderer)],levels:[e(i),[]]})))},\n", " function _(e,t,i,r,n){var s;r();const o=e(233),a=e(232),l=e(431),d=e(430),_=e(69),p=e(20),h=e(235),y=e(408),c=e(411);class g extends o.DataRendererView{get glyph_view(){return this.node_view.glyph}*children(){yield*super.children(),yield this.edge_view,yield this.node_view}async lazy_initialize(){await super.lazy_initialize(),this.apply_coordinates();const{parent:e}=this,{edge_renderer:t,node_renderer:i}=this.model;this.edge_view=await(0,_.build_view)(t,{parent:e}),this.node_view=await(0,_.build_view)(i,{parent:e})}connect_signals(){super.connect_signals(),this.connect(this.model.layout_provider.change,(async()=>{this.apply_coordinates(),await this.edge_view.set_data(),await this.node_view.set_data(),this.request_paint()}))}apply_coordinates(){const{edge_renderer:e,node_renderer:t}=this.model,i=this.model.layout_provider.edge_coordinates,r=this.model.layout_provider.node_coordinates,n={expr:i.x},s={expr:i.y},o={expr:r.x},a={expr:r.y},l=[e.glyph,e.hover_glyph,e.muted_glyph,e.selection_glyph,e.nonselection_glyph],d=[t.glyph,t.hover_glyph,t.muted_glyph,t.selection_glyph,t.nonselection_glyph];for(const e of l)null!=e&&\"auto\"!=e&&(e instanceof y.MultiLine||e instanceof c.Patches?(e.properties.xs.internal=!0,e.properties.ys.internal=!0,e.xs=n,e.ys=s):p.logger.warn(`${this}.edge_renderer only supports MultiLine and Patches glyphs`));for(const e of d)null!=e&&\"auto\"!=e&&(e instanceof h.XYGlyph?(e.properties.x.internal=!0,e.properties.y.internal=!0,e.x=o,e.y=a):p.logger.warn(`${this}.node_renderer only supports XY glyphs`))}remove(){this.edge_view.remove(),this.node_view.remove(),super.remove()}_paint(e){this.edge_view.paint(e),this.node_view.paint(e)}get has_webgl(){return this.edge_view.has_webgl||this.node_view.has_webgl}hit_test(e){return this.model.inspection_policy.hit_test(e,this)}}i.GraphRendererView=g,g.__name__=\"GraphRendererView\";class w extends o.DataRenderer{constructor(e){super(e)}get_selection_manager(){return this.node_renderer.data_source.selection_manager}}i.GraphRenderer=w,s=w,w.__name__=\"GraphRenderer\",s.prototype.default_view=g,s.define((({Ref:e})=>({layout_provider:[e(l.LayoutProvider)],node_renderer:[e(a.GlyphRenderer)],edge_renderer:[e(a.GlyphRenderer)],selection_policy:[e(d.GraphHitTestPolicy),()=>new d.NodesOnly],inspection_policy:[e(d.GraphHitTestPolicy),()=>new d.NodesOnly]})))},\n", " function _(e,t,n,o,c){o();e(1).__exportStar(e(145),n),c(\"Selection\",e(144).Selection)},\n", " function _(y,B,a,s,C){s(),C(\"ByID\",y(479).ByID),C(\"ByClass\",y(480).ByClass),C(\"ByCSS\",y(481).ByCSS),C(\"ByXPath\",y(482).ByXPath)},\n", " function _(e,n,r,t,c){t();const o=e(448);class s extends o.Selector{constructor(e){super(e)}find_one(e){return e.querySelector(`#${this.query}`)}}r.ByID=s,s.__name__=\"ByID\"},\n", " function _(e,s,n,r,t){r();const c=e(448);class o extends c.Selector{constructor(e){super(e)}find_one(e){return e.querySelector(`.${this.query}`)}}n.ByClass=o,o.__name__=\"ByClass\"},\n", " function _(e,n,r,t,c){t();const o=e(448);class s extends o.Selector{constructor(e){super(e)}find_one(e){return e.querySelector(this.query)}}r.ByCSS=s,s.__name__=\"ByCSS\"},\n", " function _(e,t,n,r,a){r();const c=e(448);class o extends c.Selector{constructor(e){super(e)}find_one(e){return document.evaluate(this.query,e).iterateNext()}}n.ByXPath=o,o.__name__=\"ByXPath\"},\n", " function _(a,e,S,o,r){o(),r(\"ServerSentDataSource\",a(484).ServerSentDataSource),r(\"AjaxDataSource\",a(486).AjaxDataSource),r(\"ColumnDataSource\",a(147).ColumnDataSource),r(\"ColumnarDataSource\",a(142).ColumnarDataSource),r(\"CDSView\",a(251).CDSView),r(\"DataSource\",a(146).DataSource),r(\"GeoJSONDataSource\",a(487).GeoJSONDataSource),r(\"WebDataSource\",a(485).WebDataSource)},\n", " function _(e,t,a,i,s){i();const n=e(485);class r extends n.WebDataSource{constructor(e){super(e),this.initialized=!1}setup(){if(!this.initialized){this.initialized=!0;new EventSource(this.data_url).onmessage=async e=>{await this.load_data(JSON.parse(e.data),this.mode,this.max_size??void 0)}}}}a.ServerSentDataSource=r,r.__name__=\"ServerSentDataSource\"},\n", " function _(t,e,a,n,s){var r;n();const c=t(147),l=t(21),i=t(51),o=t(9);class u extends c.ColumnDataSource{constructor(t){super(t)}get_column(t){return(0,o.dict)(this.data).get(t)??[]}get_length(){return super.get_length()??0}initialize(){super.initialize(),this.setup()}async load_data(t,e,a){const{adapter:n}=this;let s;switch(s=null!=n?await(0,i.execute)(n,this,{response:t}):t,e){case\"replace\":break;case\"append\":{const t=(0,o.dict)(this.data),e=(0,o.dict)(s);for(const n of this.columns()){const s=Array.from(t.get(n)??[]),r=Array.from(e.get(n)??[]),c=s.concat(r);e.set(n,null!=a?c.slice(-a):c)}break}}this.data=s}}a.WebDataSource=u,r=u,u.__name__=\"WebDataSource\",r.define((({Any:t,Int:e,Str:a,Nullable:n})=>({max_size:[n(e),null],mode:[l.UpdateMode,\"replace\"],adapter:[n(t),null],data_url:[a]})))},\n", " function _(t,e,i,s,a){var r;s();const n=t(485),o=t(21),d=t(20),l=t(9);class h extends n.WebDataSource{constructor(t){super(t)}destroy(){null!=this.interval&&clearInterval(this.interval),super.destroy()}setup(){if(!0!==this.initialized&&(this.initialized=!0,this.get_data(this.mode),null!=this.polling_interval)){const t=()=>this.get_data(this.mode,this.max_size,this.if_modified);this.interval=setInterval(t,this.polling_interval)}}get_data(t,e=null,i=!1){const s=this.prepare_request();s.addEventListener(\"load\",(()=>this.do_load(s,t,e??void 0))),s.addEventListener(\"error\",(()=>this.do_error(s))),i&&null!=this.last_fetch_time&&s.setRequestHeader(\"If-Modified-Since\",this.last_fetch_time.toUTCString()),s.send()}prepare_request(){const t=new XMLHttpRequest;t.open(this.method,this.data_url,!0),t.withCredentials=!1,t.setRequestHeader(\"Content-Type\",this.content_type);for(const[e,i]of(0,l.entries)(this.http_headers))t.setRequestHeader(e,i);return t}async do_load(t,e,i){if(200==t.status){const s=JSON.parse(t.responseText);this.last_fetch_time=new Date,await this.load_data(s,e,i)}}do_error(t){d.logger.error(`Failed to fetch JSON from ${this.data_url} with code ${t.status}`)}}i.AjaxDataSource=h,r=h,h.__name__=\"AjaxDataSource\",r.define((({Bool:t,Int:e,Str:i,Dict:s,Nullable:a})=>({polling_interval:[a(e),null],content_type:[i,\"application/json\"],http_headers:[s(i),{}],method:[o.HTTPMethod,\"POST\"],if_modified:[t,!1]})))},\n", " function _(e,t,o,r,n){var s;r();const a=e(142),i=e(20),c=e(8),l=e(10),_=e(9);function g(e){return null!=e?e:NaN}class u extends a.ColumnarDataSource{constructor(e){super(e)}initialize(){super.initialize(),this._update_data()}connect_signals(){super.connect_signals(),this.connect(this.properties.geojson.change,(()=>this._update_data()))}_update_data(){this.data=this.geojson_to_column_data()}_get_new_list_array(e){return(0,l.range)(0,e).map((e=>[]))}_get_new_nan_array(e){return(0,l.range)(0,e).map((e=>NaN))}_add_properties(e,t,o,r){const n=e.properties??{},s=(0,_.dict)(t);for(const[e,a]of(0,_.dict)(n))s.has(e)||(t[e]=this._get_new_nan_array(r)),t[e][o]=g(a)}_add_geometry(e,t,o){function r(e,t){return e.concat([[NaN,NaN,NaN]]).concat(t)}switch(e.type){case\"Point\":{const[r,n,s]=e.coordinates;t.x[o]=r,t.y[o]=n,t.z[o]=g(s);break}case\"LineString\":{const{coordinates:r}=e;for(let e=0;e1&&i.logger.warn(\"Bokeh does not support Polygons with holes in, only exterior ring used.\");const r=e.coordinates[0];for(let e=0;e1&&i.logger.warn(\"Bokeh does not support Polygons with holes in, only exterior ring used.\"),n.push(t[0]);const s=n.reduce(r);for(let e=0;e({geojson:[e]}))),s.internal((({Unknown:e,Dict:t,Arrayable:o})=>({data:[t(o(e)),{}]})))},\n", " function _(e,r,T,o,S){o(),S(\"BBoxTileSource\",e(489).BBoxTileSource),S(\"MercatorTileSource\",e(490).MercatorTileSource),S(\"QUADKEYTileSource\",e(493).QUADKEYTileSource),S(\"TileRenderer\",e(494).TileRenderer),S(\"TileSource\",e(491).TileSource),S(\"TMSTileSource\",e(496).TMSTileSource),S(\"WMTSTileSource\",e(495).WMTSTileSource)},\n", " function _(e,t,r,o,l){var i;o();const s=e(490);class _ extends s.MercatorTileSource{constructor(e){super(e)}get_image_url(e,t,r){const o=this.string_lookup_replace(this.url,this.extra_url_vars);let l,i,s,_;return this.use_latlon?[i,_,l,s]=this.get_tile_geographic_bounds(e,t,r):[i,_,l,s]=this.get_tile_meter_bounds(e,t,r),o.replace(\"{XMIN}\",i.toString()).replace(\"{YMIN}\",_.toString()).replace(\"{XMAX}\",l.toString()).replace(\"{YMAX}\",s.toString())}}r.BBoxTileSource=_,i=_,_.__name__=\"BBoxTileSource\",i.define((({Bool:e})=>({use_latlon:[e,!1]})))},\n", " function _(t,e,i,_,s){var r;_();const o=t(491),n=t(10),l=t(492);class u extends o.TileSource{constructor(t){super(t)}initialize(){super.initialize(),this._resolutions=(0,n.range)(this.min_zoom,this.max_zoom+1).map((t=>this.get_resolution(t)))}_computed_initial_resolution(){return null!=this.initial_resolution?this.initial_resolution:2*Math.PI*6378137/this.tile_size}is_valid_tile(t,e,i){return!(!this.wrap_around&&(t<0||t>=2**i))&&!(e<0||e>=2**i)}parent_by_tile_xyz(t,e,i){const _=this.tile_xyz_to_quadkey(t,e,i),s=_.substring(0,_.length-1);return this.quadkey_to_tile_xyz(s)}get_resolution(t){return this._computed_initial_resolution()/2**t}get_resolution_by_extent(t,e,i){return[(t[2]-t[0])/i,(t[3]-t[1])/e]}get_level_by_extent(t,e,i){const _=(t[2]-t[0])/i,s=(t[3]-t[1])/e,r=Math.max(_,s);let o=0;for(const t of this._resolutions){if(r>t){if(0==o)return 0;if(o>0)return o-1}o+=1}return o-1}get_closest_level_by_extent(t,e,i){const _=(t[2]-t[0])/i,s=(t[3]-t[1])/e,r=Math.max(_,s),o=this._resolutions.reduce((function(t,e){return Math.abs(e-r)e?(u=o-s,a*=t):(u*=e,a=n-r)}const h=(u-(o-s))/2,c=(a-(n-r))/2;return[s-h,r-c,o+h,n+c]}rescale(t,e,i,_,s){const[r,o,n,l]=t,u=n-r,a=l-o,h=u*(i/s)-u,c=a*(e/_)-a;return[r-h/2,o-c/2,n+h/2,l+c/2]}tms_to_wmts(t,e,i){return[t,2**i-1-e,i]}wmts_to_tms(t,e,i){return[t,2**i-1-e,i]}pixels_to_meters(t,e,i){const _=this.get_resolution(i);return[t*_-this.x_origin_offset,e*_-this.y_origin_offset]}meters_to_pixels(t,e,i){const _=this.get_resolution(i);return[(t+this.x_origin_offset)/_,(e+this.y_origin_offset)/_]}pixels_to_tile(t,e){let i=Math.ceil(t/this.tile_size);i=0===i?i:i-1;return[i,Math.max(Math.ceil(e/this.tile_size)-1,0)]}pixels_to_raster(t,e,i){return[t,(this.tile_size<!isFinite(t))))return[];const[_,s,r,o]=t;let[n,l]=this.meters_to_tile(_,s,e),[u,a]=this.meters_to_tile(r,o,e);n-=i,l-=i,u+=i,a+=i;const h=[];for(let t=a;t>=l;t--)for(let i=n;i<=u;i++)this.is_valid_tile(i,t,e)&&h.push([i,t,e,this.get_tile_meter_bounds(i,t,e)]);return this.sort_tiles_from_center(h,[n,l,u,a]),h}quadkey_to_tile_xyz(t){let e=0,i=0;const _=t.length;for(let s=_;s>0;s--){const r=1<0;s--){const i=1<0;)if(s=s.substring(0,s.length-1),[t,e,i]=this.quadkey_to_tile_xyz(s),[t,e,i]=this.denormalize_xyz(t,e,i,_),this.tiles.has(this.tile_xyz_to_key(t,e,i)))return[t,e,i];return[0,0,0]}normalize_xyz(t,e,i){if(this.wrap_around){const _=2**i;return[(t%_+_)%_,e,i]}return[t,e,i]}denormalize_xyz(t,e,i,_){return[t+_*2**i,e,i]}denormalize_meters(t,e,i,_){return[t+2*_*Math.PI*6378137,e]}calculate_world_x_by_tile_xyz(t,e,i){return Math.floor(t/2**i)}}i.MercatorTileSource=u,r=u,u.__name__=\"MercatorTileSource\",r.define((({Bool:t})=>({snap_to_zoom:[t,!1],wrap_around:[t,!0]}))),r.override({x_origin_offset:20037508.34,y_origin_offset:20037508.34,initial_resolution:156543.03392804097})},\n", " function _(e,t,r,i,l){var n;i();const a=e(52),s=e(9);class c extends a.Model{constructor(e){super(e)}initialize(){super.initialize(),this.tiles=new Map,this._normalize_case()}connect_signals(){super.connect_signals(),this.connect(this.change,(()=>this._clear_cache()))}string_lookup_replace(e,t){let r=e;for(const[e,i]of(0,s.entries)(t))r=r.replace(`{${e}}`,i);return r}_normalize_case(){const e=this.url.replace(\"{x}\",\"{X}\").replace(\"{y}\",\"{Y}\").replace(\"{z}\",\"{Z}\").replace(\"{q}\",\"{Q}\").replace(\"{xmin}\",\"{XMIN}\").replace(\"{ymin}\",\"{YMIN}\").replace(\"{xmax}\",\"{XMAX}\").replace(\"{ymax}\",\"{YMAX}\");this.url=e}_clear_cache(){this.tiles=new Map}tile_xyz_to_key(e,t,r){return`${e}:${t}:${r}`}key_to_tile_xyz(e){const[t,r,i]=e.split(\":\").map((e=>parseInt(e)));return[t,r,i]}sort_tiles_from_center(e,t){const[r,i,l,n]=t,a=(l-r)/2+r,s=(n-i)/2+i;e.sort((function(e,t){return Math.sqrt((a-e[0])**2+(s-e[1])**2)-Math.sqrt((a-t[0])**2+(s-t[1])**2)}))}get_image_url(e,t,r){return this.string_lookup_replace(this.url,this.extra_url_vars).replace(\"{X}\",e.toString()).replace(\"{Y}\",t.toString()).replace(\"{Z}\",r.toString())}}r.TileSource=c,n=c,c.__name__=\"TileSource\",n.define((({Float:e,Str:t,Dict:r,Nullable:i})=>({url:[t,\"\"],tile_size:[e,256],max_zoom:[e,30],min_zoom:[e,0],extra_url_vars:[r(t),{}],attribution:[t,\"\"],x_origin_offset:[e],y_origin_offset:[e],initial_resolution:[i(e),null]})))},\n", " function _(t,e,r,n,o){n(),r.geographic_to_meters=_,r.meters_to_geographic=g,r.geographic_extent_to_meters=function(t){const[e,r,n,o]=t,[c,g]=_(e,r),[i,u]=_(n,o);return[c,g,i,u]},r.meters_extent_to_geographic=function(t){const[e,r,n,o]=t,[c,_]=g(e,r),[i,u]=g(n,o);return[c,_,i,u]};const c=t(148);function _(t,e){return c.wgs84_mercator.compute(t,e)}function g(t,e){return c.wgs84_mercator.invert(t,e)}},\n", " function _(e,t,r,s,_){s();const o=e(490);class c extends o.MercatorTileSource{constructor(e){super(e)}get_image_url(e,t,r){const s=this.string_lookup_replace(this.url,this.extra_url_vars),[_,o,c]=this.tms_to_wmts(e,t,r),i=this.tile_xyz_to_quadkey(_,o,c);return s.replace(\"{Q}\",i)}}r.QUADKEYTileSource=c,c.__name__=\"QUADKEYTileSource\"},\n", " function _(e,t,i,s,_){var n;s();const o=e(491),l=e(495),r=e(98),h=e(111),a=e(133),d=e(191),c=e(10),m=e(20);class u extends r.RendererView{constructor(){super(...arguments),this._tiles=null,this.map_initialized=!1}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.request_paint())),this.connect(this.model.tile_source.change,(()=>this.request_paint()))}force_finished(){super.force_finished(),null==this._tiles&&(this._tiles=[])}get_extent(){const{x_range:e,y_range:t}=this,i=e.start,s=t.start,_=e.end,n=t.end;return isFinite(i)&&isFinite(s)&&isFinite(_)&&isFinite(n)||m.logger.warn(\"tile extent is not fully defined\"),[i,s,_,n]}get x_range(){return this.plot_model.x_range}get y_range(){return this.plot_model.y_range}_set_data(){this.extent=this.get_extent(),this._last_height=void 0,this._last_width=void 0}get attribution(){return new a.HTML({html:[this.model.tile_source.attribution]})}_map_data(){this.initial_extent=this.get_extent();const{width:e,height:t}=this.plot_view.frame.bbox,i=this.model.tile_source.get_level_by_extent(this.initial_extent,t,e),s=this.model.tile_source.snap_to_zoom_level(this.initial_extent,t,e,i);this.x_range.start=s[0],this.y_range.start=s[1],this.x_range.end=s[2],this.y_range.end=s[3],this.x_range instanceof h.Range1d&&(this.x_range.reset_start=s[0],this.x_range.reset_end=s[2]),this.y_range instanceof h.Range1d&&(this.y_range.reset_start=s[1],this.y_range.reset_end=s[3])}_create_tile(e,t,i,s,_=!1){const n=this.model.tile_source.tile_xyz_to_quadkey(e,t,i),o=this.model.tile_source.tile_xyz_to_key(e,t,i);if(this.model.tile_source.tiles.has(o))return;const[l,r,h]=this.model.tile_source.normalize_xyz(e,t,i),a=this.model.tile_source.get_image_url(l,r,h),c={img:void 0,tile_coords:[e,t,i],normalized_coords:[l,r,h],quadkey:n,cache_key:o,bounds:s,loaded:!1,finished:!1,x_coord:s[0],y_coord:s[3]};this.model.tile_source.tiles.set(o,c),null==this._tiles&&(this._tiles=[]),this._tiles.push(c),new d.ImageLoader(a,{loaded:e=>{Object.assign(c,{img:e,loaded:!0}),_?(c.finished=!0,this.notify_finished()):this.request_paint()},failed(){c.finished=!0}})}_enforce_aspect_ratio(){const{width:e,height:t}=this.plot_view.frame.bbox;if(this._last_width!==e||this._last_height!==t){const i=this.get_extent(),s=this.model.tile_source.get_level_by_extent(i,t,e),{tile_source:_}=this.model,n=(()=>{const{_last_width:n,_last_height:o}=this;return void 0!==n&&void 0!==o?_.rescale(i,t,e,o,n):_.snap_to_zoom_level(i,t,e,s)})();this.x_range.setv({start:n[0],end:n[2]}),this.y_range.setv({start:n[1],end:n[3]}),this.extent=n,this._last_width=e,this._last_height=t}}has_finished(){if(!super.has_finished())return!1;if(null==this._tiles)return!1;for(const e of this._tiles)if(!e.finished)return!1;return!0}_paint(e){this.map_initialized||(this._set_data(),this._map_data(),this.map_initialized=!0),this._enforce_aspect_ratio(),this._update(e),null!=this.prefetch_timer&&clearTimeout(this.prefetch_timer),this.prefetch_timer=setTimeout(this._prefetch_tiles.bind(this),500),this.has_finished()&&this.notify_finished()}_draw_tile(e,t){const i=this.model.tile_source.tiles.get(t);if(null!=i&&i.loaded){const[[t],[s]]=this.coordinates.map_to_screen([i.bounds[0]],[i.bounds[3]]),[[_],[n]]=this.coordinates.map_to_screen([i.bounds[2]],[i.bounds[1]]),o=_-t,l=n-s,r=t,h=s,a=e.imageSmoothingEnabled;e.imageSmoothingEnabled=this.model.smoothing,e.drawImage(i.img,r,h,o,l),e.imageSmoothingEnabled=a,i.finished=!0}}_set_rect(e){const t=this.plot_model.outline_line_width,i=this.plot_view.frame.bbox.left+t/2,s=this.plot_view.frame.bbox.top+t/2,_=this.plot_view.frame.bbox.width-t,n=this.plot_view.frame.bbox.height-t;e.rect(i,s,_,n),e.clip()}_render_tiles(e,t){e.save(),this._set_rect(e),e.globalAlpha=this.model.alpha;for(const i of t)this._draw_tile(e,i);e.restore()}_prefetch_tiles(){const{tile_source:e}=this.model,t=this.get_extent(),i=this.plot_view.frame.bbox.width,s=this.plot_view.frame.bbox.height,_=this.model.tile_source.get_level_by_extent(t,s,i),n=this.model.tile_source.get_tiles_by_extent(t,_);for(let t=0,i=Math.min(10,n.length);ts&&(_=this.extent,r=s,h=!0),h&&(this.x_range.setv({start:_[0],end:_[2]}),this.y_range.setv({start:_[1],end:_[3]})),this.extent=_;const a=t.get_tiles_by_extent(_,r),d=[],m=[],u=[],g=[];for(const e of a){const[i,s,_]=e,o=t.tile_xyz_to_key(i,s,_),l=t.tiles.get(o);if(null!=l&&l.loaded)m.push(o);else if(this.model.render_parents){const[e,o,l]=t.get_closest_parent_by_tile_xyz(i,s,_),r=t.tile_xyz_to_key(e,o,l),h=t.tiles.get(r);if(null!=h&&h.loaded&&!(0,c.includes)(u,r)&&u.push(r),n){const e=t.children_by_tile_xyz(i,s,_);for(const[i,s,_]of e){const e=t.tile_xyz_to_key(i,s,_);t.tiles.has(e)&&g.push(e)}}}null==l&&d.push(e)}this._render_tiles(e,u),this._render_tiles(e,g),this._render_tiles(e,m),null!=this.render_timer&&clearTimeout(this.render_timer),this.render_timer=setTimeout((()=>this._fetch_tiles(d)),65)}}i.TileRendererView=u,u.__name__=\"TileRendererView\";class g extends r.Renderer{constructor(e){super(e)}}i.TileRenderer=g,n=g,g.__name__=\"TileRenderer\",n.prototype.default_view=u,n.define((({Bool:e,Float:t,Ref:i})=>({alpha:[t,1],smoothing:[e,!0],tile_source:[i(o.TileSource),()=>new l.WMTSTileSource],render_parents:[e,!0]}))),n.override({level:\"image\"})},\n", " function _(t,e,r,o,s){o();const c=t(490);class i extends c.MercatorTileSource{constructor(t){super(t)}get_image_url(t,e,r){const o=this.string_lookup_replace(this.url,this.extra_url_vars),[s,c,i]=this.tms_to_wmts(t,e,r);return o.replace(\"{X}\",s.toString()).replace(\"{Y}\",c.toString()).replace(\"{Z}\",i.toString())}}r.WMTSTileSource=i,i.__name__=\"WMTSTileSource\"},\n", " function _(e,r,t,c,o){c();const i=e(490);class l extends i.MercatorTileSource{constructor(e){super(e)}get_image_url(e,r,t){return this.string_lookup_replace(this.url,this.extra_url_vars).replace(\"{X}\",e.toString()).replace(\"{Y}\",r.toString()).replace(\"{Z}\",t.toString())}}t.TMSTileSource=l,l.__name__=\"TMSTileSource\"},\n", " function _(e,t,u,a,r){a(),r(\"CanvasTexture\",e(498).CanvasTexture),r(\"ImageURLTexture\",e(500).ImageURLTexture),r(\"Texture\",e(499).Texture)},\n", " function _(t,e,n,c,s){var r;c();const o=t(499),a=t(41);class u extends o.Texture{constructor(t){super(t)}get func(){const t=(0,a.use_strict)(this.code);return new Function(\"ctx\",\"color\",\"scale\",\"weight\",t)}get_pattern(t,e,n){const c=document.createElement(\"canvas\");c.width=e,c.height=e;const s=c.getContext(\"2d\");return this.func.call(this,s,t,e,n),c}}n.CanvasTexture=u,r=u,u.__name__=\"CanvasTexture\",r.define((({Str:t})=>({code:[t]})))},\n", " function _(e,t,n,r,o){var i;r();const s=e(52),u=e(21);class c extends s.Model{constructor(e){super(e)}}n.Texture=c,i=c,c.__name__=\"Texture\",i.define((()=>({repetition:[u.TextureRepetition,\"repeat\"]})))},\n", " function _(e,t,r,i,a){var n;i();const s=e(499),o=e(191);class u extends s.Texture{constructor(e){super(e)}initialize(){super.initialize(),this._loader=new o.ImageLoader(this.url)}get_pattern(e,t,r){const{_loader:i}=this;return this._loader.finished?i.image:i.promise}}r.ImageURLTexture=u,n=u,u.__name__=\"ImageURLTexture\",n.define((({Str:e})=>({url:[e]})))},\n", " function _(a,e,o,t,i){t();const n=a(1);n.__exportStar(a(502),o),n.__exportStar(a(310),o),i(\"Dialog\",a(358).Dialog),i(\"Drawer\",a(507).Drawer),i(\"Examiner\",a(509).Examiner),i(\"Notifications\",a(54).Notifications),i(\"Panel\",a(335).Panel),i(\"Pane\",a(132).Pane),i(\"Tooltip\",a(447).Tooltip),i(\"UIElement\",a(55).UIElement)},\n", " function _(n,c,o,I,i){I(),i(\"BuiltinIcon\",n(503).BuiltinIcon),i(\"SVGIcon\",n(505).SVGIcon),i(\"TablerIcon\",n(506).TablerIcon)},\n", " function _(e,n,t,i,s){var o;i();const r=e(1),a=e(504),c=e(61),l=e(23),m=e(8),u=r.__importDefault(e(76));class _ extends a.IconView{constructor(){super(...arguments),this._style=new c.InlineStyleSheet(\"\",\"icon\")}stylesheets(){return[...super.stylesheets(),u.default,this._style]}render(){super.render();const e=`var(--bokeh-icon-${this.model.icon_name})`,n=(0,l.color2css)(this.model.color),t=(()=>{const{size:e}=this.model;return(0,m.isNumber)(e)?`${e}px`:e})();this._style.replace(`\\n :host {\\n display: inline-block;\\n vertical-align: middle;\\n width: ${t};\\n height: ${t};\\n background-color: ${n};\\n mask-image: ${e};\\n mask-size: contain;\\n mask-repeat: no-repeat;\\n -webkit-mask-image: ${e};\\n -webkit-mask-size: contain;\\n -webkit-mask-repeat: no-repeat;\\n }\\n `)}}t.BuiltinIconView=_,_.__name__=\"BuiltinIconView\";class d extends a.Icon{constructor(e){super(e)}}t.BuiltinIcon=d,o=d,d.__name__=\"BuiltinIcon\",o.prototype.default_view=_,o.define((({Str:e,Color:n})=>({icon_name:[e],color:[n,\"gray\"]})))},\n", " function _(e,n,s,c,t){var o;c();const i=e(55);class _ extends i.UIElementView{connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.render()))}}s.IconView=_,_.__name__=\"IconView\";class a extends i.UIElement{constructor(e){super(e)}}s.Icon=a,o=a,a.__name__=\"Icon\",o.define((({Float:e,Or:n,CSSLength:s})=>({size:[n(e,s),\"1em\"]})))},\n", " function _(e,n,s,t,r){var i;t();const o=e(504),c=e(61),l=e(8);class a extends o.IconView{constructor(){super(...arguments),this._style=new c.InlineStyleSheet(\"\",\"icon\")}stylesheets(){return[...super.stylesheets(),this._style]}render(){super.render();const e=(()=>{const{size:e}=this.model;return(0,l.isNumber)(e)?`${e}px`:e})();this._style.replace(`\\n :host {\\n display: inline-block;\\n vertical-align: middle;\\n }\\n :host svg {\\n width: ${e};\\n height: ${e};\\n }\\n `);const n=(new DOMParser).parseFromString(this.model.svg,\"image/svg+xml\");this.shadow_el.append(n.documentElement)}}s.SVGIconView=a,a.__name__=\"SVGIconView\";class d extends o.Icon{constructor(e){super(e)}}s.SVGIcon=d,i=d,d.__name__=\"SVGIcon\",i.prototype.default_view=a,i.define((({Str:e})=>({svg:[e]})))},\n", " function _(e,n,t,s,r){var o,l;s();const i=e(504),a=e(61),c=e(8);class f extends i.IconView{constructor(){super(...arguments),this._tabler=new a.ImportedStyleSheet(`${o._url}/tabler-icons.min.css`),this._style=new a.InlineStyleSheet(\"\",\"icon\")}stylesheets(){return[...super.stylesheets(),o._fonts,this._tabler,this._style]}render(){super.render();const e=(()=>{const{size:e}=this.model;return(0,c.isNumber)(e)?`${e}px`:e})();this._style.replace(`\\n :host {\\n display: inline-block;\\n vertical-align: middle;\\n font-size: ${e};\\n }\\n `);const n=(0,a.span)({class:[\"ti\",`ti-${this.model.icon_name}`]});this.shadow_el.appendChild(n)}}t.TablerIconView=f,o=f,f.__name__=\"TablerIconView\",f._url=\"https://cdn.jsdelivr.net/npm/@tabler/icons-webfont@latest\",f._fonts=new a.GlobalInlineStyleSheet(` /*!\\n * Tabler Icons 1.68.0 by tabler - https://tabler.io\\n * License - https://github.com/tabler/tabler-icons/blob/master/LICENSE\\n */\\n @font-face {\\n font-family: \"tabler-icons\";\\n font-style: normal;\\n font-weight: 400;\\n src: url(\"${o._url}/fonts/tabler-icons.eot\");\\n src: url(\"${o._url}/fonts/tabler-icons.eot?#iefix\") format(\"embedded-opentype\"),\\n url(\"${o._url}/fonts/tabler-icons.woff2\") format(\"woff2\"),\\n url(\"${o._url}/fonts/tabler-icons.woff\") format(\"woff\"),\\n url(\"${o._url}/fonts/tabler-icons.ttf\") format(\"truetype\"),\\n url(\"${o._url}/fonts/tabler-icons.svg#tabler-icons\") format(\"svg\");\\n }\\n\\n @media screen and (-webkit-min-device-pixel-ratio: 0) {\\n @font-face {\\n font-family: \"tabler-icons\";\\n src: url(\"${o._url}/fonts/tabler-icons.svg#tabler-icons\") format(\"svg\");\\n }\\n }\\n`);class b extends i.Icon{constructor(e){super(e)}}t.TablerIcon=b,l=b,b.__name__=\"TablerIcon\",l.prototype.default_view=f,l.define((({Str:e})=>({icon_name:[e]})))},\n", " function _(t,e,s,i,n){var l;i();const a=t(1),o=t(132),h=t(61),r=t(21),_=t(316),c=t(22),d=t(12),g=t(8),p=a.__importStar(t(508)),u=a.__importStar(t(76)),{max:w}=Math,z=(0,c.Or)(c.Float,c.CSSLength);class m extends o.PaneView{constructor(t){super(t),this.sizing=new h.InlineStyleSheet(\"\",\"sizing\"),this.handle_el=(0,h.div)({class:p.handle}),this.contents_el=(0,h.div)({class:p.contents}),this.ui_gestures=new _.UIGestures(this.handle_el,this),this.state=null,this.on_pan_start=this.on_pan_start.bind(this),this.on_pan=this.on_pan.bind(this),this.on_pan_end=this.on_pan_end.bind(this)}stylesheets(){return[...super.stylesheets(),u.default,p.default,this.sizing]}connect_signals(){super.connect_signals(),this.ui_gestures.connect_signals();const{location:t,open:e,resizable:s}=this.model.properties;this.on_change(e,(()=>{this.toggle(this.model.open)})),this.on_change(t,(()=>{this.class_list.remove(p.left,p.right,p.above,p.below),this.class_list.add(p[this.model.location])})),this.on_change(s,(()=>{this.class_list.toggle(p.resizable,this.model.resizable)}))}get self_target(){return this.contents_el}title(t){return t?\"Collapse\":\"Expand\"}render(){super.render();const{location:t,open:e,size:s,resizable:i}=this.model;this.class_list.add(p[t]),this.class_list.toggle(p.open,e),this.class_list.toggle(p.resizable,i);const n=(0,h.div)({class:p.chevron}),l=this.title(e);this.toggle_el=(0,h.div)({class:p.toggle,title:l},n),this.toggle_el.addEventListener(\"click\",(()=>this.toggle())),this.shadow_el.append(this.contents_el,this.toggle_el,this.handle_el),this.sizing.replace(`\\n :host {\\n --drawer-size: ${(0,g.isNumber)(s)?(0,h.px)(s):s};\\n }\\n `)}toggle(t){t=this.class_list.toggle(p.open,t),this.toggle_el.title=this.title(t),this.model.open=t}on_pan_start(t){(0,d.assert)(null==this.state);const e=getComputedStyle(this.el);this.state={width:parseFloat(e.width),height:parseFloat(e.height)},this.class_list.add(p.resizing)}on_pan(t){(0,d.assert)(null!=this.state);const e=(()=>{const{width:e,height:s}=this.state,{dx:i,dy:n}=t;switch(this.model.location){case\"left\":return w(e+i,0);case\"right\":return w(e-i,0);case\"above\":return w(s+n,0);case\"below\":return w(s-n,0)}})();this.sizing.replace(`\\n :host {\\n --drawer-size: ${e}px;\\n }\\n `)}on_pan_end(t){(0,d.assert)(null!=this.state),this.state=null,this.class_list.remove(p.resizing)}}s.DrawerView=m,m.__name__=\"DrawerView\";class b extends o.Pane{constructor(t){super(t)}}s.Drawer=b,l=b,b.__name__=\"Drawer\",l.prototype.default_view=m,l.define((({Bool:t})=>({location:[r.Location],open:[t,!1],size:[z,300],resizable:[t,!1]})))},\n", " function _(t,o,e,r,b){r(),e.left=\"bk-left\",e.right=\"bk-right\",e.above=\"bk-above\",e.below=\"bk-below\",e.open=\"bk-open\",e.handle=\"bk-handle\",e.contents=\"bk-contents\",e.resizing=\"bk-resizing\",e.toggle=\"bk-toggle\",e.chevron=\"bk-chevron\",e.resizable=\"bk-resizable\",e.default=\":host{--drawer-size:300px;}:host{position:absolute;background-color:var(--background-color);opacity:90%;}:host(.bk-left),:host(.bk-right){--toggle-width:20px;--toggle-height:50px;max-width:calc(100% - var(--toggle-width));}:host(.bk-above),:host(.bk-below){--toggle-width:50px;--toggle-height:20px;max-height:calc(100% - var(--toggle-height));}:host(:not(.bk-open)) .bk-handle{display:none;}:host(.bk-left){left:0;top:0;bottom:0;width:0;}:host(.bk-right){right:0;top:0;bottom:0;width:0;}:host(.bk-above){left:0;right:0;top:0;height:0;}:host(.bk-below){left:0;right:0;bottom:0;height:0;}.bk-contents{position:relative;width:100%;height:100%;overflow:hidden;}:host(:not(.bk-resizing)){transition:width 200ms,\\n height 200ms;}:host(.bk-left.bk-open){width:var(--drawer-size);border-right:var(--border);}:host(.bk-right.bk-open){width:var(--drawer-size);border-left:var(--border);}:host(.bk-above.bk-open){height:var(--drawer-size);border-bottom:var(--border);}:host(.bk-below.bk-open){height:var(--drawer-size);border-top:var(--border);}.bk-toggle{position:absolute;display:flex;align-items:center;width:var(--toggle-width);height:var(--toggle-height);cursor:pointer;background-color:white;border:var(--border);}:host(.bk-left) .bk-toggle{flex-direction:row;transform:translate(0, -50%);top:50%;left:100%;border-top-right-radius:15px;border-bottom-right-radius:15px;box-shadow:inset 1px 0px 5px 0px var(--box-shadow-color);}:host(.bk-right) .bk-toggle{flex-direction:row;transform:translate(0, -50%);top:50%;right:100%;border-top-left-radius:15px;border-bottom-left-radius:15px;box-shadow:inset -1px 0px 5px 0px var(--box-shadow-color);}:host(.bk-above) .bk-toggle{flex-direction:column;transform:translate(-50%, 0);left:50%;top:100%;border-bottom-left-radius:15px;border-bottom-right-radius:15px;box-shadow:inset 0px 1px 5px 0px var(--box-shadow-color);}:host(.bk-below) .bk-toggle{flex-direction:column;transform:translate(-50%, 0);left:50%;bottom:100%;border-top-left-radius:15px;border-top-right-radius:15px;box-shadow:inset 0px -1px 5px 0px var(--box-shadow-color);}.bk-chevron{width:1.5em;height:1.5em;background-color:var(--icon-color);mask-image:var(--bokeh-icon-chevron-left);-webkit-mask-image:var(--bokeh-icon-chevron-left);mask-size:100% 100%;-webkit-mask-size:100% 100%;mask-position:center center;-webkit-mask-position:center center;mask-repeat:no-repeat;-webkit-mask-repeat:no-repeat;}:host(.bk-left) .bk-chevron{rotate:0.5turn;}:host(.bk-left.bk-open) .bk-chevron{rotate:0turn;}:host(.bk-right) .bk-chevron{rotate:0turn;}:host(.bk-right.bk-open) .bk-chevron{rotate:0.5turn;}:host(.bk-above) .bk-chevron{rotate:-0.25turn;}:host(.bk-above.bk-open) .bk-chevron{rotate:0.25turn;}:host(.bk-below) .bk-chevron{rotate:0.25turn;}:host(.bk-below.bk-open) .bk-chevron{rotate:-0.25turn;}.bk-handle{position:absolute;--handle-depth:6px;}:host(:not(.bk-resizable)) .bk-handle{display:none;}:host(.bk-left) .bk-handle{right:0;top:0;bottom:0;width:var(--handle-depth);transform:translate(50%, 0);cursor:ew-resize;}:host(.bk-right) .bk-handle{left:0;top:0;bottom:0;width:var(--handle-depth);transform:translate(-50%, 0);cursor:ew-resize;}:host(.bk-above) .bk-handle{left:0;right:0;bottom:0;height:var(--handle-depth);transform:translate(0, 50%);cursor:ns-resize;}:host(.bk-below) .bk-handle{left:0;right:0;top:0;height:var(--handle-depth);transform:translate(0, -50%);cursor:ns-resize;}\"},\n", " function _(t,s,e,n,o){var i;n();const a=t(1),l=t(55),r=a.__importStar(t(19)),c=t(15),d=t(61),p=t(43),h=t(52),u=t(8),f=t(9),_=t(10),m=t(14),g=t(16),v=t(39),b=a.__importDefault(t(510)),y=a.__importStar(t(511)),k=y;class x{constructor(t,s=5,e=3){this.visited=new WeakSet,this.depth=0,this.click=t,this.max_items=s,this.max_depth=e}to_html(t){if((0,u.isObject)(t)){if(this.visited.has(t))return(0,d.span)(\"\");this.visited.add(t)}return null==t?this.null():(0,u.isBoolean)(t)?this.boolean(t):(0,u.isNumber)(t)?this.number(t):(0,u.isString)(t)?this.string(t):(0,u.isSymbol)(t)?this.symbol(t):t instanceof h.Model?this.model(t):t instanceof r.Property?this.property(t):(0,u.isPlainObject)(t)?this.object(t):(0,u.isArray)(t)?this.array(t):(0,u.isIterable)(t)?this.iterable(t):(0,d.span)((0,p.to_string)(t))}null(){return(0,d.span)({class:k.nullish},\"null\")}token(t){return(0,d.span)({class:k.token},t)}boolean(t){return(0,d.span)({class:k.boolean},`${t}`)}number(t){return(0,d.span)({class:k.number},`${t}`)}string(t){const s=t.includes(\"'\"),e=t.includes('\"'),n=s&&e?`\\`${t.replace(/`/g,\"\\\\`\")}\\``:e?`'${t}'`:`\"${t}\"`;return(0,d.span)({class:k.string},n)}symbol(t){return(0,d.span)({class:k.symbol},t.toString())}array(t){const s=this.token,e=[];let n=0;for(const s of t)if(e.push(this.to_html(s)),n++>this.max_items){e.push((0,d.span)(\"\\u2026\"));break}return(0,d.span)({class:k.array},s(\"[\"),...(0,m.interleave)(e,(()=>s(\", \"))),s(\"]\"))}iterable(t){const s=this.token,e=Object(t)[Symbol.toStringTag]??\"Object\",n=this.array([...t]);return(0,d.span)({class:k.iterable},`${e}`,s(\"(\"),n,s(\")\"))}object(t){const s=this.token,e=[];let n=0;for(const[o,i]of(0,f.entries)(t))if(e.push((0,d.span)(`${o}`,s(\": \"),this.to_html(i))),n++>this.max_items){e.push((0,d.span)(\"\\u2026\"));break}return(0,d.span)({class:k.object},s(\"{\"),...(0,m.interleave)(e,(()=>s(\", \"))),s(\"}\"))}model(t){const s=this.token,e=(0,d.span)({class:k.model},t.constructor.__qualified__,s(\"(\"),this.to_html(t.id),s(\")\")),{click:n}=this;return null!=n&&(e.classList.add(\"ref\"),e.addEventListener(\"click\",(()=>n(t)))),e}property(t){const s=this.model(t.obj),e=(0,d.span)({class:k.attr},t.attr);return(0,d.span)(s,this.token(\".\"),e)}}e.HTMLPrinter=x,x.__name__=\"HTMLPrinter\";class w extends l.UIElementView{constructor(){super(...arguments),this.prev_listener=null,this.watched_props=new Set}stylesheets(){return[...super.stylesheets(),y.default,b.default]}render(){super.render(),null!=this.prev_listener&&v.diagnostics.disconnect(this.prev_listener);const t=[],s=[],e=[],n=new WeakMap;v.diagnostics.connect((o=>{if(o instanceof r.Property){for(const[s,e]of t)s==o.obj&&i(e);for(const[t,e]of s)if(t==o){const[,,,s]=e.children;a(t,e,s);break}for(const[t,s]of e)if(t==o){const[,e]=s.children;a(t,s,e);break}}function i(t){const s=n.get(t);null!=s&&s.cancel();const e=t.animate([{backgroundColor:\"#def189\"},{backgroundColor:\"initial\"}],{duration:2e3});n.set(t,e)}function a(t,s,e){s.classList.toggle(\"dirty\",t.dirty),(0,d.empty)(e);const n=t.is_unset?(0,d.span)(\"unset\"):C(t.get_value());e.appendChild(n),i(e)}}));const o=(()=>{const s=(0,d.input)({class:\"filter\",type:\"text\",placeholder:\"Filter\"});return s.addEventListener(\"keyup\",(()=>{const e=s.value;for(const[s,n]of t){const t=s.constructor.__qualified__.includes(e);n.classList.toggle(\"hidden\",!t)}})),(0,d.div)({class:\"toolbar\"},s)})(),i=(0,d.input)({type:\"checkbox\",checked:!0}),a=(0,d.input)({type:\"checkbox\",checked:!0}),l=()=>{for(const[t,e]of s){const s=i.checked,n=a.checked,o=!t.dirty&&!s||t.internal&&!n;e.classList.toggle(\"hidden\",o)}};i.addEventListener(\"change\",(()=>l())),a.addEventListener(\"change\",(()=>l()));const p=(()=>{const t=(0,d.input)({class:\"filter\",type:\"text\",placeholder:\"Filter\"}),e=(0,d.span)({class:\"checkbox\"},(0,d.input)({type:\"checkbox\",checked:!0}),(0,d.span)(\"Group\")),n=(0,d.span)({class:\"checkbox\"},i,(0,d.span)(\"Initial?\")),o=(0,d.span)({class:\"checkbox\"},a,(0,d.span)(\"Internal?\"));return t.addEventListener(\"keyup\",(()=>{const e=t.value;for(const[t,n]of s){const s=t.attr.includes(e);n.classList.toggle(\"hidden\",!s)}})),(0,d.div)({class:\"toolbar\"},t,e,n,o)})(),u=(()=>{const t=(0,d.input)({class:\"filter\",type:\"text\",placeholder:\"Filter\"});return t.addEventListener(\"keyup\",(()=>{const s=t.value;for(const[t,n]of e){const e=t.attr.includes(s);n.classList.toggle(\"hidden\",!e)}})),(0,d.div)({class:\"toolbar\"},t)})(),m=(0,d.div)({class:\"models-list\"}),b=(0,d.div)({class:\"props-list\"}),y=(0,d.div)({class:\"watches-list\"}),k=(0,d.div)({class:\"models-panel\"},o,m),w=(0,d.div)({class:\"props-panel\"},p,b),L=(0,d.div)({class:\"watches-panel\"},u,y),E=(0,d.div)({class:\"col\",style:{width:\"100%\"}},L,w),S=(0,d.div)({class:\"examiner\"},k,E);function j(t){t instanceof h.Model&&O(t)}function C(t){return new x(j).to_html(t)}const P=(s,e)=>{(0,_.clear)(t),(0,d.empty)(m);const n=null!=e?new Set(e.all_roots):new Set;for(const e of s){const s=n.has(e)?(0,d.span)({class:\"tag\"},\"root\"):null,o=(0,d.span)({class:\"model-ref\",tabIndex:0},C(e),s);o.addEventListener(\"keydown\",(t=>{\"Enter\"==t.key&&O(e)})),t.push([e,o]),m.appendChild(o)}},O=e=>{(0,_.clear)(s),(0,d.empty)(b);for(const[s,n]of t)n.classList.toggle(\"active\",e==s);const n=(()=>{const t=[];let s=Object.getPrototypeOf(e);do{t.push([s.constructor,(0,f.keys)(s._props)]),s=Object.getPrototypeOf(s)}while(s.constructor!=c.HasProps);t.reverse();const n=[];for(const[,s]of t)s.splice(0,n.length),n.push(...s);return t})(),o=g.receivers_for_sender.get(e)??[];for(const[t,l]of n){if(0==l.length)continue;const n=(0,d.span)({class:[\"expander\"]}),r=(0,d.div)({class:\"base\"},n,\"inherited from\",\" \",(0,d.span)({class:\"monospace\"},t.__qualified__));b.appendChild(r);const c=[];for(const t of l){const n=e.property(t),l=n.kind.toString(),r=n.is_unset?(0,d.span)(\"unset\"):C(n.get_value()),p=n.internal?(0,d.span)({class:\"tag\"},\"internal\"):null,h=o.filter((t=>t.signal==n.change)).length,u=0!=h?(0,d.span)({class:\"tag\"},`${h}`):null,f=this.watched_props.has(n),_=(0,d.input)({type:\"checkbox\",checked:f}),m=(0,d.div)({class:\"prop-attr\",tabIndex:0},_,(0,d.span)({class:\"attr\"},t),p),g=(0,d.div)({class:\"prop-conns\"},u),v=(0,d.div)({class:\"prop-kind\"},l),y=(0,d.div)({class:\"prop-value\"},r),k=n.dirty?\"dirty\":null,x=n.internal?\"internal\":null,w=i.checked,L=a.checked,E=!n.dirty&&!w||n.internal&&!L?\"hidden\":null,S=(0,d.div)({class:[\"prop\",k,x,E]},m,g,v,y);c.push(S),s.push([n,S]),b.appendChild(S),_.addEventListener(\"change\",(()=>{this.watched_props[_.checked?\"add\":\"delete\"](n),$()}))}r.addEventListener(\"click\",(()=>{n.classList.toggle(\"closed\");for(const t of c)t.classList.toggle(\"closed\")}))}},$=()=>{if((0,_.clear)(e),(0,d.empty)(y),0==this.watched_props.size){const t=(0,d.div)({class:\"nothing\"},\"No watched properties\");y.appendChild(t)}else for(const t of this.watched_props){const s=(0,d.span)(C(t)),n=(0,d.span)(t.is_unset?(0,d.span)(\"unset\"):C(t.get_value())),o=(0,d.div)({class:[\"prop\",t.dirty?\"dirty\":null]},s,n);e.push([t,o]),y.appendChild(o)}};this.shadow_el.appendChild(S);const{target:I}=this.model;if(null!=I){const t=I.references(),{document:s}=I;P(t,s),O(I)}else{const{document:t}=this.model;if(null!=t){P(t.all_models,t);const s=t.roots();if(0!=s.length){const[t]=s;O(t)}}}$()}}e.ExaminerView=w,w.__name__=\"ExaminerView\";class L extends l.UIElement{constructor(t){super(t)}}e.Examiner=L,i=L,L.__name__=\"Examiner\",i.prototype.default_view=w,i.define((({Ref:t,Nullable:s})=>({target:[s(t(c.HasProps)),null]})))},\n", " function _(o,e,r,i,l){i(),r.default=':host{--common-padding:3px;--common-outline:#1a73e8 solid 1px;--panel-bg-color:#f1f3f4;--panel-border-color:var(--border-color);--muted-bg-color:#f1f3f4;--muted-color:#5f6368;}.ref{cursor:pointer;}.monospace{font-family:var(--mono-font);}.hidden{display:none !important;}.col{display:flex;flex-direction:column;}.row{display:flex;flex-direction:row;}.toolbar{display:flex;flex-direction:row;gap:1em;background-color:var(--panel-bg-color);border-bottom:1px solid var(--panel-border-color);padding:var(--common-padding);}.checkbox{display:flex;flex-direction:row;align-items:center;gap:0.25em;}.filter:focus{outline:var(--common-outline);}.examiner{height:100%;display:flex;border:1px solid var(--panel-border-color);}.models-panel{display:flex;flex-direction:column;border-right:1px solid var(--panel-border-color);}.props-panel{display:flex;flex-direction:column;height:100%;overflow:auto;}.watches-panel{display:flex;flex-direction:column;border-bottom:1px solid var(--panel-border-color);}.models-list{display:flex;flex-direction:column;height:min-content;padding:var(--common-padding);overflow-x:hidden;overflow-y:auto;}.props-list{display:grid;grid-template-columns:min-content min-content 1fr 1fr;column-gap:1em;padding:var(--common-padding);}.watches-list{display:grid;grid-template-columns:1fr 1fr;column-gap:1em;padding:var(--common-padding);}.nothing{grid-column:1 / span 2;font-style:italic;text-align:center;}.prop{display:contents;}.prop.closed{display:none;}.prop > *{opacity:0.6;}.prop.dirty > *{opacity:1;}.model-ref{display:flex;align-items:center;flex-direction:row;font-family:var(--mono-font);}.model-ref:focus-visible{outline:var(--common-outline);}.model-ref:hover{background-color:var(--hover-color);}.model-ref.active{background-color:var(--active-bg);}.tag{margin-left:1em;padding:0 4px;font-size:60%;border-width:1px;border-style:solid;border-radius:4px;color:var(--color);background-color:var(--surface-background-color);border-color:var(--border-color);}.expander{margin:0 2px;display:inline-block;vertical-align:middle;background-color:var(--muted-color);--open-image:url(\\'data:image/svg+xml;utf8, \\');--closed-image:url(\\'data:image/svg+xml;utf8, \\');}.expander{width:6px;height:6px;mask-image:var(--open-image);-webkit-mask-image:var(--open-image);}.expander.closed{width:6px;height:6px;mask-image:var(--closed-image);-webkit-mask-image:var(--closed-image);}.base{grid-column:1 / span 4;color:var(--muted-color);cursor:pointer;}.prop-attr,.prop-conns,.prop-kind,.prop-value{display:flex;flex-direction:row;align-items:center;overflow:hidden;white-space:nowrap;text-overflow:ellipsis;font-family:var(--mono-font);}.prop-attr > input[type=\"checkbox\"]{visibility:hidden;margin-right:0.25em;}.prop-attr > input[type=\"checkbox\"]:checked,.prop-attr:hover > input{visibility:visible;}.prop-attr:focus-visible{outline:var(--common-outline);}'},\n", " function _(o,b,l,r,k){r(),l.nullish=\"bk-nullish\",l.token=\"bk-token\",l.boolean=\"bk-boolean\",l.number=\"bk-number\",l.string=\"bk-string\",l.symbol=\"bk-symbol\",l.model=\"bk-model\",l.attr=\"bk-attr\",l.array=\"bk-array\",l.object=\"bk-object\",l.iterable=\"bk-iterable\",l.default=\".bk-nullish{color:#7724c1;}.bk-token{color:#881280;}.bk-boolean{color:#007500;}.bk-number{color:#1a1aa6;}.bk-string{color:#994500;}.bk-symbol{color:#c80000;}.bk-model{color:initial;}.bk-attr{color:#c80000;}.bk-array{color:initial;}.bk-object{color:initial;}.bk-iterable{color:initial;}\"},\n", " function _(o,t,n,l,r){l();const T=o(1);T.__exportStar(o(513),n),T.__exportStar(o(529),n),T.__exportStar(o(539),n),T.__exportStar(o(551),n),r(\"Tool\",o(309).Tool),r(\"ToolProxy\",o(313).ToolProxy),r(\"ToolMenu\",o(333).ToolMenu),r(\"Toolbar\",o(308).Toolbar),r(\"ToolButton\",o(315).ToolButton),r(\"OnOffButton\",o(321).OnOffButton),r(\"ClickButton\",o(324).ClickButton)},\n", " function _(o,l,T,e,n){e(),n(\"ActionTool\",o(323).ActionTool),n(\"CopyTool\",o(514).CopyTool),n(\"CustomAction\",o(515).CustomAction),n(\"FullscreenTool\",o(516).FullscreenTool),n(\"HelpTool\",o(325).HelpTool),n(\"ExamineTool\",o(517).ExamineTool),n(\"ClickPanTool\",o(518).ClickPanTool),n(\"RedoTool\",o(521).RedoTool),n(\"ResetTool\",o(522).ResetTool),n(\"SaveTool\",o(523).SaveTool),n(\"UndoTool\",o(524).UndoTool),n(\"ZoomInTool\",o(525).ZoomInTool),n(\"ZoomOutTool\",o(528).ZoomOutTool)},\n", " function _(o,t,e,i,a){var n;i();const c=o(323),p=o(76);class s extends c.ActionToolView{async copy(){const o=await this.parent.export().to_blob(),t=new ClipboardItem({[o.type]:o});await navigator.clipboard.write([t])}doit(){this.copy()}}e.CopyToolView=s,s.__name__=\"CopyToolView\";class l extends c.ActionTool{constructor(o){super(o),this.tool_name=\"Copy\",this.tool_icon=p.tool_icon_copy}}e.CopyTool=l,n=l,l.__name__=\"CopyTool\",n.prototype.default_view=s,n.register_alias(\"copy\",(()=>new n))},\n", " function _(t,e,o,a,i){var l;a();const c=t(1),n=t(323),s=t(353),u=t(51),_=t(8),r=c.__importStar(t(76)),d=t(20);class m extends n.ActionToolView{async _update_active(){const{active_callback:t}=this.model;if(\"auto\"==t)this.model.active=!this.model.active;else if(null!=t){const e=await(0,u.execute)(t,this.model);(0,_.isBoolean)(e)?this.model.active=e:d.logger.warn(`${this.model}.active_callback (${t}) must return a boolean value, got ${typeof e}`)}}async lazy_initialize(){await super.lazy_initialize();const{active_callback:t}=this.model;\"auto\"!=t&&null!=t&&await this._update_active()}async _execute(){const{callback:t,active_callback:e}=this.model;if(null!=t){const o=await(0,u.execute)(t,this.model);null!=e?await this._update_active():(0,_.isBoolean)(o)?this.model.active=o:void 0!==o&&d.logger.warn(`${this.model}.callback (${t}) must return a boolean value or void, got ${typeof o}`)}}doit(){this._await_ready(this._execute())}}o.CustomActionView=m,m.__name__=\"CustomActionView\";class v extends n.ActionTool{constructor(t){super(t),this.tool_name=\"Custom Action\",this.tool_icon=r.tool_icon_unknown}}o.CustomAction=v,l=v,v.__name__=\"CustomAction\",l.prototype.default_view=m,l.define((({Func:t,Nullable:e,Ref:o,Or:a,Auto:i})=>({callback:[e(a(o(s.CustomJS),t())),null],active_callback:[e(a(o(s.CustomJS),t(),i)),null]}))),l.override({description:\"Perform a Custom Action\"}),l.override_options({active:{internal:!1},disabled:{internal:!1}})},\n", " function _(e,l,t,n,s){var o;n();const c=e(1),i=e(323),r=c.__importStar(e(76)),u=void 0!==Element.prototype.webkitRequestFullscreen?(e,l)=>e.webkitRequestFullscreen(l):(e,l)=>e.requestFullscreen(l);class a extends i.ActionToolView{initialize(){super.initialize();const e=()=>{const e=document.fullscreenElement==this.parent.el;this.model.active=e};document.addEventListener(\"fullscreenchange\",e),document.addEventListener(\"webkitfullscreenchange\",e)}async fullscreen(){null!=document.fullscreenElement?await document.exitFullscreen():await u(this.parent.el)}doit(){this.fullscreen()}}t.FullscreenToolView=a,a.__name__=\"FullscreenToolView\";class _ extends i.ActionTool{constructor(e){super(e),this.tool_name=\"Fullscreen\",this.tool_icon=r.tool_icon_fullscreen}}t.FullscreenTool=_,o=_,_.__name__=\"FullscreenTool\",o.prototype.default_view=a,o.register_alias(\"fullscreen\",(()=>new o))},\n", " function _(e,i,t,n,o){var a;n();const l=e(1),s=e(323),_=l.__importStar(e(76)),c=e(358),r=e(509),d=e(133),m=e(69),h=e(61),g=l.__importDefault(e(511));class p extends s.ActionToolView{*children(){yield*super.children(),yield this.dialog}async lazy_initialize(){await super.lazy_initialize();const e=this.parent.model,i=new r.HTMLPrinter,t=new c.Dialog({stylesheets:[g.default],title:new d.HTML({html:(0,h.div)(\"Examine \",i.to_html(e))}),content:new r.Examiner({target:e}),visible:!1,close_action:\"hide\"});this.dialog=await(0,m.build_view)(t,{parent:this.parent})}connect_signals(){super.connect_signals(),this.dialog.displayed.connect((e=>this.model.active=e))}doit(){this.dialog.toggle()}}t.ExamineToolView=p,p.__name__=\"ExamineToolView\";class w extends s.ActionTool{constructor(e){super(e),this.tool_name=\"Examine\",this.tool_icon=_.tool_icon_settings}}t.ExamineTool=w,a=w,w.__name__=\"ExamineTool\",a.prototype.default_view=p,a.register_alias(\"examine\",(()=>new a))},\n", " function _(e,t,n,i,o){var a;i();const r=e(1),s=e(519),c=e(520),_=e(22),l=e(21),p=r.__importStar(e(76));class d extends s.PlotActionToolView{doit(){const e=(()=>{switch(this.model.direction){case\"left\":case\"west\":return{x:-1,y:0};case\"right\":case\"east\":return{x:1,y:0};case\"up\":case\"north\":return{x:0,y:-1};case\"down\":case\"south\":return{x:0,y:1}}})(),{frame:t}=this.plot_view,{factor:n}=this.model,i=e.x*n*t.bbox.width,o=e.y*n*t.bbox.height,a=t.bbox.translate(i,o),r=(0,c.update_ranges)(t.x_scales,a.x0,a.x1),s=(0,c.update_ranges)(t.y_scales,a.y0,a.y1);this.plot_view.update_range({xrs:r,yrs:s},{panning:!0})}}n.ClickPanToolView=d,d.__name__=\"ClickPanToolView\";class u extends s.PlotActionTool{constructor(e){super(e),this.tool_name=\"Click Pan\"}get tooltip(){return`Pan ${this.direction}`}get computed_icon(){const e=super.computed_icon;if(null!=e)return e;switch(this.direction){case\"left\":case\"west\":return`.${p.tool_icon_pan_left}`;case\"right\":case\"east\":return`.${p.tool_icon_pan_right}`;case\"up\":case\"north\":return`.${p.tool_icon_pan_up}`;case\"down\":case\"south\":return`.${p.tool_icon_pan_down}`}}}n.ClickPanTool=u,a=u,u.__name__=\"ClickPanTool\",a.prototype.default_view=d,a.define((()=>({direction:[l.PanDirection],factor:[_.Float,.1]}))),a.register_alias(\"pan_left\",(()=>new a({direction:\"left\"}))),a.register_alias(\"pan_right\",(()=>new a({direction:\"right\"}))),a.register_alias(\"pan_up\",(()=>new a({direction:\"up\"}))),a.register_alias(\"pan_down\",(()=>new a({direction:\"down\"}))),a.register_alias(\"pan_west\",(()=>new a({direction:\"west\"}))),a.register_alias(\"pan_east\",(()=>new a({direction:\"east\"}))),a.register_alias(\"pan_north\",(()=>new a({direction:\"north\"}))),a.register_alias(\"pan_south\",(()=>new a({direction:\"south\"})))},\n", " function _(o,t,n,e,l){e();const c=o(323);class i extends c.ActionToolView{get plot_view(){return this.parent}}n.PlotActionToolView=i,i.__name__=\"PlotActionToolView\";class s extends c.ActionTool{constructor(o){super(o)}}n.PlotActionTool=s,s.__name__=\"PlotActionTool\"},\n", " function _(t,e,i,s,n){var o;s(),i.update_ranges=c;const a=t(1),h=t(320),r=t(310),l=t(12),_=t(21),d=a.__importStar(t(76));function c(t,e,i){const s=new Map;for(const[,n]of t){const[t,o]=n.r_invert(e,i);s.set(n.source_range,{start:t,end:o})}return s}class u extends h.GestureToolView{constructor(){super(...arguments),this.state=null}cursor(t,e){if(null!=this.state){const{dims:t}=this.state;switch(\"both\"==t?this.model.dimensions:t){case\"both\":return\"move\";case\"width\":return\"ew-resize\";case\"height\":return\"ns-resize\"}}return super.cursor(t,e)}_interactive_dims({sx:t,sy:e}){const{dimensions:i}=this.model,{plot_view:s}=this,n=s.axis_views.find((i=>i.bbox.contains(t,e)));if(null!=n)switch(n.dimension){case 0:if(\"width\"==i||\"both\"==i)return\"width\";break;case 1:if(\"height\"==i||\"both\"==i)return\"height\"}else if(s.frame.bbox.contains(t,e))return\"both\";return null}_pan_start(t){(0,l.assert)(null==this.state);const{sx:e,sy:i}=t,s=this._interactive_dims({sx:e,sy:i});null!=s&&(this.state={last_dx:0,last_dy:0,dims:s},this.model.document?.interactive_start(this.plot_view.model))}_pan(t){null!=this.state&&(this._update(t.dx,t.dy),this.model.document?.interactive_start(this.plot_view.model))}_pan_end(t){null!=this.state&&(this.state=null,null!=this.pan_info&&this.plot_view.state.push(\"pan\",{range:this.pan_info}),this.plot_view.trigger_ranges_update_event())}_update(t,e){const{state:i}=this;(0,l.assert)(null!=i);const s=this.plot_view.frame,n=t-i.last_dx,o=e-i.last_dy,a=s.bbox.h_range,h=a.start-n,r=a.end-n,_=s.bbox.v_range,d=_.start-o,u=_.end-o,m=this.model.dimensions,{x_scales:p,y_scales:w}=s,g=\"width\"==i.dims,b=\"height\"==i.dims;let v,x,f,y;\"width\"!=m&&\"both\"!=m||b?(v=0,x=new Map):(v=-n,x=c(p,h,r)),\"height\"!=m&&\"both\"!=m||g?(f=0,y=new Map):(f=-o,y=c(w,d,u)),i.last_dx=t,i.last_dy=e,this.pan_info={xrs:x,yrs:y,sdx:v,sdy:f},this.plot_view.update_range(this.pan_info,{panning:!0})}}i.PanToolView=u,u.__name__=\"PanToolView\";class m extends h.GestureTool{constructor(t){super(t),this.tool_name=\"Pan\",this.event_type=\"pan\",this.default_order=10}get tooltip(){return this._get_dim_tooltip(this.dimensions)}get computed_icon(){const t=super.computed_icon;if(null!=t)return t;switch(this.dimensions){case\"both\":return`.${d.tool_icon_pan}`;case\"width\":return`.${d.tool_icon_x_pan}`;case\"height\":return`.${d.tool_icon_y_pan}`}}get menu(){return[new r.MenuItem({icon:`.${d.tool_icon_pan}`,label:\"XY mode\",tooltip:\"Pan in both dimensions\",checked:()=>\"both\"==this.dimensions,action:()=>{this.dimensions=\"both\",this.active=!0}}),new r.MenuItem({icon:`.${d.tool_icon_x_pan}`,label:\"X-only\",tooltip:\"Pan in x-dimension\",checked:()=>\"width\"==this.dimensions,action:()=>{this.dimensions=\"width\",this.active=!0}}),new r.MenuItem({icon:`.${d.tool_icon_y_pan}`,label:\"Y-only\",tooltip:\"Pan in y-dimension\",checked:()=>\"height\"==this.dimensions,action:()=>{this.dimensions=\"height\",this.active=!0}})]}}i.PanTool=m,o=m,m.__name__=\"PanTool\",o.prototype.default_view=u,o.define((()=>({dimensions:[_.Dimensions,\"both\"]}))),o.register_alias(\"pan\",(()=>new o({dimensions:\"both\"}))),o.register_alias(\"xpan\",(()=>new o({dimensions:\"width\"}))),o.register_alias(\"ypan\",(()=>new o({dimensions:\"height\"})))},\n", " function _(o,e,t,s,i){var n;s();const l=o(519),_=o(76);class a extends l.PlotActionToolView{connect_signals(){super.connect_signals(),this.connect(this.plot_view.state.changed,(()=>this.model.disabled=!this.plot_view.state.can_redo))}doit(){const o=this.plot_view.state.redo();null!=o?.range&&this.plot_view.trigger_ranges_update_event()}}t.RedoToolView=a,a.__name__=\"RedoToolView\";class d extends l.PlotActionTool{constructor(o){super(o),this.tool_name=\"Redo\",this.tool_icon=_.tool_icon_redo}}t.RedoTool=d,n=d,d.__name__=\"RedoTool\",n.prototype.default_view=a,n.override({disabled:!0}),n.register_alias(\"redo\",(()=>new n))},\n", " function _(e,o,t,s,i){var l;s();const _=e(519),n=e(76);class c extends _.PlotActionToolView{doit(){this.plot_view.reset()}}t.ResetToolView=c,c.__name__=\"ResetToolView\";class r extends _.PlotActionTool{constructor(e){super(e),this.tool_name=\"Reset\",this.tool_icon=n.tool_icon_reset}}t.ResetTool=r,l=r,r.__name__=\"ResetTool\",l.prototype.default_view=c,l.register_alias(\"reset\",(()=>new l))},\n", " function _(e,o,t,a,n){var i;a();const l=e(1),c=e(323),s=e(310),p=l.__importStar(e(76));class r extends c.ActionToolView{async _export(){return this.parent.export().to_blob()}async copy(){const e=await this._export(),o=new ClipboardItem({[e.type]:e});await navigator.clipboard.write([o])}async save(e){const o=await this._export(),t=document.createElement(\"a\");t.href=URL.createObjectURL(o),t.download=e,t.target=\"_blank\",t.dispatchEvent(new MouseEvent(\"click\"))}async open(){const e=await this._export(),o=URL.createObjectURL(e);open(o)}doit(e=\"save\"){switch(e){case\"save\":{const e=this.model.filename??prompt(\"Enter filename\",\"bokeh_plot\");null!=e&&this.save(e);break}case\"copy\":this.copy();break;case\"open\":this.open()}}}t.SaveToolView=r,r.__name__=\"SaveToolView\";class _ extends c.ActionTool{constructor(e){super(e),this.tool_name=\"Save\",this.tool_icon=p.tool_icon_save}get menu(){return[new s.MenuItem({icon:`.${p.tool_icon_save}`,label:\"Save\",tooltip:\"Save image as a local file\",action:()=>{this.do.emit(\"save\")}}),new s.MenuItem({icon:`.${p.tool_icon_copy}`,label:\"Copy\",tooltip:\"Copy image to clipboard\",disabled:()=>\"undefined\"==typeof ClipboardItem,action:()=>{this.do.emit(\"copy\")}}),new s.MenuItem({icon:`.${p.tool_icon_open}`,label:\"Open\",tooltip:\"Open image in a new tab\",action:()=>{this.do.emit(\"open\")}})]}}t.SaveTool=_,i=_,_.__name__=\"SaveTool\",i.prototype.default_view=r,i.define((({Str:e,Nullable:o})=>({filename:[o(e),null]}))),i.register_alias(\"save\",(()=>new i))},\n", " function _(o,t,e,n,s){var i;n();const l=o(519),_=o(76);class a extends l.PlotActionToolView{connect_signals(){super.connect_signals(),this.connect(this.plot_view.state.changed,(()=>this.model.disabled=!this.plot_view.state.can_undo))}doit(){const o=this.plot_view.state.undo();null!=o?.range&&this.plot_view.trigger_ranges_update_event()}}e.UndoToolView=a,a.__name__=\"UndoToolView\";class d extends l.PlotActionTool{constructor(o){super(o),this.tool_name=\"Undo\",this.tool_icon=_.tool_icon_undo}}e.UndoTool=d,i=d,d.__name__=\"UndoTool\",i.prototype.default_view=a,i.override({disabled:!0}),i.register_alias(\"undo\",(()=>new i))},\n", " function _(o,e,n,i,s){var t;i();const _=o(526),a=o(76);class m extends _.ZoomBaseToolView{get factor(){return this.model.factor}}n.ZoomInToolView=m,m.__name__=\"ZoomInToolView\";class l extends _.ZoomBaseTool{constructor(o){super(o),this.maintain_focus=!0,this.tool_name=\"Zoom In\",this.tool_icon=a.tool_icon_zoom_in}}n.ZoomInTool=l,t=l,l.__name__=\"ZoomInTool\",t.prototype.default_view=m,t.register_alias(\"zoom_in\",(()=>new t({dimensions:\"both\"}))),t.register_alias(\"xzoom_in\",(()=>new t({dimensions:\"width\"}))),t.register_alias(\"yzoom_in\",(()=>new t({dimensions:\"height\"})))},\n", " function _(e,o,t,s,n){var i;s();const a=e(519),l=e(233),r=e(117),c=e(21),_=e(527),d=e(20);class m extends a.PlotActionToolView{doit(){const{dimensions:e}=this.model,o=\"width\"==e||\"both\"==e,t=\"height\"==e||\"both\"==e,{frame:s}=this.plot_view,{x_target:n,y_target:i}=s,a=new Map(s.x_scales),l=new Map(s.y_scales),{renderers:c}=this.model;if(\"auto\"!=c){const e=new Set,o=new Set;for(const t of c)null==t.coordinates&&(e.add(t.x_range_name),o.add(t.y_range_name));for(const o of a.keys())e.has(o)||a.delete(o);for(const e of l.keys())o.has(e)||l.delete(e)}const m=[...a.values()],h=[...l.values()],u=\"auto\"!=c?c:this.plot_view.model.data_renderers;for(const e of u){if(null==e.coordinates)continue;const o=this.plot_view.views.get_one(e),t=(e,o)=>{const{level:t}=this.model;for(let s=0;s({factor:[e,.1],dimensions:[c.Dimensions,\"both\"],renderers:[o(t(s(l.DataRenderer)),n),\"auto\"],level:[i(a),0]})))},\n", " function _(n,t,r,e,s){e(),r.scale_interval=c,r.get_info=function(n,[t,r]){const e=new Map;for(const s of n){const[n,o]=s.r_invert(t,r);e.set(s.source_range,{start:n,end:o})}return e},r.rescale=f,r.scale_range=function(n,t,r,e,s,o=!0,a=!0,c){const u=o?f(n,s,c?.x):new Map,i=a?f(t,s,c?.y):new Map;return{xrs:u,yrs:i,factor:s}};const o=n(12),a=n(11);function c(n,t,r){(0,o.assert)(Math.abs(t)<1);const[e,s]=(0,a.minmax)(n.start,n.end),c=r??(s+e)/2;return[e-(e-c)*t,s-(s-c)*t]}function f(n,t,r){const e=new Map;for(const s of n){const[n,o]=c(s.target_range,t,r),[a,f]=s.r_invert(n,o);e.set(s.source_range,{start:a,end:f})}return e}},\n", " function _(o,t,e,s,i){var n;s();const _=o(526),a=o(76);class m extends _.ZoomBaseToolView{get factor(){const{factor:o}=this.model;return-o/(1-o)}}e.ZoomOutToolView=m,m.__name__=\"ZoomOutToolView\";class l extends _.ZoomBaseTool{constructor(o){super(o),this.tool_name=\"Zoom Out\",this.tool_icon=a.tool_icon_zoom_out}}e.ZoomOutTool=l,n=l,l.__name__=\"ZoomOutTool\",n.prototype.default_view=m,n.define((({Bool:o})=>({maintain_focus:[o,!0]}))),n.register_alias(\"zoom_out\",(()=>new n({dimensions:\"both\"}))),n.register_alias(\"xzoom_out\",(()=>new n({dimensions:\"width\"}))),n.register_alias(\"yzoom_out\",(()=>new n({dimensions:\"height\"})))},\n", " function _(o,l,T,i,t){i(),t(\"EditTool\",o(530).EditTool),t(\"BoxEditTool\",o(531).BoxEditTool),t(\"FreehandDrawTool\",o(532).FreehandDrawTool),t(\"LineEditTool\",o(533).LineEditTool),t(\"PointDrawTool\",o(535).PointDrawTool),t(\"PolyDrawTool\",o(536).PolyDrawTool),t(\"PolyTool\",o(537).PolyTool),t(\"PolyEditTool\",o(538).PolyEditTool)},\n", " function _(e,t,s,o,n){var i;o();const c=e(29),r=e(10),l=e(9),a=e(8),_=e(12),d=e(320);class u extends d.GestureToolView{constructor(){super(...arguments),this._mouse_in_frame=!0}_select_mode(e){const{shift:t,ctrl:s}=e.modifiers;return t||s?t&&!s?\"append\":!t&&s?\"intersect\":t&&s?\"subtract\":void(0,_.unreachable)():\"replace\"}_move_enter(e){this._mouse_in_frame=!0}_move_exit(e){this._mouse_in_frame=!1}_map_drag(e,t,s){if(!this.plot_view.frame.bbox.contains(e,t))return null;const o=this.plot_view.views.find_one(s);if(null==o)return null;return[o.coordinates.x_scale.invert(e),o.coordinates.y_scale.invert(t)]}_delete_selected(e){const t=e.data_source,s=t.selected.indices;s.sort();for(const e of t.columns()){const o=t.get_array(e);for(let e=0;en.has(i)?n.get(i):o.has(i)?o.get(i):s.has(i)?s.get(i):this.model.empty_value)();e.get_array(i).push(t)}}_select_event(e,t,s){const o=this.plot_view.frame,{sx:n,sy:i}=e;if(!o.bbox.contains(n,i))return[];const c={type:\"point\",sx:n,sy:i},r=[];for(const e of s){const s=e.get_selection_manager(),o=e.data_source,n=this.plot_view.views.find_one(e);if(null!=n){s.select([n],c,!0,t)&&r.push(e),o.properties.selected.change.emit()}}return r}}s.EditToolView=u,u.__name__=\"EditToolView\";class f extends d.GestureTool{constructor(e){super(e)}}s.EditTool=f,i=f,f.__name__=\"EditTool\",i.define((({Unknown:e,Dict:t})=>({default_overrides:[t(e),{}],empty_value:[e,0]})))},\n", " function _(e,i,s,t,l){var n;t();const o=e(21),d=e(29),r=e(235),_=e(415),f=e(392),a=e(412),c=e(396),h=e(424),p=e(399),u=e(426),m=e(232),F=e(530),b=e(76),x=e(12),y=e(9);class g extends F.EditToolView{constructor(){super(...arguments),this._recent_renderers=[]}_tap(e){null==this._draw_basepoint&&null==this._basepoint&&(this._recent_renderers=this._select_event(e,this._select_mode(e),this.model.renderers))}_keyup(e){if(this.model.active&&this._mouse_in_frame)for(const i of this.model.renderers)if(\"Backspace\"==e.key)this._delete_selected(i);else if(\"Escape\"==e.key){i.data_source.selection_manager.clear()}}_set_extent([e,i],[s,t],l,n=!1){const o=this._recent_renderers[0]??this.model.renderers[0],r=this.plot_view.views.find_one(o);if(null==r)return;const{glyph:m}=o,F=o.data_source,b=(0,y.dict)(F.data),[g,w]=r.coordinates.x_scale.r_invert(e,i),[v,B]=r.coordinates.y_scale.r_invert(s,t),E=(()=>{if(m instanceof _.Rect){const{x:e,y:i,width:s,height:t}=m;if((0,d.isField)(e)&&(0,d.isField)(i)&&(0,d.isField)(s)&&(0,d.isField)(t))return{[e.field]:(g+w)/2,[i.field]:(v+B)/2,[s.field]:w-g,[t.field]:B-v}}else if(m instanceof f.Block){const{x:e,y:i,width:s,height:t}=m;if((0,d.isField)(e)&&(0,d.isField)(i)&&(0,d.isField)(s)&&(0,d.isField)(t))return{[e.field]:g,[i.field]:v,[s.field]:w-g,[t.field]:B-v}}else if(m instanceof a.Quad){const{right:e,bottom:i,left:s,top:t}=m;if((0,d.isField)(e)&&(0,d.isField)(i)&&(0,d.isField)(s)&&(0,d.isField)(t))return{[e.field]:w,[i.field]:v,[s.field]:g,[t.field]:B}}else if(m instanceof c.HBar){const{left:e,y:i,height:s,right:t}=m;if((0,d.isField)(e)&&(0,d.isField)(i)&&(0,d.isField)(s)&&(0,d.isField)(t))return{[e.field]:g,[i.field]:(v+B)/2,[s.field]:B-v,[t.field]:w}}else if(m instanceof h.VBar){const{x:e,bottom:i,width:s,top:t}=m;if((0,d.isField)(e)&&(0,d.isField)(i)&&(0,d.isField)(s)&&(0,d.isField)(t))return{[e.field]:(g+w)/2,[i.field]:v,[s.field]:w-g,[t.field]:B}}else if(m instanceof p.HStrip){const{y0:e,y1:i}=m;if((0,d.isField)(e)&&(0,d.isField)(i))return{[e.field]:v,[i.field]:B}}else if(m instanceof u.VStrip){const{x0:e,x1:i}=m;if((0,d.isField)(e)&&(0,d.isField)(i))return{[e.field]:g,[i.field]:w}}else(0,x.unreachable)(`'${m.type}' is not supported\"`);return null})();if(null!=E){if(l){this._pop_glyphs(F,this.model.num_objects);for(const[e,i]of(0,y.entries)(E))F.get_array(e).push(i);this._pad_empty_columns(F,(0,y.keys)(E))}else{const e=F.get_length();if(null==e)return;const i=e-1;for(const[e,s]of(0,y.entries)(E))b.get(e)[i]=s}this._emit_cds_changes(F,!0,!1,n)}}_update_box(e,i=!1,s=!1){if(null==this._draw_basepoint)return;const t=[e.sx,e.sy],l=this.plot_view.frame,n=this.model.dimensions,[o,d]=this.model._get_dim_limits(this._draw_basepoint,t,l,n);this._set_extent(o,d,i,s)}_press(e){this.model.active&&(null!=this._draw_basepoint?(this._update_box(e,!1,!0),this._draw_basepoint=null):(this._draw_basepoint=[e.sx,e.sy],this._select_event(e,\"append\",this.model.renderers),this._update_box(e,!0,!1)))}_move(e){this._update_box(e,!1,!1)}_pan_start(e){if(e.modifiers.shift){if(null!=this._draw_basepoint)return;this._draw_basepoint=[e.sx,e.sy],this._update_box(e,!0,!1)}else{if(null!=this._basepoint)return;this._recent_renderers=this._select_event(e,\"append\",this.model.renderers),this._basepoint=[e.sx,e.sy]}}_pan(e,i=!1,s=!1){if(e.modifiers.shift){if(null==this._draw_basepoint)return;this._update_box(e,i,s)}else{if(null==this._basepoint)return;this._drag_points(e,this.model.renderers)}}_drag_points(e,i,s=\"both\"){if(null==this._basepoint)return;const[t,l]=this._basepoint;for(const n of i){const i=this._map_drag(t,l,n),o=this._map_drag(e.sx,e.sy,n);if(null==o||null==i)continue;const[_,m]=o,[F,b]=i,g=\"width\"==s||\"both\"==s?_-F:0,w=\"height\"==s||\"both\"==s?m-b:0,{glyph:v}=n,B=n.data_source,E=(0,y.dict)(B.data),k={};if(v instanceof r.XYGlyph){const{x:e,y:i}=v;(0,d.isField)(e)&&(k[e.field]=g),(0,d.isField)(i)&&(k[i.field]=w)}else if(v instanceof f.Block){const{x:e,y:i}=v;(0,d.isField)(e)&&(k[e.field]=g),(0,d.isField)(i)&&(k[i.field]=w)}else if(v instanceof a.Quad){const{right:e,bottom:i,left:s,top:t}=v;(0,d.isField)(s)&&(0,d.isField)(e)&&(k[s.field]=g,k[e.field]=g),(0,d.isField)(t)&&(0,d.isField)(i)&&(k[t.field]=w,k[i.field]=w)}else if(v instanceof c.HBar){const{left:e,right:i,y:s}=v;(0,d.isField)(e)&&(0,d.isField)(i)&&(k[e.field]=g,k[i.field]=g),(0,d.isField)(s)&&(k[s.field]=w)}else if(v instanceof h.VBar){const{x:e,top:i,bottom:s}=v;(0,d.isField)(e)&&(k[e.field]=g),(0,d.isField)(i)&&(0,d.isField)(s)&&(k[i.field]=w,k[s.field]=w)}else if(v instanceof p.HStrip){const{y0:e,y1:i}=v;(0,d.isField)(e)&&(0,d.isField)(i)&&(k[e.field]=w,k[i.field]=w)}else if(v instanceof u.VStrip){const{x0:e,x1:i}=v;(0,d.isField)(e)&&(0,d.isField)(i)&&(k[e.field]=g,k[i.field]=g)}else(0,x.unreachable)(`'${v.type}' is not supported\"`);for(const e of B.selected.indices)for(const[i,s]of(0,y.entries)(k)){(E.get(i)??[])[e]+=s}B.change.emit()}this._basepoint=[e.sx,e.sy]}_pan_end(e){if(this._pan(e,!1,!0),e.modifiers.shift)this._draw_basepoint=null;else{this._basepoint=null;for(const e of this.model.renderers)this._emit_cds_changes(e.data_source,!1,!0,!0)}}}s.BoxEditToolView=g,g.__name__=\"BoxEditToolView\";class w extends F.EditTool{constructor(e){super(e),this.tool_name=\"Box Edit Tool\",this.tool_icon=b.tool_icon_box_edit,this.event_type=[\"tap\",\"press\",\"pan\",\"move\"],this.default_order=1}}s.BoxEditTool=w,n=w,w.__name__=\"BoxEditTool\",n.prototype.default_view=g,n.define((({Int:e,List:i,Ref:s})=>({dimensions:[o.Dimensions,\"both\"],num_objects:[e,0],renderers:[i(s(m.GlyphRenderer)),[]]})))},\n", " function _(e,t,s,r,a){var n;r();const _=e(29),i=e(9),l=e(8),d=e(530),o=e(232),h=e(76);class c extends d.EditToolView{_draw(e,t,s=!1){if(!this.model.active)return;const r=this.model.renderers[0],a=this._map_drag(e.sx,e.sy,r);if(null==a)return;const[n,d]=a,{glyph:o,data_source:h}=r,c=(0,_.isField)(o.xs)?o.xs.field:null,p=(0,_.isField)(o.ys)?o.ys.field:null,u=(0,i.dict)(h.data);if(\"new\"==t)this._pop_glyphs(h,this.model.num_objects),null!=c&&h.get_array(c).push([n]),null!=p&&h.get_array(p).push([d]),this._pad_empty_columns(h,[c,p]);else if(\"add\"==t){if(null!=c){const e=u.get(c)??[],t=e.length-1;let s=h.get_array(c)[t];(0,l.isArray)(s)||(s=Array.from(s),e[t]=s),s.push(n)}if(null!=p){const e=u.get(p)??[],t=e.length-1;let s=h.get_array(p)[t];(0,l.isArray)(s)||(s=Array.from(s),e[t]=s),s.push(d)}}this._emit_cds_changes(h,!0,!0,s)}_pan_start(e){this._draw(e,\"new\")}_pan(e){this._draw(e,\"add\")}_pan_end(e){this._draw(e,\"add\",!0)}_tap(e){this._select_event(e,this._select_mode(e),this.model.renderers)}_keyup(e){if(this.model.active&&this._mouse_in_frame)for(const t of this.model.renderers)\"Escape\"==e.key?t.data_source.selection_manager.clear():\"Backspace\"==e.key&&this._delete_selected(t)}}s.FreehandDrawToolView=c,c.__name__=\"FreehandDrawToolView\";class p extends d.EditTool{constructor(e){super(e),this.tool_name=\"Freehand Draw Tool\",this.tool_icon=h.tool_icon_freehand_draw,this.event_type=[\"pan\",\"tap\"],this.default_order=3}}s.FreehandDrawTool=p,n=p,p.__name__=\"FreehandDrawTool\",n.prototype.default_view=c,n.define((({Int:e,List:t,Ref:s})=>({num_objects:[e,0],renderers:[t(s(o.GlyphRenderer)),[]]}))),n.register_alias(\"freehand_draw\",(()=>new n))},\n", " function _(e,t,s,i,n){var r;i();const _=e(29),d=e(21),l=e(9),o=e(232),c=e(534),h=e(76);class a extends c.LineToolView{constructor(){super(...arguments),this._drawing=!1}_press(e){if(!this.model.active)return;const t=this.model.renderers;for(const s of t){1==this._select_event(e,\"replace\",[s]).length&&(this._selected_renderer=s)}this._show_intersections(),this._update_line_cds()}_show_intersections(){if(!this.model.active)return;if(null==this._selected_renderer)return;if(0==this.model.renderers.length)return this._set_intersection([],[]),this._selected_renderer=null,void(this._drawing=!1);const{glyph:e}=this._selected_renderer;if(!(0,_.isField)(e.x)||!(0,_.isField)(e.y))return;const[t,s]=[e.x.field,e.y.field],i=this._selected_renderer.data_source,n=i.get_array(t),r=i.get_array(s);this._set_intersection(n,r)}_tap(e){const t=this.model.intersection_renderer;if(null==this._map_drag(e.sx,e.sy,t))return;if(this._drawing&&null!=this._selected_renderer){const s=this._select_mode(e);if(0==this._select_event(e,s,[t]).length)return}const s=this._select_mode(e);this._select_event(e,s,[t]),this._select_event(e,s,this.model.renderers)}_update_line_cds(){if(null==this._selected_renderer)return;const e=this.model.intersection_renderer.glyph,t=this.model.intersection_renderer.data_source,s=(0,l.dict)(t.data),i=(0,_.isField)(e.x)?e.x.field:null,n=(0,_.isField)(e.y)?e.y.field:null;if(null!=i&&null!=n){const e=s.get(i),t=s.get(n);null!=e&&(0,l.dict)(this._selected_renderer.data_source.data).set(i,e),null!=t&&(0,l.dict)(this._selected_renderer.data_source.data).set(n,t)}this._emit_cds_changes(this._selected_renderer.data_source,!0,!0,!1)}_pan_start(e){this._select_event(e,\"append\",[this.model.intersection_renderer]),this._basepoint=[e.sx,e.sy]}_pan(e){null!=this._basepoint&&(this._drag_points(e,[this.model.intersection_renderer],this.model.dimensions),null!=this._selected_renderer&&this._selected_renderer.data_source.change.emit())}_pan_end(e){null!=this._basepoint&&(this._drag_points(e,[this.model.intersection_renderer]),this._emit_cds_changes(this.model.intersection_renderer.data_source,!1,!0,!0),null!=this._selected_renderer&&this._emit_cds_changes(this._selected_renderer.data_source),this._basepoint=null)}activate(){this._drawing=!0}deactivate(){null!=this._selected_renderer&&(this._drawing&&(this._drawing=!1),this._hide_intersections())}}s.LineEditToolView=a,a.__name__=\"LineEditToolView\";class u extends c.LineTool{constructor(e){super(e),this.tool_name=\"Line Edit Tool\",this.tool_icon=h.tool_icon_line_edit,this.event_type=[\"tap\",\"press\",\"pan\",\"move\"],this.default_order=4}get tooltip(){return this._get_dim_tooltip(this.dimensions)}}s.LineEditTool=u,r=u,u.__name__=\"LineEditTool\",r.prototype.default_view=a,r.define((({List:e,Ref:t})=>({dimensions:[d.Dimensions,\"both\"],renderers:[e(t(o.GlyphRenderer)),[]]})))},\n", " function _(e,i,n,t,s){var l;t();const o=e(29),r=e(9),_=e(8),d=e(232),c=e(530);class a extends c.EditToolView{_set_intersection(e,i){const n=this.model.intersection_renderer.glyph,t=this.model.intersection_renderer.data_source,s=(0,r.dict)(t.data),l=(0,o.isField)(n.x)?n.x.field:null,d=(0,o.isField)(n.y)?n.y.field:null;null!=l&&((0,_.isArray)(e)?s.set(l,e):n.x={value:e}),null!=d&&((0,_.isArray)(i)?s.set(d,i):n.y={value:i}),this._emit_cds_changes(t,!0,!0,!1)}_hide_intersections(){this._set_intersection([],[])}}n.LineToolView=a,a.__name__=\"LineToolView\";class u extends c.EditTool{constructor(e){super(e)}}n.LineTool=u,l=u,u.__name__=\"LineTool\",l.define((({Ref:e})=>({intersection_renderer:[e(d.GlyphRenderer)]})))},\n", " function _(e,t,s,o,i){var n;o();const _=e(29),a=e(232),r=e(530),l=e(76);class d extends r.EditToolView{_tap(e){if(0!=this._select_event(e,this._select_mode(e),this.model.renderers).length||!this.model.add)return;const t=this.model.renderers[0],s=this._map_drag(e.sx,e.sy,t);if(null==s)return;const{glyph:o,data_source:i}=t,n=(0,_.isField)(o.x)?o.x.field:null,a=(0,_.isField)(o.y)?o.y.field:null,[r,l]=s;this._pop_glyphs(i,this.model.num_objects),null!=n&&i.get_array(n).push(r),null!=a&&i.get_array(a).push(l),this._pad_empty_columns(i,[n,a]);const{data:d}=i;i.setv({data:d},{check_eq:!1})}_keyup(e){if(this.model.active&&this._mouse_in_frame)for(const t of this.model.renderers)\"Backspace\"==e.key?this._delete_selected(t):\"Escape\"==e.key&&t.data_source.selection_manager.clear()}_pan_start(e){this.model.drag&&(this._select_event(e,\"append\",this.model.renderers),this._basepoint=[e.sx,e.sy])}_pan(e){this.model.drag&&null!=this._basepoint&&this._drag_points(e,this.model.renderers)}_pan_end(e){if(this.model.drag){this._pan(e);for(const e of this.model.renderers)this._emit_cds_changes(e.data_source,!1,!0,!0);this._basepoint=null}}}s.PointDrawToolView=d,d.__name__=\"PointDrawToolView\";class h extends r.EditTool{constructor(e){super(e),this.tool_name=\"Point Draw Tool\",this.tool_icon=l.tool_icon_point_draw,this.event_type=[\"tap\",\"pan\",\"move\"],this.default_order=2}}s.PointDrawTool=h,n=h,h.__name__=\"PointDrawTool\",n.prototype.default_view=d,n.define((({Bool:e,Int:t,List:s,Ref:o})=>({add:[e,!0],drag:[e,!0],num_objects:[t,0],renderers:[s(o(a.GlyphRenderer)),[]]})))},\n", " function _(e,t,s,i,l){var n;i();const r=e(29),o=e(9),a=e(8),d=e(232),_=e(537),h=e(76);class c extends _.PolyToolView{constructor(){super(...arguments),this._drawing=!1,this._initialized=!1}_tap(e){this._drawing?this._draw(e,\"add\",!0):this._select_event(e,this._select_mode(e),this.model.renderers)}_draw(e,t,s=!1){const i=this.model.renderers[0],l=this._map_drag(e.sx,e.sy,i);if(this._initialized||this.activate(),null==l)return;const[n,d]=this._snap_to_vertex(e,...l),_=i.data_source,h=(0,o.dict)(_.data),c=i.glyph,g=(0,r.isField)(c.xs)?c.xs.field:null,u=(0,r.isField)(c.ys)?c.ys.field:null;if(\"new\"==t)this._pop_glyphs(_,this.model.num_objects),null!=g&&_.get_array(g).push([n,n]),null!=u&&_.get_array(u).push([d,d]),this._pad_empty_columns(_,[g,u]);else if(\"edit\"==t){if(null!=g){const e=h.get(g)??[],t=e[e.length-1];t[t.length-1]=n}if(null!=u){const e=h.get(u)??[],t=e[e.length-1];t[t.length-1]=d}}else if(\"add\"==t){if(null!=g){const e=h.get(g)??[],t=e.length-1;let s=_.get_array(g)[t];const i=s[s.length-1];s[s.length-1]=n,(0,a.isArray)(s)||(s=Array.from(s),e[t]=s),s.push(i)}if(null!=u){const e=h.get(u)??[],t=e.length-1;let s=_.get_array(u)[t];const i=s[s.length-1];s[s.length-1]=d,(0,a.isArray)(s)||(s=Array.from(s),e[t]=s),s.push(i)}}this._emit_cds_changes(_,!0,!1,s)}_show_vertices(){if(!this.model.active)return;const e=[],t=[];for(let s=0;sthis._show_vertices()))}this._initialized=!0}}deactivate(){this._drawing&&(this._remove(),this._drawing=!1),null!=this.model.vertex_renderer&&this._hide_vertices()}}s.PolyDrawToolView=c,c.__name__=\"PolyDrawToolView\";class g extends _.PolyTool{constructor(e){super(e),this.tool_name=\"Polygon Draw Tool\",this.tool_icon=h.tool_icon_poly_draw,this.event_type=[\"pan\",\"tap\",\"press\",\"move\"],this.default_order=3}}s.PolyDrawTool=g,n=g,g.__name__=\"PolyDrawTool\",n.prototype.default_view=c,n.define((({Bool:e,Int:t,List:s,Ref:i})=>({drag:[e,!0],num_objects:[t,0],renderers:[s(i(d.GlyphRenderer)),[]]})))},\n", " function _(e,l,t,r,s){var i;r();const n=e(29),d=e(9),o=e(8),_=e(12),a=e(232),c=e(530);class u extends c.EditToolView{_set_vertices(e,l){const{vertex_renderer:t}=this.model;(0,_.assert)(null!=t);const r=t.glyph,s=t.data_source,i=(0,n.isField)(r.x)?r.x.field:null,a=(0,n.isField)(r.y)?r.y.field:null,c=(0,d.dict)(s.data);null!=i&&((0,o.isArray)(e)?c.set(i,e):r.x={value:e}),null!=a&&((0,o.isArray)(l)?c.set(a,l):r.y={value:l}),this._emit_cds_changes(s,!0,!0,!1)}_hide_vertices(){this._set_vertices([],[])}_snap_to_vertex(e,l,t){if(null!=this.model.vertex_renderer){const r=this._select_event(e,\"replace\",[this.model.vertex_renderer]),s=this.model.vertex_renderer.data_source,i=this.model.vertex_renderer.glyph,o=(0,n.isField)(i.x)?i.x.field:null,_=(0,n.isField)(i.y)?i.y.field:null;if(0!=r.length){const e=s.selected.indices[0],r=(0,d.dict)(s.data);null!=o&&(l=r.get(o)[e]),null!=_&&(t=r.get(_)[e]),s.selection_manager.clear()}}return[l,t]}}t.PolyToolView=u,u.__name__=\"PolyToolView\";class h extends c.EditTool{constructor(e){super(e)}}t.PolyTool=h,i=h,h.__name__=\"PolyTool\",i.define((({Ref:e,Nullable:l})=>({vertex_renderer:[l(e(a.GlyphRenderer)),null]})))},\n", " function _(e,t,s,r,i){var l;r();const n=e(29),_=e(12),d=e(8),c=e(9),a=e(232),o=e(537),h=e(76);class u extends o.PolyToolView{constructor(){super(...arguments),this._drawing=!1,this._cur_index=null}_press(e){if(null==this.model.vertex_renderer||!this.model.active)return;const t=this._map_drag(e.sx,e.sy,this.model.vertex_renderer);if(null==t)return;const[s,r]=t,i=this._select_event(e,\"replace\",[this.model.vertex_renderer]),l=this.model.vertex_renderer.data_source,_=this.model.vertex_renderer.glyph,d=(0,n.isField)(_.x)?_.x.field:null,c=(0,n.isField)(_.y)?_.y.field:null;if(0!=i.length&&null!=this._selected_renderer){const e=l.selected.indices[0];this._drawing?(this._drawing=!1,l.selection_manager.clear()):(l.selected.indices=[e+1],null!=d&&l.get_array(d).splice(e+1,0,s),null!=c&&l.get_array(c).splice(e+1,0,r),this._drawing=!0),l.change.emit(),this._emit_cds_changes(this._selected_renderer.data_source)}else this._show_vertices(e)}_show_vertices(e){if(!this.model.active)return;if(0==this.model.renderers.length)return;const t=this.model.renderers[0],s=()=>this._update_vertices(t),r=t.data_source,i=this._select_event(e,\"replace\",this.model.renderers);if(0==i.length)return this._set_vertices([],[]),this._selected_renderer=null,this._drawing=!1,this._cur_index=null,void r.disconnect(r.properties.data.change,s);r.connect(r.properties.data.change,s),this._cur_index=i[0].data_source.selected.indices[0],this._update_vertices(i[0])}_update_vertices(e){const{glyph:t}=e,s=(0,n.isField)(t.xs)?t.xs.field:null,r=(0,n.isField)(t.ys)?t.ys.field:null,i=(0,c.dict)(e.data_source.data),l=this._cur_index;if(this._drawing)return;if(null==l&&(null!=s||null!=r))return;let a,o;if(null!=s&&null!=l){const e=i.get(s)??[];a=e[l],(0,d.isArray)(a)||(e[l]=a=Array.from(a))}else(0,_.assert)((0,n.isValue)(t.xs)),a=t.xs.value;if(null!=r&&null!=l){const e=i.get(r)??[];o=e[l],(0,d.isArray)(o)||(e[l]=o=Array.from(o))}else(0,_.assert)((0,n.isValue)(t.ys)),o=t.ys.value;this._selected_renderer=e,this._set_vertices(a,o)}_move(e){if(this._drawing&&null!=this._selected_renderer){const t=this.model.vertex_renderer;if(null==t)return;const s=t.data_source,r=(0,c.dict)(s.data),{glyph:i}=t,l=this._map_drag(e.sx,e.sy,t);if(null==l)return;let[_,d]=l;const a=s.selected.indices;[_,d]=this._snap_to_vertex(e,_,d),s.selected.indices=a;const o=(0,n.isField)(i.x)?i.x.field:null,h=(0,n.isField)(i.y)?i.y.field:null,u=a[0];null!=o&&(r.get(o)[u]=_),null!=h&&(r.get(h)[u]=d),s.change.emit(),this._selected_renderer.data_source.change.emit()}}_tap(e){const t=this.model.vertex_renderer;if(null==t)return;const s=this._map_drag(e.sx,e.sy,t);if(null==s)return;if(this._drawing&&null!=this._selected_renderer){let[r,i]=s;const l=t.data_source,{glyph:_}=t,d=(0,n.isField)(_.x)?_.x.field:null,c=(0,n.isField)(_.y)?_.y.field:null,a=l.selected.indices;[r,i]=this._snap_to_vertex(e,r,i);const o=a[0];if(l.selected.indices=[o+1],null!=d){const e=l.get_array(d),t=e[o];e[o]=r,e.splice(o+1,0,t)}if(null!=c){const e=l.get_array(c),t=e[o];e[o]=i,e.splice(o+1,0,t)}return l.change.emit(),void this._emit_cds_changes(this._selected_renderer.data_source,!0,!1,!0)}const r=this._select_mode(e);this._select_event(e,r,[t]),this._select_event(e,r,this.model.renderers)}_remove_vertex(){if(!this._drawing||null==this._selected_renderer)return;const e=this.model.vertex_renderer;if(null==e)return;const{glyph:t,data_source:s}=e,r=s.selected.indices[0],i=(0,n.isField)(t.x)?t.x.field:null,l=(0,n.isField)(t.y)?t.y.field:null;null!=i&&s.get_array(i).splice(r,1),null!=l&&s.get_array(l).splice(r,1),s.change.emit(),this._emit_cds_changes(this._selected_renderer.data_source)}_pan_start(e){null!=this.model.vertex_renderer&&(this._select_event(e,\"append\",[this.model.vertex_renderer]),this._basepoint=[e.sx,e.sy])}_pan(e){null!=this._basepoint&&null!=this.model.vertex_renderer&&(this._drag_points(e,[this.model.vertex_renderer]),null!=this._selected_renderer&&this._selected_renderer.data_source.change.emit())}_pan_end(e){null!=this._basepoint&&null!=this.model.vertex_renderer&&(this._drag_points(e,[this.model.vertex_renderer]),this._emit_cds_changes(this.model.vertex_renderer.data_source,!1,!0,!0),null!=this._selected_renderer&&this._emit_cds_changes(this._selected_renderer.data_source),this._basepoint=null)}_keyup(e){if(!this.model.active||!this._mouse_in_frame)return;let t;if(null!=this._selected_renderer){const{vertex_renderer:e}=this.model;t=null!=e?[e]:[]}else t=this.model.renderers;for(const s of t)\"Backspace\"==e.key?(this._delete_selected(s),null!=this._selected_renderer&&this._emit_cds_changes(this._selected_renderer.data_source)):\"Escape\"==e.key&&(this._drawing?(this._remove_vertex(),this._drawing=!1):null!=this._selected_renderer&&this._hide_vertices(),s.data_source.selection_manager.clear())}deactivate(){null!=this._selected_renderer&&(this._drawing&&(this._remove_vertex(),this._drawing=!1),this._hide_vertices())}}s.PolyEditToolView=u,u.__name__=\"PolyEditToolView\";class m extends o.PolyTool{constructor(e){super(e),this.tool_name=\"Poly Edit Tool\",this.tool_icon=h.tool_icon_poly_edit,this.event_type=[\"tap\",\"press\",\"pan\",\"move\"],this.default_order=4}}s.PolyEditTool=m,l=m,m.__name__=\"PolyEditTool\",l.prototype.default_view=u,l.define((({List:e,Ref:t})=>({renderers:[e(t(a.GlyphRenderer)),[]]})))},\n", " function _(o,l,e,T,t){T(),t(\"BoxSelectTool\",o(540).BoxSelectTool),t(\"BoxZoomTool\",o(543).BoxZoomTool),t(\"GestureTool\",o(320).GestureTool),t(\"LassoSelectTool\",o(544).LassoSelectTool),t(\"PanTool\",o(520).PanTool),t(\"PolySelectTool\",o(545).PolySelectTool),t(\"RangeTool\",o(546).RangeTool),t(\"SelectTool\",o(542).SelectTool),t(\"TapTool\",o(547).TapTool),t(\"WheelPanTool\",o(549).WheelPanTool),t(\"WheelZoomTool\",o(550).WheelZoomTool)},\n", " function _(t,e,i,o,s){var n;o();const l=t(1),_=t(541),r=t(275),a=t(58),c=t(21),h=l.__importStar(t(76));class p extends _.RegionSelectToolView{connect_signals(){super.connect_signals();const{pan:t}=this.model.overlay;this.connect(t,(([t,e])=>{if(\"pan\"==t&&this._is_continuous(e)||\"pan:end\"==t){const{left:t,top:i,right:o,bottom:s}=this.model.overlay;if(!(t instanceof a.Coordinate||i instanceof a.Coordinate||o instanceof a.Coordinate||s instanceof a.Coordinate)){const n=this._compute_lrtb({left:t,right:o,top:i,bottom:s});this._do_select([n.left,n.right],[n.top,n.bottom],!1,this._select_mode(e))}}}));const{active:e}=this.model.properties;this.on_change(e,(()=>{this.model.active||this.model.persistent||this._clear_overlay()}))}_compute_limits(t){const e=this.plot_view.frame,i=this.model.dimensions;let o=this._base_point;if(\"center\"==this.model.origin){const[e,i]=o,[s,n]=t;o=[e-(s-e),i-(n-i)]}return this.model._get_dim_limits(o,t,e,i)}_mappers(){const t=(t,e,i,o)=>{switch(t){case\"canvas\":return o;case\"screen\":return i;case\"data\":return e}},{overlay:e}=this.model,{frame:i,canvas:o}=this.plot_view,{x_scale:s,y_scale:n}=i,{x_view:l,y_view:_}=i.bbox,{x_screen:r,y_screen:a}=o.bbox;return{left:t(e.left_units,s,l,r),right:t(e.right_units,s,l,r),top:t(e.top_units,n,_,a),bottom:t(e.bottom_units,n,_,a)}}_compute_lrtb({left:t,right:e,top:i,bottom:o}){const s=this._mappers();return{left:s.left.compute(t),right:s.right.compute(e),top:s.top.compute(i),bottom:s.bottom.compute(o)}}_invert_lrtb({left:t,right:e,top:i,bottom:o}){const s=this._mappers();return{left:s.left.invert(t),right:s.right.invert(e),top:s.top.invert(i),bottom:s.bottom.invert(o)}}_pan_start(t){const{sx:e,sy:i}=t,{frame:o}=this.plot_view;o.bbox.contains(e,i)&&(this._clear_other_overlays(),this._base_point=[e,i])}_pan(t){if(null==this._base_point)return;const{sx:e,sy:i}=t,[o,s]=this._compute_limits([e,i]),[[n,l],[_,r]]=[o,s];this.model.overlay.update(this._invert_lrtb({left:n,right:l,top:_,bottom:r})),this._is_continuous(t.modifiers)&&this._do_select(o,s,!1,this._select_mode(t.modifiers))}_pan_end(t){if(null==this._base_point)return;const{sx:e,sy:i}=t,[o,s]=this._compute_limits([e,i]);this._do_select(o,s,!0,this._select_mode(t.modifiers)),this.model.persistent||this._clear_overlay(),this._base_point=null,this.plot_view.state.push(\"box_select\",{selection:this.plot_view.get_selection()})}get _is_selecting(){return null!=this._base_point}_stop(){this._clear_overlay(),this._base_point=null}_keyup(t){if(this.model.active){if(\"Escape\"==t.key){if(this._is_selecting)return void this._stop();if(this.model.overlay.visible)return void this._clear_overlay()}super._keyup(t)}}_clear_selection(){this.model.overlay.visible?this._clear_overlay():super._clear_selection()}_do_select([t,e],[i,o],s,n=\"replace\"){const{greedy:l}=this.model,_={type:\"rect\",sx0:t,sx1:e,sy0:i,sy1:o,greedy:l};this._select(_,s,n)}}i.BoxSelectToolView=p,p.__name__=\"BoxSelectToolView\";const m=()=>new r.BoxAnnotation({syncable:!1,level:\"overlay\",visible:!1,editable:!0,left:NaN,right:NaN,top:NaN,bottom:NaN,top_units:\"data\",left_units:\"data\",bottom_units:\"data\",right_units:\"data\",fill_color:\"lightgrey\",fill_alpha:.5,line_color:\"black\",line_alpha:1,line_width:2,line_dash:[4,4]});class d extends _.RegionSelectTool{constructor(t){super(t),this.tool_name=\"Box Select\",this.event_type=\"pan\",this.default_order=30}initialize(){super.initialize();const[t,e]=(()=>{switch(this.dimensions){case\"width\":return[\"x\",\"x\"];case\"height\":return[\"y\",\"y\"];case\"both\":return[\"all\",\"both\"]}})(),i=\"center\"==this.origin;this.overlay.setv({resizable:t,movable:e,symmetric:i})}get computed_icon(){const t=super.computed_icon;if(null!=t)return t;switch(this.dimensions){case\"both\":return`.${h.tool_icon_box_select}`;case\"width\":return`.${h.tool_icon_x_box_select}`;case\"height\":return`.${h.tool_icon_y_box_select}`}}get tooltip(){return this._get_dim_tooltip(this.dimensions)}}i.BoxSelectTool=d,n=d,d.__name__=\"BoxSelectTool\",n.prototype.default_view=p,n.define((({Ref:t})=>({dimensions:[c.Dimensions,\"both\"],overlay:[t(r.BoxAnnotation),m],origin:[c.BoxOrigin,\"corner\"]}))),n.register_alias(\"box_select\",(()=>new n)),n.register_alias(\"xbox_select\",(()=>new n({dimensions:\"width\"}))),n.register_alias(\"ybox_select\",(()=>new n({dimensions:\"height\"})))},\n", " function _(e,o,t,s,l){var n;s();const c=e(542),r=e(21);class i extends c.SelectToolView{get overlays(){return[...super.overlays,this.model.overlay]}_is_continuous(e){return this.model.continuous!=e.alt}_select(e,o,t){const s=this._computed_renderers_by_data_source();for(const[,l]of s){const s=l[0].get_selection_manager(),n=[];for(const e of l){const o=this.plot_view.views.find_one(e);null!=o&&n.push(o)}s.select(n,e,o,t)}this._emit_selection_event(e,o)}_clear_overlay(){super._clear_overlay(),this.model.overlay.clear()}}t.RegionSelectToolView=i,i.__name__=\"RegionSelectToolView\";class _ extends c.SelectTool{constructor(e){super(e)}}t.RegionSelectTool=_,n=_,_.__name__=\"RegionSelectTool\",n.define((({Bool:e})=>({mode:[r.RegionSelectionMode,\"replace\"],continuous:[e,!1],persistent:[e,!1],greedy:[e,!1]})))},\n", " function _(e,t,o,n,i){var r;n();const c=e(1),s=e(320),l=e(232),a=e(476),_=e(233),d=e(120),h=e(310),m=e(80),u=e(16),p=e(12),v=e(10),w=c.__importStar(e(76));class f extends s.GestureToolView{connect_signals(){super.connect_signals(),this.model.invert.connect((()=>this._invert_selection())),this.model.clear.connect((()=>this._clear_selection()))}get computed_renderers(){const{renderers:e}=this.model,t=this.plot_view.model.data_renderers;return(0,d.compute_renderers)(e,t)}_computed_renderers_by_data_source(){const e=new Map;for(const t of this.computed_renderers){let o;if(t instanceof l.GlyphRenderer)o=t.data_source;else{if(!(t instanceof a.GraphRenderer))continue;o=t.node_renderer.data_source}const n=e.get(o)??[];e.set(o,[...n,t])}return e}_clear_overlay(){}_clear_other_overlays(){for(const e of this.plot_view.tool_views.values())e instanceof f&&e!=this&&e._clear_overlay()}_clear_selection(){const{computed_renderers:e}=this,t=(0,v.uniq)(e.map((e=>e.selection_manager)));for(const e of t)e.clear();this.plot_view.request_paint(...e)}_invert_selection(){const{computed_renderers:e}=this,t=(0,v.uniq)(e.map((e=>e.selection_manager)));for(const e of t)e.invert();this.plot_view.request_paint(...e)}_select_mode(e){const{shift:t,ctrl:o}=e;return t||o?t&&!o?\"append\":!t&&o?\"intersect\":t&&o?\"subtract\":void(0,p.unreachable)():this.model.mode}_keyup(e){this.model.active&&\"Escape\"==e.key&&this._clear_selection()}_emit_selection_event(e,t=!0){const{x_scale:o,y_scale:n}=this.plot_view.frame,i=(()=>{switch(e.type){case\"point\":{const{sx:t,sy:i}=e,r=o.invert(t),c=n.invert(i);return{...e,x:r,y:c}}case\"span\":{const{sx:t,sy:i}=e,r=o.invert(t),c=n.invert(i);return{...e,x:r,y:c}}case\"rect\":{const{sx0:t,sx1:i,sy0:r,sy1:c}=e,[s,l]=o.r_invert(t,i),[a,_]=n.r_invert(r,c);return{...e,x0:s,y0:a,x1:l,y1:_}}case\"poly\":{const{sx:t,sy:i}=e,r=o.v_invert(t),c=n.v_invert(i);return{...e,x:r,y:c}}}})();this.plot_view.model.trigger_event(new m.SelectionGeometry(i,t))}}o.SelectToolView=f,f.__name__=\"SelectToolView\";class y extends s.GestureTool{constructor(e){super(e),this.invert=new u.Signal0(this,\"invert\"),this.clear=new u.Signal0(this,\"clear\")}get menu(){return[new h.MenuItem({icon:`.${w.tool_icon_replace_mode}`,label:\"Replace mode\",tooltip:\"Replace the current selection\",checked:()=>\"replace\"==this.mode,action:()=>{this.mode=\"replace\",this.active=!0}}),new h.MenuItem({icon:`.${w.tool_icon_append_mode}`,label:\"Append mode\",tooltip:\"Append to the current selection (Shift)\",checked:()=>\"append\"==this.mode,action:()=>{this.mode=\"append\",this.active=!0}}),new h.MenuItem({icon:`.${w.tool_icon_intersect_mode}`,label:\"Intersection mode\",tooltip:\"Intersect with the current selection (Ctrl)\",checked:()=>\"intersect\"==this.mode,action:()=>{this.mode=\"intersect\",this.active=!0}}),new h.MenuItem({icon:`.${w.tool_icon_subtract_mode}`,label:\"Subtraction mode\",tooltip:\"Subtract from the current selection (Shift+Ctrl)\",checked:()=>\"subtract\"==this.mode,action:()=>{this.mode=\"subtract\",this.active=!0}}),new h.MenuItem({icon:`.${w.tool_icon_xor_mode}`,label:\"XOR mode\",tooltip:\"Symmetric difference with the current selection\",checked:()=>\"xor\"==this.mode,action:()=>{this.mode=\"xor\",this.active=!0}}),null,new h.MenuItem({icon:`.${w.tool_icon_invert_selection}`,label:\"Invert selection\",tooltip:\"Invert the current selection\",action:()=>{this.invert.emit()}}),new h.MenuItem({icon:`.${w.tool_icon_clear_selection}`,label:\"Clear selection\",tooltip:\"Clear the current selection and/or selection overlay (Esc)\",action:()=>{this.clear.emit()}})]}}o.SelectTool=y,r=y,y.__name__=\"SelectTool\",r.define((({List:e,Ref:t,Or:o,Auto:n})=>({renderers:[o(e(t(_.DataRenderer)),n),\"auto\"]})))},\n", " function _(o,t,e,i,s){var n;i();const a=o(1),_=o(320),r=o(275),l=o(310),h=o(21),c=a.__importStar(o(76));class m extends _.GestureToolView{constructor(){super(...arguments),this._base_point=null}get overlays(){return[...super.overlays,this.model.overlay]}_match_aspect([o,t],[e,i],s){const n=s.bbox.aspect,a=s.bbox.h_range.end,_=s.bbox.h_range.start,r=s.bbox.v_range.end,l=s.bbox.v_range.start;let h=Math.abs(o-e),c=Math.abs(t-i);const m=0==c?0:h/c,[u]=m>=n?[1,m/n]:[n/m,1];let d,p,b,x;return o<=e?(d=o,p=o+h*u,p>a&&(p=a)):(p=o,d=o-h*u,d<_&&(d=_)),h=Math.abs(p-d),t<=i?(x=t,b=t+h/n,b>r&&(b=r)):(b=t,x=t-h/n,x{const{dimensions:e}=this.model;if(\"auto\"==e){const[e,i]=o,[s,n]=t,a=Math.abs(e-s),_=Math.abs(i-n),r=15,l=3;return ar&&_>l*a?\"height\":a>r&&_l*_?\"width\":\"both\"}return e})();return this.model.match_aspect&&\"both\"==i?this._match_aspect(o,t,e):this.model._get_dim_limits(o,t,e,i)}_pan_start(o){const{sx:t,sy:e}=o;this.plot_view.frame.bbox.contains(t,e)&&(this._base_point=[t,e])}_pan(o){if(null==this._base_point)return;const[[t,e],[i,s]]=this._compute_limits(this._base_point,[o.sx,o.sy]);this.model.overlay.update({left:t,right:e,top:i,bottom:s})}_pan_end(o){if(null==this._base_point)return;const[t,e]=this._compute_limits(this._base_point,[o.sx,o.sy]);this._update(t,e),this._stop()}_stop(){this.model.overlay.clear(),this._base_point=null}_keydown(o){\"Escape\"==o.key&&this._stop()}_doubletap(o){const{state:t}=this.plot_view;\"box_zoom\"==t.peek()?.type&&t.undo()}_update([o,t],[e,i]){if(Math.abs(t-o)<=5||Math.abs(i-e)<=5)return;const{x_scales:s,y_scales:n}=this.plot_view.frame,a=new Map;for(const[,e]of s){const[i,s]=e.r_invert(o,t);a.set(e.source_range,{start:i,end:s})}const _=new Map;for(const[,o]of n){const[t,s]=o.r_invert(e,i);_.set(o.source_range,{start:t,end:s})}const r={xrs:a,yrs:_};this.plot_view.state.push(\"box_zoom\",{range:r}),this.plot_view.update_range(r),this.plot_view.trigger_ranges_update_event()}}e.BoxZoomToolView=m,m.__name__=\"BoxZoomToolView\";const u=()=>new r.BoxAnnotation({syncable:!1,level:\"overlay\",visible:!1,editable:!1,left:NaN,right:NaN,top:NaN,bottom:NaN,top_units:\"canvas\",left_units:\"canvas\",bottom_units:\"canvas\",right_units:\"canvas\",fill_color:\"lightgrey\",fill_alpha:.5,line_color:\"black\",line_alpha:1,line_width:2,line_dash:[4,4]});class d extends _.GestureTool{constructor(o){super(o),this.tool_name=\"Box Zoom\",this.event_type=[\"pan\",\"doubletap\"],this.default_order=20}get event_role(){return\"pan\"}get computed_icon(){const o=super.computed_icon;if(null!=o)return o;switch(this.dimensions){case\"both\":return`.${c.tool_icon_box_zoom}`;case\"width\":return`.${c.tool_icon_x_box_zoom}`;case\"height\":return`.${c.tool_icon_y_box_zoom}`;case\"auto\":return`.${c.tool_icon_auto_box_zoom}`}}get tooltip(){return this._get_dim_tooltip(this.dimensions)}get menu(){return[new l.MenuItem({icon:`.${c.tool_icon_box_zoom}`,label:\"XY mode\",tooltip:\"Box zoom in both dimensions\",checked:()=>\"both\"==this.dimensions,action:()=>{this.dimensions=\"both\",this.active=!0}}),new l.MenuItem({icon:`.${c.tool_icon_x_box_zoom}`,label:\"X-only\",tooltip:\"Box zoom in x-dimension\",checked:()=>\"width\"==this.dimensions,action:()=>{this.dimensions=\"width\",this.active=!0}}),new l.MenuItem({icon:`.${c.tool_icon_y_box_zoom}`,label:\"Y-only\",tooltip:\"Box zoom in y-dimension\",checked:()=>\"height\"==this.dimensions,action:()=>{this.dimensions=\"height\",this.active=!0}}),new l.MenuItem({icon:`.${c.tool_icon_auto_box_zoom}`,label:\"Auto mode\",tooltip:\"Automatic mode (box zoom in x, y or both dimensions, depending on the mouse gesture)\",checked:()=>\"auto\"==this.dimensions,action:()=>{this.dimensions=\"auto\",this.active=!0}})]}}e.BoxZoomTool=d,n=d,d.__name__=\"BoxZoomTool\",n.prototype.default_view=m,n.define((({Bool:o,Ref:t,Or:e,Auto:i})=>({dimensions:[e(h.Dimensions,i),\"auto\"],overlay:[t(r.BoxAnnotation),u],match_aspect:[o,!1],origin:[h.BoxOrigin,\"corner\"]}))),n.register_alias(\"box_zoom\",(()=>new n({dimensions:\"both\"}))),n.register_alias(\"xbox_zoom\",(()=>new n({dimensions:\"width\"}))),n.register_alias(\"ybox_zoom\",(()=>new n({dimensions:\"height\"}))),n.register_alias(\"auto_box_zoom\",(()=>new n({dimensions:\"auto\"})))},\n", " function _(e,s,t,o,i){var _;o();const l=e(541),n=e(300),c=e(545),r=e(12),a=e(76);class h extends l.RegionSelectToolView{constructor(){super(...arguments),this._is_selecting=!1}_mappers(){const e=(e,s,t,o)=>{switch(e){case\"canvas\":return o;case\"screen\":return t;case\"data\":return s}},{overlay:s}=this.model,{frame:t,canvas:o}=this.plot_view,{x_scale:i,y_scale:_}=t,{x_view:l,y_view:n}=t.bbox,{x_screen:c,y_screen:r}=o.bbox;return{x:e(s.xs_units,i,l,c),y:e(s.ys_units,_,n,r)}}_v_compute(e,s){const{x:t,y:o}=this._mappers();return[t.v_compute(e),o.v_compute(s)]}_v_invert(e,s){const{x:t,y:o}=this._mappers();return[t.v_invert(e),o.v_invert(s)]}connect_signals(){super.connect_signals();const{pan:e}=this.model.overlay;this.connect(e,(([e,s])=>{if(\"pan\"==e&&this._is_continuous(s)||\"pan:end\"==e){const{xs:e,ys:t}=this.model.overlay,[o,i]=this._v_compute(e,t);this._do_select(o,i,!1,this._select_mode(s))}}));const{active:s}=this.model.properties;this.on_change(s,(()=>{this.model.active||this.model.persistent||this._clear_overlay()}))}_pan_start(e){const{sx:s,sy:t}=e,{frame:o}=this.plot_view;if(!o.bbox.contains(s,t))return;this._clear_other_overlays(),this._is_selecting=!0;const[i,_]=this._v_invert([s],[t]);this.model.overlay.update({xs:i,ys:_})}_pan(e){(0,r.assert)(this._is_selecting);const[s,t]=(()=>{const{xs:e,ys:s}=this.model.overlay,[t,o]=this._v_compute(e,s);return[[...t],[...o]]})(),[o,i]=this.plot_view.frame.bbox.clip(e.sx,e.sy);s.push(o),t.push(i);const[_,l]=this._v_invert(s,t);this.model.overlay.update({xs:_,ys:l}),this._is_continuous(e.modifiers)&&this._do_select(s,t,!1,this._select_mode(e.modifiers))}_pan_end(e){(0,r.assert)(this._is_selecting),this._is_selecting=!1;const{xs:s,ys:t}=this.model.overlay,[o,i]=this._v_compute(s,t);this._do_select(o,i,!0,this._select_mode(e.modifiers)),this.plot_view.state.push(\"lasso_select\",{selection:this.plot_view.get_selection()}),this.model.persistent||this._clear_overlay()}_keyup(e){this.model.active&&(\"Escape\"==e.key&&this.model.overlay.visible?this._clear_overlay():super._keyup(e))}_clear_selection(){this.model.overlay.visible?this._clear_overlay():super._clear_selection()}_do_select(e,s,t,o){const{greedy:i}=this.model,_={type:\"poly\",sx:e,sy:s,greedy:i};this._select(_,t,o)}}t.LassoSelectToolView=h,h.__name__=\"LassoSelectToolView\";class v extends l.RegionSelectTool{constructor(e){super(e),this.tool_name=\"Lasso Select\",this.tool_icon=a.tool_icon_lasso_select,this.event_type=\"pan\",this.default_order=12}}t.LassoSelectTool=v,_=v,v.__name__=\"LassoSelectTool\",_.prototype.default_view=h,_.define((({Ref:e})=>({overlay:[e(n.PolyAnnotation),c.DEFAULT_POLY_OVERLAY]}))),_.override({continuous:!0}),_.register_alias(\"lasso_select\",(()=>new _))},\n", " function _(e,s,t,i,o){var _;i();const l=e(541),n=e(300),c=e(76);class r extends l.RegionSelectToolView{constructor(){super(...arguments),this._is_selecting=!1}_mappers(){const e=(e,s,t,i)=>{switch(e){case\"canvas\":return i;case\"screen\":return t;case\"data\":return s}},{overlay:s}=this.model,{frame:t,canvas:i}=this.plot_view,{x_scale:o,y_scale:_}=t,{x_view:l,y_view:n}=t.bbox,{x_screen:c,y_screen:r}=i.bbox;return{x:e(s.xs_units,o,l,c),y:e(s.ys_units,_,n,r)}}_v_compute(e,s){const{x:t,y:i}=this._mappers();return[t.v_compute(e),i.v_compute(s)]}_v_invert(e,s){const{x:t,y:i}=this._mappers();return[t.v_invert(e),i.v_invert(s)]}connect_signals(){super.connect_signals();const{pan:e}=this.model.overlay;this.connect(e,(([e,s])=>{if(\"pan\"==e&&this._is_continuous(s)||\"pan:end\"==e&&!this._is_selecting){const{xs:e,ys:t}=this.model.overlay,[i,o]=this._v_compute(e,t);this._do_select(i,o,!1,this._select_mode(s))}}));const{active:s}=this.model.properties;this.on_change(s,(()=>{this.model.active||this.model.persistent||this._clear_overlay()}))}_tap(e){const{sx:s,sy:t}=e,{frame:i}=this.plot_view;if(!i.bbox.contains(s,t))return;this._clear_other_overlays();const[o,_]=(()=>{if(this._is_selecting){const{xs:e,ys:s}=this.model.overlay,[t,i]=this._v_compute(e,s);return[[...t],[...i]]}return this._is_selecting=!0,[[],[]]})();o.push(s),_.push(t);const[l,n]=this._v_invert(o,_);this.model.overlay.update({xs:l,ys:n}),this._is_continuous(e.modifiers)&&this._do_select(o,_,!0,this._select_mode(e.modifiers))}_finish_selection(e){this._is_selecting=!1;const{xs:s,ys:t}=this.model.overlay,[i,o]=this._v_compute(s,t);this._do_select(i,o,!0,this._select_mode(e)),this.plot_view.state.push(\"poly_select\",{selection:this.plot_view.get_selection()}),this.model.persistent||this._clear_overlay()}_press(e){this._finish_selection(e.modifiers)}_keyup(e){this.model.active&&(\"Enter\"!=e.key?\"Escape\"==e.key&&this.model.overlay.visible?this._clear_overlay():super._keyup(e):this._finish_selection(e.modifiers))}_clear_selection(){this.model.overlay.visible?this._clear_overlay():(this._is_selecting=!1,super._clear_selection())}_clear_overlay(){this._is_selecting=!1,super._clear_overlay()}_do_select(e,s,t,i){const{greedy:o}=this.model,_={type:\"poly\",sx:e,sy:s,greedy:o};this._select(_,t,i)}}t.PolySelectToolView=r,r.__name__=\"PolySelectToolView\";t.DEFAULT_POLY_OVERLAY=()=>new n.PolyAnnotation({syncable:!1,level:\"overlay\",visible:!1,editable:!0,xs_units:\"data\",ys_units:\"data\",fill_color:\"lightgrey\",fill_alpha:.5,line_color:\"black\",line_alpha:1,line_width:2,line_dash:[4,4]});class a extends l.RegionSelectTool{constructor(e){super(e),this.tool_name=\"Poly Select\",this.tool_icon=c.tool_icon_polygon_select,this.event_type=\"tap\",this.default_order=11}}t.PolySelectTool=a,_=a,a.__name__=\"PolySelectTool\",_.prototype.default_view=r,_.define((({Ref:e})=>({overlay:[e(n.PolyAnnotation),t.DEFAULT_POLY_OVERLAY]}))),_.register_alias(\"poly_select\",(()=>new _))},\n", " function _(t,e,s,o,i){var n;o();const a=t(320),r=t(321),l=t(275),_=t(110),h=t(20),p=t(12),u=t(8),d=t(76),m=t(57),c=(0,t(22).Enum)(\"pan\",\"tap\",\"none\");class g extends a.GestureToolView{get overlays(){return[...super.overlays,this.model.overlay]}initialize(){super.initialize(),this.model.update_overlay_from_ranges()}connect_signals(){super.connect_signals();const t=()=>this.model.update_overlay_from_ranges();this.on_transitive_change(this.model.properties.x_range,t),this.on_transitive_change(this.model.properties.y_range,t),this.model.overlay.pan.connect((([t,e])=>{if(\"pan\"==t)this.model.update_ranges_from_overlay();else if(\"pan:end\"==t){const t=[this.model.x_range,this.model.y_range].filter((t=>null!=t));this.parent.trigger_ranges_update_event(t)}}));const{active:e,x_interaction:s,y_interaction:o}=this.model.properties;this.on_change([e,s,o],(()=>{this.model.update_constraints()}))}_mappers(){const t=(t,e,s,o)=>{switch(t){case\"canvas\":return o;case\"screen\":return s;case\"data\":return e}},{overlay:e}=this.model,{frame:s,canvas:o}=this.plot_view,{x_scale:i,y_scale:n}=s,{x_view:a,y_view:r}=s.bbox,{x_screen:l,y_screen:_}=o.bbox;return{left:t(e.left_units,i,a,l),right:t(e.right_units,i,a,l),top:t(e.top_units,n,r,_),bottom:t(e.bottom_units,n,r,_)}}_invert_lrtb({left:t,right:e,top:s,bottom:o}){const i=this._mappers(),{x_range:n,y_range:a}=this.model,r=null!=n,l=null!=a;return{left:r?i.left.invert(t):this.model.nodes.left,right:r?i.right.invert(e):this.model.nodes.right,top:l?i.top.invert(s):this.model.nodes.top,bottom:l?i.bottom.invert(o):this.model.nodes.bottom}}_compute_limits(t){const e=(()=>{const{x_range:t,y_range:e}=this.model,s=null!=t,o=null!=e;return s&&o?\"both\":s?\"width\":o?\"height\":void(0,p.unreachable)()})();(0,p.assert)(null!=this._base_point);let s=this._base_point;if(this.model.overlay.symmetric){const[e,o]=s,[i,n]=t;s=[e-(i-e),o-(n-o)]}const{frame:o}=this.plot_view;return this.model._get_dim_limits(s,t,o,e)}_tap(t){(0,p.assert)(\"tap\"==this.model.start_gesture);const{sx:e,sy:s}=t,{frame:o}=this.plot_view;o.bbox.contains(e,s)&&(null==this._base_point?this._base_point=[e,s]:(this._update_overlay(e,s),this._base_point=null))}_move(t){if(null!=this._base_point&&\"tap\"==this.model.start_gesture){const{sx:e,sy:s}=t;this._update_overlay(e,s)}}_pan_start(t){(0,p.assert)(\"pan\"==this.model.start_gesture),(0,p.assert)(null==this._base_point);const{sx:e,sy:s}=t,{frame:o}=this.plot_view;o.bbox.contains(e,s)&&(this._base_point=[e,s])}_update_overlay(t,e){const[s,o]=this._compute_limits([t,e]),[[i,n],[a,r]]=[s,o];this.model.overlay.update(this._invert_lrtb({left:i,right:n,top:a,bottom:r})),this.model.update_ranges_from_overlay()}_pan(t){if(null==this._base_point)return;const{sx:e,sy:s}=t;this._update_overlay(e,s)}_pan_end(t){if(null==this._base_point)return;const{sx:e,sy:s}=t;this._update_overlay(e,s),this._base_point=null}get _is_selecting(){return null!=this._base_point}_stop(){this._base_point=null}_keyup(t){this.model.active&&\"Escape\"==t.key&&this._is_selecting&&this._stop()}}s.RangeToolView=g,g.__name__=\"RangeToolView\";const v=()=>new l.BoxAnnotation({syncable:!1,level:\"overlay\",visible:!0,editable:!0,propagate_hover:!0,left:NaN,right:NaN,top:NaN,bottom:NaN,left_limit:m.Node.frame.left,right_limit:m.Node.frame.right,top_limit:m.Node.frame.top,bottom_limit:m.Node.frame.bottom,fill_color:\"lightgrey\",fill_alpha:.5,line_color:\"black\",line_alpha:1,line_width:.5,line_dash:[2,2]});class y extends a.GestureTool{constructor(t){super(t),this.nodes=m.Node.frame.freeze(),this.tool_name=\"Range Tool\",this.tool_icon=d.tool_icon_range,this.default_order=40}initialize(){super.initialize(),this.update_constraints()}update_constraints(){this.overlay.editable=this.active;const t=null!=this.x_range&&this.x_interaction,e=null!=this.y_range&&this.y_interaction;t&&e?(this.overlay.movable=\"both\",this.overlay.resizable=\"all\"):t?(this.overlay.movable=\"x\",this.overlay.resizable=\"x\"):e?(this.overlay.movable=\"y\",this.overlay.resizable=\"y\"):(this.overlay.movable=\"none\",this.overlay.resizable=\"none\");const{x_range:s,y_range:o}=this;null!=s&&(this.overlay.min_width=s.min_interval??0,this.overlay.max_width=s.max_interval??1/0),null!=o&&(this.overlay.min_height=o.min_interval??0,this.overlay.max_height=o.max_interval??1/0)}update_ranges_from_overlay(){const{left:t,right:e,top:s,bottom:o}=this.overlay,{x_range:i,y_range:n}=this,a=new Set,r=new Map,l=new Map;if(null!=i&&this.x_interaction){(0,p.assert)((0,u.isNumber)(t)&&(0,u.isNumber)(e)),r.set(i,{start:t,end:e});for(const t of i.linked_plots)a.add(t)}if(null!=n&&this.y_interaction){(0,p.assert)((0,u.isNumber)(o)&&(0,u.isNumber)(s)),l.set(n,{start:o,end:s});for(const t of n.linked_plots)a.add(t)}if(0==a.size)for(const[t,{start:e,end:s}]of[...r,...l])t.setv({start:e,end:s});else for(const t of a)t.update_range({xrs:r,yrs:l},{panning:!0,scrolling:!0})}update_overlay_from_ranges(){const{x_range:t,y_range:e}=this,s=null!=t,o=null!=e;this.overlay.update({left:s?t.start:this.nodes.left,right:s?t.end:this.nodes.right,top:o?e.end:this.nodes.top,bottom:o?e.start:this.nodes.bottom}),s||o||(h.logger.warn(\"RangeTool not configured with any Ranges.\"),this.overlay.clear())}get event_type(){switch(this.start_gesture){case\"pan\":return\"pan\";case\"tap\":return[\"tap\",\"move\"];case\"none\":return[]}}supports_auto(){return!0}tool_button(){return new r.OnOffButton({tool:this})}}s.RangeTool=y,n=y,y.__name__=\"RangeTool\",n.prototype.default_view=g,n.define((({Bool:t,Ref:e,Nullable:s})=>({x_range:[s(e(_.Range)),null],y_range:[s(e(_.Range)),null],x_interaction:[t,!0],y_interaction:[t,!0],overlay:[e(l.BoxAnnotation),v],start_gesture:[c,\"none\"]}))),n.override({active:!0})},\n", " function _(e,t,o,s,i){var l;s();const n=e(542),c=e(548),a=e(310),_=e(51),r=e(21),d=e(21),p=e(76);class h extends n.SelectToolView{_tap(e){const t=\"tap\"==this.model.gesture;return t&&this._handle_tap(e),t}_doubletap(e){const t=\"doubletap\"==this.model.gesture;return t&&this._handle_tap(e),t}_handle_tap(e){if(!(0,c.satisfies_modifiers)(this.model.modifiers,e.modifiers))return;const{sx:t,sy:o}=e,{frame:s}=this.plot_view;if(!s.bbox.contains(t,o))return;this._clear_other_overlays();const i={type:\"point\",sx:t,sy:o};\"select\"==this.model.behavior?this._select(i,!0,this._select_mode(e.modifiers)):this._inspect(i,e.modifiers)}_select(e,t,o){const s=this._computed_renderers_by_data_source();for(const[,i]of s){const s=i[0].get_selection_manager(),l=i.map((e=>this.plot_view.views.find_one(e))).filter((e=>null!=e));if(s.select(l,e,t,o)){const[t]=l;this._emit_callback(t,e,s.source)}}this._emit_selection_event(e),this.plot_view.state.push(\"tap\",{selection:this.plot_view.get_selection()})}_inspect(e,t){for(const o of this.computed_renderers){const s=this.plot_view.views.find_one(o);if(null==s)continue;const i=o.get_selection_manager();i.inspect(s,e)&&this._emit_callback(s,e,i.source,t)}}_emit_callback(e,t,o,s){const{callback:i}=this.model;if(null!=i){const l=e.coordinates.x_scale.invert(t.sx),n=e.coordinates.y_scale.invert(t.sy),c={geometries:{...t,x:l,y:n},source:o,event:{modifiers:s}};(0,_.execute)(i,this.model,c)}}}o.TapToolView=h,h.__name__=\"TapToolView\";class u extends n.SelectTool{constructor(e){super(e),this.tool_name=\"Tap\",this.tool_icon=p.tool_icon_tap_select,this.event_type=\"tap\",this.default_order=10}get menu(){return[new a.MenuItem({icon:`.${p.tool_icon_toggle_mode}`,label:\"Toggle mode\",tooltip:\"Toggle the current selection\",checked:()=>\"toggle\"==this.mode,action:()=>{this.mode=\"toggle\",this.active=!0}}),...super.menu]}}o.TapTool=u,l=u,u.__name__=\"TapTool\",l.prototype.default_view=h,l.define((({Any:e,Nullable:t})=>({mode:[r.SelectionMode,\"toggle\"],behavior:[d.TapBehavior,\"select\"],gesture:[d.TapGesture,\"tap\"],modifiers:[c.Modifiers,{}],callback:[t(e),null]}))),l.register_alias(\"click\",(()=>new l({behavior:\"inspect\"}))),l.register_alias(\"tap\",(()=>new l)),l.register_alias(\"doubletap\",(()=>new l({gesture:\"doubletap\"})))},\n", " function _(t,i,r,l,n){l(),r.satisfies_modifiers=function(t,i){const{alt:r,ctrl:l,shift:n}=t;if(null!=n&&n!=i.shift)return!1;if(null!=l&&l!=i.ctrl)return!1;if(null!=r&&r!=i.alt)return!1;return!0},r.print_modifiers=function(t){const{alt:i,ctrl:r,shift:l}=t,n=[];!0===i&&n.push(\"alt\");!0===r&&n.push(\"ctrl\");!0===l&&n.push(\"shift\");return n.join(\" + \")};const s=t(22);r.Modifiers=(0,s.PartialStruct)({shift:s.Bool,ctrl:s.Bool,alt:s.Bool})},\n", " function _(e,t,s,i,o){var n;i();const a=e(320),l=e(548),r=e(21),_=e(11),h=e(76),d=e(520);class p extends a.GestureToolView{_scroll(e){const{modifiers:t}=this.model;if(!(0,l.satisfies_modifiers)(t,e.modifiers))return this.plot_view.notify_about(`use ${(0,l.print_modifiers)(t)} + scroll to pan`),!1;const s=(0,_.clamp)(this.model.speed*e.delta,-.9,.9);return this._update_ranges(s),!0}_update_ranges(e){const{frame:t}=this.plot_view,s=t.bbox.h_range,i=t.bbox.v_range,[o,n]=[s.start,s.end],[a,l]=[i.start,i.end];let r,_;const{x_scales:h,y_scales:p}=t;switch(this.model.dimension){case\"height\":{const t=Math.abs(l-a),s=a-t*e,i=l-t*e;r=new Map,_=(0,d.update_ranges)(p,s,i);break}case\"width\":{const t=Math.abs(n-o),s=o-t*e,i=n-t*e;r=(0,d.update_ranges)(h,s,i),_=new Map;break}}const c={xrs:r,yrs:_,factor:e};this.plot_view.state.push(\"wheel_pan\",{range:c}),this.plot_view.update_range(c,{scrolling:!0}),this.model.document?.interactive_start(this.plot_view.model,(()=>this.plot_view.trigger_ranges_update_event()))}}s.WheelPanToolView=p,p.__name__=\"WheelPanToolView\";class c extends a.GestureTool{constructor(e){super(e),this.tool_name=\"Wheel Pan\",this.tool_icon=h.tool_icon_wheel_pan,this.event_type=\"scroll\",this.default_order=12}get tooltip(){return this._get_dim_tooltip(this.dimension)}supports_auto(){const{alt:e,ctrl:t,shift:s}=this.modifiers;return null!=e||null!=t||null!=s}}s.WheelPanTool=c,n=c,c.__name__=\"WheelPanTool\",n.prototype.default_view=p,n.define((()=>({dimension:[r.Dimension,\"width\"],modifiers:[l.Modifiers,{}]}))),n.internal((({Float:e})=>({speed:[e,.001]}))),n.register_alias(\"xwheel_pan\",(()=>new n({dimension:\"width\"}))),n.register_alias(\"ywheel_pan\",(()=>new n({dimension:\"height\"})))},\n", " function _(e,t,o,s,n){var i;s();const l=e(320),r=e(548),a=e(233),c=e(117),_=e(454),d=e(11),h=e(527),m=e(21),u=e(20),f=e(76),p=e(22),w=(0,p.Enum)(\"none\",\"cross\",\"all\"),v=(0,p.Or)((0,p.List)((0,p.Ref)(a.DataRenderer)),p.Auto);class y extends l.GestureToolView{_scroll(e){const{modifiers:t}=this.model;if(!(0,r.satisfies_modifiers)(t,e.modifiers))return this.plot_view.notify_about(`use ${(0,r.print_modifiers)(t)} + scroll to zoom`),!1;const{sx:o,sy:s,delta:n}=e;return this.zoom(o,s,n),!0}_pinch(e){const{sx:t,sy:o,scale:s}=e,n=s>=1?20*(s-1):-20/s;this.zoom(t,o,n)}zoom(e,t,o){const s=this.plot_view.axis_views.find((o=>o.bbox.contains(e,t)));if(null!=s&&!this.model.zoom_on_axis)return;const{frame:n}=this.plot_view;if(null==s&&!n.bbox.contains(e,t))return;const[i,l]=(()=>{const e=[...n.x_scales.values()],t=[...n.y_scales.values()];if(null==s)return[e,t];{const{zoom_together:o}=this.model;if(\"all\"==o)return 0==s.dimension?[e,[]]:[[],t];{const{x_scale:e,y_scale:t}=s.coordinates;switch(o){case\"cross\":return[[e],[t]];case\"none\":return 0==s.dimension?[[e],[]]:[[],[t]]}}}})(),r=(()=>{const{renderers:o}=this.model,s=new Set(\"auto\"!=o?o:this.plot_view.model.data_renderers);if(this.model.hit_test){const o=new Set,n=new Set;for(const i of s){if(null==i.coordinates){o.add(i);continue}const s=(()=>{switch(this.model.hit_test_mode){case\"point\":return{type:\"point\",sx:e,sy:t};case\"hline\":return{type:\"span\",sx:e,sy:t,direction:\"v\"};case\"vline\":return{type:\"span\",sx:e,sy:t,direction:\"h\"}}})(),l=this.plot_view.views.get_one(i),r=l.hit_test(s);null==r||r.is_empty()||n.add(l.model)}if(0!=n.size){const{hit_test_behavior:e}=this.model;if(\"only_hit\"==e)for(const e of n)o.add(e);else for(const t of e.query_groups(n,s))for(const e of t)e instanceof a.DataRenderer&&s.has(e)&&o.add(e)}return[...o]}return s})(),_=new Set(i),m=new Set(l),f=new Set,p=new Set;for(const e of r){if(null==e.coordinates)continue;const t=this.plot_view.views.get_one(e),{x_scale:o,y_scale:s}=t.coordinates;o instanceof c.CompositeScale&&_.has(o.target_scale)&&f.add(o),s instanceof c.CompositeScale&&m.has(s.target_scale)&&p.add(s)}const[w,v]=(()=>\"auto\"==this.model.renderers?[new Set([..._,...f]),new Set([...m,...p])]:[f,p])(),y={x:!1,y:!1},g=(e,t)=>{const{level:o}=this.model;for(let s=0;s{const o=y.x?null:e,n=y.y?null:t;return null!=s?0==s.dimension?{x:o,y:null}:{x:null,y:n}:{x:o,y:n}})(),b=this.model.dimensions,T=\"width\"==b||\"both\"==b,W=\"height\"==b||\"both\"==b,{x_target:Z,y_target:$}=n,C=(0,d.clamp)(this.model.speed*o,-.95,.95),R=(0,h.scale_range)(x,S,Z,$,C,T,W,z);this.plot_view.state.push(\"wheel_zoom\",{range:R});const{maintain_focus:D}=this.model;this.plot_view.update_range(R,{scrolling:!0,maintain_focus:D}),this.model.document?.interactive_start(this.plot_view.model,(()=>this.plot_view.trigger_ranges_update_event()))}}o.WheelZoomToolView=y,y.__name__=\"WheelZoomToolView\";class g extends l.GestureTool{constructor(e){super(e),this.tool_name=\"Wheel Zoom\",this.tool_icon=f.tool_icon_wheel_zoom,this.event_type=\"scroll\",this.default_order=10}get tooltip(){return this._get_dim_tooltip(this.dimensions)}supports_auto(){const{alt:e,ctrl:t,shift:o}=this.modifiers;return null!=e||null!=t||null!=o}}o.WheelZoomTool=g,i=g,g.__name__=\"WheelZoomTool\",i.prototype.default_view=y,i.define((({Bool:e,Float:t,NonNegative:o,Int:s,Ref:n,Or:i})=>({dimensions:[m.Dimensions,\"both\"],renderers:[v,\"auto\"],level:[o(s),0],hit_test:[e,!1],hit_test_mode:[(0,p.Enum)(\"point\",\"hline\",\"vline\"),\"point\"],hit_test_behavior:[i(n(_.GroupBy),(0,p.Enum)(\"only_hit\")),\"only_hit\"],maintain_focus:[e,!0],zoom_on_axis:[e,!0],zoom_together:[w,\"all\"],speed:[t,1/600],modifiers:[r.Modifiers,{}]}))),i.register_alias(\"wheel_zoom\",(()=>new i({dimensions:\"both\"}))),i.register_alias(\"xwheel_zoom\",(()=>new i({dimensions:\"width\"}))),i.register_alias(\"ywheel_zoom\",(()=>new i({dimensions:\"height\"})))},\n", " function _(o,r,s,e,l){e(),l(\"CrosshairTool\",o(552).CrosshairTool),l(\"CustomJSHover\",o(553).CustomJSHover),l(\"HoverTool\",o(554).HoverTool),l(\"InspectTool\",o(322).InspectTool)},\n", " function _(s,i,e,t,n){var o;t();const a=s(322),r=s(345),l=s(21),_=s(8),h=s(76);class c extends a.InspectToolView{get overlays(){return[...super.overlays,...this._spans]}initialize(){super.initialize(),this._update_overlays()}connect_signals(){super.connect_signals();const{overlay:s,dimensions:i,line_color:e,line_width:t,line_alpha:n}=this.model.properties;this.on_change([s,i,e,t,n],(()=>{this._update_overlays()}))}_update_overlays(){const{overlay:s}=this.model;if(\"auto\"==s){const{dimensions:i,line_color:e,line_alpha:t,line_width:n}=this.model;function o(s){return new r.Span({dimension:s,location_units:\"canvas\",level:\"overlay\",line_color:e,line_width:n,line_alpha:t})}switch(i){case\"width\":this._spans=[o(\"width\")];break;case\"height\":this._spans=[o(\"height\")];break;case\"both\":this._spans=[o(\"width\"),o(\"height\")]}}else(0,_.isArray)(s)?this._spans=[...s]:this._spans=[s]}_move(s){if(!this.model.active)return;const{sx:i,sy:e}=(()=>{const{sx:i,sy:e}=s;if(this.plot_view.frame.bbox.contains(i,e))return{sx:i,sy:e};const t=this.plot_view.axis_views.find((s=>s.bbox.contains(i,e)));if(null!=t)switch(t.dimension){case 0:return{sx:i,sy:NaN};case 1:return{sx:NaN,sy:e}}return{sx:NaN,sy:NaN}})();this._update_spans(i,e)}_move_exit(s){this._update_spans(NaN,NaN)}_update_spans(s,i){const{frame:e}=this.plot_view;function t(s,i,t){const{dimension:n}=s;switch(s.location_units){case\"canvas\":return\"width\"==n?t:i;case\"screen\":{const{xview:s,yview:o}=e.bbox;return\"width\"==n?o.invert(t):s.invert(i)}case\"data\":{const{x_scale:s,y_scale:o}=e;return\"width\"==n?o.invert(t):s.invert(i)}}}for(const e of this._spans)e.location=t(e,s,i)}}e.CrosshairToolView=c,c.__name__=\"CrosshairToolView\";class p extends a.InspectTool{constructor(s){super(s),this.tool_name=\"Crosshair\",this.tool_icon=h.tool_icon_crosshair}get tooltip(){return this._get_dim_tooltip(this.dimensions)}}e.CrosshairTool=p,o=p,p.__name__=\"CrosshairTool\",o.prototype.default_view=c,o.define((({Alpha:s,Float:i,Color:e,Auto:t,Tuple:n,Ref:o,Or:a})=>({overlay:[a(t,o(r.Span),n(o(r.Span),o(r.Span))),\"auto\"],dimensions:[l.Dimensions,\"both\"],line_color:[e,\"black\"],line_width:[i,1],line_alpha:[s,1]}))),o.register_alias(\"crosshair\",(()=>new o)),o.register_alias(\"xcrosshair\",(()=>new o({dimensions:\"width\"}))),o.register_alias(\"ycrosshair\",(()=>new o({dimensions:\"height\"})))},\n", " function _(e,s,t,r,o){var a;r();const n=e(52),u=e(9),c=e(41);class i extends n.Model{constructor(e){super(e)}get values(){return(0,u.values)(this.args)}_make_code(e,s,t,r){return new Function(...(0,u.keys)(this.args),e,s,t,(0,c.use_strict)(r))}format(e,s,t){return this._make_code(\"value\",\"format\",\"special_vars\",this.code)(...this.values,e,s,t)}}t.CustomJSHover=i,a=i,i.__name__=\"CustomJSHover\",a.define((({Unknown:e,Str:s,Dict:t})=>({args:[t(e),{}],code:[s,\"\"]})))},\n", " function _(e,t,s,n,i){var o;n(),s._nearest_line_hit=q,s._line_hit=K;const r=e(1),l=e(69),a=e(61),c=e(21),_=r.__importStar(e(243)),d=e(16),p=e(12),u=e(23),h=e(14),m=e(9),f=e(51),y=e(353),v=e(259),x=e(8),w=e(76),g=r.__importStar(e(449)),b=e(447),S=e(134),$=e(555),N=e(556),V=e(248),C=e(245),k=e(401),A=e(234),M=e(408),T=e(244),H=e(250),O=e(249),D=e(233),P=e(232),R=e(476),z=e(120),E=e(553),F=e(322),G=e(22),L=e(558),B=G.Str,I=(0,G.Or)((0,G.Enum)(\"ascending\",\"descending\"),(0,G.Enum)(1,-1)),j=(0,G.Tuple)(B,I),J=(0,G.Nullable)((0,G.Or)(B,(0,G.List)((0,G.Or)(B,j))));function q(e,t,s,n){const i={x:s[e],y:n[e]},o={x:s[e+1],y:n[e+1]},{sx:r,sy:l}=t,[a,c]=function(){if(\"span\"==t.type)return\"h\"==t.direction?[Math.abs(i.x-r),Math.abs(o.x-r)]:[Math.abs(i.y-l),Math.abs(o.y-l)];const e={x:r,y:l};return[_.dist_2_pts(i,e),_.dist_2_pts(o,e)]}();return adelete this._template_el)),this.on_change([e,t,s],(async()=>await this._update_ttmodels())),this.connect(this.plot_view.repainted,(()=>{if(this.model.active&&null!=this._current_sxy){const[e,t,s]=this._current_sxy;this._inspect(e,t,s)}}));const{filters:n}=this.model.properties;this.on_change(n,(()=>this._update_filters()))}async _update_ttmodels(){const{ttmodels:e}=this;e.clear();const{tooltips:t}=this.model;if(null==t)return;const{computed_renderers:s}=this;for(const t of s){const s=new b.Tooltip({content:document.createElement(\"div\"),attachment:this.model.attachment,show_arrow:this.model.show_arrow,interactive:!1,visible:!0,position:null});t instanceof P.GlyphRenderer?e.set(t,s):t instanceof R.GraphRenderer&&(e.set(t.node_renderer,s),e.set(t.edge_renderer,s))}await(0,l.build_views)(this._ttviews,[...e.values()],{parent:this.plot_view});const n=[...function*(){for(const e of s)e instanceof P.GlyphRenderer?yield e:e instanceof R.GraphRenderer&&(yield e.node_renderer,yield e.edge_renderer)}()],i=this._slots.get(this.update);if(null!=i){const e=new Set(n.map((e=>e.data_source)));d.Signal.disconnect_receiver(this,i,e)}for(const e of n)this.connect(e.data_source.inspect,this.update)}get computed_renderers(){const{renderers:e}=this.model,t=this.plot_view.model.data_renderers;return(0,z.compute_renderers)(e,t)}_clear(){this._inspect(1/0,1/0,\"xy\");for(const[,e]of this.ttmodels)e.clear()}_move(e){if(!this.model.active)return;const{sx:t,sy:s}=e,n=(()=>{if(this.plot_view.frame.bbox.contains(t,s))return\"xy\";const e=this.plot_view.axis_views.find((e=>e.bbox.contains(t,s)));if(null!=e)switch(e.dimension){case 0:return\"x\";case 1:return\"y\"}return null})();null!=n?(this._current_sxy=[t,s,n],this._inspect(t,s,n)):this._clear()}_move_exit(){this._current_sxy=null,this._clear()}_inspect(e,t,s){const n=(()=>{if(\"mouse\"==this.model.mode)return{type:\"point\",sx:e,sy:t};return{type:\"span\",direction:\"vline\"==this.model.mode?\"h\":\"v\",sx:e,sy:t}})();if(isFinite(e+t))switch(n.type){case\"point\":if(\"xy\"!=s)return;break;case\"span\":if((\"x\"==s||\"xy\"==s)&&\"h\"==n.direction)break;if((\"y\"==s||\"xy\"==s)&&\"v\"==n.direction)break;return void this._clear()}for(const e of this.computed_renderers){const t=e.get_selection_manager(),s=this.plot_view.views.find_one(e);null!=s&&t.inspect(s,n)}this._emit_callback(n)}render_entries(e,t){const s=e.get_selection_manager(),n=s.inspectors.get(e);(0,p.assert)(null!=n);const i=s.source,o=this.plot_view.views.find_one(e);if(null==o)return[];const{sx:r,sy:l}=t,a=o.coordinates.x_scale,c=o.coordinates.y_scale,_=a.invert(r),d=c.invert(l),{glyph:u}=o,h=e.view.convert_selection_to_subset(n),m=[];if(u instanceof T.PatchView){const[g,b]=[r,l],[S,$]=[_,d],N={index:null,glyph_view:u,type:u.model.type,x:_,y:d,sx:r,sy:l,snap_x:S,snap_y:$,snap_sx:g,snap_sy:b,name:e.name};m.push({ds:i,vars:N})}else if(u instanceof C.HAreaStepView||u instanceof V.HAreaView||u instanceof O.VAreaStepView||u instanceof H.VAreaView)for(const D of h.line_indices){const[P,R]=[_,d],[z,E]=[r,l],F={index:D,glyph_view:u,type:u.model.type,x:_,y:d,sx:r,sy:l,snap_x:P,snap_y:R,snap_sx:z,snap_sy:E,name:e.name,indices:h.line_indices};m.push({ds:i,vars:F})}else if(u instanceof A.LineView){const{line_policy:G}=this.model;for(const L of h.line_indices){const[[B,I],[j,J],Q]=(()=>{const{x:e,y:s}=u;switch(G){case\"interp\":{const[e,s]=u.get_interpolation_hit(L,t);return[[e,s],[a.compute(e),c.compute(s)],L]}case\"prev\":{const[t,n]=K(u.sx,u.sy,L);return[[e[L+1],s[L+1]],t,n]}case\"next\":{const[t,n]=K(u.sx,u.sy,L+1);return[[e[L+1],s[L+1]],t,n]}case\"nearest\":{const[n,i]=q(L,t,u.sx,u.sy);return[[e[i],s[i]],n,i]}case\"none\":{const e=o.coordinates.x_scale,t=o.coordinates.y_scale;return[[e.invert(r),t.invert(l)],[r,l],L]}}})(),U={index:Q,glyph_view:u,type:u.model.type,x:_,y:d,sx:r,sy:l,snap_x:B,snap_y:I,snap_sx:j,snap_sy:J,name:e.name,indices:h.line_indices};m.push({ds:i,vars:U})}}else if(u instanceof k.ImageBaseView)for(const W of n.image_indices){const[X,Y]=[r,l],[Z,ee]=[_,d],te={index:W.index,glyph_view:u,type:u.model.type,x:_,y:d,sx:r,sy:l,snap_x:Z,snap_y:ee,snap_sx:X,snap_sy:Y,name:e.name,image_index:W};m.push({ds:i,vars:te})}else for(const se of h.indices)if(u instanceof M.MultiLineView&&0!=h.multiline_indices.size){const{line_policy:ne}=this.model;for(const ie of h.multiline_indices.get(se)??[]){const[[oe,re],[le,ae],ce]=(()=>{if(\"interp\"==ne){const[e,s]=u.get_interpolation_hit(se,ie,t);return[[e,s],[a.compute(e),c.compute(s)],ie]}const[e,s]=[u.xs.get(se),u.ys.get(se)];if(\"prev\"==ne){const[t,n]=K(u.sxs.get(se),u.sys.get(se),ie);return[[e[ie],s[ie]],t,n]}if(\"next\"==ne){const[t,n]=K(u.sxs.get(se),u.sys.get(se),ie+1);return[[e[ie],s[ie]],t,n]}if(\"nearest\"==ne){const[n,i]=q(ie,t,u.sxs.get(se),u.sys.get(se));return[[e[i],s[i]],n,i]}(0,p.unreachable)()})(),_e={index:e.view.convert_indices_from_subset([se])[0],glyph_view:u,type:u.model.type,x:_,y:d,sx:r,sy:l,snap_x:oe,snap_y:re,snap_sx:le,snap_sy:ae,name:e.name,indices:h.multiline_indices,segment_index:ce};m.push({ds:i,vars:_e})}}else{const de=u.x?.[se],pe=u.y?.[se],{point_policy:ue,anchor:he}=this.model,[me,fe]=function(){if(\"snap_to_data\"==ue){const e=u.get_anchor_point(he,se,[r,l]);if(null!=e)return[e.x,e.y];const t=u.get_anchor_point(\"center\",se,[r,l]);return null!=t?[t.x,t.y]:[r,l]}return[r,l]}(),ye={index:e.view.convert_indices_from_subset([se])[0],glyph_view:u,type:u.model.type,x:_,y:d,sx:r,sy:l,snap_x:de,snap_y:pe,snap_sx:me,snap_sy:fe,name:e.name,indices:h.indices};m.push({ds:i,vars:ye})}const{bbox:f}=this.plot_view.frame,y=m.map(((e,t)=>({...e,i:t}))).filter((({vars:e})=>f.contains(e.snap_sx,e.snap_sy))).filter((({ds:e,vars:t})=>this._can_render_tooltip(e,t))).map((({ds:e,vars:t,i:s})=>({html:this._render_tooltips_if_can(e,t),vars:t,i:s}))).filter((e=>null!=e.html)).map(((e,t)=>({...e,j:t}))),{sort_by:v}=this.model;if(null!=v){const ve=e=>{switch(e){case 1:case\"ascending\":return 1;case-1:case\"descending\":return-1}},xe=(0,x.isString)(v)?[[v,1]]:v.map((e=>{if((0,x.isString)(e))return[e,1];{const[t,s]=e;return[t,ve(s)]}})),we=Array.from(y,(({vars:e})=>{const t=new Map;for(const[s]of xe){const n=this._get_value(s,i,e);t.set(s,n)}return t}));function ge(e,t){return we[e].get(t)??NaN}y.sort(((e,t)=>{for(const[s,n]of xe){const i=ge(e.j,s),o=ge(t.j,s);if(i!==o){if((0,x.isNumber)(i)&&(0,x.isNumber)(o))return n*(i-o||+isNaN(i)-+isNaN(o));{const e=`${i}`.localeCompare(`${o}`);if(0==e)continue;return n*e}}}return 0}))}const{limit:w}=this.model;return null!=w&&y.splice(w),y}_update(e,t,s){const n=e.get_selection_manager().inspectors.get(e);if((0,p.assert)(null!=n),n.is_empty()&&null==n.view)return this._current_entries=[],void s.clear();const i=this.render_entries(e,t);if(this._current_entries=i,0==i.length)s.clear();else{const{content:e}=s;(0,p.assert)(e instanceof Node),(0,a.empty)(e);for(const{html:t}of i)e.appendChild(t);const{vars:t}=i.at(-1);s.show({x:t.snap_sx,y:t.snap_sy})}}_get_value(e,t,s){const[n,i]=(()=>{switch(e[0]){case\"@\":return[\"@\",e.substring(1)];case\"$\":return[\"$\",e.substring(1)];default:return[\"@\",e]}})(),o=s.image_index??s.index;return(0,v.get_value)(n,i,t,o,s)}_can_render_tooltip(e,t){const{filters:s}=this.model;for(const[n,i]of(0,m.entries)(s)){const s=this._get_value(n,e,t),o=t.image_index??t.index,r=null!=o?e.get_row(o):{};for(const o of(0,x.isArray)(i)?i:[i]){const i={value:s,field:n,row:r,data_source:e,vars:t},l=(()=>o instanceof y.CustomJS?o.execute_sync(this.model,i):(0,f.execute_sync)(o,this.model,i))();if((0,x.isBoolean)(l)&&!l)return!1}}return!0}update([e,{geometry:t}]){if(!this.model.active)return;if(\"point\"!=t.type&&\"span\"!=t.type)return;if(\"ignore\"==this.model.muted_policy&&e.muted)return;const s=this.ttmodels.get(e);(0,x.is_undefined)(s)||this._update(e,t,s)}_emit_callback(e){const{callback:t}=this.model;if(null!=t)for(const s of this.computed_renderers){if(!(s instanceof P.GlyphRenderer))continue;const n=this.plot_view.views.find_one(s);if(null==n)continue;const{x_scale:i,y_scale:o}=n.coordinates,r=i.invert(e.sx),l=o.invert(e.sy),a=s.data_source.inspected;(0,f.execute)(t,this.model,{geometry:{x:r,y:l,...e},renderer:s,index:a})}}_create_template(e){const t=(0,a.div)({style:{display:\"table\",borderSpacing:\"2px\"}});for(const[s]of e){const e=(0,a.div)({style:{display:\"table-row\"}});t.appendChild(e);const n=(0,a.div)({style:{display:\"table-cell\"},class:g.tooltip_row_label},0!=s.length?`${s}: `:\"\");e.appendChild(n);const i=(0,a.span)();i.dataset.value=\"\";const o=(0,a.span)({class:g.tooltip_color_block},\" \");o.dataset.swatch=\"\",(0,a.undisplay)(o);const r=(0,a.div)({style:{display:\"table-cell\"},class:g.tooltip_row_value},i,o);e.appendChild(r)}return t}_render_template(e,t,s,n,i){const o=e.cloneNode(!0),r=o.querySelectorAll(\"[data-value]\"),l=o.querySelectorAll(\"[data-swatch]\");for(const[[,e],o]of(0,h.enumerate)(t)){const t=e.match(U),c=e.match(Q);if(null!=t||null!=c){if(null!=t){const[,e]=t,i=s.get_column(e);if(null==i)r[o].textContent=`${e} unknown`;else{const e=(0,x.isNumber)(n)?i[n]:null;null!=e&&(l[o].style.backgroundColor=(0,u.color2css)(e),(0,a.display)(l[o]))}}if(null!=c){const[,e=\"\",t]=c,i=s.get_column(t);if(null==i){r[o].textContent=`${t} unknown`;continue}const _=e.indexOf(\"hex\")>=0,d=e.indexOf(\"swatch\")>=0,p=(0,x.isNumber)(n)?i[n]:null;if(null==p){r[o].textContent=\"(null)\";continue}r[o].textContent=_?(0,u.color2hex)(p):(0,u.color2css)(p),d&&(l[o].style.backgroundColor=(0,u.color2css)(p),(0,a.display)(l[o]))}}else{const t=(0,v.replace_placeholders_html)(e.replace(\"$~\",\"$data_\"),s,n,this.model.formatters,i);r[o].append(...t)}}return o}_render_tooltips_if_can(e,t){try{return this._render_tooltips(e,t)}catch(e){if(e instanceof v.Skip)return null;throw e}}_render_tooltips(e,t){const{tooltips:s}=this.model,n=t.image_index??t.index;if((0,x.isString)(s)){const i=(0,v.replace_placeholders_html)(s,e,n,this.model.formatters,t);return(0,a.div)(i)}if((0,x.isFunction)(s))return s(e,t);if(s instanceof S.DOMElement){const{_template_view:s}=this;return(0,p.assert)(null!=s),this._update_template(s,e,n,t),s.el.cloneNode(!0)}if(null!=s){const i=this._template_el??(this._template_el=this._create_template(s));return this._render_template(i,s,e,n,t)}return null}_update_template(e,t,s,n){const{formatters:i}=this.model;e instanceof N.TemplateView?e.update(t,s,n,i):(0,l.traverse_views)([e],(e=>{e instanceof $.PlaceholderView&&e.update(t,s,n,i)}))}}s.HoverToolView=W,W.__name__=\"HoverToolView\";class X extends F.InspectTool{constructor(e){super(e),this.tool_name=\"Hover\",this.tool_icon=w.tool_icon_hover}}s.HoverTool=X,o=X,X.__name__=\"HoverTool\",o.prototype.default_view=W,o.define((({Any:e,Bool:t,Int:s,Str:n,Positive:i,List:o,Tuple:r,Dict:l,Or:a,Ref:_,Func:d,Auto:p,Nullable:u})=>({tooltips:[u(a(_(S.DOMElement),n,o(r(n,n)),d())),[[\"index\",\"$index\"],[\"data (x, y)\",\"($x, $y)\"],[\"screen (x, y)\",\"($sx, $sy)\"]]],formatters:[l(a(_(E.CustomJSHover),c.BuiltinFormatter)),{}],filters:[l(a(L.FilterDef,o(L.FilterDef))),{}],sort_by:[J,null],limit:[u(i(s)),null],renderers:[a(o(_(D.DataRenderer)),p),\"auto\"],mode:[c.HoverMode,\"mouse\"],muted_policy:[c.MutedPolicy,\"show\"],point_policy:[c.PointPolicy,\"snap_to_data\"],line_policy:[c.LinePolicy,\"nearest\"],show_arrow:[t,!0],anchor:[c.Anchor,\"center\"],attachment:[c.TooltipAttachment,\"horizontal\"],callback:[u(e),null]}))),o.register_alias(\"hover\",(()=>new o))},\n", " function _(e,t,a,l,n){l();const o=e(134),r=e(353),s=e(553),c=e(21),_=e(22);a.Formatter=(0,_.Or)(c.BuiltinFormatter,(0,_.Ref)(r.CustomJS),(0,_.Ref)(s.CustomJSHover));class m extends o.DOMElementView{}a.PlaceholderView=m,m.__name__=\"PlaceholderView\",m.tag_name=\"span\";class d extends o.DOMElement{constructor(e){super(e)}}a.Placeholder=d,d.__name__=\"Placeholder\"},\n", " function _(e,i,t,a,s){var n;a();const o=e(134),_=e(557),c=e(555),l=e(69);class r extends o.DOMElementView{constructor(){super(...arguments),this._action_views=new Map}get actions(){return this.model.actions}get action_views(){return this.actions.map((e=>this._action_views.get(e))).filter((e=>null!=e))}async _update_actions(){await(0,l.build_views)(this._action_views,this.actions)}*children(){yield*super.children(),yield*this.action_views}async lazy_initialize(){await super.lazy_initialize(),await this._update_actions()}remove(){(0,l.remove_views)(this._action_views),super.remove()}update(e,i,t,a){(0,l.traverse_views)([this],(s=>{s instanceof c.PlaceholderView&&s.update(e,i,t,a)}));for(const a of this.action_views)a.update(e,i,t)}}t.TemplateView=r,r.__name__=\"TemplateView\";class w extends o.DOMElement{}t.Template=w,n=w,w.__name__=\"Template\",n.prototype.default_view=r,n.define((({List:e,Ref:i})=>({actions:[e(i(_.Action)),[]]})))},\n", " function _(e,o,_,n,c){n();const s=e(52),t=e(65);class i extends t.View{}_.ActionView=i,i.__name__=\"ActionView\";class d extends s.Model{constructor(e){super(e)}}_.Action=d,d.__name__=\"Action\",d.__module__=\"bokeh.models.dom\"},\n", " function _(e,t,i,l,a){var s;l();const o=e(555),n=e(353),r=e(553),c=e(259),f=e(51),u=e(8),_=e(22);i.FilterDef=(0,_.Or)((0,_.Func)(),(0,_.Ref)(n.CustomJS));class d extends o.PlaceholderView{connect_signals(){super.connect_signals();const{filter:e}=this.model.properties;this.on_change(e,(()=>this._update_filter()))}async lazy_initialize(){await super.lazy_initialize(),await this._update_filter()}async _update_filter(){const{filter:e}=this.model;for(const t of(0,u.isArray)(e)?e:[e])t instanceof n.CustomJS&&await t.compile()}update(e,t,i,l){const{field:a,format:s,formatter:o,filter:_}=this.model,d=(0,c._get_column_value)(a,e,t),m=null!=t?e.get_row(t):{};if(null!=_)for(const t of(0,u.isArray)(_)?_:[_]){const l={value:d,field:a,row:m,data_source:e,vars:i},s=(()=>t instanceof n.CustomJS?t.execute_sync(this.model,l):(0,f.execute_sync)(t,this.model,l))();if((0,u.isBoolean)(s)&&!s)throw new c.Skip}const h=e=>{null==e?this.el.textContent=c.MISSING:e instanceof Node?this.el.replaceChildren(e):(0,u.isArray)(e)?this.el.replaceChildren(...e.map((e=>e instanceof Node?e:`${e}`))):this.el.textContent=`${e}`};if(o instanceof n.CustomJS)(async()=>{const e=await(0,f.execute)(o,this.model,{value:d,format:s,vars:i});h(e)})();else{const e=null==s?c.DEFAULT_FORMATTERS.basic(d,\"\",i):o instanceof r.CustomJSHover?o.format(d,s,i):c.DEFAULT_FORMATTERS[o](d,s,i);h(e)}}}i.ValueRefView=d,d.__name__=\"ValueRefView\";class m extends o.Placeholder{constructor(e){super(e)}}i.ValueRef=m,s=m,m.__name__=\"ValueRef\",s.prototype.default_view=d,s.define((({Str:e,Nullable:t,List:l,Or:a})=>({field:[e],format:[t(e),null],formatter:[o.Formatter,\"raw\"],filter:[t(a(i.FilterDef,l(i.FilterDef))),null]})))},\n", " function _(e,l,t,o,a){o(),a(\"Action\",e(557).Action),a(\"ColorRef\",e(560).ColorRef),a(\"DOMElement\",e(134).DOMElement),a(\"DOMNode\",e(130).DOMNode);var S=e(337);a(\"Span\",S.Span),a(\"Div\",S.Div),a(\"Table\",S.Table),a(\"TableRow\",S.TableRow),a(\"HTML\",e(133).HTML),a(\"Index\",e(561).Index),a(\"Placeholder\",e(555).Placeholder),a(\"Styles\",e(59).Styles);var n=e(60);a(\"InlineStyleSheet\",n.InlineStyleSheet),a(\"GlobalInlineStyleSheet\",n.GlobalInlineStyleSheet),a(\"ImportedStyleSheet\",n.ImportedStyleSheet),a(\"GlobalImportedStyleSheet\",n.GlobalImportedStyleSheet),a(\"Template\",e(556).Template),a(\"Text\",e(359).Text),a(\"ToggleGroup\",e(562).ToggleGroup),a(\"ValueOf\",e(563).ValueOf),a(\"ValueRef\",e(558).ValueRef)},\n", " function _(e,t,s,o,l){var n;o();const a=e(1),_=e(558),i=e(259),r=e(61),c=a.__importStar(e(449));class h extends _.ValueRefView{connect_signals(){super.connect_signals();const{hex:e,swatch:t}=this.model.properties;this.on_change([e,t],(()=>this.render()))}render(){super.render(),this.value_el=(0,r.span)(),this.swatch_el=(0,r.span)({class:c.tooltip_color_block},\" \"),this.el.append(this.value_el,this.swatch_el)}update(e,t,s,o){const l=(0,i._get_column_value)(this.model.field,e,t),n=null==l?\"???\":`${l}`;this.el.textContent=n}}s.ColorRefView=h,h.__name__=\"ColorRefView\";class p extends _.ValueRef{constructor(e){super(e)}}s.ColorRef=p,n=p,p.__name__=\"ColorRef\",n.prototype.default_view=h,n.define((({Bool:e})=>({hex:[e,!0],swatch:[e,!0]})))},\n", " function _(e,n,t,l,d){var s;l();const _=e(555);class a extends _.PlaceholderView{update(e,n,t,l){this.el.textContent=null==n?\"(null)\":`${n}`}}t.IndexView=a,a.__name__=\"IndexView\";class o extends _.Placeholder{constructor(e){super(e)}}t.Index=o,s=o,o.__name__=\"Index\",s.prototype.default_view=a},\n", " function _(e,o,r,t,s){var n;t();const u=e(557),i=e(129),p=e(14);class g extends u.ActionView{update(e,o,r){for(const[e,r]of(0,p.enumerate)(this.model.groups))e.visible=o==r}}r.ToggleGroupView=g,g.__name__=\"ToggleGroupView\";class _ extends u.Action{constructor(e){super(e)}}r.ToggleGroup=_,n=_,_.__name__=\"ToggleGroup\",n.prototype.default_view=g,n.define((({List:e,Ref:o})=>({groups:[e(o(i.RendererGroup)),[]]})))},\n", " function _(e,t,n,s,o){var r;s();const a=e(134),i=e(15),l=e(353),c=e(259),u=e(51),p=e(8),d=e(21),_=e(22),f=(0,_.Or)(d.BuiltinFormatter,(0,_.Ref)(l.CustomJS));class h extends a.DOMElementView{connect_signals(){super.connect_signals();const e=()=>this.render();let t=null;const n=()=>{null!=t&&this.disconnect(t.change,e);const{obj:n,attr:s}=this.model;s in n.properties?(t=n.properties[s],this.connect(t.change,e)):t=null};n();const{obj:s,attr:o}=this.model.properties;this.on_change([s,o],(()=>n()))}_render_value(e){const{format:t,formatter:n}=this.model,s={},o=e=>{e instanceof Node?this.el.append(e):(0,p.isArray)(e)?this.el.append(...e.map((e=>e instanceof Node?e:`${e}`))):this.el.textContent=`${e}`};if(n instanceof l.CustomJS){const r=(async()=>{const r=await(0,u.execute)(n,this.model,{value:e,format:t,vars:s});o(r)})();this._await_ready(r)}else{const r=c.DEFAULT_FORMATTERS[n](e,t??\"\",s);o(r)}}render(){super.render(),this.el.style.display=\"contents\";const{obj:e,attr:t}=this.model;if(t in e.properties){const n=e.properties[t].get_value();this._render_value(n)}else this.el.textContent=``}}n.ValueOfView=h,h.__name__=\"ValueOfView\";class m extends a.DOMElement{constructor(e){super(e)}}n.ValueOf=m,r=m,m.__name__=\"ValueOf\",r.prototype.default_view=h,r.define((({Str:e,Ref:t,Nullable:n})=>({obj:[t(i.HasProps)],attr:[e],format:[n(e),null],formatter:[f,\"raw\"]})))},\n", " ], 0, {\"main\":0,\"tslib\":1,\"index\":2,\"version\":3,\"embed/index\":4,\"document/index\":5,\"document/document\":6,\"base\":7,\"core/util/types\":8,\"core/util/object\":9,\"core/util/array\":10,\"core/util/math\":11,\"core/util/assert\":12,\"core/util/arrayable\":13,\"core/util/iterator\":14,\"core/has_props\":15,\"core/signaling\":16,\"core/util/defer\":17,\"core/util/refs\":18,\"core/properties\":19,\"core/logging\":20,\"core/enums\":21,\"core/kinds\":22,\"core/util/color\":23,\"core/util/svg_colors\":24,\"core/types\":25,\"core/util/bitset\":26,\"core/util/eq\":27,\"core/util/platform\":28,\"core/vectorization\":29,\"core/settings\":30,\"core/util/ndarray\":31,\"core/util/cloneable\":32,\"core/serialization/index\":33,\"core/serialization/serializer\":34,\"core/serialization/buffer\":35,\"core/util/buffer\":36,\"core/serialization/reps\":38,\"core/diagnostics\":39,\"core/uniforms\":40,\"core/util/string\":41,\"document/events\":42,\"core/util/pretty\":43,\"core/patching\":44,\"core/util/set\":45,\"core/util/typed_array\":46,\"core/resolvers\":47,\"core/serialization/deserializer\":48,\"core/util/slice\":49,\"core/util/version\":50,\"core/util/callbacks\":51,\"model\":52,\"document/config\":53,\"models/ui/notifications\":54,\"models/ui/ui_element\":55,\"models/ui/styled_element\":56,\"models/coordinates/node\":57,\"models/coordinates/coordinate\":58,\"models/dom/styles\":59,\"models/dom/stylesheets\":60,\"core/dom\":61,\"core/util/bbox\":62,\"core/css\":63,\"core/dom_view\":64,\"core/view\":65,\"models/coordinates/xy\":66,\"models/coordinates/indexed\":67,\"core/view_manager\":68,\"core/build_views\":69,\"styles/base.css\":70,\"core/util/canvas\":71,\"core/util/svg\":72,\"core/util/affine\":73,\"core/util/random\":74,\"styles/ui.css\":75,\"styles/icons.css\":76,\"styles/buttons.css\":77,\"styles/notifications.css\":78,\"document/defs\":79,\"core/bokeh_events\":80,\"embed/standalone\":81,\"embed/server\":82,\"client/connection\":83,\"protocol/message\":84,\"protocol/receiver\":85,\"client/session\":86,\"embed/dom\":87,\"embed/notebook\":88,\"protocol/index\":89,\"safely\":90,\"models/main\":91,\"models/index\":92,\"models/annotations/index\":93,\"models/annotations/area_visuals\":94,\"core/property_mixins\":95,\"models/annotations/annotation\":96,\"models/renderers/composite_renderer\":97,\"models/renderers/renderer\":98,\"core/visuals/index\":99,\"core/visuals/line\":100,\"core/visuals/visual\":101,\"core/visuals/fill\":102,\"core/visuals/text\":103,\"core/visuals/hatch\":104,\"core/visuals/patterns\":105,\"core/visuals/image\":106,\"models/coordinates/coordinate_mapping\":107,\"models/scales/scale\":108,\"models/transforms/transform\":109,\"models/ranges/range\":110,\"models/ranges/range1d\":111,\"models/ranges/numerical_range\":112,\"models/scales/linear_scale\":113,\"models/scales/continuous_scale\":114,\"models/scales/log_scale\":115,\"models/scales/categorical_scale\":116,\"models/scales/composite_scale\":117,\"models/ranges/data_range1d\":118,\"models/ranges/data_range\":119,\"models/util\":120,\"models/ranges/factor_range\":121,\"models/ui/menus/menu\":122,\"models/ui/menus/menu_item\":123,\"models/common/kinds\":124,\"models/callbacks/callback\":125,\"models/ui/menus/divider_item\":126,\"models/common/resolve\":127,\"styles/menus.css\":128,\"models/renderers/renderer_group\":129,\"models/dom/dom_node\":130,\"models/layouts/layout_dom\":131,\"models/ui/pane\":132,\"models/dom/html\":133,\"models/dom/dom_element\":134,\"core/layout/index\":135,\"core/layout/types\":136,\"core/layout/layoutable\":137,\"core/layout/alignments\":138,\"core/layout/grid\":139,\"models/annotations/arrow\":140,\"models/annotations/data_annotation\":141,\"models/sources/columnar_data_source\":142,\"core/selection_manager\":143,\"models/selections/selection\":144,\"models/selections/interaction_policy\":145,\"models/sources/data_source\":146,\"models/sources/column_data_source\":147,\"core/util/projections\":148,\"models/annotations/arrow_head\":182,\"models/graphics/marking\":183,\"models/annotations/base_color_bar\":184,\"models/annotations/title\":185,\"models/annotations/text_annotation\":186,\"core/layout/side_panel\":187,\"models/text/base_text\":188,\"models/text/utils\":189,\"models/text/math_text\":190,\"core/util/image\":191,\"core/graphics\":192,\"core/util/text\":193,\"models/text/providers\":194,\"core/util/modules\":195,\"models/text/plain_text\":196,\"models/common/painting\":197,\"models/canvas/cartesian_frame\":198,\"models/canvas/canvas_panel\":199,\"styles/canvas_panel.css\":200,\"styles/cartesian_frame.css\":201,\"models/axes/axis\":202,\"models/renderers/guide_renderer\":203,\"models/tickers/ticker\":204,\"models/formatters/tick_formatter\":205,\"models/policies/labeling\":206,\"models/axes/linear_axis\":207,\"models/axes/continuous_axis\":208,\"models/formatters/basic_tick_formatter\":209,\"models/tickers/basic_ticker\":210,\"models/tickers/adaptive_ticker\":211,\"models/tickers/continuous_ticker\":212,\"models/tickers/index\":213,\"models/tickers/categorical_ticker\":214,\"models/tickers/composite_ticker\":215,\"models/tickers/customjs_ticker\":216,\"models/tickers/datetime_ticker\":217,\"models/tickers/days_ticker\":218,\"models/tickers/single_interval_ticker\":219,\"models/tickers/util\":220,\"models/tickers/months_ticker\":221,\"models/tickers/years_ticker\":222,\"models/tickers/fixed_ticker\":223,\"models/tickers/log_ticker\":224,\"models/tickers/mercator_ticker\":225,\"models/tickers/timedelta_ticker\":226,\"models/tickers/binned_ticker\":227,\"models/mappers/scanning_color_mapper\":228,\"models/mappers/continuous_color_mapper\":229,\"models/mappers/color_mapper\":230,\"models/mappers/mapper\":231,\"models/renderers/glyph_renderer\":232,\"models/renderers/data_renderer\":233,\"models/glyphs/line\":234,\"models/glyphs/xy_glyph\":235,\"models/glyphs/glyph\":236,\"core/util/ragged_array\":237,\"core/util/spatial\":238,\"models/graphics/decoration\":241,\"models/glyphs/utils\":242,\"core/hittest\":243,\"models/glyphs/patch\":244,\"models/glyphs/harea_step\":245,\"models/glyphs/area\":246,\"core/util/flip_step_mode\":247,\"models/glyphs/harea\":248,\"models/glyphs/varea_step\":249,\"models/glyphs/varea\":250,\"models/sources/cds_view\":251,\"models/filters/filter\":252,\"models/filters/all_indices\":253,\"models/filters/intersection_filter\":254,\"models/filters/composite_filter\":255,\"models/formatters/index\":256,\"models/formatters/categorical_tick_formatter\":257,\"models/formatters/datetime_tick_formatter\":258,\"core/util/templating\":259,\"models/formatters/customjs_tick_formatter\":263,\"models/formatters/log_tick_formatter\":264,\"models/formatters/mercator_tick_formatter\":265,\"models/formatters/numeral_tick_formatter\":266,\"models/formatters/printf_tick_formatter\":267,\"models/formatters/timedelta_tick_formatter\":268,\"models/scales/index\":269,\"models/scales/linear_interpolation_scale\":270,\"models/ranges/index\":271,\"core/layout/border\":272,\"models/annotations/band\":273,\"models/annotations/upper_lower\":274,\"models/annotations/box_annotation\":275,\"models/common/box_kinds\":276,\"models/annotations/color_bar\":277,\"models/axes/index\":278,\"models/axes/categorical_axis\":279,\"models/axes/datetime_axis\":280,\"models/axes/log_axis\":281,\"models/axes/mercator_axis\":282,\"models/axes/timedelta_axis\":283,\"models/mappers/index\":284,\"models/mappers/categorical_color_mapper\":285,\"models/mappers/categorical_mapper\":286,\"models/mappers/categorical_marker_mapper\":287,\"models/mappers/categorical_pattern_mapper\":288,\"models/mappers/linear_color_mapper\":289,\"models/mappers/log_color_mapper\":290,\"models/mappers/eqhist_color_mapper\":291,\"models/mappers/stack_color_mapper\":292,\"models/mappers/weighted_stack_color_mapper\":293,\"models/annotations/contour_color_bar\":294,\"models/annotations/label\":295,\"models/annotations/label_set\":296,\"models/annotations/legend\":297,\"models/annotations/legend_item\":298,\"styles/legend.css\":299,\"models/annotations/poly_annotation\":300,\"models/annotations/scale_bar\":301,\"models/annotations/dimensional\":302,\"models/annotations/size_bar\":303,\"models/annotations/base_bar\":304,\"models/glyphs/radial_glyph\":305,\"models/plots/plot\":306,\"models/grids/grid\":307,\"models/tools/toolbar\":308,\"models/tools/tool\":309,\"models/ui/menus/index\":310,\"models/ui/menus/action_item\":311,\"models/ui/menus/checkable_item\":312,\"models/tools/tool_proxy\":313,\"models/tools/tool_group\":314,\"models/tools/tool_button\":315,\"core/ui_gestures\":316,\"core/util/menus\":317,\"styles/legacy_menus.css\":318,\"styles/tool_button.css\":319,\"models/tools/gestures/gesture_tool\":320,\"models/tools/on_off_button\":321,\"models/tools/inspectors/inspect_tool\":322,\"models/tools/actions/action_tool\":323,\"models/tools/click_button\":324,\"models/tools/actions/help_tool\":325,\"styles/toolbar.css\":326,\"styles/logo.css\":327,\"models/plots/plot_canvas\":328,\"models/canvas/canvas\":329,\"core/ui_events\":330,\"core/util/wheel\":331,\"styles/canvas.css\":332,\"models/tools/tool_menu\":333,\"models/annotations/toolbar_panel\":334,\"models/ui/panel\":335,\"styles/panels.css\":336,\"models/dom/elements\":337,\"core/util/throttle\":338,\"models/plots/range_manager\":339,\"models/plots/state_manager\":340,\"styles/plots.css\":341,\"styles/attribution.css\":342,\"models/glyphs/circle\":343,\"models/annotations/slope\":344,\"models/annotations/span\":345,\"models/annotations/whisker\":346,\"models/annotations/html/index\":347,\"models/annotations/html/label\":348,\"models/annotations/html/text_annotation\":349,\"models/annotations/html/label_set\":350,\"models/annotations/html/title\":351,\"models/callbacks/index\":352,\"models/callbacks/customjs\":353,\"models/callbacks/open_url\":354,\"models/callbacks/set_value\":355,\"models/callbacks/toggle_visibility\":356,\"models/callbacks/open_dialog\":357,\"models/ui/dialog\":358,\"models/dom/text\":359,\"styles/dialogs.css\":360,\"models/callbacks/close_dialog\":361,\"models/canvas/index\":362,\"models/comparisons/index\":363,\"models/comparisons/comparison\":364,\"models/comparisons/customjs_compare\":365,\"models/comparisons/nan_compare\":366,\"models/coordinates/index\":367,\"models/expressions/index\":368,\"models/expressions/expression\":369,\"models/expressions/customjs_expr\":370,\"models/expressions/stack\":371,\"models/expressions/cumsum\":372,\"models/expressions/minimum\":373,\"models/expressions/maximum\":374,\"models/expressions/coordinate_transform\":375,\"models/expressions/polar\":376,\"models/filters/index\":377,\"models/filters/boolean_filter\":378,\"models/filters/customjs_filter\":379,\"models/filters/group_filter\":380,\"models/filters/index_filter\":381,\"models/filters/inversion_filter\":382,\"models/filters/union_filter\":383,\"models/filters/difference_filter\":384,\"models/filters/symmetric_difference_filter\":385,\"models/glyphs/index\":386,\"models/glyphs/annular_wedge\":387,\"models/glyphs/annulus\":388,\"models/glyphs/arc\":389,\"models/glyphs/bezier\":390,\"core/util/algorithms\":391,\"models/glyphs/block\":392,\"models/glyphs/lrtb\":393,\"models/glyphs/ellipse\":394,\"models/glyphs/center_rotatable\":395,\"models/glyphs/hbar\":396,\"models/glyphs/hex_tile\":397,\"models/glyphs/hspan\":398,\"models/glyphs/hstrip\":399,\"models/glyphs/image\":400,\"models/glyphs/image_base\":401,\"models/glyphs/image_rgba\":402,\"models/glyphs/image_stack\":403,\"models/glyphs/image_url\":404,\"models/glyphs/mathml_glyph\":405,\"models/glyphs/math_text_glyph\":406,\"models/glyphs/text\":407,\"models/glyphs/multi_line\":408,\"models/glyphs/multi_polygons\":409,\"models/glyphs/ngon\":410,\"models/glyphs/patches\":411,\"models/glyphs/quad\":412,\"models/glyphs/quadratic\":413,\"models/glyphs/ray\":414,\"models/glyphs/rect\":415,\"models/glyphs/scatter\":416,\"models/glyphs/marker\":417,\"models/glyphs/defs\":418,\"models/glyphs/segment\":419,\"models/glyphs/spline\":420,\"core/util/interpolation\":421,\"models/glyphs/step\":422,\"models/glyphs/tex_glyph\":423,\"models/glyphs/vbar\":424,\"models/glyphs/vspan\":425,\"models/glyphs/vstrip\":426,\"models/glyphs/wedge\":427,\"models/graphics/index\":428,\"models/graphs/index\":429,\"models/graphs/graph_hit_test_policy\":430,\"models/graphs/layout_provider\":431,\"models/graphs/static_layout_provider\":432,\"models/grids/index\":433,\"models/layouts/index\":434,\"models/layouts/column\":435,\"models/layouts/flex_box\":436,\"models/layouts/alignments\":437,\"models/layouts/grid_box\":438,\"models/layouts/css_grid_box\":439,\"models/layouts/group_box\":440,\"styles/group_box.css\":441,\"models/layouts/hbox\":442,\"models/layouts/row\":443,\"models/layouts/scroll_box\":444,\"models/layouts/spacer\":445,\"models/layouts/tab_panel\":446,\"models/ui/tooltip\":447,\"models/selectors/selector\":448,\"styles/tooltips.css\":449,\"models/layouts/tabs\":450,\"styles/tabs.css\":451,\"models/layouts/vbox\":452,\"models/misc/index\":453,\"models/misc/group_by\":454,\"models/text/index\":455,\"models/transforms/index\":456,\"models/transforms/customjs_transform\":457,\"models/transforms/dodge\":458,\"models/transforms/range_transform\":459,\"models/transforms/interpolator\":460,\"models/transforms/jitter\":461,\"models/random/random_generator\":462,\"models/transforms/linear_interpolator\":463,\"models/transforms/step_interpolator\":464,\"models/plots/index\":465,\"models/plots/gmap_plot\":466,\"models/plots/gmap_plot_canvas\":467,\"models/plots/gmap\":468,\"models/plots/grid_plot\":469,\"models/plots/figure\":470,\"models/policies/index\":471,\"models/random/index\":472,\"models/random/park_miller_lcg\":473,\"models/renderers/index\":474,\"models/renderers/contour_renderer\":475,\"models/renderers/graph_renderer\":476,\"models/selections/index\":477,\"models/selectors/index\":478,\"models/selectors/by_id\":479,\"models/selectors/by_class\":480,\"models/selectors/by_css\":481,\"models/selectors/by_xpath\":482,\"models/sources/index\":483,\"models/sources/server_sent_data_source\":484,\"models/sources/web_data_source\":485,\"models/sources/ajax_data_source\":486,\"models/sources/geojson_data_source\":487,\"models/tiles/index\":488,\"models/tiles/bbox_tile_source\":489,\"models/tiles/mercator_tile_source\":490,\"models/tiles/tile_source\":491,\"models/tiles/tile_utils\":492,\"models/tiles/quadkey_tile_source\":493,\"models/tiles/tile_renderer\":494,\"models/tiles/wmts_tile_source\":495,\"models/tiles/tms_tile_source\":496,\"models/textures/index\":497,\"models/textures/canvas_texture\":498,\"models/textures/texture\":499,\"models/textures/image_url_texture\":500,\"models/ui/index\":501,\"models/ui/icons/index\":502,\"models/ui/icons/builtin_icon\":503,\"models/ui/icons/icon\":504,\"models/ui/icons/svg_icon\":505,\"models/ui/icons/tabler_icon\":506,\"models/ui/drawer\":507,\"styles/drawers.css\":508,\"models/ui/examiner\":509,\"styles/examiner.css\":510,\"styles/pretty.css\":511,\"models/tools/index\":512,\"models/tools/actions/index\":513,\"models/tools/actions/copy_tool\":514,\"models/tools/actions/custom_action\":515,\"models/tools/actions/fullscreen_tool\":516,\"models/tools/actions/examine_tool\":517,\"models/tools/actions/click_pan_tool\":518,\"models/tools/actions/plot_action_tool\":519,\"models/tools/gestures/pan_tool\":520,\"models/tools/actions/redo_tool\":521,\"models/tools/actions/reset_tool\":522,\"models/tools/actions/save_tool\":523,\"models/tools/actions/undo_tool\":524,\"models/tools/actions/zoom_in_tool\":525,\"models/tools/actions/zoom_base_tool\":526,\"core/util/zoom\":527,\"models/tools/actions/zoom_out_tool\":528,\"models/tools/edit/index\":529,\"models/tools/edit/edit_tool\":530,\"models/tools/edit/box_edit_tool\":531,\"models/tools/edit/freehand_draw_tool\":532,\"models/tools/edit/line_edit_tool\":533,\"models/tools/edit/line_tool\":534,\"models/tools/edit/point_draw_tool\":535,\"models/tools/edit/poly_draw_tool\":536,\"models/tools/edit/poly_tool\":537,\"models/tools/edit/poly_edit_tool\":538,\"models/tools/gestures/index\":539,\"models/tools/gestures/box_select_tool\":540,\"models/tools/gestures/region_select_tool\":541,\"models/tools/gestures/select_tool\":542,\"models/tools/gestures/box_zoom_tool\":543,\"models/tools/gestures/lasso_select_tool\":544,\"models/tools/gestures/poly_select_tool\":545,\"models/tools/gestures/range_tool\":546,\"models/tools/gestures/tap_tool\":547,\"models/tools/gestures/common\":548,\"models/tools/gestures/wheel_pan_tool\":549,\"models/tools/gestures/wheel_zoom_tool\":550,\"models/tools/inspectors/index\":551,\"models/tools/inspectors/crosshair_tool\":552,\"models/tools/inspectors/customjs_hover\":553,\"models/tools/inspectors/hover_tool\":554,\"models/dom/placeholder\":555,\"models/dom/template\":556,\"models/dom/action\":557,\"models/dom/value_ref\":558,\"models/dom/index\":559,\"models/dom/color_ref\":560,\"models/dom/index_\":561,\"models/dom/toggle_group\":562,\"models/dom/value_of\":563}, {});});\n", "\n", " /* END bokeh.min.js */\n", " },\n", " function(Bokeh) {\n", " /* BEGIN bokeh-gl.min.js */\n", " 'use strict';\n", " /*!\n", " * Copyright (c) Anaconda, Inc., and Bokeh Contributors\n", " * All rights reserved.\n", " * \n", " * Redistribution and use in source and binary forms, with or without modification,\n", " * are permitted provided that the following conditions are met:\n", " * \n", " * Redistributions of source code must retain the above copyright notice,\n", " * this list of conditions and the following disclaimer.\n", " * \n", " * Redistributions in binary form must reproduce the above copyright notice,\n", " * this list of conditions and the following disclaimer in the documentation\n", " * and/or other materials provided with the distribution.\n", " * \n", " * Neither the name of Anaconda nor the names of any contributors\n", " * may be used to endorse or promote products derived from this software\n", " * without specific prior written permission.\n", " * \n", " * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS \"AS IS\"\n", " * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\n", " * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE\n", " * ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE\n", " * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR\n", " * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF\n", " * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS\n", " * INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN\n", " * CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)\n", " * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF\n", " * THE POSSIBILITY OF SUCH DAMAGE.\n", " */\n", " (function(root, factory) {\n", " factory(root[\"Bokeh\"], \"3.8.2\");\n", " })(this, function(Bokeh, version) {\n", " let define;\n", " return (function(modules, entry, aliases, externals) {\n", " const bokeh = typeof Bokeh !== \"undefined\" ? (version != null ? Bokeh[version] : Bokeh) : null;\n", " if (bokeh != null) {\n", " return bokeh.register_plugin(modules, entry, aliases);\n", " } else {\n", " throw new Error(\"Cannot find Bokeh\" + (version != null ? \" \" + version : \"\") + \". You have to load it prior to loading plugins.\");\n", " }\n", " })\n", " ({\n", " 564: function _(n,c,f,i,o){i(),n(565)},\n", " 565: function _(t,_,r,e,o){e();const a=t(1);o(\"get_regl\",t(566).get_regl),a.__exportStar(t(578),r),a.__exportStar(t(585),r),a.__exportStar(t(586),r),a.__exportStar(t(581),r),a.__exportStar(t(587),r),a.__exportStar(t(589),r),a.__exportStar(t(590),r),a.__exportStar(t(591),r),a.__exportStar(t(593),r),a.__exportStar(t(594),r),a.__exportStar(t(595),r),a.__exportStar(t(596),r),a.__exportStar(t(597),r),a.__exportStar(t(592),r),a.__exportStar(t(580),r),a.__exportStar(t(598),r),a.__exportStar(t(599),r)},\n", " 566: function _(t,e,i,_,n){_(),i.get_regl=function(t){null==m&&(m=new b(t));return m};const r=t(1),a=r.__importDefault(t(567)),s=t(568),o=r.__importDefault(t(570)),f=r.__importDefault(t(571)),l=r.__importDefault(t(572)),u=r.__importDefault(t(573)),h=r.__importDefault(t(574)),c=r.__importDefault(t(575)),p=r.__importDefault(t(576)),g=r.__importDefault(t(577));let m=null;class b{constructor(t){this._marker_no_hatch_map=new Map,this._marker_hatch_map=new Map;try{this._regl=(0,a.default)({gl:t,extensions:[\"ANGLE_instanced_arrays\",\"EXT_blend_minmax\"]}),this._regl_available=!0,this._line_geometry=this._regl.buffer({usage:\"static\",type:\"float\",data:[[-2,0],[-1,-1],[1,-1],[1,1],[-1,1]]}),this._line_triangles=this._regl.elements({usage:\"static\",primitive:\"triangle fan\",data:[0,1,2,3,4]}),this._rect_geometry=this._regl.buffer({usage:\"static\",type:\"float\",data:[[-1,-1],[1,-1],[1,1],[-1,1]]}),this._rect_triangles=this._regl.elements({usage:\"static\",primitive:\"triangle fan\",data:[0,1,2,3]})}catch(t){this._regl_available=!1}}buffer(t){return this._regl.buffer(t)}clear(t,e){this._viewport={x:0,y:0,width:t,height:e},this._regl.clear({color:[0,0,0,0]})}clear_framebuffer(t){this._regl.clear({color:[0,0,0,0],framebuffer:t})}get framebuffer_and_texture(){const{_regl:t}=this,{_gl:e}=t,i={height:e.drawingBufferHeight,width:e.drawingBufferWidth};return null==this._framebuffer_texture?this._framebuffer_texture=t.texture(i):this._framebuffer_texture(i),null==this._framebuffer&&(this._framebuffer=t.framebuffer({color:this._framebuffer_texture,depth:!1,stencil:!1})),[this._framebuffer,this._framebuffer_texture]}get has_webgl(){return this._regl_available}get scissor(){return this._scissor}set_scissor(t,e,i,_){this._scissor={x:t,y:e,width:i,height:_}}texture(t){return this._regl.texture(t)}get viewport(){return this._viewport}accumulate(){return null==this._accumulate&&(this._accumulate=function(t,e,i){const _={vert:o.default,frag:f.default,attributes:{a_position:{buffer:e,divisor:0}},uniforms:{u_framebuffer_tex:t.prop(\"framebuffer_tex\")},elements:i,blend:{enable:!0,func:{srcRGB:\"one\",srcAlpha:\"one\",dstRGB:\"one minus src alpha\",dstAlpha:\"one minus src alpha\"}},depth:{enable:!1},scissor:{enable:!0,box:t.prop(\"scissor\")},viewport:t.prop(\"viewport\")};return t(_)}(this._regl,this._rect_geometry,this._rect_triangles)),this._accumulate}dashed_line(){return null==this._dashed_line&&(this._dashed_line=function(t,e,i){const _={vert:`#define DASHED\\n${h.default}\\n`,frag:`#define DASHED\\n${c.default}\\n`,attributes:{a_position:{buffer:e,divisor:0},a_point_prev:(t,e)=>e.points.to_attribute_config(e.point_offset),a_point_start:(t,e)=>e.points.to_attribute_config(e.point_offset+2),a_point_end:(t,e)=>e.points.to_attribute_config(e.point_offset+4),a_point_next:(t,e)=>e.points.to_attribute_config(e.point_offset+6),a_show_prev:(t,e)=>e.show.to_attribute_config(e.point_offset/2-e.line_offset),a_show_curr:(t,e)=>e.show.to_attribute_config(e.point_offset/2-e.line_offset+1),a_show_next:(t,e)=>e.show.to_attribute_config(e.point_offset/2-e.line_offset+2),a_linewidth:(t,e)=>e.linewidth.to_attribute_config_nested(e.line_offset,e.nsegments+3),a_line_color:(t,e)=>e.line_color.to_attribute_config_nested(e.line_offset,e.nsegments+3),a_line_cap:(t,e)=>e.line_cap.to_attribute_config_nested(e.line_offset,e.nsegments+3),a_line_join:(t,e)=>e.line_join.to_attribute_config_nested(e.line_offset,e.nsegments+3),a_length_so_far:(t,e)=>e.length_so_far.to_attribute_config(e.point_offset/2-3*e.line_offset),a_dash_tex_info:(t,e)=>e.dash_tex_info.to_attribute_config_nested(e.line_offset,e.nsegments+3),a_dash_scale:(t,e)=>e.dash_scale.to_attribute_config_nested(e.line_offset,e.nsegments+3),a_dash_offset:(t,e)=>e.dash_offset.to_attribute_config_nested(e.line_offset,e.nsegments+3)},uniforms:{u_canvas_size:t.prop(\"canvas_size\"),u_antialias:t.prop(\"antialias\"),u_miter_limit:t.prop(\"miter_limit\"),u_dash_tex:t.prop(\"dash_tex\")},elements:i,instances:t.prop(\"nsegments\"),blend:{enable:!0,equation:\"max\",func:{srcRGB:1,srcAlpha:1,dstRGB:1,dstAlpha:1}},depth:{enable:!1},framebuffer:t.prop(\"framebuffer\"),scissor:{enable:!0,box:t.prop(\"scissor\")},viewport:t.prop(\"viewport\")};return t(_)}(this._regl,this._line_geometry,this._line_triangles)),this._dashed_line}get_dash(t){return null==this._dash_cache&&(this._dash_cache=new s.DashCache(this._regl)),this._dash_cache.get(t)}image(){return null==this._image&&(this._image=function(t,e,i){const _={vert:l.default,frag:u.default,attributes:{a_position:{buffer:e,divisor:0},a_bounds:(t,e)=>e.bounds.to_attribute_config()},uniforms:{u_canvas_size:t.prop(\"canvas_size\"),u_tex:t.prop(\"tex\"),u_global_alpha:t.prop(\"global_alpha\")},elements:i,blend:{enable:!0,func:{srcRGB:\"one\",srcAlpha:\"one\",dstRGB:\"one minus src alpha\",dstAlpha:\"one minus src alpha\"}},depth:{enable:!1},scissor:{enable:!0,box:t.prop(\"scissor\")},viewport:t.prop(\"viewport\")};return t(_)}(this._regl,this._rect_geometry,this._rect_triangles)),this._image}marker_no_hatch(t){let e=this._marker_no_hatch_map.get(t);return null==e&&(e=d(this._regl,t),this._marker_no_hatch_map.set(t,e)),e}marker_hatch(t){let e=this._marker_hatch_map.get(t);return null==e&&(e=function(t,e){return d(t,e,[\"HATCH\"],[\"HATCH\"],{a_hatch_pattern:(t,e)=>e.hatch_pattern.to_attribute_config(0,e.nmarkers),a_hatch_scale:(t,e)=>e.hatch_scale.to_attribute_config(0,e.nmarkers),a_hatch_weight:(t,e)=>e.hatch_weight.to_attribute_config(0,e.nmarkers),a_hatch_color:(t,e)=>e.hatch_color.to_attribute_config(0,e.nmarkers)})}(this._regl,t),this._marker_hatch_map.set(t,e)),e}solid_line(){return null==this._solid_line&&(this._solid_line=function(t,e,i){const _={vert:h.default,frag:c.default,attributes:{a_position:{buffer:e,divisor:0},a_point_prev:(t,e)=>e.points.to_attribute_config(e.point_offset),a_point_start:(t,e)=>e.points.to_attribute_config(e.point_offset+2),a_point_end:(t,e)=>e.points.to_attribute_config(e.point_offset+4),a_point_next:(t,e)=>e.points.to_attribute_config(e.point_offset+6),a_show_prev:(t,e)=>e.show.to_attribute_config(e.point_offset/2-e.line_offset),a_show_curr:(t,e)=>e.show.to_attribute_config(e.point_offset/2-e.line_offset+1),a_show_next:(t,e)=>e.show.to_attribute_config(e.point_offset/2-e.line_offset+2),a_linewidth:(t,e)=>e.linewidth.to_attribute_config_nested(e.line_offset,e.nsegments+3),a_line_color:(t,e)=>e.line_color.to_attribute_config_nested(e.line_offset,e.nsegments+3),a_line_cap:(t,e)=>e.line_cap.to_attribute_config_nested(e.line_offset,e.nsegments+3),a_line_join:(t,e)=>e.line_join.to_attribute_config_nested(e.line_offset,e.nsegments+3)},uniforms:{u_canvas_size:t.prop(\"canvas_size\"),u_antialias:t.prop(\"antialias\"),u_miter_limit:t.prop(\"miter_limit\")},elements:i,instances:t.prop(\"nsegments\"),blend:{enable:!0,equation:\"max\",func:{srcRGB:1,srcAlpha:1,dstRGB:1,dstAlpha:1}},depth:{enable:!1},framebuffer:t.prop(\"framebuffer\"),scissor:{enable:!0,box:t.prop(\"scissor\")},viewport:t.prop(\"viewport\")};return t(_)}(this._regl,this._line_geometry,this._line_triangles)),this._solid_line}}function d(t,e,i=[],_=[],n){const r=i.map((t=>`#define ${t}`)).join(\"\\n\"),a=_.map((t=>`#define ${t}`)).join(\"\\n\"),s={vert:`${r}\\n#define MULTI_MARKER\\n#define USE_${e.toUpperCase()}\\n${p.default}\\n`,frag:`${a}\\n#define USE_${e.toUpperCase()}\\n${g.default}\\n`,attributes:{a_position:{buffer:t.buffer([[-.5,-.5],[-.5,.5],[.5,.5],[.5,-.5]]),divisor:0},a_center:(t,e)=>e.center.to_attribute_config(0,e.nmarkers),a_width:(t,e)=>e.width.to_attribute_config(0,e.nmarkers),a_height:(t,e)=>e.height.to_attribute_config(0,e.nmarkers),a_angle:(t,e)=>e.angle.to_attribute_config(0,e.nmarkers),a_aux:(t,e)=>e.aux.to_attribute_config(0,e.nmarkers),a_linewidth:(t,e)=>e.linewidth.to_attribute_config(0,e.nmarkers),a_line_color:(t,e)=>e.line_color.to_attribute_config(0,e.nmarkers),a_fill_color:(t,e)=>e.fill_color.to_attribute_config(0,e.nmarkers),a_line_cap:(t,e)=>e.line_cap.to_attribute_config(0,e.nmarkers),a_line_join:(t,e)=>e.line_join.to_attribute_config(0,e.nmarkers),a_show:(t,e)=>e.show.to_attribute_config(0,e.nmarkers),...n},uniforms:{u_canvas_size:t.prop(\"canvas_size\"),u_antialias:t.prop(\"antialias\"),u_size_hint:t.prop(\"size_hint\"),u_border_radius:t.prop(\"border_radius\")},count:4,primitive:\"triangle fan\",instances:t.prop(\"nmarkers\"),blend:{enable:!0,func:{srcRGB:\"one\",srcAlpha:\"one\",dstRGB:\"one minus src alpha\",dstAlpha:\"one minus src alpha\"}},depth:{enable:!1},scissor:{enable:!0,box:t.prop(\"scissor\")},viewport:t.prop(\"viewport\")};return t(s)}i.ReglWrapper=b,b.__name__=\"ReglWrapper\"},\n", " 567: function _(e,t,r,n,a){var i,o;i=this,o=function(){\"use strict\";var e=function(e){return e instanceof Uint8Array||e instanceof Uint16Array||e instanceof Uint32Array||e instanceof Int8Array||e instanceof Int16Array||e instanceof Int32Array||e instanceof Float32Array||e instanceof Float64Array||e instanceof Uint8ClampedArray},t=function(e,t){for(var r=Object.keys(t),n=0;n=0&&(0|e)===e||n(\"invalid parameter type, (\"+e+\")\"+i(t)+\". must be a nonnegative integer\")},oneOf:f,shaderError:function(e,t,n,i,o){if(!e.getShaderParameter(t,e.COMPILE_STATUS)){var f=e.getShaderInfoLog(t),u=i===e.FRAGMENT_SHADER?\"fragment\":\"vertex\";g(n,\"string\",u+\" shader source must be a string\",o);var c=h(n,o),l=function(e){var t=[];return e.split(\"\\n\").forEach((function(e){if(!(e.length<5)){var r=/^ERROR:\\s+(\\d+):(\\d+):\\s*(.*)$/.exec(e);r?t.push(new d(0|r[1],0|r[2],r[3].trim())):e.length>0&&t.push(new d(\"unknown\",0,e))}})),t}(f);!function(e,t){t.forEach((function(t){var r=e[t.file];if(r){var n=r.index[t.line];if(n)return n.errors.push(t),void(r.hasErrors=!0)}e.unknown.hasErrors=!0,e.unknown.lines[0].errors.push(t)}))}(c,l),Object.keys(c).forEach((function(e){var t=c[e];if(t.hasErrors){var n=[\"\"],a=[\"\"];i(\"file number \"+e+\": \"+t.name+\"\\n\",\"color:red;text-decoration:underline;font-weight:bold\"),t.lines.forEach((function(e){if(e.errors.length>0){i(s(e.number,4)+\"| \",\"background-color:yellow; font-weight:bold\"),i(e.line+r,\"color:red; background-color:yellow; font-weight:bold\");var t=0;e.errors.forEach((function(n){var a=n.message,o=/^\\s*'(.*)'\\s*:\\s*(.*)$/.exec(a);if(o){var f=o[1];a=o[2],\"assign\"===f&&(f=\"=\"),t=Math.max(e.line.indexOf(f,t),0)}else t=0;i(s(\"| \",6)),i(s(\"^^^\",t+3)+r,\"font-weight:bold\"),i(s(\"| \",6)),i(a+r,\"font-weight:bold\")})),i(s(\"| \",6)+r)}else i(s(e.number,4)+\"| \"),i(e.line+r,\"color:red\")})),\"undefined\"==typeof document||window.chrome?console.log(n.join(\"\")):(a[0]=n.join(\"%c\"),console.log.apply(console,a))}function i(e,t){n.push(e),a.push(t||\"\")}})),a.raise(\"Error compiling \"+u+\" shader, \"+c[0].name)}},linkError:function(e,t,n,i,o){if(!e.getProgramParameter(t,e.LINK_STATUS)){var f=e.getProgramInfoLog(t),u=h(n,o),s='Error linking program with vertex shader, \"'+h(i,o)[0].name+'\", and fragment shader \"'+u[0].name+'\"';\"undefined\"!=typeof document?console.log(\"%c\"+s+\"\\n%c\"+f,\"color:red;text-decoration:underline;font-weight:bold\",\"color:red\"):console.log(s+r+f),a.raise(s)}},callSite:p,saveCommandRef:b,saveDrawInfo:function(e,t,r,n){function a(e){return e?n.id(e):0}function i(e,t){Object.keys(t).forEach((function(t){e[n.id(t)]=!0}))}b(e),e._fragId=a(e.static.frag),e._vertId=a(e.static.vert);var o=e._uniformSet={};i(o,t.static),i(o,t.dynamic);var f=e._attributeSet={};i(f,r.static),i(f,r.dynamic),e._hasCount=\"count\"in e.static||\"count\"in e.dynamic||\"elements\"in e.static||\"elements\"in e.dynamic},framebufferFormat:function(e,t,r){e.texture?f(e.texture._texture.internalformat,t,\"unsupported texture format for attachment\"):f(e.renderbuffer._renderbuffer.format,r,\"unsupported renderbuffer format for attachment\")},guessCommand:m,texture2D:function(e,t,r){var n,i=t.width,o=t.height,f=t.channels;a(i>0&&i<=r.maxTextureSize&&o>0&&o<=r.maxTextureSize,\"invalid texture shape\"),e.wrapS===y&&e.wrapT===y||a(O(i)&&O(o),\"incompatible wrap mode for texture, both width and height must be power of 2\"),1===t.mipmask?1!==i&&1!==o&&a(9984!==e.minFilter&&9986!==e.minFilter&&9985!==e.minFilter&&9987!==e.minFilter,\"min filter requires mipmap\"):(a(O(i)&&O(o),\"texture must be a square power of 2 to support mipmapping\"),a(t.mipmask===(i<<1)-1,\"missing or incomplete mipmap data\")),5126===t.type&&(r.extensions.indexOf(\"oes_texture_float_linear\")<0&&a(9728===e.minFilter&&9728===e.magFilter,\"filter not supported, must enable oes_texture_float_linear\"),a(!e.genMipmaps,\"mipmap generation not supported with float textures\"));var u=t.images;for(n=0;n<16;++n)if(u[n]){var s=i>>n,c=o>>n;a(t.mipmask&1<0&&i<=n.maxTextureSize&&o>0&&o<=n.maxTextureSize,\"invalid texture shape\"),a(i===o,\"cube map must be square\"),a(t.wrapS===y&&t.wrapT===y,\"wrap mode not supported by cube map\");for(var u=0;u>l,p=o>>l;a(s.mipmask&1<1&&t===r&&('\"'===t||\"'\"===t))return['\"'+j(e.substr(1,e.length-2))+'\"'];var n=/\\[(false|true|null|\\d+|'[^']*'|\"[^\"]*\")\\]/.exec(e);if(n)return C(e.substr(0,n.index)).concat(C(n[1])).concat(C(e.substr(n.index+n[0].length)));var a=e.split(\".\");if(1===a.length)return['\"'+j(e)+'\"'];for(var i=[],o=0;o0,\"invalid pixel ratio\"))):E.raise(\"invalid arguments to regl\"),r&&(\"canvas\"===r.nodeName.toLowerCase()?a=r:n=r),!i){if(!a){E(\"undefined\"!=typeof document,\"must manually specify webgl context outside of DOM environments\");var h=function(e,r,n){var a,i=document.createElement(\"canvas\");function o(){var t=window.innerWidth,r=window.innerHeight;if(e!==document.body){var a=i.getBoundingClientRect();t=a.right-a.left,r=a.bottom-a.top}i.width=n*t,i.height=n*r}return t(i.style,{border:0,margin:0,padding:0,top:0,left:0,width:\"100%\",height:\"100%\"}),e.appendChild(i),e===document.body&&(i.style.position=\"absolute\",t(e.style,{margin:0,padding:0})),e!==document.body&&\"function\"==typeof ResizeObserver?(a=new ResizeObserver((function(){setTimeout(o)}))).observe(e):window.addEventListener(\"resize\",o,!1),o(),{canvas:i,onDestroy:function(){a?a.disconnect():window.removeEventListener(\"resize\",o),e.removeChild(i)}}}(n||document.body,0,l);if(!h)return null;a=h.canvas,p=h.onDestroy}void 0===u.premultipliedAlpha&&(u.premultipliedAlpha=!0),i=function(e,t){function r(r){try{return e.getContext(r,t)}catch(e){return null}}return r(\"webgl\")||r(\"experimental-webgl\")||r(\"webgl-experimental\")}(a,u)}return i?{gl:i,canvas:a,container:n,extensions:s,optionalExtensions:c,pixelRatio:l,profile:d,onDone:m,onDestroy:p}:(p(),m(\"webgl not supported, try upgrading your browser or graphics drivers http://get.webgl.org\"),null)}function R(e,t){for(var r=Array(e),n=0;n65535)<<4,t|=r=((e>>>=t)>255)<<3,t|=r=((e>>>=r)>15)<<2,(t|=r=((e>>>=r)>3)<<1)|(e>>>=r)>>1}function U(){var e=R(8,(function(){return[]}));function t(t){var r=function(e){for(var t=16;t<=1<<28;t*=16)if(e<=t)return t;return 0}(t),n=e[M(r)>>2];return n.length>0?n.pop():new ArrayBuffer(r)}function r(t){e[M(t.byteLength)>>2].push(t)}return{alloc:t,free:r,allocType:function(e,r){var n=null;switch(e){case 5120:n=new Int8Array(t(r),0,r);break;case 5121:n=new Uint8Array(t(r),0,r);break;case 5122:n=new Int16Array(t(2*r),0,r);break;case 5123:n=new Uint16Array(t(2*r),0,r);break;case 5124:n=new Int32Array(t(4*r),0,r);break;case 5125:n=new Uint32Array(t(4*r),0,r);break;case 5126:n=new Float32Array(t(4*r),0,r);break;default:return null}return n.length!==r?n.subarray(0,r):n},freeType:function(e){r(e.buffer)}}}var W=U();W.zero=U();var G=3553,H=6408,N=5126,q=36160;function Q(t){return!!t&&\"object\"==typeof t&&Array.isArray(t.shape)&&Array.isArray(t.stride)&&\"number\"==typeof t.offset&&t.shape.length===t.stride.length&&(Array.isArray(t.data)||e(t.data))}var Y=function(e){return Object.keys(e).map((function(t){return e[t]}))},X={shape:function(e){for(var t=[],r=e;r.length;r=r[0])t.push(r.length);return t},flatten:function(e,t,r,n){var a=1;if(t.length)for(var i=0;i>>31<<15,i=(n<<1>>>24)-127,o=n>>13&1023;if(i<-24)t[r]=a;else if(i<-14){var f=-14-i;t[r]=a+(o+1024>>f)}else t[r]=i>15?a+31744:a+(i+15<<10)+o}return t}function Te(t){return Array.isArray(t)||e(t)}var De=function(e){return!(e&e-1||!e)},je=34467,Ce=3553,ze=34067,Fe=34069,Ve=6408,Be=6406,Ie=6407,Pe=6409,Le=6410,Re=32854,Me=32855,Ue=36194,We=32819,Ge=32820,He=33635,Ne=34042,qe=6402,Qe=34041,Ye=35904,Xe=35906,$e=36193,Ke=33776,Je=33777,Ze=33778,et=33779,tt=35986,rt=35987,nt=34798,at=35840,it=35841,ot=35842,ft=35843,ut=36196,st=5121,ct=5123,lt=5125,dt=5126,mt=10242,pt=10243,ht=10497,bt=33071,vt=33648,gt=10240,yt=10241,xt=9728,wt=9729,At=9984,_t=9985,kt=9986,St=9987,Ot=33170,Et=4352,Tt=4353,Dt=4354,jt=34046,Ct=3317,zt=37440,Ft=37441,Vt=37443,Bt=37444,It=33984,Pt=[At,kt,_t,St],Lt=[0,Pe,Le,Ie,Ve],Rt={};function Mt(e){return\"[object \"+e+\"]\"}Rt[Pe]=Rt[Be]=Rt[qe]=1,Rt[Qe]=Rt[Le]=2,Rt[Ie]=Rt[Ye]=3,Rt[Ve]=Rt[Xe]=4;var Ut=Mt(\"HTMLCanvasElement\"),Wt=Mt(\"OffscreenCanvas\"),Gt=Mt(\"CanvasRenderingContext2D\"),Ht=Mt(\"ImageBitmap\"),Nt=Mt(\"HTMLImageElement\"),qt=Mt(\"HTMLVideoElement\"),Qt=Object.keys(J).concat([Ut,Wt,Gt,Ht,Nt,qt]),Yt=[];Yt[st]=1,Yt[dt]=4,Yt[$e]=2,Yt[ct]=2,Yt[lt]=4;var Xt=[];function $t(e){return Array.isArray(e)&&(0===e.length||\"number\"==typeof e[0])}function Kt(e){return!!Array.isArray(e)&&!(0===e.length||!Te(e[0]))}function Jt(e){return Object.prototype.toString.call(e)}function Zt(e){return Jt(e)===Ut}function er(e){return Jt(e)===Wt}function tr(e){if(!e)return!1;var t=Jt(e);return Qt.indexOf(t)>=0||$t(e)||Kt(e)||Q(e)}function rr(e){return 0|J[Object.prototype.toString.call(e)]}function nr(e,t){return W.allocType(e.type===$e?dt:e.type,t)}function ar(e,t){e.type===$e?(e.data=Ee(t),W.freeType(t)):e.data=t}function ir(e,t,r,n,a,i){var o;if(o=void 0!==Xt[e]?Xt[e]:Rt[e]*Yt[t],i&&(o*=6),a){for(var f=0,u=r;u>=1;)f+=o*u*u,u/=2;return f}return o*r*n}function or(r,n,a,i,o,f,u){var s={\"don't care\":Et,\"dont care\":Et,nice:Dt,fast:Tt},c={repeat:ht,clamp:bt,mirror:vt},l={nearest:xt,linear:wt},d=t({mipmap:St,\"nearest mipmap nearest\":At,\"linear mipmap nearest\":_t,\"nearest mipmap linear\":kt,\"linear mipmap linear\":St},l),m={none:0,browser:Bt},p={uint8:st,rgba4:We,rgb565:He,\"rgb5 a1\":Ge},h={alpha:Be,luminance:Pe,\"luminance alpha\":Le,rgb:Ie,rgba:Ve,rgba4:Re,\"rgb5 a1\":Me,rgb565:Ue},b={};n.ext_srgb&&(h.srgb=Ye,h.srgba=Xe),n.oes_texture_float&&(p.float32=p.float=dt),n.oes_texture_half_float&&(p.float16=p[\"half float\"]=$e),n.webgl_depth_texture&&(t(h,{depth:qe,\"depth stencil\":Qe}),t(p,{uint16:ct,uint32:lt,\"depth stencil\":Ne})),n.webgl_compressed_texture_s3tc&&t(b,{\"rgb s3tc dxt1\":Ke,\"rgba s3tc dxt1\":Je,\"rgba s3tc dxt3\":Ze,\"rgba s3tc dxt5\":et}),n.webgl_compressed_texture_atc&&t(b,{\"rgb atc\":tt,\"rgba atc explicit alpha\":rt,\"rgba atc interpolated alpha\":nt}),n.webgl_compressed_texture_pvrtc&&t(b,{\"rgb pvrtc 4bppv1\":at,\"rgb pvrtc 2bppv1\":it,\"rgba pvrtc 4bppv1\":ot,\"rgba pvrtc 2bppv1\":ft}),n.webgl_compressed_texture_etc1&&(b[\"rgb etc1\"]=ut);var v=Array.prototype.slice.call(r.getParameter(je));Object.keys(b).forEach((function(e){var t=b[e];v.indexOf(t)>=0&&(h[e]=t)}));var g=Object.keys(h);a.textureFormats=g;var y=[];Object.keys(h).forEach((function(e){var t=h[e];y[t]=e}));var x=[];Object.keys(p).forEach((function(e){var t=p[e];x[t]=e}));var w=[];Object.keys(l).forEach((function(e){var t=l[e];w[t]=e}));var A=[];Object.keys(d).forEach((function(e){var t=d[e];A[t]=e}));var _=[];Object.keys(c).forEach((function(e){var t=c[e];_[t]=e}));var k=g.reduce((function(e,t){var r=h[t];return r===Pe||r===Be||r===Pe||r===Le||r===qe||r===Qe||n.ext_srgb&&(r===Ye||r===Xe)?e[r]=r:r===Me||t.indexOf(\"rgba\")>=0?e[r]=Ve:e[r]=Ie,e}),{});function S(){this.internalformat=Ve,this.format=Ve,this.type=st,this.compressed=!1,this.premultiplyAlpha=!1,this.flipY=!1,this.unpackAlignment=1,this.colorSpace=Bt,this.width=0,this.height=0,this.channels=0}function O(e,t){e.internalformat=t.internalformat,e.format=t.format,e.type=t.type,e.compressed=t.compressed,e.premultiplyAlpha=t.premultiplyAlpha,e.flipY=t.flipY,e.unpackAlignment=t.unpackAlignment,e.colorSpace=t.colorSpace,e.width=t.width,e.height=t.height,e.channels=t.channels}function T(e,t){if(\"object\"==typeof t&&t){if(\"premultiplyAlpha\"in t&&(E.type(t.premultiplyAlpha,\"boolean\",\"invalid premultiplyAlpha\"),e.premultiplyAlpha=t.premultiplyAlpha),\"flipY\"in t&&(E.type(t.flipY,\"boolean\",\"invalid texture flip\"),e.flipY=t.flipY),\"alignment\"in t&&(E.oneOf(t.alignment,[1,2,4,8],\"invalid texture unpack alignment\"),e.unpackAlignment=t.alignment),\"colorSpace\"in t&&(E.parameter(t.colorSpace,m,\"invalid colorSpace\"),e.colorSpace=m[t.colorSpace]),\"type\"in t){var r=t.type;E(n.oes_texture_float||!(\"float\"===r||\"float32\"===r),\"you must enable the OES_texture_float extension in order to use floating point textures.\"),E(n.oes_texture_half_float||!(\"half float\"===r||\"float16\"===r),\"you must enable the OES_texture_half_float extension in order to use 16-bit floating point textures.\"),E(n.webgl_depth_texture||!(\"uint16\"===r||\"uint32\"===r||\"depth stencil\"===r),\"you must enable the WEBGL_depth_texture extension in order to use depth/stencil textures.\"),E.parameter(r,p,\"invalid texture type\"),e.type=p[r]}var i=e.width,o=e.height,f=e.channels,u=!1;\"shape\"in t?(E(Array.isArray(t.shape)&&t.shape.length>=2,\"shape must be an array\"),i=t.shape[0],o=t.shape[1],3===t.shape.length&&(f=t.shape[2],E(f>0&&f<=4,\"invalid number of channels\"),u=!0),E(i>=0&&i<=a.maxTextureSize,\"invalid width\"),E(o>=0&&o<=a.maxTextureSize,\"invalid height\")):(\"radius\"in t&&(i=o=t.radius,E(i>=0&&i<=a.maxTextureSize,\"invalid radius\")),\"width\"in t&&(i=t.width,E(i>=0&&i<=a.maxTextureSize,\"invalid width\")),\"height\"in t&&(o=t.height,E(o>=0&&o<=a.maxTextureSize,\"invalid height\")),\"channels\"in t&&(f=t.channels,E(f>0&&f<=4,\"invalid number of channels\"),u=!0)),e.width=0|i,e.height=0|o,e.channels=0|f;var s=!1;if(\"format\"in t){var c=t.format;E(n.webgl_depth_texture||!(\"depth\"===c||\"depth stencil\"===c),\"you must enable the WEBGL_depth_texture extension in order to use depth/stencil textures.\"),E.parameter(c,h,\"invalid texture format\");var l=e.internalformat=h[c];e.format=k[l],c in p&&(\"type\"in t||(e.type=p[c])),c in b&&(e.compressed=!0),s=!0}!u&&s?e.channels=Rt[e.format]:u&&!s?e.channels!==Lt[e.format]&&(e.format=e.internalformat=Lt[e.channels]):s&&u&&E(e.channels===Rt[e.format],\"number of channels inconsistent with specified format\")}}function D(e){r.pixelStorei(zt,e.flipY),r.pixelStorei(Ft,e.premultiplyAlpha),r.pixelStorei(Vt,e.colorSpace),r.pixelStorei(Ct,e.unpackAlignment)}function j(){S.call(this),this.xOffset=0,this.yOffset=0,this.data=null,this.needsFree=!1,this.element=null,this.needsCopy=!1}function C(t,r){var n=null;if(tr(r)?n=r:r&&(E.type(r,\"object\",\"invalid pixel data type\"),T(t,r),\"x\"in r&&(t.xOffset=0|r.x),\"y\"in r&&(t.yOffset=0|r.y),tr(r.data)&&(n=r.data)),E(!t.compressed||n instanceof Uint8Array,\"compressed texture data must be stored in a uint8array\"),r.copy){E(!n,\"can not specify copy and data field for the same texture\");var i=o.viewportWidth,f=o.viewportHeight;t.width=t.width||i-t.xOffset,t.height=t.height||f-t.yOffset,t.needsCopy=!0,E(t.xOffset>=0&&t.xOffset=0&&t.yOffset0&&t.width<=i&&t.height>0&&t.height<=f,\"copy texture read out of bounds\")}else if(n){if(e(n))t.channels=t.channels||4,t.data=n,\"type\"in r||t.type!==st||(t.type=rr(n));else if($t(n))t.channels=t.channels||4,function(e,t){var r=t.length;switch(e.type){case st:case ct:case lt:case dt:var n=W.allocType(e.type,r);n.set(t),e.data=n;break;case $e:e.data=Ee(t);break;default:E.raise(\"unsupported texture type, must specify a typed array\")}}(t,n),t.alignment=1,t.needsFree=!0;else if(Q(n)){var u=n.data;Array.isArray(u)||t.type!==st||(t.type=rr(u));var s,c,l,d,m,p,h=n.shape,b=n.stride;3===h.length?(l=h[2],p=b[2]):(E(2===h.length,\"invalid ndarray pixel data, must be 2 or 3D\"),l=1,p=1),s=h[0],c=h[1],d=b[0],m=b[1],t.alignment=1,t.width=s,t.height=c,t.channels=l,t.format=t.internalformat=Lt[l],t.needsFree=!0,function(e,t,r,n,a,i){for(var o=e.width,f=e.height,u=e.channels,s=nr(e,o*f*u),c=0,l=0;l=0,\"oes_texture_float extension not enabled\"):t.type===$e&&E(a.extensions.indexOf(\"oes_texture_half_float\")>=0,\"oes_texture_half_float extension not enabled\")}function z(e,t,n){var a=e.element,o=e.data,f=e.internalformat,u=e.format,s=e.type,c=e.width,l=e.height;D(e),a?r.texImage2D(t,n,u,u,s,a):e.compressed?r.compressedTexImage2D(t,n,f,c,l,0,o):e.needsCopy?(i(),r.copyTexImage2D(t,n,u,e.xOffset,e.yOffset,c,l,0)):r.texImage2D(t,n,u,c,l,0,u,s,o||null)}function F(e,t,n,a,o){var f=e.element,u=e.data,s=e.internalformat,c=e.format,l=e.type,d=e.width,m=e.height;D(e),f?r.texSubImage2D(t,o,n,a,c,l,f):e.compressed?r.compressedTexSubImage2D(t,o,n,a,s,d,m,u):e.needsCopy?(i(),r.copyTexSubImage2D(t,o,n,a,e.xOffset,e.yOffset,d,m)):r.texSubImage2D(t,o,n,a,d,m,c,l,u)}var V=[];function B(){return V.pop()||new j}function I(e){e.needsFree&&W.freeType(e.data),j.call(e),V.push(e)}function P(){S.call(this),this.genMipmaps=!1,this.mipmapHint=Et,this.mipmask=0,this.images=Array(16)}function L(e,t,r){var n=e.images[0]=B();e.mipmask=1,n.width=e.width=t,n.height=e.height=r,n.channels=e.channels=4}function R(e,t){var r=null;if(tr(t))O(r=e.images[0]=B(),e),C(r,t),e.mipmask=1;else if(T(e,t),Array.isArray(t.mipmap))for(var n=t.mipmap,a=0;a>=a,r.height>>=a,C(r,n[a]),e.mipmask|=1<=0&&!(\"faces\"in t)&&(e.genMipmaps=!0)}if(\"mag\"in t){var n=t.mag;E.parameter(n,l),e.magFilter=l[n]}var i=e.wrapS,o=e.wrapT;if(\"wrap\"in t){var f=t.wrap;\"string\"==typeof f?(E.parameter(f,c),i=o=c[f]):Array.isArray(f)&&(E.parameter(f[0],c),E.parameter(f[1],c),i=c[f[0]],o=c[f[1]])}else{if(\"wrapS\"in t){var u=t.wrapS;E.parameter(u,c),i=c[u]}if(\"wrapT\"in t){var m=t.wrapT;E.parameter(m,c),o=c[m]}}if(e.wrapS=i,e.wrapT=o,\"anisotropic\"in t){var p=t.anisotropic;E(\"number\"==typeof p&&p>=1&&p<=a.maxAnisotropic,\"aniso samples must be between 1 and \"),e.anisotropic=t.anisotropic}if(\"mipmap\"in t){var h=!1;switch(typeof t.mipmap){case\"string\":E.parameter(t.mipmap,s,\"invalid mipmap hint\"),e.mipmapHint=s[t.mipmap],e.genMipmaps=!0,h=!0;break;case\"boolean\":h=e.genMipmaps=t.mipmap;break;case\"object\":E(Array.isArray(t.mipmap),\"invalid mipmap type\"),e.genMipmaps=!1,h=!0;break;default:E.raise(\"invalid mipmap type\")}h&&!(\"min\"in t)&&(e.minFilter=At)}}function $(e,t){r.texParameteri(t,yt,e.minFilter),r.texParameteri(t,gt,e.magFilter),r.texParameteri(t,mt,e.wrapS),r.texParameteri(t,pt,e.wrapT),n.ext_texture_filter_anisotropic&&r.texParameteri(t,jt,e.anisotropic),e.genMipmaps&&(r.hint(Ot,e.mipmapHint),r.generateMipmap(t))}var K=0,J={},Z=a.maxTextureUnits,ee=Array(Z).map((function(){return null}));function te(e){S.call(this),this.mipmask=0,this.internalformat=Ve,this.id=K++,this.refCount=1,this.target=e,this.texture=r.createTexture(),this.unit=-1,this.bindCount=0,this.texInfo=new N,u.profile&&(this.stats={size:0})}function re(e){r.activeTexture(It),r.bindTexture(e.target,e.texture)}function ne(){var e=ee[0];e?r.bindTexture(e.target,e.texture):r.bindTexture(Ce,null)}function ae(e){var t=e.texture;E(t,\"must not double destroy texture\");var n=e.unit,a=e.target;n>=0&&(r.activeTexture(It+n),r.bindTexture(a,null),ee[n]=null),r.deleteTexture(t),e.texture=null,e.params=null,e.pixels=null,e.refCount=0,delete J[e.id],f.textureCount--}return t(te.prototype,{bind:function(){var e=this;e.bindCount+=1;var t=e.unit;if(t<0){for(var n=0;n0)continue;a.unit=-1}ee[n]=e,t=n;break}t>=Z&&E.raise(\"insufficient number of texture units\"),u.profile&&f.maxTextureUnits>u)-o,s.height=s.height||(n.height>>u)-f,E(n.type===s.type&&n.format===s.format&&n.internalformat===s.internalformat,\"incompatible format for texture.subimage\"),E(o>=0&&f>=0&&o+s.width<=n.width&&f+s.height<=n.height,\"texture.subimage write out of bounds\"),E(n.mipmask&1<>f;++f){var s=a>>f,c=o>>f;if(!s||!c)break;r.texImage2D(Ce,f,n.format,s,c,0,n.format,n.type,null)}return ne(),u.profile&&(n.stats.size=ir(n.internalformat,n.type,a,o,!1,!1)),i},i._reglType=\"texture2d\",i._texture=n,u.profile&&(i.stats=n.stats),i.destroy=function(){n.decRef()},i},createCube:function(e,t,n,i,o,s){var c=new te(ze);J[c.id]=c,f.cubeCount++;var l=new Array(6);function d(e,t,r,n,i,o){var f,s=c.texInfo;for(N.call(s),f=0;f<6;++f)l[f]=G();if(\"number\"!=typeof e&&e)if(\"object\"==typeof e)if(t)R(l[0],e),R(l[1],t),R(l[2],r),R(l[3],n),R(l[4],i),R(l[5],o);else if(q(s,e),T(c,e),\"faces\"in e){var m=e.faces;for(E(Array.isArray(m)&&6===m.length,\"cube faces must be a length 6 array\"),f=0;f<6;++f)E(\"object\"==typeof m[f]&&!!m[f],\"invalid input for cube map face\"),O(l[f],c),R(l[f],m[f])}else for(f=0;f<6;++f)R(l[f],e);else E.raise(\"invalid arguments to cube map\");else{var p=0|e||1;for(f=0;f<6;++f)L(l[f],p,p)}for(O(c,l[0]),E.optional((function(){a.npotTextureCube||E(De(c.width)&&De(c.height),\"your browser does not support non power or two texture dimensions\")})),s.genMipmaps?c.mipmask=(l[0].width<<1)-1:c.mipmask=l[0].mipmask,E.textureCube(c,s,l,a),c.internalformat=l[0].internalformat,d.width=l[0].width,d.height=l[0].height,re(c),f=0;f<6;++f)M(l[f],Fe+f);for($(s,ze),ne(),u.profile&&(c.stats.size=ir(c.internalformat,c.type,d.width,d.height,s.genMipmaps,!0)),d.format=y[c.internalformat],d.type=x[c.type],d.mag=w[s.magFilter],d.min=A[s.minFilter],d.wrapS=_[s.wrapS],d.wrapT=_[s.wrapT],f=0;f<6;++f)H(l[f]);return d}return d(e,t,n,i,o,s),d.subimage=function(e,t,r,n,a){E(!!t,\"must specify image data\"),E(\"number\"==typeof e&&e===(0|e)&&e>=0&&e<6,\"invalid face\");var i=0|r,o=0|n,f=0|a,u=B();return O(u,c),u.width=0,u.height=0,C(u,t),u.width=u.width||(c.width>>f)-i,u.height=u.height||(c.height>>f)-o,E(c.type===u.type&&c.format===u.format&&c.internalformat===u.internalformat,\"incompatible format for texture.subimage\"),E(i>=0&&o>=0&&i+u.width<=c.width&&o+u.height<=c.height,\"texture.subimage write out of bounds\"),E(c.mipmask&1<>a;++a)r.texImage2D(Fe+n,a,c.format,t>>a,t>>a,0,c.format,c.type,null);return ne(),u.profile&&(c.stats.size=ir(c.internalformat,c.type,d.width,d.height,!1,!0)),d}},d._reglType=\"textureCube\",d._texture=c,u.profile&&(d.stats=c.stats),d.destroy=function(){c.decRef()},d},clear:function(){for(var e=0;e>t,e.height>>t,0,e.internalformat,e.type,null);else for(var n=0;n<6;++n)r.texImage2D(Fe+n,t,e.internalformat,e.width>>t,e.height>>t,0,e.internalformat,e.type,null);$(e.texInfo,e.target)}))},refresh:function(){for(var e=0;e=0&&c=0&&l0&&d+c<=a.framebufferWidth,\"invalid width for read pixels\"),E(m>0&&m+l<=a.framebufferHeight,\"invalid height for read pixels\"),n();var h=d*m*4;return p||(s===Rr?p=new Uint8Array(h):s===Ur&&(p=p||new Float32Array(h))),E.isTypedArray(p,\"data buffer for regl.read() must be a typedarray\"),E(p.byteLength>=h,\"data buffer for regl.read() too small\"),t.pixelStorei(Mr,4),t.readPixels(c,l,d,m,Lr,s,p),p}return function(e){return e&&\"framebuffer\"in e?function(e){var t;return r.setFBO({framebuffer:e.framebuffer},(function(){t=u(e)})),t}(e):u(e)}}function Gr(e){return Array.prototype.slice.call(e)}function Hr(e){return Gr(e).join(\"\")}var Nr=\"xyzw\".split(\"\"),qr=5121,Qr=1,Yr=2,Xr=0,$r=1,Kr=2,Jr=3,Zr=4,en=5,tn=6,rn=\"dither\",nn=\"blend.enable\",an=\"blend.color\",on=\"blend.equation\",fn=\"blend.func\",un=\"depth.enable\",sn=\"depth.func\",cn=\"depth.range\",ln=\"depth.mask\",dn=\"colorMask\",mn=\"cull.enable\",pn=\"cull.face\",hn=\"frontFace\",bn=\"lineWidth\",vn=\"polygonOffset.enable\",gn=\"polygonOffset.offset\",yn=\"sample.alpha\",xn=\"sample.enable\",wn=\"sample.coverage\",An=\"stencil.enable\",_n=\"stencil.mask\",kn=\"stencil.func\",Sn=\"stencil.opFront\",On=\"stencil.opBack\",En=\"scissor.enable\",Tn=\"scissor.box\",Dn=\"viewport\",jn=\"profile\",Cn=\"framebuffer\",zn=\"vert\",Fn=\"frag\",Vn=\"elements\",Bn=\"primitive\",In=\"count\",Pn=\"offset\",Ln=\"instances\",Rn=\"vao\",Mn=\"Width\",Un=\"Height\",Wn=Cn+Mn,Gn=Cn+Un,Hn=Dn+Mn,Nn=Dn+Un,qn=\"drawingBuffer\",Qn=qn+Mn,Yn=qn+Un,Xn=[fn,on,kn,Sn,On,wn,Dn,Tn,gn],$n=34962,Kn=34963,Jn=3553,Zn=34067,ea=2884,ta=3042,ra=3024,na=2960,aa=2929,ia=3089,oa=32823,fa=32926,ua=32928,sa=5126,ca=35664,la=35665,da=35666,ma=5124,pa=35667,ha=35668,ba=35669,va=35670,ga=35671,ya=35672,xa=35673,wa=35674,Aa=35675,_a=35676,ka=35678,Sa=35680,Oa=4,Ea=1028,Ta=1029,Da=2304,ja=2305,Ca=32775,za=32776,Fa=519,Va=7680,Ba=0,Ia=1,Pa=32774,La=513,Ra=36160,Ma=36064,Ua={0:0,1:1,zero:0,one:1,\"src color\":768,\"one minus src color\":769,\"src alpha\":770,\"one minus src alpha\":771,\"dst color\":774,\"one minus dst color\":775,\"dst alpha\":772,\"one minus dst alpha\":773,\"constant color\":32769,\"one minus constant color\":32770,\"constant alpha\":32771,\"one minus constant alpha\":32772,\"src alpha saturate\":776},Wa=[\"constant color, constant alpha\",\"one minus constant color, constant alpha\",\"constant color, one minus constant alpha\",\"one minus constant color, one minus constant alpha\",\"constant alpha, constant color\",\"constant alpha, one minus constant color\",\"one minus constant alpha, constant color\",\"one minus constant alpha, one minus constant color\"],Ga={never:512,less:513,\"<\":513,equal:514,\"=\":514,\"==\":514,\"===\":514,lequal:515,\"<=\":515,greater:516,\">\":516,notequal:517,\"!=\":517,\"!==\":517,gequal:518,\">=\":518,always:519},Ha={0:0,zero:0,keep:7680,replace:7681,increment:7682,decrement:7683,\"increment wrap\":34055,\"decrement wrap\":34056,invert:5386},Na={frag:35632,vert:35633},qa={cw:Da,ccw:ja};function Qa(t){return Array.isArray(t)||e(t)||Q(t)}function Ya(e){return e.sort((function(e,t){return e===Dn?-1:t===Dn?1:e=1,n>=2,t)}if(r===Zr){var a=e.data;return new Xa(a.thisDep,a.contextDep,a.propDep,t)}if(r===en)return new Xa(!1,!1,!1,t);if(r===tn){for(var i=!1,o=!1,f=!1,u=0;u=1&&(o=!0),c>=2&&(f=!0)}else s.type===Zr&&(i=i||s.data.thisDep,o=o||s.data.contextDep,f=f||s.data.propDep)}return new Xa(i,o,f,t)}return new Xa(r===Jr,r===Kr,r===$r,t)}var Za=new Xa(!1,!1,!1,(function(){}));function ei(e,r,n,a,i,o,f,u,s,c,l,d,m,p,h){var b=c.Record,v={add:32774,subtract:32778,\"reverse subtract\":32779};n.ext_blend_minmax&&(v.min=Ca,v.max=za);var g=n.angle_instanced_arrays,y=n.webgl_draw_buffers,x=n.oes_vertex_array_object,w={dirty:!0,profile:h.profile},A={},_=[],k={},S={};function O(e){return e.replace(\".\",\"_\")}function T(e,t,r){var n=O(e);_.push(e),A[n]=w[n]=!!r,k[n]=t}function D(e,t,r){var n=O(e);_.push(e),Array.isArray(r)?(w[n]=r.slice(),A[n]=r.slice()):w[n]=A[n]=r,S[n]=t}T(rn,ra),T(nn,ta),D(an,\"blendColor\",[0,0,0,0]),D(on,\"blendEquationSeparate\",[Pa,Pa]),D(fn,\"blendFuncSeparate\",[Ia,Ba,Ia,Ba]),T(un,aa,!0),D(sn,\"depthFunc\",La),D(cn,\"depthRange\",[0,1]),D(ln,\"depthMask\",!0),D(dn,dn,[!0,!0,!0,!0]),T(mn,ea),D(pn,\"cullFace\",Ta),D(hn,hn,ja),D(bn,bn,1),T(vn,oa),D(gn,\"polygonOffset\",[0,0]),T(yn,fa),T(xn,ua),D(wn,\"sampleCoverage\",[1,!1]),T(An,na),D(_n,\"stencilMask\",-1),D(kn,\"stencilFunc\",[Fa,0,-1]),D(Sn,\"stencilOpSeparate\",[Ea,Va,Va,Va]),D(On,\"stencilOpSeparate\",[Ta,Va,Va,Va]),T(En,ia),D(Tn,\"scissor\",[0,0,e.drawingBufferWidth,e.drawingBufferHeight]),D(Dn,Dn,[0,0,e.drawingBufferWidth,e.drawingBufferHeight]);var j={gl:e,context:m,strings:r,next:A,current:w,draw:d,elements:o,buffer:i,shader:l,attributes:c.state,vao:c,uniforms:s,framebuffer:u,extensions:n,timer:p,isBufferArgs:Qa},C={primTypes:le,compareFuncs:Ga,blendFuncs:Ua,blendEquations:v,stencilOps:Ha,glTypes:Z,orientationType:qa};E.optional((function(){j.isArrayLike=Te})),y&&(C.backBuffer=[Ta],C.drawBuffer=R(a.maxDrawbuffers,(function(e){return 0===e?[0]:R(e,(function(e){return Ma+e}))})));var z=0;function V(){var e=function(){var e=0,r=[],n=[];function a(){var r=[],n=[];return t((function(){r.push.apply(r,Gr(arguments))}),{def:function(){var t=\"v\"+e++;return n.push(t),arguments.length>0&&(r.push(t,\"=\"),r.push.apply(r,Gr(arguments)),r.push(\";\")),t},toString:function(){return Hr([n.length>0?\"var \"+n.join(\",\")+\";\":\"\",Hr(r)])}})}function i(){var e=a(),r=a(),n=e.toString,i=r.toString;function o(t,n){r(t,n,\"=\",e.def(t,n),\";\")}return t((function(){e.apply(e,Gr(arguments))}),{def:e.def,entry:e,exit:r,save:o,set:function(t,r,n){o(t,r),e(t,r,\"=\",n,\";\")},toString:function(){return n()+i()}})}var o=a(),f={};return{global:o,link:function(t){for(var a=0;a=0,'unknown parameter \"'+t+'\"',d.commandStr)}))}t(m),t(p)}));var h=function(e,t){var r=e.static;if(\"string\"==typeof r[Fn]&&\"string\"==typeof r[zn]){if(Object.keys(t.dynamic).length>0)return null;var n=t.static,a=Object.keys(n);if(a.length>0&&\"number\"==typeof n[a[0]]){for(var i=[],o=0;o=0,\"invalid \"+e,r.commandStr)):u=!1,\"height\"in i?(f=0|i.height,E.command(f>=0,\"invalid \"+e,r.commandStr)):u=!1,new Xa(!u&&t&&t.thisDep,!u&&t&&t.contextDep,!u&&t&&t.propDep,(function(e,t){var r=e.shared.context,n=o;\"width\"in i||(n=t.def(r,\".\",Wn,\"-\",s));var a=f;return\"height\"in i||(a=t.def(r,\".\",Gn,\"-\",c)),[s,c,n,a]}))}if(e in a){var l=a[e],d=Ja(l,(function(t,r){var n=t.invoke(r,l);E.optional((function(){t.assert(r,n+\"&&typeof \"+n+'===\"object\"',\"invalid \"+e)}));var a=t.shared.context,i=r.def(n,\".x|0\"),o=r.def(n,\".y|0\"),f=r.def('\"width\" in ',n,\"?\",n,\".width|0:\",\"(\",a,\".\",Wn,\"-\",i,\")\"),u=r.def('\"height\" in ',n,\"?\",n,\".height|0:\",\"(\",a,\".\",Gn,\"-\",o,\")\");return E.optional((function(){t.assert(r,f+\">=0&&\"+u+\">=0\",\"invalid \"+e)})),[i,o,f,u]}));return t&&(d.thisDep=d.thisDep||t.thisDep,d.contextDep=d.contextDep||t.contextDep,d.propDep=d.propDep||t.propDep),d}return t?new Xa(t.thisDep,t.contextDep,t.propDep,(function(e,t){var r=e.shared.context;return[0,0,t.def(r,\".\",Wn),t.def(r,\".\",Gn)]})):null}var o=i(Dn);if(o){var f=o;o=new Xa(o.thisDep,o.contextDep,o.propDep,(function(e,t){var r=f.append(e,t),n=e.shared.context;return t.set(n,\".\"+Hn,r[2]),t.set(n,\".\"+Nn,r[3]),r}))}return{viewport:o,scissor_box:i(Tn)}}(e,y,d),w=function(e,t){var r=e.static,n=e.dynamic,a={},i=!1,f=function(){if(Rn in r){var e=r[Rn];return null!==e&&null===c.getVAO(e)&&(e=c.createVAO(e)),i=!0,a.vao=e,Ka((function(t){var r=c.getVAO(e);return r?t.link(r):\"null\"}))}if(Rn in n){i=!0;var t=n[Rn];return Ja(t,(function(e,r){var n=e.invoke(r,t);return r.def(e.shared.vao+\".getVAO(\"+n+\")\")}))}return null}(),u=!1,s=function(){if(Vn in r){var e=r[Vn];if(a.elements=e,Qa(e)){var s=a.elements=o.create(e,!0);e=o.getElements(s),u=!0}else e&&(e=o.getElements(e),u=!0,E.command(e,\"invalid elements\",t.commandStr));var c=Ka((function(t,r){if(e){var n=t.link(e);return t.ELEMENTS=n,n}return t.ELEMENTS=null,null}));return c.value=e,c}if(Vn in n){u=!0;var l=n[Vn];return Ja(l,(function(e,t){var r=e.shared,n=r.isBufferArgs,a=r.elements,i=e.invoke(t,l),o=t.def(\"null\"),f=t.def(n,\"(\",i,\")\"),u=e.cond(f).then(o,\"=\",a,\".createStream(\",i,\");\").else(o,\"=\",a,\".getElements(\",i,\");\");return E.optional((function(){e.assert(u.else,\"!\"+i+\"||\"+o,\"invalid elements\")})),t.entry(u),t.exit(e.cond(f).then(a,\".destroyStream(\",o,\");\")),e.ELEMENTS=o,o}))}return i?new Xa(f.thisDep,f.contextDep,f.propDep,(function(e,t){return t.def(e.shared.vao+\".currentVAO?\"+e.shared.elements+\".getElements(\"+e.shared.vao+\".currentVAO.elements):null\")})):null}();function l(e,o){if(e in r){var s=0|r[e];return o?a.offset=s:a.instances=s,E.command(!o||s>=0,\"invalid \"+e,t.commandStr),Ka((function(e,t){return o&&(e.OFFSET=s),s}))}if(e in n){var c=n[e];return Ja(c,(function(t,r){var n=t.invoke(r,c);return o&&(t.OFFSET=n,E.optional((function(){t.assert(r,n+\">=0\",\"invalid \"+e)}))),n}))}if(o){if(u)return Ka((function(e,t){return e.OFFSET=0,0}));if(i)return new Xa(f.thisDep,f.contextDep,f.propDep,(function(e,t){return t.def(e.shared.vao+\".currentVAO?\"+e.shared.vao+\".currentVAO.offset:0\")}))}else if(i)return new Xa(f.thisDep,f.contextDep,f.propDep,(function(e,t){return t.def(e.shared.vao+\".currentVAO?\"+e.shared.vao+\".currentVAO.instances:-1\")}));return null}var d=l(Pn,!0),m=function(){if(Bn in r){var e=r[Bn];return a.primitive=e,E.commandParameter(e,le,\"invalid primitve\",t.commandStr),Ka((function(t,r){return le[e]}))}if(Bn in n){var o=n[Bn];return Ja(o,(function(e,t){var r=e.constants.primTypes,n=e.invoke(t,o);return E.optional((function(){e.assert(t,n+\" in \"+r,\"invalid primitive, must be one of \"+Object.keys(le))})),t.def(r,\"[\",n,\"]\")}))}return u?$a(s)?s.value?Ka((function(e,t){return t.def(e.ELEMENTS,\".primType\")})):Ka((function(){return Oa})):new Xa(s.thisDep,s.contextDep,s.propDep,(function(e,t){var r=e.ELEMENTS;return t.def(r,\"?\",r,\".primType:\",Oa)})):i?new Xa(f.thisDep,f.contextDep,f.propDep,(function(e,t){return t.def(e.shared.vao+\".currentVAO?\"+e.shared.vao+\".currentVAO.primitive:\"+Oa)})):null}(),p=function(){if(In in r){var e=0|r[In];return a.count=e,E.command(\"number\"==typeof e&&e>=0,\"invalid vertex count\",t.commandStr),Ka((function(){return e}))}if(In in n){var o=n[In];return Ja(o,(function(e,t){var r=e.invoke(t,o);return E.optional((function(){e.assert(t,\"typeof \"+r+'===\"number\"&&'+r+\">=0&&\"+r+\"===(\"+r+\"|0)\",\"invalid vertex count\")})),r}))}if(u){if($a(s)){if(s)return d?new Xa(d.thisDep,d.contextDep,d.propDep,(function(e,t){var r=t.def(e.ELEMENTS,\".vertCount-\",e.OFFSET);return E.optional((function(){e.assert(t,r+\">=0\",\"invalid vertex offset/element buffer too small\")})),r})):Ka((function(e,t){return t.def(e.ELEMENTS,\".vertCount\")}));var c=Ka((function(){return-1}));return E.optional((function(){c.MISSING=!0})),c}var l=new Xa(s.thisDep||d.thisDep,s.contextDep||d.contextDep,s.propDep||d.propDep,(function(e,t){var r=e.ELEMENTS;return e.OFFSET?t.def(r,\"?\",r,\".vertCount-\",e.OFFSET,\":-1\"):t.def(r,\"?\",r,\".vertCount:-1\")}));return E.optional((function(){l.DYNAMIC=!0})),l}if(i){var m=new Xa(f.thisDep,f.contextDep,f.propDep,(function(e,t){return t.def(e.shared.vao,\".currentVAO?\",e.shared.vao,\".currentVAO.count:-1\")}));return m}return null}(),h=l(Ln,!1);return{elements:s,primitive:m,count:p,instances:h,offset:d,vao:f,vaoActive:i,elementsActive:u,static:a}}(e,d),A=function(e,t){var r=e.static,n=e.dynamic,i={};return _.forEach((function(e){var o=O(e);function f(t,a){if(e in r){var f=t(r[e]);i[o]=Ka((function(){return f}))}else if(e in n){var u=n[e];i[o]=Ja(u,(function(e,t){return a(e,t,e.invoke(t,u))}))}}switch(e){case mn:case nn:case rn:case An:case un:case En:case vn:case yn:case xn:case ln:return f((function(r){return E.commandType(r,\"boolean\",e,t.commandStr),r}),(function(t,r,n){return E.optional((function(){t.assert(r,\"typeof \"+n+'===\"boolean\"',\"invalid flag \"+e,t.commandStr)})),n}));case sn:return f((function(r){return E.commandParameter(r,Ga,\"invalid \"+e,t.commandStr),Ga[r]}),(function(t,r,n){var a=t.constants.compareFuncs;return E.optional((function(){t.assert(r,n+\" in \"+a,\"invalid \"+e+\", must be one of \"+Object.keys(Ga))})),r.def(a,\"[\",n,\"]\")}));case cn:return f((function(e){return E.command(Te(e)&&2===e.length&&\"number\"==typeof e[0]&&\"number\"==typeof e[1]&&e[0]<=e[1],\"depth range is 2d array\",t.commandStr),e}),(function(e,t,r){return E.optional((function(){e.assert(t,e.shared.isArrayLike+\"(\"+r+\")&&\"+r+\".length===2&&typeof \"+r+'[0]===\"number\"&&typeof '+r+'[1]===\"number\"&&'+r+\"[0]<=\"+r+\"[1]\",\"depth range must be a 2d array\")})),[t.def(\"+\",r,\"[0]\"),t.def(\"+\",r,\"[1]\")]}));case fn:return f((function(e){E.commandType(e,\"object\",\"blend.func\",t.commandStr);var r=\"srcRGB\"in e?e.srcRGB:e.src,n=\"srcAlpha\"in e?e.srcAlpha:e.src,a=\"dstRGB\"in e?e.dstRGB:e.dst,i=\"dstAlpha\"in e?e.dstAlpha:e.dst;return E.commandParameter(r,Ua,o+\".srcRGB\",t.commandStr),E.commandParameter(n,Ua,o+\".srcAlpha\",t.commandStr),E.commandParameter(a,Ua,o+\".dstRGB\",t.commandStr),E.commandParameter(i,Ua,o+\".dstAlpha\",t.commandStr),E.command(-1===Wa.indexOf(r+\", \"+a),\"unallowed blending combination (srcRGB, dstRGB) = (\"+r+\", \"+a+\")\",t.commandStr),[Ua[r],Ua[a],Ua[n],Ua[i]]}),(function(t,r,n){var a=t.constants.blendFuncs;function i(i,o){var f=r.def('\"',i,o,'\" in ',n,\"?\",n,\".\",i,o,\":\",n,\".\",i);return E.optional((function(){t.assert(r,f+\" in \"+a,\"invalid \"+e+\".\"+i+o+\", must be one of \"+Object.keys(Ua))})),f}E.optional((function(){t.assert(r,n+\"&&typeof \"+n+'===\"object\"',\"invalid blend func, must be an object\")}));var o=i(\"src\",\"RGB\"),f=i(\"dst\",\"RGB\");E.optional((function(){var e=t.constants.invalidBlendCombinations;t.assert(r,e+\".indexOf(\"+o+'+\", \"+'+f+\") === -1 \",\"unallowed blending combination for (srcRGB, dstRGB)\")}));var u=r.def(a,\"[\",o,\"]\"),s=r.def(a,\"[\",i(\"src\",\"Alpha\"),\"]\");return[u,r.def(a,\"[\",f,\"]\"),s,r.def(a,\"[\",i(\"dst\",\"Alpha\"),\"]\")]}));case on:return f((function(r){return\"string\"==typeof r?(E.commandParameter(r,v,\"invalid \"+e,t.commandStr),[v[r],v[r]]):\"object\"==typeof r?(E.commandParameter(r.rgb,v,e+\".rgb\",t.commandStr),E.commandParameter(r.alpha,v,e+\".alpha\",t.commandStr),[v[r.rgb],v[r.alpha]]):void E.commandRaise(\"invalid blend.equation\",t.commandStr)}),(function(t,r,n){var a=t.constants.blendEquations,i=r.def(),o=r.def(),f=t.cond(\"typeof \",n,'===\"string\"');return E.optional((function(){function r(e,r,n){t.assert(e,n+\" in \"+a,\"invalid \"+r+\", must be one of \"+Object.keys(v))}r(f.then,e,n),t.assert(f.else,n+\"&&typeof \"+n+'===\"object\"',\"invalid \"+e),r(f.else,e+\".rgb\",n+\".rgb\"),r(f.else,e+\".alpha\",n+\".alpha\")})),f.then(i,\"=\",o,\"=\",a,\"[\",n,\"];\"),f.else(i,\"=\",a,\"[\",n,\".rgb];\",o,\"=\",a,\"[\",n,\".alpha];\"),r(f),[i,o]}));case an:return f((function(e){return E.command(Te(e)&&4===e.length,\"blend.color must be a 4d array\",t.commandStr),R(4,(function(t){return+e[t]}))}),(function(e,t,r){return E.optional((function(){e.assert(t,e.shared.isArrayLike+\"(\"+r+\")&&\"+r+\".length===4\",\"blend.color must be a 4d array\")})),R(4,(function(e){return t.def(\"+\",r,\"[\",e,\"]\")}))}));case _n:return f((function(e){return E.commandType(e,\"number\",o,t.commandStr),0|e}),(function(e,t,r){return E.optional((function(){e.assert(t,\"typeof \"+r+'===\"number\"',\"invalid stencil.mask\")})),t.def(r,\"|0\")}));case kn:return f((function(r){E.commandType(r,\"object\",o,t.commandStr);var n=r.cmp||\"keep\",a=r.ref||0,i=\"mask\"in r?r.mask:-1;return E.commandParameter(n,Ga,e+\".cmp\",t.commandStr),E.commandType(a,\"number\",e+\".ref\",t.commandStr),E.commandType(i,\"number\",e+\".mask\",t.commandStr),[Ga[n],a,i]}),(function(e,t,r){var n=e.constants.compareFuncs;return E.optional((function(){function a(){e.assert(t,Array.prototype.join.call(arguments,\"\"),\"invalid stencil.func\")}a(r+\"&&typeof \",r,'===\"object\"'),a('!(\"cmp\" in ',r,\")||(\",r,\".cmp in \",n,\")\")})),[t.def('\"cmp\" in ',r,\"?\",n,\"[\",r,\".cmp]\",\":\",Va),t.def(r,\".ref|0\"),t.def('\"mask\" in ',r,\"?\",r,\".mask|0:-1\")]}));case Sn:case On:return f((function(r){E.commandType(r,\"object\",o,t.commandStr);var n=r.fail||\"keep\",a=r.zfail||\"keep\",i=r.zpass||\"keep\";return E.commandParameter(n,Ha,e+\".fail\",t.commandStr),E.commandParameter(a,Ha,e+\".zfail\",t.commandStr),E.commandParameter(i,Ha,e+\".zpass\",t.commandStr),[e===On?Ta:Ea,Ha[n],Ha[a],Ha[i]]}),(function(t,r,n){var a=t.constants.stencilOps;function i(i){return E.optional((function(){t.assert(r,'!(\"'+i+'\" in '+n+\")||(\"+n+\".\"+i+\" in \"+a+\")\",\"invalid \"+e+\".\"+i+\", must be one of \"+Object.keys(Ha))})),r.def('\"',i,'\" in ',n,\"?\",a,\"[\",n,\".\",i,\"]:\",Va)}return E.optional((function(){t.assert(r,n+\"&&typeof \"+n+'===\"object\"',\"invalid \"+e)})),[e===On?Ta:Ea,i(\"fail\"),i(\"zfail\"),i(\"zpass\")]}));case gn:return f((function(e){E.commandType(e,\"object\",o,t.commandStr);var r=0|e.factor,n=0|e.units;return E.commandType(r,\"number\",o+\".factor\",t.commandStr),E.commandType(n,\"number\",o+\".units\",t.commandStr),[r,n]}),(function(t,r,n){return E.optional((function(){t.assert(r,n+\"&&typeof \"+n+'===\"object\"',\"invalid \"+e)})),[r.def(n,\".factor|0\"),r.def(n,\".units|0\")]}));case pn:return f((function(e){var r=0;return\"front\"===e?r=Ea:\"back\"===e&&(r=Ta),E.command(!!r,o,t.commandStr),r}),(function(e,t,r){return E.optional((function(){e.assert(t,r+'===\"front\"||'+r+'===\"back\"',\"invalid cull.face\")})),t.def(r,'===\"front\"?',Ea,\":\",Ta)}));case bn:return f((function(e){return E.command(\"number\"==typeof e&&e>=a.lineWidthDims[0]&&e<=a.lineWidthDims[1],\"invalid line width, must be a positive number between \"+a.lineWidthDims[0]+\" and \"+a.lineWidthDims[1],t.commandStr),e}),(function(e,t,r){return E.optional((function(){e.assert(t,\"typeof \"+r+'===\"number\"&&'+r+\">=\"+a.lineWidthDims[0]+\"&&\"+r+\"<=\"+a.lineWidthDims[1],\"invalid line width\")})),r}));case hn:return f((function(e){return E.commandParameter(e,qa,o,t.commandStr),qa[e]}),(function(e,t,r){return E.optional((function(){e.assert(t,r+'===\"cw\"||'+r+'===\"ccw\"',\"invalid frontFace, must be one of cw,ccw\")})),t.def(r+'===\"cw\"?'+Da+\":\"+ja)}));case dn:return f((function(e){return E.command(Te(e)&&4===e.length,\"color.mask must be length 4 array\",t.commandStr),e.map((function(e){return!!e}))}),(function(e,t,r){return E.optional((function(){e.assert(t,e.shared.isArrayLike+\"(\"+r+\")&&\"+r+\".length===4\",\"invalid color.mask\")})),R(4,(function(e){return\"!!\"+r+\"[\"+e+\"]\"}))}));case wn:return f((function(e){E.command(\"object\"==typeof e&&e,o,t.commandStr);var r=\"value\"in e?e.value:1,n=!!e.invert;return E.command(\"number\"==typeof r&&r>=0&&r<=1,\"sample.coverage.value must be a number between 0 and 1\",t.commandStr),[r,n]}),(function(e,t,r){return E.optional((function(){e.assert(t,r+\"&&typeof \"+r+'===\"object\"',\"invalid sample.coverage\")})),[t.def('\"value\" in ',r,\"?+\",r,\".value:1\"),t.def(\"!!\",r,\".invert\")]}))}})),i}(e,d),k=function(e,t,n){var a=e.static,i=e.dynamic;function o(e){if(e in a){var t=r.id(a[e]);E.optional((function(){l.shader(Na[e],t,E.guessCommand())}));var n=Ka((function(){return t}));return n.id=t,n}if(e in i){var o=i[e];return Ja(o,(function(t,r){var n=t.invoke(r,o),a=r.def(t.shared.strings,\".id(\",n,\")\");return E.optional((function(){r(t.shared.shader,\".shader(\",Na[e],\",\",a,\",\",t.command,\");\")})),a}))}return null}var f,u=o(Fn),s=o(zn),c=null;return $a(u)&&$a(s)?(c=l.program(s.id,u.id,null,n),f=Ka((function(e,t){return e.link(c)}))):f=new Xa(u&&u.thisDep||s&&s.thisDep,u&&u.contextDep||s&&s.contextDep,u&&u.propDep||s&&s.propDep,(function(e,t){var r,n=e.shared.shader;r=u?u.append(e,t):t.def(n,\".\",Fn);var a=n+\".program(\"+(s?s.append(e,t):t.def(n,\".\",zn))+\",\"+r;return E.optional((function(){a+=\",\"+e.command})),t.def(a+\")\")})),{frag:u,vert:s,progVar:f,program:c}}(e,0,h);function S(e){var t=x[e];t&&(A[e]=t)}S(Dn),S(O(Tn));var T=Object.keys(A).length>0,D={framebuffer:y,draw:w,shader:k,state:A,dirty:T,scopeVAO:null,drawVAO:null,useVAO:!1,attributes:{}};if(D.profile=function(e){var t,r=e.static,n=e.dynamic;if(jn in r){var a=!!r[jn];(t=Ka((function(e,t){return a}))).enable=a}else if(jn in n){var i=n[jn];t=Ja(i,(function(e,t){return e.invoke(t,i)}))}return t}(e),D.uniforms=function(e,t){var r=e.static,n=e.dynamic,a={};return Object.keys(r).forEach((function(e){var n,i=r[e];if(\"number\"==typeof i||\"boolean\"==typeof i)n=Ka((function(){return i}));else if(\"function\"==typeof i){var o=i._reglType;\"texture2d\"===o||\"textureCube\"===o?n=Ka((function(e){return e.link(i)})):\"framebuffer\"===o||\"framebufferCube\"===o?(E.command(i.color.length>0,'missing color attachment for framebuffer sent to uniform \"'+e+'\"',t.commandStr),n=Ka((function(e){return e.link(i.color[0])}))):E.commandRaise('invalid data for uniform \"'+e+'\"',t.commandStr)}else Te(i)?n=Ka((function(t){return t.global.def(\"[\",R(i.length,(function(r){return E.command(\"number\"==typeof i[r]||\"boolean\"==typeof i[r],\"invalid uniform \"+e,t.commandStr),i[r]})),\"]\")})):E.commandRaise('invalid or missing data for uniform \"'+e+'\"',t.commandStr);n.value=i,a[e]=n})),Object.keys(n).forEach((function(e){var t=n[e];a[e]=Ja(t,(function(e,r){return e.invoke(r,t)}))})),a}(f,d),D.drawVAO=D.scopeVAO=w.vao,!D.drawVAO&&k.program&&!h&&n.angle_instanced_arrays&&w.static.elements){var j=!0,C=k.program.attributes.map((function(e){var r=t.static[e];return j=j&&!!r,r}));if(j&&C.length>0){var z=c.getVAO(c.createVAO({attributes:C,elements:w.static.elements}));D.drawVAO=new Xa(null,null,null,(function(e,t){return e.link(z)})),D.useVAO=!0}}return h?D.useVAO=!0:D.attributes=function(e,t){var n=e.static,a=e.dynamic,o={};return Object.keys(n).forEach((function(e){var a=n[e],f=r.id(e),u=new b;if(Qa(a))u.state=Qr,u.buffer=i.getBuffer(i.create(a,$n,!1,!0)),u.type=0;else{var s=i.getBuffer(a);if(s)u.state=Qr,u.buffer=s,u.type=0;else if(E.command(\"object\"==typeof a&&a,\"invalid data for attribute \"+e,t.commandStr),\"constant\"in a){var c=a.constant;u.buffer=\"null\",u.state=Yr,\"number\"==typeof c?u.x=c:(E.command(Te(c)&&c.length>0&&c.length<=4,\"invalid constant for attribute \"+e,t.commandStr),Nr.forEach((function(e,t){t=0,'invalid offset for attribute \"'+e+'\"',t.commandStr);var d=0|a.stride;E.command(d>=0&&d<256,'invalid stride for attribute \"'+e+'\", must be integer betweeen [0, 255]',t.commandStr);var m=0|a.size;E.command(!(\"size\"in a)||m>0&&m<=4,'invalid size for attribute \"'+e+'\", must be 1,2,3,4',t.commandStr);var p=!!a.normalized,h=0;\"type\"in a&&(E.commandParameter(a.type,Z,\"invalid type for attribute \"+e,t.commandStr),h=Z[a.type]);var v=0|a.divisor;E.optional((function(){\"divisor\"in a&&(E.command(0===v||g,'cannot specify divisor for attribute \"'+e+'\", instancing not supported',t.commandStr),E.command(v>=0,'invalid divisor for attribute \"'+e+'\"',t.commandStr));var r=t.commandStr,n=[\"buffer\",\"offset\",\"divisor\",\"normalized\",\"type\",\"size\",\"stride\"];Object.keys(a).forEach((function(t){E.command(n.indexOf(t)>=0,'unknown parameter \"'+t+'\" for attribute pointer \"'+e+'\" (valid parameters are '+n+\")\",r)}))})),u.buffer=s,u.state=Qr,u.size=m,u.normalized=p,u.type=h||s.dtype,u.offset=l,u.stride=d,u.divisor=v}}o[e]=Ka((function(e,t){var r=e.attribCache;if(f in r)return r[f];var n={isStream:!1};return Object.keys(u).forEach((function(e){n[e]=u[e]})),u.buffer&&(n.buffer=e.link(u.buffer),n.type=n.type||n.buffer+\".dtype\"),r[f]=n,n}))})),Object.keys(a).forEach((function(e){var t=a[e];o[e]=Ja(t,(function(r,n){var a=r.invoke(n,t),i=r.shared,o=r.constants,f=i.isBufferArgs,u=i.buffer;E.optional((function(){r.assert(n,a+\"&&(typeof \"+a+'===\"object\"||typeof '+a+'===\"function\")&&('+f+\"(\"+a+\")||\"+u+\".getBuffer(\"+a+\")||\"+u+\".getBuffer(\"+a+\".buffer)||\"+f+\"(\"+a+'.buffer)||(\"constant\" in '+a+\"&&(typeof \"+a+'.constant===\"number\"||'+i.isArrayLike+\"(\"+a+\".constant))))\",'invalid dynamic attribute \"'+e+'\"')}));var s={isStream:n.def(!1)},c=new b;c.state=Qr,Object.keys(c).forEach((function(e){s[e]=n.def(\"\"+c[e])}));var l=s.buffer,d=s.type;function m(e){n(s[e],\"=\",a,\".\",e,\"|0;\")}return n(\"if(\",f,\"(\",a,\")){\",s.isStream,\"=true;\",l,\"=\",u,\".createStream(\",$n,\",\",a,\");\",d,\"=\",l,\".dtype;\",\"}else{\",l,\"=\",u,\".getBuffer(\",a,\");\",\"if(\",l,\"){\",d,\"=\",l,\".dtype;\",'}else if(\"constant\" in ',a,\"){\",s.state,\"=\",Yr,\";\",\"if(typeof \"+a+'.constant === \"number\"){',s[Nr[0]],\"=\",a,\".constant;\",Nr.slice(1).map((function(e){return s[e]})).join(\"=\"),\"=0;\",\"}else{\",Nr.map((function(e,t){return s[e]+\"=\"+a+\".constant.length>\"+t+\"?\"+a+\".constant[\"+t+\"]:0;\"})).join(\"\"),\"}}else{\",\"if(\",f,\"(\",a,\".buffer)){\",l,\"=\",u,\".createStream(\",$n,\",\",a,\".buffer);\",\"}else{\",l,\"=\",u,\".getBuffer(\",a,\".buffer);\",\"}\",d,'=\"type\" in ',a,\"?\",o.glTypes,\"[\",a,\".type]:\",l,\".dtype;\",s.normalized,\"=!!\",a,\".normalized;\"),m(\"size\"),m(\"offset\"),m(\"stride\"),m(\"divisor\"),n(\"}}\"),n.exit(\"if(\",s.isStream,\"){\",u,\".destroyStream(\",l,\");\",\"}\"),s}))})),o}(t,d),D.context=function(e){var t=e.static,r=e.dynamic,n={};return Object.keys(t).forEach((function(e){var r=t[e];n[e]=Ka((function(e,t){return\"number\"==typeof r||\"boolean\"==typeof r?\"\"+r:e.link(r)}))})),Object.keys(r).forEach((function(e){var t=r[e];n[e]=Ja(t,(function(e,r){return e.invoke(r,t)}))})),n}(s),D}function I(e,t,r){var n=e.shared.context,a=e.scope();Object.keys(r).forEach((function(i){t.save(n,\".\"+i);var o=r[i].append(e,t);Array.isArray(o)?a(n,\".\",i,\"=[\",o.join(),\"];\"):a(n,\".\",i,\"=\",o,\";\")})),t(a)}function P(e,t,r,n){var a,i=e.shared,o=i.gl,f=i.framebuffer;y&&(a=t.def(i.extensions,\".webgl_draw_buffers\"));var u,s=e.constants,c=s.drawBuffer,l=s.backBuffer;u=r?r.append(e,t):t.def(f,\".next\"),n||t(\"if(\",u,\"!==\",f,\".cur){\"),t(\"if(\",u,\"){\",o,\".bindFramebuffer(\",Ra,\",\",u,\".framebuffer);\"),y&&t(a,\".drawBuffersWEBGL(\",c,\"[\",u,\".colorAttachments.length]);\"),t(\"}else{\",o,\".bindFramebuffer(\",Ra,\",null);\"),y&&t(a,\".drawBuffersWEBGL(\",l,\");\"),t(\"}\",f,\".cur=\",u,\";\"),n||t(\"}\")}function L(e,t,r){var n=e.shared,a=n.gl,i=e.current,o=e.next,f=n.current,u=n.next,s=e.cond(f,\".dirty\");_.forEach((function(t){var n,c,l=O(t);if(!(l in r.state))if(l in o){n=o[l],c=i[l];var d=R(w[l].length,(function(e){return s.def(n,\"[\",e,\"]\")}));s(e.cond(d.map((function(e,t){return e+\"!==\"+c+\"[\"+t+\"]\"})).join(\"||\")).then(a,\".\",S[l],\"(\",d,\");\",d.map((function(e,t){return c+\"[\"+t+\"]=\"+e})).join(\";\"),\";\"))}else{n=s.def(u,\".\",l);var m=e.cond(n,\"!==\",f,\".\",l);s(m),l in k?m(e.cond(n).then(a,\".enable(\",k[l],\");\").else(a,\".disable(\",k[l],\");\"),f,\".\",l,\"=\",n,\";\"):m(a,\".\",S[l],\"(\",n,\");\",f,\".\",l,\"=\",n,\";\")}})),0===Object.keys(r.state).length&&s(f,\".dirty=false;\"),t(s)}function M(e,t,r,n){var a=e.shared,i=e.current,o=a.current,f=a.gl;Ya(Object.keys(r)).forEach((function(a){var u=r[a];if(!n||n(u)){var s=u.append(e,t);if(k[a]){var c=k[a];$a(u)?t(f,s?\".enable(\":\".disable(\",c,\");\"):t(e.cond(s).then(f,\".enable(\",c,\");\").else(f,\".disable(\",c,\");\")),t(o,\".\",a,\"=\",s,\";\")}else if(Te(s)){var l=i[a];t(f,\".\",S[a],\"(\",s,\");\",s.map((function(e,t){return l+\"[\"+t+\"]=\"+e})).join(\";\"),\";\")}else t(f,\".\",S[a],\"(\",s,\");\",o,\".\",a,\"=\",s,\";\")}}))}function U(e,t){g&&(e.instancing=t.def(e.shared.extensions,\".angle_instanced_arrays\"))}function W(e,t,r,n,a){var i,o,f,u=e.shared,s=e.stats,c=u.current,l=u.timer,d=r.profile;function m(){return\"undefined\"==typeof performance?\"Date.now()\":\"performance.now()\"}function h(e){e(i=t.def(),\"=\",m(),\";\"),\"string\"==typeof a?e(s,\".count+=\",a,\";\"):e(s,\".count++;\"),p&&(n?e(o=t.def(),\"=\",l,\".getNumPendingQueries();\"):e(l,\".beginQuery(\",s,\");\"))}function b(e){e(s,\".cpuTime+=\",m(),\"-\",i,\";\"),p&&(n?e(l,\".pushScopeStats(\",o,\",\",l,\".getNumPendingQueries(),\",s,\");\"):e(l,\".endQuery();\"))}function v(e){var r=t.def(c,\".profile\");t(c,\".profile=\",e,\";\"),t.exit(c,\".profile=\",r,\";\")}if(d){if($a(d))return void(d.enable?(h(t),b(t.exit),v(\"true\")):v(\"false\"));v(f=d.append(e,t))}else f=t.def(c,\".profile\");var g=e.block();h(g),t(\"if(\",f,\"){\",g,\"}\");var y=e.block();b(y),t.exit(\"if(\",f,\"){\",y,\"}\")}function G(e,t,r,n,a){var i=e.shared;n.forEach((function(n){var o,f=n.name,u=r.attributes[f];if(u){if(!a(u))return;o=u.append(e,t)}else{if(!a(Za))return;var s=e.scopeAttrib(f);E.optional((function(){e.assert(t,s+\".state\",\"missing attribute \"+f)})),o={},Object.keys(new b).forEach((function(e){o[e]=t.def(s,\".\",e)}))}!function(r,n,a){var o=i.gl,f=t.def(r,\".location\"),u=t.def(i.attributes,\"[\",f,\"]\"),s=a.state,c=a.buffer,l=[a.x,a.y,a.z,a.w],d=[\"buffer\",\"normalized\",\"offset\",\"stride\"];function m(){t(\"if(!\",u,\".buffer){\",o,\".enableVertexAttribArray(\",f,\");}\");var r,i=a.type;if(r=a.size?t.def(a.size,\"||\",n):n,t(\"if(\",u,\".type!==\",i,\"||\",u,\".size!==\",r,\"||\",d.map((function(e){return u+\".\"+e+\"!==\"+a[e]})).join(\"||\"),\"){\",o,\".bindBuffer(\",$n,\",\",c,\".buffer);\",o,\".vertexAttribPointer(\",[f,r,i,a.normalized,a.stride,a.offset],\");\",u,\".type=\",i,\";\",u,\".size=\",r,\";\",d.map((function(e){return u+\".\"+e+\"=\"+a[e]+\";\"})).join(\"\"),\"}\"),g){var s=a.divisor;t(\"if(\",u,\".divisor!==\",s,\"){\",e.instancing,\".vertexAttribDivisorANGLE(\",[f,s],\");\",u,\".divisor=\",s,\";}\")}}function p(){t(\"if(\",u,\".buffer){\",o,\".disableVertexAttribArray(\",f,\");\",u,\".buffer=null;\",\"}if(\",Nr.map((function(e,t){return u+\".\"+e+\"!==\"+l[t]})).join(\"||\"),\"){\",o,\".vertexAttrib4f(\",f,\",\",l,\");\",Nr.map((function(e,t){return u+\".\"+e+\"=\"+l[t]+\";\"})).join(\"\"),\"}\")}s===Qr?m():s===Yr?p():(t(\"if(\",s,\"===\",Qr,\"){\"),m(),t(\"}else{\"),p(),t(\"}\"))}(e.link(n),function(e){switch(e){case ca:case pa:case ga:return 2;case la:case ha:case ya:return 3;case da:case ba:case xa:return 4;default:return 1}}(n.info.type),o)}))}function H(e,t,n,a,i,o){for(var f,u=e.shared,s=u.gl,c={},l=0;l1){if(!b)continue;var v=m.replace(\"[0]\",\"\");if(c[v])continue;c[v]=1}var g,y=e.link(d)+\".location\";if(b){if(!i(b))continue;if($a(b)){var x=b.value;if(E.command(null!=x,'missing uniform \"'+m+'\"',e.commandStr),p===ka||p===Sa){E.command(\"function\"==typeof x&&(p===ka&&(\"texture2d\"===x._reglType||\"framebuffer\"===x._reglType)||p===Sa&&(\"textureCube\"===x._reglType||\"framebufferCube\"===x._reglType)),\"invalid texture for uniform \"+m,e.commandStr);var w=e.link(x._texture||x.color[0]._texture);t(s,\".uniform1i(\",y,\",\",w+\".bind());\"),t.exit(w,\".unbind();\")}else if(p===wa||p===Aa||p===_a){E.optional((function(){E.command(Te(x),\"invalid matrix for uniform \"+m,e.commandStr),E.command(p===wa&&4===x.length||p===Aa&&9===x.length||p===_a&&16===x.length,\"invalid length for matrix uniform \"+m,e.commandStr)}));var A=e.global.def(\"new Float32Array([\"+Array.prototype.slice.call(x)+\"])\"),_=2;p===Aa?_=3:p===_a&&(_=4),t(s,\".uniformMatrix\",_,\"fv(\",y,\",false,\",A,\");\")}else{switch(p){case sa:1===h?E.commandType(x,\"number\",\"uniform \"+m,e.commandStr):E.command(Te(x)&&x.length===h,\"uniform \"+m,e.commandStr),f=\"1f\";break;case ca:E.command(Te(x)&&x.length&&x.length%2==0&&x.length<=2*h,\"uniform \"+m,e.commandStr),f=\"2f\";break;case la:E.command(Te(x)&&x.length&&x.length%3==0&&x.length<=3*h,\"uniform \"+m,e.commandStr),f=\"3f\";break;case da:E.command(Te(x)&&x.length&&x.length%4==0&&x.length<=4*h,\"uniform \"+m,e.commandStr),f=\"4f\";break;case va:1===h?E.commandType(x,\"boolean\",\"uniform \"+m,e.commandStr):E.command(Te(x)&&x.length===h,\"uniform \"+m,e.commandStr),f=\"1i\";break;case ma:1===h?E.commandType(x,\"number\",\"uniform \"+m,e.commandStr):E.command(Te(x)&&x.length===h,\"uniform \"+m,e.commandStr),f=\"1i\";break;case ga:case pa:E.command(Te(x)&&x.length&&x.length%2==0&&x.length<=2*h,\"uniform \"+m,e.commandStr),f=\"2i\";break;case ya:case ha:E.command(Te(x)&&x.length&&x.length%3==0&&x.length<=3*h,\"uniform \"+m,e.commandStr),f=\"3i\";break;case xa:case ba:E.command(Te(x)&&x.length&&x.length%4==0&&x.length<=4*h,\"uniform \"+m,e.commandStr),f=\"4i\"}h>1?(f+=\"v\",x=e.global.def(\"[\"+Array.prototype.slice.call(x)+\"]\")):x=Te(x)?Array.prototype.slice.call(x):x,t(s,\".uniform\",f,\"(\",y,\",\",x,\");\")}continue}g=b.append(e,t)}else{if(!i(Za))continue;g=t.def(u.uniforms,\"[\",r.id(m),\"]\")}p===ka?(E(!Array.isArray(g),\"must specify a scalar prop for textures\"),t(\"if(\",g,\"&&\",g,'._reglType===\"framebuffer\"){',g,\"=\",g,\".color[0];\",\"}\")):p===Sa&&(E(!Array.isArray(g),\"must specify a scalar prop for cube maps\"),t(\"if(\",g,\"&&\",g,'._reglType===\"framebufferCube\"){',g,\"=\",g,\".color[0];\",\"}\")),E.optional((function(){function r(r,n){e.assert(t,r,'bad data or missing for uniform \"'+m+'\". '+n)}function n(e,t){1===t&&E(!Array.isArray(g),\"must not specify an array type for uniform\"),r(\"Array.isArray(\"+g+\") && typeof \"+g+'[0]===\" '+e+'\" || typeof '+g+'===\"'+e+'\"',\"invalid type, expected \"+e)}function a(t,n,a){Array.isArray(g)?E(g.length&&g.length%t==0&&g.length<=t*a,\"must have length of \"+(1===a?\"\":\"n * \")+t):r(u.isArrayLike+\"(\"+g+\")&&\"+g+\".length && \"+g+\".length % \"+t+\" === 0 && \"+g+\".length<=\"+t*a,\"invalid vector, should have length of \"+(1===a?\"\":\"n * \")+t,e.commandStr)}function i(t){E(!Array.isArray(g),\"must not specify a value type\"),r(\"typeof \"+g+'===\"function\"&&'+g+'._reglType===\"texture'+(t===Jn?\"2d\":\"Cube\")+'\"',\"invalid texture type\",e.commandStr)}switch(p){case ma:n(\"number\",h);break;case pa:a(2,0,h);break;case ha:a(3,0,h);break;case ba:a(4,0,h);break;case sa:n(\"number\",h);break;case ca:a(2,0,h);break;case la:a(3,0,h);break;case da:a(4,0,h);break;case va:n(\"boolean\",h);break;case ga:a(2,0,h);break;case ya:a(3,0,h);break;case xa:case wa:a(4,0,h);break;case Aa:a(9,0,h);break;case _a:a(16,0,h);break;case ka:i(Jn);break;case Sa:i(Zn)}}));var k=1;switch(p){case ka:case Sa:var S=t.def(g,\"._texture\");t(s,\".uniform1i(\",y,\",\",S,\".bind());\"),t.exit(S,\".unbind();\");continue;case ma:case va:f=\"1i\";break;case pa:case ga:f=\"2i\",k=2;break;case ha:case ya:f=\"3i\",k=3;break;case ba:case xa:f=\"4i\",k=4;break;case sa:f=\"1f\";break;case ca:f=\"2f\",k=2;break;case la:f=\"3f\",k=3;break;case da:f=\"4f\",k=4;break;case wa:f=\"Matrix2fv\";break;case Aa:f=\"Matrix3fv\";break;case _a:f=\"Matrix4fv\"}if(-1===f.indexOf(\"Matrix\")&&h>1&&(f+=\"v\",k=1),\"M\"===f.charAt(0)){t(s,\".uniform\",f,\"(\",y,\",\");var O=Math.pow(p-wa+2,2),T=e.global.def(\"new Float32Array(\",O,\")\");Array.isArray(g)?t(\"false,(\",R(O,(function(e){return T+\"[\"+e+\"]=\"+g[e]})),\",\",T,\")\"):t(\"false,(Array.isArray(\",g,\")||\",g,\" instanceof Float32Array)?\",g,\":(\",R(O,(function(e){return T+\"[\"+e+\"]=\"+g+\"[\"+e+\"]\"})),\",\",T,\")\"),t(\");\")}else if(k>1){for(var D=[],j=[],C=0;C=0\",\"missing vertex count\")}))):(a=u.def(o,\".\",In),E.optional((function(){e.assert(u,a+\">=0\",\"missing vertex count\")}))),a}();if(\"number\"==typeof p){if(0===p)return}else r(\"if(\",p,\"){\"),r.exit(\"}\");g&&(c=s(Ln),l=e.instancing);var h=u+\".type\",b=f.elements&&$a(f.elements)&&!f.vaoActive;function v(){function e(){r(l,\".drawElementsInstancedANGLE(\",[d,p,h,m+\"<<((\"+h+\"-\"+qr+\")>>1)\",c],\");\")}function t(){r(l,\".drawArraysInstancedANGLE(\",[d,m,p,c],\");\")}u&&\"null\"!==u?b?e():(r(\"if(\",u,\"){\"),e(),r(\"}else{\"),t(),r(\"}\")):t()}function y(){function e(){r(i+\".drawElements(\"+[d,p,h,m+\"<<((\"+h+\"-\"+qr+\")>>1)\"]+\");\")}function t(){r(i+\".drawArrays(\"+[d,m,p]+\");\")}u&&\"null\"!==u?b?e():(r(\"if(\",u,\"){\"),e(),r(\"}else{\"),t(),r(\"}\")):t()}g&&(\"number\"!=typeof c||c>=0)?\"string\"==typeof c?(r(\"if(\",c,\">0){\"),v(),r(\"}else if(\",c,\"<0){\"),y(),r(\"}\")):v():y()}function q(e,t,r,n,a){var i=V(),o=i.proc(\"body\",a);return E.optional((function(){i.commandStr=t.commandStr,i.command=i.link(t.commandStr)})),g&&(i.instancing=o.def(i.shared.extensions,\".angle_instanced_arrays\")),e(i,o,r,n),i.compile().body}function Q(e,t,r,n){U(e,t),r.useVAO?r.drawVAO?t(e.shared.vao,\".setVAO(\",r.drawVAO.append(e,t),\");\"):t(e.shared.vao,\".setVAO(\",e.shared.vao,\".targetVAO);\"):(t(e.shared.vao,\".setVAO(null);\"),G(e,t,r,n.attributes,(function(){return!0}))),H(e,t,r,n.uniforms,(function(){return!0}),!1),N(e,t,t,r)}function Y(e,t,r,n){function a(){return!0}e.batchId=\"a1\",U(e,t),G(e,t,r,n.attributes,a),H(e,t,r,n.uniforms,a,!1),N(e,t,t,r)}function X(e,t,r,n){U(e,t);var a=r.contextDep,i=t.def(),o=t.def();e.shared.props=o,e.batchId=i;var f=e.scope(),u=e.scope();function s(e){return e.contextDep&&a||e.propDep}function c(e){return!s(e)}if(t(f.entry,\"for(\",i,\"=0;\",i,\"<\",\"a1\",\";++\",i,\"){\",o,\"=\",\"a0\",\"[\",i,\"];\",u,\"}\",f.exit),r.needsContext&&I(e,u,r.context),r.needsFramebuffer&&P(e,u,r.framebuffer),M(e,u,r.state,s),r.profile&&s(r.profile)&&W(e,u,r,!1,!0),n)r.useVAO?r.drawVAO?s(r.drawVAO)?u(e.shared.vao,\".setVAO(\",r.drawVAO.append(e,u),\");\"):f(e.shared.vao,\".setVAO(\",r.drawVAO.append(e,f),\");\"):f(e.shared.vao,\".setVAO(\",e.shared.vao,\".targetVAO);\"):(f(e.shared.vao,\".setVAO(null);\"),G(e,f,r,n.attributes,c),G(e,u,r,n.attributes,s)),H(e,f,r,n.uniforms,c,!1),H(e,u,r,n.uniforms,s,!0),N(e,f,u,r);else{var l=e.global.def(\"{}\"),d=r.shader.progVar.append(e,u),m=u.def(d,\".id\"),p=u.def(l,\"[\",m,\"]\");u(e.shared.gl,\".useProgram(\",d,\".program);\",\"if(!\",p,\"){\",p,\"=\",l,\"[\",m,\"]=\",e.link((function(t){return q(Y,e,r,t,2)})),\"(\",d,\");}\",p,\".call(this,a0[\",i,\"],\",i,\");\")}}function $(e,t,r){var n=t.static[r];if(n&&function(e){if(\"object\"==typeof e&&!Te(e)){for(var t=Object.keys(e),r=0;r0&&r(e.shared.current,\".dirty=true;\"),e.shared.vao&&r(e.shared.vao,\".setVAO(null);\")}(f,u),function(e,t){var n=e.proc(\"scope\",3);e.batchId=\"a2\";var a=e.shared,i=a.current;function o(r){var i=t.shader[r];i&&n.set(a.shader,\".\"+r,i.append(e,n))}I(e,n,t.context),t.framebuffer&&t.framebuffer.append(e,n),Ya(Object.keys(t.state)).forEach((function(r){var i=t.state[r].append(e,n);Te(i)?i.forEach((function(t,a){n.set(e.next[r],\"[\"+a+\"]\",t)})):n.set(a.next,\".\"+r,i)})),W(e,n,t,!0,!0),[Vn,Pn,In,Ln,Bn].forEach((function(r){var i=t.draw[r];i&&n.set(a.draw,\".\"+r,\"\"+i.append(e,n))})),Object.keys(t.uniforms).forEach((function(i){var o=t.uniforms[i].append(e,n);Array.isArray(o)&&(o=\"[\"+o.join()+\"]\"),n.set(a.uniforms,\"[\"+r.id(i)+\"]\",o)})),Object.keys(t.attributes).forEach((function(r){var a=t.attributes[r].append(e,n),i=e.scopeAttrib(r);Object.keys(new b).forEach((function(e){n.set(i,\".\"+e,a[e])}))})),t.scopeVAO&&n.set(a.vao,\".targetVAO\",t.scopeVAO.append(e,n)),o(zn),o(Fn),Object.keys(t.state).length>0&&(n(i,\".dirty=true;\"),n.exit(i,\".dirty=true;\")),n(\"a1(\",e.shared.context,\",a0,\",e.batchId,\");\")}(f,u),function(e,t){var r=e.proc(\"batch\",2);e.batchId=\"0\",U(e,r);var n=!1,a=!0;Object.keys(t.context).forEach((function(e){n=n||t.context[e].propDep})),n||(I(e,r,t.context),a=!1);var i=t.framebuffer,o=!1;function f(e){return e.contextDep&&n||e.propDep}i?(i.propDep?n=o=!0:i.contextDep&&n&&(o=!0),o||P(e,r,i)):P(e,r,null),t.state.viewport&&t.state.viewport.propDep&&(n=!0),L(e,r,t),M(e,r,t.state,(function(e){return!f(e)})),t.profile&&f(t.profile)||W(e,r,t,!1,\"a1\"),t.contextDep=n,t.needsContext=a,t.needsFramebuffer=o;var u=t.shader.progVar;if(u.contextDep&&n||u.propDep)X(e,r,t,null);else{var s=u.append(e,r);if(r(e.shared.gl,\".useProgram(\",s,\".program);\"),t.shader.program)X(e,r,t,t.shader.program);else{r(e.shared.vao,\".setVAO(null);\");var c=e.global.def(\"{}\"),l=r.def(s,\".id\"),d=r.def(c,\"[\",l,\"]\");r(e.cond(d).then(d,\".call(this,a0,a1);\").else(d,\"=\",c,\"[\",l,\"]=\",e.link((function(r){return q(X,e,t,r,2)})),\"(\",s,\");\",d,\".call(this,a0,a1);\"))}}Object.keys(t.state).length>0&&r(e.shared.current,\".dirty=true;\"),e.shared.vao&&r(e.shared.vao,\".setVAO(null);\")}(f,u),t(f.compile(),{destroy:function(){u.shader.program.destroy()}})}}}var ti=function(e,t){if(!t.ext_disjoint_timer_query)return null;var r=[];function n(e){r.push(e)}var a=[];function i(){this.startQueryIndex=-1,this.endQueryIndex=-1,this.sum=0,this.stats=null}var o=[];function f(e){o.push(e)}var u=[];function s(e,t,r){var n=o.pop()||new i;n.startQueryIndex=e,n.endQueryIndex=t,n.sum=0,n.stats=r,u.push(n)}var c=[],l=[];return{beginQuery:function(e){var n=r.pop()||t.ext_disjoint_timer_query.createQueryEXT();t.ext_disjoint_timer_query.beginQueryEXT(35007,n),a.push(n),s(a.length-1,a.length,e)},endQuery:function(){t.ext_disjoint_timer_query.endQueryEXT(35007)},pushScopeStats:s,update:function(){var e,r,i=a.length;if(0!==i){l.length=Math.max(l.length,i+1),c.length=Math.max(c.length,i+1),c[0]=0,l[0]=0;var o=0;for(e=0,r=0;r0)if(Array.isArray(r[0])){f=re(r);for(var c=1,l=1;l0)if(\"number\"==typeof t[0]){var i=W.allocType(d.dtype,t.length);se(i,t),p(i,a),W.freeType(i)}else if(Array.isArray(t[0])||e(t[0])){n=re(t);var o=te(t,n,d.dtype);p(o,a),W.freeType(o)}else E.raise(\"invalid buffer data\")}else if(Q(t)){n=t.shape;var f=t.stride,u=0,s=0,c=0,l=0;1===n.length?(u=n[0],s=1,c=f[0],l=0):2===n.length?(u=n[0],s=n[1],c=f[0],l=f[1]):E.raise(\"invalid shape\");var h=Array.isArray(t.data)?d.dtype:ue(t.data),b=W.allocType(h,u*s);ce(b,t.data,u,s,c,l,t.offset),p(b,a),W.freeType(b)}else E.raise(\"invalid data for buffer subdata\");return m},n.profile&&(m.stats=d.stats),m.destroy=function(){l(d)},m},createStream:function(e,t){var r=u.pop();return r||(r=new f(e)),r.bind(),c(r,t,ae,0,1,!1),r},destroyStream:function(e){u.push(e)},clear:function(){Y(o).forEach(l),u.forEach(l)},getBuffer:function(e){return e&&e._buffer instanceof f?e._buffer:null},restore:function(){Y(o).forEach((function(e){e.buffer=t.createBuffer(),t.bindBuffer(e.type,e.buffer),t.bufferData(e.type,e.persistentData||e.byteLength,e.usage)}))},_initBuffer:c}}(a,l,n,(function(e){return A.destroyBuffer(e)})),w=function(t,r,n,a){var i={},o=0,f={uint8:be,uint16:ge};function u(e){this.id=o++,i[this.id]=this,this.buffer=e,this.primType=pe,this.vertCount=0,this.type=0}r.oes_element_index_uint&&(f.uint32=xe),u.prototype.bind=function(){this.buffer.bind()};var s=[];function c(a,i,o,f,u,s,c){var l;if(a.buffer.bind(),i){var d=c;c||e(i)&&(!Q(i)||e(i.data))||(d=r.oes_element_index_uint?xe:ge),n._initBuffer(a.buffer,i,o,d,3)}else t.bufferData(we,s,o),a.buffer.dtype=l||be,a.buffer.usage=o,a.buffer.dimension=3,a.buffer.byteLength=s;if(l=c,!c){switch(a.buffer.dtype){case be:case he:l=be;break;case ge:case ve:l=ge;break;case xe:case ye:l=xe;break;default:E.raise(\"unsupported type for element array\")}a.buffer.dtype=l}a.type=l,E(l!==xe||!!r.oes_element_index_uint,\"32 bit element buffers not supported, enable oes_element_index_uint first\");var m=u;m<0&&(m=a.buffer.byteLength,l===ge?m>>=1:l===xe&&(m>>=2)),a.vertCount=m;var p=f;if(f<0){p=pe;var h=a.buffer.dimension;1===h&&(p=de),2===h&&(p=me),3===h&&(p=pe)}a.primType=p}function l(e){a.elementsCount--,E(null!==e.buffer,\"must not double destroy elements\"),delete i[e.id],e.buffer.destroy(),e.buffer=null}return{create:function(t,r){var i=n.create(null,we,!0),o=new u(i._buffer);function s(t){if(t)if(\"number\"==typeof t)i(t),o.primType=pe,o.vertCount=0|t,o.type=be;else{var r=null,n=_e,a=-1,u=-1,l=0,d=0;Array.isArray(t)||e(t)||Q(t)?r=t:(E.type(t,\"object\",\"invalid arguments for elements\"),\"data\"in t&&(r=t.data,E(Array.isArray(r)||e(r)||Q(r),\"invalid data for element buffer\")),\"usage\"in t&&(E.parameter(t.usage,ee,\"invalid element buffer usage\"),n=ee[t.usage]),\"primitive\"in t&&(E.parameter(t.primitive,le,\"invalid element buffer primitive\"),a=le[t.primitive]),\"count\"in t&&(E(\"number\"==typeof t.count&&t.count>=0,\"invalid vertex count for elements\"),u=0|t.count),\"type\"in t&&(E.parameter(t.type,f,\"invalid buffer type\"),d=f[t.type]),\"length\"in t?l=0|t.length:(l=u,d===ge||d===ve?l*=2:d!==xe&&d!==ye||(l*=4))),c(o,r,n,a,u,l,d)}else i(),o.primType=pe,o.vertCount=0,o.type=be;return s}return a.elementsCount++,s(t),s._reglType=\"elements\",s._elements=o,s.subdata=function(e,t){return i.subdata(e,t),s},s.destroy=function(){l(o)},s},createStream:function(e){var t=s.pop();return t||(t=new u(n.create(null,we,!0,!1)._buffer)),c(t,e,Ae,-1,-1,0,0),t},destroyStream:function(e){s.push(e)},getElements:function(e){return\"function\"==typeof e&&e._elements instanceof u?e._elements:null},clear:function(){Y(i).forEach(l)}}}(a,d,x,l),A=function(t,r,n,a,i,o,f){for(var u=n.maxAttributes,s=new Array(u),c=0;c{for(var e=Object.keys(t),r=0;r=0,'invalid option for vao: \"'+e[r]+'\" valid options are '+zr)})),E(Array.isArray(a),\"attributes must be an array\")}E(a.length0,\"must specify at least one attribute\");var c={},l=n.attributes;l.length=a.length;for(var d=0;d=b.byteLength?m.subdata(b):(m.destroy(),n.buffers[d]=null)),n.buffers[d]||(m=n.buffers[d]=i.create(p,jr,!1,!0)),h.buffer=i.getBuffer(m),h.size=0|h.buffer.dimension,h.normalized=!1,h.type=h.buffer.dtype,h.offset=0,h.stride=0,h.divisor=0,h.state=1,c[d]=1):i.getBuffer(p)?(h.buffer=i.getBuffer(p),h.size=0|h.buffer.dimension,h.normalized=!1,h.type=h.buffer.dtype,h.offset=0,h.stride=0,h.divisor=0,h.state=1):i.getBuffer(p.buffer)?(h.buffer=i.getBuffer(p.buffer),h.size=0|(+p.size||h.buffer.dimension),h.normalized=!!p.normalized||!1,\"type\"in p?(E.parameter(p.type,Z,\"invalid buffer type\"),h.type=Z[p.type]):h.type=h.buffer.dtype,h.offset=0|(p.offset||0),h.stride=0|(p.stride||0),h.divisor=0|(p.divisor||0),h.state=1,E(h.size>=1&&h.size<=4,\"size must be between 1 and 4\"),E(h.offset>=0,\"invalid offset\"),E(h.stride>=0&&h.stride<=255,\"stride must be between 0 and 255\"),E(h.divisor>=0,\"divisor must be positive\"),E(!h.divisor||!!r.angle_instanced_arrays,\"ANGLE_instanced_arrays must be enabled to use divisor\")):\"x\"in p?(E(d>0,\"first attribute must not be a constant\"),h.x=+p.x||0,h.y=+p.y||0,h.z=+p.z||0,h.w=+p.w||0,h.state=2):E(!1,\"invalid attribute spec for location \"+d)}for(var v=0;v1)for(var v=0;v1&&(y=y.replace(\"[0]\",\"\")),u(b,new f(y,r.id(y),e.getUniformLocation(m,y),c))}var x=e.getProgramParameter(m,Pr);a.profile&&(t.stats.attributesCount=x);var w=t.attributes;for(o=0;oe&&(e=t.stats.uniformsCount)})),e},n.getMaxAttributesCount=function(){var e=0;return l.forEach((function(t){t.stats.attributesCount>e&&(e=t.stats.attributesCount)})),e}),{clear:function(){var t=e.deleteShader.bind(e);Y(i).forEach(t),i={},Y(o).forEach(t),o={},l.forEach((function(t){e.deleteProgram(t.program)})),l.length=0,c={},n.shaderCount=0},program:function(r,a,f,u){E.command(r>=0,\"missing vertex shader\",f),E.command(a>=0,\"missing fragment shader\",f);var s=c[a];s||(s=c[a]={});var d=s[r];if(d&&(d.refCount++,!u))return d;var h=new m(a,r);return n.shaderCount++,p(h,f,u),d||(s[r]=h),l.push(h),t(h,{destroy:function(){if(h.refCount--,h.refCount<=0){e.deleteProgram(h.program);var t=l.indexOf(h);l.splice(t,1),n.shaderCount--}s[h.vertId].refCount<=0&&(e.deleteShader(o[h.vertId]),delete o[h.vertId],delete c[h.fragId][h.vertId]),Object.keys(c[h.fragId]).length||(e.deleteShader(i[h.fragId]),delete i[h.fragId],delete c[h.fragId])}})},restore:function(){i={},o={};for(var e=0;e=2,\"invalid renderbuffer shape\"),f=0|m[0],u=0|m[1]}else\"radius\"in d&&(f=u=0|d.radius),\"width\"in d&&(f=0|d.width),\"height\"in d&&(u=0|d.height);\"format\"in d&&(E.parameter(d.format,i,\"invalid renderbuffer format\"),s=i[d.format])}else\"number\"==typeof t?(f=0|t,u=\"number\"==typeof n?0|n:f):t?E.raise(\"invalid arguments to renderbuffer constructor\"):f=u=1;if(E(f>0&&u>0&&f<=r.maxRenderbufferSize&&u<=r.maxRenderbufferSize,\"invalid renderbuffer size\"),f!==c.width||u!==c.height||s!==c.format)return l.width=c.width=f,l.height=c.height=u,c.format=s,e.bindRenderbuffer(fr,c.renderbuffer),e.renderbufferStorage(fr,s,f,u),E(0===e.getError(),\"invalid render buffer format\"),a.profile&&(c.stats.size=cr(c.format,c.width,c.height)),l.format=o[c.format],l}return u[c.id]=c,n.renderbufferCount++,l(t,f),l.resize=function(t,n){var i=0|t,o=0|n||i;return i===c.width&&o===c.height||(E(i>0&&o>0&&i<=r.maxRenderbufferSize&&o<=r.maxRenderbufferSize,\"invalid renderbuffer size\"),l.width=c.width=i,l.height=c.height=o,e.bindRenderbuffer(fr,c.renderbuffer),e.renderbufferStorage(fr,c.format,i,o),E(0===e.getError(),\"invalid render buffer format\"),a.profile&&(c.stats.size=cr(c.format,c.width,c.height))),l},l._reglType=\"renderbuffer\",l._renderbuffer=c,a.profile&&(l.stats=c.stats),l.destroy=function(){c.decRef()},l},clear:function(){Y(u).forEach(c)},restore:function(){Y(u).forEach((function(t){t.renderbuffer=e.createRenderbuffer(),e.bindRenderbuffer(fr,t.renderbuffer),e.renderbufferStorage(fr,t.format,t.width,t.height)})),e.bindRenderbuffer(fr,null)}}}(a,d,y,l,n),O=function(e,r,n,a,i,o){var f={cur:null,next:null,dirty:!1,setFBO:null},u=[\"rgba\"],s=[\"rgba4\",\"rgb565\",\"rgb5 a1\"];r.ext_srgb&&s.push(\"srgba\"),r.ext_color_buffer_half_float&&s.push(\"rgba16f\",\"rgb16f\"),r.webgl_color_buffer_float&&s.push(\"rgba32f\");var c=[\"uint8\"];function l(e,t,r){this.target=e,this.texture=t,this.renderbuffer=r;var n=0,a=0;t?(n=t.width,a=t.height):r&&(n=r.width,a=r.height),this.width=n,this.height=a}function d(e){e&&(e.texture&&e.texture._texture.decRef(),e.renderbuffer&&e.renderbuffer._renderbuffer.decRef())}function m(e,t,r){if(e)if(e.texture){var n=e.texture._texture,a=Math.max(1,n.width),i=Math.max(1,n.height);E(a===t&&i===r,\"inconsistent width/height for supplied texture\"),n.refCount+=1}else{var o=e.renderbuffer._renderbuffer;E(o.width===t&&o.height===r,\"inconsistent width/height for renderbuffer\"),o.refCount+=1}}function p(t,r){r&&(r.texture?e.framebufferTexture2D(lr,t,r.target,r.texture._texture.texture,0):e.framebufferRenderbuffer(lr,t,dr,r.renderbuffer._renderbuffer.renderbuffer))}function h(e){var t=mr,r=null,n=null,a=e;\"object\"==typeof e&&(a=e.data,\"target\"in e&&(t=0|e.target)),E.type(a,\"function\",\"invalid attachment data\");var i=a._reglType;return\"texture2d\"===i?(r=a,E(t===mr)):\"textureCube\"===i?(r=a,E(t>=pr&&t=2,\"invalid shape for framebuffer\"),o=z[0],d=z[1]}else\"radius\"in C&&(o=d=C.radius),\"width\"in C&&(o=C.width),\"height\"in C&&(d=C.height);(\"color\"in C||\"colors\"in C)&&(y=C.color||C.colors,Array.isArray(y)&&E(1===y.length||r.webgl_draw_buffers,\"multiple render targets not supported\")),y||(\"colorCount\"in C&&(S=0|C.colorCount,E(S>0,\"invalid color buffer count\")),\"colorTexture\"in C&&(x=!!C.colorTexture,w=\"rgba4\"),\"colorType\"in C&&(_=C.colorType,x?(E(r.oes_texture_float||!(\"float\"===_||\"float32\"===_),\"you must enable OES_texture_float in order to use floating point framebuffer objects\"),E(r.oes_texture_half_float||!(\"half float\"===_||\"float16\"===_),\"you must enable OES_texture_half_float in order to use 16-bit floating point framebuffer objects\")):\"half float\"===_||\"float16\"===_?(E(r.ext_color_buffer_half_float,\"you must enable EXT_color_buffer_half_float to use 16-bit render buffers\"),w=\"rgba16f\"):\"float\"!==_&&\"float32\"!==_||(E(r.webgl_color_buffer_float,\"you must enable WEBGL_color_buffer_float in order to use 32-bit floating point renderbuffers\"),w=\"rgba32f\"),E.oneOf(_,c,\"invalid color type\")),\"colorFormat\"in C&&(w=C.colorFormat,u.indexOf(w)>=0?x=!0:s.indexOf(w)>=0?x=!1:E.optional((function(){x?E.oneOf(C.colorFormat,u,\"invalid color format for texture\"):E.oneOf(C.colorFormat,s,\"invalid color format for renderbuffer\")})))),(\"depthTexture\"in C||\"depthStencilTexture\"in C)&&(j=!(!C.depthTexture&&!C.depthStencilTexture),E(!j||r.webgl_depth_texture,\"webgl_depth_texture extension not supported\")),\"depth\"in C&&(\"boolean\"==typeof C.depth?p=C.depth:(O=C.depth,g=!1)),\"stencil\"in C&&(\"boolean\"==typeof C.stencil?g=C.stencil:(T=C.stencil,p=!1)),\"depthStencil\"in C&&(\"boolean\"==typeof C.depthStencil?p=g=C.depthStencil:(D=C.depthStencil,p=!1,g=!1))}else o=d=1;var F=null,V=null,B=null,I=null;if(Array.isArray(y))F=y.map(h);else if(y)F=[h(y)];else for(F=new Array(S),a=0;a=0||F[a].renderbuffer&&Er.indexOf(F[a].renderbuffer._renderbuffer.format)>=0,\"framebuffer color attachment \"+a+\" is invalid\"),F[a]&&F[a].texture){var L=Ar[F[a].texture._texture.format]*_r[F[a].texture._texture.type];null===P?P=L:E(P===L,\"all color attachments much have the same number of bits per pixel.\")}return m(V,o,d),E(!V||V.texture&&V.texture._texture.format===xr||V.renderbuffer&&V.renderbuffer._renderbuffer.format===kr,\"invalid depth attachment for framebuffer object\"),m(B,o,d),E(!B||B.renderbuffer&&B.renderbuffer._renderbuffer.format===Sr,\"invalid stencil attachment for framebuffer object\"),m(I,o,d),E(!I||I.texture&&I.texture._texture.format===Or||I.renderbuffer&&I.renderbuffer._renderbuffer.format===Or,\"invalid depth-stencil attachment for framebuffer object\"),A(i),i.width=o,i.height=d,i.colorAttachments=F,i.depthAttachment=V,i.stencilAttachment=B,i.depthStencilAttachment=I,l.color=F.map(v),l.depth=v(V),l.stencil=v(B),l.depthStencil=v(I),l.width=i.width,l.height=i.height,k(i),l}return o.framebufferCount++,l(e,a),t(l,{resize:function(e,t){E(f.next!==i,\"can not resize a framebuffer which is currently in use\");var r=Math.max(0|e,1),n=Math.max(0|t||r,1);if(r===i.width&&n===i.height)return l;for(var a=i.colorAttachments,o=0;o=2,\"invalid shape for framebuffer\"),E(g[0]===g[1],\"cube framebuffer must be square\"),d=g[0]}else\"radius\"in v&&(d=0|v.radius),\"width\"in v?(d=0|v.width,\"height\"in v&&E(v.height===d,\"must be square\")):\"height\"in v&&(d=0|v.height);(\"color\"in v||\"colors\"in v)&&(m=v.color||v.colors,Array.isArray(m)&&E(1===m.length||r.webgl_draw_buffers,\"multiple render targets not supported\")),m||(\"colorCount\"in v&&(b=0|v.colorCount,E(b>0,\"invalid color buffer count\")),\"colorType\"in v&&(E.oneOf(v.colorType,c,\"invalid color type\"),h=v.colorType),\"colorFormat\"in v&&(p=v.colorFormat,E.oneOf(v.colorFormat,u,\"invalid color format for texture\"))),\"depth\"in v&&(l.depth=v.depth),\"stencil\"in v&&(l.stencil=v.stencil),\"depthStencil\"in v&&(l.depthStencil=v.depthStencil)}else d=1;if(m)if(Array.isArray(m))for(s=[],n=0;n0&&(l.depth=i[0].depth,l.stencil=i[0].stencil,l.depthStencil=i[0].depthStencil),i[n]?i[n](l):i[n]=S(l)}return t(o,{width:d,height:d,color:s})}return o(e),t(o,{faces:i,resize:function(e){var t,r=0|e;if(E(r>0&&r<=n.maxCubeMapSize,\"invalid radius for cube fbo\"),r===o.width)return o;var a=o.color;for(t=0;t=0;--e){var t=z[e];t&&t(v,null,0)}a.flush(),m&&m.update()}function X(){!M&&z.length>0&&(M=V.next(U))}function $(){M&&(V.cancel(U),M=null)}function K(e){e.preventDefault(),o=!0,$(),I.forEach((function(e){e()}))}function J(e){a.getError(),o=!1,f.restore(),_.restore(),x.restore(),k.restore(),S.restore(),O.restore(),A.restore(),m&&m.restore(),T.procs.refresh(),X(),P.forEach((function(e){e()}))}function ke(e){function r(e,t){var r={},n={};return Object.keys(e).forEach((function(a){var i=e[a];if(F.isDynamic(i))n[a]=F.unbox(i,a);else{if(t&&Array.isArray(i))for(var o=0;o0)return l.call(this,function(e){for(;m.length=0,\"cannot cancel a frame twice\"),z[t]=function e(){var t=ai(z,e);z[t]=z[z.length-1],z.length-=1,z.length<=0&&$()}}}}function Te(){var e=j.viewport,t=j.scissor_box;e[0]=e[1]=t[0]=t[1]=0,v.viewportWidth=v.framebufferWidth=v.drawingBufferWidth=e[2]=t[2]=a.drawingBufferWidth,v.viewportHeight=v.framebufferHeight=v.drawingBufferHeight=e[3]=t[3]=a.drawingBufferHeight}function De(){v.tick+=1,v.time=Ce(),Te(),T.procs.poll()}function je(){k.refresh(),Te(),T.procs.refresh(),m&&m.update()}function Ce(){return(B()-p)/1e3}je();var ze=t(ke,{clear:function(e){if(E(\"object\"==typeof e&&e,\"regl.clear() takes an object as input\"),\"framebuffer\"in e)if(e.framebuffer&&\"framebufferCube\"===e.framebuffer_reglType)for(var r=0;r<6;++r)Se(t({framebuffer:e.framebuffer.faces[r]},e),Oe);else Se(e,Oe);else Oe(0,e)},prop:F.define.bind(null,1),context:F.define.bind(null,2),this:F.define.bind(null,3),draw:ke({}),buffer:function(e){return x.create(e,34962,!1,!1)},elements:function(e){return w.create(e,!1)},texture:k.create2D,cube:k.createCube,renderbuffer:S.create,framebuffer:O.create,framebufferCube:O.createCube,vao:A.createVAO,attributes:i,frame:Ee,on:function(e,t){var r;switch(E.type(t,\"function\",\"listener callback must be a function\"),e){case\"frame\":return Ee(t);case\"lost\":r=I;break;case\"restore\":r=P;break;case\"destroy\":r=R;break;default:E.raise(\"invalid event, must be one of frame,lost,restore,destroy\")}return r.push(t),{cancel:function(){for(var e=0;e=0},read:D,destroy:function(){z.length=0,$(),C&&(C.removeEventListener(ri,K),C.removeEventListener(ni,J)),_.clear(),O.clear(),S.clear(),A.clear(),k.clear(),w.clear(),x.clear(),m&&m.clear(),R.forEach((function(e){e()}))},_gl:a,_refresh:je,poll:function(){De(),m&&m.update()},now:Ce,stats:l});return n.onDone(null,ze),ze}},\"object\"==typeof r&&void 0!==t?t.exports=o():\"function\"==typeof define&&define.amd?define(o):i.createREGL=o()},\n", " 568: function _(t,e,a,s,r){s();const n=t(569),_=t(10),o=t(13);class c{constructor(t){this._regl=t,this._map=new Map}_create_texture(t){const e=t.length;let a=0;const s=[];let r=0,_=0;for(let n=0;nc[f+1]&&f++;const s=t[f],n=c[f]+.5*s;let o=.5*s-Math.abs(a-n);f%2==1&&(o=-o),m[e]=Math.round(255*(o-r)/(_-r))}return[[a,u,r,_],this._regl.texture({shape:[l,1,1],data:m,wrapS:\"repeat\",format:\"alpha\",type:\"uint8\",mag:\"linear\",min:\"linear\"})]}_get_key(t){return t.join(\",\")}_get_or_create(t){const e=this._get_key(t);let a=this._map.get(e);if(null==a){const s=(0,n.gcd)(t);if(s>1){t=(0,o.map)(t,(t=>t/s)),a=this._get_or_create(t);const[r,n,_]=a;a=[r,n,s],this._map.set(e,a)}else{const[r,n]=this._create_texture(t);a=[r,n,s],this._map.set(e,a)}}return a}get(t){return t.length%2==1&&(t=(0,_.concat)([t,t])),this._get_or_create(t)}}a.DashCache=c,c.__name__=\"DashCache\"},\n", " 569: function _(n,t,e,r,o){function u(n,t){let e,r;n>t?(e=n,r=t):(e=t,r=n);let o=e%r;for(;0!=o;)e=r,r=o,o=e%r;return r}r(),e.gcd=function(n){let t=n[0];for(let e=1;e= 0.0 ? 1.0 : -1.0;\\n\\n bool miter_too_large_start = !has_start_cap && miter_too_large(join_type, v_cos_turn_angle_start);\\n bool miter_too_large_end = !has_end_cap && miter_too_large(join_type, v_cos_turn_angle_end);\\n\\n float sign_at_start = -sign(a_position.x); // +ve at segment start, -ve end.\\n vec2 point = sign_at_start > 0.0 ? a_point_start : a_point_end;\\n\\n if ( (has_start_cap && sign_at_start > 0.0) ||\\n (has_end_cap && sign_at_start < 0.0) ) {\\n // Cap.\\n xy = point - segment_right*(halfwidth*a_position.y);\\n if (cap_type == butt_cap)\\n xy -= sign_at_start*0.5*u_antialias*segment_along;\\n else\\n xy -= sign_at_start*halfwidth*segment_along;\\n }\\n else if (sign_at_start > 0.0) {\\n vec2 inside_point = a_point_start + segment_right*(sign_turn_right_start*halfwidth);\\n vec2 prev_outside_point = a_point_start - prev_right*(sign_turn_right_start*halfwidth);\\n\\n // join at start.\\n if (join_type == round_join || join_type == bevel_join || miter_too_large_start) {\\n if (v_cos_turn_angle_start <= 0.0) { // |turn_angle| > 90 degrees\\n xy = a_point_start - segment_right*(halfwidth*a_position.y) - halfwidth*segment_along;\\n }\\n else {\\n if (a_position.x < -1.5) {\\n xy = prev_outside_point;\\n v_coords.y = -dot(xy - a_point_start, segment_right);\\n }\\n else if (a_position.y*sign_turn_right_start > 0.0) { // outside corner of turn\\n float d = halfwidth*abs(sin_turn_angle_start);\\n xy = a_point_start - segment_right*(halfwidth*a_position.y) - d*segment_along;\\n }\\n else { // inside corner of turn\\n xy = inside_point;\\n }\\n }\\n }\\n else { // miter join\\n if (a_position.x < -1.5) {\\n xy = prev_outside_point;\\n v_coords.y = -dot(xy - a_point_start, segment_right);\\n }\\n else if (a_position.y*sign_turn_right_start > 0.0) { // outside corner of turn\\n float tan_half_turn_angle = (1.0-v_cos_turn_angle_start) / sin_turn_angle_start; // Trig identity\\n float d = sign_turn_right_start*halfwidth*tan_half_turn_angle;\\n xy = a_point_start - segment_right*(halfwidth*a_position.y) - d*segment_along;\\n }\\n else { // inside corner if turn\\n xy = inside_point;\\n }\\n }\\n }\\n else {\\n xy = point - segment_right*(halfwidth*a_position.y);\\n }\\n\\n vec2 pos = xy + 0.5; // Bokeh's offset.\\n pos /= u_canvas_size; // in 0..1\\n gl_Position = vec4(2.0*pos.x - 1.0, 1.0 - 2.0*pos.y, 0.0, 1.0);\\n\\n bool turn_right_start = sin_turn_angle_start >= 0.0;\\n bool turn_right_end = sin_turn_angle_end >= 0.0;\\n\\n v_coords.x = dot(xy - a_point_start, segment_along);\\n v_flags = float(int(has_start_cap) +\\n 2*int(has_end_cap) +\\n 4*int(miter_too_large_start) +\\n 8*int(miter_too_large_end) +\\n 16*int(turn_right_start) +\\n 32*int(turn_right_end));\\n\\n v_line_cap = a_line_cap;\\n v_line_join = a_line_join;\\n\\n#ifdef DASHED\\n v_length_so_far = a_length_so_far;\\n v_dash_tex_info = a_dash_tex_info;\\n v_dash_scale = a_dash_scale;\\n v_dash_offset = a_dash_offset;\\n#endif\\n}\\n\"},\n", " 575: function _(n,t,a,i,e){i();a.default=\"\\nprecision mediump float;\\n\\nconst int butt_cap = 0;\\nconst int round_cap = 1;\\nconst int square_cap = 2;\\n\\nconst int miter_join = 0;\\nconst int round_join = 1;\\nconst int bevel_join = 2;\\n\\nuniform float u_antialias;\\n#ifdef DASHED\\nuniform sampler2D u_dash_tex;\\n#endif\\n\\nvarying float v_linewidth;\\nvarying vec4 v_line_color;\\nvarying float v_line_cap;\\nvarying float v_line_join;\\nvarying float v_segment_length;\\nvarying vec2 v_coords;\\nvarying float v_flags;\\nvarying float v_cos_turn_angle_start;\\nvarying float v_cos_turn_angle_end;\\n#ifdef DASHED\\nvarying float v_length_so_far;\\nvarying vec4 v_dash_tex_info;\\nvarying float v_dash_scale;\\nvarying float v_dash_offset;\\n#endif\\n\\n#define ONE_MINUS_SMALL (1.0 - 1e-6)\\n\\nfloat cross_z(in vec2 v0, in vec2 v1)\\n{\\n return v0.x*v1.y - v0.y*v1.x;\\n}\\n\\nvec2 right_vector(in vec2 v)\\n{\\n return vec2(v.y, -v.x);\\n}\\n\\nfloat bevel_join_distance(in vec2 coords, in vec2 other_right, in float sign_turn_right)\\n{\\n // other_right is unit vector facing right of the other (previous or next) segment, in coord reference frame\\n float hw = 0.5*v_linewidth; // Not including antialiasing\\n if (other_right.y >= ONE_MINUS_SMALL) { // other_right.y is -cos(turn_angle)\\n // 180 degree turn.\\n return abs(hw - v_coords.x);\\n }\\n else {\\n const vec2 segment_right = vec2(0.0, -1.0);\\n // corner_right is unit vector bisecting corner facing right, in coord reference frame\\n vec2 corner_right = normalize(other_right + segment_right);\\n vec2 outside_point = (-hw*sign_turn_right)*segment_right;\\n return hw + sign_turn_right*dot(outside_point - coords, corner_right);\\n }\\n}\\n\\nfloat cap(in int cap_type, in float x, in float y)\\n{\\n // x is distance along segment in direction away from end of segment,\\n // y is distance across segment.\\n if (cap_type == butt_cap)\\n return max(0.5*v_linewidth - x, abs(y));\\n else if (cap_type == square_cap)\\n return max(-x, abs(y));\\n else // cap_type == round_cap\\n return distance(vec2(min(x, 0.0), y), vec2(0.0, 0.0));\\n}\\n\\nfloat distance_to_alpha(in float dist)\\n{\\n return 1.0 - smoothstep(0.5*(v_linewidth - u_antialias),\\n 0.5*(v_linewidth + u_antialias), dist);\\n}\\n\\nvec2 turn_angle_to_right_vector(in float cos_turn_angle, in float sign_turn_right)\\n{\\n float sin_turn_angle = sign_turn_right*sqrt(1.0 - cos_turn_angle*cos_turn_angle);\\n return vec2(sin_turn_angle, -cos_turn_angle);\\n}\\n\\n#ifdef DASHED\\nfloat dash_distance(in float x)\\n{\\n // x is in direction of v_coords.x, i.e. along segment.\\n float tex_length = v_dash_tex_info.x;\\n float tex_offset = v_dash_tex_info.y;\\n float tex_dist_min = v_dash_tex_info.z;\\n float tex_dist_max = v_dash_tex_info.w;\\n\\n // Apply offset.\\n x += v_length_so_far - v_dash_scale*tex_offset + v_dash_offset;\\n\\n // Interpolate within texture to obtain distance to dash.\\n float dist = texture2D(u_dash_tex,\\n vec2(x / (tex_length*v_dash_scale), 0.0)).a;\\n\\n // Scale distance within min and max limits.\\n dist = tex_dist_min + dist*(tex_dist_max - tex_dist_min);\\n\\n return v_dash_scale*dist;\\n}\\n\\nmat2 rotation_matrix(in vec2 other_right)\\n{\\n float sin_angle = other_right.x;\\n float cos_angle = -other_right.y;\\n return mat2(cos_angle, -sin_angle, sin_angle, cos_angle);\\n}\\n#endif\\n\\nvoid main()\\n{\\n int join_type = int(v_line_join + 0.5);\\n int cap_type = int(v_line_cap + 0.5);\\n float halfwidth = 0.5*(v_linewidth + u_antialias);\\n float half_antialias = 0.5*u_antialias;\\n\\n // Extract flags.\\n int flags = int(v_flags + 0.5);\\n bool turn_right_end = (flags / 32 > 0);\\n float sign_turn_right_end = turn_right_end ? 1.0 : -1.0;\\n flags -= 32*int(turn_right_end);\\n bool turn_right_start = (flags / 16 > 0);\\n float sign_turn_right_start = turn_right_start ? 1.0 : -1.0;\\n flags -= 16*int(turn_right_start);\\n bool miter_too_large_end = (flags / 8 > 0);\\n flags -= 8*int(miter_too_large_end);\\n bool miter_too_large_start = (flags / 4 > 0);\\n flags -= 4*int(miter_too_large_start);\\n bool has_end_cap = (flags / 2 > 0);\\n flags -= 2*int(has_end_cap);\\n bool has_start_cap = flags > 0;\\n\\n // Unit vectors to right of previous and next segments in coord reference frame\\n vec2 prev_right = turn_angle_to_right_vector(v_cos_turn_angle_start, sign_turn_right_start);\\n vec2 next_right = turn_angle_to_right_vector(v_cos_turn_angle_end, sign_turn_right_end);\\n\\n float dist = v_coords.y; // For straight segment, and miter join.\\n\\n // Along-segment coords with respect to end of segment, facing inwards\\n vec2 end_coords = vec2(v_segment_length, 0.0) - v_coords;\\n\\n if (v_coords.x <= half_antialias) {\\n // At start of segment, either cap or join.\\n if (has_start_cap)\\n dist = cap(cap_type, v_coords.x, v_coords.y);\\n else if (join_type == round_join) {\\n if (v_coords.x <= 0.0)\\n dist = distance(v_coords, vec2(0.0, 0.0));\\n }\\n else { // bevel or miter join\\n if (join_type == bevel_join || miter_too_large_start)\\n dist = max(abs(dist), bevel_join_distance(v_coords, prev_right, sign_turn_right_start));\\n float prev_sideways_dist = -sign_turn_right_start*dot(v_coords, prev_right);\\n dist = max(abs(dist), prev_sideways_dist);\\n }\\n }\\n\\n if (end_coords.x <= half_antialias) {\\n if (has_end_cap) {\\n dist = max(abs(dist), cap(cap_type, end_coords.x, v_coords.y));\\n }\\n else if (join_type == bevel_join || miter_too_large_end) {\\n // Bevel join at end impacts half antialias distance\\n dist = max(abs(dist), bevel_join_distance(end_coords, next_right, sign_turn_right_end));\\n }\\n }\\n\\n float alpha = distance_to_alpha(abs(dist));\\n\\n#ifdef DASHED\\n if (v_dash_tex_info.x >= 0.0) {\\n // Dashes in straight segments (outside of joins) are easily calculated.\\n dist = dash_distance(v_coords.x);\\n\\n vec2 prev_coords = rotation_matrix(prev_right)*v_coords;\\n float start_dash_distance = dash_distance(0.0);\\n\\n if (!has_start_cap && cap_type == butt_cap) {\\n // Outer of start join rendered solid color or not at all depending on whether corner\\n // point is in dash or gap, with antialiased ends.\\n bool outer_solid = start_dash_distance >= 0.0 && v_coords.x < half_antialias && prev_coords.x > -half_antialias;\\n if (outer_solid) {\\n // Within solid outer region, antialiased at ends\\n float half_aa_dist = dash_distance(half_antialias);\\n if (half_aa_dist > 0.0) // Next dash near, do not want antialiased gap\\n dist = half_aa_dist - v_coords.x + half_antialias;\\n else\\n dist = start_dash_distance - v_coords.x;\\n\\n half_aa_dist = dash_distance(-half_antialias);\\n if (half_aa_dist > 0.0) // Prev dash nearm do not want antialiased gap\\n dist = min(dist, half_aa_dist + prev_coords.x + half_antialias);\\n else\\n dist = min(dist, start_dash_distance + prev_coords.x);\\n }\\n else {\\n // Outer not rendered, antialias ends.\\n if (v_coords.x < half_antialias)\\n dist = min(0.0, dash_distance(half_antialias) - half_antialias) + v_coords.x;\\n\\n if (prev_coords.x > -half_antialias && prev_coords.x <= half_antialias) {\\n // Antialias from end of previous segment into join\\n float prev_dist = min(0.0, dash_distance(-half_antialias) - half_antialias) - prev_coords.x;\\n // Consider width of previous segment\\n prev_dist = min(prev_dist, 0.5*v_linewidth - abs(prev_coords.y));\\n dist = max(dist, prev_dist);\\n }\\n }\\n }\\n\\n if (!has_end_cap && cap_type == butt_cap && end_coords.x < half_antialias) {\\n float end_dash_distance = dash_distance(v_segment_length);\\n bool increasing = end_dash_distance >= 0.0 && sign_turn_right_end*v_coords.y < 0.0;\\n if (!increasing) {\\n float half_aa_dist = dash_distance(v_segment_length - half_antialias);\\n dist = min(0.0, half_aa_dist - half_antialias) + end_coords.x;\\n }\\n }\\n\\n dist = cap(cap_type, dist, v_coords.y);\\n\\n float dash_alpha = distance_to_alpha(dist);\\n alpha = min(alpha, dash_alpha);\\n }\\n#endif\\n\\n alpha = v_line_color.a*alpha;\\n gl_FragColor = vec4(v_line_color.rgb*alpha, alpha); // Premultiplied alpha.\\n}\\n\"},\n", " 576: function _(n,e,i,_,a){_();i.default=\"\\nprecision mediump float;\\n\\nattribute vec2 a_position;\\nattribute vec2 a_center;\\nattribute float a_width; // or radius or outer_radius\\nattribute float a_height; // or inner_radius\\nattribute float a_angle; // or start_angle\\nattribute float a_aux; // or end_angle\\nattribute float a_linewidth;\\nattribute vec4 a_line_color;\\nattribute vec4 a_fill_color;\\nattribute float a_line_cap;\\nattribute float a_line_join;\\nattribute float a_show;\\n\\n#ifdef HATCH\\nattribute float a_hatch_pattern;\\nattribute float a_hatch_scale;\\nattribute float a_hatch_weight;\\nattribute vec4 a_hatch_color;\\n#endif\\n\\nuniform vec2 u_canvas_size;\\nuniform float u_antialias;\\n\\n#ifdef MULTI_MARKER\\nuniform float u_size_hint;\\n#endif\\n\\n#ifdef USE_ROUND_RECT\\nuniform vec4 u_border_radius;\\nvarying vec4 v_border_radius;\\n#endif\\n\\n#ifdef USE_ANNULAR_WEDGE\\nvarying float v_outer_radius;\\nvarying float v_inner_radius;\\nvarying float v_start_angle;\\nvarying float v_end_angle;\\n#endif\\n\\n#ifdef USE_ANNULUS\\nvarying float v_outer_radius;\\nvarying float v_inner_radius;\\n#endif\\n\\n#ifdef USE_WEDGE\\nvarying float v_radius;\\nvarying float v_start_angle;\\nvarying float v_end_angle;\\n#endif\\n\\n#if defined(USE_CIRCLE) || defined(USE_NGON)\\nvarying float v_radius;\\n#endif\\n\\n#ifdef USE_NGON\\nvarying float v_n;\\n#endif\\n\\nvarying float v_linewidth;\\nvarying vec2 v_size; // 2D size for rects compared to 1D for markers.\\nvarying vec4 v_line_color;\\nvarying vec4 v_fill_color;\\nvarying float v_line_cap;\\nvarying float v_line_join;\\nvarying vec2 v_coords;\\n\\n#ifdef HATCH\\nvarying float v_hatch_pattern;\\nvarying float v_hatch_scale;\\nvarying float v_hatch_weight;\\nvarying vec4 v_hatch_color;\\nvarying vec2 v_hatch_coords;\\n#endif\\n\\n#ifdef MULTI_MARKER\\n\\n#define M_DASH 1\\n#define M_DOT 2\\n#define M_DIAMOND 3\\n#define M_HEX 4\\n#define M_SQUARE_PIN 5\\n#define M_TRIANGLE 6\\n#define M_TRIANGLE_PIN 7\\n#define M_STAR 8\\n\\nvec2 enclosing_size() {\\n // Need extra size of (v_linewidth+u_antialias) if edge of marker parallel to\\n // edge of bounding box. If symmetric spike towards edge then multiply by\\n // 1/cos(theta) where theta is angle between spike and bbox edges.\\n int size_hint = int(u_size_hint + 0.5);\\n if (size_hint == M_DASH)\\n return vec2(v_size.x + v_linewidth + u_antialias,\\n v_linewidth + u_antialias);\\n else if (size_hint == M_DOT)\\n return 0.25*v_size + u_antialias;\\n else if (size_hint == M_DIAMOND)\\n return vec2(v_size.x*(2.0/3.0) + (v_linewidth + u_antialias)*1.20185,\\n v_size.y + (v_linewidth + u_antialias)*1.80278);\\n else if (size_hint == M_HEX)\\n return v_size + (v_linewidth + u_antialias)*vec2(2.0/sqrt(3.0), 1.0);\\n else if (size_hint == M_SQUARE_PIN) // Square pin\\n return v_size + (v_linewidth + u_antialias)*3.1;\\n else if (size_hint == M_TRIANGLE)\\n return vec2(v_size.x + (v_linewidth + u_antialias)*sqrt(3.0),\\n v_size.y*(2.0/sqrt(3.0)) + (v_linewidth + u_antialias)*2.0);\\n else if (size_hint == M_TRIANGLE_PIN)\\n return v_size + (v_linewidth + u_antialias)*vec2(4.8, 6.0);\\n else if (size_hint == M_STAR)\\n return vec2(v_size.x*0.95106 + (v_linewidth + u_antialias)*3.0,\\n v_size.y + (v_linewidth + u_antialias)*3.2);\\n else\\n return v_size + v_linewidth + u_antialias;\\n}\\n#else\\nvec2 enclosing_size() {\\n return v_size + v_linewidth + u_antialias;\\n}\\n#endif\\n\\nvoid main()\\n{\\n#if defined(USE_RECT) || defined(USE_ROUND_RECT) || defined(USE_HEX_TILE)\\n v_size = vec2(a_width, a_height);\\n#elif defined(USE_ANNULUS) || defined(USE_ANNULAR_WEDGE) || defined(USE_WEDGE)\\n v_size = vec2(2.0*a_width, 2.0*a_width);\\n#else\\n v_size = vec2(a_width, a_width);\\n#endif\\n\\n#ifdef USE_NGON\\n v_n = a_aux;\\n#endif\\n\\n if (a_show < 0.5 || v_size.x < 0.0 || v_size.y < 0.0 || (v_size.x == 0.0 && v_size.y == 0.0)\\n#ifdef USE_NGON\\n || v_n < 3.0\\n#endif\\n ) {\\n // Do not show this marker.\\n gl_Position = vec4(-2.0, -2.0, 0.0, 1.0);\\n return;\\n }\\n\\n#ifdef USE_ANNULAR_WEDGE\\n v_outer_radius = a_width;\\n v_inner_radius = a_height;\\n v_start_angle = a_angle;\\n v_end_angle = a_aux;\\n#endif\\n\\n#ifdef USE_ANNULUS\\n v_outer_radius = a_width;\\n v_inner_radius = a_height;\\n#endif\\n\\n#ifdef USE_WEDGE\\n v_radius = a_width;\\n v_start_angle = a_angle;\\n v_end_angle = a_aux;\\n#endif\\n\\n#if defined(USE_CIRCLE) || defined(USE_NGON)\\n v_radius = 0.5*a_width;\\n#endif\\n\\n#ifdef USE_ROUND_RECT\\n // Scale corner radii if they are too large, the same as canvas\\n // https://html.spec.whatwg.org/multipage/canvas.html#dom-context-2d-roundrect\\n // Order of border_radius is top_left, top_right, bottom_right, bottom_left\\n const vec2 unit2 = vec2(1.0, 1.0);\\n float scale = min(v_size.x / max(dot(u_border_radius.xy, unit2), dot(u_border_radius.zw, unit2)),\\n v_size.y / max(dot(u_border_radius.yz, unit2), dot(u_border_radius.wx, unit2)));\\n v_border_radius = u_border_radius*min(scale, 1.0);\\n#endif\\n\\n v_linewidth = a_linewidth;\\n v_line_color = a_line_color;\\n v_fill_color = a_fill_color;\\n v_line_cap = a_line_cap;\\n v_line_join = a_line_join;\\n\\n if (v_linewidth < 1.0) {\\n // Linewidth less than 1 is implemented as 1 but with reduced alpha.\\n v_line_color.a *= v_linewidth;\\n v_linewidth = 1.0;\\n }\\n\\n#ifdef HATCH\\n v_hatch_pattern = a_hatch_pattern;\\n v_hatch_scale = a_hatch_scale;\\n v_hatch_weight = a_hatch_weight;\\n v_hatch_color = a_hatch_color;\\n#endif\\n\\n // Coordinates in rotated frame with respect to center of marker, used for\\n // distance functions in fragment shader.\\n v_coords = a_position*enclosing_size();\\n\\n#if defined(USE_CIRCLE) || defined(USE_ANNULUS) || defined(USE_ANNULAR_WEDGE) || defined(USE_WEDGE)\\n vec2 pos = a_center + v_coords;\\n#else\\n float c = cos(-a_angle);\\n float s = sin(-a_angle);\\n mat2 rotation = mat2(c, -s, s, c);\\n\\n vec2 pos = a_center + rotation*v_coords;\\n#endif\\n\\n#ifdef HATCH\\n // Coordinates for hatching in unrotated frame of reference.\\n v_hatch_coords = pos - 0.5;\\n#endif\\n\\n pos += 0.5; // Make up for Bokeh's offset.\\n pos /= u_canvas_size; // 0 to 1.\\n gl_Position = vec4(2.0*pos.x - 1.0, 1.0 - 2.0*pos.y, 0.0, 1.0);\\n}\\n\"},\n", " 577: function _(n,i,e,t,a){t();e.default=\"\\nprecision mediump float;\\n\\nconst float SQRT2 = sqrt(2.0);\\nconst float SQRT3 = sqrt(3.0);\\nconst float PI = 3.14159265358979323846;\\n\\nconst int butt_cap = 0;\\nconst int round_cap = 1;\\nconst int square_cap = 2;\\n\\nconst int miter_join = 0;\\nconst int round_join = 1;\\nconst int bevel_join = 2;\\n\\n#ifdef HATCH\\nconst int hatch_dot = 1;\\nconst int hatch_ring = 2;\\nconst int hatch_horizontal_line = 3;\\nconst int hatch_vertical_line = 4;\\nconst int hatch_cross = 5;\\nconst int hatch_horizontal_dash = 6;\\nconst int hatch_vertical_dash = 7;\\nconst int hatch_spiral = 8;\\nconst int hatch_right_diagonal_line = 9;\\nconst int hatch_left_diagonal_line = 10;\\nconst int hatch_diagonal_cross = 11;\\nconst int hatch_right_diagonal_dash = 12;\\nconst int hatch_left_diagonal_dash = 13;\\nconst int hatch_horizontal_wave = 14;\\nconst int hatch_vertical_wave = 15;\\nconst int hatch_criss_cross = 16;\\n#endif\\n\\nuniform float u_antialias;\\n\\nvarying vec2 v_coords;\\nvarying vec2 v_size;\\n\\n#ifdef USE_ANNULAR_WEDGE\\nvarying float v_outer_radius;\\nvarying float v_inner_radius;\\nvarying float v_start_angle;\\nvarying float v_end_angle;\\n#endif\\n\\n#ifdef USE_ANNULUS\\nvarying float v_outer_radius;\\nvarying float v_inner_radius;\\n#endif\\n\\n#ifdef USE_WEDGE\\nvarying float v_radius;\\nvarying float v_start_angle;\\nvarying float v_end_angle;\\n#endif\\n\\n#if defined(USE_CIRCLE) || defined(USE_NGON)\\nvarying float v_radius;\\n#endif\\n\\n#ifdef USE_NGON\\nvarying float v_n;\\n#endif\\n\\n#ifdef USE_ROUND_RECT\\nvarying vec4 v_border_radius;\\n#endif\\n\\nvarying float v_linewidth;\\nvarying vec4 v_line_color;\\nvarying vec4 v_fill_color;\\nvarying float v_line_cap;\\nvarying float v_line_join;\\n\\n#ifdef HATCH\\nvarying float v_hatch_pattern;\\nvarying float v_hatch_scale;\\nvarying float v_hatch_weight;\\nvarying vec4 v_hatch_color;\\nvarying vec2 v_hatch_coords;\\n#endif\\n\\n// Lines within the marker (dot, cross, x and y) are added at the end as they are\\n// on top of the fill rather than astride it.\\n#if defined(USE_CIRCLE_DOT) || defined(USE_DIAMOND_DOT) || defined(USE_DOT) || defined(USE_HEX_DOT) || defined(USE_SQUARE_DOT) || defined(USE_STAR_DOT) || defined(USE_TRIANGLE_DOT)\\n #define APPEND_DOT\\n#endif\\n\\n#if defined(USE_CIRCLE_CROSS) || defined(USE_SQUARE_CROSS)\\n #define APPEND_CROSS\\n#endif\\n\\n#ifdef USE_DIAMOND_CROSS\\n #define APPEND_CROSS_2\\n#endif\\n\\n#ifdef USE_CIRCLE_X\\n #define APPEND_X\\n #define APPEND_X_LEN (0.5*v_size.x)\\n#endif\\n\\n#ifdef USE_SQUARE_X\\n #define APPEND_X\\n #define APPEND_X_LEN (v_size.x/SQRT2)\\n#endif\\n\\n#ifdef USE_CIRCLE_Y\\n #define APPEND_Y\\n#endif\\n\\n#if defined(USE_ASTERISK) || defined(USE_CROSS) || defined(USE_DASH) || defined(USE_DOT) || defined(USE_X) || defined(USE_Y)\\n // No fill.\\n #define LINE_ONLY\\n#endif\\n\\n#if defined(LINE_ONLY) || defined(APPEND_CROSS) || defined(APPEND_CROSS_2) || defined(APPEND_X) || defined(APPEND_Y)\\nfloat end_cap_distance(in vec2 p, in vec2 end_point, in vec2 unit_direction, in int line_cap)\\n{\\n vec2 offset = p - end_point;\\n if (line_cap == butt_cap)\\n return dot(offset, unit_direction) + 0.5*v_linewidth;\\n else if (line_cap == square_cap)\\n return dot(offset, unit_direction);\\n else if (line_cap == round_cap && dot(offset, unit_direction) > 0.0)\\n return length(offset);\\n else\\n // Default is outside of line and should be -0.5*(v_linewidth+u_antialias) or less,\\n // so here avoid the multiplication.\\n return -v_linewidth-u_antialias;\\n}\\n#endif\\n\\n#if !(defined(LINE_ONLY) || defined(USE_SQUARE_PIN) || defined(USE_TRIANGLE_PIN))\\n// For line join at a vec2 corner where 2 line segments meet, consider bevel points which are the 2\\n// points obtained by moving half a linewidth away from the corner point in the directions normal to\\n// the line segments. The line through these points is the bevel line, characterised by a vec2\\n// unit_normal and offset distance from the corner point. Edge of bevel join straddles this line,\\n// round join occurs outside of this line centred on the corner point. In general\\n// offset = (linewidth/2)*sin(alpha/2)\\n// where alpha is the angle between the 2 line segments at the corner.\\nfloat line_join_distance_no_miter(\\n in vec2 p, in vec2 corner, in vec2 unit_normal, in float offset, in int line_join)\\n{\\n // Simplified version of line_join_distance ignoring miter which most markers do implicitly\\n // as they are composed of straight line segments.\\n float dist_outside = dot((p - corner), unit_normal) - offset;\\n\\n if (line_join == bevel_join && dist_outside > -0.5*u_antialias)\\n return dist_outside + 0.5*v_linewidth;\\n else if (dist_outside > 0.0) // round_join\\n return distance(p, corner);\\n else\\n // Default is outside of line and should be -0.5*(v_linewidth+u_antialias) or less,\\n // so here avoid the multiplication.\\n return -v_linewidth-u_antialias;\\n}\\n#endif\\n\\n#if defined(USE_SQUARE_PIN) || defined(USE_TRIANGLE_PIN)\\n// Line join distance including miter but only one-sided check as assuming use of symmetry in\\n// calling function.\\nfloat line_join_distance_incl_miter(\\n in vec2 p, in vec2 corner, in vec2 unit_normal, in float offset, in int line_join,\\n vec2 miter_unit_normal)\\n{\\n float dist_outside = dot((p - corner), unit_normal) - offset;\\n\\n if (line_join == miter_join && dist_outside > 0.0)\\n return dot((p - corner), miter_unit_normal);\\n else if (line_join == bevel_join && dist_outside > -0.5*u_antialias)\\n return dist_outside + 0.5*v_linewidth;\\n else if (dist_outside > 0.0) // round_join\\n return distance(p, corner);\\n else\\n return -v_linewidth-u_antialias;\\n}\\n#endif\\n\\n#if defined(APPEND_CROSS) || defined(APPEND_X) || defined(USE_ASTERISK) || defined(USE_CROSS) || defined(USE_X)\\nfloat one_cross(in vec2 p, in int line_cap, in float len)\\n{\\n p = abs(p);\\n p = (p.y > p.x) ? p.yx : p.xy;\\n float dist = p.y;\\n float end_dist = end_cap_distance(p, vec2(len, 0.0), vec2(1.0, 0.0), line_cap);\\n return max(dist, end_dist);\\n}\\n#endif\\n\\n#ifdef APPEND_CROSS_2\\nfloat one_cross_2(in vec2 p, in int line_cap, in vec2 lengths)\\n{\\n // Cross with different length in x and y directions.\\n p = abs(p);\\n bool switch_xy = (p.y > p.x);\\n p = switch_xy ? p.yx : p.xy;\\n float len = switch_xy ? lengths.y : lengths.x;\\n float dist = p.y;\\n float end_dist = end_cap_distance(p, vec2(len, 0.0), vec2(1.0, 0.0), line_cap);\\n return max(dist, end_dist);\\n}\\n#endif\\n\\n#if defined(APPEND_Y) || defined(USE_Y)\\nfloat one_y(in vec2 p, in int line_cap, in float len)\\n{\\n p = vec2(abs(p.x), -p.y);\\n\\n // End point of line to right is (1/2, 1/3)*len*SQRT3.\\n // Unit vector along line is (1/2, 1/3)*k where k = 6/SQRT13.\\n const float k = 6.0/sqrt(13.0);\\n vec2 unit_along = vec2(0.5*k, k/3.0);\\n vec2 end_point = vec2(0.5*len*SQRT3, len*SQRT3/3.0);\\n float dist = max(abs(dot(p, vec2(-unit_along.y, unit_along.x))),\\n end_cap_distance(p, end_point, unit_along, line_cap));\\n\\n if (p.y < 0.0) {\\n // Vertical line.\\n float vert_dist = max(p.x,\\n end_cap_distance(p, vec2(0.0, -len), vec2(0.0, -1.0), line_cap));\\n dist = min(dist, vert_dist);\\n }\\n return dist;\\n}\\n#endif\\n\\n// One marker_distance function per marker type.\\n// Distance is zero on edge of marker, +ve outside and -ve inside.\\n\\n#ifdef USE_ASTERISK\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n vec2 p_diag = vec2((p.x + p.y)/SQRT2, (p.x - p.y)/SQRT2);\\n float len = 0.5*v_size.x;\\n return min(one_cross(p, line_cap, len), // cross\\n one_cross(p_diag, line_cap, len)); // x\\n}\\n#endif\\n\\n#if defined(USE_ANNULUS) || defined(USE_WEDGE) || defined(USE_ANNULAR_WEDGE)\\nfloat merge(in float d1, in float d2)\\n{\\n return min(d1, d2);\\n}\\n\\nfloat intersect(in float d1, in float d2)\\n{\\n return max(d1, d2);\\n}\\n\\nfloat subtract(in float d1, in float d2)\\n{\\n return max(d1, -d2);\\n}\\n\\nfloat circle(in vec2 p, in float radius)\\n{\\n return length(p) - radius;\\n}\\n\\nfloat segment_square(in vec2 p, in vec2 q) {\\n vec2 v = p - q*clamp(dot(p, q)/dot(q, q), 0.0, 1.0);\\n return dot(v, v);\\n}\\n\\nvec2 xy(in float angle)\\n{\\n return vec2(cos(angle), sin(angle));\\n}\\n\\nfloat cross_z(in vec2 v0, in vec2 v1)\\n{\\n return v0.x*v1.y - v0.y*v1.x;\\n}\\n\\n// From https://www.shadertoy.com/view/wldXWB (MIT licensed)\\nfloat wedge(in vec2 p, in float r, in float start_angle, in float end_angle)\\n{\\n vec2 a = r*xy(start_angle);\\n vec2 b = r*xy(end_angle);\\n\\n // distance\\n float d = sqrt(merge(segment_square(p, a), segment_square(p, b)));\\n\\n // sign\\n float s;\\n if (cross_z(a, b) < 0.0) {\\n s = sign(max(cross_z(a, p), cross_z(p, b)));\\n } else {\\n s = -sign(max(cross_z(p, a), cross_z(b, p)));\\n }\\n\\n return s*d;\\n}\\n\\nfloat annulus(in vec2 p, in float outer_radius, in float inner_radius)\\n{\\n float outer = circle(p, outer_radius);\\n float inner = circle(p, inner_radius);\\n\\n return subtract(outer, inner);\\n}\\n#endif\\n\\n#if defined(USE_ANNULUS)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n return annulus(p, v_outer_radius, v_inner_radius);\\n}\\n#endif\\n\\n#if defined(USE_WEDGE)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n return intersect(\\n circle(p, v_radius),\\n wedge(p, v_radius, v_start_angle, v_end_angle));\\n}\\n#endif\\n\\n#if defined(USE_ANNULAR_WEDGE)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n return intersect(\\n annulus(p, v_outer_radius, v_inner_radius),\\n wedge(p, v_outer_radius, v_start_angle, v_end_angle));\\n}\\n#endif\\n\\n#if defined(USE_CIRCLE) || defined(USE_CIRCLE_CROSS) || defined(USE_CIRCLE_DOT) || defined(USE_CIRCLE_X) || defined(USE_CIRCLE_Y)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n return length(p) - 0.5*v_size.x;\\n}\\n#endif\\n\\n#ifdef USE_CROSS\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n return one_cross(p, line_cap, 0.5*v_size.x);\\n}\\n#endif\\n\\n#ifdef USE_DASH\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n p = abs(p);\\n float dist = p.y;\\n float end_dist = end_cap_distance(p, vec2(0.5*v_size.x, 0.0), vec2(1.0, 0.0), line_cap);\\n return max(dist, end_dist);\\n}\\n#endif\\n\\n#if defined(USE_DIAMOND) || defined(USE_DIAMOND_CROSS) || defined(USE_DIAMOND_DOT)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n // Only need to consider +ve quadrant, the 2 end points are (2r/3, 0) and (0, r)\\n // where r = radius = v_size.x/2.\\n // Line has outward-facing unit normal vec2(1, 2/3)/k where k = SQRT13/3\\n // hence vec2(3, 2)/SQRT13, and distance from origin of 2r/(3k) = 2r/SQRT13.\\n p = abs(p);\\n float r = 0.5*v_size.x;\\n const float SQRT13 = sqrt(13.0);\\n float dist = dot(p, vec2(3.0, 2.0))/SQRT13 - 2.0*r/SQRT13;\\n\\n if (line_join != miter_join) {\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(0.0, r), vec2(0.0, 1.0), v_linewidth/SQRT13, line_join));\\n\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(r*2.0/3.0, 0.0), vec2(1.0, 0.0), v_linewidth*(1.5/SQRT13), line_join));\\n }\\n\\n return dist;\\n}\\n#endif\\n\\n#ifdef USE_DOT\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Dot is always appended.\\n return v_linewidth+u_antialias;\\n}\\n#endif\\n\\n#if defined(USE_HEX_TILE) || defined(USE_HEX) || defined(USE_HEX_DOT)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // A regular hexagon has v_size.x == v.size_y = r where r is the length of\\n // each of the 3 sides of the 6 equilateral triangles that comprise the hex.\\n // Only consider +ve quadrant, the 3 corners are at (0, h), (rx/2, h), (rx, 0)\\n // where rx = 0.5*v_size.x, ry = 0.5*v_size.y and h = ry*SQRT3/2.\\n // Sloping line has outward normal vec2(h, rx/2). Length of this is\\n // len = sqrt(h**2 + rx**2/4) to give unit normal (h, rx/2)/len and distance\\n // from origin of this line is rx*h/len.\\n p = abs(p);\\n float rx = v_size.x/2.0;\\n float h = v_size.y*(SQRT3/4.0);\\n float len_normal = sqrt(h*h + 0.25*rx*rx);\\n vec2 unit_normal = vec2(h, 0.5*rx) / len_normal;\\n float dist = max(dot(p, unit_normal) - rx*h/len_normal, // Distance from sloping line.\\n p.y - h); // Distance from horizontal line.\\n\\n if (line_join != miter_join) {\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(rx, 0.0), vec2(1.0, 0.0), 0.5*v_linewidth*unit_normal.x, line_join));\\n\\n unit_normal = normalize(unit_normal + vec2(0.0, 1.0)); // At (rx/2, h) corner.\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(0.5*rx, h), unit_normal, 0.5*v_linewidth*unit_normal.y, line_join));\\n }\\n return dist;\\n}\\n#endif\\n\\n#ifdef USE_NGON\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n float side_angle = 2.0*PI / v_n; // Angle subtended by 1 side of ngon at center.\\n\\n // Use symmetry to transform p around center into first half of first side of ngon.\\n p.y = -p.y;\\n float angle = mod(atan(p.x, p.y), side_angle);\\n angle = min(angle, side_angle - angle);\\n p = length(p)*vec2(sin(angle), cos(angle));\\n\\n float half_angle = 0.5*side_angle;\\n float cos_half_angle = cos(half_angle);\\n vec2 unit_normal = vec2(sin(half_angle), cos_half_angle);\\n vec2 corner = vec2(0.0, v_size.y/2.0);\\n float dist = dot(p - corner, unit_normal);\\n\\n if (line_join != miter_join) {\\n dist = max(dist, line_join_distance_no_miter(\\n p, corner, vec2(0.0, 1.0), 0.5*v_linewidth*cos_half_angle, line_join));\\n }\\n return dist;\\n}\\n#endif\\n\\n#ifdef USE_PLUS\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n // Only need to consider one octant, the +ve quadrant with x >= y.\\n p = abs(p);\\n p = (p.y > p.x) ? p.yx : p.xy;\\n\\n // 3 corners are (r, 0), (r, 3r/8) and (3r/8, 3r/8).\\n float r = 0.5*v_size.x;\\n p = p - vec2(r, 0.375*r); // Distance with respect to outside corner\\n float dist = max(p.x, p.y);\\n\\n if (line_join != miter_join) {\\n // Outside corner\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(0.0, 0.0), vec2(1.0/SQRT2, 1.0/SQRT2), v_linewidth/(2.0*SQRT2), line_join));\\n\\n // Inside corner\\n dist = min(dist, -line_join_distance_no_miter(\\n p, vec2(-5.0*r/8.0, 0.0), vec2(-1.0/SQRT2, -1.0/SQRT2), v_linewidth/(2.0*SQRT2), line_join));\\n }\\n\\n return dist;\\n}\\n#endif\\n\\n#if defined(USE_ROUND_RECT)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n vec2 halfsize = v_size/2.0;\\n vec2 p2 = abs(p) - halfsize; // Offset from corner\\n float dist = max(p2.x, p2.y);\\n\\n if (line_join != miter_join) {\\n dist = max(dist, line_join_distance_no_miter(\\n p2, vec2(0.0, 0.0), vec2(1.0/SQRT2, 1.0/SQRT2), v_linewidth/(2.0*SQRT2), line_join));\\n }\\n\\n // Need to consider distance to all 4 corners\\n // Order of border_radius is top_left, top_right, bottom_right, bottom_left\\n vec4 border_radius = v_border_radius;\\n vec4 xsign = vec4(-1.0, 1.0, 1.0, -1.0);\\n vec4 ysign = vec4(-1.0, -1.0, 1.0, 1.0);\\n for (int i = 0; i < 4; i++) {\\n float radius = border_radius.x;\\n p2 = p*vec2(xsign.x, ysign.x); // In +ve quadrant\\n vec2 offset = p2 - halfsize + radius;\\n if (min(radius, min(offset.x, offset.y)) > 0.0) {\\n dist = max(dist, length(offset) - radius);\\n }\\n // Swizzle\\n border_radius.xyzw = border_radius.yzwx;\\n xsign.xyzw = xsign.yzwx;\\n ysign.xyzw = ysign.yzwx;\\n }\\n\\n return dist;\\n}\\n#endif\\n\\n#if defined(USE_RECT) || defined(USE_SQUARE) || defined(USE_SQUARE_CROSS) || defined(USE_SQUARE_DOT) || defined(USE_SQUARE_X)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n vec2 p2 = abs(p) - v_size/2.0; // Offset from corner\\n float dist = max(p2.x, p2.y);\\n\\n if (line_join != miter_join) {\\n dist = max(dist, line_join_distance_no_miter(\\n p2, vec2(0.0, 0.0), vec2(1.0/SQRT2, 1.0/SQRT2), v_linewidth/(2.0*SQRT2), line_join));\\n }\\n\\n return dist;\\n}\\n#endif\\n\\n#ifdef USE_SQUARE_PIN\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n p = abs(p);\\n p = (p.y > p.x) ? p.yx : p.xy;\\n // p is in octant between y=0 and y=x.\\n // Quadratic bezier curve passes through (r, r), (11r/16, 0) and (r, -r).\\n // Circular arc that passes through the same points has center at\\n // x = r + 231r/160 = 2.44275r and y = 0 and hence radius is\\n // x - 11r/16 = 1.75626 precisely.\\n float r = 0.5*v_size.x;\\n float center_x = r*2.44375;\\n float radius = r*1.75626;\\n float dist = radius - distance(p, vec2(center_x, 0.0));\\n\\n // Magic number is 0.5*sin(atan(8/5) - pi/4)\\n dist = max(dist, line_join_distance_incl_miter(\\n p, vec2(r, r), vec2(1.0/SQRT2, 1.0/SQRT2), v_linewidth*0.1124297533493792, line_join,\\n vec2(8.0/sqrt(89.0), -5.0/sqrt(89.0))));\\n\\n return dist;\\n}\\n#endif\\n\\n#if defined(USE_STAR) || defined(USE_STAR_DOT)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n const float SQRT5 = sqrt(5.0);\\n const float COS72 = 0.25*(SQRT5 - 1.0);\\n const float SIN72 = sqrt((5.0+SQRT5) / 8.0);\\n\\n float angle = atan(p.x, p.y); // In range -pi to +pi clockwise from +y direction.\\n angle = mod(angle, 0.4*PI) - 0.2*PI; // In range -pi/5 to +pi/5 clockwise from +y direction.\\n p = length(p)*vec2(cos(angle), abs(sin(angle))); // (x,y) in pi/10 (36 degree) sector.\\n\\n // 2 corners are at (r, 0) and (r-a*SIN72, a*COS72) where a = r sqrt(5-2*sqrt(5)).\\n // Line has outward-facing unit normal vec2(COS72, SIN72) and distance from\\n // origin of dot(vec2(r, 0), vec2(COS72, SIN72)) = r*COS72\\n float r = 0.5*v_size.x;\\n float a = r*sqrt(5.0 - 2.0*SQRT5);\\n float dist = dot(p, vec2(COS72, SIN72)) - r*COS72;\\n\\n if (line_join != miter_join) {\\n // Outside corner\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(r, 0.0), vec2(1.0, 0.0), v_linewidth*(0.5*COS72), line_join));\\n\\n // Inside corner\\n const float COS36 = sqrt(0.5 + COS72/2.0);\\n const float SIN36 = sqrt(0.5 - COS72/2.0);\\n dist = min(dist, -line_join_distance_no_miter(\\n p, vec2(r-a*SIN72, a*COS72), vec2(-COS36, -SIN36), v_linewidth*(0.5*COS36), line_join));\\n }\\n\\n return dist;\\n}\\n#endif\\n\\n#if defined(USE_TRIANGLE) || defined(USE_TRIANGLE_DOT) || defined(USE_INVERTED_TRIANGLE)\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n // For normal triangle 3 corners are at (-r, a), (r, a), (0, a-h)=(0, -2h/3)\\n // given r = radius = v_size.x/2, h = SQRT3*r, a = h/3.\\n // Sloping line has outward-facing unit normal vec2(h, -r)/2r = vec2(SQRT3, -1)/2\\n // and distance from origin of a. Horizontal line has outward-facing unit normal\\n // vec2(0, 1) and distance from origin of a.\\n float r = 0.5*v_size.x;\\n float a = r*SQRT3/3.0;\\n\\n // Only need to consider +ve x.\\n#ifdef USE_INVERTED_TRIANGLE\\n p = vec2(abs(p.x), -p.y);\\n#else\\n p = vec2(abs(p.x), p.y);\\n#endif\\n\\n float dist = max(0.5*dot(p, vec2(SQRT3, -1.0)) - a, // Distance from sloping line.\\n p.y - a); // Distance from horizontal line.\\n\\n if (line_join != miter_join) {\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(0.0, -(2.0/SQRT3)*r), vec2(0.0, -1.0), v_linewidth*0.25, line_join));\\n\\n dist = max(dist, line_join_distance_no_miter(\\n p, vec2(r, a), vec2(SQRT3/2.0, 0.5), v_linewidth*0.25, line_join));\\n }\\n\\n return dist;\\n}\\n#endif\\n\\n#ifdef USE_TRIANGLE_PIN\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n float angle = atan(p.x, -p.y); // In range -pi to +pi.\\n angle = mod(angle, PI*2.0/3.0) - PI/3.0; // In range -pi/3 to pi/3.\\n p = length(p)*vec2(cos(angle), abs(sin(angle))); // (x,y) in range 0 to pi/3.\\n // Quadratic bezier curve passes through (a, r), ((a+b)/2, 0) and (a, -r) where\\n // a = r/SQRT3, b = 3a/8 = r SQRT3/8. Circular arc that passes through the same points has\\n // center at (a+x, 0) and radius x+c where c = (a-b)/2 and x = (r**2 - c**2) / (2c).\\n // Ignore r factor until the end so can use const.\\n const float a = 1.0/SQRT3;\\n const float b = SQRT3/8.0;\\n const float c = (a-b)/2.0;\\n const float x = (1.0 - c*c) / (2.0*c);\\n const float center_x = x + a;\\n const float radius = x + c;\\n float r = 0.5*v_size.x;\\n float dist = r*radius - distance(p, vec2(r*center_x, 0.0));\\n\\n // Magic number is 0.5*sin(atan(8*sqrt(3)/5) - pi/3)\\n dist = max(dist, line_join_distance_incl_miter(\\n p, vec2(a*r, r), vec2(0.5, 0.5*SQRT3), v_linewidth*0.0881844526878324, line_join,\\n vec2(8.0*SQRT3, -5.0)/sqrt(217.0)));\\n\\n return dist;\\n}\\n#endif\\n\\n#ifdef USE_X\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n p = vec2((p.x + p.y)/SQRT2, (p.x - p.y)/SQRT2);\\n return one_cross(p, line_cap, 0.5*v_size.x);\\n}\\n#endif\\n\\n#ifdef USE_Y\\nfloat marker_distance(in vec2 p, in int line_cap, in int line_join)\\n{\\n // Assuming v_size.x == v.size_y\\n return one_y(p, line_cap, 0.5*v_size.x);\\n}\\n#endif\\n\\n// Convert distance from edge of marker to fraction in range 0 to 1, depending\\n// on antialiasing width.\\nfloat distance_to_fraction(in float dist)\\n{\\n return 1.0 - smoothstep(-0.5*u_antialias, 0.5*u_antialias, dist);\\n}\\n\\n// Return fraction from 0 (no fill color) to 1 (full fill color).\\nfloat fill_fraction(in float dist)\\n{\\n return distance_to_fraction(dist);\\n}\\n\\n// Return fraction in range 0 (no line color) to 1 (full line color).\\nfloat line_fraction(in float dist)\\n{\\n return distance_to_fraction(abs(dist) - 0.5*v_linewidth);\\n}\\n\\n// Return fraction (in range 0 to 1) of a color, with premultiplied alpha.\\nvec4 fractional_color(in vec4 color, in float fraction)\\n{\\n color.a *= fraction;\\n color.rgb *= color.a;\\n return color;\\n}\\n\\n// Blend colors that have premultiplied alpha.\\nvec4 blend_colors(in vec4 src, in vec4 dest)\\n{\\n return (1.0 - src.a)*dest + src;\\n}\\n\\n#ifdef APPEND_DOT\\nfloat dot_fraction(in vec2 p)\\n{\\n // Assuming v_size.x == v_size.y\\n float radius = 0.125*v_size.x;\\n float dot_distance = max(length(p) - radius, -0.5*u_antialias);\\n return fill_fraction(dot_distance);\\n}\\n#endif\\n\\n#ifdef HATCH\\n// Wrap coordinate(s) by removing integer part to give distance from center of\\n// repeat, in the range -0.5 to +0.5.\\nfloat wrap(in float x)\\n{\\n return fract(x) - 0.5;\\n}\\n\\nvec2 wrap(in vec2 xy)\\n{\\n return fract(xy) - 0.5;\\n}\\n\\n// Return fraction from 0 (no hatch color) to 1 (full hatch color).\\nfloat hatch_fraction(in vec2 coords, in int hatch_pattern)\\n{\\n float scale = v_hatch_scale; // Hatch repeat distance.\\n\\n // Coordinates and linewidth/halfwidth are scaled to hatch repeat distance.\\n coords = coords / scale;\\n float halfwidth = 0.5*v_hatch_weight / scale; // Half the hatch linewidth.\\n\\n // Default is to return fraction of zero, i.e. no pattern.\\n float dist = u_antialias;\\n\\n if (hatch_pattern == hatch_dot) {\\n const float dot_radius = 0.25;\\n dist = length(wrap(coords)) - dot_radius;\\n }\\n else if (hatch_pattern == hatch_ring) {\\n const float ring_radius = 0.25;\\n dist = abs(length(wrap(coords)) - ring_radius) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_horizontal_line) {\\n dist = abs(wrap(coords.y)) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_vertical_line) {\\n dist = abs(wrap(coords.x)) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_cross) {\\n dist = min(abs(wrap(coords.x)), abs(wrap(coords.y))) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_horizontal_dash) {\\n // Dashes have square caps.\\n const float halflength = 0.25;\\n dist = max(abs(wrap(coords.y)),\\n abs(wrap(coords.x) + 0.25) - halflength) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_vertical_dash) {\\n const float halflength = 0.25;\\n dist = max(abs(wrap(coords.x)),\\n abs(wrap(coords.y) + 0.25) - halflength) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_spiral) {\\n vec2 wrap2 = wrap(coords);\\n float angle = wrap(atan(wrap2.y, wrap2.x) / (2.0*PI));\\n // Canvas spiral radius increases by scale*pi/15 each rotation.\\n const float dr = PI/15.0;\\n float radius = length(wrap2);\\n // At any angle, spiral lines are equally spaced dr apart.\\n // Find distance to nearest of these lines.\\n float frac = fract((radius - dr*angle) / dr); // 0 to 1.\\n dist = dr*(abs(frac - 0.5));\\n dist = min(dist, radius) - halfwidth; // Consider center point also.\\n }\\n else if (hatch_pattern == hatch_right_diagonal_line) {\\n dist = abs(wrap(2.0*coords.x + coords.y))/sqrt(5.0) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_left_diagonal_line) {\\n dist = abs(wrap(2.0*coords.x - coords.y))/sqrt(5.0) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_diagonal_cross) {\\n coords = vec2(coords.x + coords.y + 0.5, coords.x - coords.y + 0.5);\\n dist = min(abs(wrap(coords.x)), abs(wrap(coords.y))) / SQRT2 - halfwidth;\\n }\\n else if (hatch_pattern == hatch_right_diagonal_dash) {\\n float across = coords.x + coords.y + 0.5;\\n dist = abs(wrap(across)) / SQRT2; // Distance to nearest solid line.\\n\\n across = floor(across); // Offset for dash.\\n float along = wrap(0.5*(coords.x - coords.y + across));\\n const float halflength = 0.25;\\n along = abs(along) - halflength; // Distance along line.\\n\\n dist = max(dist, along) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_left_diagonal_dash) {\\n float across = coords.x - coords.y + 0.5;\\n dist = abs(wrap(across)) / SQRT2; // Distance to nearest solid line.\\n\\n across = floor(across); // Offset for dash.\\n float along = wrap(0.5*(coords.x + coords.y + across));\\n const float halflength = 0.25;\\n along = abs(along) - halflength; // Distance along line.\\n\\n dist = max(dist, along) - halfwidth;\\n }\\n else if (hatch_pattern == hatch_horizontal_wave) {\\n float wrapx = wrap(coords.x);\\n float wrapy = wrap(coords.y - 0.25 + abs(wrapx));\\n dist = abs(wrapy) / SQRT2 - halfwidth;\\n }\\n else if (hatch_pattern == hatch_vertical_wave) {\\n float wrapy = wrap(coords.y);\\n float wrapx = wrap(coords.x - 0.25 + abs(wrapy));\\n dist = abs(wrapx) / SQRT2 - halfwidth;\\n }\\n else if (hatch_pattern == hatch_criss_cross) {\\n float plus = min(abs(wrap(coords.x)), abs(wrap(coords.y)));\\n\\n coords = vec2(coords.x + coords.y + 0.5, coords.x - coords.y + 0.5);\\n float X = min(abs(wrap(coords.x)), abs(wrap(coords.y))) / SQRT2;\\n\\n dist = min(plus, X) - halfwidth;\\n }\\n\\n return distance_to_fraction(dist*scale);\\n}\\n#endif\\n\\nvoid main()\\n{\\n int line_cap = int(v_line_cap + 0.5);\\n int line_join = int(v_line_join + 0.5);\\n#ifdef HATCH\\n int hatch_pattern = int(v_hatch_pattern + 0.5);\\n#endif\\n\\n float dist = marker_distance(v_coords, line_cap, line_join);\\n\\n#ifdef LINE_ONLY\\n vec4 color = vec4(0.0, 0.0, 0.0, 0.0);\\n#else\\n float fill_frac = fill_fraction(dist);\\n vec4 color = fractional_color(v_fill_color, fill_frac);\\n#endif\\n\\n#if defined(HATCH) && !defined(LINE_ONLY)\\n if (hatch_pattern > 0 && fill_frac > 0.0) {\\n float hatch_frac = hatch_fraction(v_hatch_coords, hatch_pattern);\\n vec4 hatch_color = fractional_color(v_hatch_color, hatch_frac*fill_frac);\\n color = blend_colors(hatch_color, color);\\n }\\n#endif\\n\\n float line_frac = line_fraction(dist);\\n\\n#ifdef APPEND_DOT\\n line_frac = max(line_frac, dot_fraction(v_coords));\\n#endif\\n#ifdef APPEND_CROSS\\n line_frac = max(line_frac, line_fraction(one_cross(v_coords, line_cap, 0.5*v_size.x)));\\n#endif\\n#ifdef APPEND_CROSS_2\\n vec2 lengths = vec2(v_size.x/3.0, v_size.x/2.0);\\n line_frac = max(line_frac, line_fraction(one_cross_2(v_coords, line_cap, lengths)));\\n#endif\\n#ifdef APPEND_X\\n vec2 p = vec2((v_coords.x + v_coords.y)/SQRT2, (v_coords.x - v_coords.y)/SQRT2);\\n line_frac = max(line_frac, line_fraction(one_cross(p, line_cap, APPEND_X_LEN)));\\n#endif\\n#ifdef APPEND_Y\\n line_frac = max(line_frac, line_fraction(one_y(v_coords, line_cap, 0.5*v_size.x)));\\n#endif\\n\\n if (line_frac > 0.0) {\\n vec4 line_color = fractional_color(v_line_color, line_frac);\\n color = blend_colors(line_color, color);\\n }\\n\\n gl_FragColor = color;\\n}\\n\"},\n", " 578: function _(t,e,r,s,_){s();const n=t(579);class a extends n.SXSYGlyphGL{constructor(t,e){super(t,e),this.glyph=e}get marker_type(){return\"annular_wedge\"}get outer_radius(){return this._widths}get inner_radius(){return this._heights}get start_angle(){return this._angles}get end_angle(){return this._auxs}_set_data(){super._set_data(),this.outer_radius.set_from_array(this.glyph.souter_radius),this.inner_radius.set_from_array(this.glyph.sinner_radius),\"anticlock\"==this.glyph.model.direction?(this.start_angle.set_from_prop(this.glyph.start_angle),this.end_angle.set_from_prop(this.glyph.end_angle)):(this.start_angle.set_from_prop(this.glyph.end_angle),this.end_angle.set_from_prop(this.glyph.start_angle))}}r.AnnularWedgeGL=a,a.__name__=\"AnnularWedgeGL\"},\n", " 579: function _(s,e,t,i,n){i();const r=s(580),_=s(584);class h extends r.SingleMarkerGL{constructor(s,e){super(s,e),this.glyph=e}_set_data(){const s=this.nvertices,e=this._centers.get_sized_array(2*s);(0,_.interleave)(this.glyph.sx,this.glyph.sy,s,r.SingleMarkerGL.missing_point,e),this._centers.update()}}t.SXSYGlyphGL=h,h.__name__=\"SXSYGlyphGL\"},\n", " 580: function _(s,a,t,e,_){e();const h=s(581);class l extends h.BaseMarkerGL{constructor(s,a){super(s,a),this.glyph=a}_get_visuals(){return this.glyph.visuals}draw(s,a,t){this._draw_impl(s,t,a.glglyph)}_draw_impl(s,a,t){(t.data_changed||t.data_mapped)&&(t.set_data(),t.data_changed=!1,t.data_mapped=!1),this.visuals_changed&&(this._set_visuals(),this.visuals_changed=!1);const e=t.nvertices,_=this._show.length,h=this._show.get_sized_array(e);if(s.length2&&e[0]==e[t-1]&&i[0]==i[t-1]&&isFinite(e[0]+i[0]);for(let _=1;_2&&e[0]==e[2*i-2]&&e[1]==e[2*i-1]?(s[0]=s[i-1],s[i]=s[1]):(s[0]=0,s[i]=0)}_set_visuals(){const s=this._get_visuals();this._line_color.set_from_color(s.line_color,s.line_alpha),this._linewidth.set_from_prop(s.line_width),this._line_cap.set_from_line_cap(s.line_cap),this._line_join.set_from_line_join(s.line_join);const{line_dash:e}=s;if(this._is_dashed=!(e.is_Scalar()&&0==e.get(0).length),this._is_dashed){null==this._dash_offset&&(this._dash_offset=new l.Float32Buffer(this.regl_wrapper)),this._dash_offset.set_from_prop(s.line_dash_offset);const i=e.length;null==this._dash_tex_info&&(this._dash_tex_info=new l.Float32Buffer(this.regl_wrapper,4));const t=this._dash_tex_info.get_sized_array(4*i);null==this._dash_scale&&(this._dash_scale=new l.Float32Buffer(this.regl_wrapper));const _=this._dash_scale.get_sized_array(i);for(let s=0;s0){const[e,h,l]=this.regl_wrapper.get_dash(i);this._dash_tex.push(h);for(let i=0;i<4;i++)t[4*s+i]=e[i];_[s]=l}else this._dash_tex.push(null),t.fill(0,4*s,4*(s+1)),_[s]=0}this._dash_tex_info.update(),this._dash_scale.update()}}}i.BaseLineGL=a,a.__name__=\"BaseLineGL\"},\n", " 587: function _(e,s,r,t,_){t();const c=e(588);class n extends c.RadialGL{constructor(e,s){super(e,s),this.glyph=s}get marker_type(){return\"circle\"}_set_once(){super._set_once(),this._angles.set_from_scalar(0)}}r.CircleGL=n,n.__name__=\"CircleGL\"},\n", " 588: function _(s,t,e,_,a){_();const i=s(579),r=s(13);class h extends i.SXSYGlyphGL{constructor(s,t){super(s,t),this.glyph=t}get size(){return this._widths}_set_data(){super._set_data(),this.size.set_from_array((0,r.mul)(this.glyph.sradius,2))}_set_once(){super._set_once(),this._heights.set_from_scalar(0)}}e.RadialGL=h,h.__name__=\"RadialGL\"},\n", " 589: function _(s,t,_,e,h){e();const a=s(579);class r extends a.SXSYGlyphGL{constructor(s,t){super(s,t),this.glyph=t}get marker_type(){return\"hex_tile\"}_set_data(){super._set_data(),\"pointytop\"==this.glyph.model.orientation?(this._angles.set_from_scalar(.5*Math.PI),this._widths.set_from_scalar(2*this.glyph.svy[0]),this._heights.set_from_scalar(4*this.glyph.svx[4]/Math.sqrt(3))):(this._angles.set_from_scalar(0),this._widths.set_from_scalar(2*this.glyph.svx[0]),this._heights.set_from_scalar(4*this.glyph.svy[4]/Math.sqrt(3)))}_set_once(){super._set_once(),this._auxs.set_from_scalar(0)}}_.HexTileGL=r,r.__name__=\"HexTileGL\"},\n", " 590: function _(t,e,s,a,i){a();const n=t(582),_=t(583),h=t(12);class l extends n.BaseGLGlyph{constructor(t,e){super(t,e),this._tex=[],this._bounds=[],this._image_changed=!1,this.glyph=e}draw(t,e,s){const a=e.glglyph;(a.data_changed||a.data_mapped)&&a._set_data(),(a._image_changed||a.data_changed)&&a._set_image(),a.data_changed=!1,a.data_mapped=!1,a._image_changed=!1;const{global_alpha:i}=this.glyph.visuals.image;for(const e of t){if(null==a._tex[e]||null==a._bounds[e])continue;const t={scissor:this.regl_wrapper.scissor,viewport:this.regl_wrapper.viewport,canvas_size:[s.width,s.height],bounds:a._bounds[e],tex:a._tex[e],global_alpha:i.get(e)};this.regl_wrapper.image()(t)}}set_image_changed(){this._image_changed=!0}_set_data(){const{image:t}=this.glyph,e=t.length;this._bounds.length!=e&&(this._bounds=Array(e).fill(null));for(let t=0;t0&&(l[r]=_[r]);for(let e=1;e0}else this._border_radius=[0,0,0,0],this._border_radius_nonzero=!1}_set_once(){super._set_once(),this._auxs.set_from_scalar(0)}}r.LRTBGL=a,a.__name__=\"LRTBGL\"},\n", " 594: function _(s,t,e,a,_){a();const h=s(586),i=s(583);class r extends h.BaseLineGL{constructor(s,t){super(s,t),this.glyph=t}draw(s,t,e){this.visuals_changed&&(this._set_visuals(),this.visuals_changed=!1);const a=t.glglyph,_=a.data_changed||a.data_mapped;_&&a._set_data(a.data_changed),(_&&a._is_dashed||this._is_dashed)&&a._set_length(),_&&(a.data_changed=!1,a.data_mapped=!1);const{data_size:h}=this.glyph;let i=null,r=null;h>1&&([i,r]=this.regl_wrapper.framebuffer_and_texture);let l=0,n=-1;for(const _ of s){for(let s=n+1;s<_;s++){l+=2*(t.sxs.get(s).length+2)}const s=t.sxs.get(_).length,h=s-1;if(null!=i&&this.regl_wrapper.clear_framebuffer(i),this._draw_single(a,e,_,l,h,i),null!=i){const s={scissor:this.regl_wrapper.scissor,viewport:this.regl_wrapper.viewport,framebuffer_tex:r};this.regl_wrapper.accumulate()(s)}l+=2*(s+2),n=_}}_get_visuals(){return this.glyph.visuals.line}_set_data(s){const t=this.glyph.data_size,e=this.glyph.sxs.data.length;null==this._points&&(this._points=new i.Float32Buffer(this.regl_wrapper));const a=this._points.get_sized_array(2*(e+2*t));let _=0;for(let s=0;s1||s.lengthh.MarkerType.valid(s)))}_set_once(){super._set_once(),this._heights.set_from_scalar(0),this._auxs.set_from_scalar(0)}}t.MultiMarkerGL=l,l.__name__=\"MultiMarkerGL\"},\n", " 596: function _(t,s,_,e,n){e();const a=t(588);class r extends a.RadialGL{constructor(t,s){super(t,s),this.glyph=s}get marker_type(){return\"ngon\"}_set_data(){super._set_data(),this._angles.set_from_prop(this.glyph.angle),this._auxs.set_from_prop(this.glyph.n)}}_.NgonGL=r,r.__name__=\"NgonGL\"},\n", " 597: function _(t,s,_,r,e){r();const h=t(579);class o extends h.SXSYGlyphGL{constructor(t,s){super(t,s),this.glyph=s}get marker_type(){return this._border_radius_nonzero?\"round_rect\":\"rect\"}_set_data(){super._set_data(),this._widths.set_from_array(this.glyph.swidth),this._heights.set_from_array(this.glyph.sheight),this._angles.set_from_prop(this.glyph.angle);const{top_left:t,top_right:s,bottom_right:_,bottom_left:r}=this.glyph.border_radius;this._border_radius=[t,s,_,r],this._border_radius_nonzero=Math.max(...this._border_radius)>0}_set_once(){super._set_once(),this._auxs.set_from_scalar(0)}}_.RectGL=o,o.__name__=\"RectGL\"},\n", " 598: function _(t,e,s,i,n){i();const a=t(583),h=t(592),r=t(12);class l extends h.SingleLineGL{constructor(t,e){super(t,e),this.glyph=e}draw(t,e,s){this._draw_impl(t,s,e.glglyph)}_get_show_buffer(t,e){const s=e._show;let i=s;const n=this.glyph.model.mode,h=s.length,r=\"center\"==n?(h+1)/3:h/2;if(t.length!=r){const e=s.get_sized_array(h);null==this._show&&(this._show=new a.Uint8Buffer(this.regl_wrapper));const r=this._show.get_sized_array(h);r.fill(0);const l=\"center\"==n?1:0;if(t.length>1)for(let s=0;s2&&t[0]==t[i-1]&&e[0]==e[i-1]&&isFinite(t[0])&&isFinite(e[0]),h=\"center\"==s?3*i-2:2*i-1;null==this._points&&(this._points=new a.Float32Buffer(this.regl_wrapper));const l=this._points.get_sized_array(2*(h+2));let o=isFinite(t[0]+e[0]),_=2;l[_++]=o?t[0]:NaN,l[_++]=e[0];for(let n=0;n{const{label:e}=this.model;return(0,c.isString)(e)?new d.Text({content:e}):e})();this.label_view=await this.owner.build_view(e,this)}async _rebuild_icon(){this.icon_view?.remove();const{icon:e}=this.model;null!=e&&(this.icon_view=await(0,_.build_view)(e,{parent:this}))}connect_signals(){super.connect_signals();const{label:e,icon:t,button_type:i,disabled:n}=this.model.properties;this.on_transitive_change(e,(async()=>{await this._rebuild_label(),this.rerender()})),this.on_transitive_change(t,(async()=>{await this._rebuild_icon(),this.rerender()})),this.on_change([i,n],(()=>{this.rerender()}))}remove(){this.label_view?.remove(),this.icon_view?.remove(),super.remove()}stylesheets(){return[...super.stylesheets(),w.default]}_render_button(...e){return(0,a.button)({type:\"button\",disabled:this.model.disabled,class:[v.btn,v[`btn_${this.model.button_type}`]]},...e)}render(){if(super.render(),this.label_view?.render(),this.button_el=this._render_button(this.label_view?.el),this.button_el.addEventListener(\"click\",(()=>this.click())),null!=this.icon_view){const e=\"\"!=this.model.label?(0,a.nbsp)():(0,a.text)(\"\");(0,a.prepend)(this.button_el,this.icon_view.el,e),this.icon_view.render()}this.group_el=(0,a.div)({class:v.btn_group},this.button_el),this.shadow_el.append(this.group_el)}click(){}}i.AbstractButtonView=p,p.__name__=\"AbstractButtonView\";class y extends h.Control{constructor(e){super(e)}}i.AbstractButton=y,l=y,y.__name__=\"AbstractButton\",l.define((({Str:e,Ref:t,Or:i,Nullable:n})=>({label:[i(t(u.DOMNode),e),\"Button\"],icon:[n(t(b.Icon)),null],button_type:[r.ButtonType,\"default\"]})))},\n", " 619: function _(t,n,o,s,e){s();const c=t(728),i=t(61);class l extends c.WidgetView{connect_signals(){super.connect_signals(),this.connect(this.disabled,(t=>{for(const n of this.controls())(0,i.toggle_attribute)(n,\"disabled\",t)}))}}o.ControlView=l,l.__name__=\"ControlView\";class _ extends c.Widget{constructor(t){super(t)}}o.Control=_,_.__name__=\"Control\"},\n", " 728: function _(t,e,i,r,s){var a;r();const n=t(131),o=t(194);class d extends n.LayoutDOMView{get child_models(){return[]}get provider(){return o.default_provider}async lazy_initialize(){await super.lazy_initialize(),\"not_started\"==this.provider.status&&await this.provider.fetch()}_after_layout(){super._after_layout(),\"loading\"==this.provider.status&&(this._has_finished=!1)}process_tex(t){if(null==this.provider.MathJax)return t;const e=this.provider.MathJax.find_tex(t),i=[];let r=0;for(const s of e)i.push(t.slice(r,s.start.n)),i.push(this.provider.MathJax.tex2svg(s.math,{display:s.display}).outerHTML),r=s.end.n;return r0}}i.WidgetView=d,d.__name__=\"WidgetView\";class _ extends n.LayoutDOM{constructor(t){super(t)}}i.Widget=_,a=_,_.__name__=\"Widget\",a.override({margin:5})},\n", " 621: function _(e,t,s,i,n){var h;i();const o=e(1),_=e(622),u=e(61),r=e(14),c=e(11),l=e(22),a=o.__importStar(e(626)),m=a,d=(0,l.Enum)(\"starts_with\",\"includes\");class p extends _.TextInputView{constructor(){super(...arguments),this._open=!1,this._last_value=\"\",this._hover_index=0}stylesheets(){return[...super.stylesheets(),a.default]}render(){super.render(),this.input_el.addEventListener(\"focusin\",(()=>this._toggle_menu())),this.menu=(0,u.div)({class:[m.menu,m.below]}),this.menu.addEventListener(\"click\",(e=>this._menu_click(e))),this.menu.addEventListener(\"mouseover\",(e=>this._menu_hover(e))),this.shadow_el.appendChild(this.menu),(0,u.undisplay)(this.menu)}change_input(){this._open&&this.menu.children.length>0?(this.model.value=this.menu.children[this._hover_index].textContent,this.input_el.focus(),this._hide_menu()):this.model.restrict||super.change_input()}_update_completions(e){(0,u.empty)(this.menu);const{max_completions:t}=this.model,s=null!=t?(0,r.take)(e,t):e;for(const e of s){const t=(0,u.div)(e);this.menu.append(t)}this.menu.firstElementChild?.classList.add(m.active)}compute_completions(e){const t=(()=>{const{case_sensitive:e}=this.model;return e?e=>e:e=>e.toLowerCase()})(),s=(()=>{switch(this.model.search_strategy){case\"starts_with\":return(e,t)=>e.startsWith(t);case\"includes\":return(e,t)=>e.includes(t)}})(),i=t(e),n=[];for(const e of this.model.completions){s(t(e),i)&&n.push(e)}return n}_toggle_menu(){const{value:e}=this.input_el;if(e.length{t.composedPath().includes(this.el)||(document.removeEventListener(\"click\",e),this._hide_menu())};document.addEventListener(\"click\",e)}}_hide_menu(){this._open&&(this._open=!1,(0,u.undisplay)(this.menu))}_menu_click(e){e.target!=e.currentTarget&&e.target instanceof Element&&(this.model.value=e.target.textContent,this.input_el.focus(),this._hide_menu())}_menu_hover(e){if(e.target!=e.currentTarget&&e.target instanceof Element)for(let t=0;t0&&(this.menu.children[this._hover_index].classList.remove(m.active),this._hover_index=(0,c.clamp)(e,0,t-1),this.menu.children[this._hover_index].classList.add(m.active))}_keyup(e){switch(super._keyup(e),e.key){case\"Enter\":this.change_input();break;case\"Escape\":this._hide_menu();break;case\"ArrowUp\":this._bump_hover(this._hover_index-1);break;case\"ArrowDown\":this._bump_hover(this._hover_index+1);break;default:this._toggle_menu()}}}s.AutocompleteInputView=p,p.__name__=\"AutocompleteInputView\";class v extends _.TextInput{constructor(e){super(e)}}s.AutocompleteInput=v,h=v,v.__name__=\"AutocompleteInput\",h.prototype.default_view=p,h.define((({Bool:e,Int:t,Str:s,List:i,NonNegative:n,Positive:h,Nullable:o})=>({completions:[i(s),[]],min_characters:[n(t),2],max_completions:[o(h(t)),null],case_sensitive:[e,!0],restrict:[e,!0],search_strategy:[d,\"starts_with\"]})))},\n", " 622: function _(e,t,n,i,s){var u;i();const l=e(1),r=e(623),p=e(61),_=e(80),a=l.__importStar(e(625));class c extends r.TextLikeInputView{connect_signals(){super.connect_signals();const{prefix:e,suffix:t}=this.model.properties;this.on_change([e,t],(()=>this.rerender()))}_render_input(){this.input_el=(0,p.input)({type:\"text\",class:a.input});const{prefix:e,suffix:t}=this.model,n=null!=e?(0,p.div)({class:\"bk-input-prefix\"},e):null,i=null!=t?(0,p.div)({class:\"bk-input-suffix\"},t):null;return(0,p.div)({class:\"bk-input-container\"},n,this.input_el,i)}render(){super.render(),this.input_el.addEventListener(\"keyup\",(e=>this._keyup(e)))}_keyup(e){\"Enter\"!=e.key||e.shiftKey||e.ctrlKey||e.altKey||this.model.trigger_event(new _.ValueSubmit(this.input_el.value))}}n.TextInputView=c,c.__name__=\"TextInputView\";class o extends r.TextLikeInput{constructor(e){super(e)}}n.TextInput=o,u=o,o.__name__=\"TextInput\",u.prototype.default_view=c,u.define((({Str:e,Nullable:t})=>({prefix:[t(e),null],suffix:[t(e),null]})))},\n", " 623: function _(e,t,n,i,l){var s;i();const h=e(624);class a extends h.InputWidgetView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.value.change,(()=>this.input_el.value=this.model.value)),this.connect(this.model.properties.value_input.change,(()=>this.input_el.value=this.model.value_input)),this.connect(this.model.properties.disabled.change,(()=>this.input_el.disabled=this.model.disabled)),this.connect(this.model.properties.placeholder.change,(()=>this.input_el.placeholder=this.model.placeholder)),this.connect(this.model.properties.max_length.change,(()=>{const{max_length:e}=this.model;null!=e?this.input_el.maxLength=e:this.input_el.removeAttribute(\"maxLength\")}))}render(){super.render();const{input_el:e}=this;e.value=this.model.value,e.disabled=this.model.disabled,e.placeholder=this.model.placeholder,null!=this.model.max_length&&(e.maxLength=this.model.max_length),e.addEventListener(\"change\",(()=>this.change_input())),e.addEventListener(\"input\",(()=>this.change_input_value()))}change_input(){this.model.value=this.input_el.value,super.change_input()}change_input_value(){this.model.value_input=this.input_el.value,super.change_input()}}n.TextLikeInputView=a,a.__name__=\"TextLikeInputView\";class u extends h.InputWidget{constructor(e){super(e)}}n.TextLikeInput=u,s=u,u.__name__=\"TextLikeInput\",s.define((({Int:e,Str:t,Nullable:n})=>({value:[t,\"\"],value_input:[t,\"\"],placeholder:[t,\"\"],max_length:[n(e),null]})))},\n", " 624: function _(e,t,i,s,n){var l,r;s();const o=e(1);var c,d=this&&this.__decorate||function(e,t,i,s){var n,l=arguments.length,r=l<3?t:null===s?s=Object.getOwnPropertyDescriptor(t,i):s;if(\"object\"==typeof Reflect&&\"function\"==typeof Reflect.decorate)r=Reflect.decorate(e,t,i,s);else for(var o=e.length-1;o>=0;o--)(n=e[o])&&(r=(l<3?n(r):l>3?n(t,i,r):n(t,i))||r);return l>3&&r&&Object.defineProperty(t,i,r),r};const a=e(619),u=e(447),_=e(133),p=e(8),h=e(69),f=e(61),v=e(65),m=e(80),w=o.__importStar(e(625)),b=w,g=o.__importDefault(e(76));let y=(l=class extends m.ModelEvent{constructor(e){super(),this.model=e,this.origin=e}static from_values(e){const{model:t}=e;return new c(t)}},c=l,l.__name__=\"ClearInput\",l);i.ClearInput=y,i.ClearInput=y=c=d([(0,m.server_event)(\"clear_input\")],y);class L extends a.ControlView{constructor(){super(...arguments),this.description=null,this.desc_el=null}*controls(){yield this.input_el}*children(){yield*super.children();const{title:e,description:t}=this;e instanceof v.View&&(yield e),t instanceof v.View&&(yield t)}async lazy_initialize(){await super.lazy_initialize(),await this._build_title(),await this._build_description()}remove(){const{title:e,description:t}=this;e instanceof v.View&&e.remove(),t instanceof v.View&&t.remove(),super.remove()}connect_signals(){super.connect_signals();const{title:e,description:t}=this.model.properties;this.on_change(e,(async()=>{await this._build_title(),this.rerender()})),this.on_change(t,(async()=>{await this._build_description(),this.rerender()}))}stylesheets(){return[...super.stylesheets(),w.default,g.default]}render(){super.render(),this.desc_el=this._build_description_el(),this.title_el=this._build_title_el();const e=this._render_input();this.input_el.id=\"input\",this.group_el=(0,f.div)({class:b.input_group},this.title_el,e),this.shadow_el.append(this.group_el)}_build_description_el(){const{description:e}=this;if(null==e)return null;{const t=(0,f.div)({class:b.icon}),i=(0,f.div)({class:b.description},t);if((0,p.isString)(e))i.title=e;else{\"auto\"==e.model.target&&(e.target=i);let s=!1;const n=i=>{e.model.setv({visible:i,closable:s}),t.classList.toggle(b.opaque,i&&s)};this.on_change(e.model.properties.visible,(()=>{const{visible:t}=e.model;t||(s=!1),n(t)})),i.addEventListener(\"mouseenter\",(()=>{n(!0)})),i.addEventListener(\"mouseleave\",(()=>{s||n(!1)})),document.addEventListener(\"mousedown\",(t=>{const l=t.composedPath();l.includes(e.el)||(l.includes(i)?(s=!s,n(s)):(s=!1,n(!1)))})),window.addEventListener(\"blur\",(()=>{s=!1,n(!1)}))}return i}}async _build_title(){const{title:e}=this.model;e instanceof _.HTML?this.title=await(0,h.build_view)(e,{parent:this}):this.title=e}async _build_description(){const{description:e}=this.model;e instanceof u.Tooltip?this.description=await(0,h.build_view)(e,{parent:this}):this.description=e}_build_title_el(){const{title:e}=this,t=e instanceof _.HTMLView?(e.render(),e.el):e,i=\"\"==e?\"none\":\"\";return(0,f.label)({for:\"input\",style:{display:i}},t,this.desc_el)}change_input(){}}i.InputWidgetView=L,L.__name__=\"InputWidgetView\";class V extends a.Control{constructor(e){super(e)}}i.InputWidget=V,r=V,V.__name__=\"InputWidget\",r.define((({Str:e,Nullable:t,Or:i,Ref:s})=>({title:[i(e,s(_.HTML)),\"\"],description:[t(i(e,s(u.Tooltip))),null]})))},\n", " 625: function _(i,n,r,o,t){o(),r.input=\"bk-input\",r.disabled=\"bk-disabled\",r.input_container=\"bk-input-container\",r.input_prefix=\"bk-input-prefix\",r.input_suffix=\"bk-input-suffix\",r.input_group=\"bk-input-group\",r.inline=\"bk-inline\",r.spin_wrapper=\"bk-spin-wrapper\",r.spin_btn=\"bk-spin-btn\",r.spin_btn_up=\"bk-spin-btn-up\",r.spin_btn_down=\"bk-spin-btn-down\",r.description=\"bk-description\",r.icon=\"bk-icon\",r.opaque=\"bk-opaque\",r.default=':host{--input-min-height:calc(var(--line-height-computed) + 2*var(--padding-vertical) + 2px);--focus-border-color:var(--input-focus-border-color);--focus-halo-color:var(--input-focus-halo-color);}.bk-input{position:relative;display:inline-block;width:100%;flex-grow:1;min-height:var(--input-min-height);padding:0 var(--padding-horizontal);background-color:var(--background-color);border:var(--border);border-radius:var(--border-radius);resize:none;}.bk-input:focus{border-color:var(--focus-border-color);outline:0;box-shadow:inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 8px var(--focus-halo-color);}.bk-input::placeholder,.bk-input:-ms-input-placeholder,.bk-input::-moz-placeholder,.bk-input::-webkit-input-placeholder{color:var(--placeholder-color);opacity:1;}.bk-input[disabled],.bk-input.bk-disabled{cursor:not-allowed;background-color:var(--disabled-background-color);opacity:1;}.bk-input-container{width:100%;height:100%;display:flex;flex-direction:row;flex-wrap:nowrap;}.bk-input-container .bk-input-prefix,.bk-input-container .bk-input-suffix{display:flex;align-items:center;flex:0 1 0;border:var(--border);border-radius:var(--border-radius);padding:0 var(--padding-horizontal);background-color:var(--surface-background-color);}.bk-input-container .bk-input-prefix{border-right:none;border-top-right-radius:0;border-bottom-right-radius:0;}.bk-input-container .bk-input-suffix{border-left:none;border-top-left-radius:0;border-bottom-left-radius:0;}.bk-input-container .bk-input{flex:1 0 0;}.bk-input-container .bk-input:not(:first-child){border-top-left-radius:0;border-bottom-left-radius:0;}.bk-input-container .bk-input:not(:last-child){border-top-right-radius:0;border-bottom-right-radius:0;}input[type=file].bk-input{padding-left:0;}input[type=file]::file-selector-button{box-sizing:inherit;font-family:inherit;font-size:inherit;line-height:inherit;}select:not([multiple]).bk-input,select:not([size]).bk-input{height:auto;appearance:none;-webkit-appearance:none;background-image:url(\\'data:image/svg+xml;utf8,\\');background-position:right 0.5em center;background-size:8px 6px;background-repeat:no-repeat;padding-right:calc(var(--padding-horizontal) + 8px);}option{padding:0;}select[multiple].bk-input,select[size].bk-input,textarea.bk-input{height:auto;}.bk-input-group{position:relative;width:100%;height:100%;display:inline-flex;flex-wrap:nowrap;align-items:start;flex-direction:column;white-space:nowrap;}.bk-input-group.bk-inline{flex-direction:row;}.bk-input-group.bk-inline > *:not(:first-child){margin-left:5px;}.bk-input-group > .bk-spin-wrapper{display:inherit;width:inherit;height:inherit;position:relative;overflow:hidden;padding:0;vertical-align:middle;}.bk-input-group > .bk-spin-wrapper input{padding-right:20px;}.bk-input-group > .bk-spin-wrapper > .bk-spin-btn{position:absolute;display:block;height:50%;min-height:0;min-width:0;width:30px;padding:0;margin:0;right:0;border:none;background:none;cursor:pointer;}.bk-input-group > .bk-spin-wrapper > .bk-spin-btn:before{content:\"\";display:inline-block;transform:translateY(-50%);border-left:5px solid transparent;border-right:5px solid transparent;}.bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-up{top:0;}.bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-up:before{border-bottom:5px solid var(--color);}.bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-up:disabled:before{border-bottom-color:var(--disabled-color);}.bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-down{bottom:0;}.bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-down:before{border-top:5px solid var(--color);}.bk-input-group > .bk-spin-wrapper > .bk-spin-btn.bk-spin-btn-down:disabled:before{border-top-color:var(--disabled-color);}.bk-description{position:relative;display:inline-block;margin-left:0.25em;vertical-align:middle;margin-top:-2px;cursor:pointer;}.bk-description > .bk-icon{width:18px;height:18px;background-color:var(--color);mask-image:var(--bokeh-icon-help);mask-size:contain;mask-repeat:no-repeat;-webkit-mask-image:var(--bokeh-icon-help);-webkit-mask-size:contain;-webkit-mask-repeat:no-repeat;}label:hover > .bk-description > .bk-icon,.bk-icon.bk-opaque{opacity:1;}'},\n", " 626: function _(o,e,r,i,b){i(),r.menu=\"bk-menu\",r.above=\"bk-above\",r.below=\"bk-below\",r.divider=\"bk-divider\",r.active=\"bk-active\",r.default=\":host{position:relative;}.bk-menu{position:absolute;left:0;width:100%;z-index:var(--bokeh-top-level);cursor:pointer;font-size:var(--font-size);background-color:var(--background-color);border:var(--border);border-radius:var(--border-radius);box-shadow:var(--box-shadow-x-symmetric);}.bk-menu.bk-above{bottom:100%;}.bk-menu.bk-below{top:100%;}.bk-menu > .bk-divider{height:1px;margin:calc(var(--line-height-computed)/2 - 1px) 0;overflow:hidden;background-color:var(--divider-color);}.bk-menu > :not(.bk-divider){padding:var(--padding-vertical) var(--padding-horizontal);}.bk-menu > :not(.bk-divider):hover,.bk-menu > :not(.bk-divider).bk-active{background-color:var(--surface-background-color);}\"},\n", " 627: function _(t,e,n,o,c){var i;o();const s=t(618),u=t(80);class _ extends s.AbstractButtonView{click(){this.model.trigger_event(new u.ButtonClick),super.click()}}n.ButtonView=_,_.__name__=\"ButtonView\";class r extends s.AbstractButton{constructor(t){super(t)}on_click(t){this.on_event(u.ButtonClick,t)}}n.Button=r,i=r,r.__name__=\"Button\",i.prototype.default_view=_,i.override({label:\"Button\"})},\n", " 628: function _(t,e,o,c,s){var a;c();const i=t(1),n=t(629),u=i.__importStar(t(77));class r extends n.ToggleButtonGroupView{get active(){return new Set(this.model.active)}change_active(t){const{active:e}=this;e.has(t)?e.delete(t):e.add(t),this.model.active=[...e].sort()}_update_active(){const{active:t}=this;this._buttons.forEach(((e,o)=>{e.classList.toggle(u.active,t.has(o))}))}}o.CheckboxButtonGroupView=r,r.__name__=\"CheckboxButtonGroupView\";class _ extends n.ToggleButtonGroup{constructor(t){super(t)}}o.CheckboxButtonGroup=_,a=_,_.__name__=\"CheckboxButtonGroup\",a.prototype.default_view=r,a.define((({Int:t,List:e})=>({active:[e(t),[]]})))},\n", " 629: function _(t,e,n,s,o){var i;s();const r=t(1),l=t(630),a=t(80),_=t(21),d=t(61),u=r.__importStar(t(77)),c=u;class h extends l.OrientedControlView{*controls(){yield*this._buttons}connect_signals(){super.connect_signals();const t=this.model.properties;this.on_change(t.button_type,(()=>this.rerender())),this.on_change(t.labels,(()=>this.rerender())),this.on_change(t.active,(()=>this._update_active()))}stylesheets(){return[...super.stylesheets(),u.default]}render(){super.render(),this._buttons=this.model.labels.map(((t,e)=>{const n=(0,d.button)({class:[c.btn,c[`btn_${this.model.button_type}`]],disabled:this.model.disabled},t);return n.addEventListener(\"click\",(()=>{this.change_active(e),this.model.trigger_event(new a.ButtonClick)})),n})),this._update_active();const t=\"horizontal\"==this.model.orientation?c.horizontal:c.vertical,e=(0,d.div)({class:[c.btn_group,t]},this._buttons);this.shadow_el.appendChild(e)}}n.ToggleButtonGroupView=h,h.__name__=\"ToggleButtonGroupView\";class p extends l.OrientedControl{constructor(t){super(t)}}n.ToggleButtonGroup=p,i=p,p.__name__=\"ToggleButtonGroup\",i.define((({Str:t,List:e})=>({labels:[e(t),[]],button_type:[_.ButtonType,\"default\"]})))},\n", " 630: function _(n,e,o,t,r){var i;t();const l=n(619),s=n(21);class _ extends l.ControlView{}o.OrientedControlView=_,_.__name__=\"OrientedControlView\";class a extends l.Control{constructor(n){super(n)}}o.OrientedControl=a,i=a,a.__name__=\"OrientedControl\",i.define((()=>({orientation:[s.Orientation,\"horizontal\"]})))},\n", " 631: function _(e,t,s,n,i){var c;n();const o=e(1),a=e(632),h=e(61),l=e(10),d=e(14),p=o.__importStar(e(625));class r extends a.ToggleInputGroupView{get active(){return new Set(this.model.active)}connect_signals(){super.connect_signals();const{active:e}=this.model.properties;this.on_change(e,(()=>{const{active:e}=this;for(const[t,s]of(0,d.enumerate)(this._inputs))t.checked=e.has(s)}))}render(){super.render();const e=(0,h.div)({class:[p.input_group,this.model.inline?p.inline:null]});this.shadow_el.appendChild(e);const{active:t,labels:s}=this.model;this._inputs=[];for(let n=0;nthis.change_active(n))),this._inputs.push(i),this.model.disabled&&(i.disabled=!0),(0,l.includes)(t,n)&&(i.checked=!0);const c=(0,h.label)(i,(0,h.span)(s[n]));e.appendChild(c)}}change_active(e){const{active:t}=this;t.has(e)?t.delete(e):t.add(e),this.model.active=[...t].sort()}}s.CheckboxGroupView=r,r.__name__=\"CheckboxGroupView\";class u extends a.ToggleInputGroup{constructor(e){super(e)}}s.CheckboxGroup=u,c=u,u.__name__=\"CheckboxGroup\",c.prototype.default_view=r,c.define((({Int:e,List:t})=>({active:[t(e),[]]})))},\n", " 632: function _(e,t,n,s,o){var l;s();const r=e(1),i=e(619),u=r.__importDefault(e(625)),_=r.__importDefault(e(633));class p extends i.ControlView{*controls(){yield*this._inputs}connect_signals(){super.connect_signals();const{labels:e,inline:t}=this.model.properties;this.on_change([e,t],(()=>this.rerender()))}stylesheets(){return[...super.stylesheets(),u.default,_.default]}}n.ToggleInputGroupView=p,p.__name__=\"ToggleInputGroupView\";class a extends i.Control{constructor(e){super(e)}}n.ToggleInputGroup=a,l=a,a.__name__=\"ToggleInputGroup\",l.define((({Bool:e,Str:t,List:n})=>({labels:[n(t),[]],inline:[e,!1]})))},\n", " 633: function _(t,i,p,e,n){e(),p.default='input[type=\"checkbox\"],input[type=\"radio\"]{margin:0;}input[type=\"checkbox\"] + *,input[type=\"radio\"] + *{position:relative;top:-2px;margin-left:3px;}'},\n", " 634: function _(e,t,s,_,i){var c;_();const h=e(1),l=e(635),a=e(61),d=h.__importDefault(e(633));class o extends l.ToggleInputView{stylesheets(){return[...super.stylesheets(),d.default]}render(){super.render(),this.checkbox_el=(0,a.input)({type:\"checkbox\"}),this.checkbox_el.addEventListener(\"change\",(()=>this._toggle_active())),this._update_label(),this._update_active(),this._update_disabled(),this.shadow_el.append(this.checkbox_el,this.label_el)}_update_active(){this.checkbox_el.checked=this.model.active}_update_disabled(){this.checkbox_el.toggleAttribute(\"disabled\",this.model.disabled)}}s.CheckboxView=o,o.__name__=\"CheckboxView\";class n extends l.ToggleInput{constructor(e){super(e)}}s.Checkbox=n,c=n,n.__name__=\"Checkbox\",c.prototype.default_view=o},\n", " 635: function _(e,t,l,s,a){var i;s();const n=e(1),_=e(728),o=e(61),d=n.__importStar(e(636));class c extends _.WidgetView{stylesheets(){return[...super.stylesheets(),d.default]}connect_signals(){super.connect_signals();const{active:e,disabled:t,label:l}=this.model.properties;this.on_change(e,(()=>this._update_active())),this.on_change(t,(()=>this._update_disabled())),this.on_change(l,(()=>this._update_label()))}_toggle_active(){this.model.disabled||(this.model.active=!this.model.active)}render(){super.render(),this.label_el=(0,o.div)({class:d.label},this.model.label)}_update_label(){this.label_el.textContent=this.model.label}}l.ToggleInputView=c,c.__name__=\"ToggleInputView\";class h extends _.Widget{constructor(e){super(e)}}l.ToggleInput=h,i=h,h.__name__=\"ToggleInput\",i.define((({Bool:e,Str:t})=>({active:[e,!1],label:[t,\"\"]})))},\n", " 636: function _(l,e,a,i,b){i(),a.label=\"bk-label\",a.default=\".bk-label{position:relative;display:inline;}.bk-label:empty{display:none;}\"},\n", " 637: function _(e,t,i,n,o){var s;n();const r=e(1),l=e(624),c=e(61),a=e(23),d=r.__importStar(e(625));class h extends l.InputWidgetView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.name.change,(()=>this.input_el.name=this.model.name??\"\")),this.connect(this.model.properties.color.change,(()=>this.input_el.value=(0,a.color2hexrgb)(this.model.color))),this.connect(this.model.properties.disabled.change,(()=>this.input_el.disabled=this.model.disabled))}_render_input(){return this.input_el=(0,c.input)({type:\"color\",class:d.input,name:this.model.name,value:(0,a.color2hexrgb)(this.model.color),disabled:this.model.disabled})}render(){super.render(),this.input_el.addEventListener(\"change\",(()=>this.change_input()))}change_input(){this.model.color=this.input_el.value,super.change_input()}}i.ColorPickerView=h,h.__name__=\"ColorPickerView\";class p extends l.InputWidget{constructor(e){super(e)}}i.ColorPicker=p,s=p,p.__name__=\"ColorPicker\",s.prototype.default_view=h,s.define((({Color:e})=>({color:[e,\"#000000\"]})))},\n", " 638: function _(e,t,a,n,r){var i;n();const s=e(639),l=e(12);class c extends s.BaseDatePickerView{get flatpickr_options(){return{...super.flatpickr_options,mode:\"single\"}}_on_change(e){(0,l.assert)(e.length<=1),this.model.value=(()=>{if(0==e.length)return null;{const[t]=e;return this._format_date(t)}})()}}a.DatePickerView=c,c.__name__=\"DatePickerView\";class _ extends s.BaseDatePicker{constructor(e){super(e)}}a.DatePicker=_,i=_,_.__name__=\"DatePicker\",i.prototype.default_view=c,i.define((({Nullable:e})=>({value:[e(s.DateLike),null]})))},\n", " 639: function _(e,t,a,i,s){var n;i();const l=e(640),c=e(8),r=e(22);a.DateLike=(0,r.Or)((0,r.Ref)(Date),r.Str,r.Float),a.DateLikeList=(0,r.List)((0,r.Or)(a.DateLike,(0,r.Tuple)(a.DateLike,a.DateLike),(0,r.Struct)({from:a.DateLike,to:a.DateLike})));class d extends l.PickerBaseView{_format_date(e){const{picker:t}=this;return t.formatDate(e,t.config.dateFormat)}connect_signals(){super.connect_signals();const{value:e,min_date:t,max_date:a,disabled_dates:i,enabled_dates:s,date_format:n}=this.model.properties;this.connect(e.change,(()=>{const{value:e}=this.model;null!=e?this.picker.setDate(e):this.picker.clear()})),this.connect(t.change,(()=>this.picker.set(\"minDate\",this.model.min_date))),this.connect(a.change,(()=>this.picker.set(\"maxDate\",this.model.max_date))),this.connect(i.change,(()=>{const{disabled_dates:e}=this.model;this.picker.set(\"disable\",null!=e?this._convert_date_list(e):[])})),this.connect(s.change,(()=>{const{enabled_dates:e}=this.model;null!=e?this.picker.set(\"enable\",this._convert_date_list(e)):(this.picker.config._enable=void 0,this.picker.redraw(),this.picker.updateValue(!0))})),this.connect(n.change,(()=>this.picker.set(\"altFormat\",this.model.date_format)))}get flatpickr_options(){const{value:e,min_date:t,max_date:a,disabled_dates:i,enabled_dates:s,date_format:n}=this.model,l=super.flatpickr_options;return l.altInput=!0,l.altFormat=n,l.dateFormat=\"Y-m-d\",null!=e&&(l.defaultDate=e),null!=t&&(l.minDate=t),null!=a&&(l.maxDate=a),null!=i&&(l.disable=this._convert_date_list(i)),null!=s&&(l.enable=this._convert_date_list(s)),l}_convert_date_list(e){const t=[];for(const a of e)if((0,c.isArray)(a)){const[e,i]=a;t.push({from:e,to:i})}else t.push(a);return t}}a.BaseDatePickerView=d,d.__name__=\"BaseDatePickerView\";class o extends l.PickerBase{constructor(e){super(e)}}a.BaseDatePicker=o,n=o,o.__name__=\"BaseDatePicker\",n.define((({Nullable:e})=>({min_date:[e(a.DateLike),null],max_date:[e(a.DateLike),null],disabled_dates:[e(a.DateLikeList),null],enabled_dates:[e(a.DateLikeList),null],date_format:[r.Str,\"Y-m-d\"]})))},\n", " 640: function _(e,t,i,n,o){var s;n();const r=e(1),a=r.__importDefault(e(641)),l=e(624),c=e(61),d=e(21),h=e(61),p=e(12),f=r.__importDefault(e(649)),g=r.__importStar(e(625));class u extends l.InputWidgetView{get picker(){return(0,p.assert)(null!=this._picker),this._picker}*controls(){yield this.picker.altInput??this.input_el}remove(){this._picker?.destroy(),super.remove()}stylesheets(){return[...super.stylesheets(),f.default]}connect_signals(){super.connect_signals();const{inline:e}=this.model.properties;this.connect(e.change,(()=>this.picker.set(\"inline\",this.model.inline)))}get flatpickr_options(){return{appendTo:this.group_el,inline:this.model.inline,position:this._position.bind(this),onChange:e=>{this._on_change(e),this.change_input()}}}_render_input(){return this.input_el=(0,c.input)({type:\"text\",class:g.input,disabled:this.model.disabled})}render(){super.render(),this._picker?.destroy();const e=this.flatpickr_options;this._picker=(0,a.default)(this.input_el,e)}_position(e,t){const i=t??e._positionElement,n=[...e.calendarContainer.children].reduce(((e,t)=>e+(0,h.bounding_box)(t).height),0),o=e.calendarContainer.offsetWidth,s=this.model.position.split(\" \"),r=s[0],a=s.length>1?s[1]:null,l=i.offsetTop,c=i.offsetTop+i.offsetHeight,d=i.offsetLeft,p=i.offsetLeft+i.offsetWidth,f=i.offsetWidth,g=window.innerHeight-c,u=\"above\"===r||\"below\"!==r&&gn,_=null!=e.config.appendTo?l+(u?-n-2:i.offsetHeight+2):window.scrollY+l+(u?-n-2:i.offsetHeight+2);if(e.calendarContainer.classList.toggle(\"arrowTop\",!u),e.calendarContainer.classList.toggle(\"arrowBottom\",u),e.config.inline)return;let w=window.scrollX+d,C=!1,m=!1;\"center\"===a?(w-=(o-f)/2,C=!0):\"right\"===a&&(w-=o-f,m=!0),e.calendarContainer.classList.toggle(\"arrowLeft\",!C&&!m),e.calendarContainer.classList.toggle(\"arrowCenter\",C),e.calendarContainer.classList.toggle(\"arrowRight\",m);const y=window.document.body.offsetWidth-(window.scrollX+p),k=w+o>window.document.body.offsetWidth,b=y+o>window.document.body.offsetWidth;if(e.calendarContainer.classList.toggle(\"rightMost\",k),!e.config.static)if(e.calendarContainer.style.top=`${_}px`,k)if(b){const t=this.shadow_el.styleSheets[0],i=window.document.body.offsetWidth,n=Math.max(0,i/2-o/2),s=\".flatpickr-calendar.centerMost:before\",r=\".flatpickr-calendar.centerMost:after\",a=t.cssRules.length,l=`{left:${d}px;right:auto;}`;e.calendarContainer.classList.toggle(\"rightMost\",!1),e.calendarContainer.classList.toggle(\"centerMost\",!0),t.insertRule(`${s},${r}${l}`,a),e.calendarContainer.style.left=`${n}px`,e.calendarContainer.style.right=\"auto\"}else e.calendarContainer.style.left=\"auto\",e.calendarContainer.style.right=`${y}px`;else e.calendarContainer.style.left=`${w}px`,e.calendarContainer.style.right=\"auto\"}}i.PickerBaseView=u,u.__name__=\"PickerBaseView\";class _ extends l.InputWidget{constructor(e){super(e)}}i.PickerBase=_,s=_,_.__name__=\"PickerBase\",s.define((({Bool:e})=>({position:[d.CalendarPosition,\"auto\"],inline:[e,!1]})))},\n", " 641: function _(e,t,n,a,i){a();const o=e(1);var r=this&&this.__assign||function(){return r=Object.assign||function(e){for(var t,n=1,a=arguments.length;n=0?new Date:new Date(n.config.minDate.getTime()),a=(0,f.getDefaultHours)(n.config);t.setHours(a.hours,a.minutes,a.seconds,t.getMilliseconds()),n.selectedDates=[t],n.latestSelectedDateObj=t}void 0!==e&&\"blur\"!==e.type&&function(e){e.preventDefault();var t=\"keydown\"===e.type,a=(0,u.getEventTarget)(e),i=a;void 0!==n.amPM&&a===n.amPM&&(n.amPM.textContent=n.l10n.amPM[(0,d.int)(n.amPM.textContent===n.l10n.amPM[0])]);var o=parseFloat(i.getAttribute(\"min\")),r=parseFloat(i.getAttribute(\"max\")),l=parseFloat(i.getAttribute(\"step\")),c=parseInt(i.value,10),s=e.delta||(t?38===e.which?1:-1:0),f=c+l*s;if(void 0!==i.value&&2===i.value.length){var m=i===n.hourElement,g=i===n.minuteElement;fr&&(f=i===n.hourElement?f-r-(0,d.int)(!n.amPM):o,g&&x(void 0,1,n.hourElement)),n.amPM&&m&&(1===l?f+c===23:Math.abs(f-c)>l)&&(n.amPM.textContent=n.l10n.amPM[(0,d.int)(n.amPM.textContent===n.l10n.amPM[0])]),i.value=(0,d.pad)(f)}}(e);var i=n._input.value;h(),se(),n._input.value!==i&&n._debouncedChange()}function h(){if(void 0!==n.hourElement&&void 0!==n.minuteElement){var e,t,a=(parseInt(n.hourElement.value.slice(-2),10)||0)%24,i=(parseInt(n.minuteElement.value,10)||0)%60,o=void 0!==n.secondElement?(parseInt(n.secondElement.value,10)||0)%60:0;void 0!==n.amPM&&(e=a,t=n.amPM.textContent,a=e%12+12*(0,d.int)(t===n.l10n.amPM[1]));var r=void 0!==n.config.minTime||n.config.minDate&&n.minDateHasTime&&n.latestSelectedDateObj&&0===(0,f.compareDates)(n.latestSelectedDateObj,n.config.minDate,!0),l=void 0!==n.config.maxTime||n.config.maxDate&&n.maxDateHasTime&&n.latestSelectedDateObj&&0===(0,f.compareDates)(n.latestSelectedDateObj,n.config.maxDate,!0);if(void 0!==n.config.maxTime&&void 0!==n.config.minTime&&n.config.minTime>n.config.maxTime){var c=(0,f.calculateSecondsSinceMidnight)(n.config.minTime.getHours(),n.config.minTime.getMinutes(),n.config.minTime.getSeconds()),s=(0,f.calculateSecondsSinceMidnight)(n.config.maxTime.getHours(),n.config.maxTime.getMinutes(),n.config.maxTime.getSeconds()),u=(0,f.calculateSecondsSinceMidnight)(a,i,o);if(u>s&&u=12)]),void 0!==n.secondElement&&(n.secondElement.value=(0,d.pad)(a)))}function b(e){var t=(0,u.getEventTarget)(e),n=parseInt(t.value)+(e.delta||0);(n/1e3>1||\"Enter\"===e.key&&!/[^\\d]/.test(n.toString()))&&R(n)}function M(e,t,a,i){return t instanceof Array?t.forEach((function(t){return M(e,t,a,i)})):e instanceof Array?e.forEach((function(e){return M(e,t,a,i)})):(e.addEventListener(t,a,i),void n._handlers.push({remove:function(){return e.removeEventListener(t,a,i)}}))}function y(){ie(\"onChange\")}function w(e,t){var a=void 0!==e?n.parseDate(e):n.latestSelectedDateObj||(n.config.minDate&&n.config.minDate>n.now?n.config.minDate:n.config.maxDate&&n.config.maxDate=0&&(0,f.compareDates)(e,n.selectedDates[1])<=0)}(t)&&!re(t)&&r.classList.add(\"inRange\"),n.weekNumbers&&1===n.config.showMonths&&\"prevMonthDay\"!==e&&i%7==6&&n.weekNumbers.insertAdjacentHTML(\"beforeend\",\"\"+n.config.getWeek(t)+\"\"),ie(\"onDayCreate\",r),r}function T(e){e.focus(),\"range\"===n.config.mode&&J(e)}function _(e){for(var t=e>0?0:n.config.showMonths-1,a=e>0?n.config.showMonths:-1,i=t;i!=a;i+=e)for(var o=n.daysContainer.children[i],r=e>0?0:o.children.length-1,l=e>0?o.children.length:-1,c=r;c!=l;c+=e){var s=o.children[c];if(-1===s.className.indexOf(\"hidden\")&&W(s.dateObj))return s}}function I(e,t){var i=a(),o=B(i||document.body),r=void 0!==e?e:o?i:void 0!==n.selectedDateElem&&B(n.selectedDateElem)?n.selectedDateElem:void 0!==n.todayDateElem&&B(n.todayDateElem)?n.todayDateElem:_(t>0?1:-1);void 0===r?n._input.focus():o?function(e,t){for(var a=-1===e.className.indexOf(\"Month\")?e.dateObj.getMonth():n.currentMonth,i=t>0?n.config.showMonths:-1,o=t>0?1:-1,r=a-n.currentMonth;r!=i;r+=o)for(var l=n.daysContainer.children[r],c=a-n.currentMonth===r?e.$i+t:t<0?l.children.length-1:0,s=l.children.length,d=c;d>=0&&d0?s:-1);d+=o){var u=l.children[d];if(-1===u.className.indexOf(\"hidden\")&&W(u.dateObj)&&Math.abs(e.$i-d)>=Math.abs(t))return T(u)}n.changeMonth(o),I(_(o),0)}(r,t):T(r)}function S(e,t){for(var a=(new Date(e,t,1).getDay()-n.l10n.firstDayOfWeek+7)%7,i=n.utils.getDaysInMonth((t-1+12)%12,e),o=n.utils.getDaysInMonth(t,e),r=window.document.createDocumentFragment(),l=n.config.showMonths>1,c=l?\"prevMonthDay hidden\":\"prevMonthDay\",s=l?\"nextMonthDay hidden\":\"nextMonthDay\",d=i+1-a,f=0;d<=i;d++,f++)r.appendChild(k(\"flatpickr-day \"+c,new Date(e,t-1,d),0,f));for(d=1;d<=o;d++,f++)r.appendChild(k(\"flatpickr-day\",new Date(e,t,d),0,f));for(var m=o+1;m<=42-a&&(1===n.config.showMonths||f%7!=0);m++,f++)r.appendChild(k(\"flatpickr-day \"+s,new Date(e,t+1,m%o),0,f));var g=(0,u.createElement)(\"div\",\"dayContainer\");return g.appendChild(r),g}function O(){if(void 0!==n.daysContainer){(0,u.clearNode)(n.daysContainer),n.weekNumbers&&(0,u.clearNode)(n.weekNumbers);for(var e=document.createDocumentFragment(),t=0;t1||\"dropdown\"!==n.config.monthSelectorType)){var e=function(e){return!(void 0!==n.config.minDate&&n.currentYear===n.config.minDate.getFullYear()&&en.config.maxDate.getMonth())};n.monthsDropdownContainer.tabIndex=-1,n.monthsDropdownContainer.innerHTML=\"\";for(var t=0;t<12;t++)if(e(t)){var a=(0,u.createElement)(\"option\",\"flatpickr-monthDropdown-month\");a.value=new Date(n.currentYear,t).getMonth().toString(),a.textContent=(0,m.monthToStr)(t,n.config.shorthandCurrentMonth,n.l10n),a.tabIndex=-1,n.currentMonth===t&&(a.selected=!0),n.monthsDropdownContainer.appendChild(a)}}}function A(){var e,t=(0,u.createElement)(\"div\",\"flatpickr-month\"),a=window.document.createDocumentFragment();n.config.showMonths>1||\"static\"===n.config.monthSelectorType?e=(0,u.createElement)(\"span\",\"cur-month\"):(n.monthsDropdownContainer=(0,u.createElement)(\"select\",\"flatpickr-monthDropdown-months\"),n.monthsDropdownContainer.setAttribute(\"aria-label\",n.l10n.monthAriaLabel),M(n.monthsDropdownContainer,\"change\",(function(e){var t=(0,u.getEventTarget)(e),a=parseInt(t.value,10);n.changeMonth(a-n.currentMonth),ie(\"onMonthChange\")})),N(),e=n.monthsDropdownContainer);var i=(0,u.createNumberInput)(\"cur-year\",{tabindex:\"-1\"}),o=i.getElementsByTagName(\"input\")[0];o.setAttribute(\"aria-label\",n.l10n.yearAriaLabel),n.config.minDate&&o.setAttribute(\"min\",n.config.minDate.getFullYear().toString()),n.config.maxDate&&(o.setAttribute(\"max\",n.config.maxDate.getFullYear().toString()),o.disabled=!!n.config.minDate&&n.config.minDate.getFullYear()===n.config.maxDate.getFullYear());var r=(0,u.createElement)(\"div\",\"flatpickr-current-month\");return r.appendChild(e),r.appendChild(i),a.appendChild(r),t.appendChild(a),{container:t,yearElement:o,monthElement:e}}function P(){(0,u.clearNode)(n.monthNav),n.monthNav.appendChild(n.prevMonthNav),n.config.showMonths&&(n.yearElements=[],n.monthElements=[]);for(var e=n.config.showMonths;e--;){var t=A();n.yearElements.push(t.yearElement),n.monthElements.push(t.monthElement),n.monthNav.appendChild(t.container)}n.monthNav.appendChild(n.nextMonthNav)}function Y(){n.weekdayContainer?(0,u.clearNode)(n.weekdayContainer):n.weekdayContainer=(0,u.createElement)(\"div\",\"flatpickr-weekdays\");for(var e=n.config.showMonths;e--;){var t=(0,u.createElement)(\"div\",\"flatpickr-weekdaycontainer\");n.weekdayContainer.appendChild(t)}return F(),n.weekdayContainer}function F(){if(n.weekdayContainer){var e=n.l10n.firstDayOfWeek,t=l(n.l10n.weekdays.shorthand);e>0&&e\\n \"+t.join(\"\")+\"\\n \\n \"}}function j(e,t){void 0===t&&(t=!0);var a=t?e:e-n.currentMonth;a<0&&!0===n._hidePrevMonthArrow||a>0&&!0===n._hideNextMonthArrow||(n.currentMonth+=a,(n.currentMonth<0||n.currentMonth>11)&&(n.currentYear+=n.currentMonth>11?1:-1,n.currentMonth=(n.currentMonth+12)%12,ie(\"onYearChange\"),N()),O(),ie(\"onMonthChange\"),le())}function L(e){return n.calendarContainer.contains(e)}function H(e){if(n.isOpen&&!n.config.inline){var t=(0,u.getEventTarget)(e),a=L(t),i=!(t===n.input||t===n.altInput||n.element.contains(t)||e.path&&e.path.indexOf&&(~e.path.indexOf(n.input)||~e.path.indexOf(n.altInput)))&&!a&&!L(e.relatedTarget),o=!n.config.ignoredFocusElements.some((function(e){return e.contains(t)}));i&&o&&(n.config.allowInput&&n.setDate(n._input.value,!1,n.config.altInput?n.config.altFormat:n.config.dateFormat),void 0!==n.timeContainer&&void 0!==n.minuteElement&&void 0!==n.hourElement&&\"\"!==n.input.value&&void 0!==n.input.value&&p(),n.close(),n.config&&\"range\"===n.config.mode&&1===n.selectedDates.length&&n.clear(!1))}}function R(e){if(!(!e||n.config.minDate&&en.config.maxDate.getFullYear())){var t=e,a=n.currentYear!==t;n.currentYear=t||n.currentYear,n.config.maxDate&&n.currentYear===n.config.maxDate.getFullYear()?n.currentMonth=Math.min(n.config.maxDate.getMonth(),n.currentMonth):n.config.minDate&&n.currentYear===n.config.minDate.getFullYear()&&(n.currentMonth=Math.max(n.config.minDate.getMonth(),n.currentMonth)),a&&(n.redraw(),ie(\"onYearChange\"),N())}}function W(e,t){var a;void 0===t&&(t=!0);var i=n.parseDate(e,void 0,t);if(n.config.minDate&&i&&(0,f.compareDates)(i,n.config.minDate,void 0!==t?t:!n.minDateHasTime)<0||n.config.maxDate&&i&&(0,f.compareDates)(i,n.config.maxDate,void 0!==t?t:!n.maxDateHasTime)>0)return!1;if(!n.config.enable&&0===n.config.disable.length)return!0;if(void 0===i)return!1;for(var o=!!n.config.enable,r=null!==(a=n.config.enable)&&void 0!==a?a:n.config.disable,l=0,c=void 0;l=c.from.getTime()&&i.getTime()<=c.to.getTime())return o}return!o}function B(e){return void 0!==n.daysContainer&&(-1===e.className.indexOf(\"hidden\")&&-1===e.className.indexOf(\"flatpickr-disabled\")&&n.daysContainer.contains(e))}function K(e){var t=e.target===n._input,a=n._input.value.trimEnd()!==ce();!t||!a||e.relatedTarget&&L(e.relatedTarget)||n.setDate(n._input.value,!0,e.target===n.altInput?n.config.altFormat:n.config.dateFormat)}function q(t){var i=(0,u.getEventTarget)(t),o=n.config.wrap?e.contains(i):i===n._input,r=n.config.allowInput,l=n.isOpen&&(!r||!o),c=n.config.inline&&o&&!r;if(13===t.keyCode&&o){if(r)return n.setDate(n._input.value,!0,i===n.altInput?n.config.altFormat:n.config.dateFormat),n.close(),i.blur();n.open()}else if(L(i)||l||c){var s=!!n.timeContainer&&n.timeContainer.contains(i);switch(t.keyCode){case 13:s?(t.preventDefault(),p(),G()):Z(t);break;case 27:t.preventDefault(),G();break;case 8:case 46:o&&!n.config.allowInput&&(t.preventDefault(),n.clear());break;case 37:case 39:if(s||o)n.hourElement&&n.hourElement.focus();else{t.preventDefault();var d=a();if(void 0!==n.daysContainer&&(!1===r||d&&B(d))){var f=39===t.keyCode?1:-1;t.ctrlKey?(t.stopPropagation(),j(f),I(_(1),0)):I(void 0,f)}}break;case 38:case 40:t.preventDefault();var m=40===t.keyCode?1:-1;n.daysContainer&&void 0!==i.$i||i===n.input||i===n.altInput?t.ctrlKey?(t.stopPropagation(),R(n.currentYear-m),I(_(1),0)):s||I(void 0,7*m):i===n.currentYearElement?R(n.currentYear-m):n.config.enableTime&&(!s&&n.hourElement&&n.hourElement.focus(),p(t),n._debouncedChange());break;case 9:if(s){var g=[n.hourElement,n.minuteElement,n.secondElement,n.amPM].concat(n.pluginElements).filter((function(e){return e})),v=g.indexOf(i);if(-1!==v){var D=g[v+(t.shiftKey?-1:1)];t.preventDefault(),(D||n._input).focus()}}else!n.config.noCalendar&&n.daysContainer&&n.daysContainer.contains(i)&&t.shiftKey&&(t.preventDefault(),n._input.focus())}}if(void 0!==n.amPM&&i===n.amPM)switch(t.key){case n.l10n.amPM[0].charAt(0):case n.l10n.amPM[0].charAt(0).toLowerCase():n.amPM.textContent=n.l10n.amPM[0],h(),se();break;case n.l10n.amPM[1].charAt(0):case n.l10n.amPM[1].charAt(0).toLowerCase():n.amPM.textContent=n.l10n.amPM[1],h(),se()}(o||L(i))&&ie(\"onKeyDown\",t)}function J(e,t){if(void 0===t&&(t=\"flatpickr-day\"),1===n.selectedDates.length&&(!e||e.classList.contains(t)&&!e.classList.contains(\"flatpickr-disabled\"))){for(var a=e?e.dateObj.getTime():n.days.firstElementChild.dateObj.getTime(),i=n.parseDate(n.selectedDates[0],void 0,!0).getTime(),o=Math.min(a,n.selectedDates[0].getTime()),r=Math.max(a,n.selectedDates[0].getTime()),l=!1,c=0,s=0,d=o;do&&dc)?c=d:d>i&&(!s||d .\"+t)).forEach((function(t){var o=t.dateObj.getTime(),r=c>0&&o0&&o>s;if(r)return t.classList.add(\"notAllowed\"),void[\"inRange\",\"startRange\",\"endRange\"].forEach((function(e){t.classList.remove(e)}));l&&!r||([\"startRange\",\"inRange\",\"endRange\",\"notAllowed\"].forEach((function(e){t.classList.remove(e)})),void 0!==e&&(e.classList.add(a<=n.selectedDates[0].getTime()?\"startRange\":\"endRange\"),ia&&o===i&&t.classList.add(\"endRange\"),o>=c&&(0===s||o<=s)&&(0,f.isBetween)(o,i,a)&&t.classList.add(\"inRange\")))}))}}function U(){!n.isOpen||n.config.static||n.config.inline||X()}function $(e){return function(t){var a=n.config[\"_\"+e+\"Date\"]=n.parseDate(t,n.config.dateFormat),i=n.config[\"_\"+(\"min\"===e?\"max\":\"min\")+\"Date\"];void 0!==a&&(n[\"min\"===e?\"minDateHasTime\":\"maxDateHasTime\"]=a.getHours()>0||a.getMinutes()>0||a.getSeconds()>0),n.selectedDates&&(n.selectedDates=n.selectedDates.filter((function(e){return W(e)})),n.selectedDates.length||\"min\"!==e||D(a),se()),n.daysContainer&&(z(),void 0!==a?n.currentYearElement[e]=a.getFullYear().toString():n.currentYearElement.removeAttribute(e),n.currentYearElement.disabled=!!i&&void 0!==a&&i.getFullYear()===a.getFullYear())}}function Q(){return n.config.wrap?e.querySelector(\"[data-input]\"):e}function V(){\"object\"!=typeof n.config.locale&&void 0===v.l10ns[n.config.locale]&&n.config.errorHandler(new Error(\"flatpickr: invalid locale \"+n.config.locale)),n.l10n=r(r({},v.l10ns.default),\"object\"==typeof n.config.locale?n.config.locale:\"default\"!==n.config.locale?v.l10ns[n.config.locale]:void 0),m.tokenRegex.D=\"(\"+n.l10n.weekdays.shorthand.join(\"|\")+\")\",m.tokenRegex.l=\"(\"+n.l10n.weekdays.longhand.join(\"|\")+\")\",m.tokenRegex.M=\"(\"+n.l10n.months.shorthand.join(\"|\")+\")\",m.tokenRegex.F=\"(\"+n.l10n.months.longhand.join(\"|\")+\")\",m.tokenRegex.K=\"(\"+n.l10n.amPM[0]+\"|\"+n.l10n.amPM[1]+\"|\"+n.l10n.amPM[0].toLowerCase()+\"|\"+n.l10n.amPM[1].toLowerCase()+\")\",void 0===r(r({},t),JSON.parse(JSON.stringify(e.dataset||{}))).time_24hr&&void 0===v.defaultConfig.time_24hr&&(n.config.time_24hr=n.l10n.time_24hr),n.formatDate=(0,f.createDateFormatter)(n),n.parseDate=(0,f.createDateParser)({config:n.config,l10n:n.l10n})}function X(e){if(\"function\"!=typeof n.config.position){if(void 0!==n.calendarContainer){ie(\"onPreCalendarPosition\");var t=e||n._positionElement,a=Array.prototype.reduce.call(n.calendarContainer.children,(function(e,t){return e+t.offsetHeight}),0),i=n.calendarContainer.offsetWidth,o=n.config.position.split(\" \"),r=o[0],l=o.length>1?o[1]:null,c=t.getBoundingClientRect(),s=window.innerHeight-c.bottom,d=\"above\"===r||\"below\"!==r&&sa,f=window.pageYOffset+c.top+(d?-a-2:t.offsetHeight+2);if((0,u.toggleClass)(n.calendarContainer,\"arrowTop\",!d),(0,u.toggleClass)(n.calendarContainer,\"arrowBottom\",d),!n.config.inline){var m=window.pageXOffset+c.left,g=!1,p=!1;\"center\"===l?(m-=(i-c.width)/2,g=!0):\"right\"===l&&(m-=i-c.width,p=!0),(0,u.toggleClass)(n.calendarContainer,\"arrowLeft\",!g&&!p),(0,u.toggleClass)(n.calendarContainer,\"arrowCenter\",g),(0,u.toggleClass)(n.calendarContainer,\"arrowRight\",p);var h=window.document.body.offsetWidth-(window.pageXOffset+c.right),v=m+i>window.document.body.offsetWidth,D=h+i>window.document.body.offsetWidth;if((0,u.toggleClass)(n.calendarContainer,\"rightMost\",v),!n.config.static)if(n.calendarContainer.style.top=f+\"px\",v)if(D){var C=function(){for(var e=null,t=0;tn.currentMonth+n.config.showMonths-1)&&\"range\"!==n.config.mode;if(n.selectedDateElem=a,\"single\"===n.config.mode)n.selectedDates=[i];else if(\"multiple\"===n.config.mode){var r=re(i);r?n.selectedDates.splice(parseInt(r),1):n.selectedDates.push(i)}else\"range\"===n.config.mode&&(2===n.selectedDates.length&&n.clear(!1,!1),n.latestSelectedDateObj=i,n.selectedDates.push(i),0!==(0,f.compareDates)(i,n.selectedDates[0],!0)&&n.selectedDates.sort((function(e,t){return e.getTime()-t.getTime()})));if(h(),o){var l=n.currentYear!==i.getFullYear();n.currentYear=i.getFullYear(),n.currentMonth=i.getMonth(),l&&(ie(\"onYearChange\"),N()),ie(\"onMonthChange\")}if(le(),O(),se(),o||\"range\"===n.config.mode||1!==n.config.showMonths?void 0!==n.selectedDateElem&&void 0===n.hourElement&&n.selectedDateElem&&n.selectedDateElem.focus():T(a),void 0!==n.hourElement&&void 0!==n.hourElement&&n.hourElement.focus(),n.config.closeOnSelect){var c=\"single\"===n.config.mode&&!n.config.enableTime,s=\"range\"===n.config.mode&&2===n.selectedDates.length&&!n.config.enableTime;(c||s)&&G()}y()}}n.parseDate=(0,f.createDateParser)({config:n.config,l10n:n.l10n}),n._handlers=[],n.pluginElements=[],n.loadedPlugins=[],n._bind=M,n._setHoursFromDate=D,n._positionCalendar=X,n.changeMonth=j,n.changeYear=R,n.clear=function(e,t){void 0===e&&(e=!0);void 0===t&&(t=!0);n.input.value=\"\",void 0!==n.altInput&&(n.altInput.value=\"\");void 0!==n.mobileInput&&(n.mobileInput.value=\"\");n.selectedDates=[],n.latestSelectedDateObj=void 0,!0===t&&(n.currentYear=n._initialDate.getFullYear(),n.currentMonth=n._initialDate.getMonth());if(!0===n.config.enableTime){var a=(0,f.getDefaultHours)(n.config);C(a.hours,a.minutes,a.seconds)}n.redraw(),e&&ie(\"onChange\")},n.close=function(){n.isOpen=!1,n.isMobile||(void 0!==n.calendarContainer&&n.calendarContainer.classList.remove(\"open\"),void 0!==n._input&&n._input.classList.remove(\"active\"));ie(\"onClose\")},n.onMouseOver=J,n._createElement=u.createElement,n.createDay=k,n.destroy=function(){void 0!==n.config&&ie(\"onDestroy\");for(var e=n._handlers.length;e--;)n._handlers[e].remove();if(n._handlers=[],n.mobileInput)n.mobileInput.parentNode&&n.mobileInput.parentNode.removeChild(n.mobileInput),n.mobileInput=void 0;else if(n.calendarContainer&&n.calendarContainer.parentNode)if(n.config.static&&n.calendarContainer.parentNode){var t=n.calendarContainer.parentNode;if(t.lastChild&&t.removeChild(t.lastChild),t.parentNode){for(;t.firstChild;)t.parentNode.insertBefore(t.firstChild,t);t.parentNode.removeChild(t)}}else n.calendarContainer.parentNode.removeChild(n.calendarContainer);n.altInput&&(n.input.type=\"text\",n.altInput.parentNode&&n.altInput.parentNode.removeChild(n.altInput),delete n.altInput);n.input&&(n.input.type=n.input._type,n.input.classList.remove(\"flatpickr-input\"),n.input.removeAttribute(\"readonly\"));[\"_showTimeInput\",\"latestSelectedDateObj\",\"_hideNextMonthArrow\",\"_hidePrevMonthArrow\",\"__hideNextMonthArrow\",\"__hidePrevMonthArrow\",\"isMobile\",\"isOpen\",\"selectedDateElem\",\"minDateHasTime\",\"maxDateHasTime\",\"days\",\"daysContainer\",\"_input\",\"_positionElement\",\"innerContainer\",\"rContainer\",\"monthNav\",\"todayDateElem\",\"calendarContainer\",\"weekdayContainer\",\"prevMonthNav\",\"nextMonthNav\",\"monthsDropdownContainer\",\"currentMonthElement\",\"currentYearElement\",\"navigationCurrentMonth\",\"selectedDateElem\",\"config\"].forEach((function(e){try{delete n[e]}catch(e){}}))},n.isEnabled=W,n.jumpToDate=w,n.updateValue=se,n.open=function(e,t){void 0===t&&(t=n._positionElement);if(!0===n.isMobile){if(e){e.preventDefault();var a=(0,u.getEventTarget)(e);a&&a.blur()}return void 0!==n.mobileInput&&(n.mobileInput.focus(),n.mobileInput.click()),void ie(\"onOpen\")}if(n._input.disabled||n.config.inline)return;var i=n.isOpen;n.isOpen=!0,i||(n.calendarContainer.classList.add(\"open\"),n._input.classList.add(\"active\"),ie(\"onOpen\"),X(t));!0===n.config.enableTime&&!0===n.config.noCalendar&&(!1!==n.config.allowInput||void 0!==e&&n.timeContainer.contains(e.relatedTarget)||setTimeout((function(){return n.hourElement.select()}),50))},n.redraw=z,n.set=function(e,t){if(null!==e&&\"object\"==typeof e)for(var a in Object.assign(n.config,e),e)void 0!==ee[a]&&ee[a].forEach((function(e){return e()}));else n.config[e]=t,void 0!==ee[e]?ee[e].forEach((function(e){return e()})):c.HOOKS.indexOf(e)>-1&&(n.config[e]=(0,d.arrayify)(t));n.redraw(),se(!0)},n.setDate=function(e,t,a){void 0===t&&(t=!1);void 0===a&&(a=n.config.dateFormat);if(0!==e&&!e||e instanceof Array&&0===e.length)return n.clear(t);te(e,a),n.latestSelectedDateObj=n.selectedDates[n.selectedDates.length-1],n.redraw(),w(void 0,t),D(),0===n.selectedDates.length&&n.clear(!1);se(t),t&&ie(\"onChange\")},n.toggle=function(e){if(!0===n.isOpen)return n.close();n.open(e)};var ee={locale:[V,F],showMonths:[P,o,Y],minDate:[w],maxDate:[w],positionElement:[ae],clickOpens:[function(){!0===n.config.clickOpens?(M(n._input,\"focus\",n.open),M(n._input,\"click\",n.open)):(n._input.removeEventListener(\"focus\",n.open),n._input.removeEventListener(\"click\",n.open))}]};function te(e,t){var a=[];if(e instanceof Array)a=e.map((function(e){return n.parseDate(e,t)}));else if(e instanceof Date||\"number\"==typeof e)a=[n.parseDate(e,t)];else if(\"string\"==typeof e)switch(n.config.mode){case\"single\":case\"time\":a=[n.parseDate(e,t)];break;case\"multiple\":a=e.split(n.config.conjunction).map((function(e){return n.parseDate(e,t)}));break;case\"range\":a=e.split(n.l10n.rangeSeparator).map((function(e){return n.parseDate(e,t)}))}else n.config.errorHandler(new Error(\"Invalid date supplied: \"+JSON.stringify(e)));n.selectedDates=n.config.allowInvalidPreload?a:a.filter((function(e){return e instanceof Date&&W(e,!1)})),\"range\"===n.config.mode&&n.selectedDates.sort((function(e,t){return e.getTime()-t.getTime()}))}function ne(e){return e.slice().map((function(e){return\"string\"==typeof e||\"number\"==typeof e||e instanceof Date?n.parseDate(e,void 0,!0):e&&\"object\"==typeof e&&e.from&&e.to?{from:n.parseDate(e.from,void 0),to:n.parseDate(e.to,void 0)}:e})).filter((function(e){return e}))}function ae(){n._positionElement=n.config.positionElement||n._input}function ie(e,t){if(void 0!==n.config){var a=n.config[e];if(void 0!==a&&a.length>0)for(var i=0;a[i]&&i1||\"static\"===n.config.monthSelectorType?n.monthElements[t].textContent=(0,m.monthToStr)(a.getMonth(),n.config.shorthandCurrentMonth,n.l10n)+\" \":n.monthsDropdownContainer.value=a.getMonth().toString(),e.value=a.getFullYear().toString()})),n._hidePrevMonthArrow=void 0!==n.config.minDate&&(n.currentYear===n.config.minDate.getFullYear()?n.currentMonth<=n.config.minDate.getMonth():n.currentYearn.config.maxDate.getMonth():n.currentYear>n.config.maxDate.getFullYear()))}function ce(e){var t=e||(n.config.altInput?n.config.altFormat:n.config.dateFormat);return n.selectedDates.map((function(e){return n.formatDate(e,t)})).filter((function(e,t,a){return\"range\"!==n.config.mode||n.config.enableTime||a.indexOf(e)===t})).join(\"range\"!==n.config.mode?n.config.conjunction:n.l10n.rangeSeparator)}function se(e){void 0===e&&(e=!0),void 0!==n.mobileInput&&n.mobileFormatStr&&(n.mobileInput.value=void 0!==n.latestSelectedDateObj?n.formatDate(n.latestSelectedDateObj,n.mobileFormatStr):\"\"),n.input.value=ce(n.config.dateFormat),void 0!==n.altInput&&(n.altInput.value=ce(n.config.altFormat)),!1!==e&&ie(\"onValueUpdate\")}function de(e){var t=(0,u.getEventTarget)(e),a=n.prevMonthNav.contains(t),i=n.nextMonthNav.contains(t);a||i?j(a?-1:1):n.yearElements.indexOf(t)>=0?t.select():t.classList.contains(\"arrowUp\")?n.changeYear(n.currentYear+1):t.classList.contains(\"arrowDown\")&&n.changeYear(n.currentYear-1)}return function(){n.element=n.input=e,n.isOpen=!1,function(){var a=[\"wrap\",\"weekNumbers\",\"allowInput\",\"allowInvalidPreload\",\"clickOpens\",\"time_24hr\",\"enableTime\",\"noCalendar\",\"altInput\",\"shorthandCurrentMonth\",\"inline\",\"static\",\"enableSeconds\",\"disableMobile\"],o=r(r({},JSON.parse(JSON.stringify(e.dataset||{}))),t),l={};n.config.parseDate=o.parseDate,n.config.formatDate=o.formatDate,Object.defineProperty(n.config,\"enable\",{get:function(){return n.config._enable},set:function(e){n.config._enable=ne(e)}}),Object.defineProperty(n.config,\"disable\",{get:function(){return n.config._disable},set:function(e){n.config._disable=ne(e)}});var s=\"time\"===o.mode;if(!o.dateFormat&&(o.enableTime||s)){var u=v.defaultConfig.dateFormat||c.defaults.dateFormat;l.dateFormat=o.noCalendar||s?\"H:i\"+(o.enableSeconds?\":S\":\"\"):u+\" H:i\"+(o.enableSeconds?\":S\":\"\")}if(o.altInput&&(o.enableTime||s)&&!o.altFormat){var f=v.defaultConfig.altFormat||c.defaults.altFormat;l.altFormat=o.noCalendar||s?\"h:i\"+(o.enableSeconds?\":S K\":\" K\"):f+\" h:i\"+(o.enableSeconds?\":S\":\"\")+\" K\"}Object.defineProperty(n.config,\"minDate\",{get:function(){return n.config._minDate},set:$(\"min\")}),Object.defineProperty(n.config,\"maxDate\",{get:function(){return n.config._maxDate},set:$(\"max\")});var m=function(e){return function(t){n.config[\"min\"===e?\"_minTime\":\"_maxTime\"]=n.parseDate(t,\"H:i:S\")}};Object.defineProperty(n.config,\"minTime\",{get:function(){return n.config._minTime},set:m(\"min\")}),Object.defineProperty(n.config,\"maxTime\",{get:function(){return n.config._maxTime},set:m(\"max\")}),\"time\"===o.mode&&(n.config.noCalendar=!0,n.config.enableTime=!0);Object.assign(n.config,l,o);for(var g=0;g-1?n.config[h]=(0,d.arrayify)(p[h]).map(i).concat(n.config[h]):void 0===o[h]&&(n.config[h]=p[h])}o.altInputClass||(n.config.altInputClass=Q().className+\" \"+n.config.altInputClass);ie(\"onParseConfig\")}(),V(),function(){if(n.input=Q(),!n.input)return void n.config.errorHandler(new Error(\"Invalid input element specified\"));n.input._type=n.input.type,n.input.type=\"text\",n.input.classList.add(\"flatpickr-input\"),n._input=n.input,n.config.altInput&&(n.altInput=(0,u.createElement)(n.input.nodeName,n.config.altInputClass),n._input=n.altInput,n.altInput.placeholder=n.input.placeholder,n.altInput.disabled=n.input.disabled,n.altInput.required=n.input.required,n.altInput.tabIndex=n.input.tabIndex,n.altInput.type=\"text\",n.input.setAttribute(\"type\",\"hidden\"),!n.config.static&&n.input.parentNode&&n.input.parentNode.insertBefore(n.altInput,n.input.nextSibling));n.config.allowInput||n._input.setAttribute(\"readonly\",\"readonly\");ae()}(),function(){n.selectedDates=[],n.now=n.parseDate(n.config.now)||new Date;var e=n.config.defaultDate||(\"INPUT\"!==n.input.nodeName&&\"TEXTAREA\"!==n.input.nodeName||!n.input.placeholder||n.input.value!==n.input.placeholder?n.input.value:null);e&&te(e,n.config.dateFormat);n._initialDate=n.selectedDates.length>0?n.selectedDates[0]:n.config.minDate&&n.config.minDate.getTime()>n.now.getTime()?n.config.minDate:n.config.maxDate&&n.config.maxDate.getTime()0&&(n.latestSelectedDateObj=n.selectedDates[0]);void 0!==n.config.minTime&&(n.config.minTime=n.parseDate(n.config.minTime,\"H:i\"));void 0!==n.config.maxTime&&(n.config.maxTime=n.parseDate(n.config.maxTime,\"H:i\"));n.minDateHasTime=!!n.config.minDate&&(n.config.minDate.getHours()>0||n.config.minDate.getMinutes()>0||n.config.minDate.getSeconds()>0),n.maxDateHasTime=!!n.config.maxDate&&(n.config.maxDate.getHours()>0||n.config.maxDate.getMinutes()>0||n.config.maxDate.getSeconds()>0)}(),n.utils={getDaysInMonth:function(e,t){return void 0===e&&(e=n.currentMonth),void 0===t&&(t=n.currentYear),1===e&&(t%4==0&&t%100!=0||t%400==0)?29:n.l10n.daysInMonth[e]}},n.isMobile||function(){var e=window.document.createDocumentFragment();if(n.calendarContainer=(0,u.createElement)(\"div\",\"flatpickr-calendar\"),n.calendarContainer.tabIndex=-1,!n.config.noCalendar){if(e.appendChild((n.monthNav=(0,u.createElement)(\"div\",\"flatpickr-months\"),n.yearElements=[],n.monthElements=[],n.prevMonthNav=(0,u.createElement)(\"span\",\"flatpickr-prev-month\"),n.prevMonthNav.innerHTML=n.config.prevArrow,n.nextMonthNav=(0,u.createElement)(\"span\",\"flatpickr-next-month\"),n.nextMonthNav.innerHTML=n.config.nextArrow,P(),Object.defineProperty(n,\"_hidePrevMonthArrow\",{get:function(){return n.__hidePrevMonthArrow},set:function(e){n.__hidePrevMonthArrow!==e&&((0,u.toggleClass)(n.prevMonthNav,\"flatpickr-disabled\",e),n.__hidePrevMonthArrow=e)}}),Object.defineProperty(n,\"_hideNextMonthArrow\",{get:function(){return n.__hideNextMonthArrow},set:function(e){n.__hideNextMonthArrow!==e&&((0,u.toggleClass)(n.nextMonthNav,\"flatpickr-disabled\",e),n.__hideNextMonthArrow=e)}}),n.currentYearElement=n.yearElements[0],le(),n.monthNav)),n.innerContainer=(0,u.createElement)(\"div\",\"flatpickr-innerContainer\"),n.config.weekNumbers){var t=function(){n.calendarContainer.classList.add(\"hasWeeks\");var e=(0,u.createElement)(\"div\",\"flatpickr-weekwrapper\");e.appendChild((0,u.createElement)(\"span\",\"flatpickr-weekday\",n.l10n.weekAbbreviation));var t=(0,u.createElement)(\"div\",\"flatpickr-weeks\");return e.appendChild(t),{weekWrapper:e,weekNumbers:t}}(),a=t.weekWrapper,i=t.weekNumbers;n.innerContainer.appendChild(a),n.weekNumbers=i,n.weekWrapper=a}n.rContainer=(0,u.createElement)(\"div\",\"flatpickr-rContainer\"),n.rContainer.appendChild(Y()),n.daysContainer||(n.daysContainer=(0,u.createElement)(\"div\",\"flatpickr-days\"),n.daysContainer.tabIndex=-1),O(),n.rContainer.appendChild(n.daysContainer),n.innerContainer.appendChild(n.rContainer),e.appendChild(n.innerContainer)}n.config.enableTime&&e.appendChild(function(){n.calendarContainer.classList.add(\"hasTime\"),n.config.noCalendar&&n.calendarContainer.classList.add(\"noCalendar\");var e=(0,f.getDefaultHours)(n.config);n.timeContainer=(0,u.createElement)(\"div\",\"flatpickr-time\"),n.timeContainer.tabIndex=-1;var t=(0,u.createElement)(\"span\",\"flatpickr-time-separator\",\":\"),a=(0,u.createNumberInput)(\"flatpickr-hour\",{\"aria-label\":n.l10n.hourAriaLabel});n.hourElement=a.getElementsByTagName(\"input\")[0];var i=(0,u.createNumberInput)(\"flatpickr-minute\",{\"aria-label\":n.l10n.minuteAriaLabel});n.minuteElement=i.getElementsByTagName(\"input\")[0],n.hourElement.tabIndex=n.minuteElement.tabIndex=-1,n.hourElement.value=(0,d.pad)(n.latestSelectedDateObj?n.latestSelectedDateObj.getHours():n.config.time_24hr?e.hours:function(e){switch(e%24){case 0:case 12:return 12;default:return e%12}}(e.hours)),n.minuteElement.value=(0,d.pad)(n.latestSelectedDateObj?n.latestSelectedDateObj.getMinutes():e.minutes),n.hourElement.setAttribute(\"step\",n.config.hourIncrement.toString()),n.minuteElement.setAttribute(\"step\",n.config.minuteIncrement.toString()),n.hourElement.setAttribute(\"min\",n.config.time_24hr?\"0\":\"1\"),n.hourElement.setAttribute(\"max\",n.config.time_24hr?\"23\":\"12\"),n.hourElement.setAttribute(\"maxlength\",\"2\"),n.minuteElement.setAttribute(\"min\",\"0\"),n.minuteElement.setAttribute(\"max\",\"59\"),n.minuteElement.setAttribute(\"maxlength\",\"2\"),n.timeContainer.appendChild(a),n.timeContainer.appendChild(t),n.timeContainer.appendChild(i),n.config.time_24hr&&n.timeContainer.classList.add(\"time24hr\");if(n.config.enableSeconds){n.timeContainer.classList.add(\"hasSeconds\");var o=(0,u.createNumberInput)(\"flatpickr-second\");n.secondElement=o.getElementsByTagName(\"input\")[0],n.secondElement.value=(0,d.pad)(n.latestSelectedDateObj?n.latestSelectedDateObj.getSeconds():e.seconds),n.secondElement.setAttribute(\"step\",n.minuteElement.getAttribute(\"step\")),n.secondElement.setAttribute(\"min\",\"0\"),n.secondElement.setAttribute(\"max\",\"59\"),n.secondElement.setAttribute(\"maxlength\",\"2\"),n.timeContainer.appendChild((0,u.createElement)(\"span\",\"flatpickr-time-separator\",\":\")),n.timeContainer.appendChild(o)}n.config.time_24hr||(n.amPM=(0,u.createElement)(\"span\",\"flatpickr-am-pm\",n.l10n.amPM[(0,d.int)((n.latestSelectedDateObj?n.hourElement.value:n.config.defaultHour)>11)]),n.amPM.title=n.l10n.toggleTitle,n.amPM.tabIndex=-1,n.timeContainer.appendChild(n.amPM));return n.timeContainer}());(0,u.toggleClass)(n.calendarContainer,\"rangeMode\",\"range\"===n.config.mode),(0,u.toggleClass)(n.calendarContainer,\"animate\",!0===n.config.animate),(0,u.toggleClass)(n.calendarContainer,\"multiMonth\",n.config.showMonths>1),n.calendarContainer.appendChild(e);var o=void 0!==n.config.appendTo&&void 0!==n.config.appendTo.nodeType;if((n.config.inline||n.config.static)&&(n.calendarContainer.classList.add(n.config.inline?\"inline\":\"static\"),n.config.inline&&(!o&&n.element.parentNode?n.element.parentNode.insertBefore(n.calendarContainer,n._input.nextSibling):void 0!==n.config.appendTo&&n.config.appendTo.appendChild(n.calendarContainer)),n.config.static)){var r=(0,u.createElement)(\"div\",\"flatpickr-wrapper\");n.element.parentNode&&n.element.parentNode.insertBefore(r,n.element),r.appendChild(n.element),n.altInput&&r.appendChild(n.altInput),r.appendChild(n.calendarContainer)}n.config.static||n.config.inline||(void 0!==n.config.appendTo?n.config.appendTo:window.document.body).appendChild(n.calendarContainer)}(),function(){n.config.wrap&&[\"open\",\"close\",\"toggle\",\"clear\"].forEach((function(e){Array.prototype.forEach.call(n.element.querySelectorAll(\"[data-\"+e+\"]\"),(function(t){return M(t,\"click\",n[e])}))}));if(n.isMobile)return void function(){var e=n.config.enableTime?n.config.noCalendar?\"time\":\"datetime-local\":\"date\";n.mobileInput=(0,u.createElement)(\"input\",n.input.className+\" flatpickr-mobile\"),n.mobileInput.tabIndex=1,n.mobileInput.type=e,n.mobileInput.disabled=n.input.disabled,n.mobileInput.required=n.input.required,n.mobileInput.placeholder=n.input.placeholder,n.mobileFormatStr=\"datetime-local\"===e?\"Y-m-d\\\\TH:i:S\":\"date\"===e?\"Y-m-d\":\"H:i:S\",n.selectedDates.length>0&&(n.mobileInput.defaultValue=n.mobileInput.value=n.formatDate(n.selectedDates[0],n.mobileFormatStr));n.config.minDate&&(n.mobileInput.min=n.formatDate(n.config.minDate,\"Y-m-d\"));n.config.maxDate&&(n.mobileInput.max=n.formatDate(n.config.maxDate,\"Y-m-d\"));n.input.getAttribute(\"step\")&&(n.mobileInput.step=String(n.input.getAttribute(\"step\")));n.input.type=\"hidden\",void 0!==n.altInput&&(n.altInput.type=\"hidden\");try{n.input.parentNode&&n.input.parentNode.insertBefore(n.mobileInput,n.input.nextSibling)}catch(e){}M(n.mobileInput,\"change\",(function(e){n.setDate((0,u.getEventTarget)(e).value,!1,n.mobileFormatStr),ie(\"onChange\"),ie(\"onClose\")}))}();var e=(0,d.debounce)(U,50);n._debouncedChange=(0,d.debounce)(y,g),n.daysContainer&&!/iPhone|iPad|iPod/i.test(navigator.userAgent)&&M(n.daysContainer,\"mouseover\",(function(e){\"range\"===n.config.mode&&J((0,u.getEventTarget)(e))}));M(n._input,\"keydown\",q),void 0!==n.calendarContainer&&M(n.calendarContainer,\"keydown\",q);n.config.inline||n.config.static||M(window,\"resize\",e);void 0!==window.ontouchstart?M(window.document,\"touchstart\",H):M(window.document,\"mousedown\",H);M(window.document,\"focus\",H,{capture:!0}),!0===n.config.clickOpens&&(M(n._input,\"focus\",n.open),M(n._input,\"click\",n.open));void 0!==n.daysContainer&&(M(n.monthNav,\"click\",de),M(n.monthNav,[\"keyup\",\"increment\"],b),M(n.daysContainer,\"click\",Z));if(void 0!==n.timeContainer&&void 0!==n.minuteElement&&void 0!==n.hourElement){var t=function(e){return(0,u.getEventTarget)(e).select()};M(n.timeContainer,[\"increment\"],p),M(n.timeContainer,\"blur\",p,{capture:!0}),M(n.timeContainer,\"click\",E),M([n.hourElement,n.minuteElement],[\"focus\",\"click\"],t),void 0!==n.secondElement&&M(n.secondElement,\"focus\",(function(){return n.secondElement&&n.secondElement.select()})),void 0!==n.amPM&&M(n.amPM,\"click\",(function(e){p(e)}))}n.config.allowInput&&M(n._input,\"blur\",K)}(),(n.selectedDates.length||n.config.noCalendar)&&(n.config.enableTime&&D(n.config.noCalendar?n.latestSelectedDateObj:void 0),se(!1)),o();var a=/^((?!chrome|android).)*safari/i.test(navigator.userAgent);!n.isMobile&&a&&X(),ie(\"onReady\")}(),n}function h(e,t){for(var n=Array.prototype.slice.call(e).filter((function(e){return e instanceof HTMLElement})),a=[],i=0;i\",noCalendar:!1,now:new Date,onChange:[],onClose:[],onDayCreate:[],onDestroy:[],onKeyDown:[],onMonthChange:[],onOpen:[],onParseConfig:[],onReady:[],onValueUpdate:[],onYearChange:[],onPreCalendarPosition:[],plugins:[],position:\"auto\",positionElement:void 0,prevArrow:\"\",shorthandCurrentMonth:!1,showMonths:1,static:!1,time_24hr:!1,weekNumbers:!1,wrap:!1}},\n", " 643: function _(e,r,a,n,t){n(),a.english={weekdays:{shorthand:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],longhand:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},months:{shorthand:[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],longhand:[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"]},daysInMonth:[31,28,31,30,31,30,31,31,30,31,30,31],firstDayOfWeek:0,ordinal:function(e){var r=e%100;if(r>3&&r<21)return\"th\";switch(r%10){case 1:return\"st\";case 2:return\"nd\";case 3:return\"rd\";default:return\"th\"}},rangeSeparator:\" to \",weekAbbreviation:\"Wk\",scrollTitle:\"Scroll to increment\",toggleTitle:\"Click to toggle\",amPM:[\"AM\",\"PM\"],yearAriaLabel:\"Year\",monthAriaLabel:\"Month\",hourAriaLabel:\"Hour\",minuteAriaLabel:\"Minute\",time_24hr:!1},a.default=a.english},\n", " 644: function _(n,t,r,i,u){i(),r.debounce=function(n,t){var r;return function(){var i=this,u=arguments;clearTimeout(r),r=setTimeout((function(){return n.apply(i,u)}),t)}};r.pad=function(n,t){return void 0===t&&(t=2),(\"000\"+n).slice(-1*t)};r.int=function(n){return!0===n?1:0};r.arrayify=function(n){return n instanceof Array?n:[n]}},\n", " 645: function _(t,e,n,r,a){function i(t,e,n){var r=window.document.createElement(t);return e=e||\"\",n=n||\"\",r.className=e,void 0!==n&&(r.textContent=n),r}r(),n.toggleClass=function(t,e,n){if(!0===n)return t.classList.add(e);t.classList.remove(e)},n.createElement=i,n.clearNode=function(t){for(;t.firstChild;)t.removeChild(t.firstChild)},n.findParent=function t(e,n){if(n(e))return e;if(e.parentNode)return t(e.parentNode,n);return},n.createNumberInput=function(t,e){var n=i(\"div\",\"numInputWrapper\"),r=i(\"input\",\"numInput \"+t),a=i(\"span\",\"arrowUp\"),o=i(\"span\",\"arrowDown\");-1===navigator.userAgent.indexOf(\"MSIE 9.0\")?r.type=\"number\":(r.type=\"text\",r.pattern=\"\\\\d*\");if(void 0!==e)for(var u in e)r.setAttribute(u,e[u]);return n.appendChild(r),n.appendChild(a),n.appendChild(o),n},n.getEventTarget=function(t){try{return\"function\"==typeof t.composedPath?t.composedPath()[0]:t.target}catch(e){return t.target}}},\n", " 646: function _(e,t,n,a,r){a(),n.compareDates=function(e,t,n){void 0===n&&(n=!0);if(!1!==n)return new Date(e.getTime()).setHours(0,0,0,0)-new Date(t.getTime()).setHours(0,0,0,0);return e.getTime()-t.getTime()},n.compareTimes=function(e,t){return 3600*(e.getHours()-t.getHours())+60*(e.getMinutes()-t.getMinutes())+e.getSeconds()-t.getSeconds()},n.getDefaultHours=function(e){var t=e.defaultHour,n=e.defaultMinute,a=e.defaultSeconds;if(void 0!==e.minDate){var r=e.minDate.getHours(),i=e.minDate.getMinutes(),o=e.minDate.getSeconds();tMath.min(t,n)&&e=12?12:0)+parseFloat(n))},H:function(t,n){t.setHours(parseFloat(n))},J:function(t,n){t.setDate(parseFloat(n))},K:function(t,n,e){t.setHours(t.getHours()%12+12*(0,u.int)(new RegExp(e.amPM[1],\"i\").test(n)))},M:function(t,n,e){t.setMonth(e.months.shorthand.indexOf(n))},S:function(t,n){t.setSeconds(parseFloat(n))},U:function(t,n){return new Date(1e3*parseFloat(n))},W:function(t,n,e){var o=parseInt(n),r=new Date(t.getFullYear(),0,2+7*(o-1),0,0,0,0);return r.setDate(r.getDate()-r.getDay()+e.firstDayOfWeek),r},Y:function(t,n){t.setFullYear(parseFloat(n))},Z:function(t,n){return new Date(n)},d:function(t,n){t.setDate(parseFloat(n))},h:function(t,n){t.setHours((t.getHours()>=12?12:0)+parseFloat(n))},i:function(t,n){t.setMinutes(parseFloat(n))},j:function(t,n){t.setDate(parseFloat(n))},l:a,m:function(t,n){t.setMonth(parseFloat(n)-1)},n:function(t,n){t.setMonth(parseFloat(n)-1)},s:function(t,n){t.setSeconds(parseFloat(n))},u:function(t,n){return new Date(parseFloat(n))},w:a,y:function(t,n){t.setFullYear(2e3+parseFloat(n))}},e.tokenRegex={D:\"\",F:\"\",G:\"(\\\\d\\\\d|\\\\d)\",H:\"(\\\\d\\\\d|\\\\d)\",J:\"(\\\\d\\\\d|\\\\d)\\\\w+\",K:\"\",M:\"\",S:\"(\\\\d\\\\d|\\\\d)\",U:\"(.+)\",W:\"(\\\\d\\\\d|\\\\d)\",Y:\"(\\\\d{4})\",Z:\"(.+)\",d:\"(\\\\d\\\\d|\\\\d)\",h:\"(\\\\d\\\\d|\\\\d)\",i:\"(\\\\d\\\\d|\\\\d)\",j:\"(\\\\d\\\\d|\\\\d)\",l:\"\",m:\"(\\\\d\\\\d|\\\\d)\",n:\"(\\\\d\\\\d|\\\\d)\",s:\"(\\\\d\\\\d|\\\\d)\",u:\"(.+)\",w:\"(\\\\d\\\\d|\\\\d)\",y:\"(\\\\d{2})\"},e.formats={Z:function(t){return t.toISOString()},D:function(t,n,o){return n.weekdays.shorthand[e.formats.w(t,n,o)]},F:function(t,n,o){return(0,e.monthToStr)(e.formats.n(t,n,o)-1,!1,n)},G:function(t,n,o){return(0,u.pad)(e.formats.h(t,n,o))},H:function(t){return(0,u.pad)(t.getHours())},J:function(t,n){return void 0!==n.ordinal?t.getDate()+n.ordinal(t.getDate()):t.getDate()},K:function(t,n){return n.amPM[(0,u.int)(t.getHours()>11)]},M:function(t,n){return(0,e.monthToStr)(t.getMonth(),!0,n)},S:function(t){return(0,u.pad)(t.getSeconds())},U:function(t){return t.getTime()/1e3},W:function(t,n,e){return e.getWeek(t)},Y:function(t){return(0,u.pad)(t.getFullYear(),4)},d:function(t){return(0,u.pad)(t.getDate())},h:function(t){return t.getHours()%12?t.getHours()%12:12},i:function(t){return(0,u.pad)(t.getMinutes())},j:function(t){return t.getDate()},l:function(t,n){return n.weekdays.longhand[t.getDay()]},m:function(t){return(0,u.pad)(t.getMonth()+1)},n:function(t){return t.getMonth()+1},s:function(t){return t.getSeconds()},u:function(t){return t.getTime()},w:function(t){return t.getDay()},y:function(t){return String(t.getFullYear()).substring(2)}}},\n", " 648: function _(n,t,o,r,e){\"function\"!=typeof Object.assign&&(Object.assign=function(n){for(var t=[],o=1;o{this._on_close(e)},e}_on_close(e){switch(e.length){case 0:case 1:this.model.value=null;break;case 2:break;default:(0,c.unreachable)(\"invalid length\")}}_on_change(e){switch(e.length){case 0:this.model.value=null;break;case 1:break;case 2:{const[a,t]=e,l=this._format_date(a),n=this._format_date(t);this.model.value=[l,n];break}default:(0,c.unreachable)(\"invalid length\")}}}t.DateRangePickerView=r,r.__name__=\"DateRangePickerView\";class o extends i.BaseDatePicker{constructor(e){super(e)}}t.DateRangePicker=o,s=o,o.__name__=\"DateRangePicker\",s.prototype.default_view=r,s.define((({Tuple:e,Nullable:a})=>({value:[a(e(i.DateLike,i.DateLike)),null]})))},\n", " 651: function _(e,t,i,a,n){var r;a();const s=e(652),l=e(639),c=e(12);class _ extends s.BaseDatetimePickerView{get flatpickr_options(){return{...super.flatpickr_options,mode:\"single\"}}_on_change(e){(0,c.assert)(e.length<=1),this.model.value=(()=>{if(0==e.length)return null;{const[t]=e;return this._format_date(t)}})()}}i.DatetimePickerView=_,_.__name__=\"DatetimePickerView\";class o extends s.BaseDatetimePicker{constructor(e){super(e)}}i.DatetimePicker=o,r=o,o.__name__=\"DatetimePicker\",r.prototype.default_view=_,r.define((({Nullable:e})=>({value:[e(l.DateLike),null]})))},\n", " 652: function _(e,t,n,c,i){var s;c();const r=e(639),o=e(21);class m extends r.BaseDatePickerView{connect_signals(){super.connect_signals();const{value:e,hour_increment:t,minute_increment:n,second_increment:c,seconds:i,clock:s}=this.model.properties;this.connect(e.change,(()=>{const{value:e}=this.model;null!=e?this.picker.setDate(e):this.picker.clear()})),this.connect(t.change,(()=>this.picker.set(\"hourIncrement\",this.model.hour_increment))),this.connect(n.change,(()=>this.picker.set(\"minuteIncrement\",this.model.minute_increment))),this.connect(c.change,(()=>this._update_second_increment())),this.connect(i.change,(()=>this.picker.set(\"enableSeconds\",this.model.seconds))),this.connect(s.change,(()=>this.picker.set(\"time_24hr\",\"24h\"==this.model.clock)))}get flatpickr_options(){const{hour_increment:e,minute_increment:t,seconds:n,clock:c}=this.model,i=super.flatpickr_options;return i.enableTime=!0,i.dateFormat=\"Y-m-dTH:i:S\",i.hourIncrement=e,i.minuteIncrement=t,i.enableSeconds=n,i.time_24hr=\"24h\"==c,i}render(){super.render(),this._update_second_increment()}_update_second_increment(){const{second_increment:e}=this.model;this.picker.secondElement?.setAttribute(\"step\",e.toString())}}n.BaseDatetimePickerView=m,m.__name__=\"BaseDatetimePickerView\";class a extends r.BaseDatePicker{constructor(e){super(e)}}n.BaseDatetimePicker=a,s=a,a.__name__=\"BaseDatetimePicker\",s.define((({Bool:e,Positive:t,Int:n})=>({hour_increment:[t(n),1],minute_increment:[t(n),1],second_increment:[t(n),1],seconds:[e,!1],clock:[o.Clock,\"24h\"]}))),s.override({date_format:\"Y-m-d H:i\"})},\n", " 653: function _(e,a,t,i,s){var l;i();const n=e(652),c=e(639),r=e(12);class o extends n.BaseDatetimePickerView{get flatpickr_options(){const e=super.flatpickr_options;return e.mode=\"range\",e.onClose=e=>{this._on_close(e)},e}_on_close(e){switch(e.length){case 0:case 2:break;case 1:this.model.value=null,this.picker.clear(!1,!1),this.picker._input.focus(),this.picker.close();break;default:(0,r.unreachable)(\"invalid length\")}}_on_change(e){switch(e.length){case 0:this.model.value=null;break;case 1:break;case 2:{const[a,t]=e,i=this._format_date(a),s=this._format_date(t);this.model.value=[i,s];break}default:(0,r.unreachable)(\"invalid length\")}}}t.DatetimeRangePickerView=o,o.__name__=\"DatetimeRangePickerView\";class _ extends n.BaseDatetimePicker{constructor(e){super(e)}}t.DatetimeRangePicker=_,l=_,_.__name__=\"DatetimeRangePicker\",l.prototype.default_view=o,l.define((({Nullable:e,Tuple:a})=>({value:[e(a(c.DateLike,c.DateLike)),null]})))},\n", " 654: function _(e,t,s,i,r){var _;i();const n=e(655);class a extends n.MarkupView{render(){super.render(),this.model.render_as_text?this.markup_el.textContent=this.model.text:this.markup_el.innerHTML=this.has_math_disabled()?this.model.text:this.process_tex(this.model.text)}}s.DivView=a,a.__name__=\"DivView\";class d extends n.Markup{constructor(e){super(e)}}s.Div=d,_=d,d.__name__=\"Div\",_.prototype.default_view=a,_.define((({Bool:e})=>({render_as_text:[e,!1]})))},\n", " 655: function _(t,e,s,i,a){var r;i();const n=t(1),d=t(61),h=t(728),o=n.__importStar(t(656));class _ extends h.WidgetView{constructor(){super(...arguments),this._auto_width=\"fit-content\",this._auto_height=\"auto\"}async lazy_initialize(){await super.lazy_initialize(),\"not_started\"!=this.provider.status&&\"loading\"!=this.provider.status||this.provider.ready.connect((()=>{this.contains_tex_string(this.model.text)&&this.rerender()}))}has_math_disabled(){return this.model.disable_math||!this.contains_tex_string(this.model.text)}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>{this.rerender()}))}stylesheets(){return[...super.stylesheets(),o.default,\"p { margin: 0; }\"]}render(){super.render(),this.markup_el=(0,d.div)({class:o.clearfix,style:{display:\"inline-block\"}}),this.shadow_el.appendChild(this.markup_el),\"failed\"!=this.provider.status&&\"loaded\"!=this.provider.status||(this._has_finished=!0)}}s.MarkupView=_,_.__name__=\"MarkupView\";class l extends h.Widget{constructor(t){super(t)}}s.Markup=l,r=l,l.__name__=\"Markup\",r.define((({Bool:t,Str:e})=>({text:[e,\"\"],disable_math:[t,!1]})))},\n", " 656: function _(e,a,f,l,r){l(),f.clearfix=\"bk-clearfix\",f.default='.bk-clearfix:before,.bk-clearfix:after{content:\"\";display:table;}.bk-clearfix:after{clear:both;}'},\n", " 657: function _(e,t,i,s,n){var o;s();const l=e(1),_=e(618),r=e(80),d=e(61),u=e(8),c=e(51),h=l.__importStar(e(77)),m=l.__importStar(e(626)),p=m,a=l.__importStar(e(658)),g=a;class w extends _.AbstractButtonView{constructor(){super(...arguments),this._open=!1}stylesheets(){return[...super.stylesheets(),m.default,a.default]}connect_signals(){super.connect_signals();const{menu:e}=this.model.properties;this.on_change(e,(()=>this.rebuild_menu()))}render(){super.render();const e=(0,d.div)({class:[g.caret,g.down]});if(this.model.is_split){const t=this._render_button(e);t.classList.add(h.dropdown_toggle),t.addEventListener(\"click\",(()=>this._toggle_menu())),this.group_el.append(t)}else this.button_el.append(e);this.menu_el=(0,d.div)({class:[p.menu,p.below]}),this.shadow_el.append(this.menu_el),this.rebuild_menu(),(0,d.undisplay)(this.menu_el)}_show_menu(){if(!this._open){this._open=!0,(0,d.display)(this.menu_el);const e=t=>{t.composedPath().includes(this.el)||(document.removeEventListener(\"click\",e),this._hide_menu())};document.addEventListener(\"click\",e)}}_hide_menu(){this._open&&(this._open=!1,(0,d.undisplay)(this.menu_el))}_toggle_menu(){this._open?this._hide_menu():this._show_menu()}click(){this.model.is_split?(this._hide_menu(),this.model.trigger_event(new r.ButtonClick),super.click()):this._toggle_menu()}_item_click(e){this._hide_menu();const t=this.model.menu[e];if(null!=t){const i=(0,u.isString)(t)?t:t[1];(0,u.isString)(i)?this.model.trigger_event(new r.MenuItemClick(i)):(0,c.execute)(i,this.model,{index:e})}}rebuild_menu(){(0,d.empty)(this.menu_el);const e=this.model.menu.map(((e,t)=>{if(null==e)return(0,d.div)({class:p.divider});{const i=(0,u.isString)(e)?e:e[0],s=(0,d.div)(i);return s.addEventListener(\"click\",(()=>this._item_click(t))),s}}));this.menu_el.append(...e)}}i.DropdownView=w,w.__name__=\"DropdownView\";class v extends _.AbstractButton{constructor(e){super(e)}get is_split(){return this.split}}i.Dropdown=v,o=v,v.__name__=\"Dropdown\",o.prototype.default_view=w,o.define((({Null:e,Bool:t,Str:i,List:s,Tuple:n,Or:o})=>({split:[t,!1],menu:[s(o(i,n(i,o(i)),e)),[]]}))),o.override({label:\"Dropdown\"})},\n", " 658: function _(t,r,e,a,d){a(),e.caret=\"bk-caret\",e.down=\"bk-down\",e.up=\"bk-up\",e.left=\"bk-left\",e.right=\"bk-right\",e.default=\":host{--caret-width:4px;}.bk-caret{display:inline-block;vertical-align:middle;width:0;height:0;margin:0 5px;}.bk-caret.bk-down{border-top:var(--caret-width) solid;}.bk-caret.bk-up{border-bottom:var(--caret-width) solid;}.bk-caret.bk-down,.bk-caret.bk-up{border-right:var(--caret-width) solid transparent;border-left:var(--caret-width) solid transparent;}.bk-caret.bk-left{border-right:var(--caret-width) solid;}.bk-caret.bk-right{border-left:var(--caret-width) solid;}.bk-caret.bk-left,.bk-caret.bk-right{border-top:var(--caret-width) solid transparent;border-bottom:var(--caret-width) solid transparent;}\"},\n", " 659: function _(e,t,n,i,s){var l;i();const r=e(1),a=e(624),o=e(61),u=e(8),p=r.__importStar(e(19)),d=r.__importStar(e(625)),c=r.__importDefault(e(77));class _ extends a.InputWidgetView{connect_signals(){super.connect_signals(),this.model.on_event(a.ClearInput,(()=>{this.model.setv({value:\"\",mime_type:\"\",filename:\"\"}),this.input_el.value=\"\"}))}stylesheets(){return[...super.stylesheets(),c.default]}_render_input(){const{multiple:e,disabled:t,directory:n}=this.model,i=(()=>{const{accept:e}=this.model;return(0,u.isString)(e)?e:e.join(\",\")})();return this.input_el=(0,o.input)({type:\"file\",class:d.input,multiple:e,accept:i,disabled:t,webkitdirectory:n})}render(){super.render(),this.input_el.addEventListener(\"change\",(async()=>{const{files:e}=this.input_el;null!=e&&await this.load_files(e)}))}async load_files(e){const t=[],n=[],i=[],{directory:s,multiple:l}=this.model,r=(()=>{const{accept:e}=this.model;return(0,u.isString)(e)?e:e.join(\",\")})();for(const l of e){const e=await this._read_file(l),[,a=\"\",,o=\"\"]=e.split(/[:;,]/,4);if(s){const e=l.name.split(\".\").pop();r.length>0&&(0,u.isString)(e)&&!r.includes(`.${e}`)||(n.push(l.webkitRelativePath),t.push(o),i.push(a))}else n.push(l.name),t.push(o),i.push(a)}const[a,o,p]=s||l?[t,n,i]:0!=e.length?[t[0],n[0],i[0]]:[\"\",\"\",\"\"];this.model.setv({value:a,filename:o,mime_type:p})}_read_file(e){return new Promise(((t,n)=>{const i=new FileReader;i.onload=()=>{const{result:s}=i;null!=s?t(s):n(i.error??new Error(`unable to read '${e.name}'`))},i.readAsDataURL(e)}))}}n.FileInputView=_,_.__name__=\"FileInputView\";class m extends a.InputWidget{constructor(e){super(e)}}n.FileInput=m,l=m,m.__name__=\"FileInput\",l.prototype.default_view=_,l.define((({Bool:e,Str:t,List:n,Or:i})=>({value:[i(t,n(t)),p.unset,{readonly:!0}],mime_type:[i(t,n(t)),p.unset,{readonly:!0}],filename:[i(t,n(t)),p.unset,{readonly:!0}],accept:[i(t,n(t)),\"\"],multiple:[e,!1],directory:[e,!1]})))},\n", " 660: function _(e,t,i,o,n){var s;o();const l=e(618),d=e(447),r=e(503),a=e(69);class p extends l.AbstractButtonView{*children(){yield*super.children(),yield this.tooltip}async lazy_initialize(){await super.lazy_initialize();const{tooltip:e}=this.model;this.tooltip=await(0,a.build_view)(e,{parent:this})}remove(){this.tooltip.remove(),super.remove()}render(){super.render();let e=!1;const t=t=>{this.tooltip.model.setv({visible:t,closable:e})};this.on_change(this.tooltip.model.properties.visible,(()=>{const{visible:i}=this.tooltip.model;i||(e=!1),t(i)})),this.el.addEventListener(\"mouseenter\",(()=>{t(!0)})),this.el.addEventListener(\"mouseleave\",(()=>{e||t(!1)})),document.addEventListener(\"mousedown\",(i=>{const o=i.composedPath();o.includes(this.tooltip.el)||(o.includes(this.el)?(e=!e,t(e)):(e=!1,t(!1)))})),window.addEventListener(\"blur\",(()=>{e=!1,t(!1)}))}}i.HelpButtonView=p,p.__name__=\"HelpButtonView\";class u extends l.AbstractButton{constructor(e){super(e)}}i.HelpButton=u,s=u,u.__name__=\"HelpButton\",s.prototype.default_view=p,s.define((({Ref:e})=>({tooltip:[e(d.Tooltip)]}))),s.override({label:\"\",icon:()=>new r.BuiltinIcon({icon_name:\"help\",size:18}),button_type:\"default\"})},\n", " 661: function _(e,t,i,s,o){var l;s();const n=e(1),u=n.__importDefault(e(662)),_=e(61),r=e(8),a=e(27),c=n.__importStar(e(625)),h=n.__importDefault(e(663)),d=e(624);function p(e){return Object.defineProperty(e,\"target\",{get:()=>e.composedPath()[0]??null,configurable:!0}),e}class m extends u.default{_onFocus(e){super._onFocus(p(e))}_onBlur(e){super._onBlur(p(e))}_onKeyUp(e){super._onKeyUp(p(e))}_onKeyDown(e){super._onKeyDown(p(e))}_onClick(e){super._onClick(p(e))}_onTouchEnd(e){super._onTouchEnd(p(e))}_onMouseDown(e){super._onMouseDown(p(e))}_onMouseOver(e){super._onMouseOver(p(e))}}m.__name__=\"OurChoices\";class g extends d.InputWidgetView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.disabled.change,(()=>this.set_disabled()));const{value:e,max_items:t,option_limit:i,search_option_limit:s,delete_button:o,placeholder:l,options:n,name:u,title:_}=this.model.properties;this.on_change([t,i,s,o,l,n,u,_],(()=>this.rerender())),this.on_change(e,(()=>{(0,a.is_equal)(this.model.value,this._current_values)||this.rerender()}))}stylesheets(){return[...super.stylesheets(),h.default]}_render_input(){return this.input_el=(0,_.select)({multiple:!0,class:c.input,name:this.model.name,disabled:this.model.disabled})}render(){super.render();const e=new Set(this.model.value),t=this.model.options.map((t=>{let i,s;return(0,r.isString)(t)?i=s=t:[i,s]=t,{value:i,label:s,selected:e.has(i)}})),i=this.model.solid?\"solid\":\"light\",s=`choices__item ${i}`,o=`choices__button ${i}`,l={choices:t,itemSelectText:\"\",duplicateItemsAllowed:!1,shouldSort:!1,removeItemButton:this.model.delete_button,classNames:{item:s,button:o},placeholderValue:this.model.placeholder,maxItemCount:this.model.max_items??-1,renderChoiceLimit:this.model.option_limit??-1,searchResultLimit:this.model.search_option_limit??4};this.choice_el=new m(this.input_el,l),this.input_el.addEventListener(\"change\",(()=>this.change_input()))}set_disabled(){this.model.disabled?this.choice_el.disable():this.choice_el.enable()}get _current_values(){return this.choice_el.getValue().map((e=>e.value))}change_input(){this.model.value=this._current_values,super.change_input()}}i.MultiChoiceView=g,g.__name__=\"MultiChoiceView\";class b extends d.InputWidget{constructor(e){super(e)}}i.MultiChoice=b,l=b,b.__name__=\"MultiChoice\",l.prototype.default_view=g,l.define((({Bool:e,Int:t,Str:i,List:s,Tuple:o,Or:l,Nullable:n})=>({value:[s(i),[]],options:[s(l(i,o(i,i))),[]],max_items:[n(t),null],delete_button:[e,!0],placeholder:[n(i),null],option_limit:[n(t),null],search_option_limit:[n(t),null],solid:[e,!0]})))},\n", " 662: function _(e,t,i,n,r){\n", " /*! choices.js v10.2.0 | © 2022 Josh Johnson | https://github.com/jshjohnson/Choices#readme */\n", " var s,o;s=window,o=function(){return function(){\"use strict\";var e={282:function(e,t,i){Object.defineProperty(t,\"__esModule\",{value:!0}),t.clearChoices=t.activateChoices=t.filterChoices=t.addChoice=void 0;var n=i(883);t.addChoice=function(e){var t=e.value,i=e.label,r=e.id,s=e.groupId,o=e.disabled,a=e.elementId,c=e.customProperties,l=e.placeholder,h=e.keyCode;return{type:n.ACTION_TYPES.ADD_CHOICE,value:t,label:i,id:r,groupId:s,disabled:o,elementId:a,customProperties:c,placeholder:l,keyCode:h}},t.filterChoices=function(e){return{type:n.ACTION_TYPES.FILTER_CHOICES,results:e}},t.activateChoices=function(e){return void 0===e&&(e=!0),{type:n.ACTION_TYPES.ACTIVATE_CHOICES,active:e}},t.clearChoices=function(){return{type:n.ACTION_TYPES.CLEAR_CHOICES}}},783:function(e,t,i){Object.defineProperty(t,\"__esModule\",{value:!0}),t.addGroup=void 0;var n=i(883);t.addGroup=function(e){var t=e.value,i=e.id,r=e.active,s=e.disabled;return{type:n.ACTION_TYPES.ADD_GROUP,value:t,id:i,active:r,disabled:s}}},464:function(e,t,i){Object.defineProperty(t,\"__esModule\",{value:!0}),t.highlightItem=t.removeItem=t.addItem=void 0;var n=i(883);t.addItem=function(e){var t=e.value,i=e.label,r=e.id,s=e.choiceId,o=e.groupId,a=e.customProperties,c=e.placeholder,l=e.keyCode;return{type:n.ACTION_TYPES.ADD_ITEM,value:t,label:i,id:r,choiceId:s,groupId:o,customProperties:a,placeholder:c,keyCode:l}},t.removeItem=function(e,t){return{type:n.ACTION_TYPES.REMOVE_ITEM,id:e,choiceId:t}},t.highlightItem=function(e,t){return{type:n.ACTION_TYPES.HIGHLIGHT_ITEM,id:e,highlighted:t}}},137:function(e,t,i){Object.defineProperty(t,\"__esModule\",{value:!0}),t.setIsLoading=t.resetTo=t.clearAll=void 0;var n=i(883);t.clearAll=function(){return{type:n.ACTION_TYPES.CLEAR_ALL}},t.resetTo=function(e){return{type:n.ACTION_TYPES.RESET_TO,state:e}},t.setIsLoading=function(e){return{type:n.ACTION_TYPES.SET_IS_LOADING,isLoading:e}}},373:function(e,t,i){var n=this&&this.__spreadArray||function(e,t,i){if(i||2===arguments.length)for(var n,r=0,s=t.length;r=0?this._store.getGroupById(r):null;return this._store.dispatch((0,l.highlightItem)(i,!0)),t&&this.passedElement.triggerEvent(d.EVENTS.highlightItem,{id:i,value:o,label:c,groupValue:h&&h.value?h.value:null}),this},e.prototype.unhighlightItem=function(e){if(!e||!e.id)return this;var t=e.id,i=e.groupId,n=void 0===i?-1:i,r=e.value,s=void 0===r?\"\":r,o=e.label,a=void 0===o?\"\":o,c=n>=0?this._store.getGroupById(n):null;return this._store.dispatch((0,l.highlightItem)(t,!1)),this.passedElement.triggerEvent(d.EVENTS.highlightItem,{id:t,value:s,label:a,groupValue:c&&c.value?c.value:null}),this},e.prototype.highlightAll=function(){var e=this;return this._store.items.forEach((function(t){return e.highlightItem(t)})),this},e.prototype.unhighlightAll=function(){var e=this;return this._store.items.forEach((function(t){return e.unhighlightItem(t)})),this},e.prototype.removeActiveItemsByValue=function(e){var t=this;return this._store.activeItems.filter((function(t){return t.value===e})).forEach((function(e){return t._removeItem(e)})),this},e.prototype.removeActiveItems=function(e){var t=this;return this._store.activeItems.filter((function(t){return t.id!==e})).forEach((function(e){return t._removeItem(e)})),this},e.prototype.removeHighlightedItems=function(e){var t=this;return void 0===e&&(e=!1),this._store.highlightedActiveItems.forEach((function(i){t._removeItem(i),e&&t._triggerChange(i.value)})),this},e.prototype.showDropdown=function(e){var t=this;return this.dropdown.isActive||requestAnimationFrame((function(){t.dropdown.show(),t.containerOuter.open(t.dropdown.distanceFromTopWindow),!e&&t._canSearch&&t.input.focus(),t.passedElement.triggerEvent(d.EVENTS.showDropdown,{})})),this},e.prototype.hideDropdown=function(e){var t=this;return this.dropdown.isActive?(requestAnimationFrame((function(){t.dropdown.hide(),t.containerOuter.close(),!e&&t._canSearch&&(t.input.removeActiveDescendant(),t.input.blur()),t.passedElement.triggerEvent(d.EVENTS.hideDropdown,{})})),this):this},e.prototype.getValue=function(e){void 0===e&&(e=!1);var t=this._store.activeItems.reduce((function(t,i){var n=e?i.value:i;return t.push(n),t}),[]);return this._isSelectOneElement?t[0]:t},e.prototype.setValue=function(e){var t=this;return this.initialised?(e.forEach((function(e){return t._setChoiceOrItem(e)})),this):this},e.prototype.setChoiceByValue=function(e){var t=this;return!this.initialised||this._isTextElement||(Array.isArray(e)?e:[e]).forEach((function(e){return t._findAndSelectChoiceByValue(e)})),this},e.prototype.setChoices=function(e,t,i,n){var r=this;if(void 0===e&&(e=[]),void 0===t&&(t=\"value\"),void 0===i&&(i=\"label\"),void 0===n&&(n=!1),!this.initialised)throw new ReferenceError(\"setChoices was called on a non-initialized instance of Choices\");if(!this._isSelectElement)throw new TypeError(\"setChoices can't be used with INPUT based Choices\");if(\"string\"!=typeof t||!t)throw new TypeError(\"value parameter must be a name of 'value' field in passed objects\");if(n&&this.clearChoices(),\"function\"==typeof e){var s=e(this);if(\"function\"==typeof Promise&&s instanceof Promise)return new Promise((function(e){return requestAnimationFrame(e)})).then((function(){return r._handleLoadingState(!0)})).then((function(){return s})).then((function(e){return r.setChoices(e,t,i,n)})).catch((function(e){r.config.silent||console.error(e)})).then((function(){return r._handleLoadingState(!1)})).then((function(){return r}));if(!Array.isArray(s))throw new TypeError(\".setChoices first argument function must return either array of choices or Promise, got: \".concat(typeof s));return this.setChoices(s,t,i,!1)}if(!Array.isArray(e))throw new TypeError(\".setChoices must be called either with array of choices with a function resulting into Promise of array of choices\");return this.containerOuter.removeLoadingState(),this._startLoading(),e.forEach((function(e){if(e.choices)r._addGroup({id:e.id?parseInt(\"\".concat(e.id),10):null,group:e,valueKey:t,labelKey:i});else{var n=e;r._addChoice({value:n[t],label:n[i],isSelected:!!n.selected,isDisabled:!!n.disabled,placeholder:!!n.placeholder,customProperties:n.customProperties})}})),this._stopLoading(),this},e.prototype.clearChoices=function(){return this._store.dispatch((0,a.clearChoices)()),this},e.prototype.clearStore=function(){return this._store.dispatch((0,h.clearAll)()),this},e.prototype.clearInput=function(){var e=!this._isSelectOneElement;return this.input.clear(e),!this._isTextElement&&this._canSearch&&(this._isSearching=!1,this._store.dispatch((0,a.activateChoices)(!0))),this},e.prototype._render=function(){if(!this._store.isLoading()){this._currentState=this._store.state;var e=this._currentState.choices!==this._prevState.choices||this._currentState.groups!==this._prevState.groups||this._currentState.items!==this._prevState.items,t=this._isSelectElement,i=this._currentState.items!==this._prevState.items;e&&(t&&this._renderChoices(),i&&this._renderItems(),this._prevState=this._currentState)}},e.prototype._renderChoices=function(){var e=this,t=this._store,i=t.activeGroups,n=t.activeChoices,r=document.createDocumentFragment();if(this.choiceList.clear(),this.config.resetScrollPosition&&requestAnimationFrame((function(){return e.choiceList.scrollToTop()})),i.length>=1&&!this._isSearching){var s=n.filter((function(e){return!0===e.placeholder&&-1===e.groupId}));s.length>=1&&(r=this._createChoicesFragment(s,r)),r=this._createGroupsFragment(i,n,r)}else n.length>=1&&(r=this._createChoicesFragment(n,r));if(r.childNodes&&r.childNodes.length>0){var o=this._store.activeItems,a=this._canAddItem(o,this.input.value);if(a.response)this.choiceList.append(r),this._highlightChoice();else{var c=this._getTemplate(\"notice\",a.notice);this.choiceList.append(c)}}else{var l=void 0;c=void 0,this._isSearching?(c=\"function\"==typeof this.config.noResultsText?this.config.noResultsText():this.config.noResultsText,l=this._getTemplate(\"notice\",c,\"no-results\")):(c=\"function\"==typeof this.config.noChoicesText?this.config.noChoicesText():this.config.noChoicesText,l=this._getTemplate(\"notice\",c,\"no-choices\")),this.choiceList.append(l)}},e.prototype._renderItems=function(){var e=this._store.activeItems||[];this.itemList.clear();var t=this._createItemsFragment(e);t.childNodes&&this.itemList.append(t)},e.prototype._createGroupsFragment=function(e,t,i){var n=this;return void 0===i&&(i=document.createDocumentFragment()),this.config.shouldSort&&e.sort(this.config.sorter),e.forEach((function(e){var r=function(e){return t.filter((function(t){return n._isSelectOneElement?t.groupId===e.id:t.groupId===e.id&&(\"always\"===n.config.renderSelectedChoices||!t.selected)}))}(e);if(r.length>=1){var s=n._getTemplate(\"choiceGroup\",e);i.appendChild(s),n._createChoicesFragment(r,i,!0)}})),i},e.prototype._createChoicesFragment=function(e,t,i){var r=this;void 0===t&&(t=document.createDocumentFragment()),void 0===i&&(i=!1);var s=this.config,o=s.renderSelectedChoices,a=s.searchResultLimit,c=s.renderChoiceLimit,l=this._isSearching?f.sortByScore:this.config.sorter,h=function(e){if(\"auto\"!==o||r._isSelectOneElement||!e.selected){var i=r._getTemplate(\"choice\",e,r.config.itemSelectText);t.appendChild(i)}},u=e;\"auto\"!==o||this._isSelectOneElement||(u=e.filter((function(e){return!e.selected})));var d=u.reduce((function(e,t){return t.placeholder?e.placeholderChoices.push(t):e.normalChoices.push(t),e}),{placeholderChoices:[],normalChoices:[]}),p=d.placeholderChoices,m=d.normalChoices;(this.config.shouldSort||this._isSearching)&&m.sort(l);var v=u.length,g=this._isSelectOneElement?n(n([],p,!0),m,!0):m;this._isSearching?v=a:c&&c>0&&!i&&(v=c);for(var _=0;_=n){var o=r?this._searchChoices(e):0;this.passedElement.triggerEvent(d.EVENTS.search,{value:e,resultCount:o})}else s&&(this._isSearching=!1,this._store.dispatch((0,a.activateChoices)(!0)))}},e.prototype._canAddItem=function(e,t){var i=!0,n=\"function\"==typeof this.config.addItemText?this.config.addItemText(t):this.config.addItemText;if(!this._isSelectOneElement){var r=(0,f.existsInArray)(e,t);this.config.maxItemCount>0&&this.config.maxItemCount<=e.length&&(i=!1,n=\"function\"==typeof this.config.maxItemText?this.config.maxItemText(this.config.maxItemCount):this.config.maxItemText),!this.config.duplicateItemsAllowed&&r&&i&&(i=!1,n=\"function\"==typeof this.config.uniqueItemText?this.config.uniqueItemText(t):this.config.uniqueItemText),this._isTextElement&&this.config.addItems&&i&&\"function\"==typeof this.config.addItemFilter&&!this.config.addItemFilter(t)&&(i=!1,n=\"function\"==typeof this.config.customAddItemText?this.config.customAddItemText(t):this.config.customAddItemText)}return{response:i,notice:n}},e.prototype._searchChoices=function(e){var t=\"string\"==typeof e?e.trim():e,i=\"string\"==typeof this._currentValue?this._currentValue.trim():this._currentValue;if(t.length<1&&t===\"\".concat(i,\" \"))return 0;var r=this._store.searchableChoices,s=t,c=Object.assign(this.config.fuseOptions,{keys:n([],this.config.searchFields,!0),includeMatches:!0}),l=new o.default(r,c).search(s);return this._currentValue=t,this._highlightPosition=0,this._isSearching=!0,this._store.dispatch((0,a.filterChoices)(l)),l.length},e.prototype._addEventListeners=function(){var e=document.documentElement;e.addEventListener(\"touchend\",this._onTouchEnd,!0),this.containerOuter.element.addEventListener(\"keydown\",this._onKeyDown,!0),this.containerOuter.element.addEventListener(\"mousedown\",this._onMouseDown,!0),e.addEventListener(\"click\",this._onClick,{passive:!0}),e.addEventListener(\"touchmove\",this._onTouchMove,{passive:!0}),this.dropdown.element.addEventListener(\"mouseover\",this._onMouseOver,{passive:!0}),this._isSelectOneElement&&(this.containerOuter.element.addEventListener(\"focus\",this._onFocus,{passive:!0}),this.containerOuter.element.addEventListener(\"blur\",this._onBlur,{passive:!0})),this.input.element.addEventListener(\"keyup\",this._onKeyUp,{passive:!0}),this.input.element.addEventListener(\"focus\",this._onFocus,{passive:!0}),this.input.element.addEventListener(\"blur\",this._onBlur,{passive:!0}),this.input.element.form&&this.input.element.form.addEventListener(\"reset\",this._onFormReset,{passive:!0}),this.input.addEventListeners()},e.prototype._removeEventListeners=function(){var e=document.documentElement;e.removeEventListener(\"touchend\",this._onTouchEnd,!0),this.containerOuter.element.removeEventListener(\"keydown\",this._onKeyDown,!0),this.containerOuter.element.removeEventListener(\"mousedown\",this._onMouseDown,!0),e.removeEventListener(\"click\",this._onClick),e.removeEventListener(\"touchmove\",this._onTouchMove),this.dropdown.element.removeEventListener(\"mouseover\",this._onMouseOver),this._isSelectOneElement&&(this.containerOuter.element.removeEventListener(\"focus\",this._onFocus),this.containerOuter.element.removeEventListener(\"blur\",this._onBlur)),this.input.element.removeEventListener(\"keyup\",this._onKeyUp),this.input.element.removeEventListener(\"focus\",this._onFocus),this.input.element.removeEventListener(\"blur\",this._onBlur),this.input.element.form&&this.input.element.form.removeEventListener(\"reset\",this._onFormReset),this.input.removeEventListeners()},e.prototype._onKeyDown=function(e){var t=e.keyCode,i=this._store.activeItems,n=this.input.isFocussed,r=this.dropdown.isActive,s=this.itemList.hasChildren(),o=String.fromCharCode(t),a=/[^\\x00-\\x1F]/.test(o),c=d.KEY_CODES.BACK_KEY,l=d.KEY_CODES.DELETE_KEY,h=d.KEY_CODES.ENTER_KEY,u=d.KEY_CODES.A_KEY,p=d.KEY_CODES.ESC_KEY,f=d.KEY_CODES.UP_KEY,m=d.KEY_CODES.DOWN_KEY,v=d.KEY_CODES.PAGE_UP_KEY,g=d.KEY_CODES.PAGE_DOWN_KEY;switch(this._isTextElement||r||!a||(this.showDropdown(),this.input.isFocussed||(this.input.value+=e.key.toLowerCase())),t){case u:return this._onSelectKey(e,s);case h:return this._onEnterKey(e,i,r);case p:return this._onEscapeKey(r);case f:case v:case m:case g:return this._onDirectionKey(e,r);case l:case c:return this._onDeleteKey(e,i,n)}},e.prototype._onKeyUp=function(e){var t=e.target,i=e.keyCode,n=this.input.value,r=this._store.activeItems,s=this._canAddItem(r,n),o=d.KEY_CODES.BACK_KEY,c=d.KEY_CODES.DELETE_KEY;if(this._isTextElement)if(s.notice&&n){var l=this._getTemplate(\"notice\",s.notice);this.dropdown.element.innerHTML=l.outerHTML,this.showDropdown(!0)}else this.hideDropdown(!0);else{var h=(i===o||i===c)&&t&&!t.value,u=!this._isTextElement&&this._isSearching,p=this._canSearch&&s.response;h&&u?(this._isSearching=!1,this._store.dispatch((0,a.activateChoices)(!0))):p&&this._handleSearch(this.input.rawValue)}this._canSearch=this.config.searchEnabled},e.prototype._onSelectKey=function(e,t){var i=e.ctrlKey,n=e.metaKey;(i||n)&&t&&(this._canSearch=!1,this.config.removeItems&&!this.input.value&&this.input.element===document.activeElement&&this.highlightAll())},e.prototype._onEnterKey=function(e,t,i){var n=e.target,r=d.KEY_CODES.ENTER_KEY,s=n&&n.hasAttribute(\"data-button\");if(this._isTextElement&&n&&n.value){var o=this.input.value;this._canAddItem(t,o).response&&(this.hideDropdown(!0),this._addItem({value:o}),this._triggerChange(o),this.clearInput())}if(s&&(this._handleButtonAction(t,n),e.preventDefault()),i){var a=this.dropdown.getChild(\".\".concat(this.config.classNames.highlightedState));a&&(t[0]&&(t[0].keyCode=r),this._handleChoiceAction(t,a)),e.preventDefault()}else this._isSelectOneElement&&(this.showDropdown(),e.preventDefault())},e.prototype._onEscapeKey=function(e){e&&(this.hideDropdown(!0),this.containerOuter.focus())},e.prototype._onDirectionKey=function(e,t){var i=e.keyCode,n=e.metaKey,r=d.KEY_CODES.DOWN_KEY,s=d.KEY_CODES.PAGE_UP_KEY,o=d.KEY_CODES.PAGE_DOWN_KEY;if(t||this._isSelectOneElement){this.showDropdown(),this._canSearch=!1;var a=i===r||i===o?1:-1,c=\"[data-choice-selectable]\",l=void 0;if(n||i===o||i===s)l=a>0?this.dropdown.element.querySelector(\"\".concat(c,\":last-of-type\")):this.dropdown.element.querySelector(c);else{var h=this.dropdown.element.querySelector(\".\".concat(this.config.classNames.highlightedState));l=h?(0,f.getAdjacentEl)(h,c,a):this.dropdown.element.querySelector(c)}l&&((0,f.isScrolledIntoView)(l,this.choiceList.element,a)||this.choiceList.scrollToChildElement(l,a),this._highlightChoice(l)),e.preventDefault()}},e.prototype._onDeleteKey=function(e,t,i){var n=e.target;this._isSelectOneElement||n.value||!i||(this._handleBackspace(t),e.preventDefault())},e.prototype._onTouchMove=function(){this._wasTap&&(this._wasTap=!1)},e.prototype._onTouchEnd=function(e){var t=(e||e.touches[0]).target;this._wasTap&&this.containerOuter.element.contains(t)&&((t===this.containerOuter.element||t===this.containerInner.element)&&(this._isTextElement?this.input.focus():this._isSelectMultipleElement&&this.showDropdown()),e.stopPropagation()),this._wasTap=!0},e.prototype._onMouseDown=function(e){var t=e.target;if(t instanceof HTMLElement){if(_&&this.choiceList.element.contains(t)){var i=this.choiceList.element.firstElementChild,n=\"ltr\"===this._direction?e.offsetX>=i.offsetWidth:e.offsetX0&&this.unhighlightAll(),this.containerOuter.removeFocusState(),this.hideDropdown(!0))},e.prototype._onFocus=function(e){var t,i=this,n=e.target;n&&this.containerOuter.element.contains(n)&&((t={})[d.TEXT_TYPE]=function(){n===i.input.element&&i.containerOuter.addFocusState()},t[d.SELECT_ONE_TYPE]=function(){i.containerOuter.addFocusState(),n===i.input.element&&i.showDropdown(!0)},t[d.SELECT_MULTIPLE_TYPE]=function(){n===i.input.element&&(i.showDropdown(!0),i.containerOuter.addFocusState())},t)[this.passedElement.element.type]()},e.prototype._onBlur=function(e){var t,i=this,n=e.target;if(n&&this.containerOuter.element.contains(n)&&!this._isScrollingOnIe){var r=this._store.activeItems.some((function(e){return e.highlighted}));((t={})[d.TEXT_TYPE]=function(){n===i.input.element&&(i.containerOuter.removeFocusState(),r&&i.unhighlightAll(),i.hideDropdown(!0))},t[d.SELECT_ONE_TYPE]=function(){i.containerOuter.removeFocusState(),(n===i.input.element||n===i.containerOuter.element&&!i._canSearch)&&i.hideDropdown(!0)},t[d.SELECT_MULTIPLE_TYPE]=function(){n===i.input.element&&(i.containerOuter.removeFocusState(),i.hideDropdown(!0),r&&i.unhighlightAll())},t)[this.passedElement.element.type]()}else this._isScrollingOnIe=!1,this.input.element.focus()},e.prototype._onFormReset=function(){this._store.dispatch((0,h.resetTo)(this._initialState))},e.prototype._highlightChoice=function(e){var t=this;void 0===e&&(e=null);var i=Array.from(this.dropdown.element.querySelectorAll(\"[data-choice-selectable]\"));if(i.length){var n=e;Array.from(this.dropdown.element.querySelectorAll(\".\".concat(this.config.classNames.highlightedState))).forEach((function(e){e.classList.remove(t.config.classNames.highlightedState),e.setAttribute(\"aria-selected\",\"false\")})),n?this._highlightPosition=i.indexOf(n):(n=i.length>this._highlightPosition?i[this._highlightPosition]:i[i.length-1])||(n=i[0]),n.classList.add(this.config.classNames.highlightedState),n.setAttribute(\"aria-selected\",\"true\"),this.passedElement.triggerEvent(d.EVENTS.highlightChoice,{el:n}),this.dropdown.isActive&&(this.input.setActiveDescendant(n.id),this.containerOuter.setActiveDescendant(n.id))}},e.prototype._addItem=function(e){var t=e.value,i=e.label,n=void 0===i?null:i,r=e.choiceId,s=void 0===r?-1:r,o=e.groupId,a=void 0===o?-1:o,c=e.customProperties,h=void 0===c?{}:c,u=e.placeholder,p=void 0!==u&&u,f=e.keyCode,m=void 0===f?-1:f,v=\"string\"==typeof t?t.trim():t,g=this._store.items,_=n||v,y=s||-1,E=a>=0?this._store.getGroupById(a):null,b=g?g.length+1:1;this.config.prependValue&&(v=this.config.prependValue+v.toString()),this.config.appendValue&&(v+=this.config.appendValue.toString()),this._store.dispatch((0,l.addItem)({value:v,label:_,id:b,choiceId:y,groupId:a,customProperties:h,placeholder:p,keyCode:m})),this._isSelectOneElement&&this.removeActiveItems(b),this.passedElement.triggerEvent(d.EVENTS.addItem,{id:b,value:v,label:_,customProperties:h,groupValue:E&&E.value?E.value:null,keyCode:m})},e.prototype._removeItem=function(e){var t=e.id,i=e.value,n=e.label,r=e.customProperties,s=e.choiceId,o=e.groupId,a=o&&o>=0?this._store.getGroupById(o):null;t&&s&&(this._store.dispatch((0,l.removeItem)(t,s)),this.passedElement.triggerEvent(d.EVENTS.removeItem,{id:t,value:i,label:n,customProperties:r,groupValue:a&&a.value?a.value:null}))},e.prototype._addChoice=function(e){var t=e.value,i=e.label,n=void 0===i?null:i,r=e.isSelected,s=void 0!==r&&r,o=e.isDisabled,c=void 0!==o&&o,l=e.groupId,h=void 0===l?-1:l,u=e.customProperties,d=void 0===u?{}:u,p=e.placeholder,f=void 0!==p&&p,m=e.keyCode,v=void 0===m?-1:m;if(null!=t){var g=this._store.choices,_=n||t,y=g?g.length+1:1,E=\"\".concat(this._baseId,\"-\").concat(this._idNames.itemChoice,\"-\").concat(y);this._store.dispatch((0,a.addChoice)({id:y,groupId:h,elementId:E,value:t,label:_,disabled:c,customProperties:d,placeholder:f,keyCode:v})),s&&this._addItem({value:t,label:_,choiceId:y,customProperties:d,placeholder:f,keyCode:v})}},e.prototype._addGroup=function(e){var t=this,i=e.group,n=e.id,r=e.valueKey,s=void 0===r?\"value\":r,o=e.labelKey,a=void 0===o?\"label\":o,l=(0,f.isType)(\"Object\",i)?i.choices:Array.from(i.getElementsByTagName(\"OPTION\")),h=n||Math.floor((new Date).valueOf()*Math.random()),u=!!i.disabled&&i.disabled;l?(this._store.dispatch((0,c.addGroup)({value:i.label,id:h,active:!0,disabled:u})),l.forEach((function(e){var i=e.disabled||e.parentNode&&e.parentNode.disabled;t._addChoice({value:e[s],label:(0,f.isType)(\"Object\",e)?e[a]:e.innerHTML,isSelected:e.selected,isDisabled:i,groupId:h,customProperties:e.customProperties,placeholder:e.placeholder})}))):this._store.dispatch((0,c.addGroup)({value:i.label,id:i.id,active:!1,disabled:i.disabled}))},e.prototype._getTemplate=function(e){for(var t,i=[],r=1;r0?this.element.scrollTop+o-r:e.offsetTop;requestAnimationFrame((function(){i._animateScroll(a,t)}))}},e.prototype._scrollDown=function(e,t,i){var n=(i-e)/t,r=n>1?n:1;this.element.scrollTop=e+r},e.prototype._scrollUp=function(e,t,i){var n=(e-i)/t,r=n>1?n:1;this.element.scrollTop=e-r},e.prototype._animateScroll=function(e,t){var i=this,r=n.SCROLLING_SPEED,s=this.element.scrollTop,o=!1;t>0?(this._scrollDown(s,r,e),se&&(o=!0)),o&&requestAnimationFrame((function(){i._animateScroll(e,t)}))},e}();t.default=r},730:function(e,t,i){Object.defineProperty(t,\"__esModule\",{value:!0});var n=i(799),r=function(){function e(e){var t=e.element,i=e.classNames;if(this.element=t,this.classNames=i,!(t instanceof HTMLInputElement||t instanceof HTMLSelectElement))throw new TypeError(\"Invalid element passed\");this.isDisabled=!1}return Object.defineProperty(e.prototype,\"isActive\",{get:function(){return\"active\"===this.element.dataset.choice},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,\"dir\",{get:function(){return this.element.dir},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,\"value\",{get:function(){return this.element.value},set:function(e){this.element.value=e},enumerable:!1,configurable:!0}),e.prototype.conceal=function(){this.element.classList.add(this.classNames.input),this.element.hidden=!0,this.element.tabIndex=-1;var e=this.element.getAttribute(\"style\");e&&this.element.setAttribute(\"data-choice-orig-style\",e),this.element.setAttribute(\"data-choice\",\"active\")},e.prototype.reveal=function(){this.element.classList.remove(this.classNames.input),this.element.hidden=!1,this.element.removeAttribute(\"tabindex\");var e=this.element.getAttribute(\"data-choice-orig-style\");e?(this.element.removeAttribute(\"data-choice-orig-style\"),this.element.setAttribute(\"style\",e)):this.element.removeAttribute(\"style\"),this.element.removeAttribute(\"data-choice\"),this.element.value=this.element.value},e.prototype.enable=function(){this.element.removeAttribute(\"disabled\"),this.element.disabled=!1,this.isDisabled=!1},e.prototype.disable=function(){this.element.setAttribute(\"disabled\",\"\"),this.element.disabled=!0,this.isDisabled=!0},e.prototype.triggerEvent=function(e,t){(0,n.dispatchEvent)(this.element,e,t)},e}();t.default=r},541:function(e,t,i){var n,r=this&&this.__extends||(n=function(e,t){return n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var i in t)Object.prototype.hasOwnProperty.call(t,i)&&(e[i]=t[i])},n(e,t)},function(e,t){if(\"function\"!=typeof t&&null!==t)throw new TypeError(\"Class extends value \"+String(t)+\" is not a constructor or null\");function i(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(i.prototype=t.prototype,new i)}),s=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,\"__esModule\",{value:!0});var o=function(e){function t(t){var i=t.element,n=t.classNames,r=t.delimiter,s=e.call(this,{element:i,classNames:n})||this;return s.delimiter=r,s}return r(t,e),Object.defineProperty(t.prototype,\"value\",{get:function(){return this.element.value},set:function(e){this.element.setAttribute(\"value\",e),this.element.value=e},enumerable:!1,configurable:!0}),t}(s(i(730)).default);t.default=o},982:function(e,t,i){var n,r=this&&this.__extends||(n=function(e,t){return n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var i in t)Object.prototype.hasOwnProperty.call(t,i)&&(e[i]=t[i])},n(e,t)},function(e,t){if(\"function\"!=typeof t&&null!==t)throw new TypeError(\"Class extends value \"+String(t)+\" is not a constructor or null\");function i(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(i.prototype=t.prototype,new i)}),s=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,\"__esModule\",{value:!0});var o=function(e){function t(t){var i=t.element,n=t.classNames,r=t.template,s=e.call(this,{element:i,classNames:n})||this;return s.template=r,s}return r(t,e),Object.defineProperty(t.prototype,\"placeholderOption\",{get:function(){return this.element.querySelector('option[value=\"\"]')||this.element.querySelector(\"option[placeholder]\")},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,\"optionGroups\",{get:function(){return Array.from(this.element.getElementsByTagName(\"OPTGROUP\"))},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,\"options\",{get:function(){return Array.from(this.element.options)},set:function(e){var t=this,i=document.createDocumentFragment();e.forEach((function(e){return n=e,r=t.template(n),void i.appendChild(r);var n,r})),this.appendDocFragment(i)},enumerable:!1,configurable:!0}),t.prototype.appendDocFragment=function(e){this.element.innerHTML=\"\",this.element.appendChild(e)},t}(s(i(730)).default);t.default=o},883:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0}),t.SCROLLING_SPEED=t.SELECT_MULTIPLE_TYPE=t.SELECT_ONE_TYPE=t.TEXT_TYPE=t.KEY_CODES=t.ACTION_TYPES=t.EVENTS=void 0,t.EVENTS={showDropdown:\"showDropdown\",hideDropdown:\"hideDropdown\",change:\"change\",choice:\"choice\",search:\"search\",addItem:\"addItem\",removeItem:\"removeItem\",highlightItem:\"highlightItem\",highlightChoice:\"highlightChoice\",unhighlightItem:\"unhighlightItem\"},t.ACTION_TYPES={ADD_CHOICE:\"ADD_CHOICE\",FILTER_CHOICES:\"FILTER_CHOICES\",ACTIVATE_CHOICES:\"ACTIVATE_CHOICES\",CLEAR_CHOICES:\"CLEAR_CHOICES\",ADD_GROUP:\"ADD_GROUP\",ADD_ITEM:\"ADD_ITEM\",REMOVE_ITEM:\"REMOVE_ITEM\",HIGHLIGHT_ITEM:\"HIGHLIGHT_ITEM\",CLEAR_ALL:\"CLEAR_ALL\",RESET_TO:\"RESET_TO\",SET_IS_LOADING:\"SET_IS_LOADING\"},t.KEY_CODES={BACK_KEY:46,DELETE_KEY:8,ENTER_KEY:13,A_KEY:65,ESC_KEY:27,UP_KEY:38,DOWN_KEY:40,PAGE_UP_KEY:33,PAGE_DOWN_KEY:34},t.TEXT_TYPE=\"text\",t.SELECT_ONE_TYPE=\"select-one\",t.SELECT_MULTIPLE_TYPE=\"select-multiple\",t.SCROLLING_SPEED=4},789:function(e,t,i){Object.defineProperty(t,\"__esModule\",{value:!0}),t.DEFAULT_CONFIG=t.DEFAULT_CLASSNAMES=void 0;var n=i(799);t.DEFAULT_CLASSNAMES={containerOuter:\"choices\",containerInner:\"choices__inner\",input:\"choices__input\",inputCloned:\"choices__input--cloned\",list:\"choices__list\",listItems:\"choices__list--multiple\",listSingle:\"choices__list--single\",listDropdown:\"choices__list--dropdown\",item:\"choices__item\",itemSelectable:\"choices__item--selectable\",itemDisabled:\"choices__item--disabled\",itemChoice:\"choices__item--choice\",placeholder:\"choices__placeholder\",group:\"choices__group\",groupHeading:\"choices__heading\",button:\"choices__button\",activeState:\"is-active\",focusState:\"is-focused\",openState:\"is-open\",disabledState:\"is-disabled\",highlightedState:\"is-highlighted\",selectedState:\"is-selected\",flippedState:\"is-flipped\",loadingState:\"is-loading\",noResults:\"has-no-results\",noChoices:\"has-no-choices\"},t.DEFAULT_CONFIG={items:[],choices:[],silent:!1,renderChoiceLimit:-1,maxItemCount:-1,addItems:!0,addItemFilter:null,removeItems:!0,removeItemButton:!1,editItems:!1,allowHTML:!0,duplicateItemsAllowed:!0,delimiter:\",\",paste:!0,searchEnabled:!0,searchChoices:!0,searchFloor:1,searchResultLimit:4,searchFields:[\"label\",\"value\"],position:\"auto\",resetScrollPosition:!0,shouldSort:!0,shouldSortItems:!1,sorter:n.sortByAlpha,placeholder:!0,placeholderValue:null,searchPlaceholderValue:null,prependValue:null,appendValue:null,renderSelectedChoices:\"auto\",loadingText:\"Loading...\",noResultsText:\"No results found\",noChoicesText:\"No choices to choose from\",itemSelectText:\"Press to select\",uniqueItemText:\"Only unique values can be added\",customAddItemText:\"Only values matching specific conditions can be added\",addItemText:function(e){return'Press Enter to add \"'.concat((0,n.sanitise)(e),'\"')},maxItemText:function(e){return\"Only \".concat(e,\" values can be added\")},valueComparer:function(e,t){return e===t},fuseOptions:{includeScore:!0},labelId:\"\",callbackOnInit:null,callbackOnCreateTemplates:null,classNames:t.DEFAULT_CLASSNAMES}},18:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},978:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},948:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},359:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},285:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},533:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},187:function(e,t,i){var n=this&&this.__createBinding||(Object.create?function(e,t,i,n){void 0===n&&(n=i);var r=Object.getOwnPropertyDescriptor(t,i);r&&!(\"get\"in r?!t.__esModule:r.writable||r.configurable)||(r={enumerable:!0,get:function(){return t[i]}}),Object.defineProperty(e,n,r)}:function(e,t,i,n){void 0===n&&(n=i),e[n]=t[i]}),r=this&&this.__exportStar||function(e,t){for(var i in e)\"default\"===i||Object.prototype.hasOwnProperty.call(t,i)||n(t,e,i)};Object.defineProperty(t,\"__esModule\",{value:!0}),r(i(18),t),r(i(978),t),r(i(948),t),r(i(359),t),r(i(285),t),r(i(533),t),r(i(287),t),r(i(132),t),r(i(837),t),r(i(598),t),r(i(369),t),r(i(37),t),r(i(47),t),r(i(923),t),r(i(876),t)},287:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},132:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},837:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},598:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},37:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},369:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},47:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},923:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},876:function(e,t){Object.defineProperty(t,\"__esModule\",{value:!0})},799:function(e,t){var i;Object.defineProperty(t,\"__esModule\",{value:!0}),t.parseCustomProperties=t.diff=t.cloneObject=t.existsInArray=t.dispatchEvent=t.sortByScore=t.sortByAlpha=t.strToEl=t.sanitise=t.isScrolledIntoView=t.getAdjacentEl=t.wrap=t.isType=t.getType=t.generateId=t.generateChars=t.getRandomNumber=void 0,t.getRandomNumber=function(e,t){return Math.floor(Math.random()*(t-e)+e)},t.generateChars=function(e){return Array.from({length:e},(function(){return(0,t.getRandomNumber)(0,36).toString(36)})).join(\"\")},t.generateId=function(e,i){var n=e.id||e.name&&\"\".concat(e.name,\"-\").concat((0,t.generateChars)(2))||(0,t.generateChars)(4);return n=n.replace(/(:|\\.|\\[|\\]|,)/g,\"\"),n=\"\".concat(i,\"-\").concat(n)},t.getType=function(e){return Object.prototype.toString.call(e).slice(8,-1)},t.isType=function(e,i){return null!=i&&(0,t.getType)(i)===e},t.wrap=function(e,t){return void 0===t&&(t=document.createElement(\"div\")),e.parentNode&&(e.nextSibling?e.parentNode.insertBefore(t,e.nextSibling):e.parentNode.appendChild(t)),t.appendChild(e)},t.getAdjacentEl=function(e,t,i){void 0===i&&(i=1);for(var n=\"\".concat(i>0?\"next\":\"previous\",\"ElementSibling\"),r=e[n];r;){if(r.matches(t))return r;r=r[n]}return r},t.isScrolledIntoView=function(e,t,i){return void 0===i&&(i=1),!!e&&(i>0?t.scrollTop+t.offsetHeight>=e.offsetTop+e.offsetHeight:e.offsetTop>=t.scrollTop)},t.sanitise=function(e){return\"string\"!=typeof e?e:e.replace(/&/g,\"&\").replace(/>/g,\">\").replace(/-1?e.map((function(e){var t=e;return t.id===parseInt(\"\".concat(o.choiceId),10)&&(t.selected=!0),t})):e;case\"REMOVE_ITEM\":var a=n;return a.choiceId&&a.choiceId>-1?e.map((function(e){var t=e;return t.id===parseInt(\"\".concat(a.choiceId),10)&&(t.selected=!1),t})):e;case\"FILTER_CHOICES\":var c=n;return e.map((function(e){var t=e;return t.active=c.results.some((function(e){var i=e.item,n=e.score;return i.id===t.id&&(t.score=n,!0)})),t}));case\"ACTIVATE_CHOICES\":var l=n;return e.map((function(e){var t=e;return t.active=l.active,t}));case\"CLEAR_CHOICES\":return t.defaultState;default:return e}}},871:function(e,t){var i=this&&this.__spreadArray||function(e,t,i){if(i||2===arguments.length)for(var n,r=0,s=t.length;r0?\"treeitem\":\"option\"),Object.assign(E.dataset,{choice:\"\",id:d,value:p,selectText:i}),g?(E.classList.add(h),E.dataset.choiceDisabled=\"\",E.setAttribute(\"aria-disabled\",\"true\")):(E.classList.add(c),E.dataset.choiceSelectable=\"\"),E},input:function(e,t){var i=e.classNames,n=i.input,r=i.inputCloned,s=Object.assign(document.createElement(\"input\"),{type:\"search\",name:\"search_terms\",className:\"\".concat(n,\" \").concat(r),autocomplete:\"off\",autocapitalize:\"off\",spellcheck:!1});return s.setAttribute(\"role\",\"textbox\"),s.setAttribute(\"aria-autocomplete\",\"list\"),s.setAttribute(\"aria-label\",t),s},dropdown:function(e){var t=e.classNames,i=t.list,n=t.listDropdown,r=document.createElement(\"div\");return r.classList.add(i,n),r.setAttribute(\"aria-expanded\",\"false\"),r},notice:function(e,t,i){var n,r=e.allowHTML,s=e.classNames,o=s.item,a=s.itemChoice,c=s.noResults,l=s.noChoices;void 0===i&&(i=\"\");var h=[o,a];return\"no-choices\"===i?h.push(l):\"no-results\"===i&&h.push(c),Object.assign(document.createElement(\"div\"),((n={})[r?\"innerHTML\":\"innerText\"]=t,n.className=h.join(\" \"),n))},option:function(e){var t=e.label,i=e.value,n=e.customProperties,r=e.active,s=e.disabled,o=new Option(t,i,!1,r);return n&&(o.dataset.customProperties=\"\".concat(n)),o.disabled=!!s,o}};t.default=i},996:function(e){var t=function(e){return function(e){return!!e&&\"object\"==typeof e}(e)&&!function(e){var t=Object.prototype.toString.call(e);return\"[object RegExp]\"===t||\"[object Date]\"===t||function(e){return e.$$typeof===i}(e)}(e)},i=\"function\"==typeof Symbol&&Symbol.for?Symbol.for(\"react.element\"):60103;function n(e,t){return!1!==t.clone&&t.isMergeableObject(e)?c((i=e,Array.isArray(i)?[]:{}),e,t):e;var i}function r(e,t,i){return e.concat(t).map((function(e){return n(e,i)}))}function s(e){return Object.keys(e).concat(function(e){return Object.getOwnPropertySymbols?Object.getOwnPropertySymbols(e).filter((function(t){return e.propertyIsEnumerable(t)})):[]}(e))}function o(e,t){try{return t in e}catch(e){return!1}}function a(e,t,i){var r={};return i.isMergeableObject(e)&&s(e).forEach((function(t){r[t]=n(e[t],i)})),s(t).forEach((function(s){(function(e,t){return o(e,t)&&!(Object.hasOwnProperty.call(e,t)&&Object.propertyIsEnumerable.call(e,t))})(e,s)||(o(e,s)&&i.isMergeableObject(t[s])?r[s]=function(e,t){if(!t.customMerge)return c;var i=t.customMerge(e);return\"function\"==typeof i?i:c}(s,i)(e[s],t[s],i):r[s]=n(t[s],i))})),r}function c(e,i,s){(s=s||{}).arrayMerge=s.arrayMerge||r,s.isMergeableObject=s.isMergeableObject||t,s.cloneUnlessOtherwiseSpecified=n;var o=Array.isArray(i);return o===Array.isArray(e)?o?s.arrayMerge(e,i,s):a(e,i,s):n(i,s)}c.all=function(e,t){if(!Array.isArray(e))throw new Error(\"first argument should be an array\");return e.reduce((function(e,i){return c(e,i,t)}),{})};var l=c;e.exports=l},221:function(e,t,i){\n", " /**\n", " * Fuse.js v6.6.2 - Lightweight fuzzy-search (http://fusejs.io)\n", " *\n", " * Copyright (c) 2022 Kiro Risk (http://kiro.me)\n", " * All Rights Reserved. Apache Software License 2.0\n", " *\n", " * http://www.apache.org/licenses/LICENSE-2.0\n", " */\n", " function n(e){return Array.isArray?Array.isArray(e):\"[object Array]\"===d(e)}i.r(t),i.d(t,{default:function(){return X}});const r=1/0;function s(e){return null==e?\"\":function(e){if(\"string\"==typeof e)return e;let t=e+\"\";return\"0\"==t&&1/e==-r?\"-0\":t}(e)}function o(e){return\"string\"==typeof e}function a(e){return\"number\"==typeof e}function c(e){return!0===e||!1===e||function(e){return l(e)&&null!==e}(e)&&\"[object Boolean]\"==d(e)}function l(e){return\"object\"==typeof e}function h(e){return null!=e}function u(e){return!e.trim().length}function d(e){return null==e?void 0===e?\"[object Undefined]\":\"[object Null]\":Object.prototype.toString.call(e)}const p=e=>`Missing ${e} property in key`,f=e=>`Property 'weight' in key '${e}' must be a positive integer`,m=Object.prototype.hasOwnProperty;class v{constructor(e){this._keys=[],this._keyMap={};let t=0;e.forEach((e=>{let i=g(e);t+=i.weight,this._keys.push(i),this._keyMap[i.id]=i,t+=i.weight})),this._keys.forEach((e=>{e.weight/=t}))}get(e){return this._keyMap[e]}keys(){return this._keys}toJSON(){return JSON.stringify(this._keys)}}function g(e){let t=null,i=null,r=null,s=1,a=null;if(o(e)||n(e))r=e,t=_(e),i=y(e);else{if(!m.call(e,\"name\"))throw new Error(p(\"name\"));const n=e.name;if(r=n,m.call(e,\"weight\")&&(s=e.weight,s<=0))throw new Error(f(n));t=_(n),i=y(n),a=e.getFn}return{path:t,id:i,weight:s,src:r,getFn:a}}function _(e){return n(e)?e:e.split(\".\")}function y(e){return n(e)?e.join(\".\"):e}var E={isCaseSensitive:!1,includeScore:!1,keys:[],shouldSort:!0,sortFn:(e,t)=>e.score===t.score?e.idx{if(h(e))if(t[u]){const d=e[t[u]];if(!h(d))return;if(u===t.length-1&&(o(d)||a(d)||c(d)))i.push(s(d));else if(n(d)){r=!0;for(let e=0,i=d.length;e{this._keysMap[e.id]=t}))}create(){!this.isCreated&&this.docs.length&&(this.isCreated=!0,o(this.docs[0])?this.docs.forEach(((e,t)=>{this._addString(e,t)})):this.docs.forEach(((e,t)=>{this._addObject(e,t)})),this.norm.clear())}add(e){const t=this.size();o(e)?this._addString(e,t):this._addObject(e,t)}removeAt(e){this.records.splice(e,1);for(let t=e,i=this.size();t{let s=t.getFn?t.getFn(e):this.getFn(e,t.path);if(h(s))if(n(s)){let e=[];const t=[{nestedArrIndex:-1,value:s}];for(;t.length;){const{nestedArrIndex:i,value:r}=t.pop();if(h(r))if(o(r)&&!u(r)){let t={v:r,i,n:this.norm.get(r)};e.push(t)}else n(r)&&r.forEach(((e,i)=>{t.push({nestedArrIndex:i,value:e})}))}i.$[r]=e}else if(o(s)&&!u(s)){let e={v:s,n:this.norm.get(s)};i.$[r]=e}})),this.records.push(i)}toJSON(){return{keys:this.keys,records:this.records}}}function O(e,t,{getFn:i=E.getFn,fieldNormWeight:n=E.fieldNormWeight}={}){const r=new S({getFn:i,fieldNormWeight:n});return r.setKeys(e.map(g)),r.setSources(t),r.create(),r}function I(e,{errors:t=0,currentLocation:i=0,expectedLocation:n=0,distance:r=E.distance,ignoreLocation:s=E.ignoreLocation}={}){const o=t/e.length;if(s)return o;const a=Math.abs(n-i);return r?o+a/r:a?1:o}const C=32;function T(e,t,i,{location:n=E.location,distance:r=E.distance,threshold:s=E.threshold,findAllMatches:o=E.findAllMatches,minMatchCharLength:a=E.minMatchCharLength,includeMatches:c=E.includeMatches,ignoreLocation:l=E.ignoreLocation}={}){if(t.length>C)throw new Error(\"Pattern length exceeds max of 32.\");const h=t.length,u=e.length,d=Math.max(0,Math.min(n,u));let p=s,f=d;const m=a>1||c,v=m?Array(u):[];let g;for(;(g=e.indexOf(t,f))>-1;){let e=I(t,{currentLocation:g,expectedLocation:d,distance:r,ignoreLocation:l});if(p=Math.min(e,p),f=g+h,m){let e=0;for(;e=c;s-=1){let o=s-1,a=i[e.charAt(o)];if(m&&(v[o]=+!!a),E[s]=(E[s+1]<<1|1)&a,n&&(E[s]|=(_[s+1]|_[s])<<1|1|_[s+1]),E[s]&S&&(y=I(t,{errors:n,currentLocation:o,expectedLocation:d,distance:r,ignoreLocation:l}),y<=p)){if(p=y,f=o,f<=d)break;c=Math.max(1,2*d-f)}}if(I(t,{errors:n+1,currentLocation:d,expectedLocation:d,distance:r,ignoreLocation:l})>p)break;_=E}const O={isMatch:f>=0,score:Math.max(.001,y)};if(m){const e=function(e=[],t=E.minMatchCharLength){let i=[],n=-1,r=-1,s=0;for(let o=e.length;s=t&&i.push([n,r]),n=-1)}return e[s-1]&&s-n>=t&&i.push([n,s-1]),i}(v,a);e.length?c&&(O.indices=e):O.isMatch=!1}return O}function L(e){let t={};for(let i=0,n=e.length;i{this.chunks.push({pattern:e,alphabet:L(e),startIndex:t})},h=this.pattern.length;if(h>C){let e=0;const t=h%C,i=h-t;for(;e{const{isMatch:f,score:m,indices:v}=T(e,t,d,{location:n+p,distance:r,threshold:s,findAllMatches:o,minMatchCharLength:a,includeMatches:i,ignoreLocation:c});f&&(u=!0),h+=m,f&&v&&(l=[...l,...v])}));let d={isMatch:u,score:u?h/this.chunks.length:1};return u&&i&&(d.indices=l),d}}class A{constructor(e){this.pattern=e}static isMultiMatch(e){return M(e,this.multiRegex)}static isSingleMatch(e){return M(e,this.singleRegex)}search(){}}function M(e,t){const i=e.match(t);return i?i[1]:null}class P extends A{constructor(e,{location:t=E.location,threshold:i=E.threshold,distance:n=E.distance,includeMatches:r=E.includeMatches,findAllMatches:s=E.findAllMatches,minMatchCharLength:o=E.minMatchCharLength,isCaseSensitive:a=E.isCaseSensitive,ignoreLocation:c=E.ignoreLocation}={}){super(e),this._bitapSearch=new w(e,{location:t,threshold:i,distance:n,includeMatches:r,findAllMatches:s,minMatchCharLength:o,isCaseSensitive:a,ignoreLocation:c})}static get type(){return\"fuzzy\"}static get multiRegex(){return/^\"(.*)\"$/}static get singleRegex(){return/^(.*)$/}search(e){return this._bitapSearch.searchIn(e)}}class x extends A{constructor(e){super(e)}static get type(){return\"include\"}static get multiRegex(){return/^'\"(.*)\"$/}static get singleRegex(){return/^'(.*)$/}search(e){let t,i=0;const n=[],r=this.pattern.length;for(;(t=e.indexOf(this.pattern,i))>-1;)i=t+r,n.push([t,i-1]);const s=!!n.length;return{isMatch:s,score:s?0:1,indices:n}}}const N=[class extends A{constructor(e){super(e)}static get type(){return\"exact\"}static get multiRegex(){return/^=\"(.*)\"$/}static get singleRegex(){return/^=(.*)$/}search(e){const t=e===this.pattern;return{isMatch:t,score:t?0:1,indices:[0,this.pattern.length-1]}}},x,class extends A{constructor(e){super(e)}static get type(){return\"prefix-exact\"}static get multiRegex(){return/^\\^\"(.*)\"$/}static get singleRegex(){return/^\\^(.*)$/}search(e){const t=e.startsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,this.pattern.length-1]}}},class extends A{constructor(e){super(e)}static get type(){return\"inverse-prefix-exact\"}static get multiRegex(){return/^!\\^\"(.*)\"$/}static get singleRegex(){return/^!\\^(.*)$/}search(e){const t=!e.startsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,e.length-1]}}},class extends A{constructor(e){super(e)}static get type(){return\"inverse-suffix-exact\"}static get multiRegex(){return/^!\"(.*)\"\\$$/}static get singleRegex(){return/^!(.*)\\$$/}search(e){const t=!e.endsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,e.length-1]}}},class extends A{constructor(e){super(e)}static get type(){return\"suffix-exact\"}static get multiRegex(){return/^\"(.*)\"\\$$/}static get singleRegex(){return/^(.*)\\$$/}search(e){const t=e.endsWith(this.pattern);return{isMatch:t,score:t?0:1,indices:[e.length-this.pattern.length,e.length-1]}}},class extends A{constructor(e){super(e)}static get type(){return\"inverse-exact\"}static get multiRegex(){return/^!\"(.*)\"$/}static get singleRegex(){return/^!(.*)$/}search(e){const t=-1===e.indexOf(this.pattern);return{isMatch:t,score:t?0:1,indices:[0,e.length-1]}}},P],D=N.length,j=/ +(?=(?:[^\\\"]*\\\"[^\\\"]*\\\")*[^\\\"]*$)/,F=new Set([P.type,x.type]);class k{constructor(e,{isCaseSensitive:t=E.isCaseSensitive,includeMatches:i=E.includeMatches,minMatchCharLength:n=E.minMatchCharLength,ignoreLocation:r=E.ignoreLocation,findAllMatches:s=E.findAllMatches,location:o=E.location,threshold:a=E.threshold,distance:c=E.distance}={}){this.query=null,this.options={isCaseSensitive:t,includeMatches:i,minMatchCharLength:n,findAllMatches:s,ignoreLocation:r,location:o,threshold:a,distance:c},this.pattern=t?e:e.toLowerCase(),this.query=function(e,t={}){return e.split(\"|\").map((e=>{let i=e.trim().split(j).filter((e=>e&&!!e.trim())),n=[];for(let e=0,r=i.length;e!(!e[Y]&&!e[H]),U=e=>({[Y]:Object.keys(e).map((t=>({[t]:e[t]})))});function W(e,t,{auto:i=!0}={}){const r=e=>{let s=Object.keys(e);const a=(e=>!!e[V])(e);if(!a&&s.length>1&&!G(e))return r(U(e));if((e=>!n(e)&&l(e)&&!G(e))(e)){const n=a?e[V]:s[0],r=a?e[B]:e[n];if(!o(r))throw new Error((e=>`Invalid value for key ${e}`)(n));const c={keyId:y(n),pattern:r};return i&&(c.searcher=R(r,t)),c}let c={children:[],operator:s[0]};return s.forEach((t=>{const i=e[t];n(i)&&i.forEach((e=>{c.children.push(r(e))}))})),c};return G(e)||(e=U(e)),r(e)}function $(e,t){const i=e.matches;t.matches=[],h(i)&&i.forEach((e=>{if(!h(e.indices)||!e.indices.length)return;const{indices:i,value:n}=e;let r={indices:i,value:n};e.key&&(r.key=e.key.src),e.idx>-1&&(r.refIndex=e.idx),t.matches.push(r)}))}function q(e,t){t.score=e.score}class X{constructor(e,t={},i){this.options={...E,...t},this.options.useExtendedSearch,this._keyStore=new v(this.options.keys),this.setCollection(e,i)}setCollection(e,t){if(this._docs=e,t&&!(t instanceof S))throw new Error(\"Incorrect 'index' type\");this._myIndex=t||O(this.options.keys,this._docs,{getFn:this.options.getFn,fieldNormWeight:this.options.fieldNormWeight})}add(e){h(e)&&(this._docs.push(e),this._myIndex.add(e))}remove(e=()=>!1){const t=[];for(let i=0,n=this._docs.length;i{let i=1;e.matches.forEach((({key:e,norm:n,score:r})=>{const s=e?e.weight:null;i*=Math.pow(0===r&&s?Number.EPSILON:r,(s||1)*(t?1:n))})),e.score=i}))}(l,{ignoreFieldNorm:c}),r&&l.sort(s),a(t)&&t>-1&&(l=l.slice(0,t)),function(e,t,{includeMatches:i=E.includeMatches,includeScore:n=E.includeScore}={}){const r=[];return i&&r.push($),n&&r.push(q),e.map((e=>{const{idx:i}=e,n={item:t[i],refIndex:i};return r.length&&r.forEach((t=>{t(e,n)})),n}))}(l,this._docs,{includeMatches:i,includeScore:n})}_searchStringList(e){const t=R(e,this.options),{records:i}=this._myIndex,n=[];return i.forEach((({v:e,i,n:r})=>{if(!h(e))return;const{isMatch:s,score:o,indices:a}=t.searchIn(e);s&&n.push({item:e,idx:i,matches:[{score:o,value:e,norm:r,indices:a}]})})),n}_searchLogical(e){const t=W(e,this.options),i=(e,t,n)=>{if(!e.children){const{keyId:i,searcher:r}=e,s=this._findMatches({key:this._keyStore.get(i),value:this._myIndex.getValueForItemAtKeyId(t,i),searcher:r});return s&&s.length?[{idx:n,item:t,matches:s}]:[]}const r=[];for(let s=0,o=e.children.length;s{if(h(e)){let o=i(t,e,n);o.length&&(r[n]||(r[n]={idx:n,item:e,matches:[]},s.push(r[n])),o.forEach((({matches:e})=>{r[n].matches.push(...e)})))}})),s}_searchObjectList(e){const t=R(e,this.options),{keys:i,records:n}=this._myIndex,r=[];return n.forEach((({$:e,i:n})=>{if(!h(e))return;let s=[];i.forEach(((i,n)=>{s.push(...this._findMatches({key:i,value:e[n],searcher:t}))})),s.length&&r.push({idx:n,item:e,matches:s})})),r}_findMatches({key:e,value:t,searcher:i}){if(!h(t))return[];let r=[];if(n(t))t.forEach((({v:t,i:n,n:s})=>{if(!h(t))return;const{isMatch:o,score:a,indices:c}=i.searchIn(t);o&&r.push({score:a,key:e,value:t,idx:n,norm:s,indices:c})}));else{const{v:n,n:s}=t,{isMatch:o,score:a,indices:c}=i.searchIn(n);o&&r.push({score:a,key:e,value:n,norm:s,indices:c})}return r}}X.version=\"6.6.2\",X.createIndex=O,X.parseIndex=function(e,{getFn:t=E.getFn,fieldNormWeight:i=E.fieldNormWeight}={}){const{keys:n,records:r}=e,s=new S({getFn:t,fieldNormWeight:i});return s.setKeys(n),s.setIndexRecords(r),s},X.config=E,X.parseQuery=W,function(...e){K.push(...e)}(k)},791:function(e,t,i){function n(e){return n=\"function\"==typeof Symbol&&\"symbol\"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&\"function\"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?\"symbol\":typeof e},n(e)}function r(e){var t=function(e,t){if(\"object\"!==n(e)||null===e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var r=i.call(e,t||\"default\");if(\"object\"!==n(r))return r;throw new TypeError(\"@@toPrimitive must return a primitive value.\")}return(\"string\"===t?String:Number)(e)}(e,\"string\");return\"symbol\"===n(t)?t:String(t)}function s(e,t,i){return(t=r(t))in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}function o(e,t){var i=Object.keys(e);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(e);t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),i.push.apply(i,n)}return i}function a(e){for(var t=1;tthis.render_selection())),this.connect(this.model.properties.options.change,(()=>this.rerender())),this.connect(this.model.properties.name.change,(()=>this.rerender())),this.connect(this.model.properties.title.change,(()=>this.rerender())),this.connect(this.model.properties.size.change,(()=>this.rerender())),this.connect(this.model.properties.disabled.change,(()=>this.rerender()))}_render_input(){const e=this.model.options.map((e=>{let t,s;return(0,c.isString)(e)?t=s=e:[t,s]=e,(0,r.option)({value:t},s)}));return this.input_el=(0,r.select)({multiple:!0,class:d.input,name:this.model.name,disabled:this.model.disabled},e),this.input_el.addEventListener(\"change\",(()=>this.change_input())),this.input_el}render(){super.render(),this.render_selection()}render_selection(){const e=new Set(this.model.value);for(const t of this.shadow_el.querySelectorAll(\"option\"))t.selected=e.has(t.value);this.input_el.size=this.model.size}change_input(){const e=null!=this.shadow_el.querySelector(\"select:focus\"),t=[];for(const e of this.shadow_el.querySelectorAll(\"option\"))e.selected&&t.push(e.value);this.model.value=t,super.change_input(),e&&this.input_el.focus()}}s.MultiSelectView=p,p.__name__=\"MultiSelectView\";class u extends h.InputWidget{constructor(e){super(e)}}s.MultiSelect=u,l=u,u.__name__=\"MultiSelect\",l.prototype.default_view=p,l.define((({Int:e,Str:t,List:s,Tuple:i,Or:n})=>({value:[s(t),[]],options:[s(n(t,i(t,t))),[]],size:[e,4]})))},\n", " 665: function _(e,t,a,i,r){var s;i();const l=e(639);class o extends l.BaseDatePickerView{get flatpickr_options(){return{...super.flatpickr_options,mode:\"multiple\",conjunction:this.model.separator}}_on_change(e){this.model.value=e.map((e=>this._format_date(e)))}}a.MultipleDatePickerView=o,o.__name__=\"MultipleDatePickerView\";class c extends l.BaseDatePicker{constructor(e){super(e)}}a.MultipleDatePicker=c,s=c,c.__name__=\"MultipleDatePicker\",s.prototype.default_view=o,s.define((({Str:e,List:t})=>({value:[t(l.DateLike),[]],separator:[e,\", \"]})))},\n", " 666: function _(e,t,i,a,r){var s;a();const l=e(652),o=e(639);class c extends l.BaseDatetimePickerView{get flatpickr_options(){return{...super.flatpickr_options,mode:\"multiple\",conjunction:this.model.separator}}_on_change(e){this.model.value=e.map((e=>this._format_date(e)))}}i.MultipleDatetimePickerView=c,c.__name__=\"MultipleDatetimePickerView\";class n extends l.BaseDatetimePicker{constructor(e){super(e)}}i.MultipleDatetimePicker=n,s=n,n.__name__=\"MultipleDatetimePicker\",s.prototype.default_view=c,s.define((({Str:e,List:t})=>({value:[t(o.DateLike),[]],separator:[e,\", \"]})))},\n", " 667: function _(e,t,l,i,n){var s;i();const u=e(1),h=u.__importStar(e(260)),o=e(624),a=e(205),r=e(61),d=e(8),p=e(12),_=u.__importStar(e(625)),m=/^[-+]?\\d*$/,c=/^[-+]?\\d*\\.?\\d*(?:(?:\\d|\\d.)[eE][-+]?)*\\d*$/;class v extends o.InputWidgetView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.name.change,(()=>this.input_el.name=this.model.name??\"\")),this.connect(this.model.properties.value.change,(()=>{this.input_el.value=this.format_value,this.old_value=this.input_el.value})),this.connect(this.model.properties.low.change,(()=>{const{value:e,low:t,high:l}=this.model;null!=t&&null!=l&&(0,p.assert)(t<=l,\"Invalid bounds, low must be inferior to high\"),null!=e&&null!=t&&e{const{value:e,low:t,high:l}=this.model;null!=t&&null!=l&&(0,p.assert)(l>=t,\"Invalid bounds, high must be superior to low\"),null!=e&&null!=l&&e>l&&(this.model.value=l)})),this.connect(this.model.properties.high.change,(()=>this.input_el.placeholder=this.model.placeholder)),this.connect(this.model.properties.disabled.change,(()=>this.input_el.disabled=this.model.disabled)),this.connect(this.model.properties.placeholder.change,(()=>this.input_el.placeholder=this.model.placeholder))}get format_value(){return null!=this.model.value?this.model.pretty(this.model.value):\"\"}_set_input_filter(e){this.input_el.addEventListener(\"input\",(()=>{const{selectionStart:t,selectionEnd:l}=this.input_el;if(e(this.input_el.value))this.old_value=this.input_el.value;else{const e=this.old_value.length-this.input_el.value.length;this.input_el.value=this.old_value,null!=t&&null!=l&&this.input_el.setSelectionRange(t-1,l+e)}}))}_render_input(){return this.input_el=(0,r.input)({type:\"text\",class:_.input,name:this.model.name,value:this.format_value,disabled:this.model.disabled,placeholder:this.model.placeholder})}render(){super.render(),this.old_value=this.format_value,this.set_input_filter(),this.input_el.addEventListener(\"change\",(()=>this.change_input())),this.input_el.addEventListener(\"focusout\",(()=>this.input_el.value=this.format_value))}set_input_filter(){const e=\"int\"==this.model.mode?m:c;this._set_input_filter((t=>e.test(t)))}bound_value(e){let t=e;const{low:l,high:i}=this.model;return t=null!=l?Math.max(l,t):t,t=null!=i?Math.min(i,t):t,t}get value(){let e=\"\"!=this.input_el.value?Number(this.input_el.value):null;return null!=e&&(e=this.bound_value(e)),e}change_input(){null==this.value?this.model.value=null:Number.isNaN(this.value)||(this.model.value=this.value)}}l.NumericInputView=v,v.__name__=\"NumericInputView\";class g extends o.InputWidget{constructor(e){super(e)}_formatter(e,t){return(0,d.isString)(t)?h.format(e,t):t.doFormat([e],{loc:0})[0]}pretty(e){return null!=this.format?this._formatter(e,this.format):`${e}`}}l.NumericInput=g,s=g,g.__name__=\"NumericInput\",s.prototype.default_view=v,s.define((({Float:e,Str:t,Enum:l,Ref:i,Or:n,Nullable:s})=>({value:[s(e),null],placeholder:[t,\"\"],mode:[l(\"int\",\"float\"),\"int\"],format:[s(n(t,i(a.TickFormatter))),null],low:[s(e),null],high:[s(e),null]})))},\n", " 668: function _(e,t,s,n,i){var l;n();const r=e(1),a=e(61),o=e(669),c=e(14),h=e(23),u=e(11),_=e(10),d=e(12),p=e(624),m=r.__importStar(e(625)),v=r.__importStar(e(671)),w=r.__importStar(e(672)),g=r.__importStar(e(673)),y=r.__importStar(e(76)),f=e(22),S=(0,f.Tuple)(f.Str,(0,f.Arrayable)(f.Color));class k extends p.InputWidgetView{constructor(){super(...arguments),this._style=new a.InlineStyleSheet(\"\",\"select\"),this._style_menu=new a.InlineStyleSheet(\"\",\"menu\")}stylesheets(){return[...super.stylesheets(),v.default,w.default,y.default,this._style]}connect_signals(){super.connect_signals();const{value:e,items:t,ncols:s,swatch_width:n,swatch_height:i}=this.model.properties;this.on_change([t,n,i],(()=>this.rerender())),this.on_change(e,(()=>this._update_value())),this.on_change(s,(()=>this._update_ncols()))}_update_value(){(0,a.empty)(this._value_el);const e=this._render_value();null!=e&&this._value_el.append(e)}_update_ncols(){const{ncols:e}=this.model;this._pane.el.style.setProperty(\"--number-of-columns\",`${e}`)}_render_item(e){const[t]=e,s=this.model.items.indexOf(e);(0,d.assert)(-1!=s);const n=(0,a.div)({class:w.swatch,id:`item_${s}`});return(0,a.div)({class:w.entry},n,(0,a.div)(t))}_render_value(){const{value:e,items:t}=this.model,s=t.find((([t])=>t==e));return null!=s?this._render_item(s):null}_render_input(){this._value_el=(0,a.div)({class:[v.value,w.entry]},this._render_value());const e=(0,a.div)({class:[v.chevron,y.tool_icon_chevron_down]}),t=(0,a.div)({class:[m.input,v.value_input]},this._value_el,e);return this.model.disabled?t.classList.add(m.disabled):t.tabIndex=0,this.input_el=t,this.input_el}render(){super.render();const{swatch_width:e,swatch_height:t}=this.model;this._style.replace(`\\n .${w.swatch} {\\n width: ${e}px;\\n height: ${\"auto\"==t?\"auto\":(0,a.px)(t)};\\n }\\n `);for(const[e,t]of(0,c.enumerate)(this.model.items)){const[,s]=e,n=s.length,i=(0,_.linspace)(0,100,n+1),l=[];for(const[e,t]of(0,c.enumerate)(s)){const[s,n]=[i[t],i[t+1]];l.push(`${(0,h.color2css)(e)} ${s}% ${n}%`)}const r=l.join(\", \");this._style.append(`\\n #item_${t} {\\n background: linear-gradient(to right, ${r});\\n }\\n `)}this._style_menu.replace(this._style.css);const s=[];for(const[e,t]of(0,c.enumerate)(this.model.items)){const n=this._render_item(e),i=(0,a.div)({class:w.item,tabIndex:0},n);i.addEventListener(\"pointerup\",(()=>{this.select(e)})),i.addEventListener(\"keyup\",(t=>{switch(t.key){case\"Enter\":this.select(e);break;case\"Escape\":this.hide()}}));const l=e=>{const{items:n}=this.model,i=(0,u.cycle)(t+e,0,n.length-1);s[i].focus()};i.addEventListener(\"keydown\",(e=>{const t=(()=>{switch(e.key){case\"ArrowUp\":return-this.model.ncols;case\"ArrowDown\":return+this.model.ncols;case\"ArrowLeft\":return-1;case\"ArrowRight\":return 1;default:return null}})();null!=t&&(e.preventDefault(),l(t))})),s.push(i)}this._pane=new o.DropPane(s,{target:this.group_el,prevent_hide:this.input_el,extra_stylesheets:[w.default,g.default,this._style_menu]}),this._update_ncols(),this.input_el.addEventListener(\"pointerup\",(()=>{this.toggle()})),this.input_el.addEventListener(\"keyup\",(e=>{switch(e.key){case\"Enter\":this.toggle();break;case\"Escape\":this.hide()}}));const n=e=>{const{items:t,value:s}=this.model,n=t.findIndex((([e])=>s==e));if(-1!=n){const s=(0,u.cycle)(n+e,0,t.length-1);this.select(t[s])}};this.input_el.addEventListener(\"keydown\",(e=>{const t=(()=>{switch(e.key){case\"ArrowUp\":return-1;case\"ArrowDown\":return 1;default:return null}})();null!=t&&(e.preventDefault(),n(t))}))}select(e){this.hide();const[t]=e;this.model.value=t,super.change_input(),this.input_el.focus()}toggle(){this.model.disabled||this._pane.toggle()}hide(){this._pane.hide()}}s.PaletteSelectView=k,k.__name__=\"PaletteSelectView\";class b extends p.InputWidget{constructor(e){super(e)}}s.PaletteSelect=b,l=b,b.__name__=\"PaletteSelect\",l.prototype.default_view=k,l.define((({Int:e,Str:t,List:s,NonNegative:n,Positive:i,Or:l,Auto:r})=>({value:[t],items:[s(S)],ncols:[i(e),1],swatch_width:[n(e),100],swatch_height:[l(r,n(e)),\"auto\"]})))},\n", " 669: function _(e,t,s,i,n){i();const o=e(1),h=e(61),_=e(8),l=o.__importDefault(e(670)),r=o.__importDefault(e(70));class d{get is_open(){return this._open}constructor(e,t){this.el=(0,h.div)(),this._open=!1,this._on_mousedown=e=>{if(e.composedPath().includes(this.el))return;const{prevent_hide:t}=this;if(t instanceof HTMLElement){if(e.composedPath().includes(t))return}else if(null!=t&&t(e))return;this.hide()},this._on_keydown=e=>{if(\"Escape\"===e.key)this.hide()},this._on_blur=()=>{this.hide()},this.contents=e,this.target=t.target,this.prevent_hide=t.prevent_hide,this.extra_stylesheets=t.extra_stylesheets??[],this.shadow_el=this.el.attachShadow({mode:\"open\"}),this.class_list=new h.ClassList(this.el.classList)}remove(){this._unlisten(),this.el.remove()}_listen(){document.addEventListener(\"mousedown\",this._on_mousedown),document.addEventListener(\"keydown\",this._on_keydown),window.addEventListener(\"blur\",this._on_blur)}_unlisten(){document.removeEventListener(\"mousedown\",this._on_mousedown),document.removeEventListener(\"keydown\",this._on_keydown),window.removeEventListener(\"blur\",this._on_blur)}stylesheets(){return[r.default,l.default,...this.extra_stylesheets]}empty(){(0,h.empty)(this.shadow_el),this.class_list.clear()}render(){this.empty();for(const e of this.stylesheets()){((0,_.isString)(e)?new h.InlineStyleSheet(e):e).install(this.shadow_el)}this.shadow_el.append(...this.contents)}show(){if(!this._open){this.render();(this.target.shadowRoot??this.target).appendChild(this.el),this._listen(),this._open=!0}}hide(){this._open&&(this._open=!1,this._unlisten(),this.el.remove())}toggle(){this._open?this.hide():this.show()}}s.DropPane=d,d.__name__=\"DropPane\"},\n", " 670: function _(o,r,e,t,a){t(),e.default=\":host{position:absolute;top:100%;min-width:100%;width:auto;height:auto;user-select:none;-webkit-user-select:none;z-index:var(--bokeh-top-level);cursor:pointer;font-size:var(--font-size);background-color:var(--background-color);border:var(--border);border-radius:var(--border-radius);box-shadow:var(--box-shadow);}\"},\n", " 671: function _(e,t,a,i,n){i(),a.value_input=\"bk-value-input\",a.value=\"bk-value\",a.chevron=\"bk-chevron\",a.default=\".bk-value-input{display:flex;flex-direction:row;flex-wrap:nowrap;align-items:center;gap:1em;cursor:pointer;}.bk-value{flex-grow:1;}.bk-chevron{width:16px;height:16px;mask-size:100% 100%;-webkit-mask-size:100% 100%;mask-position:center center;-webkit-mask-position:center center;mask-repeat:no-repeat;-webkit-mask-repeat:no-repeat;}\"},\n", " 672: function _(e,t,r,i,o){i(),r.entry=\"bk-entry\",r.swatch=\"bk-swatch\",r.item=\"bk-item\",r.active=\"bk-active\",r.default=\".bk-entry{display:flex;flex-direction:row;flex-wrap:nowrap;align-items:center;gap:0.5em;}.bk-swatch{width:100px;height:auto;align-self:stretch;}.bk-item{border:var(--border-width) var(--border-style) transparent;}.bk-item.bk-active{border-color:var(--highlight-color);}.bk-item:hover{background-color:var(--hover-color);}.bk-item:focus,.bk-item:focus-visible{outline:var(--outline-width) var(--outline-style) var(--highlight-color);outline-offset:-1px;}.bk-item::-moz-focus-inner{border:0;}\"},\n", " 673: function _(e,n,a,m,o){m(),a.default=\":host{--number-of-columns:1;padding:5px;display:grid;grid-template-columns:repeat(var(--number-of-columns), 1fr);gap:0.25em;}\"},\n", " 674: function _(e,a,t,r,s){var n;r();const p=e(655),i=e(61);class _ extends p.MarkupView{render(){super.render();const e=(0,i.p)({style:{margin:\"0px\"}});this.has_math_disabled()?e.textContent=this.model.text:e.innerHTML=this.process_tex(this.model.text),this.markup_el.appendChild(e)}}t.ParagraphView=_,_.__name__=\"ParagraphView\";class h extends p.Markup{constructor(e){super(e)}}t.Paragraph=h,n=h,h.__name__=\"Paragraph\",n.prototype.default_view=_},\n", " 675: function _(e,t,s,l,n){var o;l();const p=e(1),r=e(622),a=e(61),i=p.__importDefault(e(676)),_=p.__importDefault(e(76));class u extends r.TextInputView{stylesheets(){return[...super.stylesheets(),i.default,_.default]}render(){super.render(),this.input_el.type=\"password\",this.toggle_el=(0,a.div)({class:\"bk-toggle\"}),this.toggle_el.addEventListener(\"click\",(()=>{const{input_el:e,toggle_el:t}=this,s=\"text\"==e.type;t.classList.toggle(\"bk-visible\",!s),e.type=s?\"password\":\"text\"})),this.shadow_el.append(this.toggle_el)}}s.PasswordInputView=u,u.__name__=\"PasswordInputView\";class d extends r.TextInput{constructor(e){super(e)}}s.PasswordInput=d,o=d,d.__name__=\"PasswordInput\",o.prototype.default_view=u},\n", " 676: function _(e,i,o,t,g){t(),o.input=\"bk-input\",o.toggle=\"bk-toggle\",o.visible=\"bk-visible\",o.default=\":host{--toggle-size:14px;--toggle-padding:4px;--toggle-width:calc(var(--toggle-size) + 2*var(--toggle-padding));}.bk-input{padding-right:max();}.bk-toggle{position:absolute;right:0;top:0;width:var(--toggle-width);height:100%;padding:0 var(--toggle-padding);background-color:var(--icon-color);mask-image:var(--bokeh-icon-see-off);-webkit-mask-image:var(--bokeh-icon-see-off);mask-size:var(--toggle-size) var(--toggle-size);-webkit-mask-size:var(--toggle-size) var(--toggle-size);mask-position:center center;-webkit-mask-position:center center;mask-repeat:no-repeat;-webkit-mask-repeat:no-repeat;cursor:pointer;}.bk-toggle.bk-visible{mask-image:var(--bokeh-icon-see-on);-webkit-mask-image:var(--bokeh-icon-see-on);}\"},\n", " 677: function _(e,t,r,s,n){var a;s();const o=e(655),_=e(61);class p extends o.MarkupView{render(){super.render();const e=(0,_.pre)({style:{overflow:\"auto\"}},this.model.text);this.markup_el.appendChild(e)}}r.PreTextView=p,p.__name__=\"PreTextView\";class u extends o.Markup{constructor(e){super(e)}}r.PreText=u,a=u,u.__name__=\"PreText\",a.prototype.default_view=p},\n", " 678: function _(e,t,s,i,l){var n;i();const a=e(1),r=e(679),o=e(16),d=e(61),h=e(21),_=e(22),u=e(11),c=e(259),p=a.__importStar(e(680)),m=(0,_.Enum)(\"determinate\",\"indeterminate\"),g=(0,_.Enum)(\"none\",\"inline\");class v extends r.IndicatorView{connect_signals(){super.connect_signals();const{mode:e,value:t,min:s,max:i,label:l,reversed:n,orientation:a,disabled:r,label_location:o,description:d}=this.model.properties;this.on_change([e,t,s,i,l,d],(()=>this._update_value())),this.on_change(n,(()=>this._update_reversed())),this.on_change(a,(()=>this._update_orientation())),this.on_change(r,(()=>this._update_disabled())),this.on_change(o,(()=>this._update_label_location()))}stylesheets(){return[...super.stylesheets(),p.default]}render(){super.render(),this.el.role=\"progress\",this.label_el=(0,d.div)({class:p.label}),this.value_el=(0,d.div)({class:p.value}),this.bar_el=(0,d.div)({class:p.bar},this.value_el,this.label_el),this._update_value(),this._update_disabled(),this._update_reversed(),this._update_orientation(),this._update_label_location(),this.shadow_el.append(this.bar_el)}_update_value(){const{value:e,min:t,max:s,label:i}=this.model,l=Math.abs(s-t),n=(0,u.clamp)(e,t,s)-t,a=n/l*100,r=this.model.indeterminate||!isFinite(a);this.class_list.toggle(p.indeterminate,r),this.value_el.style.setProperty(\"--progress\",`${r?0:a}%`);const o=(i,r,o)=>{const d=(()=>{switch(r){case\"min\":return t;case\"max\":return s;case\"total\":return l;case\"value\":return e;case\"index\":return n;case\"percent\":return a;default:return null}})();return null==d?d:null!=o?(0,c.sprintf)(o,d):d.toFixed(0)};this.label_el.textContent=null==i||r?\"0%\":(0,c.process_placeholders)(i,o),this.bar_el.title=(()=>{const{description:e}=this.model;return null==e||r?\"\":(0,c.process_placeholders)(e,o)})()}_update_disabled(){const{disabled:e}=this.model;this.class_list.toggle(p.disabled,e)}_update_reversed(){const{reversed:e}=this.model;this.class_list.toggle(p.reversed,e)}_update_orientation(){const{orientation:e}=this.model;this.class_list.toggle(p.horizontal,\"horizontal\"==e),this.class_list.toggle(p.vertical,\"vertical\"==e)}_update_label_location(){const{label:e,label_location:t}=this.model;this.label_el.classList.toggle(p.hidden,null==e||\"none\"==t)}}s.ProgressView=v,v.__name__=\"ProgressView\";class b extends r.Indicator{constructor(e){super(e),this.finished=new o.Signal0(this,\"finished\")}get indeterminate(){return\"indeterminate\"==this.mode}get has_finished(){return!this.indeterminate&&this.value==this.max}update(e){if(this.indeterminate)return!1;const{value:t,min:s,max:i}=this;this.value=(0,u.clamp)(t+e,s,i);const{has_finished:l}=this;return l&&this.finished.emit(),l}increment(e=1){return this.update(e)}decrement(e=1){this.update(-e)}}s.Progress=b,n=b,b.__name__=\"Progress\",n.prototype.default_view=v,n.define((({Bool:e,Int:t,Str:s,Nullable:i})=>({mode:[m,\"determinate\"],value:[t,0],min:[t,0],max:[t,100],reversed:[e,!1],orientation:[h.Orientation,\"horizontal\"],label:[i(s),\"@{percent}%\"],label_location:[g,\"inline\"],description:[i(s),null]})))},\n", " 679: function _(e,n,t,c,i){c();const s=e(728);class _ extends s.WidgetView{}t.IndicatorView=_,_.__name__=\"IndicatorView\";class a extends s.Widget{constructor(e){super(e)}}t.Indicator=a,a.__name__=\"Indicator\"},\n", " 680: function _(e,i,t,a,r){a(),t.bar=\"bk-bar\",t.value=\"bk-value\",t.disabled=\"bk-disabled\",t.horizontal=\"bk-horizontal\",t.vertical=\"bk-vertical\",t.reversed=\"bk-reversed\",t.label=\"bk-label\",t.hidden=\"bk-hidden\",t.indeterminate=\"bk-indeterminate\",t.default=\":host{--progress:0%;}.bk-bar{position:relative;display:flex;flex-wrap:nowrap;align-items:center;justify-content:center;background-color:var(--active-bg);border:var(--border);border-radius:var(--border-radius);overflow:hidden;}.bk-value{position:absolute;background-color:var(--active-fg);}:host(.bk-disabled) .bk-bar{background-color:var(--inactive-bg);}:host(.bk-disabled) .bk-value{background-color:var(--inactive-fg);}:host(.bk-horizontal) .bk-bar{width:100%;height:max-content;min-width:3em;min-height:0.5em;}:host(.bk-horizontal) .bk-value{left:0;width:var(--progress);height:100%;}:host(.bk-vertical) .bk-bar{width:max-content;height:100%;min-width:0.5em;min-height:3em;}:host(.bk-vertical) .bk-value{bottom:0;width:100%;height:var(--progress);}:host(.bk-horizontal.bk-reversed) .bk-value{left:unset;right:0;}:host(.bk-vertical.bk-reversed) .bk-value{top:0;bottom:unset;}.bk-label{position:relative;padding:0.25em;}.bk-label.bk-hidden{display:none;}:host(.bk-vertical) .bk-label{writing-mode:vertical-rl;rotate:180deg;}:host(.bk-indeterminate){--indeterminate-size:10%;}:host(.bk-indeterminate) .bk-label{visibility:hidden;}:host(.bk-indeterminate) .bk-value{animation-duration:1.5s;animation-direction:alternate;animation-iteration-count:infinite;animation-timing-function:linear;}:host(.bk-indeterminate.bk-horizontal:not(.bk-disabled)) .bk-value{width:var(--indeterminate-size);animation-name:bk-progress-animation-horizontal;}:host(.bk-indeterminate.bk-vertical:not(.bk-disabled)) .bk-value{height:var(--indeterminate-size);animation-name:bk-progress-animation-vertical;}@keyframes bk-progress-animation-horizontal{from{left:calc(-1 * var(--indeterminate-size));}to{left:100%;}}@keyframes bk-progress-animation-vertical{from{bottom:calc(-1 * var(--indeterminate-size));}to{bottom:100%;}}\"},\n", " 681: function _(t,o,e,a,i){var n;a();const u=t(1),s=t(629),c=u.__importStar(t(77));class _ extends s.ToggleButtonGroupView{change_active(t){this.model.active!==t&&(this.model.active=t)}_update_active(){const{active:t}=this.model;this._buttons.forEach(((o,e)=>{o.classList.toggle(c.active,t===e)}))}}e.RadioButtonGroupView=_,_.__name__=\"RadioButtonGroupView\";class l extends s.ToggleButtonGroup{constructor(t){super(t)}}e.RadioButtonGroup=l,n=l,l.__name__=\"RadioButtonGroup\",n.prototype.default_view=_,n.define((({Int:t,Nullable:o})=>({active:[o(t),null]})))},\n", " 682: function _(e,t,n,i,s){var o;i();const a=e(1),l=e(632),c=e(61),d=e(41),p=e(14),u=a.__importStar(e(625));class r extends l.ToggleInputGroupView{connect_signals(){super.connect_signals();const{active:e}=this.model.properties;this.on_change(e,(()=>{const{active:e}=this.model;for(const[t,n]of(0,p.enumerate)(this._inputs))t.checked=e==n}))}render(){super.render();const e=(0,c.div)({class:[u.input_group,this.model.inline?u.inline:null]});this.shadow_el.appendChild(e);const t=(0,d.unique_id)(),{active:n,labels:i}=this.model;this._inputs=[];for(let s=0;sthis.change_active(s))),this._inputs.push(o),this.model.disabled&&(o.disabled=!0),s==n&&(o.checked=!0);const a=(0,c.label)(o,(0,c.span)(i[s]));e.appendChild(a)}}change_active(e){this.model.active=e}}n.RadioGroupView=r,r.__name__=\"RadioGroupView\";class h extends l.ToggleInputGroup{constructor(e){super(e)}}n.RadioGroup=h,o=h,h.__name__=\"RadioGroup\",o.prototype.default_view=r,o.define((({Int:e,Nullable:t})=>({active:[t(e),null]})))},\n", " 683: function _(e,t,n,i,s){var u;i();const l=e(1),o=e(61),_=e(8),a=e(9),p=e(624),r=l.__importStar(e(625)),c=e(22),h=c.Unknown,d=c.Str,v=(0,c.List)((0,c.Or)(d,(0,c.Tuple)(h,d))),m=(0,c.Dict)(v);class g extends p.InputWidgetView{constructor(){super(...arguments),this._known_values=new Map}connect_signals(){super.connect_signals();const{value:e,options:t}=this.model.properties;this.on_change(e,(()=>{this._update_value()})),this.on_change(t,(()=>{(0,o.empty)(this.input_el),this.input_el.append(...this.options_el()),this._update_value()}))}options_el(){const{_known_values:e}=this;function t(t){return t.map((t=>{let n,i;return(0,_.isString)(t)?n=i=t:[n,i]=t,e.set(n,i),(0,o.option)({value:i},i)}))}e.clear();const{options:n}=this.model;return(0,_.isArray)(n)?t(n):(0,a.entries)(n).map((([e,n])=>(0,o.optgroup)({label:e},t(n))))}_render_input(){return this.input_el=(0,o.select)({class:r.input,name:this.model.name,disabled:this.model.disabled},this.options_el()),this.input_el.addEventListener(\"change\",(()=>this.change_input())),this.input_el}render(){super.render(),this._update_value()}change_input(){const e=this.input_el.value,t=[...this._known_values].find((([t,n])=>e==n)),n=(()=>{if(null==t)return\"\";{const[e,n]=t;return e}})();this.model.value=n,super.change_input()}_update_value(){const{value:e}=this.model,t=this._known_values.get(e);void 0!==t?this.input_el.value=t:(this.input_el.removeAttribute(\"value\"),this.input_el.selectedIndex=-1)}}n.SelectView=g,g.__name__=\"SelectView\";class w extends p.InputWidget{constructor(e){super(e)}}n.Select=w,u=w,w.__name__=\"Select\",u.prototype.default_view=g,u.define((()=>({value:[h,\"\"],options:[(0,c.Or)(v,m),[]]})))},\n", " 684: function _(e,t,n,i,s){var l;i();const o=e(1),r=e(667),a=o.__importStar(e(19)),_=e(61),{min:u,max:h}=Math;class d extends r.NumericInputView{*buttons(){yield this.btn_up_el,yield this.btn_down_el}initialize(){super.initialize(),this._handles={interval:void 0,timeout:void 0},this._interval=200}connect_signals(){super.connect_signals();const e=this.model.properties;this.on_change(e.disabled,(()=>{for(const e of this.buttons())(0,_.toggle_attribute)(e,\"disabled\",this.model.disabled)}))}_render_input(){super._render_input(),this.btn_up_el=(0,_.button)({class:\"bk-spin-btn bk-spin-btn-up\"}),this.btn_down_el=(0,_.button)({class:\"bk-spin-btn bk-spin-btn-down\"});const{input_el:e,btn_up_el:t,btn_down_el:n}=this;return this.wrapper_el=(0,_.div)({class:\"bk-spin-wrapper\"},e,t,n),this.wrapper_el}render(){super.render();for(const e of this.buttons())(0,_.toggle_attribute)(e,\"disabled\",this.model.disabled),e.addEventListener(\"mousedown\",(e=>this._btn_mouse_down(e))),e.addEventListener(\"mouseup\",(()=>this._btn_mouse_up())),e.addEventListener(\"mouseleave\",(()=>this._btn_mouse_leave()));this.input_el.addEventListener(\"keydown\",(e=>{this._input_key_down(e)})),this.input_el.addEventListener(\"keyup\",(()=>{this.model.value_throttled=this.model.value})),this.input_el.addEventListener(\"wheel\",(e=>{this._input_mouse_wheel(e)})),this.input_el.addEventListener(\"wheel\",function(e,t,n=!1){let i;return function(...s){const l=this,o=n&&void 0===i;void 0!==i&&clearTimeout(i),i=setTimeout((function(){i=void 0,n||e.apply(l,s)}),t),o&&e.apply(l,s)}}((()=>{this.model.value_throttled=this.model.value}),this.model.wheel_wait,!1))}remove(){this._stop_incrementation(),super.remove()}_start_incrementation(e){clearInterval(this._handles.interval),this._counter=0;const{step:t}=this.model,n=e=>{if(this._counter+=1,this._counter%5==0){const t=Math.floor(this._counter/5);t<10?(clearInterval(this._handles.interval),this._handles.interval=setInterval((()=>n(e)),this._interval/(t+1))):t>=10&&t<=13&&(clearInterval(this._handles.interval),this._handles.interval=setInterval((()=>n(2*e)),this._interval/10))}this.increment(e)};this._handles.interval=setInterval((()=>n(e*t)),this._interval)}_stop_incrementation(){clearTimeout(this._handles.timeout),this._handles.timeout=void 0,clearInterval(this._handles.interval),this._handles.interval=void 0,this.model.value_throttled=this.model.value}_btn_mouse_down(e){e.preventDefault();const t=e.currentTarget===this.btn_up_el?1:-1;this.increment(t*this.model.step),this.input_el.focus(),this._handles.timeout=setTimeout((()=>this._start_incrementation(t)),this._interval)}_btn_mouse_up(){this._stop_incrementation()}_btn_mouse_leave(){this._stop_incrementation()}_input_mouse_wheel(e){if(this.shadow_el.activeElement===this.input_el){e.preventDefault();const t=e.deltaY>0?-1:1;this.increment(t*this.model.step)}}_input_key_down(e){const t=(()=>{const{step:t,page_step_multiplier:n}=this.model;switch(e.key){case\"ArrowUp\":return t;case\"ArrowDown\":return-t;case\"PageUp\":return n*t;case\"PageDown\":return-n*t;default:return null}})();null!=t&&(e.preventDefault(),this.increment(t))}increment(e){const{low:t,high:n}=this.model;null==this.model.value?e>0?this.model.value=null!=t?t:null!=n?u(0,n):0:e<0&&(this.model.value=null!=n?n:null!=t?h(t,0):0):this.model.value=this.bound_value(this.model.value+e)}change_input(){super.change_input(),this.model.value_throttled=this.model.value}bound_value(e){const{low:t,high:n}=this.model;return null!=t&&en?this.model.value??0:e}}n.SpinnerView=d,d.__name__=\"SpinnerView\";class p extends r.NumericInput{constructor(e){super(e)}}n.Spinner=p,l=p,p.__name__=\"Spinner\",l.prototype.default_view=d,l.define((({Float:e,Nullable:t})=>({value_throttled:[t(e),a.unset,{readonly:!0}],step:[e,1],page_step_multiplier:[e,10],wheel_wait:[e,100]}))),l.override({mode:\"float\"})},\n", " 685: function _(e,i,t,s,l){var n;s();const _=e(1),o=e(635),a=e(124),c=e(127),d=e(61),h=_.__importStar(e(76)),r=_.__importStar(e(686));class p extends o.ToggleInputView{stylesheets(){return[...super.stylesheets(),h.default,r.default]}_intrinsic_display(){return{inner:this.model.flow_mode,outer:\"flex\"}}render(){super.render(),this.bar_el=(0,d.div)({class:r.bar}),this.knob_el=(0,d.div)({class:r.knob,tabIndex:0}),this.icon_el=(0,d.div)({class:r.icon}),this.body_el=(0,d.div)({class:r.body},this.bar_el,this.knob_el),this.shadow_el.append(this.label_el,this.icon_el,this.body_el),this._update_label(),this._update_active(),this._update_disabled(),this.body_el.addEventListener(\"click\",(()=>this._toggle_active())),this.knob_el.addEventListener(\"keydown\",(e=>{switch(e.key){case\"Enter\":case\" \":e.preventDefault(),this._toggle_active()}}))}_apply_icon(e){if(null!=e){const i=(0,d.div)({class:r.icon});this.icon_el.replaceWith(i),this.icon_el=i,(0,c.apply_icon)(this.icon_el,e)}else(0,d.undisplay)(this.icon_el)}_update_active(){const{active:e,on_icon:i,off_icon:t}=this.model;this.el.classList.toggle(r.active,e),this._apply_icon(e?i:t)}_update_disabled(){this.el.classList.toggle(r.disabled,this.model.disabled)}}t.SwitchView=p,p.__name__=\"SwitchView\";class u extends o.ToggleInput{constructor(e){super(e)}}t.Switch=u,n=u,u.__name__=\"Switch\",n.prototype.default_view=p,n.define((({Nullable:e})=>({on_icon:[e(a.IconLike),null],off_icon:[e(a.IconLike),null]})))},\n", " 686: function _(i,t,e,a,r){a(),e.icon=\"bk-icon\",e.body=\"bk-body\",e.disabled=\"bk-disabled\",e.bar=\"bk-bar\",e.knob=\"bk-knob\",e.active=\"bk-active\",e.default=\":host{--switch-width:32px;--switch-size:16px;--bar-height:10px;}:host{display:flex;flex-direction:row;flex-wrap:nowrap;gap:0.5em;}.bk-icon{position:relative;width:var(--switch-size);height:var(--switch-size);mask-size:100% 100%;-webkit-mask-size:100% 100%;mask-position:center center;-webkit-mask-position:center center;mask-repeat:no-repeat;-webkit-mask-repeat:no-repeat;}.bk-body{position:relative;width:var(--switch-width);height:var(--switch-size);cursor:pointer;}:host(.bk-disabled) .bk-body{cursor:default;}.bk-bar{position:relative;top:calc(50% - var(--bar-height)/2);height:var(--bar-height);border-radius:calc(var(--bar-height)/2);background-color:var(--inactive-bg);transition-property:background-color;}.bk-knob{position:absolute;top:0;left:0;width:var(--switch-size);height:var(--switch-size);border-radius:8px;background-color:var(--inactive-fg);transition-property:left, background-color;}:host(.bk-active) .bk-bar{background-color:var(--active-bg);}:host(.bk-active) .bk-knob{left:calc(100% - var(--switch-size));background-color:var(--active-fg);}\"},\n", " 687: function _(e,t,s,n,i){var r;n();const o=e(1),l=e(623),c=e(61),p=o.__importStar(e(625));class _ extends l.TextLikeInputView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.rows.change,(()=>this.input_el.rows=this.model.rows)),this.connect(this.model.properties.cols.change,(()=>this.input_el.cols=this.model.cols))}_render_input(){return this.input_el=(0,c.textarea)({class:p.input})}render(){super.render(),this.input_el.cols=this.model.cols,this.input_el.rows=this.model.rows}}s.TextAreaInputView=_,_.__name__=\"TextAreaInputView\";class u extends l.TextLikeInput{constructor(e){super(e)}}s.TextAreaInput=u,r=u,u.__name__=\"TextAreaInput\",r.prototype.default_view=_,r.define((({Int:e})=>({cols:[e,20],rows:[e,2]}))),r.override({max_length:500})},\n", " 688: function _(e,t,n,i,c){var s;i();const m=e(640),r=e(22),o=e(21),a=e(12);n.TimeLike=(0,r.Or)(r.Str,r.Float);class l extends m.PickerBaseView{_format_time(e){const{picker:t}=this;return t.formatDate(e,t.config.dateFormat)}connect_signals(){super.connect_signals();const{value:e,min_time:t,max_time:n,time_format:i,hour_increment:c,minute_increment:s,second_increment:m,seconds:r,clock:o}=this.model.properties;this.connect(e.change,(()=>{const{value:e}=this.model;null!=e?this.picker.setDate(e):this.picker.clear()})),this.connect(t.change,(()=>this.picker.set(\"minTime\",this.model.min_time))),this.connect(n.change,(()=>this.picker.set(\"maxTime\",this.model.max_time))),this.connect(i.change,(()=>this.picker.set(\"altFormat\",this.model.time_format))),this.connect(c.change,(()=>this.picker.set(\"hourIncrement\",this.model.hour_increment))),this.connect(s.change,(()=>this.picker.set(\"minuteIncrement\",this.model.minute_increment))),this.connect(m.change,(()=>this._update_second_increment())),this.connect(r.change,(()=>this.picker.set(\"enableSeconds\",this.model.seconds))),this.connect(o.change,(()=>this.picker.set(\"time_24hr\",\"24h\"==this.model.clock)))}get flatpickr_options(){const{value:e,min_time:t,max_time:n,time_format:i,hour_increment:c,minute_increment:s,seconds:m,clock:r}=this.model,o=super.flatpickr_options;return o.enableTime=!0,o.noCalendar=!0,o.altInput=!0,o.altFormat=i,o.dateFormat=\"H:i:S\",o.hourIncrement=c,o.minuteIncrement=s,o.enableSeconds=m,o.time_24hr=\"24h\"==r,null!=e&&(o.defaultDate=e),null!=t&&(o.minTime=t),null!=n&&(o.maxTime=n),o}render(){super.render(),this._update_second_increment()}_update_second_increment(){const{second_increment:e}=this.model;this.picker.secondElement?.setAttribute(\"step\",e.toString())}_on_change(e){(0,a.assert)(e.length<=1),this.model.value=(()=>{if(0==e.length)return null;{const[t]=e;return this._format_time(t)}})()}}n.TimePickerView=l,l.__name__=\"TimePickerView\";class h extends m.PickerBase{constructor(e){super(e)}}n.TimePicker=h,s=h,h.__name__=\"TimePicker\",s.prototype.default_view=l,s.define((({Bool:e,Str:t,Nullable:i,Positive:c,Int:s})=>({value:[i(n.TimeLike),null],min_time:[i(n.TimeLike),null],max_time:[i(n.TimeLike),null],time_format:[t,\"H:i\"],hour_increment:[c(s),1],minute_increment:[c(s),1],second_increment:[c(s),1],seconds:[e,!1],clock:[o.Clock,\"24h\"]})))},\n", " 689: function _(e,t,i,s,c){var o;s();const a=e(1),n=e(618),l=e(80),r=a.__importStar(e(77));class _ extends n.AbstractButtonView{connect_signals(){super.connect_signals(),this.connect(this.model.properties.active.change,(()=>this._update_active()))}render(){super.render(),this._update_active()}click(){this.model.active=!this.model.active,this.model.trigger_event(new l.ButtonClick),super.click()}_update_active(){this.button_el.classList.toggle(r.active,this.model.active)}}i.ToggleView=_,_.__name__=\"ToggleView\";class g extends n.AbstractButton{constructor(e){super(e)}}i.Toggle=g,o=g,g.__name__=\"Toggle\",o.prototype.default_view=_,o.define((({Bool:e})=>({active:[e,!1]}))),o.override({label:\"Toggle\"})},\n", " 690: function _(e,i,a,l,r){l(),r(\"CategoricalSlider\",e(691).CategoricalSlider),r(\"DateRangeSlider\",e(696).DateRangeSlider),r(\"DateSlider\",e(699).DateSlider),r(\"DatetimeRangeSlider\",e(701).DatetimeRangeSlider),r(\"RangeSlider\",e(702).RangeSlider),r(\"Slider\",e(703).Slider)},\n", " 691: function _(e,t,r,s,i){var o;s();const a=e(692),c=e(8);class n extends a.AbstractSliderView{constructor(){super(...arguments),this.behaviour=\"tap\"}connect_signals(){super.connect_signals();const{categories:e}=this.model.properties;this.on_change([e],(()=>this._update_slider()))}_calc_to(){const{categories:e}=this.model;return{range:{min:0,max:e.length-1},start:[this.model.value],step:1,format:{to:t=>e[t],from:t=>e.indexOf(t)}}}_calc_from([e]){const{categories:t}=this.model;return t[0|e]}pretty(e){return(0,c.isNumber)(e)?this.model.categories[e]:e}}r.CategoricalSliderView=n,n.__name__=\"CategoricalSliderView\";class l extends a.AbstractSlider{constructor(e){super(e)}}r.CategoricalSlider=l,o=l,l.__name__=\"CategoricalSlider\",o.prototype.default_view=n,o.define((({List:e,Str:t})=>({categories:[e(t)]})))},\n", " 692: function _(t,e,i,s,l){var o;s();const r=t(1),n=r.__importDefault(t(693)),_=r.__importStar(t(19)),h=t(61),d=t(10),a=t(23),c=t(630),u=r.__importStar(t(694)),p=u,m=r.__importDefault(t(695)),g=r.__importStar(t(625));class b extends c.OrientedControlView{constructor(){super(...arguments),this.connected=!1,this._auto_width=\"auto\",this._auto_height=\"auto\"}*controls(){yield this.slider_el}get _steps(){return this._noUiSlider.steps}_update_slider(){this._noUiSlider.updateOptions(this._calc_to(),!0)}connect_signals(){super.connect_signals();const{direction:t,orientation:e,tooltips:i}=this.model.properties;this.on_change([t,e,i],(()=>this.rerender()));const{bar_color:s}=this.model.properties;this.on_change(s,(()=>{this._set_bar_color()}));const{value:l,title:o,show_value:r}=this.model.properties;this.on_change([l,o,r],(()=>this._update_title())),this.on_change(l,(()=>this._update_slider()))}stylesheets(){return[...super.stylesheets(),m.default,u.default]}_update_title(){(0,h.empty)(this.title_el);const t=null==this.model.title||0==this.model.title.length&&!this.model.show_value;if(this.title_el.style.display=t?\"none\":\"\",!t){const{title:t}=this.model;if(null!=t&&t.length>0&&(this.contains_tex_string(t)?this.title_el.innerHTML=`${this.process_tex(t)}: `:this.title_el.textContent=`${t}: `),this.model.show_value){const{start:t}=this._calc_to(),e=t.map((t=>this.pretty(t))).join(\" .. \");this.title_el.appendChild((0,h.span)({class:p.slider_value},e))}}}_set_bar_color(){if(!1!==this.connected&&!this.model.disabled&&null!=this.slider_el){this.slider_el.querySelector(\".noUi-connect\").style.backgroundColor=(0,a.color2css)(this.model.bar_color)}}render(){let t;if(super.render(),this.model.tooltips){const e={to:t=>this.pretty(t)},{start:i}=this._calc_to();t=(0,d.repeat)(e,i.length)}else t=null;if(null==this.slider_el){this.slider_el=(0,h.div)(),this._noUiSlider=n.default.create(this.slider_el,{...this._calc_to(),behaviour:this.behaviour,connect:this.connected,tooltips:t??!1,orientation:this.model.orientation,direction:this.model.direction}),this._noUiSlider.on(\"slide\",((t,e,i)=>this._slide(i))),this._noUiSlider.on(\"change\",((t,e,i)=>this._change(i)));const e=(e,i)=>{if(null==t||null==this.slider_el)return;this.slider_el.querySelectorAll(\".noUi-handle\")[e].querySelector(\".noUi-tooltip\").style.display=i?\"block\":\"\"};this._noUiSlider.on(\"start\",(()=>this._toggle_user_select(!1))),this._noUiSlider.on(\"end\",(()=>this._toggle_user_select(!0))),this._noUiSlider.on(\"start\",((t,i)=>e(i,!0))),this._noUiSlider.on(\"end\",((t,i)=>e(i,!1)))}else this._update_slider();this._set_bar_color(),this.model.disabled?this.slider_el.setAttribute(\"disabled\",\"true\"):this.slider_el.removeAttribute(\"disabled\"),this.title_el=(0,h.div)({class:p.slider_title}),this._update_title(),this.group_el=(0,h.div)({class:g.input_group},this.title_el,this.slider_el),this.shadow_el.appendChild(this.group_el),this._has_finished=!0}_toggle_user_select(t){const{style:e}=document.body,i=t?\"\":\"none\";e.userSelect=i,e.webkitUserSelect=i}_slide(t){this.model.value=this._calc_from(t)}_change(t){const e=this._calc_from(t);this.model.setv({value:e,value_throttled:e})}}i.AbstractSliderView=b,b.__name__=\"AbstractSliderView\";class S extends c.OrientedControl{constructor(t){super(t)}}i.AbstractSlider=S,o=S,S.__name__=\"AbstractSlider\",o.define((({Unknown:t,Bool:e,Str:i,Color:s,Enum:l,Nullable:o})=>({title:[o(i),\"\"],show_value:[e,!0],value:[t],value_throttled:[t,_.unset,{readonly:!0}],direction:[l(\"ltr\",\"rtl\"),\"ltr\"],tooltips:[e,!0],bar_color:[s,\"#e6e6e6\"]}))),o.override({width:300})},\n", " 693: function _(t,e,r,n,i){var o,s;function a(t){return\"object\"==typeof t&&\"function\"==typeof t.to}function l(t){t.parentElement.removeChild(t)}function u(t){return null!=t}function c(t){t.preventDefault()}function p(t){return\"number\"==typeof t&&!isNaN(t)&&isFinite(t)}function f(t,e,r){r>0&&(g(t,e),setTimeout((function(){v(t,e)}),r))}function d(t){return Math.max(Math.min(t,100),0)}function h(t){return Array.isArray(t)?t:[t]}function m(t){var e=(t=String(t)).split(\".\");return e.length>1?e[1].length:0}function g(t,e){t.classList&&!/\\s/.test(e)?t.classList.add(e):t.className+=\" \"+e}function v(t,e){t.classList&&!/\\s/.test(e)?t.classList.remove(e):t.className=t.className.replace(new RegExp(\"(^|\\\\b)\"+e.split(\" \").join(\"|\")+\"(\\\\b|$)\",\"gi\"),\" \")}function b(t){var e=void 0!==window.pageXOffset,r=\"CSS1Compat\"===(t.compatMode||\"\");return{x:e?window.pageXOffset:r?t.documentElement.scrollLeft:t.body.scrollLeft,y:e?window.pageYOffset:r?t.documentElement.scrollTop:t.body.scrollTop}}function S(t,e){return 100/(e-t)}function x(t,e,r){return 100*e/(t[r+1]-t[r])}function y(t,e){for(var r=1;t>=e[r];)r+=1;return r}function w(t,e,r){if(r>=t.slice(-1)[0])return 100;var n=y(r,t),i=t[n-1],o=t[n],s=e[n-1],a=e[n];return s+function(t,e){return x(t,t[0]<0?e+Math.abs(t[0]):e-t[0],0)}([i,o],r)/S(s,a)}function E(t,e,r,n){if(100===n)return n;var i=y(n,t),o=t[i-1],s=t[i];return r?n-o>(s-o)/2?s:o:e[i-1]?t[i-1]+function(t,e){return Math.round(t/e)*e}(n-t[i-1],e[i-1]):n}n(),r.create=tt,(o=r.PipsMode||(r.PipsMode={})).Range=\"range\",o.Steps=\"steps\",o.Positions=\"positions\",o.Count=\"count\",o.Values=\"values\",(s=r.PipsType||(r.PipsType={}))[s.None=-1]=\"None\",s[s.NoValue=0]=\"NoValue\",s[s.LargeValue=1]=\"LargeValue\",s[s.SmallValue=2]=\"SmallValue\";var P=function(){function t(t,e,r){var n;this.xPct=[],this.xVal=[],this.xSteps=[],this.xNumSteps=[],this.xHighestCompleteStep=[],this.xSteps=[r||!1],this.xNumSteps=[!1],this.snap=e;var i=[];for(Object.keys(t).forEach((function(e){i.push([h(t[e]),e])})),i.sort((function(t,e){return t[0][0]-e[0][0]})),n=0;nthis.xPct[i+1];)i++;else t===this.xPct[this.xPct.length-1]&&(i=this.xPct.length-2);r||t!==this.xPct[i+1]||i++,null===e&&(e=[]);var o=1,s=e[i],a=0,l=0,u=0,c=0;for(n=r?(t-this.xPct[i])/(this.xPct[i+1]-this.xPct[i]):(this.xPct[i+1]-t)/(this.xPct[i+1]-this.xPct[i]);s>0;)a=this.xPct[i+1+c]-this.xPct[i+c],e[i+c]*o+100-100*n>100?(l=a*n,o=(s-100*n)/e[i+c],n=1):(l=e[i+c]*a/100*o,o=0),r?(u-=l,this.xPct.length+c>=1&&c--):(u+=l,this.xPct.length-c>=1&&c++),s=e[i+c]*o;return t+u},t.prototype.toStepping=function(t){return t=w(this.xVal,this.xPct,t)},t.prototype.fromStepping=function(t){return function(t,e,r){if(r>=100)return t.slice(-1)[0];var n=y(r,e),i=t[n-1],o=t[n],s=e[n-1];return function(t,e){return e*(t[1]-t[0])/100+t[0]}([i,o],(r-s)*S(s,e[n]))}(this.xVal,this.xPct,t)},t.prototype.getStep=function(t){return t=E(this.xPct,this.xSteps,this.snap,t)},t.prototype.getDefaultStep=function(t,e,r){var n=y(t,this.xPct);return(100===t||e&&t===this.xPct[n-1])&&(n=Math.max(n-1,1)),(this.xVal[n]-this.xVal[n-1])/r},t.prototype.getNearbySteps=function(t){var e=y(t,this.xPct);return{stepBefore:{startValue:this.xVal[e-2],step:this.xNumSteps[e-2],highestStep:this.xHighestCompleteStep[e-2]},thisStep:{startValue:this.xVal[e-1],step:this.xNumSteps[e-1],highestStep:this.xHighestCompleteStep[e-1]},stepAfter:{startValue:this.xVal[e],step:this.xNumSteps[e],highestStep:this.xHighestCompleteStep[e]}}},t.prototype.countStepDecimals=function(){var t=this.xNumSteps.map(m);return Math.max.apply(null,t)},t.prototype.hasNoSize=function(){return this.xVal[0]===this.xVal[this.xVal.length-1]},t.prototype.convert=function(t){return this.getStep(this.toStepping(t))},t.prototype.handleEntryPoint=function(t,e){var r;if(!p(r=\"min\"===t?0:\"max\"===t?100:parseFloat(t))||!p(e[0]))throw new Error(\"noUiSlider: 'range' value isn't numeric.\");this.xPct.push(r),this.xVal.push(e[0]);var n=Number(e[1]);r?this.xSteps.push(!isNaN(n)&&n):isNaN(n)||(this.xSteps[0]=n),this.xHighestCompleteStep.push(0)},t.prototype.handleStepPoint=function(t,e){if(e)if(this.xVal[t]!==this.xVal[t+1]){this.xSteps[t]=x([this.xVal[t],this.xVal[t+1]],e,0)/S(this.xPct[t],this.xPct[t+1]);var r=(this.xVal[t+1]-this.xVal[t])/this.xNumSteps[t],n=Math.ceil(Number(r.toFixed(3))-1),i=this.xVal[t]+this.xNumSteps[t]*n;this.xHighestCompleteStep[t]=i}else this.xSteps[t]=this.xHighestCompleteStep[t]=this.xVal[t]},t}(),C={to:function(t){return void 0===t?\"\":t.toFixed(2)},from:Number},N={target:\"target\",base:\"base\",origin:\"origin\",handle:\"handle\",handleLower:\"handle-lower\",handleUpper:\"handle-upper\",touchArea:\"touch-area\",horizontal:\"horizontal\",vertical:\"vertical\",background:\"background\",connect:\"connect\",connects:\"connects\",ltr:\"ltr\",rtl:\"rtl\",textDirectionLtr:\"txt-dir-ltr\",textDirectionRtl:\"txt-dir-rtl\",draggable:\"draggable\",drag:\"state-drag\",tap:\"state-tap\",active:\"active\",tooltip:\"tooltip\",pips:\"pips\",pipsHorizontal:\"pips-horizontal\",pipsVertical:\"pips-vertical\",marker:\"marker\",markerHorizontal:\"marker-horizontal\",markerVertical:\"marker-vertical\",markerNormal:\"marker-normal\",markerLarge:\"marker-large\",markerSub:\"marker-sub\",value:\"value\",valueHorizontal:\"value-horizontal\",valueVertical:\"value-vertical\",valueNormal:\"value-normal\",valueLarge:\"value-large\",valueSub:\"value-sub\"};r.cssClasses=N;var V={tooltips:\".__tooltips\",aria:\".__aria\"};function A(t,e){if(!p(e))throw new Error(\"noUiSlider: 'step' is not numeric.\");t.singleStep=e}function k(t,e){if(!p(e))throw new Error(\"noUiSlider: 'keyboardPageMultiplier' is not numeric.\");t.keyboardPageMultiplier=e}function M(t,e){if(!p(e))throw new Error(\"noUiSlider: 'keyboardMultiplier' is not numeric.\");t.keyboardMultiplier=e}function U(t,e){if(!p(e))throw new Error(\"noUiSlider: 'keyboardDefaultStep' is not numeric.\");t.keyboardDefaultStep=e}function D(t,e){if(\"object\"!=typeof e||Array.isArray(e))throw new Error(\"noUiSlider: 'range' is not an object.\");if(void 0===e.min||void 0===e.max)throw new Error(\"noUiSlider: Missing 'min' or 'max' in 'range'.\");t.spectrum=new P(e,t.snap||!1,t.singleStep)}function O(t,e){if(e=h(e),!Array.isArray(e)||!e.length)throw new Error(\"noUiSlider: 'start' option is incorrect.\");t.handles=e.length,t.start=e}function L(t,e){if(\"boolean\"!=typeof e)throw new Error(\"noUiSlider: 'snap' option must be a boolean.\");t.snap=e}function T(t,e){if(\"boolean\"!=typeof e)throw new Error(\"noUiSlider: 'animate' option must be a boolean.\");t.animate=e}function z(t,e){if(\"number\"!=typeof e)throw new Error(\"noUiSlider: 'animationDuration' option must be a number.\");t.animationDuration=e}function j(t,e){var r,n=[!1];if(\"lower\"===e?e=[!0,!1]:\"upper\"===e&&(e=[!1,!0]),!0===e||!1===e){for(r=1;r1)throw new Error(\"noUiSlider: 'padding' option must not exceed 100% of the range.\")}}function B(t,e){switch(e){case\"ltr\":t.dir=0;break;case\"rtl\":t.dir=1;break;default:throw new Error(\"noUiSlider: 'direction' option was not recognized.\")}}function q(t,e){if(\"string\"!=typeof e)throw new Error(\"noUiSlider: 'behaviour' must be a string containing options.\");var r=e.indexOf(\"tap\")>=0,n=e.indexOf(\"drag\")>=0,i=e.indexOf(\"fixed\")>=0,o=e.indexOf(\"snap\")>=0,s=e.indexOf(\"hover\")>=0,a=e.indexOf(\"unconstrained\")>=0,l=e.indexOf(\"drag-all\")>=0,u=e.indexOf(\"smooth-steps\")>=0;if(i){if(2!==t.handles)throw new Error(\"noUiSlider: 'fixed' behaviour must be used with 2 handles\");F(t,t.start[1]-t.start[0])}if(a&&(t.margin||t.limit))throw new Error(\"noUiSlider: 'unconstrained' behaviour cannot be used with margin or limit\");t.events={tap:r||o,drag:n,dragAll:l,smoothSteps:u,fixed:i,snap:o,hover:s,unconstrained:a}}function X(t,e){if(!1!==e)if(!0===e||a(e)){t.tooltips=[];for(var r=0;r= 2) required for mode 'count'.\");for(var e=t.values-1,n=100/e,i=[];e--;)i[e]=e*n;return i.push(100),B(i,t.stepped)}return t.mode===r.PipsMode.Positions?B(t.values,t.stepped):t.mode===r.PipsMode.Values?t.stepped?t.values.map((function(t){return E.fromStepping(E.getStep(E.toStepping(t)))})):t.values:[]}(t),i={},o=E.xVal[0],s=E.xVal[E.xVal.length-1],a=!1,l=!1,u=0;return e=n.slice().sort((function(t,e){return t-e})),(n=e.filter((function(t){return!this[t]&&(this[t]=!0)}),{}))[0]!==o&&(n.unshift(o),a=!0),n[n.length-1]!==s&&(n.push(s),l=!0),n.forEach((function(e,o){var s,c,p,f,d,h,m,g,v,b,S=e,x=n[o+1],y=t.mode===r.PipsMode.Steps;for(y&&(s=E.xNumSteps[o]),s||(s=x-S),void 0===x&&(x=S),s=Math.max(s,1e-7),c=S;c<=x;c=Number((c+s).toFixed(7))){for(g=(d=(f=E.toStepping(c))-u)/(t.density||1),b=d/(v=Math.round(g)),p=1;p<=v;p+=1)i[(h=u+p*b).toFixed(5)]=[E.fromStepping(h),0];m=n.indexOf(c)>-1?r.PipsType.LargeValue:y?r.PipsType.SmallValue:r.PipsType.NoValue,!o&&a&&c!==x&&(m=0),c===x&&l||(i[f.toFixed(5)]=[c,m]),u=f}})),i}function X(t,n,i){var o,s,a=M.createElement(\"div\"),l=((o={})[r.PipsType.None]=\"\",o[r.PipsType.NoValue]=e.cssClasses.valueNormal,o[r.PipsType.LargeValue]=e.cssClasses.valueLarge,o[r.PipsType.SmallValue]=e.cssClasses.valueSub,o),u=((s={})[r.PipsType.None]=\"\",s[r.PipsType.NoValue]=e.cssClasses.markerNormal,s[r.PipsType.LargeValue]=e.cssClasses.markerLarge,s[r.PipsType.SmallValue]=e.cssClasses.markerSub,s),c=[e.cssClasses.valueHorizontal,e.cssClasses.valueVertical],p=[e.cssClasses.markerHorizontal,e.cssClasses.markerVertical];function f(t,r){var n=r===e.cssClasses.value,i=n?l:u;return r+\" \"+(n?c:p)[e.ort]+\" \"+i[t]}return g(a,e.cssClasses.pips),g(a,0===e.ort?e.cssClasses.pipsHorizontal:e.cssClasses.pipsVertical),Object.keys(t).forEach((function(o){!function(t,o,s){if((s=n?n(o,s):s)!==r.PipsType.None){var l=L(a,!1);l.className=f(s,e.cssClasses.marker),l.style[e.style]=t+\"%\",s>r.PipsType.NoValue&&((l=L(a,!1)).className=f(s,e.cssClasses.value),l.setAttribute(\"data-value\",String(o)),l.style[e.style]=t+\"%\",l.innerHTML=String(i.to(o)))}}(o,t[o][0],t[o][1])})),a}function Y(){a&&(l(a),a=null)}function I(t){Y();var e=q(t),r=t.filter,n=t.format||{to:function(t){return String(Math.round(t))}};return a=w.appendChild(X(e,r,n))}function W(){var t=i.getBoundingClientRect(),r=\"offset\"+[\"Width\",\"Height\"][e.ort];return 0===e.ort?t.width||i[r]:t.height||i[r]}function $(t,r,n,i){var o=function(o){var s,a,l=function(t,e,r){var n=0===t.type.indexOf(\"touch\"),i=0===t.type.indexOf(\"mouse\"),o=0===t.type.indexOf(\"pointer\"),s=0,a=0;0===t.type.indexOf(\"MSPointer\")&&(o=!0);if(\"mousedown\"===t.type&&!t.buttons&&!t.touches)return!1;if(n){var l=function(e){var n=e.target;return n===r||r.contains(n)||t.composed&&t.composedPath().shift()===r};if(\"touchstart\"===t.type){var u=Array.prototype.filter.call(t.touches,l);if(u.length>1)return!1;s=u[0].pageX,a=u[0].pageY}else{var c=Array.prototype.find.call(t.changedTouches,l);if(!c)return!1;s=c.pageX,a=c.pageY}}e=e||b(M),(i||o)&&(s=t.clientX+e.x,a=t.clientY+e.y);return t.pageOffset=e,t.points=[s,a],t.cursor=i||o,t}(o,i.pageOffset,i.target||r);return!!l&&(!(H()&&!i.doNotReject)&&(s=w,a=e.cssClasses.tap,!((s.classList?s.classList.contains(a):new RegExp(\"\\\\b\"+a+\"\\\\b\").test(s.className))&&!i.doNotReject)&&(!(t===x.start&&void 0!==l.buttons&&l.buttons>1)&&((!i.hover||!l.buttons)&&(y||l.preventDefault(),l.calcPoint=l.points[e.ort],void n(l,i))))))},s=[];return t.split(\" \").forEach((function(t){r.addEventListener(t,o,!!y&&{passive:!0}),s.push([t,o])})),s}function G(t){var r,n,o,s,a,l,u=100*(t-(r=i,n=e.ort,o=r.getBoundingClientRect(),s=r.ownerDocument,a=s.documentElement,l=b(s),/webkit.*Chrome.*Mobile/i.test(navigator.userAgent)&&(l.x=0),n?o.top+l.y-a.clientTop:o.left+l.x-a.clientLeft))/W();return u=d(u),e.dir?100-u:u}function J(t,e){\"mouseout\"===t.type&&\"HTML\"===t.target.nodeName&&null===t.relatedTarget&&Z(t,e)}function K(t,r){if(-1===navigator.appVersion.indexOf(\"MSIE 9\")&&0===t.buttons&&0!==r.buttonsProperty)return Z(t,r);var n=(e.dir?-1:1)*(t.calcPoint-r.startCalcPoint);lt(n>0,100*n/r.baseSize,r.locations,r.handleNumbers,r.connect)}function Z(t,r){r.handle&&(v(r.handle,e.cssClasses.active),A-=1),r.listeners.forEach((function(t){U.removeEventListener(t[0],t[1])})),0===A&&(v(w,e.cssClasses.drag),ct(),t.cursor&&(D.style.cursor=\"\",D.removeEventListener(\"selectstart\",c))),e.events.smoothSteps&&(r.handleNumbers.forEach((function(t){pt(t,C[t],!0,!0,!1,!1)})),r.handleNumbers.forEach((function(t){ot(\"update\",t)}))),r.handleNumbers.forEach((function(t){ot(\"change\",t),ot(\"set\",t),ot(\"end\",t)}))}function tt(t,r){if(!r.handleNumbers.some(F)){var n;if(1===r.handleNumbers.length)n=o[r.handleNumbers[0]].children[0],A+=1,g(n,e.cssClasses.active);t.stopPropagation();var i=[],s=$(x.move,U,K,{target:t.target,handle:n,connect:r.connect,listeners:i,startCalcPoint:t.calcPoint,baseSize:W(),pageOffset:t.pageOffset,handleNumbers:r.handleNumbers,buttonsProperty:t.buttons,locations:C.slice()}),a=$(x.end,U,Z,{target:t.target,handle:n,listeners:i,doNotReject:!0,handleNumbers:r.handleNumbers}),l=$(\"mouseout\",U,J,{target:t.target,handle:n,listeners:i,doNotReject:!0,handleNumbers:r.handleNumbers});i.push.apply(i,s.concat(a,l)),t.cursor&&(D.style.cursor=getComputedStyle(t.target).cursor,o.length>1&&g(w,e.cssClasses.drag),D.addEventListener(\"selectstart\",c,!1)),r.handleNumbers.forEach((function(t){ot(\"start\",t)}))}}function et(t){t.stopPropagation();var r=G(t.calcPoint),n=function(t){var e=100,r=!1;return o.forEach((function(n,i){if(!F(i)){var o=C[i],s=Math.abs(o-t);(so||100===s&&100===e)&&(r=i,e=s)}})),r}(r);!1!==n&&(e.events.snap||f(w,e.cssClasses.tap,e.animationDuration),pt(n,r,!0,!0),ct(),ot(\"slide\",n,!0),ot(\"update\",n,!0),e.events.snap?tt(t,{handleNumbers:[n]}):(ot(\"change\",n,!0),ot(\"set\",n,!0)))}function rt(t){var e=G(t.calcPoint),r=E.getStep(e),n=E.fromStepping(r);Object.keys(k).forEach((function(t){\"hover\"===t.split(\".\")[0]&&k[t].forEach((function(t){t.call(vt,n)}))}))}function nt(t,e){k[t]=k[t]||[],k[t].push(e),\"update\"===t.split(\".\")[0]&&o.forEach((function(t,e){ot(\"update\",e)}))}function it(t){var e=t&&t.split(\".\")[0],r=e?t.substring(e.length):t;Object.keys(k).forEach((function(t){var n=t.split(\".\")[0],i=t.substring(n.length);e&&e!==n||r&&r!==i||function(t){return t===V.aria||t===V.tooltips}(i)&&r!==i||delete k[t]}))}function ot(t,r,n){Object.keys(k).forEach((function(i){var o=i.split(\".\")[0];t===o&&k[i].forEach((function(t){t.call(vt,P.map(e.format.to),r,P.slice(),n||!1,C.slice(),vt)}))}))}function st(t,r,n,i,s,a,l){var u;return o.length>1&&!e.events.unconstrained&&(i&&r>0&&(u=E.getAbsoluteDistance(t[r-1],e.margin,!1),n=Math.max(n,u)),s&&r1&&e.limit&&(i&&r>0&&(u=E.getAbsoluteDistance(t[r-1],e.limit,!1),n=Math.min(n,u)),s&&r1?i.forEach((function(t,e){var n=st(s,t,s[t]+r,u[e],c[e],!1,l);!1===n?r=0:(r=n-s[t],s[t]=n)})):u=c=[!0];var p=!1;i.forEach((function(t,e){p=pt(t,n[t]+r,u[e],c[e],!1,l)||p})),p&&(i.forEach((function(t){ot(\"update\",t),ot(\"slide\",t)})),null!=o&&ot(\"drag\",a))}function ut(t,r){return e.dir?100-t-r:t}function ct(){N.forEach((function(t){var e=C[t]>50?-1:1,r=3+(o.length+e*t);o[t].style.zIndex=String(r)}))}function pt(t,r,n,i,s,a){return s||(r=st(C,t,r,n,i,!1,a)),!1!==r&&(function(t,r){C[t]=r,P[t]=E.fromStepping(r);var n=\"translate(\"+at(ut(r,0)-O+\"%\",\"0\")+\")\";o[t].style[e.transformRule]=n,ft(t),ft(t+1)}(t,r),!0)}function ft(t){if(s[t]){var r=0,n=100;0!==t&&(r=C[t-1]),t!==s.length-1&&(n=C[t]);var i=n-r,o=\"translate(\"+at(ut(r,i)+\"%\",\"0\")+\")\",a=\"scale(\"+at(i/100,\"1\")+\")\";s[t].style[e.transformRule]=o+\" \"+a}}function dt(t,r){return null===t||!1===t||void 0===t?C[r]:(\"number\"==typeof t&&(t=String(t)),!1!==(t=e.format.from(t))&&(t=E.toStepping(t)),!1===t||isNaN(t)?C[r]:t)}function ht(t,r,n){var i=h(t),o=void 0===C[0];r=void 0===r||r,e.animate&&!o&&f(w,e.cssClasses.tap,e.animationDuration),N.forEach((function(t){pt(t,dt(i[t],t),!0,!1,n)}));var s=1===N.length?0:1;if(o&&E.hasNoSize()&&(n=!0,C[0]=0,N.length>1)){var a=100/(N.length-1);N.forEach((function(t){C[t]=t*a}))}for(;sn.stepAfter.startValue&&(o=n.stepAfter.startValue-i),s=i>n.thisStep.startValue?n.thisStep.step:!1!==n.stepBefore.step&&i-n.stepBefore.highestStep,100===r?o=null:0===r&&(s=null);var a=E.countStepDecimals();return null!==o&&!1!==o&&(o=Number(o.toFixed(a))),null!==s&&!1!==s&&(s=Number(s.toFixed(a))),[s,o]}g(m=w,e.cssClasses.target),0===e.dir?g(m,e.cssClasses.ltr):g(m,e.cssClasses.rtl),0===e.ort?g(m,e.cssClasses.horizontal):g(m,e.cssClasses.vertical),g(m,\"rtl\"===getComputedStyle(m).direction?e.cssClasses.textDirectionRtl:e.cssClasses.textDirectionLtr),i=L(m,e.cssClasses.base),function(t,r){var n=L(r,e.cssClasses.connects);o=[],(s=[]).push(z(n,t[0]));for(var i=0;i=0&&tthis._update_slider()))}pretty(e){return this._formatter(e,this.model.format)}}r.BaseNumericalSliderView=l,l.__name__=\"BaseNumericalSliderView\";class o extends n.AbstractSlider{constructor(e){super(e)}}r.BaseNumericalSlider=o,i=o,o.__name__=\"BaseNumericalSlider\",i.define((({Float:e,Str:t,Or:r,Ref:s})=>({start:[e],end:[e],step:[e,1],format:[r(t,s(c.TickFormatter))]})))},\n", " 699: function _(e,t,r,i,a){var c;i();const o=e(700),s=e(8),n=e(259);class _ extends o.NumericalSliderView{constructor(){super(...arguments),this.behaviour=\"tap\",this.connected=[!0,!1]}_calc_to(){const e=super._calc_to();return e.step*=864e5,e}_formatter(e,t){return(0,s.isString)(t)?(0,n.datetime)(e,t):t.compute(e)}}r.DateSliderView=_,_.__name__=\"DateSliderView\";class d extends o.NumericalSlider{constructor(e){super(e)}}r.DateSlider=d,c=d,d.__name__=\"DateSlider\",c.prototype.default_view=_,c.override({format:\"%d %b %Y\"})},\n", " 700: function _(e,r,t,s,i){s();const a=e(698);class l extends a.BaseNumericalSliderView{_calc_to(){const{start:e,end:r,value:t,step:s}=this.model;return{range:{min:e,max:r},start:[t],step:s}}_calc_from([e]){return Number.isInteger(this.model.start)&&Number.isInteger(this.model.end)&&Number.isInteger(this.model.step)?Math.round(e):e}}t.NumericalSliderView=l,l.__name__=\"NumericalSliderView\";class n extends a.BaseNumericalSlider{constructor(e){super(e)}}t.NumericalSlider=n,n.__name__=\"NumericalSlider\"},\n", " 701: function _(e,t,r,i,a){var n;i();const s=e(697),d=e(8),o=e(259);class c extends s.NumericalRangeSliderView{constructor(){super(...arguments),this.behaviour=\"drag\",this.connected=[!1,!0,!1]}_formatter(e,t){return(0,d.isString)(t)?(0,o.datetime)(e,t):t.compute(e)}}r.DatetimeRangeSliderView=c,c.__name__=\"DatetimeRangeSliderView\";class m extends s.NumericalRangeSlider{constructor(e){super(e)}}r.DatetimeRangeSlider=m,n=m,m.__name__=\"DatetimeRangeSlider\",n.prototype.default_view=c,n.override({format:\"%d %b %Y %H:%M:%S\",step:36e5})},\n", " 702: function _(e,r,t,a,i){var n;a();const o=e(1).__importStar(e(260)),s=e(697),c=e(8);class _ extends s.NumericalRangeSliderView{constructor(){super(...arguments),this.behaviour=\"drag\",this.connected=[!1,!0,!1]}_formatter(e,r){return(0,c.isString)(r)?o.format(e,r):r.compute(e)}}t.RangeSliderView=_,_.__name__=\"RangeSliderView\";class d extends s.NumericalRangeSlider{constructor(e){super(e)}}t.RangeSlider=d,n=d,d.__name__=\"RangeSlider\",n.prototype.default_view=_,n.override({format:\"0[.]00\"})},\n", " 703: function _(e,r,t,i,o){var a;i();const s=e(1).__importStar(e(260)),c=e(700),n=e(8);class _ extends c.NumericalSliderView{constructor(){super(...arguments),this.behaviour=\"tap\",this.connected=[!0,!1]}_formatter(e,r){return(0,n.isString)(r)?s.format(e,r):r.compute(e)}}t.SliderView=_,_.__name__=\"SliderView\";class d extends c.NumericalSlider{constructor(e){super(e)}}t.Slider=d,a=d,d.__name__=\"Slider\",a.prototype.default_view=_,a.override({format:\"0[.]00\"})},\n", " }, 616, {\"models/widgets/main\":616,\"models/widgets/index\":617,\"models/widgets/abstract_button\":618,\"models/widgets/control\":619,\"models/widgets/widget\":728,\"models/widgets/autocomplete_input\":621,\"models/widgets/text_input\":622,\"models/widgets/text_like_input\":623,\"models/widgets/input_widget\":624,\"styles/widgets/inputs.css\":625,\"styles/dropdown.css\":626,\"models/widgets/button\":627,\"models/widgets/checkbox_button_group\":628,\"models/widgets/toggle_button_group\":629,\"models/widgets/oriented_control\":630,\"models/widgets/checkbox_group\":631,\"models/widgets/toggle_input_group\":632,\"styles/widgets/checkbox.css\":633,\"models/widgets/checkbox\":634,\"models/widgets/toggle_input\":635,\"styles/widgets/toggle_input.css\":636,\"models/widgets/color_picker\":637,\"models/widgets/date_picker\":638,\"models/widgets/base_date_picker\":639,\"models/widgets/picker_base\":640,\"styles/widgets/flatpickr.css\":649,\"models/widgets/date_range_picker\":650,\"models/widgets/datetime_picker\":651,\"models/widgets/base_datetime_picker\":652,\"models/widgets/datetime_range_picker\":653,\"models/widgets/div\":654,\"models/widgets/markup\":655,\"styles/clearfix.css\":656,\"models/widgets/dropdown\":657,\"styles/caret.css\":658,\"models/widgets/file_input\":659,\"models/widgets/help_button\":660,\"models/widgets/multi_choice\":661,\"styles/widgets/choices.css\":663,\"models/widgets/multiselect\":664,\"models/widgets/multiple_date_picker\":665,\"models/widgets/multiple_datetime_picker\":666,\"models/widgets/numeric_input\":667,\"models/widgets/palette_select\":668,\"core/util/panes\":669,\"styles/panes.css\":670,\"styles/widgets/palette_select.css\":671,\"styles/widgets/palette_select_item.css\":672,\"styles/widgets/palette_select_pane.css\":673,\"models/widgets/paragraph\":674,\"models/widgets/password_input\":675,\"styles/widgets/password_input.css\":676,\"models/widgets/pretext\":677,\"models/widgets/progress\":678,\"models/widgets/indicator\":679,\"styles/widgets/progress.css\":680,\"models/widgets/radio_button_group\":681,\"models/widgets/radio_group\":682,\"models/widgets/select\":683,\"models/widgets/spinner\":684,\"models/widgets/switch\":685,\"styles/widgets/switch.css\":686,\"models/widgets/textarea_input\":687,\"models/widgets/time_picker\":688,\"models/widgets/toggle\":689,\"models/widgets/sliders/index\":690,\"models/widgets/sliders/categorical_slider\":691,\"models/widgets/sliders/abstract_slider\":692,\"styles/widgets/sliders.css\":694,\"styles/widgets/nouislider.css\":695,\"models/widgets/sliders/date_range_slider\":696,\"models/widgets/sliders/numerical_range_slider\":697,\"models/widgets/sliders/base_numerical_slider\":698,\"models/widgets/sliders/date_slider\":699,\"models/widgets/sliders/numerical_slider\":700,\"models/widgets/sliders/datetime_range_slider\":701,\"models/widgets/sliders/range_slider\":702,\"models/widgets/sliders/slider\":703}, {});});\n", "\n", " /* END bokeh-widgets.min.js */\n", " },\n", " function(Bokeh) {\n", " /* BEGIN bokeh-tables.min.js */\n", " 'use strict';\n", " /*!\n", " * Copyright (c) Anaconda, Inc., and Bokeh Contributors\n", " * All rights reserved.\n", " * \n", " * Redistribution and use in source and binary forms, with or without modification,\n", " * are permitted provided that the following conditions are met:\n", " * \n", " * Redistributions of source code must retain the above copyright notice,\n", " * this list of conditions and the following disclaimer.\n", " * \n", " * Redistributions in binary form must reproduce the above copyright notice,\n", " * this list of conditions and the following disclaimer in the documentation\n", " * and/or other materials provided with the distribution.\n", " * \n", " * Neither the name of Anaconda nor the names of any contributors\n", " * may be used to endorse or promote products derived from this software\n", " * without specific prior written permission.\n", " * \n", " * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS \"AS IS\"\n", " * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\n", " * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE\n", " * ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE\n", " * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR\n", " * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF\n", " * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS\n", " * INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN\n", " * CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)\n", " * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF\n", " * THE POSSIBILITY OF SUCH DAMAGE.\n", " */\n", " (function(root, factory) {\n", " factory(root[\"Bokeh\"], \"3.8.2\");\n", " })(this, function(Bokeh, version) {\n", " let define;\n", " return (function(modules, entry, aliases, externals) {\n", " const bokeh = typeof Bokeh !== \"undefined\" ? (version != null ? Bokeh[version] : Bokeh) : null;\n", " if (bokeh != null) {\n", " return bokeh.register_plugin(modules, entry, aliases);\n", " } else {\n", " throw new Error(\"Cannot find Bokeh\" + (version != null ? \" \" + version : \"\") + \". You have to load it prior to loading plugins.\");\n", " }\n", " })\n", " ({\n", " 704: function _(t,e,o,r,s){r();const _=t(1).__importStar(t(705));o.Tables=_;(0,t(7).register_models)(_)},\n", " 705: function _(g,a,r,e,t){e();const o=g(1);o.__exportStar(g(706),r),o.__exportStar(g(709),r),t(\"DataTable\",g(712).DataTable),t(\"TableColumn\",g(730).TableColumn),t(\"TableWidget\",g(729).TableWidget);var n=g(732);t(\"AvgAggregator\",n.AvgAggregator),t(\"MinAggregator\",n.MinAggregator),t(\"MaxAggregator\",n.MaxAggregator),t(\"SumAggregator\",n.SumAggregator);var A=g(733);t(\"GroupingInfo\",A.GroupingInfo),t(\"DataCube\",A.DataCube)},\n", " 706: function _(e,t,i,s,r){var a,l,n,u,d,o,p,_,c;s();const h=e(1),E=e(61),V=e(8),m=e(64),f=e(52),w=e(707),g=h.__importStar(e(708));class x extends m.DOMComponentView{get emptyValue(){return null}constructor(e){const{model:t,parent:i}=e.column;super({model:t,parent:i,...e}),this.args=e,this.initialize(),this.render()}initialize(){super.initialize(),this.inputEl=this._createInput(),this.defaultValue=null}async lazy_initialize(){throw new Error(\"unsupported\")}css_classes(){return super.css_classes().concat(g.cell_editor)}render(){this.args.container.append(this.el),this.shadow_el.appendChild(this.inputEl),this.renderEditor(),this.disableNavigation()}renderEditor(){}disableNavigation(){this.inputEl.addEventListener(\"keydown\",(e=>{switch(e.key){case\"ArrowLeft\":case\"ArrowRight\":case\"ArrowUp\":case\"ArrowDown\":case\"PageUp\":case\"PageDown\":e.stopImmediatePropagation()}}))}destroy(){this.remove()}focus(){this.inputEl.focus()}show(){}hide(){}position(){}getValue(){return this.inputEl.value}setValue(e){this.inputEl.value=e}serializeValue(){return this.getValue()}isValueChanged(){return!(\"\"==this.getValue()&&null==this.defaultValue)&&this.getValue()!==this.defaultValue}applyValue(e,t){const i=this.args.grid.getData(),s=i.index.indexOf(e[w.DTINDEX_NAME]);i.setField(s,this.args.column.field,t)}loadValue(e){const t=e[this.args.column.field];this.defaultValue=null!=t?t:this.emptyValue,this.setValue(this.defaultValue)}validateValue(e){if(this.args.column.validator){const t=this.args.column.validator(e);if(!t.valid)return t}return{valid:!0,msg:null}}validate(){return this.validateValue(this.getValue())}}i.CellEditorView=x,x.__name__=\"CellEditorView\";class v extends f.Model{}i.CellEditor=v,v.__name__=\"CellEditor\";class y extends x{get emptyValue(){return\"\"}_createInput(){return(0,E.input)({type:\"text\"})}renderEditor(){this.inputEl.focus(),this.inputEl.select()}loadValue(e){super.loadValue(e),this.inputEl.defaultValue=this.defaultValue,this.inputEl.select()}}i.StringEditorView=y,y.__name__=\"StringEditorView\";class I extends v{}i.StringEditor=I,a=I,I.__name__=\"StringEditor\",a.prototype.default_view=y,a.define((({Str:e,List:t})=>({completions:[t(e),[]]})));class N extends x{_createInput(){return(0,E.textarea)()}renderEditor(){this.inputEl.focus(),this.inputEl.select()}}i.TextEditorView=N,N.__name__=\"TextEditorView\";class b extends v{}i.TextEditor=b,l=b,b.__name__=\"TextEditor\",l.prototype.default_view=N;class C extends x{_createInput(){return(0,E.select)()}renderEditor(){for(const e of this.model.options)this.inputEl.appendChild((0,E.option)({value:e},e));this.focus()}}i.SelectEditorView=C,C.__name__=\"SelectEditorView\";class S extends v{}i.SelectEditor=S,n=S,S.__name__=\"SelectEditor\",n.prototype.default_view=C,n.define((({Str:e,List:t})=>({options:[t(e),[]]})));class D extends x{_createInput(){return(0,E.input)({type:\"text\"})}}i.PercentEditorView=D,D.__name__=\"PercentEditorView\";class k extends v{}i.PercentEditor=k,u=k,k.__name__=\"PercentEditor\",u.prototype.default_view=D;class z extends x{_createInput(){return(0,E.input)({type:\"checkbox\"})}renderEditor(){this.focus()}loadValue(e){this.defaultValue=!!e[this.args.column.field],this.inputEl.checked=this.defaultValue}serializeValue(){return this.inputEl.checked}}i.CheckboxEditorView=z,z.__name__=\"CheckboxEditorView\";class P extends v{}i.CheckboxEditor=P,d=P,P.__name__=\"CheckboxEditor\",d.prototype.default_view=z;class T extends x{_createInput(){return(0,E.input)({type:\"text\"})}renderEditor(){this.inputEl.focus(),this.inputEl.select()}remove(){super.remove()}serializeValue(){const e=parseInt(this.getValue(),10);return isNaN(e)?0:e}loadValue(e){super.loadValue(e),this.inputEl.defaultValue=this.defaultValue,this.inputEl.select()}validateValue(e){return(0,V.isString)(e)&&(e=Number(e)),(0,V.isInteger)(e)?super.validateValue(e):{valid:!1,msg:\"Please enter a valid integer\"}}}i.IntEditorView=T,T.__name__=\"IntEditorView\";class A extends v{}i.IntEditor=A,o=A,A.__name__=\"IntEditor\",o.prototype.default_view=T,o.define((({Int:e})=>({step:[e,1]})));class L extends x{_createInput(){return(0,E.input)({type:\"text\"})}renderEditor(){this.inputEl.focus(),this.inputEl.select()}remove(){super.remove()}serializeValue(){const e=parseFloat(this.getValue());return isNaN(e)?0:e}loadValue(e){super.loadValue(e),this.inputEl.defaultValue=this.defaultValue,this.inputEl.select()}validateValue(e){return isNaN(e)?{valid:!1,msg:\"Please enter a valid number\"}:super.validateValue(e)}}i.NumberEditorView=L,L.__name__=\"NumberEditorView\";class F extends v{}i.NumberEditor=F,p=F,F.__name__=\"NumberEditor\",p.prototype.default_view=L,p.define((({Float:e})=>({step:[e,.01]})));class M extends x{_createInput(){return(0,E.input)({type:\"text\"})}}i.TimeEditorView=M,M.__name__=\"TimeEditorView\";class O extends v{}i.TimeEditor=O,_=O,O.__name__=\"TimeEditor\",_.prototype.default_view=M;class U extends x{_createInput(){return(0,E.input)({type:\"text\"})}get emptyValue(){return new Date}renderEditor(){this.inputEl.focus(),this.inputEl.select()}destroy(){super.destroy()}show(){super.show()}hide(){super.hide()}position(){return super.position()}getValue(){}setValue(e){}}i.DateEditorView=U,U.__name__=\"DateEditorView\";class R extends v{}i.DateEditor=R,c=R,R.__name__=\"DateEditor\",c.prototype.default_view=U},\n", " 707: function _(_,n,i,t,d){t(),i.DTINDEX_NAME=\"__bkdt_internal_index__\"},\n", " 708: function _(e,l,t,r,i){r(),t.data_table=\"bk-data-table\",t.cell_special_defaults=\"bk-cell-special-defaults\",t.cell_select=\"bk-cell-select\",t.cell_index=\"bk-cell-index\",t.header_index=\"bk-header-index\",t.cell_editor=\"bk-cell-editor\",t.cell_editor_completion=\"bk-cell-editor-completion\",t.default=':host{--data-table-font-size:var(--font-size);--special:#f5f5f5;--odd:#f0f0f0;--muted-text:#909090;--selected:#f0f8ff;}.bk-data-table{box-sizing:content-box;width:100%;height:100%;font-size:var(--data-table-font-size);}.bk-data-table input[type=\"checkbox\"]{margin-left:4px;margin-right:4px;}.bk-cell-special-defaults{border-right-color:var(--border-color);border-right-style:solid;background:var(--special);}.bk-cell-select{border-right-color:var(--border-color);border-right-style:solid;background:var(--special);}.slick-cell.bk-cell-index{border-right-color:var(--border-color);border-right-style:solid;background:var(--special);text-align:right;background:var(--odd);color:var(--muted-text);}.bk-header-index .slick-column-name{float:right;}.slick-row.selected .bk-cell-index{background-color:transparent;}.slick-row.odd{background:var(--odd);}.slick-cell{padding-left:4px;padding-right:4px;border-right-color:transparent;border:0.25px solid transparent;}.slick-cell .bk{line-height:inherit;}.slick-cell.active{border-style:dashed;}.slick-cell.selected{background-color:var(--selected);}.slick-cell.editable{padding-left:0;padding-right:0;}.bk-cell-editor{display:contents;}.bk-cell-editor input,.bk-cell-editor select{width:100%;height:100%;border:0;margin:0;padding:0;outline:0;background:transparent;vertical-align:baseline;}.bk-cell-editor input{padding-left:4px;padding-right:4px;}.bk-cell-editor-completion{font-size:var(--data-table-font-size);}'},\n", " 709: function _(e,t,r,o,a){var l,n,s,i,c,u;o();const m=e(1),_=m.__importStar(e(260)),f=e(710),d=m.__importStar(e(19)),p=e(61),h=e(29),g=e(21),F=e(8),b=e(41),S=e(23),x=e(52),N=e(230),y=e(12),v=e(259);class C extends x.Model{constructor(e){super(e)}doFormat(e,t,r,o,a){return null==r?\"\":`${r}`.replace(/&/g,\"&\").replace(//g,\">\")}}r.CellFormatter=C,C.__name__=\"CellFormatter\";class M extends C{constructor(e){super(e)}doFormat(e,t,r,o,a){const{font_style:l,text_align:n,text_color:s,background_color:i}=this;Number.isNaN(r)?r=this.nan_format:null==r&&(r=this.null_format);const c=(0,p.div)(null==r?\"\":`${r}`);let u;switch((0,h.isValue)(l)?u=l.value:(0,h.isField)(l)?u=a[l.field]:(0,h.isExpr)(l)||(0,y.unreachable)(),u){case\"normal\":break;case\"italic\":c.style.fontStyle=\"italic\";break;case\"bold\":c.style.fontWeight=\"bold\";break;case\"bold italic\":c.style.fontStyle=\"italic\",c.style.fontWeight=\"bold\"}if((0,h.isValue)(n)?c.style.textAlign=n.value:(0,h.isField)(n)?c.style.textAlign=a[n.field]:(0,h.isExpr)(n)||(0,y.unreachable)(),(0,h.isValue)(s))null!=s.value&&(c.style.color=(0,S.color2css)(s.value));else if((0,h.isField)(s))if(null!=s.transform&&s.transform instanceof N.ColorMapper){const e=s.transform.rgba_mapper.v_compute([a[s.field]]),[t,r,o,l]=e;c.style.color=(0,S.rgba2css)([t,r,o,l])}else c.style.color=(0,S.color2css)(a[s.field]);else(0,h.isExpr)(s)||(0,y.unreachable)();if((0,h.isValue)(i))null!=i.value&&(c.style.backgroundColor=(0,S.color2css)(i.value));else if((0,h.isField)(i))if(null!=i.transform&&i.transform instanceof N.ColorMapper){const e=i.transform.rgba_mapper.v_compute([a[i.field]]),[t,r,o,l]=e;c.style.backgroundColor=(0,S.rgba2css)([t,r,o,l])}else c.style.backgroundColor=(0,S.color2css)(a[i.field]);else(0,h.isExpr)(i)||(0,y.unreachable)();return c.outerHTML}}r.StringFormatter=M,l=M,M.__name__=\"StringFormatter\",l.define((({Str:e})=>({font_style:[d.FontStyleSpec,{value:\"normal\"}],text_align:[d.TextAlignSpec,{value:\"left\"}],text_color:[d.ColorSpec,null],background_color:[d.ColorSpec,null],nan_format:[e,\"NaN\"],null_format:[e,\"(null)\"]})));class w extends M{constructor(e){super(e)}get scientific_limit_low(){return 10**this.power_limit_low}get scientific_limit_high(){return 10**this.power_limit_high}doFormat(e,t,r,o,a){const l=Math.abs(r)<=this.scientific_limit_low||Math.abs(r)>=this.scientific_limit_high;let n=this.precision;return n<1&&(n=1),r=Number.isNaN(r)?this.nan_format:null==r?this.null_format:0==r?(0,b.to_fixed)(r,1):l?r.toExponential(n):(0,b.to_fixed)(r,n),super.doFormat(e,t,r,o,a)}}r.ScientificFormatter=w,n=w,w.__name__=\"ScientificFormatter\",n.define((({Float:e})=>({precision:[e,10],power_limit_high:[e,5],power_limit_low:[e,-3]}))),n.override({nan_format:\"-\",null_format:\"-\"});class T extends M{constructor(e){super(e)}doFormat(e,t,r,o,a){const{format:l,language:n,nan_format:s,null_format:i}=this,c=(()=>{switch(this.rounding){case\"round\":case\"nearest\":return Math.round;case\"floor\":case\"rounddown\":return Math.floor;case\"ceil\":case\"roundup\":return Math.ceil}})();return r=Number.isNaN(r)?s:null==r?i:_.format(r,l,n,c),super.doFormat(e,t,r,o,a)}}r.NumberFormatter=T,s=T,T.__name__=\"NumberFormatter\",s.define((({Str:e})=>({format:[e,\"0,0\"],language:[e,\"en\"],rounding:[g.RoundingFunction,\"round\"]}))),s.override({nan_format:\"-\",null_format:\"-\"});class k extends C{constructor(e){super(e)}doFormat(e,t,r,o,a){return r?(0,p.i)({class:this.icon}).outerHTML:\"\"}}r.BooleanFormatter=k,i=k,k.__name__=\"BooleanFormatter\",i.define((({Str:e})=>({icon:[e,\"check\"]})));class R extends M{constructor(e){super(e)}getFormat(){switch(this.format){case\"ATOM\":case\"W3C\":case\"RFC-3339\":case\"ISO-8601\":return\"%Y-%m-%d\";case\"COOKIE\":return\"%a, %d %b %Y\";case\"RFC-850\":return\"%A, %d-%b-%y\";case\"RFC-1123\":case\"RFC-2822\":return\"%a, %e %b %Y\";case\"RSS\":case\"RFC-822\":case\"RFC-1036\":return\"%a, %e %b %y\";case\"TIMESTAMP\":return;default:return this.format}}doFormat(e,t,r,o,a){const l=(()=>{if(null==r||(0,F.isNumber)(r))return r;if((0,F.isString)(r)){const e=Number(r);return isNaN(e)?function(e){const t=/Z$|[+-]\\d\\d((:?)\\d\\d)?$/.test(e);return new Date(t?e:`${e}Z`).getTime()}(r):e}return r instanceof Date?r.valueOf():Number(r)})(),n=(()=>Number.isNaN(l)||-9223372036854776==l?this.nan_format:null==r?this.null_format:(0,v.datetime)(l,this.getFormat()))();return super.doFormat(e,t,n,o,a)}}r.DateFormatter=R,c=R,R.__name__=\"DateFormatter\",c.define((({Str:e})=>({format:[e,\"ISO-8601\"]}))),c.override({nan_format:\"-\",null_format:\"-\"});class E extends C{constructor(e){super(e)}doFormat(e,t,r,o,a){const{template:l}=this;if(null==r)return\"\";return f._.template(l)({...a,value:r})}}r.HTMLTemplateFormatter=E,u=E,E.__name__=\"HTMLTemplateFormatter\",u.define((({Str:e})=>({template:[e,\"<%= value %>\"]})))},\n", " 710: function _(e,n,t,f,i){var o=e(711),d=o.template;function r(e,n,t){return d(e,n,t)}r._=o,n.exports=r,\"function\"==typeof define&&define.amd?define((function(){return r})):\"undefined\"==typeof window&&\"undefined\"==typeof navigator||(window.UnderscoreTemplate=r)},\n", " 711: function _(r,e,n,t,a){\n", " // (c) 2009-2013 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors\n", " // Underscore may be freely distributed under the MIT license.\n", " var u={},c=Array.prototype,o=Object.prototype,l=c.slice,i=o.toString,f=o.hasOwnProperty,s=c.forEach,p=Object.keys,_=Array.isArray,h=function(){},v=h.each=h.forEach=function(r,e,n){if(null!=r)if(s&&r.forEach===s)r.forEach(e,n);else if(r.length===+r.length){for(var t=0,a=r.length;t\":\">\",'\"':\""\",\"'\":\"'\"}},y={escape:new RegExp(\"[\"+h.keys(g.escape).join(\"\")+\"]\",\"g\")};h.each([\"escape\"],(function(r){h[r]=function(e){return null==e?\"\":(\"\"+e).replace(y[r],(function(e){return g[r][e]}))}})),h.templateSettings={evaluate:/<%([\\s\\S]+?)%>/g,interpolate:/<%=([\\s\\S]+?)%>/g,escape:/<%-([\\s\\S]+?)%>/g};var j=/(.)^/,b={\"'\":\"'\",\"\\\\\":\"\\\\\",\"\\r\":\"r\",\"\\n\":\"n\",\"\\t\":\"t\",\"\\u2028\":\"u2028\",\"\\u2029\":\"u2029\"},w=/\\\\|'|\\r|\\n|\\t|\\u2028|\\u2029/g;h.template=function(r,e,n){var t;n=h.defaults({},n,h.templateSettings);var a=new RegExp([(n.escape||j).source,(n.interpolate||j).source,(n.evaluate||j).source].join(\"|\")+\"|$\",\"g\"),u=0,c=\"__p+='\";r.replace(a,(function(e,n,t,a,o){return c+=r.slice(u,o).replace(w,(function(r){return\"\\\\\"+b[r]})),n&&(c+=\"'+\\n((__t=(\"+n+\"))==null?'':_.escape(__t))+\\n'\"),t&&(c+=\"'+\\n((__t=(\"+t+\"))==null?'':__t)+\\n'\"),a&&(c+=\"';\\n\"+a+\"\\n__p+='\"),u=o+e.length,e})),c+=\"';\\n\",n.variable||(c=\"with(obj||{}){\\n\"+c+\"}\\n\"),c=\"var __t,__p='',__j=Array.prototype.join,print=function(){__p+=__j.call(arguments,'');};\\n\"+c+\"return __p;\\n\";try{t=new Function(n.variable||\"obj\",\"_\",c)}catch(r){throw r.source=c,r}if(e)return t(e,h);var o=function(r){return t.call(this,r,h)};return o.source=\"function(\"+(n.variable||\"obj\")+\"){\\n\"+c+\"}\",o},e.exports=h},\n", " 712: function _(e,t,i,s,o){var l;s();const r=e(1),n=e(713),d=e(717),a=e(718),h=e(719),c=e(61),u=e(9),_=e(41),m=e(8),g=e(10),f=e(13),p=e(31),w=e(20),b=e(728),v=e(707),z=e(729),C=e(730),x=e(69),y=r.__importStar(e(708)),A=y,D=r.__importDefault(e(731));i.AutosizeModes={fit_columns:\"FCV\",fit_viewport:\"FVC\",force_fit:\"LFF\",none:\"NOA\"};let M=!1;class N{constructor(e,t){this.init(e,t)}init(e,t){if(v.DTINDEX_NAME in e.data)throw new Error(`special name ${v.DTINDEX_NAME} cannot be used as a data table column`);this.source=e,this.view=t,this.index=[...this.view.indices]}getLength(){return this.index.length}getItem(e){const t={},i=(0,u.dict)(this.source.data);for(const[s,o]of i){const i=this.index[e],l=(0,p.is_NDArray)(o)?o.get(i):o[i];t[s]=l}return t[v.DTINDEX_NAME]=this.index[e],t}getField(e,t){if(t==v.DTINDEX_NAME)return this.index[e];{const i=(0,u.dict)(this.source.data).get(t)??[],s=this.index[e];return(0,p.is_NDArray)(i)?i.get(s):i[s]}}setField(e,t,i){const s=this.index[e],o=new Map([[t,[[s,i]]]]);this.source.patch(o)}getRecords(){return(0,g.range)(0,this.getLength()).map((e=>this.getItem(e)))}getItems(){return this.getRecords()}slice(e,t,i=1){return t=t??this.getLength(),(0,g.range)(e,t,i).map((e=>this.getItem(e)))}sort(e){let t=e.map((e=>[e.sortCol,e.sortAsc?1:-1]));0==t.length&&(t=[[{field:v.DTINDEX_NAME},1]]);const i=this.getRecords(),s={};this.index.forEach(((e,t)=>s[e]=t)),this.index.sort(((e,o)=>{for(const[l,r]of t){const t=l.field,n=i[s[e]][t],d=i[s[o]][t];if(null!=l.sorter)return r*l.sorter.compute(n,d);if(n!==d){if((0,m.isNumber)(n)&&(0,m.isNumber)(d))return r*(n-d||+isNaN(n)-+isNaN(d));{const e=`${n}`.localeCompare(`${d}`);if(0==e)continue;return r*e}}}return 0}))}}i.TableDataProvider=N,N.__name__=\"TableDataProvider\";class S extends b.WidgetView{constructor(){super(...arguments),this._in_selection_update=!1,this._width=null,this._filtered_selection=[]}get data_source(){return this.model.properties.source}*children(){yield*super.children(),yield this.cds_view}async lazy_initialize(){await super.lazy_initialize(),this.cds_view=await(0,x.build_view)(this.model.view,{parent:this})}remove(){this.cds_view.remove(),this.grid.destroy(),super.remove()}connect_signals(){super.connect_signals(),this.connect(this.model.change,(()=>this.rerender()));for(const e of this.model.columns)this.connect(e.change,(()=>this.rerender()));this.connect(this.model.view.change,(()=>this.updateGrid())),this.connect(this.model.source.selected.change,(()=>this.updateSelection())),this.connect(this.model.source.selected.properties.indices.change,(()=>this.updateSelection()))}stylesheets(){return[...super.stylesheets(),D.default,y.default]}_after_resize(){super._after_resize(),this.grid.resizeCanvas(),this.updateLayout(!0,!1)}_after_layout(){super._after_layout(),this.grid.resizeCanvas(),this.updateLayout(!0,!1)}box_sizing(){const e=super.box_sizing();return\"fit_viewport\"===this.model.autosize_mode&&null!=this._width&&(e.width=this._width),e}updateLayout(e,t){const s=this.autosize;s===i.AutosizeModes.fit_columns||s===i.AutosizeModes.force_fit?(e||this.grid.resizeCanvas(),this.grid.autosizeColumns()):e&&t&&s===i.AutosizeModes.fit_viewport&&this.invalidate_layout()}updateGrid(){if(this.data.init(this.model.source,this.model.view),this.model.sortable){const e=this.grid.getColumns(),t=this.grid.getSortColumns().map((t=>({sortCol:{field:e[this.grid.getColumnIndex(t.columnId)].field},sortAsc:t.sortAsc})));this.data.sort(t)}this._sync_selected_with_view(),this.updateSelection(),this.grid.invalidate(),this.updateLayout(!0,!0)}updateSelection(){if(!1===this.model.selectable||this._in_selection_update)return;const{indices:e}=this.model.source.selected,t={};this.data.index.forEach(((e,i)=>t[e]=i));const i=(0,g.sort_by)((0,g.map)(e,(e=>t[e])),(e=>e));this._in_selection_update=!0;try{this.grid.setSelectedRows([...i])}finally{this._in_selection_update=!1}const s=this.grid.getViewport(),o=this.model.get_scroll_index(s,i);null!=o&&this.grid.scrollRowToTop(o)}newIndexColumn(){return{id:(0,_.unique_id)(),name:this.model.index_header,field:v.DTINDEX_NAME,width:this.model.index_width,behavior:\"select\",cannotTriggerInsert:!0,resizable:!1,selectable:!1,sortable:!0,cssClass:A.cell_index,headerCssClass:A.header_index}}get autosize(){let e;return e=!0===this.model.fit_columns?i.AutosizeModes.force_fit:!1===this.model.fit_columns?i.AutosizeModes.none:i.AutosizeModes[this.model.autosize_mode],e}render(){super.render(),this.wrapper_el=(0,c.div)({class:A.data_table}),this.shadow_el.appendChild(this.wrapper_el)}_render_table(){const e=this.model.columns.filter((e=>e.visible)).map((e=>({...e.toColumn(),parent:this})));let t=null;if(\"checkbox\"==this.model.selectable&&(t=new d.CheckboxSelectColumn({cssClass:A.cell_select}),e.unshift(t.getColumnDefinition())),null!=this.model.index_position){const t=this.model.index_position,i=this.newIndexColumn();-1==t?e.push(i):t<-1?e.splice(t+1,0,i):e.splice(t,0,i)}let{reorderable:s}=this.model;!s||\"undefined\"!=typeof $&&void 0!==$.fn&&\"sortable\"in $.fn||(M||(w.logger.warn(\"jquery-ui is required to enable DataTable.reorderable\"),M=!0),s=!1);let o=-1,l=!1;const{frozen_rows:r,frozen_columns:c}=this.model,u=null==c?-1:c-1;null!=r&&(l=r<0,o=Math.abs(r));const _={enableCellNavigation:!1!==this.model.selectable,enableColumnReorder:s,autosizeColsMode:this.autosize,multiColumnSort:this.model.sortable,editable:this.model.editable,autoEdit:this.model.auto_edit,autoHeight:!1,rowHeight:this.model.row_height,frozenColumn:u,frozenRow:o,frozenBottom:l,explicitInitialization:!1,multiSelect:this.model.multi_selectable};if(this.data=new N(this.model.source,this.model.view),this.grid=new h.Grid(this.wrapper_el,this.data,e,_),this.autosize==i.AutosizeModes.fit_viewport){this.grid.autosizeColumns();let t=0;for(const i of e)t+=i.width??0;this._width=Math.ceil(t)}if(this.grid.onSort.subscribe(((e,t)=>{if(!this.model.sortable)return;const i=t.sortCols;null!=i&&(this.data.sort(i),this.grid.invalidate(),this.updateSelection(),this.grid.render(),this.model.header_row||this._hide_header(),this.model.update_sort_columns(i))})),!1!==this.model.selectable){this.grid.setSelectionModel(new n.RowSelectionModel({selectActiveRow:null==t})),null!=t&&this.grid.registerPlugin(t);const e={dataItemColumnValueExtractor(e,t){let i=e[t.field];return(0,m.isString)(i)&&(i=i.replace(/\\n/g,\"\\\\n\")),i},includeHeaderWhenCopying:!1};this.grid.registerPlugin(new a.CellExternalCopyManager(e)),this.grid.onSelectedRowsChanged.subscribe(((e,t)=>{this._in_selection_update||(this.model.source.selected.indices=t.rows.map((e=>this.data.index[e])))})),this.updateSelection(),this.model.header_row||this._hide_header()}}_after_render(){const e=void 0!==this.grid;this._render_table(),this.updateLayout(e,!1),super._after_render()}_hide_header(){for(const e of this.shadow_el.querySelectorAll(\".slick-header-columns\"))e.style.height=\"0px\";this.grid.resizeCanvas()}get_selected_rows(){return this.grid.getSelectedRows()}_sync_selected_with_view(){const e=this.data.view.indices,{source:t}=this.data,i=(0,f.filter)(t.selected.indices,(t=>e.get(t))),s=new Set((0,f.filter)(this._filtered_selection,(t=>e.get(t))));this._filtered_selection=[...(0,f.filter)(this._filtered_selection,(e=>!s.has(e))),...(0,f.filter)(t.selected.indices,(t=>!e.get(t)))],t.selected.indices=[...s,...i]}}i.DataTableView=S,S.__name__=\"DataTableView\";class E extends z.TableWidget{get sort_columns(){return this._sort_columns}constructor(e){super(e),this._sort_columns=[]}update_sort_columns(e){this._sort_columns=e.map((({sortCol:e,sortAsc:t})=>({field:e.field,sortAsc:t})))}get_scroll_index(e,t){return this.scroll_to_selection&&0!=t.length?(0,g.some)(t,(t=>e.top<=t&&t<=e.bottom))?null:Math.max(0,Math.min(...t)-1):null}}i.DataTable=E,l=E,E.__name__=\"DataTable\",l.prototype.default_view=S,l.define((({List:e,Bool:t,Int:i,Ref:s,Str:o,Enum:l,Or:r,Nullable:n})=>({autosize_mode:[l(\"fit_columns\",\"fit_viewport\",\"none\",\"force_fit\"),\"force_fit\"],auto_edit:[t,!1],columns:[e(s(C.TableColumn)),[]],fit_columns:[n(t),null],frozen_columns:[n(i),null],frozen_rows:[n(i),null],sortable:[t,!0],reorderable:[t,!0],editable:[t,!1],selectable:[r(t,l(\"checkbox\")),!0],index_position:[n(i),0],index_header:[o,\"#\"],index_width:[i,40],scroll_to_selection:[t,!0],header_row:[t,!0],row_height:[i,25],multi_selectable:[t,!0]}))),l.override({width:600,height:400})},\n", " 713: function _(e,t,n,o,r){var l=e(714),i=e(716);t.exports={RowSelectionModel:function(e){var t,n,o,r=[],c=this,u=new i.EventHandler,s={selectActiveRow:!0};function a(e){return function(){n||(n=!0,e.apply(this,arguments),n=!1)}}function f(e){for(var t=[],n=0;n=0&&r0&&t-1 in e)}function S(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()}T.fn=T.prototype={jquery:b,constructor:T,length:0,toArray:function(){return i.call(this)},get:function(e){return null==e?i.call(this):e<0?this[e+this.length]:this[e]},pushStack:function(e){var t=T.merge(this.constructor(),e);return t.prevObject=this,t},each:function(e){return T.each(this,e)},map:function(e){return this.pushStack(T.map(this,(function(t,n){return e.call(t,n,t)})))},slice:function(){return this.pushStack(i.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},even:function(){return this.pushStack(T.grep(this,(function(e,t){return(t+1)%2})))},odd:function(){return this.pushStack(T.grep(this,(function(e,t){return t%2})))},eq:function(e){var t=this.length,n=+e+(e<0?t:0);return this.pushStack(n>=0&&n+~]|\"+A+\")\"+A+\"*\"),$=new RegExp(A+\"|>\"),B=new RegExp(R),_=new RegExp(\"^\"+P+\"$\"),z={ID:new RegExp(\"^#(\"+P+\")\"),CLASS:new RegExp(\"^\\\\.(\"+P+\")\"),TAG:new RegExp(\"^(\"+P+\"|[*])\"),ATTR:new RegExp(\"^\"+M),PSEUDO:new RegExp(\"^\"+R),CHILD:new RegExp(\"^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\\\(\"+A+\"*(even|odd|(([+-]|)(\\\\d*)n|)\"+A+\"*(?:([+-]|)\"+A+\"*(\\\\d+)|))\"+A+\"*\\\\)|)\",\"i\"),bool:new RegExp(\"^(?:\"+O+\")$\",\"i\"),needsContext:new RegExp(\"^\"+A+\"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\\\(\"+A+\"*((?:-\\\\d)?\\\\d*)\"+A+\"*\\\\)|)(?=[^-]|$)\",\"i\")},X=/^(?:input|select|textarea|button)$/i,U=/^h\\d$/i,V=/^(?:#([\\w-]+)|(\\w+)|\\.([\\w-]+))$/,G=/[+~]/,Y=new RegExp(\"\\\\\\\\[\\\\da-fA-F]{1,6}\"+A+\"?|\\\\\\\\([^\\\\r\\\\n\\\\f])\",\"g\"),Q=function(e,t){var n=\"0x\"+e.slice(1)-65536;return t||(n<0?String.fromCharCode(n+65536):String.fromCharCode(n>>10|55296,1023&n|56320))},J=function(){ue()},K=pe((function(e){return!0===e.disabled&&S(e,\"fieldset\")}),{dir:\"parentNode\",next:\"legend\"});try{v.apply(n=i.call(L.childNodes),L.childNodes),n[L.childNodes.length].nodeType}catch(e){v={apply:function(e,t){H.apply(e,i.call(t))},call:function(e){H.apply(e,i.call(arguments,1))}}}function Z(e,t,n,r){var i,o,a,s,u,c,f,g=t&&t.ownerDocument,m=t?t.nodeType:9;if(n=n||[],\"string\"!=typeof e||!e||1!==m&&9!==m&&11!==m)return n;if(!r&&(ue(t),t=t||l,p)){if(11!==m&&(u=V.exec(e)))if(i=u[1]){if(9===m){if(!(a=t.getElementById(i)))return n;if(a.id===i)return v.call(n,a),n}else if(g&&(a=g.getElementById(i))&&Z.contains(t,a)&&a.id===i)return v.call(n,a),n}else{if(u[2])return v.apply(n,t.getElementsByTagName(e)),n;if((i=u[3])&&t.getElementsByClassName)return v.apply(n,t.getElementsByClassName(i)),n}if(!(N[e+\" \"]||h&&h.test(e))){if(f=e,g=t,1===m&&($.test(e)||F.test(e))){for((g=G.test(e)&&se(t.parentNode)||t)==t&&d.scope||((s=t.getAttribute(\"id\"))?s=T.escapeSelector(s):t.setAttribute(\"id\",s=y)),o=(c=ce(e)).length;o--;)c[o]=(s?\"#\"+s:\":scope\")+\" \"+fe(c[o]);f=c.join(\",\")}try{return v.apply(n,g.querySelectorAll(f)),n}catch(t){N(e,!0)}finally{s===y&&t.removeAttribute(\"id\")}}}return me(e.replace(D,\"$1\"),t,n,r)}function ee(){var e=[];return function t(n,i){return e.push(n+\" \")>r.cacheLength&&delete t[e.shift()],t[n+\" \"]=i}}function te(e){return e[y]=!0,e}function ne(e){var t=l.createElement(\"fieldset\");try{return!!e(t)}catch(e){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function re(e){return function(t){return S(t,\"input\")&&t.type===e}}function ie(e){return function(t){return(S(t,\"input\")||S(t,\"button\"))&&t.type===e}}function oe(e){return function(t){return\"form\"in t?t.parentNode&&!1===t.disabled?\"label\"in t?\"label\"in t.parentNode?t.parentNode.disabled===e:t.disabled===e:t.isDisabled===e||t.isDisabled!==!e&&K(t)===e:t.disabled===e:\"label\"in t&&t.disabled===e}}function ae(e){return te((function(t){return t=+t,te((function(n,r){for(var i,o=e([],n.length,t),a=o.length;a--;)n[i=o[a]]&&(n[i]=!(r[i]=n[i]))}))}))}function se(e){return e&&void 0!==e.getElementsByTagName&&e}function ue(e){var t,n=e?e.ownerDocument||e:L;return n!=l&&9===n.nodeType&&n.documentElement?(f=(l=n).documentElement,p=!T.isXMLDoc(l),g=f.matches||f.webkitMatchesSelector||f.msMatchesSelector,f.msMatchesSelector&&L!=l&&(t=l.defaultView)&&t.top!==t&&t.addEventListener(\"unload\",J),d.getById=ne((function(e){return f.appendChild(e).id=T.expando,!l.getElementsByName||!l.getElementsByName(T.expando).length})),d.disconnectedMatch=ne((function(e){return g.call(e,\"*\")})),d.scope=ne((function(){return l.querySelectorAll(\":scope\")})),d.cssHas=ne((function(){try{return l.querySelector(\":has(*,:jqfake)\"),!1}catch(e){return!0}})),d.getById?(r.filter.ID=function(e){var t=e.replace(Y,Q);return function(e){return e.getAttribute(\"id\")===t}},r.find.ID=function(e,t){if(void 0!==t.getElementById&&p){var n=t.getElementById(e);return n?[n]:[]}}):(r.filter.ID=function(e){var t=e.replace(Y,Q);return function(e){var n=void 0!==e.getAttributeNode&&e.getAttributeNode(\"id\");return n&&n.value===t}},r.find.ID=function(e,t){if(void 0!==t.getElementById&&p){var n,r,i,o=t.getElementById(e);if(o){if((n=o.getAttributeNode(\"id\"))&&n.value===e)return[o];for(i=t.getElementsByName(e),r=0;o=i[r++];)if((n=o.getAttributeNode(\"id\"))&&n.value===e)return[o]}return[]}}),r.find.TAG=function(e,t){return void 0!==t.getElementsByTagName?t.getElementsByTagName(e):t.querySelectorAll(e)},r.find.CLASS=function(e,t){if(void 0!==t.getElementsByClassName&&p)return t.getElementsByClassName(e)},h=[],ne((function(e){var t;f.appendChild(e).innerHTML=\"\",e.querySelectorAll(\"[selected]\").length||h.push(\"\\\\[\"+A+\"*(?:value|\"+O+\")\"),e.querySelectorAll(\"[id~=\"+y+\"-]\").length||h.push(\"~=\"),e.querySelectorAll(\"a#\"+y+\"+*\").length||h.push(\".#.+[+~]\"),e.querySelectorAll(\":checked\").length||h.push(\":checked\"),(t=l.createElement(\"input\")).setAttribute(\"type\",\"hidden\"),e.appendChild(t).setAttribute(\"name\",\"D\"),f.appendChild(e).disabled=!0,2!==e.querySelectorAll(\":disabled\").length&&h.push(\":enabled\",\":disabled\"),(t=l.createElement(\"input\")).setAttribute(\"name\",\"\"),e.appendChild(t),e.querySelectorAll(\"[name='']\").length||h.push(\"\\\\[\"+A+\"*name\"+A+\"*=\"+A+\"*(?:''|\\\"\\\")\")})),d.cssHas||h.push(\":has\"),h=h.length&&new RegExp(h.join(\"|\")),q=function(e,t){if(e===t)return u=!0,0;var n=!e.compareDocumentPosition-!t.compareDocumentPosition;return n||(1&(n=(e.ownerDocument||e)==(t.ownerDocument||t)?e.compareDocumentPosition(t):1)||!d.sortDetached&&t.compareDocumentPosition(e)===n?e===l||e.ownerDocument==L&&Z.contains(L,e)?-1:t===l||t.ownerDocument==L&&Z.contains(L,t)?1:a?s.call(a,e)-s.call(a,t):0:4&n?-1:1)},l):l}for(t in Z.matches=function(e,t){return Z(e,null,null,t)},Z.matchesSelector=function(e,t){if(ue(e),p&&!N[t+\" \"]&&(!h||!h.test(t)))try{var n=g.call(e,t);if(n||d.disconnectedMatch||e.document&&11!==e.document.nodeType)return n}catch(e){N(t,!0)}return Z(t,l,null,[e]).length>0},Z.contains=function(e,t){return(e.ownerDocument||e)!=l&&ue(e),T.contains(e,t)},Z.attr=function(e,t){(e.ownerDocument||e)!=l&&ue(e);var n=r.attrHandle[t.toLowerCase()],i=n&&c.call(r.attrHandle,t.toLowerCase())?n(e,t,!p):void 0;return void 0!==i?i:e.getAttribute(t)},Z.error=function(e){throw new Error(\"Syntax error, unrecognized expression: \"+e)},T.uniqueSort=function(e){var t,n=[],r=0,o=0;if(u=!d.sortStable,a=!d.sortStable&&i.call(e,0),k.call(e,q),u){for(;t=e[o++];)t===e[o]&&(r=n.push(o));for(;r--;)j.call(e,n[r],1)}return a=null,e},T.fn.uniqueSort=function(){return this.pushStack(T.uniqueSort(i.apply(this)))},r=T.expr={cacheLength:50,createPseudo:te,match:z,attrHandle:{},find:{},relative:{\">\":{dir:\"parentNode\",first:!0},\" \":{dir:\"parentNode\"},\"+\":{dir:\"previousSibling\",first:!0},\"~\":{dir:\"previousSibling\"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(Y,Q),e[3]=(e[3]||e[4]||e[5]||\"\").replace(Y,Q),\"~=\"===e[2]&&(e[3]=\" \"+e[3]+\" \"),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),\"nth\"===e[1].slice(0,3)?(e[3]||Z.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*(\"even\"===e[3]||\"odd\"===e[3])),e[5]=+(e[7]+e[8]||\"odd\"===e[3])):e[3]&&Z.error(e[0]),e},PSEUDO:function(e){var t,n=!e[6]&&e[2];return z.CHILD.test(e[0])?null:(e[3]?e[2]=e[4]||e[5]||\"\":n&&B.test(n)&&(t=ce(n,!0))&&(t=n.indexOf(\")\",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(Y,Q).toLowerCase();return\"*\"===e?function(){return!0}:function(e){return S(e,t)}},CLASS:function(e){var t=b[e+\" \"];return t||(t=new RegExp(\"(^|\"+A+\")\"+e+\"(\"+A+\"|$)\"))&&b(e,(function(e){return t.test(\"string\"==typeof e.className&&e.className||void 0!==e.getAttribute&&e.getAttribute(\"class\")||\"\")}))},ATTR:function(e,t,n){return function(r){var i=Z.attr(r,e);return null==i?\"!=\"===t:!t||(i+=\"\",\"=\"===t?i===n:\"!=\"===t?i!==n:\"^=\"===t?n&&0===i.indexOf(n):\"*=\"===t?n&&i.indexOf(n)>-1:\"$=\"===t?n&&i.slice(-n.length)===n:\"~=\"===t?(\" \"+i.replace(I,\" \")+\" \").indexOf(n)>-1:\"|=\"===t&&(i===n||i.slice(0,n.length+1)===n+\"-\"))}},CHILD:function(e,t,n,r,i){var o=\"nth\"!==e.slice(0,3),a=\"last\"!==e.slice(-4),s=\"of-type\"===t;return 1===r&&0===i?function(e){return!!e.parentNode}:function(t,n,u){var l,c,f,p,d,h=o!==a?\"nextSibling\":\"previousSibling\",g=t.parentNode,v=s&&t.nodeName.toLowerCase(),x=!u&&!s,b=!1;if(g){if(o){for(;h;){for(f=t;f=f[h];)if(s?S(f,v):1===f.nodeType)return!1;d=h=\"only\"===e&&!d&&\"nextSibling\"}return!0}if(d=[a?g.firstChild:g.lastChild],a&&x){for(b=(p=(l=(c=g[y]||(g[y]={}))[e]||[])[0]===m&&l[1])&&l[2],f=p&&g.childNodes[p];f=++p&&f&&f[h]||(b=p=0)||d.pop();)if(1===f.nodeType&&++b&&f===t){c[e]=[m,p,b];break}}else if(x&&(b=p=(l=(c=t[y]||(t[y]={}))[e]||[])[0]===m&&l[1]),!1===b)for(;(f=++p&&f&&f[h]||(b=p=0)||d.pop())&&(!(s?S(f,v):1===f.nodeType)||!++b||(x&&((c=f[y]||(f[y]={}))[e]=[m,b]),f!==t)););return(b-=i)===r||b%r==0&&b/r>=0}}},PSEUDO:function(e,t){var n,i=r.pseudos[e]||r.setFilters[e.toLowerCase()]||Z.error(\"unsupported pseudo: \"+e);return i[y]?i(t):i.length>1?(n=[e,e,\"\",t],r.setFilters.hasOwnProperty(e.toLowerCase())?te((function(e,n){for(var r,o=i(e,t),a=o.length;a--;)e[r=s.call(e,o[a])]=!(n[r]=o[a])})):function(e){return i(e,0,n)}):i}},pseudos:{not:te((function(e){var t=[],n=[],r=ye(e.replace(D,\"$1\"));return r[y]?te((function(e,t,n,i){for(var o,a=r(e,null,i,[]),s=e.length;s--;)(o=a[s])&&(e[s]=!(t[s]=o))})):function(e,i,o){return t[0]=e,r(t,null,o,n),t[0]=null,!n.pop()}})),has:te((function(e){return function(t){return Z(e,t).length>0}})),contains:te((function(e){return e=e.replace(Y,Q),function(t){return(t.textContent||T.text(t)).indexOf(e)>-1}})),lang:te((function(e){return _.test(e||\"\")||Z.error(\"unsupported lang: \"+e),e=e.replace(Y,Q).toLowerCase(),function(t){var n;do{if(n=p?t.lang:t.getAttribute(\"xml:lang\")||t.getAttribute(\"lang\"))return(n=n.toLowerCase())===e||0===n.indexOf(e+\"-\")}while((t=t.parentNode)&&1===t.nodeType);return!1}})),target:function(t){var n=e.location&&e.location.hash;return n&&n.slice(1)===t.id},root:function(e){return e===f},focus:function(e){return e===function(){try{return l.activeElement}catch(e){}}()&&l.hasFocus()&&!!(e.type||e.href||~e.tabIndex)},enabled:oe(!1),disabled:oe(!0),checked:function(e){return S(e,\"input\")&&!!e.checked||S(e,\"option\")&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,!0===e.selected},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeType<6)return!1;return!0},parent:function(e){return!r.pseudos.empty(e)},header:function(e){return U.test(e.nodeName)},input:function(e){return X.test(e.nodeName)},button:function(e){return S(e,\"input\")&&\"button\"===e.type||S(e,\"button\")},text:function(e){var t;return S(e,\"input\")&&\"text\"===e.type&&(null==(t=e.getAttribute(\"type\"))||\"text\"===t.toLowerCase())},first:ae((function(){return[0]})),last:ae((function(e,t){return[t-1]})),eq:ae((function(e,t,n){return[n<0?n+t:n]})),even:ae((function(e,t){for(var n=0;nt?t:n;--r>=0;)e.push(r);return e})),gt:ae((function(e,t,n){for(var r=n<0?n+t:n;++r1?function(t,n,r){for(var i=e.length;i--;)if(!e[i](t,n,r))return!1;return!0}:e[0]}function he(e,t,n,r,i){for(var o,a=[],s=0,u=e.length,l=null!=t;s-1&&(o[c]=!(a[c]=p))}}else d=he(d===a?d.splice(y,d.length):d),i?i(null,a,d,l):v.apply(a,d)}))}function ve(e){for(var t,n,i,a=e.length,u=r.relative[e[0].type],l=u||r.relative[\" \"],c=u?1:0,f=pe((function(e){return e===t}),l,!0),p=pe((function(e){return s.call(t,e)>-1}),l,!0),d=[function(e,n,r){var i=!u&&(r||n!=o)||((t=n).nodeType?f(e,n,r):p(e,n,r));return t=null,i}];c1&&de(d),c>1&&fe(e.slice(0,c-1).concat({value:\" \"===e[c-2].type?\"*\":\"\"})).replace(D,\"$1\"),n,c0,i=e.length>0,a=function(a,s,u,c,f){var d,h,g,y=0,x=\"0\",b=a&&[],w=[],C=o,S=a||i&&r.find.TAG(\"*\",f),k=m+=null==C?1:Math.random()||.1,j=S.length;for(f&&(o=s==l||s||f);x!==j&&null!=(d=S[x]);x++){if(i&&d){for(h=0,s||d.ownerDocument==l||(ue(d),u=!p);g=e[h++];)if(g(d,s||l,u)){v.call(c,d);break}f&&(m=k)}n&&((d=!g&&d)&&y--,a&&b.push(d))}if(y+=x,n&&x!==y){for(h=0;g=t[h++];)g(b,w,s,u);if(a){if(y>0)for(;x--;)b[x]||w[x]||(w[x]=E.call(c));w=he(w)}v.apply(c,w),f&&!a&&w.length>0&&y+t.length>1&&T.uniqueSort(c)}return f&&(m=k,o=C),b};return n?te(a):a}(a,i)),s.selector=e}return s}function me(e,t,n,i){var o,a,s,u,l,c=\"function\"==typeof e&&e,f=!i&&ce(e=c.selector||e);if(n=n||[],1===f.length){if((a=f[0]=f[0].slice(0)).length>2&&\"ID\"===(s=a[0]).type&&9===t.nodeType&&p&&r.relative[a[1].type]){if(!(t=(r.find.ID(s.matches[0].replace(Y,Q),t)||[])[0]))return n;c&&(t=t.parentNode),e=e.slice(a.shift().value.length)}for(o=z.needsContext.test(e)?0:a.length;o--&&(s=a[o],!r.relative[u=s.type]);)if((l=r.find[u])&&(i=l(s.matches[0].replace(Y,Q),G.test(a[0].type)&&se(t.parentNode)||t))){if(a.splice(o,1),!(e=i.length&&fe(a)))return v.apply(n,i),n;break}}return(c||ye(e,f))(i,t,!p,n,!t||G.test(e)&&se(t.parentNode)||t),n}le.prototype=r.filters=r.pseudos,r.setFilters=new le,d.sortStable=y.split(\"\").sort(q).join(\"\")===y,ue(),d.sortDetached=ne((function(e){return 1&e.compareDocumentPosition(l.createElement(\"fieldset\"))})),T.find=Z,T.expr[\":\"]=T.expr.pseudos,T.unique=T.uniqueSort,Z.compile=ye,Z.select=me,Z.setDocument=ue,Z.tokenize=ce,Z.escape=T.escapeSelector,Z.getText=T.text,Z.isXML=T.isXMLDoc,Z.selectors=T.expr,Z.support=T.support,Z.uniqueSort=T.uniqueSort}();var O=function(e,t,n){for(var r=[],i=void 0!==n;(e=e[t])&&9!==e.nodeType;)if(1===e.nodeType){if(i&&T(e).is(n))break;r.push(e)}return r},P=function(e,t){for(var n=[];e;e=e.nextSibling)1===e.nodeType&&e!==t&&n.push(e);return n},M=T.expr.match.needsContext,R=/^<([a-z][^\\/\\0>:\\x20\\t\\r\\n\\f]*)[\\x20\\t\\r\\n\\f]*\\/?>(?:<\\/\\1>|)$/i;function I(e,t,n){return h(t)?T.grep(e,(function(e,r){return!!t.call(e,r,e)!==n})):t.nodeType?T.grep(e,(function(e){return e===t!==n})):\"string\"!=typeof t?T.grep(e,(function(e){return s.call(t,e)>-1!==n})):T.filter(t,e,n)}T.filter=function(e,t,n){var r=t[0];return n&&(e=\":not(\"+e+\")\"),1===t.length&&1===r.nodeType?T.find.matchesSelector(r,e)?[r]:[]:T.find.matches(e,T.grep(t,(function(e){return 1===e.nodeType})))},T.fn.extend({find:function(e){var t,n,r=this.length,i=this;if(\"string\"!=typeof e)return this.pushStack(T(e).filter((function(){for(t=0;t1?T.uniqueSort(n):n},filter:function(e){return this.pushStack(I(this,e||[],!1))},not:function(e){return this.pushStack(I(this,e||[],!0))},is:function(e){return!!I(this,\"string\"==typeof e&&M.test(e)?T(e):e||[],!1).length}});var W,F=/^(?:\\s*(<[\\w\\W]+>)[^>]*|#([\\w-]+))$/;(T.fn.init=function(e,t,n){var r,i;if(!e)return this;if(n=n||W,\"string\"==typeof e){if(!(r=\"<\"===e[0]&&\">\"===e[e.length-1]&&e.length>=3?[null,e,null]:F.exec(e))||!r[1]&&t)return!t||t.jquery?(t||n).find(e):this.constructor(t).find(e);if(r[1]){if(t=t instanceof T?t[0]:t,T.merge(this,T.parseHTML(r[1],t&&t.nodeType?t.ownerDocument||t:v,!0)),R.test(r[1])&&T.isPlainObject(t))for(r in t)h(this[r])?this[r](t[r]):this.attr(r,t[r]);return this}return(i=v.getElementById(r[2]))&&(this[0]=i,this.length=1),this}return e.nodeType?(this[0]=e,this.length=1,this):h(e)?void 0!==n.ready?n.ready(e):e(T):T.makeArray(e,this)}).prototype=T.fn,W=T(v);var $=/^(?:parents|prev(?:Until|All))/,B={children:!0,contents:!0,next:!0,prev:!0};function _(e,t){for(;(e=e[t])&&1!==e.nodeType;);return e}T.fn.extend({has:function(e){var t=T(e,this),n=t.length;return this.filter((function(){for(var e=0;e-1:1===n.nodeType&&T.find.matchesSelector(n,e))){o.push(n);break}return this.pushStack(o.length>1?T.uniqueSort(o):o)},index:function(e){return e?\"string\"==typeof e?s.call(T(e),this[0]):s.call(this,e.jquery?e[0]:e):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){return this.pushStack(T.uniqueSort(T.merge(this.get(),T(e,t))))},addBack:function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}}),T.each({parent:function(e){var t=e.parentNode;return t&&11!==t.nodeType?t:null},parents:function(e){return O(e,\"parentNode\")},parentsUntil:function(e,t,n){return O(e,\"parentNode\",n)},next:function(e){return _(e,\"nextSibling\")},prev:function(e){return _(e,\"previousSibling\")},nextAll:function(e){return O(e,\"nextSibling\")},prevAll:function(e){return O(e,\"previousSibling\")},nextUntil:function(e,t,n){return O(e,\"nextSibling\",n)},prevUntil:function(e,t,n){return O(e,\"previousSibling\",n)},siblings:function(e){return P((e.parentNode||{}).firstChild,e)},children:function(e){return P(e.firstChild)},contents:function(e){return null!=e.contentDocument&&r(e.contentDocument)?e.contentDocument:(S(e,\"template\")&&(e=e.content||e),T.merge([],e.childNodes))}},(function(e,t){T.fn[e]=function(n,r){var i=T.map(this,t,n);return\"Until\"!==e.slice(-5)&&(r=n),r&&\"string\"==typeof r&&(i=T.filter(r,i)),this.length>1&&(B[e]||T.uniqueSort(i),$.test(e)&&i.reverse()),this.pushStack(i)}}));var z=/[^\\x20\\t\\r\\n\\f]+/g;function X(e){return e}function U(e){throw e}function V(e,t,n,r){var i;try{e&&h(i=e.promise)?i.call(e).done(t).fail(n):e&&h(i=e.then)?i.call(e,t,n):t.apply(void 0,[e].slice(r))}catch(e){n.apply(void 0,[e])}}T.Callbacks=function(e){e=\"string\"==typeof e?function(e){var t={};return T.each(e.match(z)||[],(function(e,n){t[n]=!0})),t}(e):T.extend({},e);var t,n,r,i,o=[],a=[],s=-1,u=function(){for(i=i||e.once,r=t=!0;a.length;s=-1)for(n=a.shift();++s-1;)o.splice(n,1),n<=s&&s--})),this},has:function(e){return e?T.inArray(e,o)>-1:o.length>0},empty:function(){return o&&(o=[]),this},disable:function(){return i=a=[],o=n=\"\",this},disabled:function(){return!o},lock:function(){return i=a=[],n||t||(o=n=\"\"),this},locked:function(){return!!i},fireWith:function(e,n){return i||(n=[e,(n=n||[]).slice?n.slice():n],a.push(n),t||u()),this},fire:function(){return l.fireWith(this,arguments),this},fired:function(){return!!r}};return l},T.extend({Deferred:function(t){var n=[[\"notify\",\"progress\",T.Callbacks(\"memory\"),T.Callbacks(\"memory\"),2],[\"resolve\",\"done\",T.Callbacks(\"once memory\"),T.Callbacks(\"once memory\"),0,\"resolved\"],[\"reject\",\"fail\",T.Callbacks(\"once memory\"),T.Callbacks(\"once memory\"),1,\"rejected\"]],r=\"pending\",i={state:function(){return r},always:function(){return o.done(arguments).fail(arguments),this},catch:function(e){return i.then(null,e)},pipe:function(){var e=arguments;return T.Deferred((function(t){T.each(n,(function(n,r){var i=h(e[r[4]])&&e[r[4]];o[r[1]]((function(){var e=i&&i.apply(this,arguments);e&&h(e.promise)?e.promise().progress(t.notify).done(t.resolve).fail(t.reject):t[r[0]+\"With\"](this,i?[e]:arguments)}))})),e=null})).promise()},then:function(t,r,i){var o=0;function a(t,n,r,i){return function(){var s=this,u=arguments,l=function(){var e,l;if(!(t=o&&(r!==U&&(s=void 0,u=[e]),n.rejectWith(s,u))}};t?c():(T.Deferred.getErrorHook?c.error=T.Deferred.getErrorHook():T.Deferred.getStackHook&&(c.error=T.Deferred.getStackHook()),e.setTimeout(c))}}return T.Deferred((function(e){n[0][3].add(a(0,e,h(i)?i:X,e.notifyWith)),n[1][3].add(a(0,e,h(t)?t:X)),n[2][3].add(a(0,e,h(r)?r:U))})).promise()},promise:function(e){return null!=e?T.extend(e,i):i}},o={};return T.each(n,(function(e,t){var a=t[2],s=t[5];i[t[1]]=a.add,s&&a.add((function(){r=s}),n[3-e][2].disable,n[3-e][3].disable,n[0][2].lock,n[0][3].lock),a.add(t[3].fire),o[t[0]]=function(){return o[t[0]+\"With\"](this===o?void 0:this,arguments),this},o[t[0]+\"With\"]=a.fireWith})),i.promise(o),t&&t.call(o,o),o},when:function(e){var t=arguments.length,n=t,r=Array(n),o=i.call(arguments),a=T.Deferred(),s=function(e){return function(n){r[e]=this,o[e]=arguments.length>1?i.call(arguments):n,--t||a.resolveWith(r,o)}};if(t<=1&&(V(e,a.done(s(n)).resolve,a.reject,!t),\"pending\"===a.state()||h(o[n]&&o[n].then)))return a.then();for(;n--;)V(o[n],s(n),a.reject);return a.promise()}});var G=/^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/;T.Deferred.exceptionHook=function(t,n){e.console&&e.console.warn&&t&&G.test(t.name)&&e.console.warn(\"jQuery.Deferred exception: \"+t.message,t.stack,n)},T.readyException=function(t){e.setTimeout((function(){throw t}))};var Y=T.Deferred();function Q(){v.removeEventListener(\"DOMContentLoaded\",Q),e.removeEventListener(\"load\",Q),T.ready()}T.fn.ready=function(e){return Y.then(e).catch((function(e){T.readyException(e)})),this},T.extend({isReady:!1,readyWait:1,ready:function(e){(!0===e?--T.readyWait:T.isReady)||(T.isReady=!0,!0!==e&&--T.readyWait>0||Y.resolveWith(v,[T]))}}),T.ready.then=Y.then,\"complete\"===v.readyState||\"loading\"!==v.readyState&&!v.documentElement.doScroll?e.setTimeout(T.ready):(v.addEventListener(\"DOMContentLoaded\",Q),e.addEventListener(\"load\",Q));var J=function(e,t,n,r,i,o,a){var s=0,u=e.length,l=null==n;if(\"object\"===x(n))for(s in i=!0,n)J(e,t,s,n[s],!0,o,a);else if(void 0!==r&&(i=!0,h(r)||(a=!0),l&&(a?(t.call(e,r),t=null):(l=t,t=function(e,t,n){return l.call(T(e),n)})),t))for(;s1,null,!0)},removeData:function(e){return this.each((function(){oe.remove(this,e)}))}}),T.extend({queue:function(e,t,n){var r;if(e)return t=(t||\"fx\")+\"queue\",r=ie.get(e,t),n&&(!r||Array.isArray(n)?r=ie.access(e,t,T.makeArray(n)):r.push(n)),r||[]},dequeue:function(e,t){t=t||\"fx\";var n=T.queue(e,t),r=n.length,i=n.shift(),o=T._queueHooks(e,t);\"inprogress\"===i&&(i=n.shift(),r--),i&&(\"fx\"===t&&n.unshift(\"inprogress\"),delete o.stop,i.call(e,(function(){T.dequeue(e,t)}),o)),!r&&o&&o.empty.fire()},_queueHooks:function(e,t){var n=t+\"queueHooks\";return ie.get(e,n)||ie.access(e,n,{empty:T.Callbacks(\"once memory\").add((function(){ie.remove(e,[t+\"queue\",n])}))})}}),T.fn.extend({queue:function(e,t){var n=2;return\"string\"!=typeof e&&(t=e,e=\"fx\",n--),arguments.length\\x20\\t\\r\\n\\f]*)/i,Se=/^$|^module$|\\/(?:java|ecma)script/i;be=v.createDocumentFragment().appendChild(v.createElement(\"div\")),(we=v.createElement(\"input\")).setAttribute(\"type\",\"radio\"),we.setAttribute(\"checked\",\"checked\"),we.setAttribute(\"name\",\"t\"),be.appendChild(we),d.checkClone=be.cloneNode(!0).cloneNode(!0).lastChild.checked,be.innerHTML=\"\",d.noCloneChecked=!!be.cloneNode(!0).lastChild.defaultValue,be.innerHTML=\"\",d.option=!!be.lastChild;var Ee={thead:[1,\"\",\"
\"],col:[2,\"\",\"
\"],tr:[2,\"\",\"
\"],td:[3,\"\",\"
\"],_default:[0,\"\",\"\"]};function ke(e,t){var n;return n=void 0!==e.getElementsByTagName?e.getElementsByTagName(t||\"*\"):void 0!==e.querySelectorAll?e.querySelectorAll(t||\"*\"):[],void 0===t||t&&S(e,t)?T.merge([e],n):n}function je(e,t){for(var n=0,r=e.length;n\",\"\"]);var Ae=/<|&#?\\w+;/;function De(e,t,n,r,i){for(var o,a,s,u,l,c,f=t.createDocumentFragment(),p=[],d=0,h=e.length;d-1)i&&i.push(o);else if(l=de(o),a=ke(f.appendChild(o),\"script\"),l&&je(a),n)for(c=0;o=a[c++];)Se.test(o.type||\"\")&&n.push(o);return f}var Ne=/^([^.]*)(?:\\.(.+)|)/;function qe(){return!0}function Le(){return!1}function He(e,t,n,r,i,o){var a,s;if(\"object\"==typeof t){for(s in\"string\"!=typeof n&&(r=r||n,n=void 0),t)He(e,s,n,r,t[s],o);return e}if(null==r&&null==i?(i=n,r=n=void 0):null==i&&(\"string\"==typeof n?(i=r,r=void 0):(i=r,r=n,n=void 0)),!1===i)i=Le;else if(!i)return e;return 1===o&&(a=i,i=function(e){return T().off(e),a.apply(this,arguments)},i.guid=a.guid||(a.guid=T.guid++)),e.each((function(){T.event.add(this,t,i,r,n)}))}function Oe(e,t,n){n?(ie.set(e,t,!1),T.event.add(e,t,{namespace:!1,handler:function(e){var n,r=ie.get(this,t);if(1&e.isTrigger&&this[t]){if(r)(T.event.special[t]||{}).delegateType&&e.stopPropagation();else if(r=i.call(arguments),ie.set(this,t,r),this[t](),n=ie.get(this,t),ie.set(this,t,!1),r!==n)return e.stopImmediatePropagation(),e.preventDefault(),n}else r&&(ie.set(this,t,T.event.trigger(r[0],r.slice(1),this)),e.stopPropagation(),e.isImmediatePropagationStopped=qe)}})):void 0===ie.get(e,t)&&T.event.add(e,t,qe)}T.event={global:{},add:function(e,t,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,v=ie.get(e);if(ne(e))for(n.handler&&(n=(o=n).handler,i=o.selector),i&&T.find.matchesSelector(pe,i),n.guid||(n.guid=T.guid++),(u=v.events)||(u=v.events=Object.create(null)),(a=v.handle)||(a=v.handle=function(t){return void 0!==T&&T.event.triggered!==t.type?T.event.dispatch.apply(e,arguments):void 0}),l=(t=(t||\"\").match(z)||[\"\"]).length;l--;)d=g=(s=Ne.exec(t[l])||[])[1],h=(s[2]||\"\").split(\".\").sort(),d&&(f=T.event.special[d]||{},d=(i?f.delegateType:f.bindType)||d,f=T.event.special[d]||{},c=T.extend({type:d,origType:g,data:r,handler:n,guid:n.guid,selector:i,needsContext:i&&T.expr.match.needsContext.test(i),namespace:h.join(\".\")},o),(p=u[d])||((p=u[d]=[]).delegateCount=0,f.setup&&!1!==f.setup.call(e,r,h,a)||e.addEventListener&&e.addEventListener(d,a)),f.add&&(f.add.call(e,c),c.handler.guid||(c.handler.guid=n.guid)),i?p.splice(p.delegateCount++,0,c):p.push(c),T.event.global[d]=!0)},remove:function(e,t,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,v=ie.hasData(e)&&ie.get(e);if(v&&(u=v.events)){for(l=(t=(t||\"\").match(z)||[\"\"]).length;l--;)if(d=g=(s=Ne.exec(t[l])||[])[1],h=(s[2]||\"\").split(\".\").sort(),d){for(f=T.event.special[d]||{},p=u[d=(r?f.delegateType:f.bindType)||d]||[],s=s[2]&&new RegExp(\"(^|\\\\.)\"+h.join(\"\\\\.(?:.*\\\\.|)\")+\"(\\\\.|$)\"),a=o=p.length;o--;)c=p[o],!i&&g!==c.origType||n&&n.guid!==c.guid||s&&!s.test(c.namespace)||r&&r!==c.selector&&(\"**\"!==r||!c.selector)||(p.splice(o,1),c.selector&&p.delegateCount--,f.remove&&f.remove.call(e,c));a&&!p.length&&(f.teardown&&!1!==f.teardown.call(e,h,v.handle)||T.removeEvent(e,d,v.handle),delete u[d])}else for(d in u)T.event.remove(e,d+t[l],n,r,!0);T.isEmptyObject(u)&&ie.remove(e,\"handle events\")}},dispatch:function(e){var t,n,r,i,o,a,s=new Array(arguments.length),u=T.event.fix(e),l=(ie.get(this,\"events\")||Object.create(null))[u.type]||[],c=T.event.special[u.type]||{};for(s[0]=u,t=1;t=1))for(;l!==this;l=l.parentNode||this)if(1===l.nodeType&&(\"click\"!==e.type||!0!==l.disabled)){for(o=[],a={},n=0;n-1:T.find(i,this,null,[l]).length),a[i]&&o.push(r);o.length&&s.push({elem:l,handlers:o})}return l=this,u\\s*$/g;function Ie(e,t){return S(e,\"table\")&&S(11!==t.nodeType?t:t.firstChild,\"tr\")&&T(e).children(\"tbody\")[0]||e}function We(e){return e.type=(null!==e.getAttribute(\"type\"))+\"/\"+e.type,e}function Fe(e){return\"true/\"===(e.type||\"\").slice(0,5)?e.type=e.type.slice(5):e.removeAttribute(\"type\"),e}function $e(e,t){var n,r,i,o,a,s;if(1===t.nodeType){if(ie.hasData(e)&&(s=ie.get(e).events))for(i in ie.remove(t,\"handle events\"),s)for(n=0,r=s[i].length;n1&&\"string\"==typeof v&&!d.checkClone&&Me.test(v))return e.each((function(i){var o=e.eq(i);y&&(t[0]=v.call(this,i,o.html())),_e(o,t,n,r)}));if(p&&(a=(i=De(t,e[0].ownerDocument,!1,e,r)).firstChild,1===i.childNodes.length&&(i=a),a||r)){for(u=(s=T.map(ke(i,\"script\"),We)).length;f0&&je(a,!u&&ke(e,\"script\")),s},cleanData:function(e){for(var t,n,r,i=T.event.special,o=0;void 0!==(n=e[o]);o++)if(ne(n)){if(t=n[ie.expando]){if(t.events)for(r in t.events)i[r]?T.event.remove(n,r):T.removeEvent(n,r,t.handle);n[ie.expando]=void 0}n[oe.expando]&&(n[oe.expando]=void 0)}}}),T.fn.extend({detach:function(e){return ze(this,e,!0)},remove:function(e){return ze(this,e)},text:function(e){return J(this,(function(e){return void 0===e?T.text(this):this.empty().each((function(){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||(this.textContent=e)}))}),null,e,arguments.length)},append:function(){return _e(this,arguments,(function(e){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||Ie(this,e).appendChild(e)}))},prepend:function(){return _e(this,arguments,(function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=Ie(this,e);t.insertBefore(e,t.firstChild)}}))},before:function(){return _e(this,arguments,(function(e){this.parentNode&&this.parentNode.insertBefore(e,this)}))},after:function(){return _e(this,arguments,(function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)}))},empty:function(){for(var e,t=0;null!=(e=this[t]);t++)1===e.nodeType&&(T.cleanData(ke(e,!1)),e.textContent=\"\");return this},clone:function(e,t){return e=e??!1,t=t??e,this.map((function(){return T.clone(this,e,t)}))},html:function(e){return J(this,(function(e){var t=this[0]||{},n=0,r=this.length;if(void 0===e&&1===t.nodeType)return t.innerHTML;if(\"string\"==typeof e&&!Pe.test(e)&&!Ee[(Ce.exec(e)||[\"\",\"\"])[1].toLowerCase()]){e=T.htmlPrefilter(e);try{for(;n=0&&(u+=Math.max(0,Math.ceil(e[\"offset\"+t[0].toUpperCase()+t.slice(1)]-o-u-s-.5))||0),u+l}function st(e,t,n){var r=Ve(e),i=(!d.boxSizingReliable()||n)&&\"border-box\"===T.css(e,\"boxSizing\",!1,r),o=i,a=Qe(e,t,r),s=\"offset\"+t[0].toUpperCase()+t.slice(1);if(Xe.test(a)){if(!n)return a;a=\"auto\"}return(!d.boxSizingReliable()&&i||!d.reliableTrDimensions()&&S(e,\"tr\")||\"auto\"===a||!parseFloat(a)&&\"inline\"===T.css(e,\"display\",!1,r))&&e.getClientRects().length&&(i=\"border-box\"===T.css(e,\"boxSizing\",!1,r),(o=s in e)&&(a=e[s])),(a=parseFloat(a)||0)+at(e,t,n||(i?\"border\":\"content\"),o,r,a)+\"px\"}function ut(e,t,n,r,i){return new ut.prototype.init(e,t,n,r,i)}T.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=Qe(e,\"opacity\");return\"\"===n?\"1\":n}}}},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(e,t,n,r){if(e&&3!==e.nodeType&&8!==e.nodeType&&e.style){var i,o,a,s=te(t),u=Ue.test(t),l=e.style;if(u||(t=tt(s)),a=T.cssHooks[t]||T.cssHooks[s],void 0===n)return a&&\"get\"in a&&void 0!==(i=a.get(e,!1,r))?i:l[t];\"string\"===(o=typeof n)&&(i=ce.exec(n))&&i[1]&&(n=ve(e,t,i),o=\"number\"),null!=n&&n==n&&(\"number\"!==o||u||(n+=i&&i[3]||(T.cssNumber[s]?\"\":\"px\")),d.clearCloneStyle||\"\"!==n||0!==t.indexOf(\"background\")||(l[t]=\"inherit\"),a&&\"set\"in a&&void 0===(n=a.set(e,n,r))||(u?l.setProperty(t,n):l[t]=n))}},css:function(e,t,n,r){var i,o,a,s=te(t);return Ue.test(t)||(t=tt(s)),(a=T.cssHooks[t]||T.cssHooks[s])&&\"get\"in a&&(i=a.get(e,!0,n)),void 0===i&&(i=Qe(e,t,r)),\"normal\"===i&&t in it&&(i=it[t]),\"\"===n||n?(o=parseFloat(i),!0===n||isFinite(o)?o||0:i):i}}),T.each([\"height\",\"width\"],(function(e,t){T.cssHooks[t]={get:function(e,n,r){if(n)return!nt.test(T.css(e,\"display\"))||e.getClientRects().length&&e.getBoundingClientRect().width?st(e,t,r):Ge(e,rt,(function(){return st(e,t,r)}))},set:function(e,n,r){var i,o=Ve(e),a=!d.scrollboxSize()&&\"absolute\"===o.position,s=(a||r)&&\"border-box\"===T.css(e,\"boxSizing\",!1,o),u=r?at(e,t,r,s,o):0;return s&&a&&(u-=Math.ceil(e[\"offset\"+t[0].toUpperCase()+t.slice(1)]-parseFloat(o[t])-at(e,t,\"border\",!1,o)-.5)),u&&(i=ce.exec(n))&&\"px\"!==(i[3]||\"px\")&&(e.style[t]=n,n=T.css(e,t)),ot(0,n,u)}}})),T.cssHooks.marginLeft=Je(d.reliableMarginLeft,(function(e,t){if(t)return(parseFloat(Qe(e,\"marginLeft\"))||e.getBoundingClientRect().left-Ge(e,{marginLeft:0},(function(){return e.getBoundingClientRect().left})))+\"px\"})),T.each({margin:\"\",padding:\"\",border:\"Width\"},(function(e,t){T.cssHooks[e+t]={expand:function(n){for(var r=0,i={},o=\"string\"==typeof n?n.split(\" \"):[n];r<4;r++)i[e+fe[r]+t]=o[r]||o[r-2]||o[0];return i}},\"margin\"!==e&&(T.cssHooks[e+t].set=ot)})),T.fn.extend({css:function(e,t){return J(this,(function(e,t,n){var r,i,o={},a=0;if(Array.isArray(t)){for(r=Ve(e),i=t.length;a1)}}),T.Tween=ut,ut.prototype={constructor:ut,init:function(e,t,n,r,i,o){this.elem=e,this.prop=n,this.easing=i||T.easing._default,this.options=t,this.start=this.now=this.cur(),this.end=r,this.unit=o||(T.cssNumber[n]?\"\":\"px\")},cur:function(){var e=ut.propHooks[this.prop];return e&&e.get?e.get(this):ut.propHooks._default.get(this)},run:function(e){var t,n=ut.propHooks[this.prop];return this.options.duration?this.pos=t=T.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):this.pos=t=e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):ut.propHooks._default.set(this),this}},ut.prototype.init.prototype=ut.prototype,ut.propHooks={_default:{get:function(e){var t;return 1!==e.elem.nodeType||null!=e.elem[e.prop]&&null==e.elem.style[e.prop]?e.elem[e.prop]:(t=T.css(e.elem,e.prop,\"\"))&&\"auto\"!==t?t:0},set:function(e){T.fx.step[e.prop]?T.fx.step[e.prop](e):1!==e.elem.nodeType||!T.cssHooks[e.prop]&&null==e.elem.style[tt(e.prop)]?e.elem[e.prop]=e.now:T.style(e.elem,e.prop,e.now+e.unit)}}},ut.propHooks.scrollTop=ut.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},T.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2},_default:\"swing\"},T.fx=ut.prototype.init,T.fx.step={};var lt,ct,ft=/^(?:toggle|show|hide)$/,pt=/queueHooks$/;function dt(){ct&&(!1===v.hidden&&e.requestAnimationFrame?e.requestAnimationFrame(dt):e.setTimeout(dt,T.fx.interval),T.fx.tick())}function ht(){return e.setTimeout((function(){lt=void 0})),lt=Date.now()}function gt(e,t){var n,r=0,i={height:e};for(t=t?1:0;r<4;r+=2-t)i[\"margin\"+(n=fe[r])]=i[\"padding\"+n]=e;return t&&(i.opacity=i.width=e),i}function vt(e,t,n){for(var r,i=(yt.tweeners[t]||[]).concat(yt.tweeners[\"*\"]),o=0,a=i.length;o1)},removeAttr:function(e){return this.each((function(){T.removeAttr(this,e)}))}}),T.extend({attr:function(e,t,n){var r,i,o=e.nodeType;if(3!==o&&8!==o&&2!==o)return void 0===e.getAttribute?T.prop(e,t,n):(1===o&&T.isXMLDoc(e)||(i=T.attrHooks[t.toLowerCase()]||(T.expr.match.bool.test(t)?mt:void 0)),void 0!==n?null===n?void T.removeAttr(e,t):i&&\"set\"in i&&void 0!==(r=i.set(e,n,t))?r:(e.setAttribute(t,n+\"\"),n):i&&\"get\"in i&&null!==(r=i.get(e,t))?r:(r=T.find.attr(e,t))??void 0)},attrHooks:{type:{set:function(e,t){if(!d.radioValue&&\"radio\"===t&&S(e,\"input\")){var n=e.value;return e.setAttribute(\"type\",t),n&&(e.value=n),t}}}},removeAttr:function(e,t){var n,r=0,i=t&&t.match(z);if(i&&1===e.nodeType)for(;n=i[r++];)e.removeAttribute(n)}}),mt={set:function(e,t,n){return!1===t?T.removeAttr(e,n):e.setAttribute(n,n),n}},T.each(T.expr.match.bool.source.match(/\\w+/g),(function(e,t){var n=xt[t]||T.find.attr;xt[t]=function(e,t,r){var i,o,a=t.toLowerCase();return r||(o=xt[a],xt[a]=i,i=null!=n(e,t,r)?a:null,xt[a]=o),i}}));var bt=/^(?:input|select|textarea|button)$/i,wt=/^(?:a|area)$/i;function Tt(e){return(e.match(z)||[]).join(\" \")}function Ct(e){return e.getAttribute&&e.getAttribute(\"class\")||\"\"}function St(e){return Array.isArray(e)?e:\"string\"==typeof e&&e.match(z)||[]}T.fn.extend({prop:function(e,t){return J(this,T.prop,e,t,arguments.length>1)},removeProp:function(e){return this.each((function(){delete this[T.propFix[e]||e]}))}}),T.extend({prop:function(e,t,n){var r,i,o=e.nodeType;if(3!==o&&8!==o&&2!==o)return 1===o&&T.isXMLDoc(e)||(t=T.propFix[t]||t,i=T.propHooks[t]),void 0!==n?i&&\"set\"in i&&void 0!==(r=i.set(e,n,t))?r:e[t]=n:i&&\"get\"in i&&null!==(r=i.get(e,t))?r:e[t]},propHooks:{tabIndex:{get:function(e){var t=T.find.attr(e,\"tabindex\");return t?parseInt(t,10):bt.test(e.nodeName)||wt.test(e.nodeName)&&e.href?0:-1}}},propFix:{for:\"htmlFor\",class:\"className\"}}),d.optSelected||(T.propHooks.selected={get:function(e){var t=e.parentNode;return t&&t.parentNode&&t.parentNode.selectedIndex,null},set:function(e){var t=e.parentNode;t&&(t.selectedIndex,t.parentNode&&t.parentNode.selectedIndex)}}),T.each([\"tabIndex\",\"readOnly\",\"maxLength\",\"cellSpacing\",\"cellPadding\",\"rowSpan\",\"colSpan\",\"useMap\",\"frameBorder\",\"contentEditable\"],(function(){T.propFix[this.toLowerCase()]=this})),T.fn.extend({addClass:function(e){var t,n,r,i,o,a;return h(e)?this.each((function(t){T(this).addClass(e.call(this,t,Ct(this)))})):(t=St(e)).length?this.each((function(){if(r=Ct(this),n=1===this.nodeType&&\" \"+Tt(r)+\" \"){for(o=0;o-1;)n=n.replace(\" \"+i+\" \",\" \");a=Tt(n),r!==a&&this.setAttribute(\"class\",a)}})):this:this.attr(\"class\",\"\")},toggleClass:function(e,t){var n,r,i,o,a=typeof e,s=\"string\"===a||Array.isArray(e);return h(e)?this.each((function(n){T(this).toggleClass(e.call(this,n,Ct(this),t),t)})):\"boolean\"==typeof t&&s?t?this.addClass(e):this.removeClass(e):(n=St(e),this.each((function(){if(s)for(o=T(this),i=0;i-1)return!0;return!1}});var Et=/\\r/g;T.fn.extend({val:function(e){var t,n,r,i=this[0];return arguments.length?(r=h(e),this.each((function(n){var i;1===this.nodeType&&(null==(i=r?e.call(this,n,T(this).val()):e)?i=\"\":\"number\"==typeof i?i+=\"\":Array.isArray(i)&&(i=T.map(i,(function(e){return null==e?\"\":e+\"\"}))),(t=T.valHooks[this.type]||T.valHooks[this.nodeName.toLowerCase()])&&\"set\"in t&&void 0!==t.set(this,i,\"value\")||(this.value=i))}))):i?(t=T.valHooks[i.type]||T.valHooks[i.nodeName.toLowerCase()])&&\"get\"in t&&void 0!==(n=t.get(i,\"value\"))?n:\"string\"==typeof(n=i.value)?n.replace(Et,\"\"):n??\"\":void 0}}),T.extend({valHooks:{option:{get:function(e){var t=T.find.attr(e,\"value\");return null!=t?t:Tt(T.text(e))}},select:{get:function(e){var t,n,r,i=e.options,o=e.selectedIndex,a=\"select-one\"===e.type,s=a?null:[],u=a?o+1:i.length;for(r=o<0?u:a?o:0;r-1)&&(n=!0);return n||(e.selectedIndex=-1),o}}}}),T.each([\"radio\",\"checkbox\"],(function(){T.valHooks[this]={set:function(e,t){if(Array.isArray(t))return e.checked=T.inArray(T(e).val(),t)>-1}},d.checkOn||(T.valHooks[this].get=function(e){return null===e.getAttribute(\"value\")?\"on\":e.value})}));var kt=e.location,jt={guid:Date.now()},At=/\\?/;T.parseXML=function(t){var n,r;if(!t||\"string\"!=typeof t)return null;try{n=(new e.DOMParser).parseFromString(t,\"text/xml\")}catch(e){}return r=n&&n.getElementsByTagName(\"parsererror\")[0],n&&!r||T.error(\"Invalid XML: \"+(r?T.map(r.childNodes,(function(e){return e.textContent})).join(\"\\n\"):t)),n};var Dt=/^(?:focusinfocus|focusoutblur)$/,Nt=function(e){e.stopPropagation()};T.extend(T.event,{trigger:function(t,n,r,i){var o,a,s,u,l,f,p,d,y=[r||v],m=c.call(t,\"type\")?t.type:t,x=c.call(t,\"namespace\")?t.namespace.split(\".\"):[];if(a=d=s=r=r||v,3!==r.nodeType&&8!==r.nodeType&&!Dt.test(m+T.event.triggered)&&(m.indexOf(\".\")>-1&&(x=m.split(\".\"),m=x.shift(),x.sort()),l=m.indexOf(\":\")<0&&\"on\"+m,(t=t[T.expando]?t:new T.Event(m,\"object\"==typeof t&&t)).isTrigger=i?2:3,t.namespace=x.join(\".\"),t.rnamespace=t.namespace?new RegExp(\"(^|\\\\.)\"+x.join(\"\\\\.(?:.*\\\\.|)\")+\"(\\\\.|$)\"):null,t.result=void 0,t.target||(t.target=r),n=null==n?[t]:T.makeArray(n,[t]),p=T.event.special[m]||{},i||!p.trigger||!1!==p.trigger.apply(r,n))){if(!i&&!p.noBubble&&!g(r)){for(u=p.delegateType||m,Dt.test(u+m)||(a=a.parentNode);a;a=a.parentNode)y.push(a),s=a;s===(r.ownerDocument||v)&&y.push(s.defaultView||s.parentWindow||e)}for(o=0;(a=y[o++])&&!t.isPropagationStopped();)d=a,t.type=o>1?u:p.bindType||m,(f=(ie.get(a,\"events\")||Object.create(null))[t.type]&&ie.get(a,\"handle\"))&&f.apply(a,n),(f=l&&a[l])&&f.apply&&ne(a)&&(t.result=f.apply(a,n),!1===t.result&&t.preventDefault());return t.type=m,i||t.isDefaultPrevented()||p._default&&!1!==p._default.apply(y.pop(),n)||!ne(r)||l&&h(r[m])&&!g(r)&&((s=r[l])&&(r[l]=null),T.event.triggered=m,t.isPropagationStopped()&&d.addEventListener(m,Nt),r[m](),t.isPropagationStopped()&&d.removeEventListener(m,Nt),T.event.triggered=void 0,s&&(r[l]=s)),t.result}},simulate:function(e,t,n){var r=T.extend(new T.Event,n,{type:e,isSimulated:!0});T.event.trigger(r,null,t)}}),T.fn.extend({trigger:function(e,t){return this.each((function(){T.event.trigger(e,t,this)}))},triggerHandler:function(e,t){var n=this[0];if(n)return T.event.trigger(e,t,n,!0)}});var qt=/\\[\\]$/,Lt=/\\r?\\n/g,Ht=/^(?:submit|button|image|reset|file)$/i,Ot=/^(?:input|select|textarea|keygen)/i;function Pt(e,t,n,r){var i;if(Array.isArray(t))T.each(t,(function(t,i){n||qt.test(e)?r(e,i):Pt(e+\"[\"+(\"object\"==typeof i&&null!=i?t:\"\")+\"]\",i,n,r)}));else if(n||\"object\"!==x(t))r(e,t);else for(i in t)Pt(e+\"[\"+i+\"]\",t[i],n,r)}T.param=function(e,t){var n,r=[],i=function(e,t){var n=h(t)?t():t;r[r.length]=encodeURIComponent(e)+\"=\"+encodeURIComponent(n??\"\")};if(null==e)return\"\";if(Array.isArray(e)||e.jquery&&!T.isPlainObject(e))T.each(e,(function(){i(this.name,this.value)}));else for(n in e)Pt(n,e[n],t,i);return r.join(\"&\")},T.fn.extend({serialize:function(){return T.param(this.serializeArray())},serializeArray:function(){return this.map((function(){var e=T.prop(this,\"elements\");return e?T.makeArray(e):this})).filter((function(){var e=this.type;return this.name&&!T(this).is(\":disabled\")&&Ot.test(this.nodeName)&&!Ht.test(e)&&(this.checked||!Te.test(e))})).map((function(e,t){var n=T(this).val();return null==n?null:Array.isArray(n)?T.map(n,(function(e){return{name:t.name,value:e.replace(Lt,\"\\r\\n\")}})):{name:t.name,value:n.replace(Lt,\"\\r\\n\")}})).get()}});var Mt=/%20/g,Rt=/#.*$/,It=/([?&])_=[^&]*/,Wt=/^(.*?):[ \\t]*([^\\r\\n]*)$/gm,Ft=/^(?:GET|HEAD)$/,$t=/^\\/\\//,Bt={},_t={},zt=\"*/\".concat(\"*\"),Xt=v.createElement(\"a\");function Ut(e){return function(t,n){\"string\"!=typeof t&&(n=t,t=\"*\");var r,i=0,o=t.toLowerCase().match(z)||[];if(h(n))for(;r=o[i++];)\"+\"===r[0]?(r=r.slice(1)||\"*\",(e[r]=e[r]||[]).unshift(n)):(e[r]=e[r]||[]).push(n)}}function Vt(e,t,n,r){var i={},o=e===_t;function a(s){var u;return i[s]=!0,T.each(e[s]||[],(function(e,s){var l=s(t,n,r);return\"string\"!=typeof l||o||i[l]?o?!(u=l):void 0:(t.dataTypes.unshift(l),a(l),!1)})),u}return a(t.dataTypes[0])||!i[\"*\"]&&a(\"*\")}function Gt(e,t){var n,r,i=T.ajaxSettings.flatOptions||{};for(n in t)void 0!==t[n]&&((i[n]?e:r||(r={}))[n]=t[n]);return r&&T.extend(!0,e,r),e}Xt.href=kt.href,T.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:kt.href,type:\"GET\",isLocal:/^(?:about|app|app-storage|.+-extension|file|res|widget):$/.test(kt.protocol),global:!0,processData:!0,async:!0,contentType:\"application/x-www-form-urlencoded; charset=UTF-8\",accepts:{\"*\":zt,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\":T.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?Gt(Gt(e,T.ajaxSettings),t):Gt(T.ajaxSettings,e)},ajaxPrefilter:Ut(Bt),ajaxTransport:Ut(_t),ajax:function(t,n){\"object\"==typeof t&&(n=t,t=void 0),n=n||{};var r,i,o,a,s,u,l,c,f,p,d=T.ajaxSetup({},n),h=d.context||d,g=d.context&&(h.nodeType||h.jquery)?T(h):T.event,y=T.Deferred(),m=T.Callbacks(\"once memory\"),x=d.statusCode||{},b={},w={},C=\"canceled\",S={readyState:0,getResponseHeader:function(e){var t;if(l){if(!a)for(a={};t=Wt.exec(o);)a[t[1].toLowerCase()+\" \"]=(a[t[1].toLowerCase()+\" \"]||[]).concat(t[2]);t=a[e.toLowerCase()+\" \"]}return null==t?null:t.join(\", \")},getAllResponseHeaders:function(){return l?o:null},setRequestHeader:function(e,t){return null==l&&(e=w[e.toLowerCase()]=w[e.toLowerCase()]||e,b[e]=t),this},overrideMimeType:function(e){return null==l&&(d.mimeType=e),this},statusCode:function(e){var t;if(e)if(l)S.always(e[S.status]);else for(t in e)x[t]=[x[t],e[t]];return this},abort:function(e){var t=e||C;return r&&r.abort(t),E(0,t),this}};if(y.promise(S),d.url=((t||d.url||kt.href)+\"\").replace($t,kt.protocol+\"//\"),d.type=n.method||n.type||d.method||d.type,d.dataTypes=(d.dataType||\"*\").toLowerCase().match(z)||[\"\"],null==d.crossDomain){u=v.createElement(\"a\");try{u.href=d.url,u.href=u.href,d.crossDomain=Xt.protocol+\"//\"+Xt.host!=u.protocol+\"//\"+u.host}catch(e){d.crossDomain=!0}}if(d.data&&d.processData&&\"string\"!=typeof d.data&&(d.data=T.param(d.data,d.traditional)),Vt(Bt,d,n,S),l)return S;for(f in(c=T.event&&d.global)&&0==T.active++&&T.event.trigger(\"ajaxStart\"),d.type=d.type.toUpperCase(),d.hasContent=!Ft.test(d.type),i=d.url.replace(Rt,\"\"),d.hasContent?d.data&&d.processData&&0===(d.contentType||\"\").indexOf(\"application/x-www-form-urlencoded\")&&(d.data=d.data.replace(Mt,\"+\")):(p=d.url.slice(i.length),d.data&&(d.processData||\"string\"==typeof d.data)&&(i+=(At.test(i)?\"&\":\"?\")+d.data,delete d.data),!1===d.cache&&(i=i.replace(It,\"$1\"),p=(At.test(i)?\"&\":\"?\")+\"_=\"+jt.guid+++p),d.url=i+p),d.ifModified&&(T.lastModified[i]&&S.setRequestHeader(\"If-Modified-Since\",T.lastModified[i]),T.etag[i]&&S.setRequestHeader(\"If-None-Match\",T.etag[i])),(d.data&&d.hasContent&&!1!==d.contentType||n.contentType)&&S.setRequestHeader(\"Content-Type\",d.contentType),S.setRequestHeader(\"Accept\",d.dataTypes[0]&&d.accepts[d.dataTypes[0]]?d.accepts[d.dataTypes[0]]+(\"*\"!==d.dataTypes[0]?\", \"+zt+\"; q=0.01\":\"\"):d.accepts[\"*\"]),d.headers)S.setRequestHeader(f,d.headers[f]);if(d.beforeSend&&(!1===d.beforeSend.call(h,S,d)||l))return S.abort();if(C=\"abort\",m.add(d.complete),S.done(d.success),S.fail(d.error),r=Vt(_t,d,n,S)){if(S.readyState=1,c&&g.trigger(\"ajaxSend\",[S,d]),l)return S;d.async&&d.timeout>0&&(s=e.setTimeout((function(){S.abort(\"timeout\")}),d.timeout));try{l=!1,r.send(b,E)}catch(e){if(l)throw e;E(-1,e)}}else E(-1,\"No Transport\");function E(t,n,a,u){var f,p,v,b,w,C=n;l||(l=!0,s&&e.clearTimeout(s),r=void 0,o=u||\"\",S.readyState=t>0?4:0,f=t>=200&&t<300||304===t,a&&(b=function(e,t,n){for(var r,i,o,a,s=e.contents,u=e.dataTypes;\"*\"===u[0];)u.shift(),void 0===r&&(r=e.mimeType||t.getResponseHeader(\"Content-Type\"));if(r)for(i in s)if(s[i]&&s[i].test(r)){u.unshift(i);break}if(u[0]in n)o=u[0];else{for(i in n){if(!u[0]||e.converters[i+\" \"+u[0]]){o=i;break}a||(a=i)}o=o||a}if(o)return o!==u[0]&&u.unshift(o),n[o]}(d,S,a)),!f&&T.inArray(\"script\",d.dataTypes)>-1&&T.inArray(\"json\",d.dataTypes)<0&&(d.converters[\"text script\"]=function(){}),b=function(e,t,n,r){var i,o,a,s,u,l={},c=e.dataTypes.slice();if(c[1])for(a in e.converters)l[a.toLowerCase()]=e.converters[a];for(o=c.shift();o;)if(e.responseFields[o]&&(n[e.responseFields[o]]=t),!u&&r&&e.dataFilter&&(t=e.dataFilter(t,e.dataType)),u=o,o=c.shift())if(\"*\"===o)o=u;else if(\"*\"!==u&&u!==o){if(!(a=l[u+\" \"+o]||l[\"* \"+o]))for(i in l)if((s=i.split(\" \"))[1]===o&&(a=l[u+\" \"+s[0]]||l[\"* \"+s[0]])){!0===a?a=l[i]:!0!==l[i]&&(o=s[0],c.unshift(s[1]));break}if(!0!==a)if(a&&e.throws)t=a(t);else try{t=a(t)}catch(e){return{state:\"parsererror\",error:a?e:\"No conversion from \"+u+\" to \"+o}}}return{state:\"success\",data:t}}(d,b,S,f),f?(d.ifModified&&((w=S.getResponseHeader(\"Last-Modified\"))&&(T.lastModified[i]=w),(w=S.getResponseHeader(\"etag\"))&&(T.etag[i]=w)),204===t||\"HEAD\"===d.type?C=\"nocontent\":304===t?C=\"notmodified\":(C=b.state,p=b.data,f=!(v=b.error))):(v=C,!t&&C||(C=\"error\",t<0&&(t=0))),S.status=t,S.statusText=(n||C)+\"\",f?y.resolveWith(h,[p,C,S]):y.rejectWith(h,[S,C,v]),S.statusCode(x),x=void 0,c&&g.trigger(f?\"ajaxSuccess\":\"ajaxError\",[S,d,f?p:v]),m.fireWith(h,[S,C]),c&&(g.trigger(\"ajaxComplete\",[S,d]),--T.active||T.event.trigger(\"ajaxStop\")))}return S},getJSON:function(e,t,n){return T.get(e,t,n,\"json\")},getScript:function(e,t){return T.get(e,void 0,t,\"script\")}}),T.each([\"get\",\"post\"],(function(e,t){T[t]=function(e,n,r,i){return h(n)&&(i=i||r,r=n,n=void 0),T.ajax(T.extend({url:e,type:t,dataType:i,data:n,success:r},T.isPlainObject(e)&&e))}})),T.ajaxPrefilter((function(e){var t;for(t in e.headers)\"content-type\"===t.toLowerCase()&&(e.contentType=e.headers[t]||\"\")})),T._evalUrl=function(e,t,n){return T.ajax({url:e,type:\"GET\",dataType:\"script\",cache:!0,async:!1,global:!1,converters:{\"text script\":function(){}},dataFilter:function(e){T.globalEval(e,t,n)}})},T.fn.extend({wrapAll:function(e){var t;return this[0]&&(h(e)&&(e=e.call(this[0])),t=T(e,this[0].ownerDocument).eq(0).clone(!0),this[0].parentNode&&t.insertBefore(this[0]),t.map((function(){for(var e=this;e.firstElementChild;)e=e.firstElementChild;return e})).append(this)),this},wrapInner:function(e){return h(e)?this.each((function(t){T(this).wrapInner(e.call(this,t))})):this.each((function(){var t=T(this),n=t.contents();n.length?n.wrapAll(e):t.append(e)}))},wrap:function(e){var t=h(e);return this.each((function(n){T(this).wrapAll(t?e.call(this,n):e)}))},unwrap:function(e){return this.parent(e).not(\"body\").each((function(){T(this).replaceWith(this.childNodes)})),this}}),T.expr.pseudos.hidden=function(e){return!T.expr.pseudos.visible(e)},T.expr.pseudos.visible=function(e){return!!(e.offsetWidth||e.offsetHeight||e.getClientRects().length)},T.ajaxSettings.xhr=function(){try{return new e.XMLHttpRequest}catch(e){}};var Yt={0:200,1223:204},Qt=T.ajaxSettings.xhr();d.cors=!!Qt&&\"withCredentials\"in Qt,d.ajax=Qt=!!Qt,T.ajaxTransport((function(t){var n,r;if(d.cors||Qt&&!t.crossDomain)return{send:function(i,o){var a,s=t.xhr();if(s.open(t.type,t.url,t.async,t.username,t.password),t.xhrFields)for(a in t.xhrFields)s[a]=t.xhrFields[a];for(a in t.mimeType&&s.overrideMimeType&&s.overrideMimeType(t.mimeType),t.crossDomain||i[\"X-Requested-With\"]||(i[\"X-Requested-With\"]=\"XMLHttpRequest\"),i)s.setRequestHeader(a,i[a]);n=function(e){return function(){n&&(n=r=s.onload=s.onerror=s.onabort=s.ontimeout=s.onreadystatechange=null,\"abort\"===e?s.abort():\"error\"===e?\"number\"!=typeof s.status?o(0,\"error\"):o(s.status,s.statusText):o(Yt[s.status]||s.status,s.statusText,\"text\"!==(s.responseType||\"text\")||\"string\"!=typeof s.responseText?{binary:s.response}:{text:s.responseText},s.getAllResponseHeaders()))}},s.onload=n(),r=s.onerror=s.ontimeout=n(\"error\"),void 0!==s.onabort?s.onabort=r:s.onreadystatechange=function(){4===s.readyState&&e.setTimeout((function(){n&&r()}))},n=n(\"abort\");try{s.send(t.hasContent&&t.data||null)}catch(e){if(n)throw e}},abort:function(){n&&n()}}})),T.ajaxPrefilter((function(e){e.crossDomain&&(e.contents.script=!1)})),T.ajaxSetup({accepts:{script:\"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript\"},contents:{script:/\\b(?:java|ecma)script\\b/},converters:{\"text script\":function(e){return T.globalEval(e),e}}}),T.ajaxPrefilter(\"script\",(function(e){void 0===e.cache&&(e.cache=!1),e.crossDomain&&(e.type=\"GET\")})),T.ajaxTransport(\"script\",(function(e){var t,n;if(e.crossDomain||e.scriptAttrs)return{send:function(r,i){t=T(\"\n" ], "text/plain": [ "GlyphRenderer(id='p1058', ...)" ] }, "execution_count": 5, "metadata": {}, "output_type": "execute_result" } ], "source": [ "p = figure(x_range=categories, height=400,\n", " title=\"cusy Pattern Example\")\n", "\n", "p.vbar(x=categories,\n", " top=values,\n", " hatch_extra=hatch_patterns, # Pattern anwenden\n", " hatch_pattern=[f\"pattern_{i}\" for i in range(len(categories))],\n", " line_color=None)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## 6. svg-Backend auswählen" ] }, { "cell_type": "code", "execution_count": 6, "metadata": { "execution": { "iopub.execute_input": "2026-03-08T21:27:04.290421Z", "iopub.status.busy": "2026-03-08T21:27:04.290033Z", "iopub.status.idle": "2026-03-08T21:27:04.327861Z", "shell.execute_reply": "2026-03-08T21:27:04.327318Z", "shell.execute_reply.started": "2026-03-08T21:27:04.290400Z" } }, "outputs": [ { "data": { "text/html": [ "\n", "
\n" ] }, "metadata": {}, "output_type": "display_data" }, { "data": { "application/javascript": [ "(function(root) {\n", " function embed_document(root) {\n", " const docs_json = {\"a71e47d8-7644-487f-99f9-1e5b5f652b8f\":{\"version\":\"3.8.2\",\"title\":\"Bokeh Application\",\"config\":{\"type\":\"object\",\"name\":\"DocumentConfig\",\"id\":\"p1063\",\"attributes\":{\"notifications\":{\"type\":\"object\",\"name\":\"Notifications\",\"id\":\"p1064\"}}},\"roots\":[{\"type\":\"object\",\"name\":\"Figure\",\"id\":\"p1016\",\"attributes\":{\"height\":400,\"x_range\":{\"type\":\"object\",\"name\":\"FactorRange\",\"id\":\"p1026\",\"attributes\":{\"factors\":[\"Purple\",\"Teal\",\"Orange\",\"Blue\",\"Red\",\"Cyan\",\"Magenta\",\"Green\"]}},\"y_range\":{\"type\":\"object\",\"name\":\"DataRange1d\",\"id\":\"p1018\",\"attributes\":{\"start\":0}},\"x_scale\":{\"type\":\"object\",\"name\":\"CategoricalScale\",\"id\":\"p1027\"},\"y_scale\":{\"type\":\"object\",\"name\":\"LinearScale\",\"id\":\"p1028\"},\"title\":{\"type\":\"object\",\"name\":\"Title\",\"id\":\"p1019\",\"attributes\":{\"text\":\"cusy Pattern Example\"}},\"renderers\":[{\"type\":\"object\",\"name\":\"GlyphRenderer\",\"id\":\"p1058\",\"attributes\":{\"data_source\":{\"type\":\"object\",\"name\":\"ColumnDataSource\",\"id\":\"p1052\",\"attributes\":{\"selected\":{\"type\":\"object\",\"name\":\"Selection\",\"id\":\"p1053\",\"attributes\":{\"indices\":[],\"line_indices\":[]}},\"selection_policy\":{\"type\":\"object\",\"name\":\"UnionRenderers\",\"id\":\"p1054\"},\"data\":{\"type\":\"map\",\"entries\":[[\"x\",[\"Purple\",\"Teal\",\"Orange\",\"Blue\",\"Red\",\"Cyan\",\"Magenta\",\"Green\"]],[\"top\",[90,80,50,55,50,60,40,80]],[\"hatch_pattern\",[\"pattern_0\",\"pattern_1\",\"pattern_2\",\"pattern_3\",\"pattern_4\",\"pattern_5\",\"pattern_6\",\"pattern_7\"]]]}}},\"view\":{\"type\":\"object\",\"name\":\"CDSView\",\"id\":\"p1059\",\"attributes\":{\"filter\":{\"type\":\"object\",\"name\":\"AllIndices\",\"id\":\"p1060\"}}},\"glyph\":{\"type\":\"object\",\"name\":\"VBar\",\"id\":\"p1055\",\"attributes\":{\"x\":{\"type\":\"field\",\"field\":\"x\"},\"top\":{\"type\":\"field\",\"field\":\"top\"},\"line_color\":{\"type\":\"value\",\"value\":null},\"fill_color\":{\"type\":\"value\",\"value\":\"#75757533\"},\"hatch_pattern\":{\"type\":\"field\",\"field\":\"hatch_pattern\"},\"hatch_extra\":{\"type\":\"map\",\"entries\":[[\"pattern_0\",{\"type\":\"object\",\"name\":\"ImageURLTexture\",\"id\":\"p1008\",\"attributes\":{\"url\":\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxNTkuMDAyMjY0IDE4My42Ij4KICAgIDxkZWZzPgogICAgICAgIDxwYXR0ZXJuIGlkPSJkb3RzcGF0dGVybiIgeD0iMCIgeT0iMCIgd2lkdGg9IjE1OS4wMDIyNjQiIGhlaWdodD0iMTgzLjYiIHBhdHRlcm5Vbml0cz0idXNlclNwYWNlT25Vc2UiIHBhdHRlcm5UcmFuc2Zvcm09InNjYWxlKDAuMikiPgogICAgICAgICAgPGNpcmNsZSBpZD0iYmFzZS1kb3QiIGN4PSI3OS41MDExMzIiIGN5PSI5MS44IiByPSI0NC41NDU5NzQ1IiBmaWxsPSIjNzUzYmJkIi8+CiAgICAgICAgICA8dXNlIGhyZWY9IiNiYXNlLWRvdCIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoLTc5LjUwMTEzMiw0NS45KSIgLz4KICAgICAgICAgIDx1c2UgaHJlZj0iI2Jhc2UtZG90IiB0cmFuc2Zvcm09InRyYW5zbGF0ZSgtNzkuNTAxMTMyLC00NS45KSIgLz4KICAgICAgICAgIDx1c2UgaHJlZj0iI2Jhc2UtZG90IiB0cmFuc2Zvcm09InRyYW5zbGF0ZSg3OS41MDExMzIsNDUuOSkiIC8+CiAgICAgICAgICA8dXNlIGhyZWY9IiNiYXNlLWRvdCIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoNzkuNTAxMTMyLC00NS45KSIgLz4KICAgICAgICAgIDx1c2UgaHJlZj0iI2Jhc2UtZG90IiB0cmFuc2Zvcm09InRyYW5zbGF0ZSgwLDkxLjgpIiAvPgogICAgICAgICAgPHVzZSBocmVmPSIjYmFzZS1kb3QiIHRyYW5zZm9ybT0idHJhbnNsYXRlKDAsLTkxLjgpIiAvPgogICAgICAgIDwvcGF0dGVybj4KICAgIDwvZGVmcz4KCiAgICA8cmVjdCB4PSIwIiB5PSIwIiB3aWR0aD0iMTU5LjAwMjI2NCIgaGVpZ2h0PSIxODMuNiIgZmlsbD0idXJsKCNkb3RzcGF0dGVybikiLz4KPC9zdmc+Cg==\"}}],[\"pattern_1\",{\"type\":\"object\",\"name\":\"ImageURLTexture\",\"id\":\"p1009\",\"attributes\":{\"url\":\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxOTkuNDcxOTI2IDE0MS4wNzU2NyI+CiAgICA8IS0tIG1pbiB2aWV3Qm94IFkgNzAuNTM3ODM1LS0+CiAgICA8ZGVmcz4KICAgICAgICA8cGF0dGVybiBpZD0iY2FyZXRwYXR0ZXJuIiB4PSIwIiB5PSIwIiB3aWR0aD0iMTk5LjQ3MTkyNiIgaGVpZ2h0PSI3MC41Mzc4MzUiIHBhdHRlcm5Vbml0cz0idXNlclNwYWNlT25Vc2UiIHBhdHRlcm5UcmFuc2Zvcm09InNjYWxlKDAuMTY2NjY2NjY2NjY2KSI+CiAgICAgICAgICAgIDxwYXRoIGlkPSJiYXNlLWNhcmV0IiBjbGFzcz0iY2FyZXQtc3Ryb2tlIiBkPSJNLTQ4LjM1LDEzLjA4MUwwLC0zNS4yNjlMNDguMzUsMTMuMDgxIiBzdHlsZT0iZmlsbDpub25lO3N0cm9rZTpyZ2IoMCwxMzMsMTIwKTtzdHJva2Utd2lkdGg6NDUuNTlweDsiLz4KICAgICAgICAgICAgPHVzZSBocmVmPSIjYmFzZS1jYXJldCIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoOTkuNzM1OTYzLDM1LjI2ODkxNykiIC8+CiAgICAgICAgICAgIDx1c2UgaHJlZj0iI2Jhc2UtY2FyZXQiIHRyYW5zZm9ybT0idHJhbnNsYXRlKDk5LjczNTk2MywxMDUuODA2NzUyKSIgLz4KICAgICAgICAgICAgPHVzZSBocmVmPSIjYmFzZS1jYXJldCIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoMCw3MC41Mzc4MzUpIiAvPgogICAgICAgICAgICA8dXNlIGhyZWY9IiNiYXNlLWNhcmV0IiB0cmFuc2Zvcm09InRyYW5zbGF0ZSgxOTkuNDcxOTI2LDApIiAvPgogICAgICAgICAgICA8dXNlIGhyZWY9IiNiYXNlLWNhcmV0IiB0cmFuc2Zvcm09InRyYW5zbGF0ZSgxOTkuNDcxOTI2LDcwLjUzNzgzNSkiIC8+CiAgICAgICAgPC9wYXR0ZXJuPgogICAgPC9kZWZzPgogICAgPHJlY3QgeD0iMCIgeT0iMCIgd2lkdGg9IjE5OS40NzE5MjYiIGhlaWdodD0iMTQxLjA3NTY3IiBmaWxsPSJ1cmwoI2NhcmV0cGF0dGVybikiLz4KPC9zdmc+Cg==\"}}],[\"pattern_2\",{\"type\":\"object\",\"name\":\"ImageURLTexture\",\"id\":\"p1010\",\"attributes\":{\"url\":\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAxMzMuNzI1IDIzMS42MTg0OTQiPgogICAgPGRlZnM+CiAgICAgICAgPHBhdHRlcm4gaWQ9InRyaWFuZ2xlcGF0dGVybiIgeD0iNjYuODYyNSIgeT0iMiIgd2lkdGg9IjEzMy43MjUiIGhlaWdodD0iMjMxLjYxODQ5NCIgcGF0dGVyblVuaXRzPSJ1c2VyU3BhY2VPblVzZSIgcGF0dGVyblRyYW5zZm9ybT0ic2NhbGUoMC4yNSkiPgogICAgICAgICAgICA8ZyBpZD0iYmFzZS10cmlhbmdsZSIgdHJhbnNmb3JtPSJyb3RhdGUoMTgwZGVnKSI+CiAgICAgICAgICAgIDxwYXRoICBkPSJNMCwxMDMuOTIzMDQ4TDYwLDBMLTYwLDBMMCwxMDMuOTIzMDQ4WiIgc3R5bGU9ImZpbGw6cmdiKDIwNSwxMzIsMik7Ii8+CiAgICAgICAgICAgIDwvZz4KICAgICAgICAgICAgPHVzZSBocmVmPSIjYmFzZS10cmlhbmdsZSIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoNjYuODYyNSwxMTUuODA5MjQ3KSIgLz4KICAgICAgICAgICAgPHVzZSBocmVmPSIjYmFzZS10cmlhbmdsZSIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoNjYuODYyNSwxMDcuODg1MTE1KSByb3RhdGUoMTgwKSIgLz4KICAgICAgICAgICAgPHVzZSBocmVmPSIjYmFzZS10cmlhbmdsZSIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoMTMzLjcyNSwwKSIgLz4KICAgICAgICAgICAgPHVzZSBocmVmPSIjYmFzZS10cmlhbmdsZSIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoMTMzLjcyNSwyMjMuNjk0MzYyKSByb3RhdGUoMTgwKSIgLz4KICAgICAgICAgICAgPHVzZSBocmVmPSIjYmFzZS10cmlhbmdsZSIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoMCwyMjMuNjk0MzYyKSByb3RhdGUoMTgwKSIgLz4KICAgICAgICA8L3BhdHRlcm4+CiAgICA8L2RlZnM+CgogICAgPHJlY3QgeD0iMCIgeT0iMCIgd2lkdGg9IjEzMy43MjUiIGhlaWdodD0iMjMxLjYxODQ5NCIgZmlsbD0idXJsKCN0cmlhbmdsZXBhdHRlcm4pIi8+Cjwvc3ZnPgo=\"}}],[\"pattern_3\",{\"type\":\"object\",\"name\":\"ImageURLTexture\",\"id\":\"p1011\",\"attributes\":{\"url\":\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCA3NS4xIDk1LjgzMzI0NzI1IiB4bWw6c3BhY2U9InByZXNlcnZlIiB4bWxuczpzZXJpZj0iaHR0cDovL3d3dy5zZXJpZi5jb20vIiBzdHlsZT0iZmlsbC1ydWxlOmV2ZW5vZGQ7Y2xpcC1ydWxlOmV2ZW5vZGQ7c3Ryb2tlLWxpbmVjYXA6cm91bmQ7c3Ryb2tlLWxpbmVqb2luOnJvdW5kO3N0cm9rZS1taXRlcmxpbWl0OjE7Ij4KICA8ZGVmcz4KICAgIDxwYXR0ZXJuIGlkPSJzcGlyYWxwYXR0ZXJuIiB4PSIwIiB5PSIwIiB3aWR0aD0iMzcuNTUiIGhlaWdodD0iMTkxLjY2NjQ5NDUiIHBhdHRlcm5Vbml0cz0idXNlclNwYWNlT25Vc2UiIHBhdHRlcm5UcmFuc2Zvcm09InNjYWxlKDAuMjUpIj4KICAgICAgPHBhdGggZD0iTTM5LjUxMywtMTEuN0MzMS42MzIsLTIyLjA4MyAxNi44MjYsLTI0LjExMiA2LjQ0MywtMTYuMjMxQy0yLjk5NiwtOS4wNjYgLTQuODQsNC4zOTQgMi4zMjQsMTMuODMzQzguNjkzLDIyLjIyMyAyMC42NTcsMjMuODYyIDI5LjA0NywxNy40OTRDMzYuMzg5LDExLjkyMSAzNy44MjMsMS40NTIgMzIuMjUxLC01Ljg4OUMyNy40NzQsLTEyLjE4MiAxOC41MDEsLTEzLjQxMSAxMi4yMDgsLTguNjM1QzYuOTY1LC00LjY1NSA1Ljk0LDIuODIzIDkuOTIsOC4wNjdDMTMuMTA1LDEyLjI2MiAxOS4wODcsMTMuMDgyIDIzLjI4Miw5Ljg5OEMyNi40MjgsNy41MDkgMjcuMDQzLDMuMDIzIDI0LjY1NSwtMC4xMjRDMjMuMDYzLC0yLjIyMSAyMC4wNzIsLTIuNjMxIDE3Ljk3NCwtMS4wMzlDMTYuOTI1LC0wLjI0MyAxNi43MiwxLjI1MyAxNy41MTYsMi4zMDIiIHN0eWxlPSJmaWxsOm5vbmU7c3Ryb2tlOiMwNjYzYjU7c3Ryb2tlLXdpZHRoOjYuMjFweDsiLz4KICAgICAgPHBhdGggZD0iTTE2Ljk4MywyNi42MzNDOS4xMDIsMTYuMjUgLTUuNzA0LDE0LjIyMiAtMTYuMDg3LDIyLjEwM0MtMjUuNTI2LDI5LjI2NyAtMjcuMzcsNDIuNzI3IC0yMC4yMDYsNTIuMTY2Qy0xMy44MzcsNjAuNTU2IC0xLjg3Myw2Mi4xOTUgNi41MTcsNTUuODI3QzEzLjg1OSw1MC4yNTQgMTUuMjkzLDM5Ljc4NiA5LjcyMSwzMi40NDRDNC45NDQsMjYuMTUyIC00LjAyOSwyNC45MjIgLTEwLjMyMiwyOS42OTlDLTE1LjU2NSwzMy42NzkgLTE2LjU5LDQxLjE1NiAtMTIuNjEsNDYuNEMtOS40MjUsNTAuNTk2IC0zLjQ0Myw1MS40MTUgMC43NTIsNDguMjMxQzMuODk4LDQ1Ljg0MyA0LjUxMyw0MS4zNTYgMi4xMjUsMzguMjFDMC41MzMsMzYuMTEyIC0yLjQ1OCwzNS43MDIgLTQuNTU2LDM3LjI5NUMtNS42MDUsMzguMDkxIC01LjgxLDM5LjU4NiAtNS4wMTQsNDAuNjM1IiBzdHlsZT0iZmlsbDpub25lO3N0cm9rZTojMDY2M2I1O3N0cm9rZS13aWR0aDo2LjIxcHg7Ii8+CiAgICAgIDxwYXRoIGQ9Ik03Ny4wNjMsLTExLjdDNjkuMTgyLC0yMi4wODMgNTQuMzc2LC0yNC4xMTIgNDMuOTkzLC0xNi4yMzFDMzQuNTU0LC05LjA2NiAzMi43MSw0LjM5NCAzOS44NzQsMTMuODMzQzQ2LjI0MywyMi4yMjMgNTguMjA3LDIzLjg2MiA2Ni41OTcsMTcuNDk0QzczLjkzOSwxMS45MjEgNzUuMzczLDEuNDUyIDY5LjgwMSwtNS44ODlDNjUuMDI0LC0xMi4xODIgNTYuMDUxLC0xMy40MTEgNDkuNzU4LC04LjYzNUM0NC41MTUsLTQuNjU1IDQzLjQ5LDIuODIzIDQ3LjQ3LDguMDY3QzUwLjY1NSwxMi4yNjIgNTYuNjM3LDEzLjA4MiA2MC44MzIsOS44OThDNjMuOTc4LDcuNTA5IDY0LjU5MywzLjAyMyA2Mi4yMDUsLTAuMTI0QzYwLjYxMywtMi4yMjEgNTcuNjIyLC0yLjYzMSA1NS41MjQsLTEuMDM5QzU0LjQ3NSwtMC4yNDMgNTQuMjcsMS4yNTMgNTUuMDY2LDIuMzAyIiBzdHlsZT0iZmlsbDpub25lO3N0cm9rZTojMDY2M2I1O3N0cm9rZS13aWR0aDo2LjIxcHg7Ii8+CiAgICAgIDxwYXRoIGQ9Ik01NC41MzMsMjYuNjMzQzQ2LjY1MiwxNi4yNSAzMS44NDYsMTQuMjIyIDIxLjQ2MywyMi4xMDNDMTIuMDI0LDI5LjI2NyAxMC4xOCw0Mi43MjcgMTcuMzQ0LDUyLjE2NkMyMy43MTMsNjAuNTU2IDM1LjY3Nyw2Mi4xOTUgNDQuMDY3LDU1LjgyN0M1MS40MDksNTAuMjU0IDUyLjg0MywzOS43ODYgNDcuMjcxLDMyLjQ0NEM0Mi40OTQsMjYuMTUyIDMzLjUyMSwyNC45MjIgMjcuMjI4LDI5LjY5OUMyMS45ODUsMzMuNjc5IDIwLjk2LDQxLjE1NiAyNC45NCw0Ni40QzI4LjEyNSw1MC41OTYgMzQuMTA3LDUxLjQxNSAzOC4zMDIsNDguMjMxQzQxLjQ0OCw0NS44NDMgNDIuMDYzLDQxLjM1NiAzOS42NzUsMzguMjFDMzguMDgzLDM2LjExMiAzNS4wOTIsMzUuNzAyIDMyLjk5NCwzNy4yOTVDMzEuOTQ1LDM4LjA5MSAzMS43NCwzOS41ODYgMzIuNTM2LDQwLjYzNSIgc3R5bGU9ImZpbGw6bm9uZTtzdHJva2U6IzA2NjNiNTtzdHJva2Utd2lkdGg6Ni4yMXB4OyIvPgogICAgICA8cGF0aCBkPSJNMzIuMDAzLDY0Ljk2NkMyNC4xMjIsNTQuNTgzIDkuMzE2LDUyLjU1NSAtMS4wNjcsNjAuNDM2Qy0xMC41MDYsNjcuNiAtMTIuMzUsODEuMDYgLTUuMTg2LDkwLjQ5OUMxLjE4Myw5OC44ODkgMTMuMTQ3LDEwMC41MjkgMjEuNTM3LDk0LjE2QzI4Ljg3OSw4OC41ODggMzAuMzEzLDc4LjExOSAyNC43NDEsNzAuNzc4QzE5Ljk2NCw2NC40ODUgMTAuOTkxLDYzLjI1NiA0LjY5OCw2OC4wMzJDLTAuNTQ1LDcyLjAxMiAtMS41Nyw3OS40OSAyLjQxLDg0LjczNEM1LjU5NSw4OC45MjkgMTEuNTc3LDg5Ljc0OCAxNS43NzIsODYuNTY0QzE4LjkxOCw4NC4xNzYgMTkuNTMzLDc5LjY4OSAxNy4xNDUsNzYuNTQzQzE1LjU1Myw3NC40NDUgMTIuNTYyLDc0LjAzNiAxMC40NjQsNzUuNjI4QzkuNDE1LDc2LjQyNCA5LjIxLDc3LjkxOSAxMC4wMDYsNzguOTY4IiBzdHlsZT0iZmlsbDpub25lO3N0cm9rZTojMDY2M2I1O3N0cm9rZS13aWR0aDo2LjIxcHg7Ii8+CiAgICAgIDxwYXRoIGQ9Ik05LjQ3MywxMDMuM0MxLjU5Miw5Mi45MTcgLTEzLjIxNCw5MC44ODggLTIzLjU5Nyw5OC43NjlDLTMzLjAzNiwxMDUuOTM0IC0zNC44OCwxMTkuMzkzIC0yNy43MTYsMTI4LjgzMkMtMjEuMzQ3LDEzNy4yMjMgLTkuMzgzLDEzOC44NjIgLTAuOTkzLDEzMi40OTNDNi4zNDksMTI2LjkyMSA3Ljc4MywxMTYuNDUyIDIuMjExLDEwOS4xMTFDLTIuNTY2LDEwMi44MTggLTExLjUzOSwxMDEuNTg5IC0xNy44MzIsMTA2LjM2NUMtMjMuMDc1LDExMC4zNDUgLTI0LjEsMTE3LjgyMyAtMjAuMTIsMTIzLjA2N0MtMTYuOTM1LDEyNy4yNjIgLTEwLjk1MywxMjguMDgyIC02Ljc1OCwxMjQuODk3Qy0zLjYxMiwxMjIuNTA5IC0yLjk5NywxMTguMDIzIC01LjM4NSwxMTQuODc2Qy02Ljk3NywxMTIuNzc5IC05Ljk2OCwxMTIuMzY5IC0xMi4wNjYsMTEzLjk2MUMtMTMuMTE1LDExNC43NTcgLTEzLjMyLDExNi4yNTMgLTEyLjUyNCwxMTcuMzAxIiBzdHlsZT0iZmlsbDpub25lO3N0cm9rZTojMDY2M2I1O3N0cm9rZS13aWR0aDo2LjIxcHg7Ii8+CiAgICAgIDxwYXRoIGQ9Ik02OS41NTMsNjQuOTY2QzYxLjY3Miw1NC41ODMgNDYuODY2LDUyLjU1NSAzNi40ODMsNjAuNDM2QzI3LjA0NCw2Ny42IDI1LjIsODEuMDYgMzIuMzY0LDkwLjQ5OUMzOC43MzMsOTguODg5IDUwLjY5NywxMDAuNTI5IDU5LjA4Nyw5NC4xNkM2Ni40MjksODguNTg4IDY3Ljg2Myw3OC4xMTkgNjIuMjkxLDcwLjc3OEM1Ny41MTQsNjQuNDg1IDQ4LjU0MSw2My4yNTYgNDIuMjQ4LDY4LjAzMkMzNy4wMDUsNzIuMDEyIDM1Ljk4LDc5LjQ5IDM5Ljk2LDg0LjczNEM0My4xNDUsODguOTI5IDQ5LjEyNyw4OS43NDggNTMuMzIyLDg2LjU2NEM1Ni40NjgsODQuMTc2IDU3LjA4Myw3OS42ODkgNTQuNjk1LDc2LjU0M0M1My4xMDMsNzQuNDQ1IDUwLjExMiw3NC4wMzYgNDguMDE0LDc1LjYyOEM0Ni45NjUsNzYuNDI0IDQ2Ljc2LDc3LjkxOSA0Ny41NTYsNzguOTY4IiBzdHlsZT0iZmlsbDpub25lO3N0cm9rZTojMDY2M2I1O3N0cm9rZS13aWR0aDo2LjIxcHg7Ii8+CiAgICAgIDxwYXRoIGQ9Ik00Ny4wMjMsMTAzLjNDMzkuMTQyLDkyLjkxNyAyNC4zMzYsOTAuODg4IDEzLjk1Myw5OC43NjlDNC41MTQsMTA1LjkzNCAyLjY3LDExOS4zOTMgOS44MzQsMTI4LjgzMkMxNi4yMDMsMTM3LjIyMyAyOC4xNjcsMTM4Ljg2MiAzNi41NTcsMTMyLjQ5M0M0My44OTksMTI2LjkyMSA0NS4zMzMsMTE2LjQ1MiAzOS43NjEsMTA5LjExMUMzNC45ODQsMTAyLjgxOCAyNi4wMTEsMTAxLjU4OSAxOS43MTgsMTA2LjM2NUMxNC40NzUsMTEwLjM0NSAxMy40NSwxMTcuODIzIDE3LjQzLDEyMy4wNjdDMjAuNjE1LDEyNy4yNjIgMjYuNTk3LDEyOC4wODIgMzAuNzkyLDEyNC44OTdDMzMuOTM4LDEyMi41MDkgMzQuNTUzLDExOC4wMjMgMzIuMTY1LDExNC44NzZDMzAuNTczLDExMi43NzkgMjcuNTgyLDExMi4zNjkgMjUuNDg0LDExMy45NjFDMjQuNDM1LDExNC43NTcgMjQuMjMsMTE2LjI1MyAyNS4wMjYsMTE3LjMwMSIgc3R5bGU9ImZpbGw6bm9uZTtzdHJva2U6IzA2NjNiNTtzdHJva2Utd2lkdGg6Ni4yMXB4OyIvPgogICAgICA8cGF0aCBkPSJNMjQuNDkzLDE0MS42MzNDMTYuNjEyLDEzMS4yNSAxLjgwNiwxMjkuMjIyIC04LjU3NywxMzcuMTAyQy0xOC4wMTYsMTQ0LjI2NyAtMTkuODYsMTU3LjcyNyAtMTIuNjk2LDE2Ny4xNjZDLTYuMzI3LDE3NS41NTYgNS42MzcsMTc3LjE5NSAxNC4wMjcsMTcwLjgyN0MyMS4zNjksMTY1LjI1NCAyMi44MDMsMTU0Ljc4NiAxNy4yMzEsMTQ3LjQ0NEMxMi40NTQsMTQxLjE1MSAzLjQ4MSwxMzkuOTIyIC0yLjgxMiwxNDQuNjk4Qy04LjA1NSwxNDguNjc5IC05LjA4LDE1Ni4xNTYgLTUuMSwxNjEuNEMtMS45MTUsMTY1LjU5NSA0LjA2NywxNjYuNDE1IDguMjYyLDE2My4yMzFDMTEuNDA4LDE2MC44NDMgMTIuMDIzLDE1Ni4zNTYgOS42MzUsMTUzLjIxQzguMDQzLDE1MS4xMTIgNS4wNTIsMTUwLjcwMiAyLjk1NCwxNTIuMjk0QzEuOTA1LDE1My4wOSAxLjcsMTU0LjU4NiAyLjQ5NiwxNTUuNjM1IiBzdHlsZT0iZmlsbDpub25lO3N0cm9rZTojMDY2M2I1O3N0cm9rZS13aWR0aDo2LjIxcHg7Ii8+CiAgICAgIDxwYXRoIGQ9Ik02Mi4wNDMsMTQxLjYzM0M1NC4xNjIsMTMxLjI1IDM5LjM1NiwxMjkuMjIyIDI4Ljk3MywxMzcuMTAyQzE5LjUzNCwxNDQuMjY3IDE3LjY5LDE1Ny43MjcgMjQuODU0LDE2Ny4xNjZDMzEuMjIzLDE3NS41NTYgNDMuMTg3LDE3Ny4xOTUgNTEuNTc3LDE3MC44MjdDNTguOTE5LDE2NS4yNTQgNjAuMzUzLDE1NC43ODYgNTQuNzgxLDE0Ny40NDRDNTAuMDA0LDE0MS4xNTEgNDEuMDMxLDEzOS45MjIgMzQuNzM4LDE0NC42OThDMjkuNDk1LDE0OC42NzkgMjguNDcsMTU2LjE1NiAzMi40NSwxNjEuNEMzNS42MzUsMTY1LjU5NSA0MS42MTcsMTY2LjQxNSA0NS44MTIsMTYzLjIzMUM0OC45NTgsMTYwLjg0MyA0OS41NzMsMTU2LjM1NiA0Ny4xODUsMTUzLjIxQzQ1LjU5MywxNTEuMTEyIDQyLjYwMiwxNTAuNzAyIDQwLjUwNCwxNTIuMjk0QzM5LjQ1NSwxNTMuMDkgMzkuMjUsMTU0LjU4NiA0MC4wNDYsMTU1LjYzNSIgc3R5bGU9ImZpbGw6bm9uZTtzdHJva2U6IzA2NjNiNTtzdHJva2Utd2lkdGg6Ni4yMXB4OyIvPgogICAgICA8cGF0aCBkPSJNMzkuNTEzLDE3OS45NjZDMzEuNjMyLDE2OS41ODMgMTYuODI2LDE2Ny41NTUgNi40NDMsMTc1LjQzNkMtMi45OTYsMTgyLjYgLTQuODQsMTk2LjA2IDIuMzI0LDIwNS40OTlDOC42OTMsMjEzLjg4OSAyMC42NTcsMjE1LjUyOCAyOS4wNDcsMjA5LjE2QzM2LjM4OSwyMDMuNTg4IDM3LjgyMywxOTMuMTE5IDMyLjI1MSwxODUuNzc3QzI3LjQ3NCwxNzkuNDg1IDE4LjUwMSwxNzguMjU1IDEyLjIwOCwxODMuMDMyQzYuOTY1LDE4Ny4wMTIgNS45NCwxOTQuNDkgOS45MiwxOTkuNzM0QzEzLjEwNSwyMDMuOTI5IDE5LjA4NywyMDQuNzQ4IDIzLjI4MiwyMDEuNTY0QzI2LjQyOCwxOTkuMTc2IDI3LjA0MywxOTQuNjg5IDI0LjY1NSwxOTEuNTQzQzIzLjA2MywxODkuNDQ1IDIwLjA3MiwxODkuMDM2IDE3Ljk3NCwxOTAuNjI4QzE2LjkyNSwxOTEuNDI0IDE2LjcyLDE5Mi45MTkgMTcuNTE2LDE5My45NjgiIHN0eWxlPSJmaWxsOm5vbmU7c3Ryb2tlOiMwNjYzYjU7c3Ryb2tlLXdpZHRoOjYuMjFweDsiLz4KICAgICAgPHBhdGggZD0iTTc3LjA2MywxNzkuOTY2QzY5LjE4MiwxNjkuNTgzIDU0LjM3NiwxNjcuNTU1IDQzLjk5MywxNzUuNDM2QzM0LjU1NCwxODIuNiAzMi43MSwxOTYuMDYgMzkuODc0LDIwNS40OTlDNDYuMjQzLDIxMy44ODkgNTguMjA3LDIxNS41MjggNjYuNTk3LDIwOS4xNkM3My45MzksMjAzLjU4OCA3NS4zNzMsMTkzLjExOSA2OS44MDEsMTg1Ljc3N0M2NS4wMjQsMTc5LjQ4NSA1Ni4wNTEsMTc4LjI1NSA0OS43NTgsMTgzLjAzMkM0NC41MTUsMTg3LjAxMiA0My40OSwxOTQuNDkgNDcuNDcsMTk5LjczNEM1MC42NTUsMjAzLjkyOSA1Ni42MzcsMjA0Ljc0OCA2MC44MzIsMjAxLjU2NEM2My45NzgsMTk5LjE3NiA2NC41OTMsMTk0LjY4OSA2Mi4yMDUsMTkxLjU0M0M2MC42MTMsMTg5LjQ0NSA1Ny42MjIsMTg5LjAzNiA1NS41MjQsMTkwLjYyOEM1NC40NzUsMTkxLjQyNCA1NC4yNywxOTIuOTE5IDU1LjA2NiwxOTMuOTY4IiBzdHlsZT0iZmlsbDpub25lO3N0cm9rZTojMDY2M2I1O3N0cm9rZS13aWR0aDo2LjIxcHg7Ii8+CiAgICA8L3BhdHRlcm4+CiAgPC9kZWZzPgoKICA8cmVjdCB4PSIwIiB5PSIwIiB3aWR0aD0iNzUuMSIgaGVpZ2h0PSI5NS44MzMyNDcyNSIgZmlsbD0idXJsKCNzcGlyYWxwYXR0ZXJuKSIvPgo8L3N2Zz4K\"}}],[\"pattern_4\",{\"type\":\"object\",\"name\":\"ImageURLTexture\",\"id\":\"p1012\",\"attributes\":{\"url\":\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCA4Ni4xNjYzMDQgODYuMTY2MzA0Ij4KICAgIDxkZWZzPgogICAgICA8cGF0dGVybiBpZD0iY3Jvc3NwYXR0ZXJuIiB4PSIwIiB5PSIwIiB3aWR0aD0iODYuMTY2MzA0IiBoZWlnaHQ9Ijg2LjE2NjMwNCIgcGF0dGVyblVuaXRzPSJ1c2VyU3BhY2VPblVzZSIgcGF0dGVyblRyYW5zZm9ybT0ic2NhbGUoMC4xKSI+CiAgICAgICAgPHBhdGggaWQ9ImJhc2UtY3Jvc3MiIGQ9Ik05LjQyNywtNTUuMDI5TDQwLjU1OSwtMzguMzY3TDIzLjg5NywtNy4yMzVMNTUuMDI5LDkuNDI3TDM4LjM2Nyw0MC41NTlMNy4yMzUsMjMuODk3TC05LjQyNyw1NS4wMjlMLTQwLjU1OSwzOC4zNjdMLTIzLjg5Nyw3LjIzNUwtNTUuMDI5LC05LjQyN0wtMzguMzY3LC00MC41NTlMLTcuMjM1LC0yMy44OTdMOS40MjcsLTU1LjAyOVoiIHN0eWxlPSJmaWxsOnJnYigyMjIsNDAsMjMpOyIvPgoKICAgICAgICA8dXNlIGhyZWY9IiNiYXNlLWNyb3NzIiB0cmFuc2Zvcm09InRyYW5zbGF0ZSg4Ni4xNjYzMDQsMCkiLz4KICAgICAgICA8dXNlIGhyZWY9IiNiYXNlLWNyb3NzIiB0cmFuc2Zvcm09InRyYW5zbGF0ZSg4Ni4xNjYzMDQsODYuMTY2MzA0KSIvPgogICAgICAgIDx1c2UgaHJlZj0iI2Jhc2UtY3Jvc3MiIHRyYW5zZm9ybT0idHJhbnNsYXRlKDAsODYuMTY2MzA0KSIvPgogICAgICA8L3BhdHRlcm4+CiAgICA8L2RlZnM+CiAgICA8cmVjdCB4PSIwIiB5PSIwIiB3aWR0aD0iODYuMTY2MzA0IiBoZWlnaHQ9Ijg2LjE2NjMwNCIgZmlsbD0idXJsKCNjcm9zc3BhdHRlcm4pIi8+Cjwvc3ZnPgo=\"}}],[\"pattern_5\",{\"type\":\"object\",\"name\":\"ImageURLTexture\",\"id\":\"p1013\",\"attributes\":{\"url\":\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCA5OC40Njg1OTggMTQ3LjE1NzE3NiI+CiAgICA8ZGVmcz4KICAgICAgICA8cGF0dGVybiBpZD0iZGlhbW9uZHBhdHRlcm4iIHg9IjAiIHk9IjAiIHdpZHRoPSI5OC40Njg1OTgiIGhlaWdodD0iMTQ3LjE1NzE3NiIgcGF0dGVyblVuaXRzPSJ1c2VyU3BhY2VPblVzZSIgcGF0dGVyblRyYW5zZm9ybT0ic2NhbGUoMC4xNjY2NjY2NjY2NjY2NjY2KSI+CiAgICAgIDxwYXRoIGlkPSJiYXNlLWRpYW1vbmQiIGQ9Ik00OS4yMzQsNS4zMjdMOTQuOTA0LDczLjU3OUw0OS4yMzQsMTQxLjgzTDMuNTY0LDczLjU3OUw0OS4yMzQsNS4zMjdaIiBzdHlsZT0iZmlsbDpyZ2IoMTgsMTU5LDIxMik7Ii8+CiAgICAgICAgICA8dXNlIGhyZWY9IiNiYXNlLWRpYW1vbmQiIHRyYW5zZm9ybT0idHJhbnNsYXRlKC00OS4yMzQyOTksNzMuNTc4NTg4KSIgLz4KICAgICAgICAgIDx1c2UgaHJlZj0iI2Jhc2UtZGlhbW9uZCIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoNDkuMjM0Mjk5LDczLjU3ODU4OCkiIC8+CiAgICAgICAgICA8dXNlIGhyZWY9IiNiYXNlLWRpYW1vbmQiIHRyYW5zZm9ybT0idHJhbnNsYXRlKC00OS4yMzQyOTksLTczLjU3ODU4OCkiIC8+CiAgICAgICAgICA8dXNlIGhyZWY9IiNiYXNlLWRpYW1vbmQiIHRyYW5zZm9ybT0idHJhbnNsYXRlKDQ5LjIzNDI5OSwtNzMuNTc4NTg4KSIgLz4KICAgICAgICA8L3BhdHRlcm4+CiAgICA8L2RlZnM+CgogICAgPHJlY3QgeD0iMCIgeT0iMCIgd2lkdGg9Ijk4LjQ2ODU5OCIgaGVpZ2h0PSIxNDcuMTU3MTc2IiBmaWxsPSJ1cmwoI2RpYW1vbmRwYXR0ZXJuKSIvPgo8L3N2Zz4K\"}}],[\"pattern_6\",{\"type\":\"object\",\"name\":\"ImageURLTexture\",\"id\":\"p1014\",\"attributes\":{\"url\":\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCA4NS4wMjkxODIgODUuMDI5MTgyIj4KICAgIDxkZWZzPgogICAgICAgIDxwYXR0ZXJuIGlkPSJzcXVhcmVwYXR0ZXJuIiB4PSIzLjAzNjc1NjUiIHk9IjMuMDM2NzU2NSIgd2lkdGg9Ijg1LjAyOTE4MiIgaGVpZ2h0PSI4NS4wMjkxODIiIHBhdHRlcm5Vbml0cz0idXNlclNwYWNlT25Vc2UiIHBhdHRlcm5UcmFuc2Zvcm09InNjYWxlKDAuMSkiPgogICAgICAgICAgPHJlY3QgeD0iMCIgeT0iMCIgd2lkdGg9Ijc4Ljk1NTY2OSIgaGVpZ2h0PSI3OC45NTU2NjkiIGZpbGw9IiNCRDBGNzciLz4KICAgICAgICA8L3BhdHRlcm4+CiAgICA8L2RlZnM+CgogICAgPHJlY3QgeD0iMCIgeT0iMCIgd2lkdGg9Ijg1LjAyOTE4MiIgaGVpZ2h0PSI4NS4wMjkxODIiIGZpbGw9InVybCgjc3F1YXJlcGF0dGVybikiLz4KPC9zdmc+Cg==\"}}],[\"pattern_7\",{\"type\":\"object\",\"name\":\"ImageURLTexture\",\"id\":\"p1015\",\"attributes\":{\"url\":\"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCA4MS44OTY1NDM1IDQ3LjI4Mjk5Ij4KICAgIDxkZWZzPgogICAgICAgIDxwYXR0ZXJuIGlkPSJ0cmlzdGFycGF0dGVybiIgeD0iMCIgeT0iMCIgd2lkdGg9IjgxLjg5NjU0MzUiIGhlaWdodD0iNDcuMjgyOTkiIHBhdHRlcm5Vbml0cz0idXNlclNwYWNlT25Vc2UiIHBhdHRlcm5UcmFuc2Zvcm09InNjYWxlKC4xKSI+CiAgICAgICAgICAgIDxwYXRoIGlkPSJiYXNlLXRyaXN0YXIxIiBkPSJNMTIuMjQ2LDQyLjQyMkwwLDQ5LjQ5MkwtMTIuMjQ2LDQyLjQyMkwtMTIuMjQ2LDI4LjI4MUwtMjQuNDkyLDIxLjIxMUwtMjQuNDkyLDcuMDdMLTEyLjI0NiwwTDAsNy4wN0wxMi4yNDYsMEwyNC40OTIsNy4wN0wyNC40OTIsMjEuMjExTDEyLjI0NiwyOC4yODFMMTIuMjQ2LDQyLjQyMloiIHN0eWxlPSJmaWxsOnJnYig3NiwxNjcsNDMpOyIvPgogICAgICAgICAgICA8cGF0aCBpZD0iYmFzZS10cmlzdGFyMiIgZD0iTTE2LjQ1Niw0NC44NTJMMTYuNDU2LDMwLjcxMkwyOC43MDIsMjMuNjQxTDI4LjcwMiw5LjUwMUw0MC45NDgsMi40MzFMNTMuMTk0LDkuNTAxTDUzLjE5NCwyMy42NDFMNjUuNDQsMzAuNzEyTDY1LjQ0LDQ0Ljg1Mkw1My4xOTQsNTEuOTIzTDQwLjk0OCw0NC44NTJMMjguNzAyLDUxLjkyM0wxNi40NTYsNDQuODUyWiIgc3R5bGU9ImZpbGw6cmdiKDc2LDE2Nyw0Myk7Ii8+CiAgICAgICAgICAgIDx1c2UgaHJlZj0iI2Jhc2UtdHJpc3RhcjEiIHRyYW5zZm9ybT0idHJhbnNsYXRlKDgxLjg5NjU0MzUsMCkiLz4KICAgICAgICAgICAgPHVzZSBocmVmPSIjYmFzZS10cmlzdGFyMiIgdHJhbnNmb3JtPSJ0cmFuc2xhdGUoMCwtNDcuMjgyOTkpIiAvPgogICAgICAgICAgICA8dXNlIGhyZWY9IiNiYXNlLXRyaXN0YXIxIiB0cmFuc2Zvcm09InRyYW5zbGF0ZSgwLC00Ny4yODI5OSkiIC8+CiAgICAgICAgICAgIDx1c2UgaHJlZj0iI2Jhc2UtdHJpc3RhcjEiIHRyYW5zZm9ybT0idHJhbnNsYXRlKDgxLjg5NjU0MzUsLTQ3LjI4Mjk5KSIgLz4KICAgICAgICA8L3BhdHRlcm4+CiAgICA8L2RlZnM+CgogICAgPHJlY3QgeD0iMCIgeT0iMCIgd2lkdGg9IjgxLjg5NjU0MzUiIGhlaWdodD0iNDcuMjgyOTkiIGZpbGw9InVybCgjdHJpc3RhcnBhdHRlcm4pIi8+Cjwvc3ZnPgo=\"}}]]}}},\"nonselection_glyph\":{\"type\":\"object\",\"name\":\"VBar\",\"id\":\"p1056\",\"attributes\":{\"x\":{\"type\":\"field\",\"field\":\"x\"},\"top\":{\"type\":\"field\",\"field\":\"top\"},\"line_color\":{\"type\":\"value\",\"value\":null},\"line_alpha\":{\"type\":\"value\",\"value\":0.1},\"fill_color\":{\"type\":\"value\",\"value\":\"#75757533\"},\"fill_alpha\":{\"type\":\"value\",\"value\":0.1},\"hatch_alpha\":{\"type\":\"value\",\"value\":0.1},\"hatch_pattern\":{\"type\":\"field\",\"field\":\"hatch_pattern\"},\"hatch_extra\":{\"type\":\"map\",\"entries\":[[\"pattern_0\",{\"id\":\"p1008\"}],[\"pattern_1\",{\"id\":\"p1009\"}],[\"pattern_2\",{\"id\":\"p1010\"}],[\"pattern_3\",{\"id\":\"p1011\"}],[\"pattern_4\",{\"id\":\"p1012\"}],[\"pattern_5\",{\"id\":\"p1013\"}],[\"pattern_6\",{\"id\":\"p1014\"}],[\"pattern_7\",{\"id\":\"p1015\"}]]}}},\"muted_glyph\":{\"type\":\"object\",\"name\":\"VBar\",\"id\":\"p1057\",\"attributes\":{\"x\":{\"type\":\"field\",\"field\":\"x\"},\"top\":{\"type\":\"field\",\"field\":\"top\"},\"line_color\":{\"type\":\"value\",\"value\":null},\"line_alpha\":{\"type\":\"value\",\"value\":0.2},\"fill_color\":{\"type\":\"value\",\"value\":\"#75757533\"},\"fill_alpha\":{\"type\":\"value\",\"value\":0.2},\"hatch_alpha\":{\"type\":\"value\",\"value\":0.2},\"hatch_pattern\":{\"type\":\"field\",\"field\":\"hatch_pattern\"},\"hatch_extra\":{\"type\":\"map\",\"entries\":[[\"pattern_0\",{\"id\":\"p1008\"}],[\"pattern_1\",{\"id\":\"p1009\"}],[\"pattern_2\",{\"id\":\"p1010\"}],[\"pattern_3\",{\"id\":\"p1011\"}],[\"pattern_4\",{\"id\":\"p1012\"}],[\"pattern_5\",{\"id\":\"p1013\"}],[\"pattern_6\",{\"id\":\"p1014\"}],[\"pattern_7\",{\"id\":\"p1015\"}]]}}}}}],\"toolbar\":{\"type\":\"object\",\"name\":\"Toolbar\",\"id\":\"p1025\",\"attributes\":{\"tools\":[{\"type\":\"object\",\"name\":\"PanTool\",\"id\":\"p1039\"},{\"type\":\"object\",\"name\":\"WheelZoomTool\",\"id\":\"p1040\",\"attributes\":{\"renderers\":\"auto\"}},{\"type\":\"object\",\"name\":\"BoxZoomTool\",\"id\":\"p1041\",\"attributes\":{\"dimensions\":\"both\",\"overlay\":{\"type\":\"object\",\"name\":\"BoxAnnotation\",\"id\":\"p1042\",\"attributes\":{\"syncable\":false,\"line_color\":\"black\",\"line_alpha\":1.0,\"line_width\":2,\"line_dash\":[4,4],\"fill_color\":\"lightgrey\",\"fill_alpha\":0.5,\"level\":\"overlay\",\"visible\":false,\"left\":{\"type\":\"number\",\"value\":\"nan\"},\"right\":{\"type\":\"number\",\"value\":\"nan\"},\"top\":{\"type\":\"number\",\"value\":\"nan\"},\"bottom\":{\"type\":\"number\",\"value\":\"nan\"},\"left_units\":\"canvas\",\"right_units\":\"canvas\",\"top_units\":\"canvas\",\"bottom_units\":\"canvas\",\"handles\":{\"type\":\"object\",\"name\":\"BoxInteractionHandles\",\"id\":\"p1048\",\"attributes\":{\"all\":{\"type\":\"object\",\"name\":\"AreaVisuals\",\"id\":\"p1047\",\"attributes\":{\"fill_color\":\"white\",\"hover_fill_color\":\"lightgray\"}}}}}}}},{\"type\":\"object\",\"name\":\"SaveTool\",\"id\":\"p1049\"},{\"type\":\"object\",\"name\":\"ResetTool\",\"id\":\"p1050\"},{\"type\":\"object\",\"name\":\"HelpTool\",\"id\":\"p1051\"}]}},\"left\":[{\"type\":\"object\",\"name\":\"LinearAxis\",\"id\":\"p1034\",\"attributes\":{\"ticker\":{\"type\":\"object\",\"name\":\"BasicTicker\",\"id\":\"p1035\",\"attributes\":{\"mantissas\":[1,2,5]}},\"formatter\":{\"type\":\"object\",\"name\":\"BasicTickFormatter\",\"id\":\"p1036\"},\"major_label_policy\":{\"type\":\"object\",\"name\":\"AllLabels\",\"id\":\"p1037\"}}}],\"below\":[{\"type\":\"object\",\"name\":\"CategoricalAxis\",\"id\":\"p1029\",\"attributes\":{\"ticker\":{\"type\":\"object\",\"name\":\"CategoricalTicker\",\"id\":\"p1030\"},\"formatter\":{\"type\":\"object\",\"name\":\"CategoricalTickFormatter\",\"id\":\"p1031\"},\"major_label_policy\":{\"type\":\"object\",\"name\":\"AllLabels\",\"id\":\"p1032\"}}}],\"center\":[{\"type\":\"object\",\"name\":\"Grid\",\"id\":\"p1033\",\"attributes\":{\"axis\":{\"id\":\"p1029\"}}},{\"type\":\"object\",\"name\":\"Grid\",\"id\":\"p1038\",\"attributes\":{\"dimension\":1,\"axis\":{\"id\":\"p1034\"}}}],\"background_fill_color\":null,\"border_fill_color\":null,\"output_backend\":\"svg\"}}]}};\n", " const render_items = [{\"docid\":\"a71e47d8-7644-487f-99f9-1e5b5f652b8f\",\"roots\":{\"p1016\":\"ef2ffe76-b294-49be-9101-b31c04319a4a\"},\"root_ids\":[\"p1016\"]}];\n", " void root.Bokeh.embed.embed_items_notebook(docs_json, render_items);\n", " }\n", " if (root.Bokeh !== undefined) {\n", " embed_document(root);\n", " } else {\n", " let attempts = 0;\n", " const timer = setInterval(function(root) {\n", " if (root.Bokeh !== undefined) {\n", " clearInterval(timer);\n", " embed_document(root);\n", " } else {\n", " attempts++;\n", " if (attempts > 100) {\n", " clearInterval(timer);\n", " console.log(\"Bokeh: ERROR: Unable to run BokehJS code because BokehJS library is missing\");\n", " }\n", " }\n", " }, 10, root)\n", " }\n", "})(window);" ], "application/vnd.bokehjs_exec.v0+json": "" }, "metadata": { "application/vnd.bokehjs_exec.v0+json": { "id": "p1016" } }, "output_type": "display_data" } ], "source": [ "p.output_backend=\"svg\"\n", "\n", "show(p)" ] } ], "metadata": { "kernelspec": { "display_name": "Python 3 (ipykernel)", "language": "python", "name": "python3" }, "language_info": { "codemirror_mode": { "name": "ipython", "version": 3 }, "file_extension": ".py", "mimetype": "text/x-python", "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", "version": "3.13.0" }, "widgets": { "application/vnd.jupyter.widget-state+json": { "state": {}, "version_major": 2, "version_minor": 0 } } }, "nbformat": 4, "nbformat_minor": 4 }