hotwire-spark 0.1.2
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- checksums.yaml +7 -0
- data/MIT-LICENSE +20 -0
- data/README.md +49 -0
- data/Rakefile +8 -0
- data/app/assets/javascripts/hotwire_spark.js +3705 -0
- data/app/assets/javascripts/hotwire_spark.js.map +1 -0
- data/app/assets/javascripts/hotwire_spark.min.js +2 -0
- data/app/assets/javascripts/hotwire_spark.min.js.map +1 -0
- data/app/assets/stylesheets/hotwire_spark/application.css +15 -0
- data/app/channels/hotwire/spark/channel.rb +5 -0
- data/app/javascript/hotwire/spark/channels/consumer.js +3 -0
- data/app/javascript/hotwire/spark/channels/monitoring_channel.js +47 -0
- data/app/javascript/hotwire/spark/helpers.js +37 -0
- data/app/javascript/hotwire/spark/index.js +14 -0
- data/app/javascript/hotwire/spark/logger.js +8 -0
- data/app/javascript/hotwire/spark/reloaders/css_reloader.js +65 -0
- data/app/javascript/hotwire/spark/reloaders/html_reloader.js +31 -0
- data/app/javascript/hotwire/spark/reloaders/stimulus_reloader.js +76 -0
- data/config/routes.rb +2 -0
- data/lib/hotwire/spark/action_cable/persistent_cable_middleware.rb +43 -0
- data/lib/hotwire/spark/action_cable/persistent_cable_server.rb +25 -0
- data/lib/hotwire/spark/action_cable/solid_cable_listener_with_safe_reloads.rb +8 -0
- data/lib/hotwire/spark/engine.rb +25 -0
- data/lib/hotwire/spark/file_watcher.rb +40 -0
- data/lib/hotwire/spark/installer.rb +52 -0
- data/lib/hotwire/spark/middleware.rb +55 -0
- data/lib/hotwire/spark/version.rb +5 -0
- data/lib/hotwire-spark.rb +26 -0
- data/lib/tasks/hotwire_spark_tasks.rake +4 -0
- metadata +173 -0
| @@ -0,0 +1 @@ | |
| 1 | 
            +
            {"version":3,"file":"hotwire_spark.min.js","sources":["../../../node_modules/@rails/actioncable/app/assets/javascripts/actioncable.esm.js","../../javascript/hotwire/spark/channels/consumer.js","../../javascript/hotwire/spark/helpers.js","../../../node_modules/idiomorph/dist/idiomorph.esm.js","../../javascript/hotwire/spark/logger.js","../../../node_modules/@hotwired/stimulus/dist/stimulus.js","../../javascript/hotwire/spark/reloaders/stimulus_reloader.js","../../javascript/hotwire/spark/reloaders/html_reloader.js","../../javascript/hotwire/spark/reloaders/css_reloader.js","../../javascript/hotwire/spark/channels/monitoring_channel.js","../../javascript/hotwire/spark/index.js"],"sourcesContent":["var adapters = {\n  logger: typeof console !== \"undefined\" ? console : undefined,\n  WebSocket: typeof WebSocket !== \"undefined\" ? WebSocket : undefined\n};\n\nvar logger = {\n  log(...messages) {\n    if (this.enabled) {\n      messages.push(Date.now());\n      adapters.logger.log(\"[ActionCable]\", ...messages);\n    }\n  }\n};\n\nconst now = () => (new Date).getTime();\n\nconst secondsSince = time => (now() - time) / 1e3;\n\nclass ConnectionMonitor {\n  constructor(connection) {\n    this.visibilityDidChange = this.visibilityDidChange.bind(this);\n    this.connection = connection;\n    this.reconnectAttempts = 0;\n  }\n  start() {\n    if (!this.isRunning()) {\n      this.startedAt = now();\n      delete this.stoppedAt;\n      this.startPolling();\n      addEventListener(\"visibilitychange\", this.visibilityDidChange);\n      logger.log(`ConnectionMonitor started. stale threshold = ${this.constructor.staleThreshold} s`);\n    }\n  }\n  stop() {\n    if (this.isRunning()) {\n      this.stoppedAt = now();\n      this.stopPolling();\n      removeEventListener(\"visibilitychange\", this.visibilityDidChange);\n      logger.log(\"ConnectionMonitor stopped\");\n    }\n  }\n  isRunning() {\n    return this.startedAt && !this.stoppedAt;\n  }\n  recordMessage() {\n    this.pingedAt = now();\n  }\n  recordConnect() {\n    this.reconnectAttempts = 0;\n    delete this.disconnectedAt;\n    logger.log(\"ConnectionMonitor recorded connect\");\n  }\n  recordDisconnect() {\n    this.disconnectedAt = now();\n    logger.log(\"ConnectionMonitor recorded disconnect\");\n  }\n  startPolling() {\n    this.stopPolling();\n    this.poll();\n  }\n  stopPolling() {\n    clearTimeout(this.pollTimeout);\n  }\n  poll() {\n    this.pollTimeout = setTimeout((() => {\n      this.reconnectIfStale();\n      this.poll();\n    }), this.getPollInterval());\n  }\n  getPollInterval() {\n    const {staleThreshold: staleThreshold, reconnectionBackoffRate: reconnectionBackoffRate} = this.constructor;\n    const backoff = Math.pow(1 + reconnectionBackoffRate, Math.min(this.reconnectAttempts, 10));\n    const jitterMax = this.reconnectAttempts === 0 ? 1 : reconnectionBackoffRate;\n    const jitter = jitterMax * Math.random();\n    return staleThreshold * 1e3 * backoff * (1 + jitter);\n  }\n  reconnectIfStale() {\n    if (this.connectionIsStale()) {\n      logger.log(`ConnectionMonitor detected stale connection. reconnectAttempts = ${this.reconnectAttempts}, time stale = ${secondsSince(this.refreshedAt)} s, stale threshold = ${this.constructor.staleThreshold} s`);\n      this.reconnectAttempts++;\n      if (this.disconnectedRecently()) {\n        logger.log(`ConnectionMonitor skipping reopening recent disconnect. time disconnected = ${secondsSince(this.disconnectedAt)} s`);\n      } else {\n        logger.log(\"ConnectionMonitor reopening\");\n        this.connection.reopen();\n      }\n    }\n  }\n  get refreshedAt() {\n    return this.pingedAt ? this.pingedAt : this.startedAt;\n  }\n  connectionIsStale() {\n    return secondsSince(this.refreshedAt) > this.constructor.staleThreshold;\n  }\n  disconnectedRecently() {\n    return this.disconnectedAt && secondsSince(this.disconnectedAt) < this.constructor.staleThreshold;\n  }\n  visibilityDidChange() {\n    if (document.visibilityState === \"visible\") {\n      setTimeout((() => {\n        if (this.connectionIsStale() || !this.connection.isOpen()) {\n          logger.log(`ConnectionMonitor reopening stale connection on visibilitychange. visibilityState = ${document.visibilityState}`);\n          this.connection.reopen();\n        }\n      }), 200);\n    }\n  }\n}\n\nConnectionMonitor.staleThreshold = 6;\n\nConnectionMonitor.reconnectionBackoffRate = .15;\n\nvar INTERNAL = {\n  message_types: {\n    welcome: \"welcome\",\n    disconnect: \"disconnect\",\n    ping: \"ping\",\n    confirmation: \"confirm_subscription\",\n    rejection: \"reject_subscription\"\n  },\n  disconnect_reasons: {\n    unauthorized: \"unauthorized\",\n    invalid_request: \"invalid_request\",\n    server_restart: \"server_restart\",\n    remote: \"remote\"\n  },\n  default_mount_path: \"/cable\",\n  protocols: [ \"actioncable-v1-json\", \"actioncable-unsupported\" ]\n};\n\nconst {message_types: message_types, protocols: protocols} = INTERNAL;\n\nconst supportedProtocols = protocols.slice(0, protocols.length - 1);\n\nconst indexOf = [].indexOf;\n\nclass Connection {\n  constructor(consumer) {\n    this.open = this.open.bind(this);\n    this.consumer = consumer;\n    this.subscriptions = this.consumer.subscriptions;\n    this.monitor = new ConnectionMonitor(this);\n    this.disconnected = true;\n  }\n  send(data) {\n    if (this.isOpen()) {\n      this.webSocket.send(JSON.stringify(data));\n      return true;\n    } else {\n      return false;\n    }\n  }\n  open() {\n    if (this.isActive()) {\n      logger.log(`Attempted to open WebSocket, but existing socket is ${this.getState()}`);\n      return false;\n    } else {\n      const socketProtocols = [ ...protocols, ...this.consumer.subprotocols || [] ];\n      logger.log(`Opening WebSocket, current state is ${this.getState()}, subprotocols: ${socketProtocols}`);\n      if (this.webSocket) {\n        this.uninstallEventHandlers();\n      }\n      this.webSocket = new adapters.WebSocket(this.consumer.url, socketProtocols);\n      this.installEventHandlers();\n      this.monitor.start();\n      return true;\n    }\n  }\n  close({allowReconnect: allowReconnect} = {\n    allowReconnect: true\n  }) {\n    if (!allowReconnect) {\n      this.monitor.stop();\n    }\n    if (this.isOpen()) {\n      return this.webSocket.close();\n    }\n  }\n  reopen() {\n    logger.log(`Reopening WebSocket, current state is ${this.getState()}`);\n    if (this.isActive()) {\n      try {\n        return this.close();\n      } catch (error) {\n        logger.log(\"Failed to reopen WebSocket\", error);\n      } finally {\n        logger.log(`Reopening WebSocket in ${this.constructor.reopenDelay}ms`);\n        setTimeout(this.open, this.constructor.reopenDelay);\n      }\n    } else {\n      return this.open();\n    }\n  }\n  getProtocol() {\n    if (this.webSocket) {\n      return this.webSocket.protocol;\n    }\n  }\n  isOpen() {\n    return this.isState(\"open\");\n  }\n  isActive() {\n    return this.isState(\"open\", \"connecting\");\n  }\n  triedToReconnect() {\n    return this.monitor.reconnectAttempts > 0;\n  }\n  isProtocolSupported() {\n    return indexOf.call(supportedProtocols, this.getProtocol()) >= 0;\n  }\n  isState(...states) {\n    return indexOf.call(states, this.getState()) >= 0;\n  }\n  getState() {\n    if (this.webSocket) {\n      for (let state in adapters.WebSocket) {\n        if (adapters.WebSocket[state] === this.webSocket.readyState) {\n          return state.toLowerCase();\n        }\n      }\n    }\n    return null;\n  }\n  installEventHandlers() {\n    for (let eventName in this.events) {\n      const handler = this.events[eventName].bind(this);\n      this.webSocket[`on${eventName}`] = handler;\n    }\n  }\n  uninstallEventHandlers() {\n    for (let eventName in this.events) {\n      this.webSocket[`on${eventName}`] = function() {};\n    }\n  }\n}\n\nConnection.reopenDelay = 500;\n\nConnection.prototype.events = {\n  message(event) {\n    if (!this.isProtocolSupported()) {\n      return;\n    }\n    const {identifier: identifier, message: message, reason: reason, reconnect: reconnect, type: type} = JSON.parse(event.data);\n    this.monitor.recordMessage();\n    switch (type) {\n     case message_types.welcome:\n      if (this.triedToReconnect()) {\n        this.reconnectAttempted = true;\n      }\n      this.monitor.recordConnect();\n      return this.subscriptions.reload();\n\n     case message_types.disconnect:\n      logger.log(`Disconnecting. Reason: ${reason}`);\n      return this.close({\n        allowReconnect: reconnect\n      });\n\n     case message_types.ping:\n      return null;\n\n     case message_types.confirmation:\n      this.subscriptions.confirmSubscription(identifier);\n      if (this.reconnectAttempted) {\n        this.reconnectAttempted = false;\n        return this.subscriptions.notify(identifier, \"connected\", {\n          reconnected: true\n        });\n      } else {\n        return this.subscriptions.notify(identifier, \"connected\", {\n          reconnected: false\n        });\n      }\n\n     case message_types.rejection:\n      return this.subscriptions.reject(identifier);\n\n     default:\n      return this.subscriptions.notify(identifier, \"received\", message);\n    }\n  },\n  open() {\n    logger.log(`WebSocket onopen event, using '${this.getProtocol()}' subprotocol`);\n    this.disconnected = false;\n    if (!this.isProtocolSupported()) {\n      logger.log(\"Protocol is unsupported. Stopping monitor and disconnecting.\");\n      return this.close({\n        allowReconnect: false\n      });\n    }\n  },\n  close(event) {\n    logger.log(\"WebSocket onclose event\");\n    if (this.disconnected) {\n      return;\n    }\n    this.disconnected = true;\n    this.monitor.recordDisconnect();\n    return this.subscriptions.notifyAll(\"disconnected\", {\n      willAttemptReconnect: this.monitor.isRunning()\n    });\n  },\n  error() {\n    logger.log(\"WebSocket onerror event\");\n  }\n};\n\nconst extend = function(object, properties) {\n  if (properties != null) {\n    for (let key in properties) {\n      const value = properties[key];\n      object[key] = value;\n    }\n  }\n  return object;\n};\n\nclass Subscription {\n  constructor(consumer, params = {}, mixin) {\n    this.consumer = consumer;\n    this.identifier = JSON.stringify(params);\n    extend(this, mixin);\n  }\n  perform(action, data = {}) {\n    data.action = action;\n    return this.send(data);\n  }\n  send(data) {\n    return this.consumer.send({\n      command: \"message\",\n      identifier: this.identifier,\n      data: JSON.stringify(data)\n    });\n  }\n  unsubscribe() {\n    return this.consumer.subscriptions.remove(this);\n  }\n}\n\nclass SubscriptionGuarantor {\n  constructor(subscriptions) {\n    this.subscriptions = subscriptions;\n    this.pendingSubscriptions = [];\n  }\n  guarantee(subscription) {\n    if (this.pendingSubscriptions.indexOf(subscription) == -1) {\n      logger.log(`SubscriptionGuarantor guaranteeing ${subscription.identifier}`);\n      this.pendingSubscriptions.push(subscription);\n    } else {\n      logger.log(`SubscriptionGuarantor already guaranteeing ${subscription.identifier}`);\n    }\n    this.startGuaranteeing();\n  }\n  forget(subscription) {\n    logger.log(`SubscriptionGuarantor forgetting ${subscription.identifier}`);\n    this.pendingSubscriptions = this.pendingSubscriptions.filter((s => s !== subscription));\n  }\n  startGuaranteeing() {\n    this.stopGuaranteeing();\n    this.retrySubscribing();\n  }\n  stopGuaranteeing() {\n    clearTimeout(this.retryTimeout);\n  }\n  retrySubscribing() {\n    this.retryTimeout = setTimeout((() => {\n      if (this.subscriptions && typeof this.subscriptions.subscribe === \"function\") {\n        this.pendingSubscriptions.map((subscription => {\n          logger.log(`SubscriptionGuarantor resubscribing ${subscription.identifier}`);\n          this.subscriptions.subscribe(subscription);\n        }));\n      }\n    }), 500);\n  }\n}\n\nclass Subscriptions {\n  constructor(consumer) {\n    this.consumer = consumer;\n    this.guarantor = new SubscriptionGuarantor(this);\n    this.subscriptions = [];\n  }\n  create(channelName, mixin) {\n    const channel = channelName;\n    const params = typeof channel === \"object\" ? channel : {\n      channel: channel\n    };\n    const subscription = new Subscription(this.consumer, params, mixin);\n    return this.add(subscription);\n  }\n  add(subscription) {\n    this.subscriptions.push(subscription);\n    this.consumer.ensureActiveConnection();\n    this.notify(subscription, \"initialized\");\n    this.subscribe(subscription);\n    return subscription;\n  }\n  remove(subscription) {\n    this.forget(subscription);\n    if (!this.findAll(subscription.identifier).length) {\n      this.sendCommand(subscription, \"unsubscribe\");\n    }\n    return subscription;\n  }\n  reject(identifier) {\n    return this.findAll(identifier).map((subscription => {\n      this.forget(subscription);\n      this.notify(subscription, \"rejected\");\n      return subscription;\n    }));\n  }\n  forget(subscription) {\n    this.guarantor.forget(subscription);\n    this.subscriptions = this.subscriptions.filter((s => s !== subscription));\n    return subscription;\n  }\n  findAll(identifier) {\n    return this.subscriptions.filter((s => s.identifier === identifier));\n  }\n  reload() {\n    return this.subscriptions.map((subscription => this.subscribe(subscription)));\n  }\n  notifyAll(callbackName, ...args) {\n    return this.subscriptions.map((subscription => this.notify(subscription, callbackName, ...args)));\n  }\n  notify(subscription, callbackName, ...args) {\n    let subscriptions;\n    if (typeof subscription === \"string\") {\n      subscriptions = this.findAll(subscription);\n    } else {\n      subscriptions = [ subscription ];\n    }\n    return subscriptions.map((subscription => typeof subscription[callbackName] === \"function\" ? subscription[callbackName](...args) : undefined));\n  }\n  subscribe(subscription) {\n    if (this.sendCommand(subscription, \"subscribe\")) {\n      this.guarantor.guarantee(subscription);\n    }\n  }\n  confirmSubscription(identifier) {\n    logger.log(`Subscription confirmed ${identifier}`);\n    this.findAll(identifier).map((subscription => this.guarantor.forget(subscription)));\n  }\n  sendCommand(subscription, command) {\n    const {identifier: identifier} = subscription;\n    return this.consumer.send({\n      command: command,\n      identifier: identifier\n    });\n  }\n}\n\nclass Consumer {\n  constructor(url) {\n    this._url = url;\n    this.subscriptions = new Subscriptions(this);\n    this.connection = new Connection(this);\n    this.subprotocols = [];\n  }\n  get url() {\n    return createWebSocketURL(this._url);\n  }\n  send(data) {\n    return this.connection.send(data);\n  }\n  connect() {\n    return this.connection.open();\n  }\n  disconnect() {\n    return this.connection.close({\n      allowReconnect: false\n    });\n  }\n  ensureActiveConnection() {\n    if (!this.connection.isActive()) {\n      return this.connection.open();\n    }\n  }\n  addSubProtocol(subprotocol) {\n    this.subprotocols = [ ...this.subprotocols, subprotocol ];\n  }\n}\n\nfunction createWebSocketURL(url) {\n  if (typeof url === \"function\") {\n    url = url();\n  }\n  if (url && !/^wss?:/i.test(url)) {\n    const a = document.createElement(\"a\");\n    a.href = url;\n    a.href = a.href;\n    a.protocol = a.protocol.replace(\"http\", \"ws\");\n    return a.href;\n  } else {\n    return url;\n  }\n}\n\nfunction createConsumer(url = getConfig(\"url\") || INTERNAL.default_mount_path) {\n  return new Consumer(url);\n}\n\nfunction getConfig(name) {\n  const element = document.head.querySelector(`meta[name='action-cable-${name}']`);\n  if (element) {\n    return element.getAttribute(\"content\");\n  }\n}\n\nexport { Connection, ConnectionMonitor, Consumer, INTERNAL, Subscription, SubscriptionGuarantor, Subscriptions, adapters, createConsumer, createWebSocketURL, getConfig, logger };\n","import { createConsumer } from \"@rails/actioncable\"\n\nexport default createConsumer()\n","export function assetNameFromPath(path) {\n  return path.split(\"/\").pop().split(\".\")[0]\n}\n\nexport function pathWithoutAssetDigest(path) {\n  return path.replace(/-[a-z0-9]+\\.(\\w+)(\\?.*)?$/, \".$1\")\n}\n\nexport function urlWithParams(urlString, params) {\n  const url = new URL(urlString, window.location.origin)\n  Object.entries(params).forEach(([ key, value ]) => {\n    url.searchParams.set(key, value)\n  })\n  return url.toString()\n}\n\nexport function cacheBustedUrl(urlString) {\n  return urlWithParams(urlString, { reload: Date.now() })\n}\n\nexport async function reloadHtmlDocument() {\n  let currentUrl = cacheBustedUrl(urlWithParams(window.location.href, { hotwire_spark: \"true\" }))\n  const response = await fetch(currentUrl)\n\n  if (!response.ok) {\n    throw new Error(`${response.status} when fetching ${currentUrl}`)\n  }\n\n  const fetchedHTML = await response.text()\n  const parser = new DOMParser()\n  return parser.parseFromString(fetchedHTML, \"text/html\")\n}\n\nexport function getConfigurationProperty(name) {\n  return document.querySelector(`meta[name=\"hotwire-spark:${name}\"]`)?.content\n}\n\n","// base IIFE to define idiomorph\nvar Idiomorph = (function () {\n        'use strict';\n\n        //=============================================================================\n        // AND NOW IT BEGINS...\n        //=============================================================================\n        let EMPTY_SET = new Set();\n\n        // default configuration values, updatable by users now\n        let defaults = {\n            morphStyle: \"outerHTML\",\n            callbacks : {\n                beforeNodeAdded: noOp,\n                afterNodeAdded: noOp,\n                beforeNodeMorphed: noOp,\n                afterNodeMorphed: noOp,\n                beforeNodeRemoved: noOp,\n                afterNodeRemoved: noOp,\n                beforeAttributeUpdated: noOp,\n\n            },\n            head: {\n                style: 'merge',\n                shouldPreserve: function (elt) {\n                    return elt.getAttribute(\"im-preserve\") === \"true\";\n                },\n                shouldReAppend: function (elt) {\n                    return elt.getAttribute(\"im-re-append\") === \"true\";\n                },\n                shouldRemove: noOp,\n                afterHeadMorphed: noOp,\n            }\n        };\n\n        //=============================================================================\n        // Core Morphing Algorithm - morph, morphNormalizedContent, morphOldNodeTo, morphChildren\n        //=============================================================================\n        function morph(oldNode, newContent, config = {}) {\n\n            if (oldNode instanceof Document) {\n                oldNode = oldNode.documentElement;\n            }\n\n            if (typeof newContent === 'string') {\n                newContent = parseContent(newContent);\n            }\n\n            let normalizedContent = normalizeContent(newContent);\n\n            let ctx = createMorphContext(oldNode, normalizedContent, config);\n\n            return morphNormalizedContent(oldNode, normalizedContent, ctx);\n        }\n\n        function morphNormalizedContent(oldNode, normalizedNewContent, ctx) {\n            if (ctx.head.block) {\n                let oldHead = oldNode.querySelector('head');\n                let newHead = normalizedNewContent.querySelector('head');\n                if (oldHead && newHead) {\n                    let promises = handleHeadElement(newHead, oldHead, ctx);\n                    // when head promises resolve, call morph again, ignoring the head tag\n                    Promise.all(promises).then(function () {\n                        morphNormalizedContent(oldNode, normalizedNewContent, Object.assign(ctx, {\n                            head: {\n                                block: false,\n                                ignore: true\n                            }\n                        }));\n                    });\n                    return;\n                }\n            }\n\n            if (ctx.morphStyle === \"innerHTML\") {\n\n                // innerHTML, so we are only updating the children\n                morphChildren(normalizedNewContent, oldNode, ctx);\n                return oldNode.children;\n\n            } else if (ctx.morphStyle === \"outerHTML\" || ctx.morphStyle == null) {\n                // otherwise find the best element match in the new content, morph that, and merge its siblings\n                // into either side of the best match\n                let bestMatch = findBestNodeMatch(normalizedNewContent, oldNode, ctx);\n\n                // stash the siblings that will need to be inserted on either side of the best match\n                let previousSibling = bestMatch?.previousSibling;\n                let nextSibling = bestMatch?.nextSibling;\n\n                // morph it\n                let morphedNode = morphOldNodeTo(oldNode, bestMatch, ctx);\n\n                if (bestMatch) {\n                    // if there was a best match, merge the siblings in too and return the\n                    // whole bunch\n                    return insertSiblings(previousSibling, morphedNode, nextSibling);\n                } else {\n                    // otherwise nothing was added to the DOM\n                    return []\n                }\n            } else {\n                throw \"Do not understand how to morph style \" + ctx.morphStyle;\n            }\n        }\n\n\n        /**\n         * @param possibleActiveElement\n         * @param ctx\n         * @returns {boolean}\n         */\n        function ignoreValueOfActiveElement(possibleActiveElement, ctx) {\n            return ctx.ignoreActiveValue && possibleActiveElement === document.activeElement;\n        }\n\n        /**\n         * @param oldNode root node to merge content into\n         * @param newContent new content to merge\n         * @param ctx the merge context\n         * @returns {Element} the element that ended up in the DOM\n         */\n        function morphOldNodeTo(oldNode, newContent, ctx) {\n            if (ctx.ignoreActive && oldNode === document.activeElement) {\n                // don't morph focused element\n            } else if (newContent == null) {\n                if (ctx.callbacks.beforeNodeRemoved(oldNode) === false) return oldNode;\n\n                oldNode.remove();\n                ctx.callbacks.afterNodeRemoved(oldNode);\n                return null;\n            } else if (!isSoftMatch(oldNode, newContent)) {\n                if (ctx.callbacks.beforeNodeRemoved(oldNode) === false) return oldNode;\n                if (ctx.callbacks.beforeNodeAdded(newContent) === false) return oldNode;\n\n                oldNode.parentElement.replaceChild(newContent, oldNode);\n                ctx.callbacks.afterNodeAdded(newContent);\n                ctx.callbacks.afterNodeRemoved(oldNode);\n                return newContent;\n            } else {\n                if (ctx.callbacks.beforeNodeMorphed(oldNode, newContent) === false) return oldNode;\n\n                if (oldNode instanceof HTMLHeadElement && ctx.head.ignore) {\n                    // ignore the head element\n                } else if (oldNode instanceof HTMLHeadElement && ctx.head.style !== \"morph\") {\n                    handleHeadElement(newContent, oldNode, ctx);\n                } else {\n                    syncNodeFrom(newContent, oldNode, ctx);\n                    if (!ignoreValueOfActiveElement(oldNode, ctx)) {\n                        morphChildren(newContent, oldNode, ctx);\n                    }\n                }\n                ctx.callbacks.afterNodeMorphed(oldNode, newContent);\n                return oldNode;\n            }\n        }\n\n        /**\n         * This is the core algorithm for matching up children.  The idea is to use id sets to try to match up\n         * nodes as faithfully as possible.  We greedily match, which allows us to keep the algorithm fast, but\n         * by using id sets, we are able to better match up with content deeper in the DOM.\n         *\n         * Basic algorithm is, for each node in the new content:\n         *\n         * - if we have reached the end of the old parent, append the new content\n         * - if the new content has an id set match with the current insertion point, morph\n         * - search for an id set match\n         * - if id set match found, morph\n         * - otherwise search for a \"soft\" match\n         * - if a soft match is found, morph\n         * - otherwise, prepend the new node before the current insertion point\n         *\n         * The two search algorithms terminate if competing node matches appear to outweigh what can be achieved\n         * with the current node.  See findIdSetMatch() and findSoftMatch() for details.\n         *\n         * @param {Element} newParent the parent element of the new content\n         * @param {Element } oldParent the old content that we are merging the new content into\n         * @param ctx the merge context\n         */\n        function morphChildren(newParent, oldParent, ctx) {\n\n            let nextNewChild = newParent.firstChild;\n            let insertionPoint = oldParent.firstChild;\n            let newChild;\n\n            // run through all the new content\n            while (nextNewChild) {\n\n                newChild = nextNewChild;\n                nextNewChild = newChild.nextSibling;\n\n                // if we are at the end of the exiting parent's children, just append\n                if (insertionPoint == null) {\n                    if (ctx.callbacks.beforeNodeAdded(newChild) === false) return;\n\n                    oldParent.appendChild(newChild);\n                    ctx.callbacks.afterNodeAdded(newChild);\n                    removeIdsFromConsideration(ctx, newChild);\n                    continue;\n                }\n\n                // if the current node has an id set match then morph\n                if (isIdSetMatch(newChild, insertionPoint, ctx)) {\n                    morphOldNodeTo(insertionPoint, newChild, ctx);\n                    insertionPoint = insertionPoint.nextSibling;\n                    removeIdsFromConsideration(ctx, newChild);\n                    continue;\n                }\n\n                // otherwise search forward in the existing old children for an id set match\n                let idSetMatch = findIdSetMatch(newParent, oldParent, newChild, insertionPoint, ctx);\n\n                // if we found a potential match, remove the nodes until that point and morph\n                if (idSetMatch) {\n                    insertionPoint = removeNodesBetween(insertionPoint, idSetMatch, ctx);\n                    morphOldNodeTo(idSetMatch, newChild, ctx);\n                    removeIdsFromConsideration(ctx, newChild);\n                    continue;\n                }\n\n                // no id set match found, so scan forward for a soft match for the current node\n                let softMatch = findSoftMatch(newParent, oldParent, newChild, insertionPoint, ctx);\n\n                // if we found a soft match for the current node, morph\n                if (softMatch) {\n                    insertionPoint = removeNodesBetween(insertionPoint, softMatch, ctx);\n                    morphOldNodeTo(softMatch, newChild, ctx);\n                    removeIdsFromConsideration(ctx, newChild);\n                    continue;\n                }\n\n                // abandon all hope of morphing, just insert the new child before the insertion point\n                // and move on\n                if (ctx.callbacks.beforeNodeAdded(newChild) === false) return;\n\n                oldParent.insertBefore(newChild, insertionPoint);\n                ctx.callbacks.afterNodeAdded(newChild);\n                removeIdsFromConsideration(ctx, newChild);\n            }\n\n            // remove any remaining old nodes that didn't match up with new content\n            while (insertionPoint !== null) {\n\n                let tempNode = insertionPoint;\n                insertionPoint = insertionPoint.nextSibling;\n                removeNode(tempNode, ctx);\n            }\n        }\n\n        //=============================================================================\n        // Attribute Syncing Code\n        //=============================================================================\n\n        /**\n         * @param attr {String} the attribute to be mutated\n         * @param to {Element} the element that is going to be updated\n         * @param updateType {(\"update\"|\"remove\")}\n         * @param ctx the merge context\n         * @returns {boolean} true if the attribute should be ignored, false otherwise\n         */\n        function ignoreAttribute(attr, to, updateType, ctx) {\n            if(attr === 'value' && ctx.ignoreActiveValue && to === document.activeElement){\n                return true;\n            }\n            return ctx.callbacks.beforeAttributeUpdated(attr, to, updateType) === false;\n        }\n\n        /**\n         * syncs a given node with another node, copying over all attributes and\n         * inner element state from the 'from' node to the 'to' node\n         *\n         * @param {Element} from the element to copy attributes & state from\n         * @param {Element} to the element to copy attributes & state to\n         * @param ctx the merge context\n         */\n        function syncNodeFrom(from, to, ctx) {\n            let type = from.nodeType\n\n            // if is an element type, sync the attributes from the\n            // new node into the new node\n            if (type === 1 /* element type */) {\n                const fromAttributes = from.attributes;\n                const toAttributes = to.attributes;\n                for (const fromAttribute of fromAttributes) {\n                    if (ignoreAttribute(fromAttribute.name, to, 'update', ctx)) {\n                        continue;\n                    }\n                    if (to.getAttribute(fromAttribute.name) !== fromAttribute.value) {\n                        to.setAttribute(fromAttribute.name, fromAttribute.value);\n                    }\n                }\n                // iterate backwards to avoid skipping over items when a delete occurs\n                for (let i = toAttributes.length - 1; 0 <= i; i--) {\n                    const toAttribute = toAttributes[i];\n                    if (ignoreAttribute(toAttribute.name, to, 'remove', ctx)) {\n                        continue;\n                    }\n                    if (!from.hasAttribute(toAttribute.name)) {\n                        to.removeAttribute(toAttribute.name);\n                    }\n                }\n            }\n\n            // sync text nodes\n            if (type === 8 /* comment */ || type === 3 /* text */) {\n                if (to.nodeValue !== from.nodeValue) {\n                    to.nodeValue = from.nodeValue;\n                }\n            }\n\n            if (!ignoreValueOfActiveElement(to, ctx)) {\n                // sync input values\n                syncInputValue(from, to, ctx);\n            }\n        }\n\n        /**\n         * @param from {Element} element to sync the value from\n         * @param to {Element} element to sync the value to\n         * @param attributeName {String} the attribute name\n         * @param ctx the merge context\n         */\n        function syncBooleanAttribute(from, to, attributeName, ctx) {\n            if (from[attributeName] !== to[attributeName]) {\n                let ignoreUpdate = ignoreAttribute(attributeName, to, 'update', ctx);\n                if (!ignoreUpdate) {\n                    to[attributeName] = from[attributeName];\n                }\n                if (from[attributeName]) {\n                    if (!ignoreUpdate) {\n                        to.setAttribute(attributeName, from[attributeName]);\n                    }\n                } else {\n                    if (!ignoreAttribute(attributeName, to, 'remove', ctx)) {\n                        to.removeAttribute(attributeName);\n                    }\n                }\n            }\n        }\n\n        /**\n         * NB: many bothans died to bring us information:\n         *\n         *  https://github.com/patrick-steele-idem/morphdom/blob/master/src/specialElHandlers.js\n         *  https://github.com/choojs/nanomorph/blob/master/lib/morph.jsL113\n         *\n         * @param from {Element} the element to sync the input value from\n         * @param to {Element} the element to sync the input value to\n         * @param ctx the merge context\n         */\n        function syncInputValue(from, to, ctx) {\n            if (from instanceof HTMLInputElement &&\n                to instanceof HTMLInputElement &&\n                from.type !== 'file') {\n\n                let fromValue = from.value;\n                let toValue = to.value;\n\n                // sync boolean attributes\n                syncBooleanAttribute(from, to, 'checked', ctx);\n                syncBooleanAttribute(from, to, 'disabled', ctx);\n\n                if (!from.hasAttribute('value')) {\n                    if (!ignoreAttribute('value', to, 'remove', ctx)) {\n                        to.value = '';\n                        to.removeAttribute('value');\n                    }\n                } else if (fromValue !== toValue) {\n                    if (!ignoreAttribute('value', to, 'update', ctx)) {\n                        to.setAttribute('value', fromValue);\n                        to.value = fromValue;\n                    }\n                }\n            } else if (from instanceof HTMLOptionElement) {\n                syncBooleanAttribute(from, to, 'selected', ctx)\n            } else if (from instanceof HTMLTextAreaElement && to instanceof HTMLTextAreaElement) {\n                let fromValue = from.value;\n                let toValue = to.value;\n                if (ignoreAttribute('value', to, 'update', ctx)) {\n                    return;\n                }\n                if (fromValue !== toValue) {\n                    to.value = fromValue;\n                }\n                if (to.firstChild && to.firstChild.nodeValue !== fromValue) {\n                    to.firstChild.nodeValue = fromValue\n                }\n            }\n        }\n\n        //=============================================================================\n        // the HEAD tag can be handled specially, either w/ a 'merge' or 'append' style\n        //=============================================================================\n        function handleHeadElement(newHeadTag, currentHead, ctx) {\n\n            let added = []\n            let removed = []\n            let preserved = []\n            let nodesToAppend = []\n\n            let headMergeStyle = ctx.head.style;\n\n            // put all new head elements into a Map, by their outerHTML\n            let srcToNewHeadNodes = new Map();\n            for (const newHeadChild of newHeadTag.children) {\n                srcToNewHeadNodes.set(newHeadChild.outerHTML, newHeadChild);\n            }\n\n            // for each elt in the current head\n            for (const currentHeadElt of currentHead.children) {\n\n                // If the current head element is in the map\n                let inNewContent = srcToNewHeadNodes.has(currentHeadElt.outerHTML);\n                let isReAppended = ctx.head.shouldReAppend(currentHeadElt);\n                let isPreserved = ctx.head.shouldPreserve(currentHeadElt);\n                if (inNewContent || isPreserved) {\n                    if (isReAppended) {\n                        // remove the current version and let the new version replace it and re-execute\n                        removed.push(currentHeadElt);\n                    } else {\n                        // this element already exists and should not be re-appended, so remove it from\n                        // the new content map, preserving it in the DOM\n                        srcToNewHeadNodes.delete(currentHeadElt.outerHTML);\n                        preserved.push(currentHeadElt);\n                    }\n                } else {\n                    if (headMergeStyle === \"append\") {\n                        // we are appending and this existing element is not new content\n                        // so if and only if it is marked for re-append do we do anything\n                        if (isReAppended) {\n                            removed.push(currentHeadElt);\n                            nodesToAppend.push(currentHeadElt);\n                        }\n                    } else {\n                        // if this is a merge, we remove this content since it is not in the new head\n                        if (ctx.head.shouldRemove(currentHeadElt) !== false) {\n                            removed.push(currentHeadElt);\n                        }\n                    }\n                }\n            }\n\n            // Push the remaining new head elements in the Map into the\n            // nodes to append to the head tag\n            nodesToAppend.push(...srcToNewHeadNodes.values());\n            log(\"to append: \", nodesToAppend);\n\n            let promises = [];\n            for (const newNode of nodesToAppend) {\n                log(\"adding: \", newNode);\n                let newElt = document.createRange().createContextualFragment(newNode.outerHTML).firstChild;\n                log(newElt);\n                if (ctx.callbacks.beforeNodeAdded(newElt) !== false) {\n                    if (newElt.href || newElt.src) {\n                        let resolve = null;\n                        let promise = new Promise(function (_resolve) {\n                            resolve = _resolve;\n                        });\n                        newElt.addEventListener('load', function () {\n                            resolve();\n                        });\n                        promises.push(promise);\n                    }\n                    currentHead.appendChild(newElt);\n                    ctx.callbacks.afterNodeAdded(newElt);\n                    added.push(newElt);\n                }\n            }\n\n            // remove all removed elements, after we have appended the new elements to avoid\n            // additional network requests for things like style sheets\n            for (const removedElement of removed) {\n                if (ctx.callbacks.beforeNodeRemoved(removedElement) !== false) {\n                    currentHead.removeChild(removedElement);\n                    ctx.callbacks.afterNodeRemoved(removedElement);\n                }\n            }\n\n            ctx.head.afterHeadMorphed(currentHead, {added: added, kept: preserved, removed: removed});\n            return promises;\n        }\n\n        //=============================================================================\n        // Misc\n        //=============================================================================\n\n        function log() {\n            //console.log(arguments);\n        }\n\n        function noOp() {\n        }\n\n        /*\n          Deep merges the config object and the Idiomoroph.defaults object to\n          produce a final configuration object\n         */\n        function mergeDefaults(config) {\n            let finalConfig = {};\n            // copy top level stuff into final config\n            Object.assign(finalConfig, defaults);\n            Object.assign(finalConfig, config);\n\n            // copy callbacks into final config (do this to deep merge the callbacks)\n            finalConfig.callbacks = {};\n            Object.assign(finalConfig.callbacks, defaults.callbacks);\n            Object.assign(finalConfig.callbacks, config.callbacks);\n\n            // copy head config into final config  (do this to deep merge the head)\n            finalConfig.head = {};\n            Object.assign(finalConfig.head, defaults.head);\n            Object.assign(finalConfig.head, config.head);\n            return finalConfig;\n        }\n\n        function createMorphContext(oldNode, newContent, config) {\n            config = mergeDefaults(config);\n            return {\n                target: oldNode,\n                newContent: newContent,\n                config: config,\n                morphStyle: config.morphStyle,\n                ignoreActive: config.ignoreActive,\n                ignoreActiveValue: config.ignoreActiveValue,\n                idMap: createIdMap(oldNode, newContent),\n                deadIds: new Set(),\n                callbacks: config.callbacks,\n                head: config.head\n            }\n        }\n\n        function isIdSetMatch(node1, node2, ctx) {\n            if (node1 == null || node2 == null) {\n                return false;\n            }\n            if (node1.nodeType === node2.nodeType && node1.tagName === node2.tagName) {\n                if (node1.id !== \"\" && node1.id === node2.id) {\n                    return true;\n                } else {\n                    return getIdIntersectionCount(ctx, node1, node2) > 0;\n                }\n            }\n            return false;\n        }\n\n        function isSoftMatch(node1, node2) {\n            if (node1 == null || node2 == null) {\n                return false;\n            }\n            return node1.nodeType === node2.nodeType && node1.tagName === node2.tagName\n        }\n\n        function removeNodesBetween(startInclusive, endExclusive, ctx) {\n            while (startInclusive !== endExclusive) {\n                let tempNode = startInclusive;\n                startInclusive = startInclusive.nextSibling;\n                removeNode(tempNode, ctx);\n            }\n            removeIdsFromConsideration(ctx, endExclusive);\n            return endExclusive.nextSibling;\n        }\n\n        //=============================================================================\n        // Scans forward from the insertionPoint in the old parent looking for a potential id match\n        // for the newChild.  We stop if we find a potential id match for the new child OR\n        // if the number of potential id matches we are discarding is greater than the\n        // potential id matches for the new child\n        //=============================================================================\n        function findIdSetMatch(newContent, oldParent, newChild, insertionPoint, ctx) {\n\n            // max id matches we are willing to discard in our search\n            let newChildPotentialIdCount = getIdIntersectionCount(ctx, newChild, oldParent);\n\n            let potentialMatch = null;\n\n            // only search forward if there is a possibility of an id match\n            if (newChildPotentialIdCount > 0) {\n                let potentialMatch = insertionPoint;\n                // if there is a possibility of an id match, scan forward\n                // keep track of the potential id match count we are discarding (the\n                // newChildPotentialIdCount must be greater than this to make it likely\n                // worth it)\n                let otherMatchCount = 0;\n                while (potentialMatch != null) {\n\n                    // If we have an id match, return the current potential match\n                    if (isIdSetMatch(newChild, potentialMatch, ctx)) {\n                        return potentialMatch;\n                    }\n\n                    // computer the other potential matches of this new content\n                    otherMatchCount += getIdIntersectionCount(ctx, potentialMatch, newContent);\n                    if (otherMatchCount > newChildPotentialIdCount) {\n                        // if we have more potential id matches in _other_ content, we\n                        // do not have a good candidate for an id match, so return null\n                        return null;\n                    }\n\n                    // advanced to the next old content child\n                    potentialMatch = potentialMatch.nextSibling;\n                }\n            }\n            return potentialMatch;\n        }\n\n        //=============================================================================\n        // Scans forward from the insertionPoint in the old parent looking for a potential soft match\n        // for the newChild.  We stop if we find a potential soft match for the new child OR\n        // if we find a potential id match in the old parents children OR if we find two\n        // potential soft matches for the next two pieces of new content\n        //=============================================================================\n        function findSoftMatch(newContent, oldParent, newChild, insertionPoint, ctx) {\n\n            let potentialSoftMatch = insertionPoint;\n            let nextSibling = newChild.nextSibling;\n            let siblingSoftMatchCount = 0;\n\n            while (potentialSoftMatch != null) {\n\n                if (getIdIntersectionCount(ctx, potentialSoftMatch, newContent) > 0) {\n                    // the current potential soft match has a potential id set match with the remaining new\n                    // content so bail out of looking\n                    return null;\n                }\n\n                // if we have a soft match with the current node, return it\n                if (isSoftMatch(newChild, potentialSoftMatch)) {\n                    return potentialSoftMatch;\n                }\n\n                if (isSoftMatch(nextSibling, potentialSoftMatch)) {\n                    // the next new node has a soft match with this node, so\n                    // increment the count of future soft matches\n                    siblingSoftMatchCount++;\n                    nextSibling = nextSibling.nextSibling;\n\n                    // If there are two future soft matches, bail to allow the siblings to soft match\n                    // so that we don't consume future soft matches for the sake of the current node\n                    if (siblingSoftMatchCount >= 2) {\n                        return null;\n                    }\n                }\n\n                // advanced to the next old content child\n                potentialSoftMatch = potentialSoftMatch.nextSibling;\n            }\n\n            return potentialSoftMatch;\n        }\n\n        function parseContent(newContent) {\n            let parser = new DOMParser();\n\n            // remove svgs to avoid false-positive matches on head, etc.\n            let contentWithSvgsRemoved = newContent.replace(/<svg(\\s[^>]*>|>)([\\s\\S]*?)<\\/svg>/gim, '');\n\n            // if the newContent contains a html, head or body tag, we can simply parse it w/o wrapping\n            if (contentWithSvgsRemoved.match(/<\\/html>/) || contentWithSvgsRemoved.match(/<\\/head>/) || contentWithSvgsRemoved.match(/<\\/body>/)) {\n                let content = parser.parseFromString(newContent, \"text/html\");\n                // if it is a full HTML document, return the document itself as the parent container\n                if (contentWithSvgsRemoved.match(/<\\/html>/)) {\n                    content.generatedByIdiomorph = true;\n                    return content;\n                } else {\n                    // otherwise return the html element as the parent container\n                    let htmlElement = content.firstChild;\n                    if (htmlElement) {\n                        htmlElement.generatedByIdiomorph = true;\n                        return htmlElement;\n                    } else {\n                        return null;\n                    }\n                }\n            } else {\n                // if it is partial HTML, wrap it in a template tag to provide a parent element and also to help\n                // deal with touchy tags like tr, tbody, etc.\n                let responseDoc = parser.parseFromString(\"<body><template>\" + newContent + \"</template></body>\", \"text/html\");\n                let content = responseDoc.body.querySelector('template').content;\n                content.generatedByIdiomorph = true;\n                return content\n            }\n        }\n\n        function normalizeContent(newContent) {\n            if (newContent == null) {\n                // noinspection UnnecessaryLocalVariableJS\n                const dummyParent = document.createElement('div');\n                return dummyParent;\n            } else if (newContent.generatedByIdiomorph) {\n                // the template tag created by idiomorph parsing can serve as a dummy parent\n                return newContent;\n            } else if (newContent instanceof Node) {\n                // a single node is added as a child to a dummy parent\n                const dummyParent = document.createElement('div');\n                dummyParent.append(newContent);\n                return dummyParent;\n            } else {\n                // all nodes in the array or HTMLElement collection are consolidated under\n                // a single dummy parent element\n                const dummyParent = document.createElement('div');\n                for (const elt of [...newContent]) {\n                    dummyParent.append(elt);\n                }\n                return dummyParent;\n            }\n        }\n\n        function insertSiblings(previousSibling, morphedNode, nextSibling) {\n            let stack = []\n            let added = []\n            while (previousSibling != null) {\n                stack.push(previousSibling);\n                previousSibling = previousSibling.previousSibling;\n            }\n            while (stack.length > 0) {\n                let node = stack.pop();\n                added.push(node); // push added preceding siblings on in order and insert\n                morphedNode.parentElement.insertBefore(node, morphedNode);\n            }\n            added.push(morphedNode);\n            while (nextSibling != null) {\n                stack.push(nextSibling);\n                added.push(nextSibling); // here we are going in order, so push on as we scan, rather than add\n                nextSibling = nextSibling.nextSibling;\n            }\n            while (stack.length > 0) {\n                morphedNode.parentElement.insertBefore(stack.pop(), morphedNode.nextSibling);\n            }\n            return added;\n        }\n\n        function findBestNodeMatch(newContent, oldNode, ctx) {\n            let currentElement;\n            currentElement = newContent.firstChild;\n            let bestElement = currentElement;\n            let score = 0;\n            while (currentElement) {\n                let newScore = scoreElement(currentElement, oldNode, ctx);\n                if (newScore > score) {\n                    bestElement = currentElement;\n                    score = newScore;\n                }\n                currentElement = currentElement.nextSibling;\n            }\n            return bestElement;\n        }\n\n        function scoreElement(node1, node2, ctx) {\n            if (isSoftMatch(node1, node2)) {\n                return .5 + getIdIntersectionCount(ctx, node1, node2);\n            }\n            return 0;\n        }\n\n        function removeNode(tempNode, ctx) {\n            removeIdsFromConsideration(ctx, tempNode)\n            if (ctx.callbacks.beforeNodeRemoved(tempNode) === false) return;\n\n            tempNode.remove();\n            ctx.callbacks.afterNodeRemoved(tempNode);\n        }\n\n        //=============================================================================\n        // ID Set Functions\n        //=============================================================================\n\n        function isIdInConsideration(ctx, id) {\n            return !ctx.deadIds.has(id);\n        }\n\n        function idIsWithinNode(ctx, id, targetNode) {\n            let idSet = ctx.idMap.get(targetNode) || EMPTY_SET;\n            return idSet.has(id);\n        }\n\n        function removeIdsFromConsideration(ctx, node) {\n            let idSet = ctx.idMap.get(node) || EMPTY_SET;\n            for (const id of idSet) {\n                ctx.deadIds.add(id);\n            }\n        }\n\n        function getIdIntersectionCount(ctx, node1, node2) {\n            let sourceSet = ctx.idMap.get(node1) || EMPTY_SET;\n            let matchCount = 0;\n            for (const id of sourceSet) {\n                // a potential match is an id in the source and potentialIdsSet, but\n                // that has not already been merged into the DOM\n                if (isIdInConsideration(ctx, id) && idIsWithinNode(ctx, id, node2)) {\n                    ++matchCount;\n                }\n            }\n            return matchCount;\n        }\n\n        /**\n         * A bottom up algorithm that finds all elements with ids inside of the node\n         * argument and populates id sets for those nodes and all their parents, generating\n         * a set of ids contained within all nodes for the entire hierarchy in the DOM\n         *\n         * @param node {Element}\n         * @param {Map<Node, Set<String>>} idMap\n         */\n        function populateIdMapForNode(node, idMap) {\n            let nodeParent = node.parentElement;\n            // find all elements with an id property\n            let idElements = node.querySelectorAll('[id]');\n            for (const elt of idElements) {\n                let current = elt;\n                // walk up the parent hierarchy of that element, adding the id\n                // of element to the parent's id set\n                while (current !== nodeParent && current != null) {\n                    let idSet = idMap.get(current);\n                    // if the id set doesn't exist, create it and insert it in the  map\n                    if (idSet == null) {\n                        idSet = new Set();\n                        idMap.set(current, idSet);\n                    }\n                    idSet.add(elt.id);\n                    current = current.parentElement;\n                }\n            }\n        }\n\n        /**\n         * This function computes a map of nodes to all ids contained within that node (inclusive of the\n         * node).  This map can be used to ask if two nodes have intersecting sets of ids, which allows\n         * for a looser definition of \"matching\" than tradition id matching, and allows child nodes\n         * to contribute to a parent nodes matching.\n         *\n         * @param {Element} oldContent  the old content that will be morphed\n         * @param {Element} newContent  the new content to morph to\n         * @returns {Map<Node, Set<String>>} a map of nodes to id sets for the\n         */\n        function createIdMap(oldContent, newContent) {\n            let idMap = new Map();\n            populateIdMapForNode(oldContent, idMap);\n            populateIdMapForNode(newContent, idMap);\n            return idMap;\n        }\n\n        //=============================================================================\n        // This is what ends up becoming the Idiomorph global object\n        //=============================================================================\n        return {\n            morph,\n            defaults\n        }\n    })();\n\nexport {Idiomorph};\n","import HotwireSpark from \"./index.js\"\n\nexport function log(...args) {\n  if (HotwireSpark.config.loggingEnabled) {\n    console.log(`[hotwire_spark]`, ...args)\n  }\n}\n\n","/*\nStimulus 3.2.1\nCopyright © 2023 Basecamp, LLC\n */\nclass EventListener {\n    constructor(eventTarget, eventName, eventOptions) {\n        this.eventTarget = eventTarget;\n        this.eventName = eventName;\n        this.eventOptions = eventOptions;\n        this.unorderedBindings = new Set();\n    }\n    connect() {\n        this.eventTarget.addEventListener(this.eventName, this, this.eventOptions);\n    }\n    disconnect() {\n        this.eventTarget.removeEventListener(this.eventName, this, this.eventOptions);\n    }\n    bindingConnected(binding) {\n        this.unorderedBindings.add(binding);\n    }\n    bindingDisconnected(binding) {\n        this.unorderedBindings.delete(binding);\n    }\n    handleEvent(event) {\n        const extendedEvent = extendEvent(event);\n        for (const binding of this.bindings) {\n            if (extendedEvent.immediatePropagationStopped) {\n                break;\n            }\n            else {\n                binding.handleEvent(extendedEvent);\n            }\n        }\n    }\n    hasBindings() {\n        return this.unorderedBindings.size > 0;\n    }\n    get bindings() {\n        return Array.from(this.unorderedBindings).sort((left, right) => {\n            const leftIndex = left.index, rightIndex = right.index;\n            return leftIndex < rightIndex ? -1 : leftIndex > rightIndex ? 1 : 0;\n        });\n    }\n}\nfunction extendEvent(event) {\n    if (\"immediatePropagationStopped\" in event) {\n        return event;\n    }\n    else {\n        const { stopImmediatePropagation } = event;\n        return Object.assign(event, {\n            immediatePropagationStopped: false,\n            stopImmediatePropagation() {\n                this.immediatePropagationStopped = true;\n                stopImmediatePropagation.call(this);\n            },\n        });\n    }\n}\n\nclass Dispatcher {\n    constructor(application) {\n        this.application = application;\n        this.eventListenerMaps = new Map();\n        this.started = false;\n    }\n    start() {\n        if (!this.started) {\n            this.started = true;\n            this.eventListeners.forEach((eventListener) => eventListener.connect());\n        }\n    }\n    stop() {\n        if (this.started) {\n            this.started = false;\n            this.eventListeners.forEach((eventListener) => eventListener.disconnect());\n        }\n    }\n    get eventListeners() {\n        return Array.from(this.eventListenerMaps.values()).reduce((listeners, map) => listeners.concat(Array.from(map.values())), []);\n    }\n    bindingConnected(binding) {\n        this.fetchEventListenerForBinding(binding).bindingConnected(binding);\n    }\n    bindingDisconnected(binding, clearEventListeners = false) {\n        this.fetchEventListenerForBinding(binding).bindingDisconnected(binding);\n        if (clearEventListeners)\n            this.clearEventListenersForBinding(binding);\n    }\n    handleError(error, message, detail = {}) {\n        this.application.handleError(error, `Error ${message}`, detail);\n    }\n    clearEventListenersForBinding(binding) {\n        const eventListener = this.fetchEventListenerForBinding(binding);\n        if (!eventListener.hasBindings()) {\n            eventListener.disconnect();\n            this.removeMappedEventListenerFor(binding);\n        }\n    }\n    removeMappedEventListenerFor(binding) {\n        const { eventTarget, eventName, eventOptions } = binding;\n        const eventListenerMap = this.fetchEventListenerMapForEventTarget(eventTarget);\n        const cacheKey = this.cacheKey(eventName, eventOptions);\n        eventListenerMap.delete(cacheKey);\n        if (eventListenerMap.size == 0)\n            this.eventListenerMaps.delete(eventTarget);\n    }\n    fetchEventListenerForBinding(binding) {\n        const { eventTarget, eventName, eventOptions } = binding;\n        return this.fetchEventListener(eventTarget, eventName, eventOptions);\n    }\n    fetchEventListener(eventTarget, eventName, eventOptions) {\n        const eventListenerMap = this.fetchEventListenerMapForEventTarget(eventTarget);\n        const cacheKey = this.cacheKey(eventName, eventOptions);\n        let eventListener = eventListenerMap.get(cacheKey);\n        if (!eventListener) {\n            eventListener = this.createEventListener(eventTarget, eventName, eventOptions);\n            eventListenerMap.set(cacheKey, eventListener);\n        }\n        return eventListener;\n    }\n    createEventListener(eventTarget, eventName, eventOptions) {\n        const eventListener = new EventListener(eventTarget, eventName, eventOptions);\n        if (this.started) {\n            eventListener.connect();\n        }\n        return eventListener;\n    }\n    fetchEventListenerMapForEventTarget(eventTarget) {\n        let eventListenerMap = this.eventListenerMaps.get(eventTarget);\n        if (!eventListenerMap) {\n            eventListenerMap = new Map();\n            this.eventListenerMaps.set(eventTarget, eventListenerMap);\n        }\n        return eventListenerMap;\n    }\n    cacheKey(eventName, eventOptions) {\n        const parts = [eventName];\n        Object.keys(eventOptions)\n            .sort()\n            .forEach((key) => {\n            parts.push(`${eventOptions[key] ? \"\" : \"!\"}${key}`);\n        });\n        return parts.join(\":\");\n    }\n}\n\nconst defaultActionDescriptorFilters = {\n    stop({ event, value }) {\n        if (value)\n            event.stopPropagation();\n        return true;\n    },\n    prevent({ event, value }) {\n        if (value)\n            event.preventDefault();\n        return true;\n    },\n    self({ event, value, element }) {\n        if (value) {\n            return element === event.target;\n        }\n        else {\n            return true;\n        }\n    },\n};\nconst descriptorPattern = /^(?:(?:([^.]+?)\\+)?(.+?)(?:\\.(.+?))?(?:@(window|document))?->)?(.+?)(?:#([^:]+?))(?::(.+))?$/;\nfunction parseActionDescriptorString(descriptorString) {\n    const source = descriptorString.trim();\n    const matches = source.match(descriptorPattern) || [];\n    let eventName = matches[2];\n    let keyFilter = matches[3];\n    if (keyFilter && ![\"keydown\", \"keyup\", \"keypress\"].includes(eventName)) {\n        eventName += `.${keyFilter}`;\n        keyFilter = \"\";\n    }\n    return {\n        eventTarget: parseEventTarget(matches[4]),\n        eventName,\n        eventOptions: matches[7] ? parseEventOptions(matches[7]) : {},\n        identifier: matches[5],\n        methodName: matches[6],\n        keyFilter: matches[1] || keyFilter,\n    };\n}\nfunction parseEventTarget(eventTargetName) {\n    if (eventTargetName == \"window\") {\n        return window;\n    }\n    else if (eventTargetName == \"document\") {\n        return document;\n    }\n}\nfunction parseEventOptions(eventOptions) {\n    return eventOptions\n        .split(\":\")\n        .reduce((options, token) => Object.assign(options, { [token.replace(/^!/, \"\")]: !/^!/.test(token) }), {});\n}\nfunction stringifyEventTarget(eventTarget) {\n    if (eventTarget == window) {\n        return \"window\";\n    }\n    else if (eventTarget == document) {\n        return \"document\";\n    }\n}\n\nfunction camelize(value) {\n    return value.replace(/(?:[_-])([a-z0-9])/g, (_, char) => char.toUpperCase());\n}\nfunction namespaceCamelize(value) {\n    return camelize(value.replace(/--/g, \"-\").replace(/__/g, \"_\"));\n}\nfunction capitalize(value) {\n    return value.charAt(0).toUpperCase() + value.slice(1);\n}\nfunction dasherize(value) {\n    return value.replace(/([A-Z])/g, (_, char) => `-${char.toLowerCase()}`);\n}\nfunction tokenize(value) {\n    return value.match(/[^\\s]+/g) || [];\n}\n\nfunction isSomething(object) {\n    return object !== null && object !== undefined;\n}\nfunction hasProperty(object, property) {\n    return Object.prototype.hasOwnProperty.call(object, property);\n}\n\nconst allModifiers = [\"meta\", \"ctrl\", \"alt\", \"shift\"];\nclass Action {\n    constructor(element, index, descriptor, schema) {\n        this.element = element;\n        this.index = index;\n        this.eventTarget = descriptor.eventTarget || element;\n        this.eventName = descriptor.eventName || getDefaultEventNameForElement(element) || error(\"missing event name\");\n        this.eventOptions = descriptor.eventOptions || {};\n        this.identifier = descriptor.identifier || error(\"missing identifier\");\n        this.methodName = descriptor.methodName || error(\"missing method name\");\n        this.keyFilter = descriptor.keyFilter || \"\";\n        this.schema = schema;\n    }\n    static forToken(token, schema) {\n        return new this(token.element, token.index, parseActionDescriptorString(token.content), schema);\n    }\n    toString() {\n        const eventFilter = this.keyFilter ? `.${this.keyFilter}` : \"\";\n        const eventTarget = this.eventTargetName ? `@${this.eventTargetName}` : \"\";\n        return `${this.eventName}${eventFilter}${eventTarget}->${this.identifier}#${this.methodName}`;\n    }\n    shouldIgnoreKeyboardEvent(event) {\n        if (!this.keyFilter) {\n            return false;\n        }\n        const filters = this.keyFilter.split(\"+\");\n        if (this.keyFilterDissatisfied(event, filters)) {\n            return true;\n        }\n        const standardFilter = filters.filter((key) => !allModifiers.includes(key))[0];\n        if (!standardFilter) {\n            return false;\n        }\n        if (!hasProperty(this.keyMappings, standardFilter)) {\n            error(`contains unknown key filter: ${this.keyFilter}`);\n        }\n        return this.keyMappings[standardFilter].toLowerCase() !== event.key.toLowerCase();\n    }\n    shouldIgnoreMouseEvent(event) {\n        if (!this.keyFilter) {\n            return false;\n        }\n        const filters = [this.keyFilter];\n        if (this.keyFilterDissatisfied(event, filters)) {\n            return true;\n        }\n        return false;\n    }\n    get params() {\n        const params = {};\n        const pattern = new RegExp(`^data-${this.identifier}-(.+)-param$`, \"i\");\n        for (const { name, value } of Array.from(this.element.attributes)) {\n            const match = name.match(pattern);\n            const key = match && match[1];\n            if (key) {\n                params[camelize(key)] = typecast(value);\n            }\n        }\n        return params;\n    }\n    get eventTargetName() {\n        return stringifyEventTarget(this.eventTarget);\n    }\n    get keyMappings() {\n        return this.schema.keyMappings;\n    }\n    keyFilterDissatisfied(event, filters) {\n        const [meta, ctrl, alt, shift] = allModifiers.map((modifier) => filters.includes(modifier));\n        return event.metaKey !== meta || event.ctrlKey !== ctrl || event.altKey !== alt || event.shiftKey !== shift;\n    }\n}\nconst defaultEventNames = {\n    a: () => \"click\",\n    button: () => \"click\",\n    form: () => \"submit\",\n    details: () => \"toggle\",\n    input: (e) => (e.getAttribute(\"type\") == \"submit\" ? \"click\" : \"input\"),\n    select: () => \"change\",\n    textarea: () => \"input\",\n};\nfunction getDefaultEventNameForElement(element) {\n    const tagName = element.tagName.toLowerCase();\n    if (tagName in defaultEventNames) {\n        return defaultEventNames[tagName](element);\n    }\n}\nfunction error(message) {\n    throw new Error(message);\n}\nfunction typecast(value) {\n    try {\n        return JSON.parse(value);\n    }\n    catch (o_O) {\n        return value;\n    }\n}\n\nclass Binding {\n    constructor(context, action) {\n        this.context = context;\n        this.action = action;\n    }\n    get index() {\n        return this.action.index;\n    }\n    get eventTarget() {\n        return this.action.eventTarget;\n    }\n    get eventOptions() {\n        return this.action.eventOptions;\n    }\n    get identifier() {\n        return this.context.identifier;\n    }\n    handleEvent(event) {\n        const actionEvent = this.prepareActionEvent(event);\n        if (this.willBeInvokedByEvent(event) && this.applyEventModifiers(actionEvent)) {\n            this.invokeWithEvent(actionEvent);\n        }\n    }\n    get eventName() {\n        return this.action.eventName;\n    }\n    get method() {\n        const method = this.controller[this.methodName];\n        if (typeof method == \"function\") {\n            return method;\n        }\n        throw new Error(`Action \"${this.action}\" references undefined method \"${this.methodName}\"`);\n    }\n    applyEventModifiers(event) {\n        const { element } = this.action;\n        const { actionDescriptorFilters } = this.context.application;\n        const { controller } = this.context;\n        let passes = true;\n        for (const [name, value] of Object.entries(this.eventOptions)) {\n            if (name in actionDescriptorFilters) {\n                const filter = actionDescriptorFilters[name];\n                passes = passes && filter({ name, value, event, element, controller });\n            }\n            else {\n                continue;\n            }\n        }\n        return passes;\n    }\n    prepareActionEvent(event) {\n        return Object.assign(event, { params: this.action.params });\n    }\n    invokeWithEvent(event) {\n        const { target, currentTarget } = event;\n        try {\n            this.method.call(this.controller, event);\n            this.context.logDebugActivity(this.methodName, { event, target, currentTarget, action: this.methodName });\n        }\n        catch (error) {\n            const { identifier, controller, element, index } = this;\n            const detail = { identifier, controller, element, index, event };\n            this.context.handleError(error, `invoking action \"${this.action}\"`, detail);\n        }\n    }\n    willBeInvokedByEvent(event) {\n        const eventTarget = event.target;\n        if (event instanceof KeyboardEvent && this.action.shouldIgnoreKeyboardEvent(event)) {\n            return false;\n        }\n        if (event instanceof MouseEvent && this.action.shouldIgnoreMouseEvent(event)) {\n            return false;\n        }\n        if (this.element === eventTarget) {\n            return true;\n        }\n        else if (eventTarget instanceof Element && this.element.contains(eventTarget)) {\n            return this.scope.containsElement(eventTarget);\n        }\n        else {\n            return this.scope.containsElement(this.action.element);\n        }\n    }\n    get controller() {\n        return this.context.controller;\n    }\n    get methodName() {\n        return this.action.methodName;\n    }\n    get element() {\n        return this.scope.element;\n    }\n    get scope() {\n        return this.context.scope;\n    }\n}\n\nclass ElementObserver {\n    constructor(element, delegate) {\n        this.mutationObserverInit = { attributes: true, childList: true, subtree: true };\n        this.element = element;\n        this.started = false;\n        this.delegate = delegate;\n        this.elements = new Set();\n        this.mutationObserver = new MutationObserver((mutations) => this.processMutations(mutations));\n    }\n    start() {\n        if (!this.started) {\n            this.started = true;\n            this.mutationObserver.observe(this.element, this.mutationObserverInit);\n            this.refresh();\n        }\n    }\n    pause(callback) {\n        if (this.started) {\n            this.mutationObserver.disconnect();\n            this.started = false;\n        }\n        callback();\n        if (!this.started) {\n            this.mutationObserver.observe(this.element, this.mutationObserverInit);\n            this.started = true;\n        }\n    }\n    stop() {\n        if (this.started) {\n            this.mutationObserver.takeRecords();\n            this.mutationObserver.disconnect();\n            this.started = false;\n        }\n    }\n    refresh() {\n        if (this.started) {\n            const matches = new Set(this.matchElementsInTree());\n            for (const element of Array.from(this.elements)) {\n                if (!matches.has(element)) {\n                    this.removeElement(element);\n                }\n            }\n            for (const element of Array.from(matches)) {\n                this.addElement(element);\n            }\n        }\n    }\n    processMutations(mutations) {\n        if (this.started) {\n            for (const mutation of mutations) {\n                this.processMutation(mutation);\n            }\n        }\n    }\n    processMutation(mutation) {\n        if (mutation.type == \"attributes\") {\n            this.processAttributeChange(mutation.target, mutation.attributeName);\n        }\n        else if (mutation.type == \"childList\") {\n            this.processRemovedNodes(mutation.removedNodes);\n            this.processAddedNodes(mutation.addedNodes);\n        }\n    }\n    processAttributeChange(element, attributeName) {\n        if (this.elements.has(element)) {\n            if (this.delegate.elementAttributeChanged && this.matchElement(element)) {\n                this.delegate.elementAttributeChanged(element, attributeName);\n            }\n            else {\n                this.removeElement(element);\n            }\n        }\n        else if (this.matchElement(element)) {\n            this.addElement(element);\n        }\n    }\n    processRemovedNodes(nodes) {\n        for (const node of Array.from(nodes)) {\n            const element = this.elementFromNode(node);\n            if (element) {\n                this.processTree(element, this.removeElement);\n            }\n        }\n    }\n    processAddedNodes(nodes) {\n        for (const node of Array.from(nodes)) {\n            const element = this.elementFromNode(node);\n            if (element && this.elementIsActive(element)) {\n                this.processTree(element, this.addElement);\n            }\n        }\n    }\n    matchElement(element) {\n        return this.delegate.matchElement(element);\n    }\n    matchElementsInTree(tree = this.element) {\n        return this.delegate.matchElementsInTree(tree);\n    }\n    processTree(tree, processor) {\n        for (const element of this.matchElementsInTree(tree)) {\n            processor.call(this, element);\n        }\n    }\n    elementFromNode(node) {\n        if (node.nodeType == Node.ELEMENT_NODE) {\n            return node;\n        }\n    }\n    elementIsActive(element) {\n        if (element.isConnected != this.element.isConnected) {\n            return false;\n        }\n        else {\n            return this.element.contains(element);\n        }\n    }\n    addElement(element) {\n        if (!this.elements.has(element)) {\n            if (this.elementIsActive(element)) {\n                this.elements.add(element);\n                if (this.delegate.elementMatched) {\n                    this.delegate.elementMatched(element);\n                }\n            }\n        }\n    }\n    removeElement(element) {\n        if (this.elements.has(element)) {\n            this.elements.delete(element);\n            if (this.delegate.elementUnmatched) {\n                this.delegate.elementUnmatched(element);\n            }\n        }\n    }\n}\n\nclass AttributeObserver {\n    constructor(element, attributeName, delegate) {\n        this.attributeName = attributeName;\n        this.delegate = delegate;\n        this.elementObserver = new ElementObserver(element, this);\n    }\n    get element() {\n        return this.elementObserver.element;\n    }\n    get selector() {\n        return `[${this.attributeName}]`;\n    }\n    start() {\n        this.elementObserver.start();\n    }\n    pause(callback) {\n        this.elementObserver.pause(callback);\n    }\n    stop() {\n        this.elementObserver.stop();\n    }\n    refresh() {\n        this.elementObserver.refresh();\n    }\n    get started() {\n        return this.elementObserver.started;\n    }\n    matchElement(element) {\n        return element.hasAttribute(this.attributeName);\n    }\n    matchElementsInTree(tree) {\n        const match = this.matchElement(tree) ? [tree] : [];\n        const matches = Array.from(tree.querySelectorAll(this.selector));\n        return match.concat(matches);\n    }\n    elementMatched(element) {\n        if (this.delegate.elementMatchedAttribute) {\n            this.delegate.elementMatchedAttribute(element, this.attributeName);\n        }\n    }\n    elementUnmatched(element) {\n        if (this.delegate.elementUnmatchedAttribute) {\n            this.delegate.elementUnmatchedAttribute(element, this.attributeName);\n        }\n    }\n    elementAttributeChanged(element, attributeName) {\n        if (this.delegate.elementAttributeValueChanged && this.attributeName == attributeName) {\n            this.delegate.elementAttributeValueChanged(element, attributeName);\n        }\n    }\n}\n\nfunction add(map, key, value) {\n    fetch(map, key).add(value);\n}\nfunction del(map, key, value) {\n    fetch(map, key).delete(value);\n    prune(map, key);\n}\nfunction fetch(map, key) {\n    let values = map.get(key);\n    if (!values) {\n        values = new Set();\n        map.set(key, values);\n    }\n    return values;\n}\nfunction prune(map, key) {\n    const values = map.get(key);\n    if (values != null && values.size == 0) {\n        map.delete(key);\n    }\n}\n\nclass Multimap {\n    constructor() {\n        this.valuesByKey = new Map();\n    }\n    get keys() {\n        return Array.from(this.valuesByKey.keys());\n    }\n    get values() {\n        const sets = Array.from(this.valuesByKey.values());\n        return sets.reduce((values, set) => values.concat(Array.from(set)), []);\n    }\n    get size() {\n        const sets = Array.from(this.valuesByKey.values());\n        return sets.reduce((size, set) => size + set.size, 0);\n    }\n    add(key, value) {\n        add(this.valuesByKey, key, value);\n    }\n    delete(key, value) {\n        del(this.valuesByKey, key, value);\n    }\n    has(key, value) {\n        const values = this.valuesByKey.get(key);\n        return values != null && values.has(value);\n    }\n    hasKey(key) {\n        return this.valuesByKey.has(key);\n    }\n    hasValue(value) {\n        const sets = Array.from(this.valuesByKey.values());\n        return sets.some((set) => set.has(value));\n    }\n    getValuesForKey(key) {\n        const values = this.valuesByKey.get(key);\n        return values ? Array.from(values) : [];\n    }\n    getKeysForValue(value) {\n        return Array.from(this.valuesByKey)\n            .filter(([_key, values]) => values.has(value))\n            .map(([key, _values]) => key);\n    }\n}\n\nclass IndexedMultimap extends Multimap {\n    constructor() {\n        super();\n        this.keysByValue = new Map();\n    }\n    get values() {\n        return Array.from(this.keysByValue.keys());\n    }\n    add(key, value) {\n        super.add(key, value);\n        add(this.keysByValue, value, key);\n    }\n    delete(key, value) {\n        super.delete(key, value);\n        del(this.keysByValue, value, key);\n    }\n    hasValue(value) {\n        return this.keysByValue.has(value);\n    }\n    getKeysForValue(value) {\n        const set = this.keysByValue.get(value);\n        return set ? Array.from(set) : [];\n    }\n}\n\nclass SelectorObserver {\n    constructor(element, selector, delegate, details) {\n        this._selector = selector;\n        this.details = details;\n        this.elementObserver = new ElementObserver(element, this);\n        this.delegate = delegate;\n        this.matchesByElement = new Multimap();\n    }\n    get started() {\n        return this.elementObserver.started;\n    }\n    get selector() {\n        return this._selector;\n    }\n    set selector(selector) {\n        this._selector = selector;\n        this.refresh();\n    }\n    start() {\n        this.elementObserver.start();\n    }\n    pause(callback) {\n        this.elementObserver.pause(callback);\n    }\n    stop() {\n        this.elementObserver.stop();\n    }\n    refresh() {\n        this.elementObserver.refresh();\n    }\n    get element() {\n        return this.elementObserver.element;\n    }\n    matchElement(element) {\n        const { selector } = this;\n        if (selector) {\n            const matches = element.matches(selector);\n            if (this.delegate.selectorMatchElement) {\n                return matches && this.delegate.selectorMatchElement(element, this.details);\n            }\n            return matches;\n        }\n        else {\n            return false;\n        }\n    }\n    matchElementsInTree(tree) {\n        const { selector } = this;\n        if (selector) {\n            const match = this.matchElement(tree) ? [tree] : [];\n            const matches = Array.from(tree.querySelectorAll(selector)).filter((match) => this.matchElement(match));\n            return match.concat(matches);\n        }\n        else {\n            return [];\n        }\n    }\n    elementMatched(element) {\n        const { selector } = this;\n        if (selector) {\n            this.selectorMatched(element, selector);\n        }\n    }\n    elementUnmatched(element) {\n        const selectors = this.matchesByElement.getKeysForValue(element);\n        for (const selector of selectors) {\n            this.selectorUnmatched(element, selector);\n        }\n    }\n    elementAttributeChanged(element, _attributeName) {\n        const { selector } = this;\n        if (selector) {\n            const matches = this.matchElement(element);\n            const matchedBefore = this.matchesByElement.has(selector, element);\n            if (matches && !matchedBefore) {\n                this.selectorMatched(element, selector);\n            }\n            else if (!matches && matchedBefore) {\n                this.selectorUnmatched(element, selector);\n            }\n        }\n    }\n    selectorMatched(element, selector) {\n        this.delegate.selectorMatched(element, selector, this.details);\n        this.matchesByElement.add(selector, element);\n    }\n    selectorUnmatched(element, selector) {\n        this.delegate.selectorUnmatched(element, selector, this.details);\n        this.matchesByElement.delete(selector, element);\n    }\n}\n\nclass StringMapObserver {\n    constructor(element, delegate) {\n        this.element = element;\n        this.delegate = delegate;\n        this.started = false;\n        this.stringMap = new Map();\n        this.mutationObserver = new MutationObserver((mutations) => this.processMutations(mutations));\n    }\n    start() {\n        if (!this.started) {\n            this.started = true;\n            this.mutationObserver.observe(this.element, { attributes: true, attributeOldValue: true });\n            this.refresh();\n        }\n    }\n    stop() {\n        if (this.started) {\n            this.mutationObserver.takeRecords();\n            this.mutationObserver.disconnect();\n            this.started = false;\n        }\n    }\n    refresh() {\n        if (this.started) {\n            for (const attributeName of this.knownAttributeNames) {\n                this.refreshAttribute(attributeName, null);\n            }\n        }\n    }\n    processMutations(mutations) {\n        if (this.started) {\n            for (const mutation of mutations) {\n                this.processMutation(mutation);\n            }\n        }\n    }\n    processMutation(mutation) {\n        const attributeName = mutation.attributeName;\n        if (attributeName) {\n            this.refreshAttribute(attributeName, mutation.oldValue);\n        }\n    }\n    refreshAttribute(attributeName, oldValue) {\n        const key = this.delegate.getStringMapKeyForAttribute(attributeName);\n        if (key != null) {\n            if (!this.stringMap.has(attributeName)) {\n                this.stringMapKeyAdded(key, attributeName);\n            }\n            const value = this.element.getAttribute(attributeName);\n            if (this.stringMap.get(attributeName) != value) {\n                this.stringMapValueChanged(value, key, oldValue);\n            }\n            if (value == null) {\n                const oldValue = this.stringMap.get(attributeName);\n                this.stringMap.delete(attributeName);\n                if (oldValue)\n                    this.stringMapKeyRemoved(key, attributeName, oldValue);\n            }\n            else {\n                this.stringMap.set(attributeName, value);\n            }\n        }\n    }\n    stringMapKeyAdded(key, attributeName) {\n        if (this.delegate.stringMapKeyAdded) {\n            this.delegate.stringMapKeyAdded(key, attributeName);\n        }\n    }\n    stringMapValueChanged(value, key, oldValue) {\n        if (this.delegate.stringMapValueChanged) {\n            this.delegate.stringMapValueChanged(value, key, oldValue);\n        }\n    }\n    stringMapKeyRemoved(key, attributeName, oldValue) {\n        if (this.delegate.stringMapKeyRemoved) {\n            this.delegate.stringMapKeyRemoved(key, attributeName, oldValue);\n        }\n    }\n    get knownAttributeNames() {\n        return Array.from(new Set(this.currentAttributeNames.concat(this.recordedAttributeNames)));\n    }\n    get currentAttributeNames() {\n        return Array.from(this.element.attributes).map((attribute) => attribute.name);\n    }\n    get recordedAttributeNames() {\n        return Array.from(this.stringMap.keys());\n    }\n}\n\nclass TokenListObserver {\n    constructor(element, attributeName, delegate) {\n        this.attributeObserver = new AttributeObserver(element, attributeName, this);\n        this.delegate = delegate;\n        this.tokensByElement = new Multimap();\n    }\n    get started() {\n        return this.attributeObserver.started;\n    }\n    start() {\n        this.attributeObserver.start();\n    }\n    pause(callback) {\n        this.attributeObserver.pause(callback);\n    }\n    stop() {\n        this.attributeObserver.stop();\n    }\n    refresh() {\n        this.attributeObserver.refresh();\n    }\n    get element() {\n        return this.attributeObserver.element;\n    }\n    get attributeName() {\n        return this.attributeObserver.attributeName;\n    }\n    elementMatchedAttribute(element) {\n        this.tokensMatched(this.readTokensForElement(element));\n    }\n    elementAttributeValueChanged(element) {\n        const [unmatchedTokens, matchedTokens] = this.refreshTokensForElement(element);\n        this.tokensUnmatched(unmatchedTokens);\n        this.tokensMatched(matchedTokens);\n    }\n    elementUnmatchedAttribute(element) {\n        this.tokensUnmatched(this.tokensByElement.getValuesForKey(element));\n    }\n    tokensMatched(tokens) {\n        tokens.forEach((token) => this.tokenMatched(token));\n    }\n    tokensUnmatched(tokens) {\n        tokens.forEach((token) => this.tokenUnmatched(token));\n    }\n    tokenMatched(token) {\n        this.delegate.tokenMatched(token);\n        this.tokensByElement.add(token.element, token);\n    }\n    tokenUnmatched(token) {\n        this.delegate.tokenUnmatched(token);\n        this.tokensByElement.delete(token.element, token);\n    }\n    refreshTokensForElement(element) {\n        const previousTokens = this.tokensByElement.getValuesForKey(element);\n        const currentTokens = this.readTokensForElement(element);\n        const firstDifferingIndex = zip(previousTokens, currentTokens).findIndex(([previousToken, currentToken]) => !tokensAreEqual(previousToken, currentToken));\n        if (firstDifferingIndex == -1) {\n            return [[], []];\n        }\n        else {\n            return [previousTokens.slice(firstDifferingIndex), currentTokens.slice(firstDifferingIndex)];\n        }\n    }\n    readTokensForElement(element) {\n        const attributeName = this.attributeName;\n        const tokenString = element.getAttribute(attributeName) || \"\";\n        return parseTokenString(tokenString, element, attributeName);\n    }\n}\nfunction parseTokenString(tokenString, element, attributeName) {\n    return tokenString\n        .trim()\n        .split(/\\s+/)\n        .filter((content) => content.length)\n        .map((content, index) => ({ element, attributeName, content, index }));\n}\nfunction zip(left, right) {\n    const length = Math.max(left.length, right.length);\n    return Array.from({ length }, (_, index) => [left[index], right[index]]);\n}\nfunction tokensAreEqual(left, right) {\n    return left && right && left.index == right.index && left.content == right.content;\n}\n\nclass ValueListObserver {\n    constructor(element, attributeName, delegate) {\n        this.tokenListObserver = new TokenListObserver(element, attributeName, this);\n        this.delegate = delegate;\n        this.parseResultsByToken = new WeakMap();\n        this.valuesByTokenByElement = new WeakMap();\n    }\n    get started() {\n        return this.tokenListObserver.started;\n    }\n    start() {\n        this.tokenListObserver.start();\n    }\n    stop() {\n        this.tokenListObserver.stop();\n    }\n    refresh() {\n        this.tokenListObserver.refresh();\n    }\n    get element() {\n        return this.tokenListObserver.element;\n    }\n    get attributeName() {\n        return this.tokenListObserver.attributeName;\n    }\n    tokenMatched(token) {\n        const { element } = token;\n        const { value } = this.fetchParseResultForToken(token);\n        if (value) {\n            this.fetchValuesByTokenForElement(element).set(token, value);\n            this.delegate.elementMatchedValue(element, value);\n        }\n    }\n    tokenUnmatched(token) {\n        const { element } = token;\n        const { value } = this.fetchParseResultForToken(token);\n        if (value) {\n            this.fetchValuesByTokenForElement(element).delete(token);\n            this.delegate.elementUnmatchedValue(element, value);\n        }\n    }\n    fetchParseResultForToken(token) {\n        let parseResult = this.parseResultsByToken.get(token);\n        if (!parseResult) {\n            parseResult = this.parseToken(token);\n            this.parseResultsByToken.set(token, parseResult);\n        }\n        return parseResult;\n    }\n    fetchValuesByTokenForElement(element) {\n        let valuesByToken = this.valuesByTokenByElement.get(element);\n        if (!valuesByToken) {\n            valuesByToken = new Map();\n            this.valuesByTokenByElement.set(element, valuesByToken);\n        }\n        return valuesByToken;\n    }\n    parseToken(token) {\n        try {\n            const value = this.delegate.parseValueForToken(token);\n            return { value };\n        }\n        catch (error) {\n            return { error };\n        }\n    }\n}\n\nclass BindingObserver {\n    constructor(context, delegate) {\n        this.context = context;\n        this.delegate = delegate;\n        this.bindingsByAction = new Map();\n    }\n    start() {\n        if (!this.valueListObserver) {\n            this.valueListObserver = new ValueListObserver(this.element, this.actionAttribute, this);\n            this.valueListObserver.start();\n        }\n    }\n    stop() {\n        if (this.valueListObserver) {\n            this.valueListObserver.stop();\n            delete this.valueListObserver;\n            this.disconnectAllActions();\n        }\n    }\n    get element() {\n        return this.context.element;\n    }\n    get identifier() {\n        return this.context.identifier;\n    }\n    get actionAttribute() {\n        return this.schema.actionAttribute;\n    }\n    get schema() {\n        return this.context.schema;\n    }\n    get bindings() {\n        return Array.from(this.bindingsByAction.values());\n    }\n    connectAction(action) {\n        const binding = new Binding(this.context, action);\n        this.bindingsByAction.set(action, binding);\n        this.delegate.bindingConnected(binding);\n    }\n    disconnectAction(action) {\n        const binding = this.bindingsByAction.get(action);\n        if (binding) {\n            this.bindingsByAction.delete(action);\n            this.delegate.bindingDisconnected(binding);\n        }\n    }\n    disconnectAllActions() {\n        this.bindings.forEach((binding) => this.delegate.bindingDisconnected(binding, true));\n        this.bindingsByAction.clear();\n    }\n    parseValueForToken(token) {\n        const action = Action.forToken(token, this.schema);\n        if (action.identifier == this.identifier) {\n            return action;\n        }\n    }\n    elementMatchedValue(element, action) {\n        this.connectAction(action);\n    }\n    elementUnmatchedValue(element, action) {\n        this.disconnectAction(action);\n    }\n}\n\nclass ValueObserver {\n    constructor(context, receiver) {\n        this.context = context;\n        this.receiver = receiver;\n        this.stringMapObserver = new StringMapObserver(this.element, this);\n        this.valueDescriptorMap = this.controller.valueDescriptorMap;\n    }\n    start() {\n        this.stringMapObserver.start();\n        this.invokeChangedCallbacksForDefaultValues();\n    }\n    stop() {\n        this.stringMapObserver.stop();\n    }\n    get element() {\n        return this.context.element;\n    }\n    get controller() {\n        return this.context.controller;\n    }\n    getStringMapKeyForAttribute(attributeName) {\n        if (attributeName in this.valueDescriptorMap) {\n            return this.valueDescriptorMap[attributeName].name;\n        }\n    }\n    stringMapKeyAdded(key, attributeName) {\n        const descriptor = this.valueDescriptorMap[attributeName];\n        if (!this.hasValue(key)) {\n            this.invokeChangedCallback(key, descriptor.writer(this.receiver[key]), descriptor.writer(descriptor.defaultValue));\n        }\n    }\n    stringMapValueChanged(value, name, oldValue) {\n        const descriptor = this.valueDescriptorNameMap[name];\n        if (value === null)\n            return;\n        if (oldValue === null) {\n            oldValue = descriptor.writer(descriptor.defaultValue);\n        }\n        this.invokeChangedCallback(name, value, oldValue);\n    }\n    stringMapKeyRemoved(key, attributeName, oldValue) {\n        const descriptor = this.valueDescriptorNameMap[key];\n        if (this.hasValue(key)) {\n            this.invokeChangedCallback(key, descriptor.writer(this.receiver[key]), oldValue);\n        }\n        else {\n            this.invokeChangedCallback(key, descriptor.writer(descriptor.defaultValue), oldValue);\n        }\n    }\n    invokeChangedCallbacksForDefaultValues() {\n        for (const { key, name, defaultValue, writer } of this.valueDescriptors) {\n            if (defaultValue != undefined && !this.controller.data.has(key)) {\n                this.invokeChangedCallback(name, writer(defaultValue), undefined);\n            }\n        }\n    }\n    invokeChangedCallback(name, rawValue, rawOldValue) {\n        const changedMethodName = `${name}Changed`;\n        const changedMethod = this.receiver[changedMethodName];\n        if (typeof changedMethod == \"function\") {\n            const descriptor = this.valueDescriptorNameMap[name];\n            try {\n                const value = descriptor.reader(rawValue);\n                let oldValue = rawOldValue;\n                if (rawOldValue) {\n                    oldValue = descriptor.reader(rawOldValue);\n                }\n                changedMethod.call(this.receiver, value, oldValue);\n            }\n            catch (error) {\n                if (error instanceof TypeError) {\n                    error.message = `Stimulus Value \"${this.context.identifier}.${descriptor.name}\" - ${error.message}`;\n                }\n                throw error;\n            }\n        }\n    }\n    get valueDescriptors() {\n        const { valueDescriptorMap } = this;\n        return Object.keys(valueDescriptorMap).map((key) => valueDescriptorMap[key]);\n    }\n    get valueDescriptorNameMap() {\n        const descriptors = {};\n        Object.keys(this.valueDescriptorMap).forEach((key) => {\n            const descriptor = this.valueDescriptorMap[key];\n            descriptors[descriptor.name] = descriptor;\n        });\n        return descriptors;\n    }\n    hasValue(attributeName) {\n        const descriptor = this.valueDescriptorNameMap[attributeName];\n        const hasMethodName = `has${capitalize(descriptor.name)}`;\n        return this.receiver[hasMethodName];\n    }\n}\n\nclass TargetObserver {\n    constructor(context, delegate) {\n        this.context = context;\n        this.delegate = delegate;\n        this.targetsByName = new Multimap();\n    }\n    start() {\n        if (!this.tokenListObserver) {\n            this.tokenListObserver = new TokenListObserver(this.element, this.attributeName, this);\n            this.tokenListObserver.start();\n        }\n    }\n    stop() {\n        if (this.tokenListObserver) {\n            this.disconnectAllTargets();\n            this.tokenListObserver.stop();\n            delete this.tokenListObserver;\n        }\n    }\n    tokenMatched({ element, content: name }) {\n        if (this.scope.containsElement(element)) {\n            this.connectTarget(element, name);\n        }\n    }\n    tokenUnmatched({ element, content: name }) {\n        this.disconnectTarget(element, name);\n    }\n    connectTarget(element, name) {\n        var _a;\n        if (!this.targetsByName.has(name, element)) {\n            this.targetsByName.add(name, element);\n            (_a = this.tokenListObserver) === null || _a === void 0 ? void 0 : _a.pause(() => this.delegate.targetConnected(element, name));\n        }\n    }\n    disconnectTarget(element, name) {\n        var _a;\n        if (this.targetsByName.has(name, element)) {\n            this.targetsByName.delete(name, element);\n            (_a = this.tokenListObserver) === null || _a === void 0 ? void 0 : _a.pause(() => this.delegate.targetDisconnected(element, name));\n        }\n    }\n    disconnectAllTargets() {\n        for (const name of this.targetsByName.keys) {\n            for (const element of this.targetsByName.getValuesForKey(name)) {\n                this.disconnectTarget(element, name);\n            }\n        }\n    }\n    get attributeName() {\n        return `data-${this.context.identifier}-target`;\n    }\n    get element() {\n        return this.context.element;\n    }\n    get scope() {\n        return this.context.scope;\n    }\n}\n\nfunction readInheritableStaticArrayValues(constructor, propertyName) {\n    const ancestors = getAncestorsForConstructor(constructor);\n    return Array.from(ancestors.reduce((values, constructor) => {\n        getOwnStaticArrayValues(constructor, propertyName).forEach((name) => values.add(name));\n        return values;\n    }, new Set()));\n}\nfunction readInheritableStaticObjectPairs(constructor, propertyName) {\n    const ancestors = getAncestorsForConstructor(constructor);\n    return ancestors.reduce((pairs, constructor) => {\n        pairs.push(...getOwnStaticObjectPairs(constructor, propertyName));\n        return pairs;\n    }, []);\n}\nfunction getAncestorsForConstructor(constructor) {\n    const ancestors = [];\n    while (constructor) {\n        ancestors.push(constructor);\n        constructor = Object.getPrototypeOf(constructor);\n    }\n    return ancestors.reverse();\n}\nfunction getOwnStaticArrayValues(constructor, propertyName) {\n    const definition = constructor[propertyName];\n    return Array.isArray(definition) ? definition : [];\n}\nfunction getOwnStaticObjectPairs(constructor, propertyName) {\n    const definition = constructor[propertyName];\n    return definition ? Object.keys(definition).map((key) => [key, definition[key]]) : [];\n}\n\nclass OutletObserver {\n    constructor(context, delegate) {\n        this.started = false;\n        this.context = context;\n        this.delegate = delegate;\n        this.outletsByName = new Multimap();\n        this.outletElementsByName = new Multimap();\n        this.selectorObserverMap = new Map();\n        this.attributeObserverMap = new Map();\n    }\n    start() {\n        if (!this.started) {\n            this.outletDefinitions.forEach((outletName) => {\n                this.setupSelectorObserverForOutlet(outletName);\n                this.setupAttributeObserverForOutlet(outletName);\n            });\n            this.started = true;\n            this.dependentContexts.forEach((context) => context.refresh());\n        }\n    }\n    refresh() {\n        this.selectorObserverMap.forEach((observer) => observer.refresh());\n        this.attributeObserverMap.forEach((observer) => observer.refresh());\n    }\n    stop() {\n        if (this.started) {\n            this.started = false;\n            this.disconnectAllOutlets();\n            this.stopSelectorObservers();\n            this.stopAttributeObservers();\n        }\n    }\n    stopSelectorObservers() {\n        if (this.selectorObserverMap.size > 0) {\n            this.selectorObserverMap.forEach((observer) => observer.stop());\n            this.selectorObserverMap.clear();\n        }\n    }\n    stopAttributeObservers() {\n        if (this.attributeObserverMap.size > 0) {\n            this.attributeObserverMap.forEach((observer) => observer.stop());\n            this.attributeObserverMap.clear();\n        }\n    }\n    selectorMatched(element, _selector, { outletName }) {\n        const outlet = this.getOutlet(element, outletName);\n        if (outlet) {\n            this.connectOutlet(outlet, element, outletName);\n        }\n    }\n    selectorUnmatched(element, _selector, { outletName }) {\n        const outlet = this.getOutletFromMap(element, outletName);\n        if (outlet) {\n            this.disconnectOutlet(outlet, element, outletName);\n        }\n    }\n    selectorMatchElement(element, { outletName }) {\n        const selector = this.selector(outletName);\n        const hasOutlet = this.hasOutlet(element, outletName);\n        const hasOutletController = element.matches(`[${this.schema.controllerAttribute}~=${outletName}]`);\n        if (selector) {\n            return hasOutlet && hasOutletController && element.matches(selector);\n        }\n        else {\n            return false;\n        }\n    }\n    elementMatchedAttribute(_element, attributeName) {\n        const outletName = this.getOutletNameFromOutletAttributeName(attributeName);\n        if (outletName) {\n            this.updateSelectorObserverForOutlet(outletName);\n        }\n    }\n    elementAttributeValueChanged(_element, attributeName) {\n        const outletName = this.getOutletNameFromOutletAttributeName(attributeName);\n        if (outletName) {\n            this.updateSelectorObserverForOutlet(outletName);\n        }\n    }\n    elementUnmatchedAttribute(_element, attributeName) {\n        const outletName = this.getOutletNameFromOutletAttributeName(attributeName);\n        if (outletName) {\n            this.updateSelectorObserverForOutlet(outletName);\n        }\n    }\n    connectOutlet(outlet, element, outletName) {\n        var _a;\n        if (!this.outletElementsByName.has(outletName, element)) {\n            this.outletsByName.add(outletName, outlet);\n            this.outletElementsByName.add(outletName, element);\n            (_a = this.selectorObserverMap.get(outletName)) === null || _a === void 0 ? void 0 : _a.pause(() => this.delegate.outletConnected(outlet, element, outletName));\n        }\n    }\n    disconnectOutlet(outlet, element, outletName) {\n        var _a;\n        if (this.outletElementsByName.has(outletName, element)) {\n            this.outletsByName.delete(outletName, outlet);\n            this.outletElementsByName.delete(outletName, element);\n            (_a = this.selectorObserverMap\n                .get(outletName)) === null || _a === void 0 ? void 0 : _a.pause(() => this.delegate.outletDisconnected(outlet, element, outletName));\n        }\n    }\n    disconnectAllOutlets() {\n        for (const outletName of this.outletElementsByName.keys) {\n            for (const element of this.outletElementsByName.getValuesForKey(outletName)) {\n                for (const outlet of this.outletsByName.getValuesForKey(outletName)) {\n                    this.disconnectOutlet(outlet, element, outletName);\n                }\n            }\n        }\n    }\n    updateSelectorObserverForOutlet(outletName) {\n        const observer = this.selectorObserverMap.get(outletName);\n        if (observer) {\n            observer.selector = this.selector(outletName);\n        }\n    }\n    setupSelectorObserverForOutlet(outletName) {\n        const selector = this.selector(outletName);\n        const selectorObserver = new SelectorObserver(document.body, selector, this, { outletName });\n        this.selectorObserverMap.set(outletName, selectorObserver);\n        selectorObserver.start();\n    }\n    setupAttributeObserverForOutlet(outletName) {\n        const attributeName = this.attributeNameForOutletName(outletName);\n        const attributeObserver = new AttributeObserver(this.scope.element, attributeName, this);\n        this.attributeObserverMap.set(outletName, attributeObserver);\n        attributeObserver.start();\n    }\n    selector(outletName) {\n        return this.scope.outlets.getSelectorForOutletName(outletName);\n    }\n    attributeNameForOutletName(outletName) {\n        return this.scope.schema.outletAttributeForScope(this.identifier, outletName);\n    }\n    getOutletNameFromOutletAttributeName(attributeName) {\n        return this.outletDefinitions.find((outletName) => this.attributeNameForOutletName(outletName) === attributeName);\n    }\n    get outletDependencies() {\n        const dependencies = new Multimap();\n        this.router.modules.forEach((module) => {\n            const constructor = module.definition.controllerConstructor;\n            const outlets = readInheritableStaticArrayValues(constructor, \"outlets\");\n            outlets.forEach((outlet) => dependencies.add(outlet, module.identifier));\n        });\n        return dependencies;\n    }\n    get outletDefinitions() {\n        return this.outletDependencies.getKeysForValue(this.identifier);\n    }\n    get dependentControllerIdentifiers() {\n        return this.outletDependencies.getValuesForKey(this.identifier);\n    }\n    get dependentContexts() {\n        const identifiers = this.dependentControllerIdentifiers;\n        return this.router.contexts.filter((context) => identifiers.includes(context.identifier));\n    }\n    hasOutlet(element, outletName) {\n        return !!this.getOutlet(element, outletName) || !!this.getOutletFromMap(element, outletName);\n    }\n    getOutlet(element, outletName) {\n        return this.application.getControllerForElementAndIdentifier(element, outletName);\n    }\n    getOutletFromMap(element, outletName) {\n        return this.outletsByName.getValuesForKey(outletName).find((outlet) => outlet.element === element);\n    }\n    get scope() {\n        return this.context.scope;\n    }\n    get schema() {\n        return this.context.schema;\n    }\n    get identifier() {\n        return this.context.identifier;\n    }\n    get application() {\n        return this.context.application;\n    }\n    get router() {\n        return this.application.router;\n    }\n}\n\nclass Context {\n    constructor(module, scope) {\n        this.logDebugActivity = (functionName, detail = {}) => {\n            const { identifier, controller, element } = this;\n            detail = Object.assign({ identifier, controller, element }, detail);\n            this.application.logDebugActivity(this.identifier, functionName, detail);\n        };\n        this.module = module;\n        this.scope = scope;\n        this.controller = new module.controllerConstructor(this);\n        this.bindingObserver = new BindingObserver(this, this.dispatcher);\n        this.valueObserver = new ValueObserver(this, this.controller);\n        this.targetObserver = new TargetObserver(this, this);\n        this.outletObserver = new OutletObserver(this, this);\n        try {\n            this.controller.initialize();\n            this.logDebugActivity(\"initialize\");\n        }\n        catch (error) {\n            this.handleError(error, \"initializing controller\");\n        }\n    }\n    connect() {\n        this.bindingObserver.start();\n        this.valueObserver.start();\n        this.targetObserver.start();\n        this.outletObserver.start();\n        try {\n            this.controller.connect();\n            this.logDebugActivity(\"connect\");\n        }\n        catch (error) {\n            this.handleError(error, \"connecting controller\");\n        }\n    }\n    refresh() {\n        this.outletObserver.refresh();\n    }\n    disconnect() {\n        try {\n            this.controller.disconnect();\n            this.logDebugActivity(\"disconnect\");\n        }\n        catch (error) {\n            this.handleError(error, \"disconnecting controller\");\n        }\n        this.outletObserver.stop();\n        this.targetObserver.stop();\n        this.valueObserver.stop();\n        this.bindingObserver.stop();\n    }\n    get application() {\n        return this.module.application;\n    }\n    get identifier() {\n        return this.module.identifier;\n    }\n    get schema() {\n        return this.application.schema;\n    }\n    get dispatcher() {\n        return this.application.dispatcher;\n    }\n    get element() {\n        return this.scope.element;\n    }\n    get parentElement() {\n        return this.element.parentElement;\n    }\n    handleError(error, message, detail = {}) {\n        const { identifier, controller, element } = this;\n        detail = Object.assign({ identifier, controller, element }, detail);\n        this.application.handleError(error, `Error ${message}`, detail);\n    }\n    targetConnected(element, name) {\n        this.invokeControllerMethod(`${name}TargetConnected`, element);\n    }\n    targetDisconnected(element, name) {\n        this.invokeControllerMethod(`${name}TargetDisconnected`, element);\n    }\n    outletConnected(outlet, element, name) {\n        this.invokeControllerMethod(`${namespaceCamelize(name)}OutletConnected`, outlet, element);\n    }\n    outletDisconnected(outlet, element, name) {\n        this.invokeControllerMethod(`${namespaceCamelize(name)}OutletDisconnected`, outlet, element);\n    }\n    invokeControllerMethod(methodName, ...args) {\n        const controller = this.controller;\n        if (typeof controller[methodName] == \"function\") {\n            controller[methodName](...args);\n        }\n    }\n}\n\nfunction bless(constructor) {\n    return shadow(constructor, getBlessedProperties(constructor));\n}\nfunction shadow(constructor, properties) {\n    const shadowConstructor = extend(constructor);\n    const shadowProperties = getShadowProperties(constructor.prototype, properties);\n    Object.defineProperties(shadowConstructor.prototype, shadowProperties);\n    return shadowConstructor;\n}\nfunction getBlessedProperties(constructor) {\n    const blessings = readInheritableStaticArrayValues(constructor, \"blessings\");\n    return blessings.reduce((blessedProperties, blessing) => {\n        const properties = blessing(constructor);\n        for (const key in properties) {\n            const descriptor = blessedProperties[key] || {};\n            blessedProperties[key] = Object.assign(descriptor, properties[key]);\n        }\n        return blessedProperties;\n    }, {});\n}\nfunction getShadowProperties(prototype, properties) {\n    return getOwnKeys(properties).reduce((shadowProperties, key) => {\n        const descriptor = getShadowedDescriptor(prototype, properties, key);\n        if (descriptor) {\n            Object.assign(shadowProperties, { [key]: descriptor });\n        }\n        return shadowProperties;\n    }, {});\n}\nfunction getShadowedDescriptor(prototype, properties, key) {\n    const shadowingDescriptor = Object.getOwnPropertyDescriptor(prototype, key);\n    const shadowedByValue = shadowingDescriptor && \"value\" in shadowingDescriptor;\n    if (!shadowedByValue) {\n        const descriptor = Object.getOwnPropertyDescriptor(properties, key).value;\n        if (shadowingDescriptor) {\n            descriptor.get = shadowingDescriptor.get || descriptor.get;\n            descriptor.set = shadowingDescriptor.set || descriptor.set;\n        }\n        return descriptor;\n    }\n}\nconst getOwnKeys = (() => {\n    if (typeof Object.getOwnPropertySymbols == \"function\") {\n        return (object) => [...Object.getOwnPropertyNames(object), ...Object.getOwnPropertySymbols(object)];\n    }\n    else {\n        return Object.getOwnPropertyNames;\n    }\n})();\nconst extend = (() => {\n    function extendWithReflect(constructor) {\n        function extended() {\n            return Reflect.construct(constructor, arguments, new.target);\n        }\n        extended.prototype = Object.create(constructor.prototype, {\n            constructor: { value: extended },\n        });\n        Reflect.setPrototypeOf(extended, constructor);\n        return extended;\n    }\n    function testReflectExtension() {\n        const a = function () {\n            this.a.call(this);\n        };\n        const b = extendWithReflect(a);\n        b.prototype.a = function () { };\n        return new b();\n    }\n    try {\n        testReflectExtension();\n        return extendWithReflect;\n    }\n    catch (error) {\n        return (constructor) => class extended extends constructor {\n        };\n    }\n})();\n\nfunction blessDefinition(definition) {\n    return {\n        identifier: definition.identifier,\n        controllerConstructor: bless(definition.controllerConstructor),\n    };\n}\n\nclass Module {\n    constructor(application, definition) {\n        this.application = application;\n        this.definition = blessDefinition(definition);\n        this.contextsByScope = new WeakMap();\n        this.connectedContexts = new Set();\n    }\n    get identifier() {\n        return this.definition.identifier;\n    }\n    get controllerConstructor() {\n        return this.definition.controllerConstructor;\n    }\n    get contexts() {\n        return Array.from(this.connectedContexts);\n    }\n    connectContextForScope(scope) {\n        const context = this.fetchContextForScope(scope);\n        this.connectedContexts.add(context);\n        context.connect();\n    }\n    disconnectContextForScope(scope) {\n        const context = this.contextsByScope.get(scope);\n        if (context) {\n            this.connectedContexts.delete(context);\n            context.disconnect();\n        }\n    }\n    fetchContextForScope(scope) {\n        let context = this.contextsByScope.get(scope);\n        if (!context) {\n            context = new Context(this, scope);\n            this.contextsByScope.set(scope, context);\n        }\n        return context;\n    }\n}\n\nclass ClassMap {\n    constructor(scope) {\n        this.scope = scope;\n    }\n    has(name) {\n        return this.data.has(this.getDataKey(name));\n    }\n    get(name) {\n        return this.getAll(name)[0];\n    }\n    getAll(name) {\n        const tokenString = this.data.get(this.getDataKey(name)) || \"\";\n        return tokenize(tokenString);\n    }\n    getAttributeName(name) {\n        return this.data.getAttributeNameForKey(this.getDataKey(name));\n    }\n    getDataKey(name) {\n        return `${name}-class`;\n    }\n    get data() {\n        return this.scope.data;\n    }\n}\n\nclass DataMap {\n    constructor(scope) {\n        this.scope = scope;\n    }\n    get element() {\n        return this.scope.element;\n    }\n    get identifier() {\n        return this.scope.identifier;\n    }\n    get(key) {\n        const name = this.getAttributeNameForKey(key);\n        return this.element.getAttribute(name);\n    }\n    set(key, value) {\n        const name = this.getAttributeNameForKey(key);\n        this.element.setAttribute(name, value);\n        return this.get(key);\n    }\n    has(key) {\n        const name = this.getAttributeNameForKey(key);\n        return this.element.hasAttribute(name);\n    }\n    delete(key) {\n        if (this.has(key)) {\n            const name = this.getAttributeNameForKey(key);\n            this.element.removeAttribute(name);\n            return true;\n        }\n        else {\n            return false;\n        }\n    }\n    getAttributeNameForKey(key) {\n        return `data-${this.identifier}-${dasherize(key)}`;\n    }\n}\n\nclass Guide {\n    constructor(logger) {\n        this.warnedKeysByObject = new WeakMap();\n        this.logger = logger;\n    }\n    warn(object, key, message) {\n        let warnedKeys = this.warnedKeysByObject.get(object);\n        if (!warnedKeys) {\n            warnedKeys = new Set();\n            this.warnedKeysByObject.set(object, warnedKeys);\n        }\n        if (!warnedKeys.has(key)) {\n            warnedKeys.add(key);\n            this.logger.warn(message, object);\n        }\n    }\n}\n\nfunction attributeValueContainsToken(attributeName, token) {\n    return `[${attributeName}~=\"${token}\"]`;\n}\n\nclass TargetSet {\n    constructor(scope) {\n        this.scope = scope;\n    }\n    get element() {\n        return this.scope.element;\n    }\n    get identifier() {\n        return this.scope.identifier;\n    }\n    get schema() {\n        return this.scope.schema;\n    }\n    has(targetName) {\n        return this.find(targetName) != null;\n    }\n    find(...targetNames) {\n        return targetNames.reduce((target, targetName) => target || this.findTarget(targetName) || this.findLegacyTarget(targetName), undefined);\n    }\n    findAll(...targetNames) {\n        return targetNames.reduce((targets, targetName) => [\n            ...targets,\n            ...this.findAllTargets(targetName),\n            ...this.findAllLegacyTargets(targetName),\n        ], []);\n    }\n    findTarget(targetName) {\n        const selector = this.getSelectorForTargetName(targetName);\n        return this.scope.findElement(selector);\n    }\n    findAllTargets(targetName) {\n        const selector = this.getSelectorForTargetName(targetName);\n        return this.scope.findAllElements(selector);\n    }\n    getSelectorForTargetName(targetName) {\n        const attributeName = this.schema.targetAttributeForScope(this.identifier);\n        return attributeValueContainsToken(attributeName, targetName);\n    }\n    findLegacyTarget(targetName) {\n        const selector = this.getLegacySelectorForTargetName(targetName);\n        return this.deprecate(this.scope.findElement(selector), targetName);\n    }\n    findAllLegacyTargets(targetName) {\n        const selector = this.getLegacySelectorForTargetName(targetName);\n        return this.scope.findAllElements(selector).map((element) => this.deprecate(element, targetName));\n    }\n    getLegacySelectorForTargetName(targetName) {\n        const targetDescriptor = `${this.identifier}.${targetName}`;\n        return attributeValueContainsToken(this.schema.targetAttribute, targetDescriptor);\n    }\n    deprecate(element, targetName) {\n        if (element) {\n            const { identifier } = this;\n            const attributeName = this.schema.targetAttribute;\n            const revisedAttributeName = this.schema.targetAttributeForScope(identifier);\n            this.guide.warn(element, `target:${targetName}`, `Please replace ${attributeName}=\"${identifier}.${targetName}\" with ${revisedAttributeName}=\"${targetName}\". ` +\n                `The ${attributeName} attribute is deprecated and will be removed in a future version of Stimulus.`);\n        }\n        return element;\n    }\n    get guide() {\n        return this.scope.guide;\n    }\n}\n\nclass OutletSet {\n    constructor(scope, controllerElement) {\n        this.scope = scope;\n        this.controllerElement = controllerElement;\n    }\n    get element() {\n        return this.scope.element;\n    }\n    get identifier() {\n        return this.scope.identifier;\n    }\n    get schema() {\n        return this.scope.schema;\n    }\n    has(outletName) {\n        return this.find(outletName) != null;\n    }\n    find(...outletNames) {\n        return outletNames.reduce((outlet, outletName) => outlet || this.findOutlet(outletName), undefined);\n    }\n    findAll(...outletNames) {\n        return outletNames.reduce((outlets, outletName) => [...outlets, ...this.findAllOutlets(outletName)], []);\n    }\n    getSelectorForOutletName(outletName) {\n        const attributeName = this.schema.outletAttributeForScope(this.identifier, outletName);\n        return this.controllerElement.getAttribute(attributeName);\n    }\n    findOutlet(outletName) {\n        const selector = this.getSelectorForOutletName(outletName);\n        if (selector)\n            return this.findElement(selector, outletName);\n    }\n    findAllOutlets(outletName) {\n        const selector = this.getSelectorForOutletName(outletName);\n        return selector ? this.findAllElements(selector, outletName) : [];\n    }\n    findElement(selector, outletName) {\n        const elements = this.scope.queryElements(selector);\n        return elements.filter((element) => this.matchesElement(element, selector, outletName))[0];\n    }\n    findAllElements(selector, outletName) {\n        const elements = this.scope.queryElements(selector);\n        return elements.filter((element) => this.matchesElement(element, selector, outletName));\n    }\n    matchesElement(element, selector, outletName) {\n        const controllerAttribute = element.getAttribute(this.scope.schema.controllerAttribute) || \"\";\n        return element.matches(selector) && controllerAttribute.split(\" \").includes(outletName);\n    }\n}\n\nclass Scope {\n    constructor(schema, element, identifier, logger) {\n        this.targets = new TargetSet(this);\n        this.classes = new ClassMap(this);\n        this.data = new DataMap(this);\n        this.containsElement = (element) => {\n            return element.closest(this.controllerSelector) === this.element;\n        };\n        this.schema = schema;\n        this.element = element;\n        this.identifier = identifier;\n        this.guide = new Guide(logger);\n        this.outlets = new OutletSet(this.documentScope, element);\n    }\n    findElement(selector) {\n        return this.element.matches(selector) ? this.element : this.queryElements(selector).find(this.containsElement);\n    }\n    findAllElements(selector) {\n        return [\n            ...(this.element.matches(selector) ? [this.element] : []),\n            ...this.queryElements(selector).filter(this.containsElement),\n        ];\n    }\n    queryElements(selector) {\n        return Array.from(this.element.querySelectorAll(selector));\n    }\n    get controllerSelector() {\n        return attributeValueContainsToken(this.schema.controllerAttribute, this.identifier);\n    }\n    get isDocumentScope() {\n        return this.element === document.documentElement;\n    }\n    get documentScope() {\n        return this.isDocumentScope\n            ? this\n            : new Scope(this.schema, document.documentElement, this.identifier, this.guide.logger);\n    }\n}\n\nclass ScopeObserver {\n    constructor(element, schema, delegate) {\n        this.element = element;\n        this.schema = schema;\n        this.delegate = delegate;\n        this.valueListObserver = new ValueListObserver(this.element, this.controllerAttribute, this);\n        this.scopesByIdentifierByElement = new WeakMap();\n        this.scopeReferenceCounts = new WeakMap();\n    }\n    start() {\n        this.valueListObserver.start();\n    }\n    stop() {\n        this.valueListObserver.stop();\n    }\n    get controllerAttribute() {\n        return this.schema.controllerAttribute;\n    }\n    parseValueForToken(token) {\n        const { element, content: identifier } = token;\n        return this.parseValueForElementAndIdentifier(element, identifier);\n    }\n    parseValueForElementAndIdentifier(element, identifier) {\n        const scopesByIdentifier = this.fetchScopesByIdentifierForElement(element);\n        let scope = scopesByIdentifier.get(identifier);\n        if (!scope) {\n            scope = this.delegate.createScopeForElementAndIdentifier(element, identifier);\n            scopesByIdentifier.set(identifier, scope);\n        }\n        return scope;\n    }\n    elementMatchedValue(element, value) {\n        const referenceCount = (this.scopeReferenceCounts.get(value) || 0) + 1;\n        this.scopeReferenceCounts.set(value, referenceCount);\n        if (referenceCount == 1) {\n            this.delegate.scopeConnected(value);\n        }\n    }\n    elementUnmatchedValue(element, value) {\n        const referenceCount = this.scopeReferenceCounts.get(value);\n        if (referenceCount) {\n            this.scopeReferenceCounts.set(value, referenceCount - 1);\n            if (referenceCount == 1) {\n                this.delegate.scopeDisconnected(value);\n            }\n        }\n    }\n    fetchScopesByIdentifierForElement(element) {\n        let scopesByIdentifier = this.scopesByIdentifierByElement.get(element);\n        if (!scopesByIdentifier) {\n            scopesByIdentifier = new Map();\n            this.scopesByIdentifierByElement.set(element, scopesByIdentifier);\n        }\n        return scopesByIdentifier;\n    }\n}\n\nclass Router {\n    constructor(application) {\n        this.application = application;\n        this.scopeObserver = new ScopeObserver(this.element, this.schema, this);\n        this.scopesByIdentifier = new Multimap();\n        this.modulesByIdentifier = new Map();\n    }\n    get element() {\n        return this.application.element;\n    }\n    get schema() {\n        return this.application.schema;\n    }\n    get logger() {\n        return this.application.logger;\n    }\n    get controllerAttribute() {\n        return this.schema.controllerAttribute;\n    }\n    get modules() {\n        return Array.from(this.modulesByIdentifier.values());\n    }\n    get contexts() {\n        return this.modules.reduce((contexts, module) => contexts.concat(module.contexts), []);\n    }\n    start() {\n        this.scopeObserver.start();\n    }\n    stop() {\n        this.scopeObserver.stop();\n    }\n    loadDefinition(definition) {\n        this.unloadIdentifier(definition.identifier);\n        const module = new Module(this.application, definition);\n        this.connectModule(module);\n        const afterLoad = definition.controllerConstructor.afterLoad;\n        if (afterLoad) {\n            afterLoad.call(definition.controllerConstructor, definition.identifier, this.application);\n        }\n    }\n    unloadIdentifier(identifier) {\n        const module = this.modulesByIdentifier.get(identifier);\n        if (module) {\n            this.disconnectModule(module);\n        }\n    }\n    getContextForElementAndIdentifier(element, identifier) {\n        const module = this.modulesByIdentifier.get(identifier);\n        if (module) {\n            return module.contexts.find((context) => context.element == element);\n        }\n    }\n    proposeToConnectScopeForElementAndIdentifier(element, identifier) {\n        const scope = this.scopeObserver.parseValueForElementAndIdentifier(element, identifier);\n        if (scope) {\n            this.scopeObserver.elementMatchedValue(scope.element, scope);\n        }\n        else {\n            console.error(`Couldn't find or create scope for identifier: \"${identifier}\" and element:`, element);\n        }\n    }\n    handleError(error, message, detail) {\n        this.application.handleError(error, message, detail);\n    }\n    createScopeForElementAndIdentifier(element, identifier) {\n        return new Scope(this.schema, element, identifier, this.logger);\n    }\n    scopeConnected(scope) {\n        this.scopesByIdentifier.add(scope.identifier, scope);\n        const module = this.modulesByIdentifier.get(scope.identifier);\n        if (module) {\n            module.connectContextForScope(scope);\n        }\n    }\n    scopeDisconnected(scope) {\n        this.scopesByIdentifier.delete(scope.identifier, scope);\n        const module = this.modulesByIdentifier.get(scope.identifier);\n        if (module) {\n            module.disconnectContextForScope(scope);\n        }\n    }\n    connectModule(module) {\n        this.modulesByIdentifier.set(module.identifier, module);\n        const scopes = this.scopesByIdentifier.getValuesForKey(module.identifier);\n        scopes.forEach((scope) => module.connectContextForScope(scope));\n    }\n    disconnectModule(module) {\n        this.modulesByIdentifier.delete(module.identifier);\n        const scopes = this.scopesByIdentifier.getValuesForKey(module.identifier);\n        scopes.forEach((scope) => module.disconnectContextForScope(scope));\n    }\n}\n\nconst defaultSchema = {\n    controllerAttribute: \"data-controller\",\n    actionAttribute: \"data-action\",\n    targetAttribute: \"data-target\",\n    targetAttributeForScope: (identifier) => `data-${identifier}-target`,\n    outletAttributeForScope: (identifier, outlet) => `data-${identifier}-${outlet}-outlet`,\n    keyMappings: Object.assign(Object.assign({ enter: \"Enter\", tab: \"Tab\", esc: \"Escape\", space: \" \", up: \"ArrowUp\", down: \"ArrowDown\", left: \"ArrowLeft\", right: \"ArrowRight\", home: \"Home\", end: \"End\", page_up: \"PageUp\", page_down: \"PageDown\" }, objectFromEntries(\"abcdefghijklmnopqrstuvwxyz\".split(\"\").map((c) => [c, c]))), objectFromEntries(\"0123456789\".split(\"\").map((n) => [n, n]))),\n};\nfunction objectFromEntries(array) {\n    return array.reduce((memo, [k, v]) => (Object.assign(Object.assign({}, memo), { [k]: v })), {});\n}\n\nclass Application {\n    constructor(element = document.documentElement, schema = defaultSchema) {\n        this.logger = console;\n        this.debug = false;\n        this.logDebugActivity = (identifier, functionName, detail = {}) => {\n            if (this.debug) {\n                this.logFormattedMessage(identifier, functionName, detail);\n            }\n        };\n        this.element = element;\n        this.schema = schema;\n        this.dispatcher = new Dispatcher(this);\n        this.router = new Router(this);\n        this.actionDescriptorFilters = Object.assign({}, defaultActionDescriptorFilters);\n    }\n    static start(element, schema) {\n        const application = new this(element, schema);\n        application.start();\n        return application;\n    }\n    async start() {\n        await domReady();\n        this.logDebugActivity(\"application\", \"starting\");\n        this.dispatcher.start();\n        this.router.start();\n        this.logDebugActivity(\"application\", \"start\");\n    }\n    stop() {\n        this.logDebugActivity(\"application\", \"stopping\");\n        this.dispatcher.stop();\n        this.router.stop();\n        this.logDebugActivity(\"application\", \"stop\");\n    }\n    register(identifier, controllerConstructor) {\n        this.load({ identifier, controllerConstructor });\n    }\n    registerActionOption(name, filter) {\n        this.actionDescriptorFilters[name] = filter;\n    }\n    load(head, ...rest) {\n        const definitions = Array.isArray(head) ? head : [head, ...rest];\n        definitions.forEach((definition) => {\n            if (definition.controllerConstructor.shouldLoad) {\n                this.router.loadDefinition(definition);\n            }\n        });\n    }\n    unload(head, ...rest) {\n        const identifiers = Array.isArray(head) ? head : [head, ...rest];\n        identifiers.forEach((identifier) => this.router.unloadIdentifier(identifier));\n    }\n    get controllers() {\n        return this.router.contexts.map((context) => context.controller);\n    }\n    getControllerForElementAndIdentifier(element, identifier) {\n        const context = this.router.getContextForElementAndIdentifier(element, identifier);\n        return context ? context.controller : null;\n    }\n    handleError(error, message, detail) {\n        var _a;\n        this.logger.error(`%s\\n\\n%o\\n\\n%o`, message, error, detail);\n        (_a = window.onerror) === null || _a === void 0 ? void 0 : _a.call(window, message, \"\", 0, 0, error);\n    }\n    logFormattedMessage(identifier, functionName, detail = {}) {\n        detail = Object.assign({ application: this }, detail);\n        this.logger.groupCollapsed(`${identifier} #${functionName}`);\n        this.logger.log(\"details:\", Object.assign({}, detail));\n        this.logger.groupEnd();\n    }\n}\nfunction domReady() {\n    return new Promise((resolve) => {\n        if (document.readyState == \"loading\") {\n            document.addEventListener(\"DOMContentLoaded\", () => resolve());\n        }\n        else {\n            resolve();\n        }\n    });\n}\n\nfunction ClassPropertiesBlessing(constructor) {\n    const classes = readInheritableStaticArrayValues(constructor, \"classes\");\n    return classes.reduce((properties, classDefinition) => {\n        return Object.assign(properties, propertiesForClassDefinition(classDefinition));\n    }, {});\n}\nfunction propertiesForClassDefinition(key) {\n    return {\n        [`${key}Class`]: {\n            get() {\n                const { classes } = this;\n                if (classes.has(key)) {\n                    return classes.get(key);\n                }\n                else {\n                    const attribute = classes.getAttributeName(key);\n                    throw new Error(`Missing attribute \"${attribute}\"`);\n                }\n            },\n        },\n        [`${key}Classes`]: {\n            get() {\n                return this.classes.getAll(key);\n            },\n        },\n        [`has${capitalize(key)}Class`]: {\n            get() {\n                return this.classes.has(key);\n            },\n        },\n    };\n}\n\nfunction OutletPropertiesBlessing(constructor) {\n    const outlets = readInheritableStaticArrayValues(constructor, \"outlets\");\n    return outlets.reduce((properties, outletDefinition) => {\n        return Object.assign(properties, propertiesForOutletDefinition(outletDefinition));\n    }, {});\n}\nfunction getOutletController(controller, element, identifier) {\n    return controller.application.getControllerForElementAndIdentifier(element, identifier);\n}\nfunction getControllerAndEnsureConnectedScope(controller, element, outletName) {\n    let outletController = getOutletController(controller, element, outletName);\n    if (outletController)\n        return outletController;\n    controller.application.router.proposeToConnectScopeForElementAndIdentifier(element, outletName);\n    outletController = getOutletController(controller, element, outletName);\n    if (outletController)\n        return outletController;\n}\nfunction propertiesForOutletDefinition(name) {\n    const camelizedName = namespaceCamelize(name);\n    return {\n        [`${camelizedName}Outlet`]: {\n            get() {\n                const outletElement = this.outlets.find(name);\n                const selector = this.outlets.getSelectorForOutletName(name);\n                if (outletElement) {\n                    const outletController = getControllerAndEnsureConnectedScope(this, outletElement, name);\n                    if (outletController)\n                        return outletController;\n                    throw new Error(`The provided outlet element is missing an outlet controller \"${name}\" instance for host controller \"${this.identifier}\"`);\n                }\n                throw new Error(`Missing outlet element \"${name}\" for host controller \"${this.identifier}\". Stimulus couldn't find a matching outlet element using selector \"${selector}\".`);\n            },\n        },\n        [`${camelizedName}Outlets`]: {\n            get() {\n                const outlets = this.outlets.findAll(name);\n                if (outlets.length > 0) {\n                    return outlets\n                        .map((outletElement) => {\n                        const outletController = getControllerAndEnsureConnectedScope(this, outletElement, name);\n                        if (outletController)\n                            return outletController;\n                        console.warn(`The provided outlet element is missing an outlet controller \"${name}\" instance for host controller \"${this.identifier}\"`, outletElement);\n                    })\n                        .filter((controller) => controller);\n                }\n                return [];\n            },\n        },\n        [`${camelizedName}OutletElement`]: {\n            get() {\n                const outletElement = this.outlets.find(name);\n                const selector = this.outlets.getSelectorForOutletName(name);\n                if (outletElement) {\n                    return outletElement;\n                }\n                else {\n                    throw new Error(`Missing outlet element \"${name}\" for host controller \"${this.identifier}\". Stimulus couldn't find a matching outlet element using selector \"${selector}\".`);\n                }\n            },\n        },\n        [`${camelizedName}OutletElements`]: {\n            get() {\n                return this.outlets.findAll(name);\n            },\n        },\n        [`has${capitalize(camelizedName)}Outlet`]: {\n            get() {\n                return this.outlets.has(name);\n            },\n        },\n    };\n}\n\nfunction TargetPropertiesBlessing(constructor) {\n    const targets = readInheritableStaticArrayValues(constructor, \"targets\");\n    return targets.reduce((properties, targetDefinition) => {\n        return Object.assign(properties, propertiesForTargetDefinition(targetDefinition));\n    }, {});\n}\nfunction propertiesForTargetDefinition(name) {\n    return {\n        [`${name}Target`]: {\n            get() {\n                const target = this.targets.find(name);\n                if (target) {\n                    return target;\n                }\n                else {\n                    throw new Error(`Missing target element \"${name}\" for \"${this.identifier}\" controller`);\n                }\n            },\n        },\n        [`${name}Targets`]: {\n            get() {\n                return this.targets.findAll(name);\n            },\n        },\n        [`has${capitalize(name)}Target`]: {\n            get() {\n                return this.targets.has(name);\n            },\n        },\n    };\n}\n\nfunction ValuePropertiesBlessing(constructor) {\n    const valueDefinitionPairs = readInheritableStaticObjectPairs(constructor, \"values\");\n    const propertyDescriptorMap = {\n        valueDescriptorMap: {\n            get() {\n                return valueDefinitionPairs.reduce((result, valueDefinitionPair) => {\n                    const valueDescriptor = parseValueDefinitionPair(valueDefinitionPair, this.identifier);\n                    const attributeName = this.data.getAttributeNameForKey(valueDescriptor.key);\n                    return Object.assign(result, { [attributeName]: valueDescriptor });\n                }, {});\n            },\n        },\n    };\n    return valueDefinitionPairs.reduce((properties, valueDefinitionPair) => {\n        return Object.assign(properties, propertiesForValueDefinitionPair(valueDefinitionPair));\n    }, propertyDescriptorMap);\n}\nfunction propertiesForValueDefinitionPair(valueDefinitionPair, controller) {\n    const definition = parseValueDefinitionPair(valueDefinitionPair, controller);\n    const { key, name, reader: read, writer: write } = definition;\n    return {\n        [name]: {\n            get() {\n                const value = this.data.get(key);\n                if (value !== null) {\n                    return read(value);\n                }\n                else {\n                    return definition.defaultValue;\n                }\n            },\n            set(value) {\n                if (value === undefined) {\n                    this.data.delete(key);\n                }\n                else {\n                    this.data.set(key, write(value));\n                }\n            },\n        },\n        [`has${capitalize(name)}`]: {\n            get() {\n                return this.data.has(key) || definition.hasCustomDefaultValue;\n            },\n        },\n    };\n}\nfunction parseValueDefinitionPair([token, typeDefinition], controller) {\n    return valueDescriptorForTokenAndTypeDefinition({\n        controller,\n        token,\n        typeDefinition,\n    });\n}\nfunction parseValueTypeConstant(constant) {\n    switch (constant) {\n        case Array:\n            return \"array\";\n        case Boolean:\n            return \"boolean\";\n        case Number:\n            return \"number\";\n        case Object:\n            return \"object\";\n        case String:\n            return \"string\";\n    }\n}\nfunction parseValueTypeDefault(defaultValue) {\n    switch (typeof defaultValue) {\n        case \"boolean\":\n            return \"boolean\";\n        case \"number\":\n            return \"number\";\n        case \"string\":\n            return \"string\";\n    }\n    if (Array.isArray(defaultValue))\n        return \"array\";\n    if (Object.prototype.toString.call(defaultValue) === \"[object Object]\")\n        return \"object\";\n}\nfunction parseValueTypeObject(payload) {\n    const { controller, token, typeObject } = payload;\n    const hasType = isSomething(typeObject.type);\n    const hasDefault = isSomething(typeObject.default);\n    const fullObject = hasType && hasDefault;\n    const onlyType = hasType && !hasDefault;\n    const onlyDefault = !hasType && hasDefault;\n    const typeFromObject = parseValueTypeConstant(typeObject.type);\n    const typeFromDefaultValue = parseValueTypeDefault(payload.typeObject.default);\n    if (onlyType)\n        return typeFromObject;\n    if (onlyDefault)\n        return typeFromDefaultValue;\n    if (typeFromObject !== typeFromDefaultValue) {\n        const propertyPath = controller ? `${controller}.${token}` : token;\n        throw new Error(`The specified default value for the Stimulus Value \"${propertyPath}\" must match the defined type \"${typeFromObject}\". The provided default value of \"${typeObject.default}\" is of type \"${typeFromDefaultValue}\".`);\n    }\n    if (fullObject)\n        return typeFromObject;\n}\nfunction parseValueTypeDefinition(payload) {\n    const { controller, token, typeDefinition } = payload;\n    const typeObject = { controller, token, typeObject: typeDefinition };\n    const typeFromObject = parseValueTypeObject(typeObject);\n    const typeFromDefaultValue = parseValueTypeDefault(typeDefinition);\n    const typeFromConstant = parseValueTypeConstant(typeDefinition);\n    const type = typeFromObject || typeFromDefaultValue || typeFromConstant;\n    if (type)\n        return type;\n    const propertyPath = controller ? `${controller}.${typeDefinition}` : token;\n    throw new Error(`Unknown value type \"${propertyPath}\" for \"${token}\" value`);\n}\nfunction defaultValueForDefinition(typeDefinition) {\n    const constant = parseValueTypeConstant(typeDefinition);\n    if (constant)\n        return defaultValuesByType[constant];\n    const hasDefault = hasProperty(typeDefinition, \"default\");\n    const hasType = hasProperty(typeDefinition, \"type\");\n    const typeObject = typeDefinition;\n    if (hasDefault)\n        return typeObject.default;\n    if (hasType) {\n        const { type } = typeObject;\n        const constantFromType = parseValueTypeConstant(type);\n        if (constantFromType)\n            return defaultValuesByType[constantFromType];\n    }\n    return typeDefinition;\n}\nfunction valueDescriptorForTokenAndTypeDefinition(payload) {\n    const { token, typeDefinition } = payload;\n    const key = `${dasherize(token)}-value`;\n    const type = parseValueTypeDefinition(payload);\n    return {\n        type,\n        key,\n        name: camelize(key),\n        get defaultValue() {\n            return defaultValueForDefinition(typeDefinition);\n        },\n        get hasCustomDefaultValue() {\n            return parseValueTypeDefault(typeDefinition) !== undefined;\n        },\n        reader: readers[type],\n        writer: writers[type] || writers.default,\n    };\n}\nconst defaultValuesByType = {\n    get array() {\n        return [];\n    },\n    boolean: false,\n    number: 0,\n    get object() {\n        return {};\n    },\n    string: \"\",\n};\nconst readers = {\n    array(value) {\n        const array = JSON.parse(value);\n        if (!Array.isArray(array)) {\n            throw new TypeError(`expected value of type \"array\" but instead got value \"${value}\" of type \"${parseValueTypeDefault(array)}\"`);\n        }\n        return array;\n    },\n    boolean(value) {\n        return !(value == \"0\" || String(value).toLowerCase() == \"false\");\n    },\n    number(value) {\n        return Number(value.replace(/_/g, \"\"));\n    },\n    object(value) {\n        const object = JSON.parse(value);\n        if (object === null || typeof object != \"object\" || Array.isArray(object)) {\n            throw new TypeError(`expected value of type \"object\" but instead got value \"${value}\" of type \"${parseValueTypeDefault(object)}\"`);\n        }\n        return object;\n    },\n    string(value) {\n        return value;\n    },\n};\nconst writers = {\n    default: writeString,\n    array: writeJSON,\n    object: writeJSON,\n};\nfunction writeJSON(value) {\n    return JSON.stringify(value);\n}\nfunction writeString(value) {\n    return `${value}`;\n}\n\nclass Controller {\n    constructor(context) {\n        this.context = context;\n    }\n    static get shouldLoad() {\n        return true;\n    }\n    static afterLoad(_identifier, _application) {\n        return;\n    }\n    get application() {\n        return this.context.application;\n    }\n    get scope() {\n        return this.context.scope;\n    }\n    get element() {\n        return this.scope.element;\n    }\n    get identifier() {\n        return this.scope.identifier;\n    }\n    get targets() {\n        return this.scope.targets;\n    }\n    get outlets() {\n        return this.scope.outlets;\n    }\n    get classes() {\n        return this.scope.classes;\n    }\n    get data() {\n        return this.scope.data;\n    }\n    initialize() {\n    }\n    connect() {\n    }\n    disconnect() {\n    }\n    dispatch(eventName, { target = this.element, detail = {}, prefix = this.identifier, bubbles = true, cancelable = true, } = {}) {\n        const type = prefix ? `${prefix}:${eventName}` : eventName;\n        const event = new CustomEvent(type, { detail, bubbles, cancelable });\n        target.dispatchEvent(event);\n        return event;\n    }\n}\nController.blessings = [\n    ClassPropertiesBlessing,\n    TargetPropertiesBlessing,\n    ValuePropertiesBlessing,\n    OutletPropertiesBlessing,\n];\nController.targets = [];\nController.outlets = [];\nController.values = {};\n\nexport { Application, AttributeObserver, Context, Controller, ElementObserver, IndexedMultimap, Multimap, SelectorObserver, StringMapObserver, TokenListObserver, ValueListObserver, add, defaultSchema, del, fetch, prune };\n","import { Application } from \"@hotwired/stimulus\"\nimport { log } from \"../logger.js\"\nimport { cacheBustedUrl, reloadHtmlDocument } from \"../helpers.js\"\n\nexport class StimulusReloader {\n  static async reload(filePattern) {\n    const document = await reloadHtmlDocument()\n    return new StimulusReloader(document, filePattern).reload()\n  }\n\n  constructor(document, filePattern = /./) {\n    this.document = document\n    this.filePattern = filePattern\n    this.application = window.Stimulus || Application.start()\n  }\n\n  async reload() {\n    log(\"Reload Stimulus controllers...\")\n\n    this.application.stop()\n    await this.#reloadStimulusControllers()\n    this.application.start()\n  }\n\n  async #reloadStimulusControllers() {\n    await Promise.all(\n      this.#stimulusControllerPaths.map(async moduleName => this.#reloadStimulusController(moduleName))\n    )\n  }\n\n  get #stimulusControllerPaths() {\n    return Object.keys(this.#stimulusPathsByModule).filter(path => path.endsWith(\"_controller\") && this.#shouldReloadController(path))\n  }\n\n  #shouldReloadController(path) {\n    return this.filePattern.test(path)\n  }\n\n  get #stimulusPathsByModule() {\n    this.pathsByModule = this.pathsByModule || this.#parseImportmapJson()\n    return this.pathsByModule\n  }\n\n  #parseImportmapJson() {\n    const importmapScript = this.document.querySelector(\"script[type=importmap]\")\n    return JSON.parse(importmapScript.text).imports\n  }\n\n  async #reloadStimulusController(moduleName) {\n    log(`\\t${moduleName}`)\n\n    const controllerName = this.#extractControllerName(moduleName)\n    const path = cacheBustedUrl(this.#pathForModuleName(moduleName))\n\n    const module = await import(path)\n\n    this.#registerController(controllerName, module)\n  }\n\n  #pathForModuleName(moduleName) {\n    return this.#stimulusPathsByModule[moduleName]\n  }\n\n  #extractControllerName(path) {\n    return path\n      .replace(/^.*\\//, \"\")\n      .replace(\"_controller\", \"\")\n      .replace(/\\//g, \"--\")\n      .replace(/_/g, \"-\")\n  }\n\n  #registerController(name, module) {\n    this.application.unload(name)\n    this.application.register(name, module.default)\n  }\n}\n","import { Idiomorph } from \"idiomorph/dist/idiomorph.esm.js\"\nimport { log } from \"../logger.js\"\nimport { reloadHtmlDocument } from \"../helpers.js\"\nimport { StimulusReloader } from \"./stimulus_reloader.js\"\n\nexport class HtmlReloader {\n  static async reload() {\n    return new HtmlReloader().reload()\n  }\n\n  async reload() {\n    const reloadedDocument = await this.#reloadHtml()\n    await this.#reloadStimulus(reloadedDocument)\n  }\n\n  async #reloadHtml() {\n    log(\"Reload html...\")\n\n    const reloadedDocument = await reloadHtmlDocument()\n    this.#updateBody(reloadedDocument.body)\n    return reloadedDocument\n  }\n\n  #updateBody(newBody) {\n    Idiomorph.morph(document.body, newBody)\n  }\n\n  async #reloadStimulus(reloadedDocument) {\n    return new StimulusReloader(reloadedDocument).reload()\n  }\n}\n","import { log } from \"../logger.js\"\nimport { cacheBustedUrl, reloadHtmlDocument, pathWithoutAssetDigest } from \"../helpers.js\"\n\nexport class CssReloader {\n  static async reload(...params) {\n    return new CssReloader(...params).reload()\n  }\n\n  constructor(filePattern = /./) {\n    this.filePattern = filePattern\n  }\n\n  async reload() {\n    log(\"Reload css...\")\n    await Promise.all(await this.#reloadAllLinks())\n  }\n\n  async #reloadAllLinks() {\n    const cssLinks = await this.#loadNewCssLinks();\n    return cssLinks.map(link => this.#reloadLinkIfNeeded(link))\n  }\n\n  async #loadNewCssLinks() {\n    const reloadedDocument = await reloadHtmlDocument()\n    return Array.from(reloadedDocument.head.querySelectorAll(\"link[rel='stylesheet']\"))\n  }\n\n  #reloadLinkIfNeeded(link) {\n    if (this.#shouldReloadLink(link)) {\n      return this.#reloadLink(link)\n    } else {\n      return Promise.resolve()\n    }\n  }\n\n  #shouldReloadLink(link) {\n    return this.filePattern.test(link.getAttribute(\"href\"))\n  }\n\n  async #reloadLink(link) {\n    return new Promise(resolve => {\n      const href = link.getAttribute(\"href\")\n      const newLink = this.#findExistingLinkFor(link) || this.#appendNewLink(link)\n\n      newLink.setAttribute(\"href\", cacheBustedUrl(link.getAttribute(\"href\")))\n      newLink.onload = () => {\n        log(`\\t${href}`)\n        resolve()\n      }\n    })\n  }\n\n  #findExistingLinkFor(link) {\n    return this.#cssLinks.find(newLink => pathWithoutAssetDigest(link.href) === pathWithoutAssetDigest(newLink.href))\n  }\n\n  get #cssLinks() {\n    return Array.from(document.querySelectorAll(\"link[rel='stylesheet']\"))\n  }\n\n  #appendNewLink(link) {\n    document.head.append(link)\n    return link\n  }\n}\n","import consumer from \"./consumer\"\nimport { assetNameFromPath } from \"../helpers.js\";\nimport { HtmlReloader } from \"../reloaders/html_reloader.js\";\nimport { CssReloader } from \"../reloaders/css_reloader.js\";\nimport { StimulusReloader } from \"../reloaders/stimulus_reloader.js\";\n\nconsumer.subscriptions.create({ channel: \"Hotwire::Spark::Channel\" }, {\n  connected() {\n    document.body.setAttribute(\"data-hotwire-spark-ready\", \"\")\n  },\n\n  async received(message) {\n    try {\n      await this.dispatch(message)\n    } catch(error) {\n      console.log(`Error on ${message.action}`, error)\n    }\n  },\n\n  dispatch({ action, path }) {\n    const fileName = assetNameFromPath(path)\n\n    switch(action) {\n      case \"reload_html\":\n        return this.reloadHtml()\n      case \"reload_css\":\n        return this.reloadCss(fileName)\n      case \"reload_stimulus\":\n        return this.reloadStimulus(fileName)\n      default:\n        throw new Error(`Unknown action: ${action}`)\n    }\n  },\n\n  reloadHtml() {\n    return HtmlReloader.reload()\n  },\n\n  reloadCss(fileName) {\n    return CssReloader.reload(new RegExp(fileName))\n  },\n\n  reloadStimulus(fileName) {\n    return StimulusReloader.reload(new RegExp(fileName))\n  }\n})\n\n","import \"./channels/monitoring_channel.js\"\nimport { getConfigurationProperty } from \"./helpers.js\";\n\nconst HotwireSpark = {\n  config: {\n    loggingEnabled: false \n  }\n}\n\ndocument.addEventListener(\"DOMContentLoaded\", function() {\n  HotwireSpark.config.loggingEnabled = getConfigurationProperty(\"logging\");\n})\n\nexport default HotwireSpark\n"],"names":["adapters","logger","console","undefined","WebSocket","log","messages","this","enabled","push","Date","now","getTime","secondsSince","time","ConnectionMonitor","constructor","connection","visibilityDidChange","bind","reconnectAttempts","start","isRunning","startedAt","stoppedAt","startPolling","addEventListener","staleThreshold","stop","stopPolling","removeEventListener","recordMessage","pingedAt","recordConnect","disconnectedAt","recordDisconnect","poll","clearTimeout","pollTimeout","setTimeout","reconnectIfStale","getPollInterval","reconnectionBackoffRate","Math","pow","min","random","connectionIsStale","refreshedAt","disconnectedRecently","reopen","document","visibilityState","isOpen","INTERNAL","message_types","welcome","disconnect","ping","confirmation","rejection","disconnect_reasons","unauthorized","invalid_request","server_restart","remote","default_mount_path","protocols","supportedProtocols","slice","length","indexOf","Connection","consumer","open","subscriptions","monitor","disconnected","send","data","webSocket","JSON","stringify","isActive","getState","socketProtocols","subprotocols","uninstallEventHandlers","url","installEventHandlers","close","allowReconnect","error","reopenDelay","getProtocol","protocol","isState","triedToReconnect","isProtocolSupported","call","states","state","readyState","toLowerCase","eventName","events","handler","prototype","message","event","identifier","reason","reconnect","type","parse","reconnectAttempted","reload","confirmSubscription","notify","reconnected","reject","notifyAll","willAttemptReconnect","Subscription","params","mixin","object","properties","key","value","extend","perform","action","command","unsubscribe","remove","SubscriptionGuarantor","pendingSubscriptions","guarantee","subscription","startGuaranteeing","forget","filter","s","stopGuaranteeing","retrySubscribing","retryTimeout","subscribe","map","Subscriptions","guarantor","create","channelName","channel","add","ensureActiveConnection","findAll","sendCommand","callbackName","args","Consumer","_url","test","a","createElement","href","replace","createWebSocketURL","connect","addSubProtocol","subprotocol","name","element","head","querySelector","getAttribute","getConfig","createConsumer","pathWithoutAssetDigest","path","urlWithParams","urlString","URL","window","location","origin","Object","entries","forEach","_ref","searchParams","set","toString","cacheBustedUrl","async","reloadHtmlDocument","currentUrl","hotwire_spark","response","fetch","ok","Error","status","fetchedHTML","text","DOMParser","parseFromString","Idiomorph","EMPTY_SET","Set","defaults","morphStyle","callbacks","beforeNodeAdded","noOp","afterNodeAdded","beforeNodeMorphed","afterNodeMorphed","beforeNodeRemoved","afterNodeRemoved","beforeAttributeUpdated","style","shouldPreserve","elt","shouldReAppend","shouldRemove","afterHeadMorphed","morphNormalizedContent","oldNode","normalizedNewContent","ctx","block","oldHead","newHead","promises","handleHeadElement","Promise","all","then","assign","ignore","morphChildren","children","bestMatch","newContent","currentElement","firstChild","bestElement","score","newScore","scoreElement","nextSibling","findBestNodeMatch","previousSibling","morphedNode","morphOldNodeTo","stack","added","node","pop","parentElement","insertBefore","insertSiblings","ignoreValueOfActiveElement","possibleActiveElement","ignoreActiveValue","activeElement","ignoreActive","isSoftMatch","HTMLHeadElement","from","to","nodeType","fromAttributes","attributes","toAttributes","fromAttribute","ignoreAttribute","setAttribute","i","toAttribute","hasAttribute","removeAttribute","nodeValue","HTMLInputElement","fromValue","toValue","syncBooleanAttribute","HTMLOptionElement","HTMLTextAreaElement","syncInputValue","syncNodeFrom","replaceChild","newParent","oldParent","newChild","nextNewChild","insertionPoint","appendChild","removeIdsFromConsideration","isIdSetMatch","idSetMatch","findIdSetMatch","removeNodesBetween","softMatch","findSoftMatch","tempNode","removeNode","attr","updateType","attributeName","ignoreUpdate","newHeadTag","currentHead","removed","preserved","nodesToAppend","headMergeStyle","srcToNewHeadNodes","Map","newHeadChild","outerHTML","currentHeadElt","inNewContent","has","isReAppended","isPreserved","delete","values","newNode","newElt","createRange","createContextualFragment","src","resolve","promise","_resolve","removedElement","removeChild","kept","node1","node2","tagName","id","getIdIntersectionCount","startInclusive","endExclusive","newChildPotentialIdCount","potentialMatch","otherMatchCount","potentialSoftMatch","siblingSoftMatchCount","isIdInConsideration","deadIds","idIsWithinNode","targetNode","idMap","get","idSet","sourceSet","matchCount","populateIdMapForNode","nodeParent","idElements","querySelectorAll","current","createIdMap","oldContent","morph","config","Document","documentElement","parser","contentWithSvgsRemoved","match","content","generatedByIdiomorph","htmlElement","body","parseContent","normalizedContent","Node","dummyParent","append","normalizeContent","finalConfig","mergeDefaults","target","createMorphContext","HotwireSpark","loggingEnabled","_len","arguments","Array","_key","EventListener","eventTarget","eventOptions","unorderedBindings","bindingConnected","binding","bindingDisconnected","handleEvent","extendedEvent","stopImmediatePropagation","immediatePropagationStopped","extendEvent","bindings","hasBindings","size","sort","left","right","leftIndex","index","rightIndex","Dispatcher","application","eventListenerMaps","started","eventListeners","eventListener","reduce","listeners","concat","fetchEventListenerForBinding","clearEventListeners","clearEventListenersForBinding","handleError","detail","removeMappedEventListenerFor","eventListenerMap","fetchEventListenerMapForEventTarget","cacheKey","fetchEventListener","createEventListener","parts","keys","join","defaultActionDescriptorFilters","stopPropagation","prevent","preventDefault","self","descriptorPattern","parseEventTarget","eventTargetName","camelize","_","char","toUpperCase","namespaceCamelize","allModifiers","Action","descriptor","schema","defaultEventNames","getDefaultEventNameForElement","methodName","keyFilter","forToken","token","descriptorString","matches","trim","includes","split","options","parseActionDescriptorString","eventFilter","shouldIgnoreKeyboardEvent","filters","keyFilterDissatisfied","standardFilter","keyMappings","property","hasOwnProperty","shouldIgnoreMouseEvent","pattern","RegExp","typecast","meta","ctrl","alt","shift","modifier","metaKey","ctrlKey","altKey","shiftKey","button","form","details","input","e","select","textarea","o_O","Binding","context","actionEvent","prepareActionEvent","willBeInvokedByEvent","applyEventModifiers","invokeWithEvent","method","controller","actionDescriptorFilters","passes","currentTarget","logDebugActivity","KeyboardEvent","MouseEvent","Element","contains","scope","containsElement","ElementObserver","delegate","mutationObserverInit","childList","subtree","elements","mutationObserver","MutationObserver","mutations","processMutations","observe","refresh","pause","callback","takeRecords","matchElementsInTree","removeElement","addElement","mutation","processMutation","processAttributeChange","processRemovedNodes","removedNodes","processAddedNodes","addedNodes","elementAttributeChanged","matchElement","nodes","elementFromNode","processTree","elementIsActive","tree","processor","ELEMENT_NODE","isConnected","elementMatched","elementUnmatched","AttributeObserver","elementObserver","selector","elementMatchedAttribute","elementUnmatchedAttribute","elementAttributeValueChanged","Multimap","valuesByKey","prune","del","hasKey","hasValue","some","getValuesForKey","getKeysForValue","_values","SelectorObserver","_selector","matchesByElement","selectorMatchElement","selectorMatched","selectors","selectorUnmatched","_attributeName","matchedBefore","StringMapObserver","stringMap","attributeOldValue","knownAttributeNames","refreshAttribute","oldValue","getStringMapKeyForAttribute","stringMapKeyAdded","stringMapValueChanged","stringMapKeyRemoved","currentAttributeNames","recordedAttributeNames","attribute","TokenListObserver","attributeObserver","tokensByElement","tokensMatched","readTokensForElement","unmatchedTokens","matchedTokens","refreshTokensForElement","tokensUnmatched","tokens","tokenMatched","tokenUnmatched","previousTokens","currentTokens","firstDifferingIndex","max","zip","findIndex","previousToken","currentToken","tokenString","parseTokenString","ValueListObserver","tokenListObserver","parseResultsByToken","WeakMap","valuesByTokenByElement","fetchParseResultForToken","fetchValuesByTokenForElement","elementMatchedValue","elementUnmatchedValue","parseResult","parseToken","valuesByToken","parseValueForToken","BindingObserver","bindingsByAction","valueListObserver","actionAttribute","disconnectAllActions","connectAction","disconnectAction","clear","ValueObserver","receiver","stringMapObserver","valueDescriptorMap","invokeChangedCallbacksForDefaultValues","invokeChangedCallback","writer","defaultValue","valueDescriptorNameMap","valueDescriptors","rawValue","rawOldValue","changedMethodName","changedMethod","reader","TypeError","descriptors","hasMethodName","charAt","TargetObserver","targetsByName","disconnectAllTargets","connectTarget","disconnectTarget","_a","targetConnected","targetDisconnected","readInheritableStaticArrayValues","propertyName","ancestors","getPrototypeOf","reverse","getAncestorsForConstructor","definition","isArray","getOwnStaticArrayValues","OutletObserver","outletsByName","outletElementsByName","selectorObserverMap","attributeObserverMap","outletDefinitions","outletName","setupSelectorObserverForOutlet","setupAttributeObserverForOutlet","dependentContexts","observer","disconnectAllOutlets","stopSelectorObservers","stopAttributeObservers","outlet","getOutlet","connectOutlet","getOutletFromMap","disconnectOutlet","hasOutlet","hasOutletController","controllerAttribute","_element","getOutletNameFromOutletAttributeName","updateSelectorObserverForOutlet","outletConnected","outletDisconnected","selectorObserver","attributeNameForOutletName","outlets","getSelectorForOutletName","outletAttributeForScope","find","outletDependencies","dependencies","router","modules","module","controllerConstructor","dependentControllerIdentifiers","identifiers","contexts","getControllerForElementAndIdentifier","Context","functionName","bindingObserver","dispatcher","valueObserver","targetObserver","outletObserver","initialize","invokeControllerMethod","bless","shadowConstructor","shadowProperties","getOwnKeys","shadowingDescriptor","getOwnPropertyDescriptor","getShadowedDescriptor","getShadowProperties","defineProperties","shadow","blessings","blessedProperties","blessing","getBlessedProperties","getOwnPropertySymbols","getOwnPropertyNames","extendWithReflect","extended","Reflect","construct","setPrototypeOf","b","testReflectExtension","Module","blessDefinition","contextsByScope","connectedContexts","connectContextForScope","fetchContextForScope","disconnectContextForScope","ClassMap","getDataKey","getAll","getAttributeName","getAttributeNameForKey","DataMap","Guide","warnedKeysByObject","warn","warnedKeys","attributeValueContainsToken","TargetSet","targetName","targetNames","findTarget","findLegacyTarget","targets","findAllTargets","findAllLegacyTargets","getSelectorForTargetName","findElement","findAllElements","targetAttributeForScope","getLegacySelectorForTargetName","deprecate","targetDescriptor","targetAttribute","revisedAttributeName","guide","OutletSet","controllerElement","outletNames","findOutlet","findAllOutlets","queryElements","matchesElement","Scope","classes","closest","controllerSelector","documentScope","isDocumentScope","ScopeObserver","scopesByIdentifierByElement","scopeReferenceCounts","parseValueForElementAndIdentifier","scopesByIdentifier","fetchScopesByIdentifierForElement","createScopeForElementAndIdentifier","referenceCount","scopeConnected","scopeDisconnected","Router","scopeObserver","modulesByIdentifier","loadDefinition","unloadIdentifier","connectModule","afterLoad","disconnectModule","getContextForElementAndIdentifier","proposeToConnectScopeForElementAndIdentifier","defaultSchema","enter","tab","esc","space","up","down","home","end","page_up","page_down","objectFromEntries","c","n","array","memo","k","v","Application","debug","logFormattedMessage","register","load","registerActionOption","rest","shouldLoad","unload","controllers","onerror","groupCollapsed","groupEnd","StimulusReloader","filePattern","Stimulus","reloadStimulusControllers","stimulusControllerPaths","reloadStimulusController","moduleName","stimulusPathsByModule","endsWith","shouldReloadController","pathsByModule","parseImportmapJson","importmapScript","imports","controllerName","extractControllerName","pathForModuleName","import","registerController","default","HtmlReloader","reloadedDocument","reloadHtml","reloadStimulus","updateBody","newBody","CssReloader","reloadAllLinks","loadNewCssLinks","link","reloadLinkIfNeeded","shouldReloadLink","reloadLink","newLink","findExistingLinkFor","appendNewLink","onload","cssLinks","connected","received","dispatch","fileName","assetNameFromPath","reloadCss"],"mappings":"yCAAA,IAAIA,EAAW,CACbC,OAA2B,oBAAZC,QAA0BA,aAAUC,EACnDC,UAAgC,oBAAdA,UAA4BA,eAAYD,GAGxDF,EAAS,CACX,GAAAI,IAAOC,GACDC,KAAKC,UACPF,EAASG,KAAKC,KAAKC,OACnBX,EAASC,OAAOI,IAAI,mBAAoBC,GAE9C,GAGA,MAAMK,EAAM,KAAM,IAAKD,MAAME,UAEvBC,EAAeC,IAASH,IAAQG,GAAQ,IAE9C,MAAMC,EACJ,WAAAC,CAAYC,GACVV,KAAKW,oBAAsBX,KAAKW,oBAAoBC,KAAKZ,MACzDA,KAAKU,WAAaA,EAClBV,KAAKa,kBAAoB,CAC7B,CACE,KAAAC,GACOd,KAAKe,cACRf,KAAKgB,UAAYZ,WACVJ,KAAKiB,UACZjB,KAAKkB,eACLC,iBAAiB,mBAAoBnB,KAAKW,qBAC1CjB,EAAOI,IAAI,gDAAgDE,KAAKS,YAAYW,oBAElF,CACE,IAAAC,GACMrB,KAAKe,cACPf,KAAKiB,UAAYb,IACjBJ,KAAKsB,cACLC,oBAAoB,mBAAoBvB,KAAKW,qBAC7CjB,EAAOI,IAAI,6BAEjB,CACE,SAAAiB,GACE,OAAOf,KAAKgB,YAAchB,KAAKiB,SACnC,CACE,aAAAO,GACExB,KAAKyB,SAAWrB,GACpB,CACE,aAAAsB,GACE1B,KAAKa,kBAAoB,SAClBb,KAAK2B,eACZjC,EAAOI,IAAI,qCACf,CACE,gBAAA8B,GACE5B,KAAK2B,eAAiBvB,IACtBV,EAAOI,IAAI,wCACf,CACE,YAAAoB,GACElB,KAAKsB,cACLtB,KAAK6B,MACT,CACE,WAAAP,GACEQ,aAAa9B,KAAK+B,YACtB,CACE,IAAAF,GACE7B,KAAK+B,YAAcC,iBACjBhC,KAAKiC,mBACLjC,KAAK6B,MACN,GAAG7B,KAAKkC,kBACb,CACE,eAAAA,GACE,MAAOd,eAAgBA,EAAgBe,wBAAyBA,GAA2BnC,KAAKS,YAIhG,OAAwB,IAAjBW,EAHSgB,KAAKC,IAAI,EAAIF,EAAyBC,KAAKE,IAAItC,KAAKa,kBAAmB,MAG9C,GAFI,IAA3Bb,KAAKa,kBAA0B,EAAIsB,GAC1BC,KAAKG,SAEpC,CACE,gBAAAN,GACMjC,KAAKwC,sBACP9C,EAAOI,IAAI,oEAAoEE,KAAKa,mCAAmCP,EAAaN,KAAKyC,qCAAqCzC,KAAKS,YAAYW,oBAC/LpB,KAAKa,oBACDb,KAAK0C,uBACPhD,EAAOI,IAAI,+EAA+EQ,EAAaN,KAAK2B,sBAE5GjC,EAAOI,IAAI,+BACXE,KAAKU,WAAWiC,UAGxB,CACE,eAAIF,GACF,OAAOzC,KAAKyB,SAAWzB,KAAKyB,SAAWzB,KAAKgB,SAChD,CACE,iBAAAwB,GACE,OAAOlC,EAAaN,KAAKyC,aAAezC,KAAKS,YAAYW,cAC7D,CACE,oBAAAsB,GACE,OAAO1C,KAAK2B,gBAAkBrB,EAAaN,KAAK2B,gBAAkB3B,KAAKS,YAAYW,cACvF,CACE,mBAAAT,GACmC,YAA7BiC,SAASC,iBACXb,kBACMhC,KAAKwC,qBAAwBxC,KAAKU,WAAWoC,WAC/CpD,EAAOI,IAAI,uFAAuF8C,SAASC,mBAC3G7C,KAAKU,WAAWiC,SAEnB,GAAG,IAEV,EAGAnC,EAAkBY,eAAiB,EAEnCZ,EAAkB2B,wBAA0B,IAE5C,IAAIY,EAAW,CACbC,cAAe,CACbC,QAAS,UACTC,WAAY,aACZC,KAAM,OACNC,aAAc,uBACdC,UAAW,uBAEbC,mBAAoB,CAClBC,aAAc,eACdC,gBAAiB,kBACjBC,eAAgB,iBAChBC,OAAQ,UAEVC,mBAAoB,SACpBC,UAAW,CAAE,sBAAuB,4BAGtC,MAAOZ,cAAeA,EAAeY,UAAWA,GAAab,EAEvDc,EAAqBD,EAAUE,MAAM,EAAGF,EAAUG,OAAS,GAE3DC,EAAU,GAAGA,QAEnB,MAAMC,EACJ,WAAAxD,CAAYyD,GACVlE,KAAKmE,KAAOnE,KAAKmE,KAAKvD,KAAKZ,MAC3BA,KAAKkE,SAAWA,EAChBlE,KAAKoE,cAAgBpE,KAAKkE,SAASE,cACnCpE,KAAKqE,QAAU,IAAI7D,EAAkBR,MACrCA,KAAKsE,cAAe,CACxB,CACE,IAAAC,CAAKC,GACH,QAAIxE,KAAK8C,WACP9C,KAAKyE,UAAUF,KAAKG,KAAKC,UAAUH,KAC5B,EAIb,CACE,IAAAL,GACE,GAAInE,KAAK4E,WAEP,OADAlF,EAAOI,IAAI,uDAAuDE,KAAK6E,eAChE,EACF,CACL,MAAMC,EAAkB,IAAKlB,KAAc5D,KAAKkE,SAASa,cAAgB,IAQzE,OAPArF,EAAOI,IAAI,uCAAuCE,KAAK6E,6BAA6BC,KAChF9E,KAAKyE,WACPzE,KAAKgF,yBAEPhF,KAAKyE,UAAY,IAAIhF,EAASI,UAAUG,KAAKkE,SAASe,IAAKH,GAC3D9E,KAAKkF,uBACLlF,KAAKqE,QAAQvD,SACN,CACb,CACA,CACE,KAAAqE,EAAOC,eAAgBA,GAAkB,CACvCA,gBAAgB,IAKhB,GAHKA,GACHpF,KAAKqE,QAAQhD,OAEXrB,KAAK8C,SACP,OAAO9C,KAAKyE,UAAUU,OAE5B,CACE,MAAAxC,GAEE,GADAjD,EAAOI,IAAI,yCAAyCE,KAAK6E,eACrD7E,KAAK4E,WAUP,OAAO5E,KAAKmE,OATZ,IACE,OAAOnE,KAAKmF,OACb,CAAC,MAAOE,GACP3F,EAAOI,IAAI,6BAA8BuF,EACjD,CAAgB,QACR3F,EAAOI,IAAI,0BAA0BE,KAAKS,YAAY6E,iBACtDtD,WAAWhC,KAAKmE,KAAMnE,KAAKS,YAAY6E,YAC/C,CAIA,CACE,WAAAC,GACE,GAAIvF,KAAKyE,UACP,OAAOzE,KAAKyE,UAAUe,QAE5B,CACE,MAAA1C,GACE,OAAO9C,KAAKyF,QAAQ,OACxB,CACE,QAAAb,GACE,OAAO5E,KAAKyF,QAAQ,OAAQ,aAChC,CACE,gBAAAC,GACE,OAAO1F,KAAKqE,QAAQxD,kBAAoB,CAC5C,CACE,mBAAA8E,GACE,OAAO3B,EAAQ4B,KAAK/B,EAAoB7D,KAAKuF,gBAAkB,CACnE,CACE,OAAAE,IAAWI,GACT,OAAO7B,EAAQ4B,KAAKC,EAAQ7F,KAAK6E,aAAe,CACpD,CACE,QAAAA,GACE,GAAI7E,KAAKyE,UACP,IAAK,IAAIqB,KAASrG,EAASI,UACzB,GAAIJ,EAASI,UAAUiG,KAAW9F,KAAKyE,UAAUsB,WAC/C,OAAOD,EAAME,cAInB,OAAO,IACX,CACE,oBAAAd,GACE,IAAK,IAAIe,KAAajG,KAAKkG,OAAQ,CACjC,MAAMC,EAAUnG,KAAKkG,OAAOD,GAAWrF,KAAKZ,MAC5CA,KAAKyE,UAAU,KAAKwB,KAAeE,CACzC,CACA,CACE,sBAAAnB,GACE,IAAK,IAAIiB,KAAajG,KAAKkG,OACzBlG,KAAKyE,UAAU,KAAKwB,KAAe,WAAa,CAEtD,EAGAhC,EAAWqB,YAAc,IAEzBrB,EAAWmC,UAAUF,OAAS,CAC5B,OAAAG,CAAQC,GACN,IAAKtG,KAAK2F,sBACR,OAEF,MAAOY,WAAYA,EAAYF,QAASA,EAASG,OAAQA,EAAQC,UAAWA,EAAWC,KAAMA,GAAQhC,KAAKiC,MAAML,EAAM9B,MAEtH,OADAxE,KAAKqE,QAAQ7C,gBACLkF,GACP,KAAK1D,EAAcC,QAKlB,OAJIjD,KAAK0F,qBACP1F,KAAK4G,oBAAqB,GAE5B5G,KAAKqE,QAAQ3C,gBACN1B,KAAKoE,cAAcyC,SAE3B,KAAK7D,EAAcE,WAElB,OADAxD,EAAOI,IAAI,0BAA0B0G,KAC9BxG,KAAKmF,MAAM,CAChBC,eAAgBqB,IAGnB,KAAKzD,EAAcG,KAClB,OAAO,KAER,KAAKH,EAAcI,aAElB,OADApD,KAAKoE,cAAc0C,oBAAoBP,GACnCvG,KAAK4G,oBACP5G,KAAK4G,oBAAqB,EACnB5G,KAAKoE,cAAc2C,OAAOR,EAAY,YAAa,CACxDS,aAAa,KAGRhH,KAAKoE,cAAc2C,OAAOR,EAAY,YAAa,CACxDS,aAAa,IAIlB,KAAKhE,EAAcK,UAClB,OAAOrD,KAAKoE,cAAc6C,OAAOV,GAElC,QACC,OAAOvG,KAAKoE,cAAc2C,OAAOR,EAAY,WAAYF,GAE5D,EACD,IAAAlC,GAGE,GAFAzE,EAAOI,IAAI,kCAAkCE,KAAKuF,8BAClDvF,KAAKsE,cAAe,GACftE,KAAK2F,sBAER,OADAjG,EAAOI,IAAI,gEACJE,KAAKmF,MAAM,CAChBC,gBAAgB,GAGrB,EACD,KAAAD,CAAMmB,GAEJ,GADA5G,EAAOI,IAAI,4BACPE,KAAKsE,aAKT,OAFAtE,KAAKsE,cAAe,EACpBtE,KAAKqE,QAAQzC,mBACN5B,KAAKoE,cAAc8C,UAAU,eAAgB,CAClDC,qBAAsBnH,KAAKqE,QAAQtD,aAEtC,EACD,KAAAsE,GACE3F,EAAOI,IAAI,0BACf,GAaA,MAAMsH,EACJ,WAAA3G,CAAYyD,EAAUmD,EAAS,CAAA,EAAIC,GACjCtH,KAAKkE,SAAWA,EAChBlE,KAAKuG,WAAa7B,KAAKC,UAAU0C,GAbtB,SAASE,EAAQC,GAC9B,GAAkB,MAAdA,EACF,IAAK,IAAIC,KAAOD,EAAY,CAC1B,MAAME,EAAQF,EAAWC,GACzBF,EAAOE,GAAOC,CACpB,CAGA,CAMIC,CAAO3H,KAAMsH,EACjB,CACE,OAAAM,CAAQC,EAAQrD,EAAO,IAErB,OADAA,EAAKqD,OAASA,EACP7H,KAAKuE,KAAKC,EACrB,CACE,IAAAD,CAAKC,GACH,OAAOxE,KAAKkE,SAASK,KAAK,CACxBuD,QAAS,UACTvB,WAAYvG,KAAKuG,WACjB/B,KAAME,KAAKC,UAAUH,IAE3B,CACE,WAAAuD,GACE,OAAO/H,KAAKkE,SAASE,cAAc4D,OAAOhI,KAC9C,EAGA,MAAMiI,EACJ,WAAAxH,CAAY2D,GACVpE,KAAKoE,cAAgBA,EACrBpE,KAAKkI,qBAAuB,EAChC,CACE,SAAAC,CAAUC,IACgD,GAApDpI,KAAKkI,qBAAqBlE,QAAQoE,IACpC1I,EAAOI,IAAI,sCAAsCsI,EAAa7B,cAC9DvG,KAAKkI,qBAAqBhI,KAAKkI,IAE/B1I,EAAOI,IAAI,8CAA8CsI,EAAa7B,cAExEvG,KAAKqI,mBACT,CACE,MAAAC,CAAOF,GACL1I,EAAOI,IAAI,oCAAoCsI,EAAa7B,cAC5DvG,KAAKkI,qBAAuBlI,KAAKkI,qBAAqBK,QAAQC,GAAKA,IAAMJ,GAC7E,CACE,iBAAAC,GACErI,KAAKyI,mBACLzI,KAAK0I,kBACT,CACE,gBAAAD,GACE3G,aAAa9B,KAAK2I,aACtB,CACE,gBAAAD,GACE1I,KAAK2I,aAAe3G,iBACdhC,KAAKoE,eAAyD,mBAAjCpE,KAAKoE,cAAcwE,WAClD5I,KAAKkI,qBAAqBW,KAAKT,IAC7B1I,EAAOI,IAAI,uCAAuCsI,EAAa7B,cAC/DvG,KAAKoE,cAAcwE,UAAUR,EAC9B,GAEJ,GAAG,IACR,EAGA,MAAMU,EACJ,WAAArI,CAAYyD,GACVlE,KAAKkE,SAAWA,EAChBlE,KAAK+I,UAAY,IAAId,EAAsBjI,MAC3CA,KAAKoE,cAAgB,EACzB,CACE,MAAA4E,CAAOC,EAAa3B,GAClB,MACMD,EAA4B,iBADlB4B,IACuC,CACrDC,QAFcD,GAIVb,EAAe,IAAIhB,EAAapH,KAAKkE,SAAUmD,EAAQC,GAC7D,OAAOtH,KAAKmJ,IAAIf,EACpB,CACE,GAAAe,CAAIf,GAKF,OAJApI,KAAKoE,cAAclE,KAAKkI,GACxBpI,KAAKkE,SAASkF,yBACdpJ,KAAK+G,OAAOqB,EAAc,eAC1BpI,KAAK4I,UAAUR,GACRA,CACX,CACE,MAAAJ,CAAOI,GAKL,OAJApI,KAAKsI,OAAOF,GACPpI,KAAKqJ,QAAQjB,EAAa7B,YAAYxC,QACzC/D,KAAKsJ,YAAYlB,EAAc,eAE1BA,CACX,CACE,MAAAnB,CAAOV,GACL,OAAOvG,KAAKqJ,QAAQ9C,GAAYsC,KAAKT,IACnCpI,KAAKsI,OAAOF,GACZpI,KAAK+G,OAAOqB,EAAc,YACnBA,IAEb,CACE,MAAAE,CAAOF,GAGL,OAFApI,KAAK+I,UAAUT,OAAOF,GACtBpI,KAAKoE,cAAgBpE,KAAKoE,cAAcmE,QAAQC,GAAKA,IAAMJ,IACpDA,CACX,CACE,OAAAiB,CAAQ9C,GACN,OAAOvG,KAAKoE,cAAcmE,QAAQC,GAAKA,EAAEjC,aAAeA,GAC5D,CACE,MAAAM,GACE,OAAO7G,KAAKoE,cAAcyE,KAAKT,GAAgBpI,KAAK4I,UAAUR,IAClE,CACE,SAAAlB,CAAUqC,KAAiBC,GACzB,OAAOxJ,KAAKoE,cAAcyE,KAAKT,GAAgBpI,KAAK+G,OAAOqB,EAAcmB,KAAiBC,IAC9F,CACE,MAAAzC,CAAOqB,EAAcmB,KAAiBC,GACpC,IAAIpF,EAMJ,OAJEA,EAD0B,iBAAjBgE,EACOpI,KAAKqJ,QAAQjB,GAEb,CAAEA,GAEbhE,EAAcyE,KAAKT,GAAsD,mBAA/BA,EAAamB,GAA+BnB,EAAamB,MAAiBC,QAAQ5J,GACvI,CACE,SAAAgJ,CAAUR,GACJpI,KAAKsJ,YAAYlB,EAAc,cACjCpI,KAAK+I,UAAUZ,UAAUC,EAE/B,CACE,mBAAAtB,CAAoBP,GAClB7G,EAAOI,IAAI,0BAA0ByG,KACrCvG,KAAKqJ,QAAQ9C,GAAYsC,KAAKT,GAAgBpI,KAAK+I,UAAUT,OAAOF,IACxE,CACE,WAAAkB,CAAYlB,EAAcN,GACxB,MAAOvB,WAAYA,GAAc6B,EACjC,OAAOpI,KAAKkE,SAASK,KAAK,CACxBuD,QAASA,EACTvB,WAAYA,GAElB,EAGA,MAAMkD,EACJ,WAAAhJ,CAAYwE,GACVjF,KAAK0J,KAAOzE,EACZjF,KAAKoE,cAAgB,IAAI0E,EAAc9I,MACvCA,KAAKU,WAAa,IAAIuD,EAAWjE,MACjCA,KAAK+E,aAAe,EACxB,CACE,OAAIE,GACF,OAuBJ,SAA4BA,GACP,mBAARA,IACTA,EAAMA,KAER,GAAIA,IAAQ,UAAU0E,KAAK1E,GAAM,CAC/B,MAAM2E,EAAIhH,SAASiH,cAAc,KAIjC,OAHAD,EAAEE,KAAO7E,EACT2E,EAAEE,KAAOF,EAAEE,KACXF,EAAEpE,SAAWoE,EAAEpE,SAASuE,QAAQ,OAAQ,MACjCH,EAAEE,IACb,CACI,OAAO7E,CAEX,CApCW+E,CAAmBhK,KAAK0J,KACnC,CACE,IAAAnF,CAAKC,GACH,OAAOxE,KAAKU,WAAW6D,KAAKC,EAChC,CACE,OAAAyF,GACE,OAAOjK,KAAKU,WAAWyD,MAC3B,CACE,UAAAjB,GACE,OAAOlD,KAAKU,WAAWyE,MAAM,CAC3BC,gBAAgB,GAEtB,CACE,sBAAAgE,GACE,IAAKpJ,KAAKU,WAAWkE,WACnB,OAAO5E,KAAKU,WAAWyD,MAE7B,CACE,cAAA+F,CAAeC,GACbnK,KAAK+E,aAAe,IAAK/E,KAAK+E,aAAcoF,EAChD,ECheA,IAAAjG,EDkfA,SAAwBe,EAIxB,SAAmBmF,GACjB,MAAMC,EAAUzH,SAAS0H,KAAKC,cAAc,2BAA2BH,OACvE,GAAIC,EACF,OAAOA,EAAQG,aAAa,UAEhC,CAT8BC,CAAU,QAAU1H,EAASY,oBACzD,OAAO,IAAI8F,EAASxE,EACtB,CCpfeyF,GCER,SAASC,EAAuBC,GACrC,OAAOA,EAAKb,QAAQ,4BAA6B,MACnD,CAEO,SAASc,EAAcC,EAAWzD,GACvC,MAAMpC,EAAM,IAAI8F,IAAID,EAAWE,OAAOC,SAASC,QAI/C,OAHAC,OAAOC,QAAQ/D,GAAQgE,SAAQC,IAAoB,IAAjB7D,EAAKC,GAAO4D,EAC5CrG,EAAIsG,aAAaC,IAAI/D,EAAKC,EAAM,IAE3BzC,EAAIwG,UACb,CAEO,SAASC,EAAeZ,GAC7B,OAAOD,EAAcC,EAAW,CAAEjE,OAAQ1G,KAAKC,OACjD,CAEOuL,eAAeC,IACpB,IAAIC,EAAaH,EAAeb,EAAcG,OAAOC,SAASnB,KAAM,CAAEgC,cAAe,UACrF,MAAMC,QAAiBC,MAAMH,GAE7B,IAAKE,EAASE,GACZ,MAAM,IAAIC,MAAM,GAAGH,EAASI,wBAAwBN,KAGtD,MAAMO,QAAoBL,EAASM,OAEnC,OADe,IAAIC,WACLC,gBAAgBH,EAAa,YAC7C,CC9BA,IAAII,EAAY,WAMR,IAAIC,EAAY,IAAIC,IAGhBC,EAAW,CACXC,WAAY,YACZC,UAAY,CACRC,gBAAiBC,EACjBC,eAAgBD,EAChBE,kBAAmBF,EACnBG,iBAAkBH,EAClBI,kBAAmBJ,EACnBK,iBAAkBL,EAClBM,uBAAwBN,GAG5BzC,KAAM,CACFgD,MAAO,QACPC,eAAgB,SAAUC,GACtB,MAA2C,SAApCA,EAAIhD,aAAa,cAC3B,EACDiD,eAAgB,SAAUD,GACtB,MAA4C,SAArCA,EAAIhD,aAAa,eAC3B,EACDkD,aAAcX,EACdY,iBAAkBZ,IAwB1B,SAASa,EAAuBC,EAASC,EAAsBC,GAC3D,GAAIA,EAAIzD,KAAK0D,MAAO,CAChB,IAAIC,EAAUJ,EAAQtD,cAAc,QAChC2D,EAAUJ,EAAqBvD,cAAc,QACjD,GAAI0D,GAAWC,EAAS,CACpB,IAAIC,EAAWC,EAAkBF,EAASD,EAASF,GAUnD,YARAM,QAAQC,IAAIH,GAAUI,MAAK,WACvBX,EAAuBC,EAASC,EAAsB3C,OAAOqD,OAAOT,EAAK,CACrEzD,KAAM,CACF0D,OAAO,EACPS,QAAQ,KAGxC,GAEA,CACA,CAEY,GAAuB,cAAnBV,EAAInB,WAIJ,OADA8B,EAAcZ,EAAsBD,EAASE,GACtCF,EAAQc,SAEZ,GAAuB,cAAnBZ,EAAInB,YAAgD,MAAlBmB,EAAInB,WAAoB,CAGjE,IAAIgC,EAuoBZ,SAA2BC,EAAYhB,EAASE,GAC5C,IAAIe,EACJA,EAAiBD,EAAWE,WAC5B,IAAIC,EAAcF,EACdG,EAAQ,EACZ,KAAOH,GAAgB,CACnB,IAAII,EAAWC,EAAaL,EAAgBjB,EAASE,GACjDmB,EAAWD,IACXD,EAAcF,EACdG,EAAQC,GAEZJ,EAAiBA,EAAeM,WAChD,CACY,OAAOJ,CACnB,CArpBgCK,CAAkBvB,EAAsBD,EAASE,GAG7DuB,EAAkBV,GAAWU,gBAC7BF,EAAcR,GAAWQ,YAGzBG,EAAcC,EAAe3B,EAASe,EAAWb,GAErD,OAAIa,EAsmBZ,SAAwBU,EAAiBC,EAAaH,GAClD,IAAIK,EAAQ,GACRC,EAAQ,GACZ,KAA0B,MAAnBJ,GACHG,EAAMvP,KAAKoP,GACXA,EAAkBA,EAAgBA,gBAEtC,KAAOG,EAAM1L,OAAS,GAAG,CACrB,IAAI4L,EAAOF,EAAMG,MACjBF,EAAMxP,KAAKyP,GACXJ,EAAYM,cAAcC,aAAaH,EAAMJ,EAC7D,CACYG,EAAMxP,KAAKqP,GACX,KAAsB,MAAfH,GACHK,EAAMvP,KAAKkP,GACXM,EAAMxP,KAAKkP,GACXA,EAAcA,EAAYA,YAE9B,KAAOK,EAAM1L,OAAS,GAClBwL,EAAYM,cAAcC,aAAaL,EAAMG,MAAOL,EAAYH,aAEpE,OAAOM,CACnB,CAznB2BK,CAAeT,EAAiBC,EAAaH,GAG7C,EAE3B,CACgB,KAAM,wCAA0CrB,EAAInB,UAEpE,CAQQ,SAASoD,EAA2BC,EAAuBlC,GACvD,OAAOA,EAAImC,mBAAqBD,IAA0BrN,SAASuN,aAC/E,CAQQ,SAASX,EAAe3B,EAASgB,EAAYd,GACzC,IAAIA,EAAIqC,cAAgBvC,IAAYjL,SAASuN,cAEtC,OAAkB,MAAdtB,GAC0C,IAA7Cd,EAAIlB,UAAUM,kBAAkBU,GAA2BA,GAE/DA,EAAQ7F,SACR+F,EAAIlB,UAAUO,iBAAiBS,GACxB,MACCwC,EAAYxC,EAASgB,KASgC,IAAzDd,EAAIlB,UAAUI,kBAAkBY,EAASgB,KAEzChB,aAAmByC,iBAAmBvC,EAAIzD,KAAKmE,SAExCZ,aAAmByC,iBAAsC,UAAnBvC,EAAIzD,KAAKgD,MACtDc,EAAkBS,EAAYhB,EAASE,KAkInD,SAAsBwC,EAAMC,EAAIzC,GAC5B,IAAIrH,EAAO6J,EAAKE,SAIhB,GAAa,IAAT/J,EAA+B,CAC/B,MAAMgK,EAAiBH,EAAKI,WACtBC,EAAeJ,EAAGG,WACxB,IAAK,MAAME,KAAiBH,EACpBI,EAAgBD,EAAczG,KAAMoG,EAAI,SAAUzC,IAGlDyC,EAAGhG,aAAaqG,EAAczG,QAAUyG,EAAcnJ,OACtD8I,EAAGO,aAAaF,EAAczG,KAAMyG,EAAcnJ,OAI1D,IAAK,IAAIsJ,EAAIJ,EAAa7M,OAAS,EAAG,GAAKiN,EAAGA,IAAK,CAC/C,MAAMC,EAAcL,EAAaI,GAC7BF,EAAgBG,EAAY7G,KAAMoG,EAAI,SAAUzC,KAG/CwC,EAAKW,aAAaD,EAAY7G,OAC/BoG,EAAGW,gBAAgBF,EAAY7G,MAEvD,CACA,CAGyB,IAAT1D,GAAqC,IAATA,GACxB8J,EAAGY,YAAcb,EAAKa,YACtBZ,EAAGY,UAAYb,EAAKa,WAIvBpB,EAA2BQ,EAAIzC,IAwCxC,SAAwBwC,EAAMC,EAAIzC,GAC9B,GAAIwC,aAAgBc,kBAChBb,aAAca,kBACA,SAAdd,EAAK7J,KAAiB,CAEtB,IAAI4K,EAAYf,EAAK7I,MACjB6J,EAAUf,EAAG9I,MAGjB8J,EAAqBjB,EAAMC,EAAI,UAAWzC,GAC1CyD,EAAqBjB,EAAMC,EAAI,WAAYzC,GAEtCwC,EAAKW,aAAa,SAKZI,IAAcC,IAChBT,EAAgB,QAASN,EAAI,SAAUzC,KACxCyC,EAAGO,aAAa,QAASO,GACzBd,EAAG9I,MAAQ4J,IAPVR,EAAgB,QAASN,EAAI,SAAUzC,KACxCyC,EAAG9I,MAAQ,GACX8I,EAAGW,gBAAgB,SAQ3C,MAAmB,GAAIZ,aAAgBkB,kBACvBD,EAAqBjB,EAAMC,EAAI,WAAYzC,QACxC,GAAIwC,aAAgBmB,qBAAuBlB,aAAckB,oBAAqB,CACjF,IAAIJ,EAAYf,EAAK7I,MACjB6J,EAAUf,EAAG9I,MACjB,GAAIoJ,EAAgB,QAASN,EAAI,SAAUzC,GACvC,OAEAuD,IAAcC,IACdf,EAAG9I,MAAQ4J,GAEXd,EAAGzB,YAAcyB,EAAGzB,WAAWqC,YAAcE,IAC7Cd,EAAGzB,WAAWqC,UAAYE,EAE9C,CACA,CA5EgBK,CAAepB,EAAMC,EAAIzC,EAEzC,CAvKoB6D,CAAa/C,EAAYhB,EAASE,GAC7BiC,EAA2BnC,EAASE,IACrCW,EAAcG,EAAYhB,EAASE,KAG3CA,EAAIlB,UAAUK,iBAAiBW,EAASgB,IAZmChB,IAR1B,IAA7CE,EAAIlB,UAAUM,kBAAkBU,KACc,IAA9CE,EAAIlB,UAAUC,gBAAgB+B,GAD6BhB,GAG/DA,EAAQgC,cAAcgC,aAAahD,EAAYhB,GAC/CE,EAAIlB,UAAUG,eAAe6B,GAC7Bd,EAAIlB,UAAUO,iBAAiBS,GACxBgB,EAiBvB,CAwBQ,SAASH,EAAcoD,EAAWC,EAAWhE,GAEzC,IAEIiE,EAFAC,EAAeH,EAAU/C,WACzBmD,EAAiBH,EAAUhD,WAI/B,KAAOkD,GAAc,CAMjB,GAJAD,EAAWC,EACXA,EAAeD,EAAS5C,YAGF,MAAlB8C,EAAwB,CACxB,IAAgD,IAA5CnE,EAAIlB,UAAUC,gBAAgBkF,GAAqB,OAEvDD,EAAUI,YAAYH,GACtBjE,EAAIlB,UAAUG,eAAegF,GAC7BI,EAA2BrE,EAAKiE,GAChC,QACpB,CAGgB,GAAIK,EAAaL,EAAUE,EAAgBnE,GAAM,CAC7CyB,EAAe0C,EAAgBF,EAAUjE,GACzCmE,EAAiBA,EAAe9C,YAChCgD,EAA2BrE,EAAKiE,GAChC,QACpB,CAGgB,IAAIM,EAAaC,EAAeT,EAAWC,EAAWC,EAAUE,EAAgBnE,GAGhF,GAAIuE,EAAY,CACZJ,EAAiBM,EAAmBN,EAAgBI,EAAYvE,GAChEyB,EAAe8C,EAAYN,EAAUjE,GACrCqE,EAA2BrE,EAAKiE,GAChC,QACpB,CAGgB,IAAIS,EAAYC,EAAcZ,EAAWC,EAAWC,EAAUE,EAAgBnE,GAG9E,GAAI0E,EACAP,EAAiBM,EAAmBN,EAAgBO,EAAW1E,GAC/DyB,EAAeiD,EAAWT,EAAUjE,GACpCqE,EAA2BrE,EAAKiE,OAHpC,CASA,IAAgD,IAA5CjE,EAAIlB,UAAUC,gBAAgBkF,GAAqB,OAEvDD,EAAUjC,aAAakC,EAAUE,GACjCnE,EAAIlB,UAAUG,eAAegF,GAC7BI,EAA2BrE,EAAKiE,EARhD,CASA,CAGY,KAA0B,OAAnBE,GAAyB,CAE5B,IAAIS,EAAWT,EACfA,EAAiBA,EAAe9C,YAChCwD,EAAWD,EAAU5E,EACrC,CACA,CAaQ,SAAS+C,EAAgB+B,EAAMrC,EAAIsC,EAAY/E,GAC3C,QAAY,UAAT8E,IAAoB9E,EAAImC,mBAAqBM,IAAO5N,SAASuN,iBAGM,IAA/DpC,EAAIlB,UAAUQ,uBAAuBwF,EAAMrC,EAAIsC,EAClE,CAyDQ,SAAStB,EAAqBjB,EAAMC,EAAIuC,EAAehF,GACnD,GAAIwC,EAAKwC,KAAmBvC,EAAGuC,GAAgB,CAC3C,IAAIC,EAAelC,EAAgBiC,EAAevC,EAAI,SAAUzC,GAC3DiF,IACDxC,EAAGuC,GAAiBxC,EAAKwC,IAEzBxC,EAAKwC,GACAC,GACDxC,EAAGO,aAAagC,EAAexC,EAAKwC,IAGnCjC,EAAgBiC,EAAevC,EAAI,SAAUzC,IAC9CyC,EAAGW,gBAAgB4B,EAG3C,CACA,CAuDQ,SAAS3E,EAAkB6E,EAAYC,EAAanF,GAEhD,IAAI2B,EAAQ,GACRyD,EAAU,GACVC,EAAY,GACZC,EAAgB,GAEhBC,EAAiBvF,EAAIzD,KAAKgD,MAG1BiG,EAAoB,IAAIC,IAC5B,IAAK,MAAMC,KAAgBR,EAAWtE,SAClC4E,EAAkB/H,IAAIiI,EAAaC,UAAWD,GAIlD,IAAK,MAAME,KAAkBT,EAAYvE,SAAU,CAG/C,IAAIiF,EAAeL,EAAkBM,IAAIF,EAAeD,WACpDI,EAAe/F,EAAIzD,KAAKmD,eAAekG,GACvCI,EAAchG,EAAIzD,KAAKiD,eAAeoG,GACtCC,GAAgBG,EACZD,EAEAX,EAAQjT,KAAKyT,IAIbJ,EAAkBS,OAAOL,EAAeD,WACxCN,EAAUlT,KAAKyT,IAGI,WAAnBL,EAGIQ,IACAX,EAAQjT,KAAKyT,GACbN,EAAcnT,KAAKyT,KAIuB,IAA1C5F,EAAIzD,KAAKoD,aAAaiG,IACtBR,EAAQjT,KAAKyT,EAIzC,CAIYN,EAAcnT,QAAQqT,EAAkBU,UAGxC,IAAI9F,EAAW,GACf,IAAK,MAAM+F,KAAWb,EAAe,CAEjC,IAAIc,EAASvR,SAASwR,cAAcC,yBAAyBH,EAAQR,WAAW3E,WAEhF,IAA8C,IAA1ChB,EAAIlB,UAAUC,gBAAgBqH,GAAmB,CACjD,GAAIA,EAAOrK,MAAQqK,EAAOG,IAAK,CAC3B,IAAIC,EAAU,KACVC,EAAU,IAAInG,SAAQ,SAAUoG,GAChCF,EAAUE,CACtC,IACwBN,EAAOhT,iBAAiB,QAAQ,WAC5BoT,GAC5B,IACwBpG,EAASjO,KAAKsU,EACtC,CACoBtB,EAAYf,YAAYgC,GACxBpG,EAAIlB,UAAUG,eAAemH,GAC7BzE,EAAMxP,KAAKiU,EAC/B,CACA,CAIY,IAAK,MAAMO,KAAkBvB,GAC+B,IAApDpF,EAAIlB,UAAUM,kBAAkBuH,KAChCxB,EAAYyB,YAAYD,GACxB3G,EAAIlB,UAAUO,iBAAiBsH,IAKvC,OADA3G,EAAIzD,KAAKqD,iBAAiBuF,EAAa,CAACxD,MAAOA,EAAOkF,KAAMxB,EAAWD,QAASA,IACzEhF,CACnB,CAUQ,SAASpB,IACjB,CAwCQ,SAASsF,EAAawC,EAAOC,EAAO/G,GAChC,OAAa,MAAT8G,GAA0B,MAATC,IAGjBD,EAAMpE,WAAaqE,EAAMrE,UAAYoE,EAAME,UAAYD,EAAMC,UAC5C,KAAbF,EAAMG,IAAaH,EAAMG,KAAOF,EAAME,IAG/BC,EAAuBlH,EAAK8G,EAAOC,GAAS,GAIvE,CAEQ,SAASzE,EAAYwE,EAAOC,GACxB,OAAa,MAATD,GAA0B,MAATC,IAGdD,EAAMpE,WAAaqE,EAAMrE,UAAYoE,EAAME,UAAYD,EAAMC,QAChF,CAEQ,SAASvC,EAAmB0C,EAAgBC,EAAcpH,GACtD,KAAOmH,IAAmBC,GAAc,CACpC,IAAIxC,EAAWuC,EACfA,EAAiBA,EAAe9F,YAChCwD,EAAWD,EAAU5E,EACrC,CAEY,OADAqE,EAA2BrE,EAAKoH,GACzBA,EAAa/F,WAChC,CAQQ,SAASmD,EAAe1D,EAAYkD,EAAWC,EAAUE,EAAgBnE,GAGrE,IAAIqH,EAA2BH,EAAuBlH,EAAKiE,EAAUD,GAKrE,GAAIqD,EAA2B,EAAG,CAC9B,IAAIC,EAAiBnD,EAKjBoD,EAAkB,EACtB,KAAyB,MAAlBD,GAAwB,CAG3B,GAAIhD,EAAaL,EAAUqD,EAAgBtH,GACvC,OAAOsH,EAKX,GADAC,GAAmBL,EAAuBlH,EAAKsH,EAAgBxG,GAC3DyG,EAAkBF,EAGlB,OAAO,KAIXC,EAAiBA,EAAejG,WACpD,CACA,CACY,OA7BqB,IA8BjC,CAQQ,SAASsD,EAAc7D,EAAYkD,EAAWC,EAAUE,EAAgBnE,GAEpE,IAAIwH,EAAqBrD,EACrB9C,EAAc4C,EAAS5C,YACvBoG,EAAwB,EAE5B,KAA6B,MAAtBD,GAA4B,CAE/B,GAAIN,EAAuBlH,EAAKwH,EAAoB1G,GAAc,EAG9D,OAAO,KAIX,GAAIwB,EAAY2B,EAAUuD,GACtB,OAAOA,EAGX,GAAIlF,EAAYjB,EAAamG,KAGzBC,IACApG,EAAcA,EAAYA,YAItBoG,GAAyB,GACzB,OAAO,KAKfD,EAAqBA,EAAmBnG,WACxD,CAEY,OAAOmG,CACnB,CAmGQ,SAASpG,EAAa0F,EAAOC,EAAO/G,GAChC,OAAIsC,EAAYwE,EAAOC,GACZ,GAAKG,EAAuBlH,EAAK8G,EAAOC,GAE5C,CACnB,CAEQ,SAASlC,EAAWD,EAAU5E,GAC1BqE,EAA2BrE,EAAK4E,IACkB,IAA9C5E,EAAIlB,UAAUM,kBAAkBwF,KAEpCA,EAAS3K,SACT+F,EAAIlB,UAAUO,iBAAiBuF,GAC3C,CAMQ,SAAS8C,EAAoB1H,EAAKiH,GAC9B,OAAQjH,EAAI2H,QAAQ7B,IAAImB,EACpC,CAEQ,SAASW,EAAe5H,EAAKiH,EAAIY,GAE7B,OADY7H,EAAI8H,MAAMC,IAAIF,IAAenJ,GAC5BoH,IAAImB,EAC7B,CAEQ,SAAS5C,EAA2BrE,EAAK4B,GACrC,IAAIoG,EAAQhI,EAAI8H,MAAMC,IAAInG,IAASlD,EACnC,IAAK,MAAMuI,KAAMe,EACbhI,EAAI2H,QAAQvM,IAAI6L,EAEhC,CAEQ,SAASC,EAAuBlH,EAAK8G,EAAOC,GACxC,IAAIkB,EAAYjI,EAAI8H,MAAMC,IAAIjB,IAAUpI,EACpCwJ,EAAa,EACjB,IAAK,MAAMjB,KAAMgB,EAGTP,EAAoB1H,EAAKiH,IAAOW,EAAe5H,EAAKiH,EAAIF,MACtDmB,EAGV,OAAOA,CACnB,CAUQ,SAASC,EAAqBvG,EAAMkG,GAChC,IAAIM,EAAaxG,EAAKE,cAElBuG,EAAazG,EAAK0G,iBAAiB,QACvC,IAAK,MAAM7I,KAAO4I,EAAY,CAC1B,IAAIE,EAAU9I,EAGd,KAAO8I,IAAYH,GAAyB,MAAXG,GAAiB,CAC9C,IAAIP,EAAQF,EAAMC,IAAIQ,GAET,MAATP,IACAA,EAAQ,IAAIrJ,IACZmJ,EAAMrK,IAAI8K,EAASP,IAEvBA,EAAM5M,IAAIqE,EAAIwH,IACdsB,EAAUA,EAAQzG,aACtC,CACA,CACA,CAYQ,SAAS0G,EAAYC,EAAY3H,GAC7B,IAAIgH,EAAQ,IAAIrC,IAGhB,OAFA0C,EAAqBM,EAAYX,GACjCK,EAAqBrH,EAAYgH,GAC1BA,CACnB,CAKQ,MAAO,CACHY,MAtyBJ,SAAe5I,EAASgB,EAAY6H,EAAS,CAAA,GAErC7I,aAAmB8I,WACnB9I,EAAUA,EAAQ+I,iBAGI,iBAAf/H,IACPA,EA4lBR,SAAsBA,GAClB,IAAIgI,EAAS,IAAIvK,UAGbwK,EAAyBjI,EAAW9E,QAAQ,uCAAwC,IAGxF,GAAI+M,EAAuBC,MAAM,aAAeD,EAAuBC,MAAM,aAAeD,EAAuBC,MAAM,YAAa,CAClI,IAAIC,EAAUH,EAAOtK,gBAAgBsC,EAAY,aAEjD,GAAIiI,EAAuBC,MAAM,YAE7B,OADAC,EAAQC,sBAAuB,EACxBD,EACJ,CAEH,IAAIE,EAAcF,EAAQjI,WAC1B,OAAImI,GACAA,EAAYD,sBAAuB,EAC5BC,GAEA,IAE/B,CACA,CAAmB,CAGH,IACIF,EADcH,EAAOtK,gBAAgB,mBAAqBsC,EAAa,qBAAsB,aACvEsI,KAAK5M,cAAc,YAAYyM,QAEzD,OADAA,EAAQC,sBAAuB,EACxBD,CACvB,CACA,CA3nB6BI,CAAavI,IAG9B,IAAIwI,EA0nBR,SAA0BxI,GACtB,GAAkB,MAAdA,EAAoB,CAGpB,OADoBjM,SAASiH,cAAc,MAE3D,CAAmB,GAAIgF,EAAWoI,qBAElB,OAAOpI,EACJ,GAAIA,aAAsByI,KAAM,CAEnC,MAAMC,EAAc3U,SAASiH,cAAc,OAE3C,OADA0N,EAAYC,OAAO3I,GACZ0I,CACvB,CAAmB,CAGH,MAAMA,EAAc3U,SAASiH,cAAc,OAC3C,IAAK,MAAM2D,IAAO,IAAIqB,GAClB0I,EAAYC,OAAOhK,GAEvB,OAAO+J,CACvB,CACA,CAhpBoCE,CAAiB5I,GAErCd,EAgdR,SAA4BF,EAASgB,EAAY6H,GAE7C,OADAA,EAnBJ,SAAuBA,GACnB,IAAIgB,EAAc,CAAE,EAcpB,OAZAvM,OAAOqD,OAAOkJ,EAAa/K,GAC3BxB,OAAOqD,OAAOkJ,EAAahB,GAG3BgB,EAAY7K,UAAY,CAAE,EAC1B1B,OAAOqD,OAAOkJ,EAAY7K,UAAWF,EAASE,WAC9C1B,OAAOqD,OAAOkJ,EAAY7K,UAAW6J,EAAO7J,WAG5C6K,EAAYpN,KAAO,CAAE,EACrBa,OAAOqD,OAAOkJ,EAAYpN,KAAMqC,EAASrC,MACzCa,OAAOqD,OAAOkJ,EAAYpN,KAAMoM,EAAOpM,MAChCoN,CACnB,CAGqBC,CAAcjB,GAChB,CACHkB,OAAQ/J,EACRgB,WAAYA,EACZ6H,OAAQA,EACR9J,WAAY8J,EAAO9J,WACnBwD,aAAcsG,EAAOtG,aACrBF,kBAAmBwG,EAAOxG,kBAC1B2F,MAAOU,EAAY1I,EAASgB,GAC5B6G,QAAS,IAAIhJ,IACbG,UAAW6J,EAAO7J,UAClBvC,KAAMoM,EAAOpM,KAE7B,CA9dsBuN,CAAmBhK,EAASwJ,EAAmBX,GAEzD,OAAO9I,EAAuBC,EAASwJ,EAAmBtJ,EACtE,EAwxBYpB,WAEP,CA90BW,GCCT,SAAS7M,IACd,GAAIgY,GAAapB,OAAOqB,eAAgB,CAAA,IAAA,IAAAC,EAAAC,UAAAlU,OADnByF,EAAI0O,IAAAA,MAAAF,GAAAG,EAAA,EAAAA,EAAAH,EAAAG,IAAJ3O,EAAI2O,GAAAF,UAAAE,GAEvBxY,QAAQG,IAAI,qBAAsB0J,EACpC,CACF,CCFA,MAAM4O,EACF,WAAA3X,CAAY4X,EAAapS,EAAWqS,GAChCtY,KAAKqY,YAAcA,EACnBrY,KAAKiG,UAAYA,EACjBjG,KAAKsY,aAAeA,EACpBtY,KAAKuY,kBAAoB,IAAI7L,GACrC,CACI,OAAAzC,GACIjK,KAAKqY,YAAYlX,iBAAiBnB,KAAKiG,UAAWjG,KAAMA,KAAKsY,aACrE,CACI,UAAApV,GACIlD,KAAKqY,YAAY9W,oBAAoBvB,KAAKiG,UAAWjG,KAAMA,KAAKsY,aACxE,CACI,gBAAAE,CAAiBC,GACbzY,KAAKuY,kBAAkBpP,IAAIsP,EACnC,CACI,mBAAAC,CAAoBD,GAChBzY,KAAKuY,kBAAkBvE,OAAOyE,EACtC,CACI,WAAAE,CAAYrS,GACR,MAAMsS,EAoBd,SAAqBtS,GACjB,GAAI,gCAAiCA,EACjC,OAAOA,EAEN,CACD,MAAMuS,yBAAEA,GAA6BvS,EACrC,OAAO6E,OAAOqD,OAAOlI,EAAO,CACxBwS,6BAA6B,EAC7B,wBAAAD,GACI7Y,KAAK8Y,6BAA8B,EACnCD,EAAyBjT,KAAK5F,KACjC,GAEb,CACA,CAlC8B+Y,CAAYzS,GAClC,IAAK,MAAMmS,KAAWzY,KAAKgZ,SAAU,CACjC,GAAIJ,EAAcE,4BACd,MAGAL,EAAQE,YAAYC,EAEpC,CACA,CACI,WAAAK,GACI,OAAOjZ,KAAKuY,kBAAkBW,KAAO,CAC7C,CACI,YAAIF,GACA,OAAOd,MAAM3H,KAAKvQ,KAAKuY,mBAAmBY,MAAK,CAACC,EAAMC,KAClD,MAAMC,EAAYF,EAAKG,MAAOC,EAAaH,EAAME,MACjD,OAAOD,EAAYE,GAAc,EAAIF,EAAYE,EAAa,EAAI,CAAC,GAE/E,EAkBA,MAAMC,EACF,WAAAhZ,CAAYiZ,GACR1Z,KAAK0Z,YAAcA,EACnB1Z,KAAK2Z,kBAAoB,IAAInG,IAC7BxT,KAAK4Z,SAAU,CACvB,CACI,KAAA9Y,GACSd,KAAK4Z,UACN5Z,KAAK4Z,SAAU,EACf5Z,KAAK6Z,eAAexO,SAASyO,GAAkBA,EAAc7P,YAEzE,CACI,IAAA5I,GACQrB,KAAK4Z,UACL5Z,KAAK4Z,SAAU,EACf5Z,KAAK6Z,eAAexO,SAASyO,GAAkBA,EAAc5W,eAEzE,CACI,kBAAI2W,GACA,OAAO3B,MAAM3H,KAAKvQ,KAAK2Z,kBAAkB1F,UAAU8F,QAAO,CAACC,EAAWnR,IAAQmR,EAAUC,OAAO/B,MAAM3H,KAAK1H,EAAIoL,YAAY,GAClI,CACI,gBAAAuE,CAAiBC,GACbzY,KAAKka,6BAA6BzB,GAASD,iBAAiBC,EACpE,CACI,mBAAAC,CAAoBD,EAAS0B,GAAsB,GAC/Cna,KAAKka,6BAA6BzB,GAASC,oBAAoBD,GAC3D0B,GACAna,KAAKoa,8BAA8B3B,EAC/C,CACI,WAAA4B,CAAYhV,EAAOgB,EAASiU,EAAS,CAAA,GACjCta,KAAK0Z,YAAYW,YAAYhV,EAAO,SAASgB,IAAWiU,EAChE,CACI,6BAAAF,CAA8B3B,GAC1B,MAAMqB,EAAgB9Z,KAAKka,6BAA6BzB,GACnDqB,EAAcb,gBACfa,EAAc5W,aACdlD,KAAKua,6BAA6B9B,GAE9C,CACI,4BAAA8B,CAA6B9B,GACzB,MAAMJ,YAAEA,EAAWpS,UAAEA,EAASqS,aAAEA,GAAiBG,EAC3C+B,EAAmBxa,KAAKya,oCAAoCpC,GAC5DqC,EAAW1a,KAAK0a,SAASzU,EAAWqS,GAC1CkC,EAAiBxG,OAAO0G,GACK,GAAzBF,EAAiBtB,MACjBlZ,KAAK2Z,kBAAkB3F,OAAOqE,EAC1C,CACI,4BAAA6B,CAA6BzB,GACzB,MAAMJ,YAAEA,EAAWpS,UAAEA,EAASqS,aAAEA,GAAiBG,EACjD,OAAOzY,KAAK2a,mBAAmBtC,EAAapS,EAAWqS,EAC/D,CACI,kBAAAqC,CAAmBtC,EAAapS,EAAWqS,GACvC,MAAMkC,EAAmBxa,KAAKya,oCAAoCpC,GAC5DqC,EAAW1a,KAAK0a,SAASzU,EAAWqS,GAC1C,IAAIwB,EAAgBU,EAAiB1E,IAAI4E,GAKzC,OAJKZ,IACDA,EAAgB9Z,KAAK4a,oBAAoBvC,EAAapS,EAAWqS,GACjEkC,EAAiBhP,IAAIkP,EAAUZ,IAE5BA,CACf,CACI,mBAAAc,CAAoBvC,EAAapS,EAAWqS,GACxC,MAAMwB,EAAgB,IAAI1B,EAAcC,EAAapS,EAAWqS,GAIhE,OAHItY,KAAK4Z,SACLE,EAAc7P,UAEX6P,CACf,CACI,mCAAAW,CAAoCpC,GAChC,IAAImC,EAAmBxa,KAAK2Z,kBAAkB7D,IAAIuC,GAKlD,OAJKmC,IACDA,EAAmB,IAAIhH,IACvBxT,KAAK2Z,kBAAkBnO,IAAI6M,EAAamC,IAErCA,CACf,CACI,QAAAE,CAASzU,EAAWqS,GAChB,MAAMuC,EAAQ,CAAC5U,GAMf,OALAkF,OAAO2P,KAAKxC,GACPa,OACA9N,SAAS5D,IACVoT,EAAM3a,KAAK,GAAGoY,EAAa7Q,GAAO,GAAK,MAAMA,IAAM,IAEhDoT,EAAME,KAAK,IAC1B,EAGA,MAAMC,EAAiC,CACnC3Z,KAAI,EAACiF,MAAEA,EAAKoB,MAAEA,MACNA,GACApB,EAAM2U,mBACH,GAEXC,QAAO,EAAC5U,MAAEA,EAAKoB,MAAEA,MACTA,GACApB,EAAM6U,kBACH,GAEXC,KAAI,EAAC9U,MAAEA,EAAKoB,MAAEA,EAAK2C,QAAEA,MACb3C,GACO2C,IAAY/D,EAAMsR,QAO/ByD,EAAoB,+FAmB1B,SAASC,EAAiBC,GACtB,MAAuB,UAAnBA,EACOvQ,OAEiB,YAAnBuQ,EACE3Y,cADN,CAGT,CAeA,SAAS4Y,EAAS9T,GACd,OAAOA,EAAMqC,QAAQ,uBAAuB,CAAC0R,EAAGC,IAASA,EAAKC,eAClE,CACA,SAASC,EAAkBlU,GACvB,OAAO8T,EAAS9T,EAAMqC,QAAQ,MAAO,KAAKA,QAAQ,MAAO,KAC7D,CAkBA,MAAM8R,EAAe,CAAC,OAAQ,OAAQ,MAAO,SAC7C,MAAMC,EACF,WAAArb,CAAY4J,EAASkP,EAAOwC,EAAYC,GACpChc,KAAKqK,QAAUA,EACfrK,KAAKuZ,MAAQA,EACbvZ,KAAKqY,YAAc0D,EAAW1D,aAAehO,EAC7CrK,KAAKiG,UAAY8V,EAAW9V,WA0EpC,SAAuCoE,GACnC,MAAM0K,EAAU1K,EAAQ0K,QAAQ/O,cAChC,GAAI+O,KAAWkH,EACX,OAAOA,EAAkBlH,GAAS1K,EAE1C,CA/EiD6R,CAA8B7R,IAAYhF,EAAM,sBACzFrF,KAAKsY,aAAeyD,EAAWzD,cAAgB,CAAE,EACjDtY,KAAKuG,WAAawV,EAAWxV,YAAclB,EAAM,sBACjDrF,KAAKmc,WAAaJ,EAAWI,YAAc9W,EAAM,uBACjDrF,KAAKoc,UAAYL,EAAWK,WAAa,GACzCpc,KAAKgc,OAASA,CACtB,CACI,eAAOK,CAASC,EAAON,GACnB,OAAO,IAAIhc,KAAKsc,EAAMjS,QAASiS,EAAM/C,MA7E7C,SAAqCgD,GACjC,MACMC,EADSD,EAAiBE,OACT1F,MAAMsE,IAAsB,GACnD,IAAIpV,EAAYuW,EAAQ,GACpBJ,EAAYI,EAAQ,GAKxB,OAJIJ,IAAc,CAAC,UAAW,QAAS,YAAYM,SAASzW,KACxDA,GAAa,IAAImW,IACjBA,EAAY,IAET,CACH/D,YAAaiD,EAAiBkB,EAAQ,IACtCvW,YACAqS,aAAckE,EAAQ,IAcHlE,EAd0BkE,EAAQ,GAelDlE,EACFqE,MAAM,KACN5C,QAAO,CAAC6C,EAASN,IAAUnR,OAAOqD,OAAOoO,EAAS,CAAE,CAACN,EAAMvS,QAAQ,KAAM,MAAO,KAAKJ,KAAK2S,MAAW,KAjB3C,CAAE,EAC7D/V,WAAYiW,EAAQ,GACpBL,WAAYK,EAAQ,GACpBJ,UAAWI,EAAQ,IAAMJ,GAWjC,IAA2B9D,CAT3B,CA4DoDuE,CAA4BP,EAAMtF,SAAUgF,EAChG,CACI,QAAAvQ,GACI,MAAMqR,EAAc9c,KAAKoc,UAAY,IAAIpc,KAAKoc,YAAc,GACtD/D,EAAcrY,KAAKub,gBAAkB,IAAIvb,KAAKub,kBAAoB,GACxE,MAAO,GAAGvb,KAAKiG,YAAY6W,IAAczE,MAAgBrY,KAAKuG,cAAcvG,KAAKmc,YACzF,CACI,yBAAAY,CAA0BzW,GACtB,IAAKtG,KAAKoc,UACN,OAAO,EAEX,MAAMY,EAAUhd,KAAKoc,UAAUO,MAAM,KACrC,GAAI3c,KAAKid,sBAAsB3W,EAAO0W,GAClC,OAAO,EAEX,MAAME,EAAiBF,EAAQzU,QAAQd,IAASoU,EAAaa,SAASjV,KAAM,GAC5E,QAAKyV,IAlCQ3V,EAqCIvH,KAAKmd,YArCDC,EAqCcF,EApChC/R,OAAO/E,UAAUiX,eAAezX,KAAK2B,EAAQ6V,IAqC5C/X,EAAM,gCAAgCrF,KAAKoc,aAExCpc,KAAKmd,YAAYD,GAAgBlX,gBAAkBM,EAAMmB,IAAIzB,eAxC5E,IAAqBuB,EAAQ6V,CAyC7B,CACI,sBAAAE,CAAuBhX,GACnB,IAAKtG,KAAKoc,UACN,OAAO,EAEX,MAAMY,EAAU,CAAChd,KAAKoc,WACtB,QAAIpc,KAAKid,sBAAsB3W,EAAO0W,EAI9C,CACI,UAAI3V,GACA,MAAMA,EAAS,CAAE,EACXkW,EAAU,IAAIC,OAAO,SAASxd,KAAKuG,yBAA0B,KACnE,IAAK,MAAM6D,KAAEA,EAAI1C,MAAEA,KAAWwQ,MAAM3H,KAAKvQ,KAAKqK,QAAQsG,YAAa,CAC/D,MAAMoG,EAAQ3M,EAAK2M,MAAMwG,GACnB9V,EAAMsP,GAASA,EAAM,GACvBtP,IACAJ,EAAOmU,EAAS/T,IAAQgW,EAAS/V,GAEjD,CACQ,OAAOL,CACf,CACI,mBAAIkU,GACA,OA7FsBlD,EA6FMrY,KAAKqY,cA5FlBrN,OACR,SAEFqN,GAAezV,SACb,gBADN,EAJT,IAA8ByV,CA8F9B,CACI,eAAI8E,GACA,OAAOnd,KAAKgc,OAAOmB,WAC3B,CACI,qBAAAF,CAAsB3W,EAAO0W,GACzB,MAAOU,EAAMC,EAAMC,EAAKC,GAAShC,EAAahT,KAAKiV,GAAad,EAAQN,SAASoB,KACjF,OAAOxX,EAAMyX,UAAYL,GAAQpX,EAAM0X,UAAYL,GAAQrX,EAAM2X,SAAWL,GAAOtX,EAAM4X,WAAaL,CAC9G,EAEA,MAAM5B,EAAoB,CACtBrS,EAAG,IAAM,QACTuU,OAAQ,IAAM,QACdC,KAAM,IAAM,SACZC,QAAS,IAAM,SACfC,MAAQC,GAAiC,UAA1BA,EAAE/T,aAAa,QAAsB,QAAU,QAC9DgU,OAAQ,IAAM,SACdC,SAAU,IAAM,SAQpB,SAASpZ,EAAMgB,GACX,MAAM,IAAI6F,MAAM7F,EACpB,CACA,SAASoX,EAAS/V,GACd,IACI,OAAOhD,KAAKiC,MAAMe,EAC1B,CACI,MAAOgX,GACH,OAAOhX,CACf,CACA,CAEA,MAAMiX,EACF,WAAAle,CAAYme,EAAS/W,GACjB7H,KAAK4e,QAAUA,EACf5e,KAAK6H,OAASA,CACtB,CACI,SAAI0R,GACA,OAAOvZ,KAAK6H,OAAO0R,KAC3B,CACI,eAAIlB,GACA,OAAOrY,KAAK6H,OAAOwQ,WAC3B,CACI,gBAAIC,GACA,OAAOtY,KAAK6H,OAAOyQ,YAC3B,CACI,cAAI/R,GACA,OAAOvG,KAAK4e,QAAQrY,UAC5B,CACI,WAAAoS,CAAYrS,GACR,MAAMuY,EAAc7e,KAAK8e,mBAAmBxY,GACxCtG,KAAK+e,qBAAqBzY,IAAUtG,KAAKgf,oBAAoBH,IAC7D7e,KAAKif,gBAAgBJ,EAEjC,CACI,aAAI5Y,GACA,OAAOjG,KAAK6H,OAAO5B,SAC3B,CACI,UAAIiZ,GACA,MAAMA,EAASlf,KAAKmf,WAAWnf,KAAKmc,YACpC,GAAqB,mBAAV+C,EACP,OAAOA,EAEX,MAAM,IAAIhT,MAAM,WAAWlM,KAAK6H,wCAAwC7H,KAAKmc,cACrF,CACI,mBAAA6C,CAAoB1Y,GAChB,MAAM+D,QAAEA,GAAYrK,KAAK6H,QACnBuX,wBAAEA,GAA4Bpf,KAAK4e,QAAQlF,aAC3CyF,WAAEA,GAAenf,KAAK4e,QAC5B,IAAIS,GAAS,EACb,IAAK,MAAOjV,EAAM1C,KAAUyD,OAAOC,QAAQpL,KAAKsY,cAC5C,GAAIlO,KAAQgV,EAAyB,CACjC,MAAM7W,EAAS6W,EAAwBhV,GACvCiV,EAASA,GAAU9W,EAAO,CAAE6B,OAAM1C,QAAOpB,QAAO+D,UAAS8U,cACzE,CAKQ,OAAOE,CACf,CACI,kBAAAP,CAAmBxY,GACf,OAAO6E,OAAOqD,OAAOlI,EAAO,CAAEe,OAAQrH,KAAK6H,OAAOR,QAC1D,CACI,eAAA4X,CAAgB3Y,GACZ,MAAMsR,OAAEA,EAAM0H,cAAEA,GAAkBhZ,EAClC,IACItG,KAAKkf,OAAOtZ,KAAK5F,KAAKmf,WAAY7Y,GAClCtG,KAAK4e,QAAQW,iBAAiBvf,KAAKmc,WAAY,CAAE7V,QAAOsR,SAAQ0H,gBAAezX,OAAQ7H,KAAKmc,YACxG,CACQ,MAAO9W,GACH,MAAMkB,WAAEA,EAAU4Y,WAAEA,EAAU9U,QAAEA,EAAOkP,MAAEA,GAAUvZ,KAC7Csa,EAAS,CAAE/T,aAAY4Y,aAAY9U,UAASkP,QAAOjT,SACzDtG,KAAK4e,QAAQvE,YAAYhV,EAAO,oBAAoBrF,KAAK6H,UAAWyS,EAChF,CACA,CACI,oBAAAyE,CAAqBzY,GACjB,MAAM+R,EAAc/R,EAAMsR,OAC1B,QAAItR,aAAiBkZ,eAAiBxf,KAAK6H,OAAOkV,0BAA0BzW,QAGxEA,aAAiBmZ,YAAczf,KAAK6H,OAAOyV,uBAAuBhX,MAGlEtG,KAAKqK,UAAYgO,IAGZA,aAAuBqH,SAAW1f,KAAKqK,QAAQsV,SAAStH,GACtDrY,KAAK4f,MAAMC,gBAAgBxH,GAG3BrY,KAAK4f,MAAMC,gBAAgB7f,KAAK6H,OAAOwC,WAE1D,CACI,cAAI8U,GACA,OAAOnf,KAAK4e,QAAQO,UAC5B,CACI,cAAIhD,GACA,OAAOnc,KAAK6H,OAAOsU,UAC3B,CACI,WAAI9R,GACA,OAAOrK,KAAK4f,MAAMvV,OAC1B,CACI,SAAIuV,GACA,OAAO5f,KAAK4e,QAAQgB,KAC5B,EAGA,MAAME,EACF,WAAArf,CAAY4J,EAAS0V,GACjB/f,KAAKggB,qBAAuB,CAAErP,YAAY,EAAMsP,WAAW,EAAMC,SAAS,GAC1ElgB,KAAKqK,QAAUA,EACfrK,KAAK4Z,SAAU,EACf5Z,KAAK+f,SAAWA,EAChB/f,KAAKmgB,SAAW,IAAIzT,IACpB1M,KAAKogB,iBAAmB,IAAIC,kBAAkBC,GAActgB,KAAKugB,iBAAiBD,IAC1F,CACI,KAAAxf,GACSd,KAAK4Z,UACN5Z,KAAK4Z,SAAU,EACf5Z,KAAKogB,iBAAiBI,QAAQxgB,KAAKqK,QAASrK,KAAKggB,sBACjDhgB,KAAKygB,UAEjB,CACI,KAAAC,CAAMC,GACE3gB,KAAK4Z,UACL5Z,KAAKogB,iBAAiBld,aACtBlD,KAAK4Z,SAAU,GAEnB+G,IACK3gB,KAAK4Z,UACN5Z,KAAKogB,iBAAiBI,QAAQxgB,KAAKqK,QAASrK,KAAKggB,sBACjDhgB,KAAK4Z,SAAU,EAE3B,CACI,IAAAvY,GACQrB,KAAK4Z,UACL5Z,KAAKogB,iBAAiBQ,cACtB5gB,KAAKogB,iBAAiBld,aACtBlD,KAAK4Z,SAAU,EAE3B,CACI,OAAA6G,GACI,GAAIzgB,KAAK4Z,QAAS,CACd,MAAM4C,EAAU,IAAI9P,IAAI1M,KAAK6gB,uBAC7B,IAAK,MAAMxW,KAAW6N,MAAM3H,KAAKvQ,KAAKmgB,UAC7B3D,EAAQ3I,IAAIxJ,IACbrK,KAAK8gB,cAAczW,GAG3B,IAAK,MAAMA,KAAW6N,MAAM3H,KAAKiM,GAC7Bxc,KAAK+gB,WAAW1W,EAEhC,CACA,CACI,gBAAAkW,CAAiBD,GACb,GAAItgB,KAAK4Z,QACL,IAAK,MAAMoH,KAAYV,EACnBtgB,KAAKihB,gBAAgBD,EAGrC,CACI,eAAAC,CAAgBD,GACS,cAAjBA,EAASta,KACT1G,KAAKkhB,uBAAuBF,EAASpJ,OAAQoJ,EAASjO,eAEhC,aAAjBiO,EAASta,OACd1G,KAAKmhB,oBAAoBH,EAASI,cAClCphB,KAAKqhB,kBAAkBL,EAASM,YAE5C,CACI,sBAAAJ,CAAuB7W,EAAS0I,GACxB/S,KAAKmgB,SAAStM,IAAIxJ,GACdrK,KAAK+f,SAASwB,yBAA2BvhB,KAAKwhB,aAAanX,GAC3DrK,KAAK+f,SAASwB,wBAAwBlX,EAAS0I,GAG/C/S,KAAK8gB,cAAczW,GAGlBrK,KAAKwhB,aAAanX,IACvBrK,KAAK+gB,WAAW1W,EAE5B,CACI,mBAAA8W,CAAoBM,GAChB,IAAK,MAAM9R,KAAQuI,MAAM3H,KAAKkR,GAAQ,CAClC,MAAMpX,EAAUrK,KAAK0hB,gBAAgB/R,GACjCtF,GACArK,KAAK2hB,YAAYtX,EAASrK,KAAK8gB,cAE/C,CACA,CACI,iBAAAO,CAAkBI,GACd,IAAK,MAAM9R,KAAQuI,MAAM3H,KAAKkR,GAAQ,CAClC,MAAMpX,EAAUrK,KAAK0hB,gBAAgB/R,GACjCtF,GAAWrK,KAAK4hB,gBAAgBvX,IAChCrK,KAAK2hB,YAAYtX,EAASrK,KAAK+gB,WAE/C,CACA,CACI,YAAAS,CAAanX,GACT,OAAOrK,KAAK+f,SAASyB,aAAanX,EAC1C,CACI,mBAAAwW,CAAoBgB,EAAO7hB,KAAKqK,SAC5B,OAAOrK,KAAK+f,SAASc,oBAAoBgB,EACjD,CACI,WAAAF,CAAYE,EAAMC,GACd,IAAK,MAAMzX,KAAWrK,KAAK6gB,oBAAoBgB,GAC3CC,EAAUlc,KAAK5F,KAAMqK,EAEjC,CACI,eAAAqX,CAAgB/R,GACZ,GAAIA,EAAKc,UAAY6G,KAAKyK,aACtB,OAAOpS,CAEnB,CACI,eAAAiS,CAAgBvX,GACZ,OAAIA,EAAQ2X,aAAehiB,KAAKqK,QAAQ2X,aAI7BhiB,KAAKqK,QAAQsV,SAAStV,EAEzC,CACI,UAAA0W,CAAW1W,GACFrK,KAAKmgB,SAAStM,IAAIxJ,IACfrK,KAAK4hB,gBAAgBvX,KACrBrK,KAAKmgB,SAAShX,IAAIkB,GACdrK,KAAK+f,SAASkC,gBACdjiB,KAAK+f,SAASkC,eAAe5X,GAIjD,CACI,aAAAyW,CAAczW,GACNrK,KAAKmgB,SAAStM,IAAIxJ,KAClBrK,KAAKmgB,SAASnM,OAAO3J,GACjBrK,KAAK+f,SAASmC,kBACdliB,KAAK+f,SAASmC,iBAAiB7X,GAG/C,EAGA,MAAM8X,EACF,WAAA1hB,CAAY4J,EAAS0I,EAAegN,GAChC/f,KAAK+S,cAAgBA,EACrB/S,KAAK+f,SAAWA,EAChB/f,KAAKoiB,gBAAkB,IAAItC,EAAgBzV,EAASrK,KAC5D,CACI,WAAIqK,GACA,OAAOrK,KAAKoiB,gBAAgB/X,OACpC,CACI,YAAIgY,GACA,MAAO,IAAIriB,KAAK+S,gBACxB,CACI,KAAAjS,GACId,KAAKoiB,gBAAgBthB,OAC7B,CACI,KAAA4f,CAAMC,GACF3gB,KAAKoiB,gBAAgB1B,MAAMC,EACnC,CACI,IAAAtf,GACIrB,KAAKoiB,gBAAgB/gB,MAC7B,CACI,OAAAof,GACIzgB,KAAKoiB,gBAAgB3B,SAC7B,CACI,WAAI7G,GACA,OAAO5Z,KAAKoiB,gBAAgBxI,OACpC,CACI,YAAA4H,CAAanX,GACT,OAAOA,EAAQ6G,aAAalR,KAAK+S,cACzC,CACI,mBAAA8N,CAAoBgB,GAChB,MAAM9K,EAAQ/W,KAAKwhB,aAAaK,GAAQ,CAACA,GAAQ,GAC3CrF,EAAUtE,MAAM3H,KAAKsR,EAAKxL,iBAAiBrW,KAAKqiB,WACtD,OAAOtL,EAAMkD,OAAOuC,EAC5B,CACI,cAAAyF,CAAe5X,GACPrK,KAAK+f,SAASuC,yBACdtiB,KAAK+f,SAASuC,wBAAwBjY,EAASrK,KAAK+S,cAEhE,CACI,gBAAAmP,CAAiB7X,GACTrK,KAAK+f,SAASwC,2BACdviB,KAAK+f,SAASwC,0BAA0BlY,EAASrK,KAAK+S,cAElE,CACI,uBAAAwO,CAAwBlX,EAAS0I,GACzB/S,KAAK+f,SAASyC,8BAAgCxiB,KAAK+S,eAAiBA,GACpE/S,KAAK+f,SAASyC,6BAA6BnY,EAAS0I,EAEhE,EAUA,SAAS/G,EAAMnD,EAAKpB,GAChB,IAAIwM,EAASpL,EAAIiN,IAAIrO,GAKrB,OAJKwM,IACDA,EAAS,IAAIvH,IACb7D,EAAI2C,IAAI/D,EAAKwM,IAEVA,CACX,CAQA,MAAMwO,EACF,WAAAhiB,GACIT,KAAK0iB,YAAc,IAAIlP,GAC/B,CACI,QAAIsH,GACA,OAAO5C,MAAM3H,KAAKvQ,KAAK0iB,YAAY5H,OAC3C,CACI,UAAI7G,GAEA,OADaiE,MAAM3H,KAAKvQ,KAAK0iB,YAAYzO,UAC7B8F,QAAO,CAAC9F,EAAQzI,IAAQyI,EAAOgG,OAAO/B,MAAM3H,KAAK/E,KAAO,GAC5E,CACI,QAAI0N,GAEA,OADahB,MAAM3H,KAAKvQ,KAAK0iB,YAAYzO,UAC7B8F,QAAO,CAACb,EAAM1N,IAAQ0N,EAAO1N,EAAI0N,MAAM,EAC3D,CACI,GAAA/P,CAAI1B,EAAKC,IArCb,SAAamB,EAAKpB,EAAKC,GACnBsE,EAAMnD,EAAKpB,GAAK0B,IAAIzB,EACxB,CAoCQyB,CAAInJ,KAAK0iB,YAAajb,EAAKC,EACnC,CACI,OAAOD,EAAKC,IArChB,SAAamB,EAAKpB,EAAKC,GACnBsE,EAAMnD,EAAKpB,GAAKuM,OAAOtM,GAW3B,SAAemB,EAAKpB,GAChB,MAAMwM,EAASpL,EAAIiN,IAAIrO,GACT,MAAVwM,GAAiC,GAAfA,EAAOiF,MACzBrQ,EAAImL,OAAOvM,EAEnB,CAfIkb,CAAM9Z,EAAKpB,EACf,CAmCQmb,CAAI5iB,KAAK0iB,YAAajb,EAAKC,EACnC,CACI,GAAAmM,CAAIpM,EAAKC,GACL,MAAMuM,EAASjU,KAAK0iB,YAAY5M,IAAIrO,GACpC,OAAiB,MAAVwM,GAAkBA,EAAOJ,IAAInM,EAC5C,CACI,MAAAmb,CAAOpb,GACH,OAAOzH,KAAK0iB,YAAY7O,IAAIpM,EACpC,CACI,QAAAqb,CAASpb,GAEL,OADawQ,MAAM3H,KAAKvQ,KAAK0iB,YAAYzO,UAC7B8O,MAAMvX,GAAQA,EAAIqI,IAAInM,IAC1C,CACI,eAAAsb,CAAgBvb,GACZ,MAAMwM,EAASjU,KAAK0iB,YAAY5M,IAAIrO,GACpC,OAAOwM,EAASiE,MAAM3H,KAAK0D,GAAU,EAC7C,CACI,eAAAgP,CAAgBvb,GACZ,OAAOwQ,MAAM3H,KAAKvQ,KAAK0iB,aAClBna,QAAO,EAAE4P,EAAMlE,KAAYA,EAAOJ,IAAInM,KACtCmB,KAAI,EAAEpB,EAAKyb,KAAazb,GACrC,EA4BA,MAAM0b,EACF,WAAA1iB,CAAY4J,EAASgY,EAAUtC,EAAU1B,GACrCre,KAAKojB,UAAYf,EACjBriB,KAAKqe,QAAUA,EACfre,KAAKoiB,gBAAkB,IAAItC,EAAgBzV,EAASrK,MACpDA,KAAK+f,SAAWA,EAChB/f,KAAKqjB,iBAAmB,IAAIZ,CACpC,CACI,WAAI7I,GACA,OAAO5Z,KAAKoiB,gBAAgBxI,OACpC,CACI,YAAIyI,GACA,OAAOriB,KAAKojB,SACpB,CACI,YAAIf,CAASA,GACTriB,KAAKojB,UAAYf,EACjBriB,KAAKygB,SACb,CACI,KAAA3f,GACId,KAAKoiB,gBAAgBthB,OAC7B,CACI,KAAA4f,CAAMC,GACF3gB,KAAKoiB,gBAAgB1B,MAAMC,EACnC,CACI,IAAAtf,GACIrB,KAAKoiB,gBAAgB/gB,MAC7B,CACI,OAAAof,GACIzgB,KAAKoiB,gBAAgB3B,SAC7B,CACI,WAAIpW,GACA,OAAOrK,KAAKoiB,gBAAgB/X,OACpC,CACI,YAAAmX,CAAanX,GACT,MAAMgY,SAAEA,GAAariB,KACrB,GAAIqiB,EAAU,CACV,MAAM7F,EAAUnS,EAAQmS,QAAQ6F,GAChC,OAAIriB,KAAK+f,SAASuD,qBACP9G,GAAWxc,KAAK+f,SAASuD,qBAAqBjZ,EAASrK,KAAKqe,SAEhE7B,CACnB,CAEY,OAAO,CAEnB,CACI,mBAAAqE,CAAoBgB,GAChB,MAAMQ,SAAEA,GAAariB,KACrB,GAAIqiB,EAAU,CACV,MAAMtL,EAAQ/W,KAAKwhB,aAAaK,GAAQ,CAACA,GAAQ,GAC3CrF,EAAUtE,MAAM3H,KAAKsR,EAAKxL,iBAAiBgM,IAAW9Z,QAAQwO,GAAU/W,KAAKwhB,aAAazK,KAChG,OAAOA,EAAMkD,OAAOuC,EAChC,CAEY,MAAO,EAEnB,CACI,cAAAyF,CAAe5X,GACX,MAAMgY,SAAEA,GAAariB,KACjBqiB,GACAriB,KAAKujB,gBAAgBlZ,EAASgY,EAE1C,CACI,gBAAAH,CAAiB7X,GACb,MAAMmZ,EAAYxjB,KAAKqjB,iBAAiBJ,gBAAgB5Y,GACxD,IAAK,MAAMgY,KAAYmB,EACnBxjB,KAAKyjB,kBAAkBpZ,EAASgY,EAE5C,CACI,uBAAAd,CAAwBlX,EAASqZ,GAC7B,MAAMrB,SAAEA,GAAariB,KACrB,GAAIqiB,EAAU,CACV,MAAM7F,EAAUxc,KAAKwhB,aAAanX,GAC5BsZ,EAAgB3jB,KAAKqjB,iBAAiBxP,IAAIwO,EAAUhY,GACtDmS,IAAYmH,EACZ3jB,KAAKujB,gBAAgBlZ,EAASgY,IAExB7F,GAAWmH,GACjB3jB,KAAKyjB,kBAAkBpZ,EAASgY,EAEhD,CACA,CACI,eAAAkB,CAAgBlZ,EAASgY,GACrBriB,KAAK+f,SAASwD,gBAAgBlZ,EAASgY,EAAUriB,KAAKqe,SACtDre,KAAKqjB,iBAAiBla,IAAIkZ,EAAUhY,EAC5C,CACI,iBAAAoZ,CAAkBpZ,EAASgY,GACvBriB,KAAK+f,SAAS0D,kBAAkBpZ,EAASgY,EAAUriB,KAAKqe,SACxDre,KAAKqjB,iBAAiBrP,OAAOqO,EAAUhY,EAC/C,EAGA,MAAMuZ,EACF,WAAAnjB,CAAY4J,EAAS0V,GACjB/f,KAAKqK,QAAUA,EACfrK,KAAK+f,SAAWA,EAChB/f,KAAK4Z,SAAU,EACf5Z,KAAK6jB,UAAY,IAAIrQ,IACrBxT,KAAKogB,iBAAmB,IAAIC,kBAAkBC,GAActgB,KAAKugB,iBAAiBD,IAC1F,CACI,KAAAxf,GACSd,KAAK4Z,UACN5Z,KAAK4Z,SAAU,EACf5Z,KAAKogB,iBAAiBI,QAAQxgB,KAAKqK,QAAS,CAAEsG,YAAY,EAAMmT,mBAAmB,IACnF9jB,KAAKygB,UAEjB,CACI,IAAApf,GACQrB,KAAK4Z,UACL5Z,KAAKogB,iBAAiBQ,cACtB5gB,KAAKogB,iBAAiBld,aACtBlD,KAAK4Z,SAAU,EAE3B,CACI,OAAA6G,GACI,GAAIzgB,KAAK4Z,QACL,IAAK,MAAM7G,KAAiB/S,KAAK+jB,oBAC7B/jB,KAAKgkB,iBAAiBjR,EAAe,KAGrD,CACI,gBAAAwN,CAAiBD,GACb,GAAItgB,KAAK4Z,QACL,IAAK,MAAMoH,KAAYV,EACnBtgB,KAAKihB,gBAAgBD,EAGrC,CACI,eAAAC,CAAgBD,GACZ,MAAMjO,EAAgBiO,EAASjO,cAC3BA,GACA/S,KAAKgkB,iBAAiBjR,EAAeiO,EAASiD,SAE1D,CACI,gBAAAD,CAAiBjR,EAAekR,GAC5B,MAAMxc,EAAMzH,KAAK+f,SAASmE,4BAA4BnR,GACtD,GAAW,MAAPtL,EAAa,CACRzH,KAAK6jB,UAAUhQ,IAAId,IACpB/S,KAAKmkB,kBAAkB1c,EAAKsL,GAEhC,MAAMrL,EAAQ1H,KAAKqK,QAAQG,aAAauI,GAIxC,GAHI/S,KAAK6jB,UAAU/N,IAAI/C,IAAkBrL,GACrC1H,KAAKokB,sBAAsB1c,EAAOD,EAAKwc,GAE9B,MAATvc,EAAe,CACf,MAAMuc,EAAWjkB,KAAK6jB,UAAU/N,IAAI/C,GACpC/S,KAAK6jB,UAAU7P,OAAOjB,GAClBkR,GACAjkB,KAAKqkB,oBAAoB5c,EAAKsL,EAAekR,EACjE,MAEgBjkB,KAAK6jB,UAAUrY,IAAIuH,EAAerL,EAElD,CACA,CACI,iBAAAyc,CAAkB1c,EAAKsL,GACf/S,KAAK+f,SAASoE,mBACdnkB,KAAK+f,SAASoE,kBAAkB1c,EAAKsL,EAEjD,CACI,qBAAAqR,CAAsB1c,EAAOD,EAAKwc,GAC1BjkB,KAAK+f,SAASqE,uBACdpkB,KAAK+f,SAASqE,sBAAsB1c,EAAOD,EAAKwc,EAE5D,CACI,mBAAAI,CAAoB5c,EAAKsL,EAAekR,GAChCjkB,KAAK+f,SAASsE,qBACdrkB,KAAK+f,SAASsE,oBAAoB5c,EAAKsL,EAAekR,EAElE,CACI,uBAAIF,GACA,OAAO7L,MAAM3H,KAAK,IAAI7D,IAAI1M,KAAKskB,sBAAsBrK,OAAOja,KAAKukB,yBACzE,CACI,yBAAID,GACA,OAAOpM,MAAM3H,KAAKvQ,KAAKqK,QAAQsG,YAAY9H,KAAK2b,GAAcA,EAAUpa,MAChF,CACI,0BAAIma,GACA,OAAOrM,MAAM3H,KAAKvQ,KAAK6jB,UAAU/I,OACzC,EAGA,MAAM2J,EACF,WAAAhkB,CAAY4J,EAAS0I,EAAegN,GAChC/f,KAAK0kB,kBAAoB,IAAIvC,EAAkB9X,EAAS0I,EAAe/S,MACvEA,KAAK+f,SAAWA,EAChB/f,KAAK2kB,gBAAkB,IAAIlC,CACnC,CACI,WAAI7I,GACA,OAAO5Z,KAAK0kB,kBAAkB9K,OACtC,CACI,KAAA9Y,GACId,KAAK0kB,kBAAkB5jB,OAC/B,CACI,KAAA4f,CAAMC,GACF3gB,KAAK0kB,kBAAkBhE,MAAMC,EACrC,CACI,IAAAtf,GACIrB,KAAK0kB,kBAAkBrjB,MAC/B,CACI,OAAAof,GACIzgB,KAAK0kB,kBAAkBjE,SAC/B,CACI,WAAIpW,GACA,OAAOrK,KAAK0kB,kBAAkBra,OACtC,CACI,iBAAI0I,GACA,OAAO/S,KAAK0kB,kBAAkB3R,aACtC,CACI,uBAAAuP,CAAwBjY,GACpBrK,KAAK4kB,cAAc5kB,KAAK6kB,qBAAqBxa,GACrD,CACI,4BAAAmY,CAA6BnY,GACzB,MAAOya,EAAiBC,GAAiB/kB,KAAKglB,wBAAwB3a,GACtErK,KAAKilB,gBAAgBH,GACrB9kB,KAAK4kB,cAAcG,EAC3B,CACI,yBAAAxC,CAA0BlY,GACtBrK,KAAKilB,gBAAgBjlB,KAAK2kB,gBAAgB3B,gBAAgB3Y,GAClE,CACI,aAAAua,CAAcM,GACVA,EAAO7Z,SAASiR,GAAUtc,KAAKmlB,aAAa7I,IACpD,CACI,eAAA2I,CAAgBC,GACZA,EAAO7Z,SAASiR,GAAUtc,KAAKolB,eAAe9I,IACtD,CACI,YAAA6I,CAAa7I,GACTtc,KAAK+f,SAASoF,aAAa7I,GAC3Btc,KAAK2kB,gBAAgBxb,IAAImT,EAAMjS,QAASiS,EAChD,CACI,cAAA8I,CAAe9I,GACXtc,KAAK+f,SAASqF,eAAe9I,GAC7Btc,KAAK2kB,gBAAgB3Q,OAAOsI,EAAMjS,QAASiS,EACnD,CACI,uBAAA0I,CAAwB3a,GACpB,MAAMgb,EAAiBrlB,KAAK2kB,gBAAgB3B,gBAAgB3Y,GACtDib,EAAgBtlB,KAAK6kB,qBAAqBxa,GAC1Ckb,EAqBd,SAAanM,EAAMC,GACf,MAAMtV,EAAS3B,KAAKojB,IAAIpM,EAAKrV,OAAQsV,EAAMtV,QAC3C,OAAOmU,MAAM3H,KAAK,CAAExM,WAAU,CAAC0X,EAAGlC,IAAU,CAACH,EAAKG,GAAQF,EAAME,KACpE,CAxBoCkM,CAAIJ,EAAgBC,GAAeI,WAAU,EAAEC,EAAeC,MAAkB,OAyBtFvM,EAzBqHuM,KAyB3HxM,EAzB4GuM,IA0BjHtM,GAASD,EAAKG,OAASF,EAAME,OAASH,EAAKpC,SAAWqC,EAAMrC,SAD/E,IAAwBoC,EAAMC,CAzBkI,IACxJ,OAA4B,GAAxBkM,EACO,CAAC,GAAI,IAGL,CAACF,EAAevhB,MAAMyhB,GAAsBD,EAAcxhB,MAAMyhB,GAEnF,CACI,oBAAAV,CAAqBxa,GACjB,MAAM0I,EAAgB/S,KAAK+S,cAE3B,OAGR,SAA0B8S,EAAaxb,EAAS0I,GAC5C,OAAO8S,EACFpJ,OACAE,MAAM,OACNpU,QAAQyO,GAAYA,EAAQjT,SAC5B8E,KAAI,CAACmO,EAASuC,KAAW,CAAElP,UAAS0I,gBAAeiE,UAASuC,WACrE,CATeuM,CADazb,EAAQG,aAAauI,IAAkB,GACtB1I,EAAS0I,EACtD,EAiBA,MAAMgT,EACF,WAAAtlB,CAAY4J,EAAS0I,EAAegN,GAChC/f,KAAKgmB,kBAAoB,IAAIvB,EAAkBpa,EAAS0I,EAAe/S,MACvEA,KAAK+f,SAAWA,EAChB/f,KAAKimB,oBAAsB,IAAIC,QAC/BlmB,KAAKmmB,uBAAyB,IAAID,OAC1C,CACI,WAAItM,GACA,OAAO5Z,KAAKgmB,kBAAkBpM,OACtC,CACI,KAAA9Y,GACId,KAAKgmB,kBAAkBllB,OAC/B,CACI,IAAAO,GACIrB,KAAKgmB,kBAAkB3kB,MAC/B,CACI,OAAAof,GACIzgB,KAAKgmB,kBAAkBvF,SAC/B,CACI,WAAIpW,GACA,OAAOrK,KAAKgmB,kBAAkB3b,OACtC,CACI,iBAAI0I,GACA,OAAO/S,KAAKgmB,kBAAkBjT,aACtC,CACI,YAAAoS,CAAa7I,GACT,MAAMjS,QAAEA,GAAYiS,GACd5U,MAAEA,GAAU1H,KAAKomB,yBAAyB9J,GAC5C5U,IACA1H,KAAKqmB,6BAA6Bhc,GAASmB,IAAI8Q,EAAO5U,GACtD1H,KAAK+f,SAASuG,oBAAoBjc,EAAS3C,GAEvD,CACI,cAAA0d,CAAe9I,GACX,MAAMjS,QAAEA,GAAYiS,GACd5U,MAAEA,GAAU1H,KAAKomB,yBAAyB9J,GAC5C5U,IACA1H,KAAKqmB,6BAA6Bhc,GAAS2J,OAAOsI,GAClDtc,KAAK+f,SAASwG,sBAAsBlc,EAAS3C,GAEzD,CACI,wBAAA0e,CAAyB9J,GACrB,IAAIkK,EAAcxmB,KAAKimB,oBAAoBnQ,IAAIwG,GAK/C,OAJKkK,IACDA,EAAcxmB,KAAKymB,WAAWnK,GAC9Btc,KAAKimB,oBAAoBza,IAAI8Q,EAAOkK,IAEjCA,CACf,CACI,4BAAAH,CAA6Bhc,GACzB,IAAIqc,EAAgB1mB,KAAKmmB,uBAAuBrQ,IAAIzL,GAKpD,OAJKqc,IACDA,EAAgB,IAAIlT,IACpBxT,KAAKmmB,uBAAuB3a,IAAInB,EAASqc,IAEtCA,CACf,CACI,UAAAD,CAAWnK,GACP,IAEI,MAAO,CAAE5U,MADK1H,KAAK+f,SAAS4G,mBAAmBrK,GAE3D,CACQ,MAAOjX,GACH,MAAO,CAAEA,QACrB,CACA,EAGA,MAAMuhB,EACF,WAAAnmB,CAAYme,EAASmB,GACjB/f,KAAK4e,QAAUA,EACf5e,KAAK+f,SAAWA,EAChB/f,KAAK6mB,iBAAmB,IAAIrT,GACpC,CACI,KAAA1S,GACSd,KAAK8mB,oBACN9mB,KAAK8mB,kBAAoB,IAAIf,EAAkB/lB,KAAKqK,QAASrK,KAAK+mB,gBAAiB/mB,MACnFA,KAAK8mB,kBAAkBhmB,QAEnC,CACI,IAAAO,GACQrB,KAAK8mB,oBACL9mB,KAAK8mB,kBAAkBzlB,cAChBrB,KAAK8mB,kBACZ9mB,KAAKgnB,uBAEjB,CACI,WAAI3c,GACA,OAAOrK,KAAK4e,QAAQvU,OAC5B,CACI,cAAI9D,GACA,OAAOvG,KAAK4e,QAAQrY,UAC5B,CACI,mBAAIwgB,GACA,OAAO/mB,KAAKgc,OAAO+K,eAC3B,CACI,UAAI/K,GACA,OAAOhc,KAAK4e,QAAQ5C,MAC5B,CACI,YAAIhD,GACA,OAAOd,MAAM3H,KAAKvQ,KAAK6mB,iBAAiB5S,SAChD,CACI,aAAAgT,CAAcpf,GACV,MAAM4Q,EAAU,IAAIkG,EAAQ3e,KAAK4e,QAAS/W,GAC1C7H,KAAK6mB,iBAAiBrb,IAAI3D,EAAQ4Q,GAClCzY,KAAK+f,SAASvH,iBAAiBC,EACvC,CACI,gBAAAyO,CAAiBrf,GACb,MAAM4Q,EAAUzY,KAAK6mB,iBAAiB/Q,IAAIjO,GACtC4Q,IACAzY,KAAK6mB,iBAAiB7S,OAAOnM,GAC7B7H,KAAK+f,SAASrH,oBAAoBD,GAE9C,CACI,oBAAAuO,GACIhnB,KAAKgZ,SAAS3N,SAASoN,GAAYzY,KAAK+f,SAASrH,oBAAoBD,GAAS,KAC9EzY,KAAK6mB,iBAAiBM,OAC9B,CACI,kBAAAR,CAAmBrK,GACf,MAAMzU,EAASiU,EAAOO,SAASC,EAAOtc,KAAKgc,QAC3C,GAAInU,EAAOtB,YAAcvG,KAAKuG,WAC1B,OAAOsB,CAEnB,CACI,mBAAAye,CAAoBjc,EAASxC,GACzB7H,KAAKinB,cAAcpf,EAC3B,CACI,qBAAA0e,CAAsBlc,EAASxC,GAC3B7H,KAAKknB,iBAAiBrf,EAC9B,EAGA,MAAMuf,EACF,WAAA3mB,CAAYme,EAASyI,GACjBrnB,KAAK4e,QAAUA,EACf5e,KAAKqnB,SAAWA,EAChBrnB,KAAKsnB,kBAAoB,IAAI1D,EAAkB5jB,KAAKqK,QAASrK,MAC7DA,KAAKunB,mBAAqBvnB,KAAKmf,WAAWoI,kBAClD,CACI,KAAAzmB,GACId,KAAKsnB,kBAAkBxmB,QACvBd,KAAKwnB,wCACb,CACI,IAAAnmB,GACIrB,KAAKsnB,kBAAkBjmB,MAC/B,CACI,WAAIgJ,GACA,OAAOrK,KAAK4e,QAAQvU,OAC5B,CACI,cAAI8U,GACA,OAAOnf,KAAK4e,QAAQO,UAC5B,CACI,2BAAA+E,CAA4BnR,GACxB,GAAIA,KAAiB/S,KAAKunB,mBACtB,OAAOvnB,KAAKunB,mBAAmBxU,GAAe3I,IAE1D,CACI,iBAAA+Z,CAAkB1c,EAAKsL,GACnB,MAAMgJ,EAAa/b,KAAKunB,mBAAmBxU,GACtC/S,KAAK8iB,SAASrb,IACfzH,KAAKynB,sBAAsBhgB,EAAKsU,EAAW2L,OAAO1nB,KAAKqnB,SAAS5f,IAAOsU,EAAW2L,OAAO3L,EAAW4L,cAEhH,CACI,qBAAAvD,CAAsB1c,EAAO0C,EAAM6Z,GAC/B,MAAMlI,EAAa/b,KAAK4nB,uBAAuBxd,GACjC,OAAV1C,IAEa,OAAbuc,IACAA,EAAWlI,EAAW2L,OAAO3L,EAAW4L,eAE5C3nB,KAAKynB,sBAAsBrd,EAAM1C,EAAOuc,GAChD,CACI,mBAAAI,CAAoB5c,EAAKsL,EAAekR,GACpC,MAAMlI,EAAa/b,KAAK4nB,uBAAuBngB,GAC3CzH,KAAK8iB,SAASrb,GACdzH,KAAKynB,sBAAsBhgB,EAAKsU,EAAW2L,OAAO1nB,KAAKqnB,SAAS5f,IAAOwc,GAGvEjkB,KAAKynB,sBAAsBhgB,EAAKsU,EAAW2L,OAAO3L,EAAW4L,cAAe1D,EAExF,CACI,sCAAAuD,GACI,IAAK,MAAM/f,IAAEA,EAAG2C,KAAEA,EAAIud,aAAEA,EAAYD,OAAEA,KAAY1nB,KAAK6nB,iBAC/BjoB,MAAhB+nB,GAA8B3nB,KAAKmf,WAAW3a,KAAKqP,IAAIpM,IACvDzH,KAAKynB,sBAAsBrd,EAAMsd,EAAOC,QAAe/nB,EAGvE,CACI,qBAAA6nB,CAAsBrd,EAAM0d,EAAUC,GAClC,MAAMC,EAAoB,GAAG5d,WACvB6d,EAAgBjoB,KAAKqnB,SAASW,GACpC,GAA4B,mBAAjBC,EAA6B,CACpC,MAAMlM,EAAa/b,KAAK4nB,uBAAuBxd,GAC/C,IACI,MAAM1C,EAAQqU,EAAWmM,OAAOJ,GAChC,IAAI7D,EAAW8D,EACXA,IACA9D,EAAWlI,EAAWmM,OAAOH,IAEjCE,EAAcriB,KAAK5F,KAAKqnB,SAAU3f,EAAOuc,EACzD,CACY,MAAO5e,GAIH,MAHIA,aAAiB8iB,YACjB9iB,EAAMgB,QAAU,mBAAmBrG,KAAK4e,QAAQrY,cAAcwV,EAAW3R,WAAW/E,EAAMgB,WAExFhB,CACtB,CACA,CACA,CACI,oBAAIwiB,GACA,MAAMN,mBAAEA,GAAuBvnB,KAC/B,OAAOmL,OAAO2P,KAAKyM,GAAoB1e,KAAKpB,GAAQ8f,EAAmB9f,IAC/E,CACI,0BAAImgB,GACA,MAAMQ,EAAc,CAAE,EAKtB,OAJAjd,OAAO2P,KAAK9a,KAAKunB,oBAAoBlc,SAAS5D,IAC1C,MAAMsU,EAAa/b,KAAKunB,mBAAmB9f,GAC3C2gB,EAAYrM,EAAW3R,MAAQ2R,CAAU,IAEtCqM,CACf,CACI,QAAAtF,CAAS/P,GACL,MAAMgJ,EAAa/b,KAAK4nB,uBAAuB7U,GACzCsV,EAAgB,MAj9BV3gB,EAi9B2BqU,EAAW3R,KAh9B/C1C,EAAM4gB,OAAO,GAAG3M,cAAgBjU,EAAM5D,MAAM,KADvD,IAAoB4D,EAk9BZ,OAAO1H,KAAKqnB,SAASgB,EAC7B,EAGA,MAAME,EACF,WAAA9nB,CAAYme,EAASmB,GACjB/f,KAAK4e,QAAUA,EACf5e,KAAK+f,SAAWA,EAChB/f,KAAKwoB,cAAgB,IAAI/F,CACjC,CACI,KAAA3hB,GACSd,KAAKgmB,oBACNhmB,KAAKgmB,kBAAoB,IAAIvB,EAAkBzkB,KAAKqK,QAASrK,KAAK+S,cAAe/S,MACjFA,KAAKgmB,kBAAkBllB,QAEnC,CACI,IAAAO,GACQrB,KAAKgmB,oBACLhmB,KAAKyoB,uBACLzoB,KAAKgmB,kBAAkB3kB,cAChBrB,KAAKgmB,kBAExB,CACI,YAAAb,EAAa9a,QAAEA,EAAS2M,QAAS5M,IACzBpK,KAAK4f,MAAMC,gBAAgBxV,IAC3BrK,KAAK0oB,cAAcre,EAASD,EAExC,CACI,cAAAgb,EAAe/a,QAAEA,EAAS2M,QAAS5M,IAC/BpK,KAAK2oB,iBAAiBte,EAASD,EACvC,CACI,aAAAse,CAAcre,EAASD,GACnB,IAAIwe,EACC5oB,KAAKwoB,cAAc3U,IAAIzJ,EAAMC,KAC9BrK,KAAKwoB,cAAcrf,IAAIiB,EAAMC,GACK,QAAjCue,EAAK5oB,KAAKgmB,yBAAsC,IAAP4C,GAAyBA,EAAGlI,OAAM,IAAM1gB,KAAK+f,SAAS8I,gBAAgBxe,EAASD,KAErI,CACI,gBAAAue,CAAiBte,EAASD,GACtB,IAAIwe,EACA5oB,KAAKwoB,cAAc3U,IAAIzJ,EAAMC,KAC7BrK,KAAKwoB,cAAcxU,OAAO5J,EAAMC,GACE,QAAjCue,EAAK5oB,KAAKgmB,yBAAsC,IAAP4C,GAAyBA,EAAGlI,OAAM,IAAM1gB,KAAK+f,SAAS+I,mBAAmBze,EAASD,KAExI,CACI,oBAAAqe,GACI,IAAK,MAAMre,KAAQpK,KAAKwoB,cAAc1N,KAClC,IAAK,MAAMzQ,KAAWrK,KAAKwoB,cAAcxF,gBAAgB5Y,GACrDpK,KAAK2oB,iBAAiBte,EAASD,EAG/C,CACI,iBAAI2I,GACA,MAAO,QAAQ/S,KAAK4e,QAAQrY,mBACpC,CACI,WAAI8D,GACA,OAAOrK,KAAK4e,QAAQvU,OAC5B,CACI,SAAIuV,GACA,OAAO5f,KAAK4e,QAAQgB,KAC5B,EAGA,SAASmJ,EAAiCtoB,EAAauoB,GACnD,MAAMC,EAaV,SAAoCxoB,GAChC,MAAMwoB,EAAY,GAClB,KAAOxoB,GACHwoB,EAAU/oB,KAAKO,GACfA,EAAc0K,OAAO+d,eAAezoB,GAExC,OAAOwoB,EAAUE,SACrB,CApBsBC,CAA2B3oB,GAC7C,OAAOyX,MAAM3H,KAAK0Y,EAAUlP,QAAO,CAAC9F,EAAQxT,KAoBhD,SAAiCA,EAAauoB,GAC1C,MAAMK,EAAa5oB,EAAYuoB,GAC/B,OAAO9Q,MAAMoR,QAAQD,GAAcA,EAAa,EACpD,CAtBQE,CAAwB9oB,EAAauoB,GAAc3d,SAASjB,GAAS6J,EAAO9K,IAAIiB,KACzE6J,IACR,IAAIvH,KACX,CAyBA,MAAM8c,EACF,WAAA/oB,CAAYme,EAASmB,GACjB/f,KAAK4Z,SAAU,EACf5Z,KAAK4e,QAAUA,EACf5e,KAAK+f,SAAWA,EAChB/f,KAAKypB,cAAgB,IAAIhH,EACzBziB,KAAK0pB,qBAAuB,IAAIjH,EAChCziB,KAAK2pB,oBAAsB,IAAInW,IAC/BxT,KAAK4pB,qBAAuB,IAAIpW,GACxC,CACI,KAAA1S,GACSd,KAAK4Z,UACN5Z,KAAK6pB,kBAAkBxe,SAASye,IAC5B9pB,KAAK+pB,+BAA+BD,GACpC9pB,KAAKgqB,gCAAgCF,EAAW,IAEpD9pB,KAAK4Z,SAAU,EACf5Z,KAAKiqB,kBAAkB5e,SAASuT,GAAYA,EAAQ6B,YAEhE,CACI,OAAAA,GACIzgB,KAAK2pB,oBAAoBte,SAAS6e,GAAaA,EAASzJ,YACxDzgB,KAAK4pB,qBAAqBve,SAAS6e,GAAaA,EAASzJ,WACjE,CACI,IAAApf,GACQrB,KAAK4Z,UACL5Z,KAAK4Z,SAAU,EACf5Z,KAAKmqB,uBACLnqB,KAAKoqB,wBACLpqB,KAAKqqB,yBAEjB,CACI,qBAAAD,GACQpqB,KAAK2pB,oBAAoBzQ,KAAO,IAChClZ,KAAK2pB,oBAAoBte,SAAS6e,GAAaA,EAAS7oB,SACxDrB,KAAK2pB,oBAAoBxC,QAErC,CACI,sBAAAkD,GACQrqB,KAAK4pB,qBAAqB1Q,KAAO,IACjClZ,KAAK4pB,qBAAqBve,SAAS6e,GAAaA,EAAS7oB,SACzDrB,KAAK4pB,qBAAqBzC,QAEtC,CACI,eAAA5D,CAAgBlZ,EAAS+Y,GAAW0G,WAAEA,IAClC,MAAMQ,EAAStqB,KAAKuqB,UAAUlgB,EAASyf,GACnCQ,GACAtqB,KAAKwqB,cAAcF,EAAQjgB,EAASyf,EAEhD,CACI,iBAAArG,CAAkBpZ,EAAS+Y,GAAW0G,WAAEA,IACpC,MAAMQ,EAAStqB,KAAKyqB,iBAAiBpgB,EAASyf,GAC1CQ,GACAtqB,KAAK0qB,iBAAiBJ,EAAQjgB,EAASyf,EAEnD,CACI,oBAAAxG,CAAqBjZ,GAASyf,WAAEA,IAC5B,MAAMzH,EAAWriB,KAAKqiB,SAASyH,GACzBa,EAAY3qB,KAAK2qB,UAAUtgB,EAASyf,GACpCc,EAAsBvgB,EAAQmS,QAAQ,IAAIxc,KAAKgc,OAAO6O,wBAAwBf,MACpF,QAAIzH,IACOsI,GAAaC,GAAuBvgB,EAAQmS,QAAQ6F,GAKvE,CACI,uBAAAC,CAAwBwI,EAAU/X,GAC9B,MAAM+W,EAAa9pB,KAAK+qB,qCAAqChY,GACzD+W,GACA9pB,KAAKgrB,gCAAgClB,EAEjD,CACI,4BAAAtH,CAA6BsI,EAAU/X,GACnC,MAAM+W,EAAa9pB,KAAK+qB,qCAAqChY,GACzD+W,GACA9pB,KAAKgrB,gCAAgClB,EAEjD,CACI,yBAAAvH,CAA0BuI,EAAU/X,GAChC,MAAM+W,EAAa9pB,KAAK+qB,qCAAqChY,GACzD+W,GACA9pB,KAAKgrB,gCAAgClB,EAEjD,CACI,aAAAU,CAAcF,EAAQjgB,EAASyf,GAC3B,IAAIlB,EACC5oB,KAAK0pB,qBAAqB7V,IAAIiW,EAAYzf,KAC3CrK,KAAKypB,cAActgB,IAAI2gB,EAAYQ,GACnCtqB,KAAK0pB,qBAAqBvgB,IAAI2gB,EAAYzf,GACU,QAAnDue,EAAK5oB,KAAK2pB,oBAAoB7T,IAAIgU,UAAgC,IAAPlB,GAAyBA,EAAGlI,OAAM,IAAM1gB,KAAK+f,SAASkL,gBAAgBX,EAAQjgB,EAASyf,KAE/J,CACI,gBAAAY,CAAiBJ,EAAQjgB,EAASyf,GAC9B,IAAIlB,EACA5oB,KAAK0pB,qBAAqB7V,IAAIiW,EAAYzf,KAC1CrK,KAAKypB,cAAczV,OAAO8V,EAAYQ,GACtCtqB,KAAK0pB,qBAAqB1V,OAAO8V,EAAYzf,GAEnB,QADzBue,EAAK5oB,KAAK2pB,oBACN7T,IAAIgU,UAAgC,IAAPlB,GAAyBA,EAAGlI,OAAM,IAAM1gB,KAAK+f,SAASmL,mBAAmBZ,EAAQjgB,EAASyf,KAExI,CACI,oBAAAK,GACI,IAAK,MAAML,KAAc9pB,KAAK0pB,qBAAqB5O,KAC/C,IAAK,MAAMzQ,KAAWrK,KAAK0pB,qBAAqB1G,gBAAgB8G,GAC5D,IAAK,MAAMQ,KAAUtqB,KAAKypB,cAAczG,gBAAgB8G,GACpD9pB,KAAK0qB,iBAAiBJ,EAAQjgB,EAASyf,EAI3D,CACI,+BAAAkB,CAAgClB,GAC5B,MAAMI,EAAWlqB,KAAK2pB,oBAAoB7T,IAAIgU,GAC1CI,IACAA,EAAS7H,SAAWriB,KAAKqiB,SAASyH,GAE9C,CACI,8BAAAC,CAA+BD,GAC3B,MAAMzH,EAAWriB,KAAKqiB,SAASyH,GACzBqB,EAAmB,IAAIhI,EAAiBvgB,SAASuU,KAAMkL,EAAUriB,KAAM,CAAE8pB,eAC/E9pB,KAAK2pB,oBAAoBne,IAAIse,EAAYqB,GACzCA,EAAiBrqB,OACzB,CACI,+BAAAkpB,CAAgCF,GAC5B,MAAM/W,EAAgB/S,KAAKorB,2BAA2BtB,GAChDpF,EAAoB,IAAIvC,EAAkBniB,KAAK4f,MAAMvV,QAAS0I,EAAe/S,MACnFA,KAAK4pB,qBAAqBpe,IAAIse,EAAYpF,GAC1CA,EAAkB5jB,OAC1B,CACI,QAAAuhB,CAASyH,GACL,OAAO9pB,KAAK4f,MAAMyL,QAAQC,yBAAyBxB,EAC3D,CACI,0BAAAsB,CAA2BtB,GACvB,OAAO9pB,KAAK4f,MAAM5D,OAAOuP,wBAAwBvrB,KAAKuG,WAAYujB,EAC1E,CACI,oCAAAiB,CAAqChY,GACjC,OAAO/S,KAAK6pB,kBAAkB2B,MAAM1B,GAAe9pB,KAAKorB,2BAA2BtB,KAAgB/W,GAC3G,CACI,sBAAI0Y,GACA,MAAMC,EAAe,IAAIjJ,EAMzB,OALAziB,KAAK2rB,OAAOC,QAAQvgB,SAASwgB,IAET9C,EADI8C,EAAOxC,WAAWyC,sBACwB,WACtDzgB,SAASif,GAAWoB,EAAaviB,IAAImhB,EAAQuB,EAAOtlB,aAAY,IAErEmlB,CACf,CACI,qBAAI7B,GACA,OAAO7pB,KAAKyrB,mBAAmBxI,gBAAgBjjB,KAAKuG,WAC5D,CACI,kCAAIwlB,GACA,OAAO/rB,KAAKyrB,mBAAmBzI,gBAAgBhjB,KAAKuG,WAC5D,CACI,qBAAI0jB,GACA,MAAM+B,EAAchsB,KAAK+rB,+BACzB,OAAO/rB,KAAK2rB,OAAOM,SAAS1jB,QAAQqW,GAAYoN,EAAYtP,SAASkC,EAAQrY,aACrF,CACI,SAAAokB,CAAUtgB,EAASyf,GACf,QAAS9pB,KAAKuqB,UAAUlgB,EAASyf,MAAiB9pB,KAAKyqB,iBAAiBpgB,EAASyf,EACzF,CACI,SAAAS,CAAUlgB,EAASyf,GACf,OAAO9pB,KAAK0Z,YAAYwS,qCAAqC7hB,EAASyf,EAC9E,CACI,gBAAAW,CAAiBpgB,EAASyf,GACtB,OAAO9pB,KAAKypB,cAAczG,gBAAgB8G,GAAY0B,MAAMlB,GAAWA,EAAOjgB,UAAYA,GAClG,CACI,SAAIuV,GACA,OAAO5f,KAAK4e,QAAQgB,KAC5B,CACI,UAAI5D,GACA,OAAOhc,KAAK4e,QAAQ5C,MAC5B,CACI,cAAIzV,GACA,OAAOvG,KAAK4e,QAAQrY,UAC5B,CACI,eAAImT,GACA,OAAO1Z,KAAK4e,QAAQlF,WAC5B,CACI,UAAIiS,GACA,OAAO3rB,KAAK0Z,YAAYiS,MAChC,EAGA,MAAMQ,EACF,WAAA1rB,CAAYorB,EAAQjM,GAChB5f,KAAKuf,iBAAmB,CAAC6M,EAAc9R,EAAS,CAAA,KAC5C,MAAM/T,WAAEA,EAAU4Y,WAAEA,EAAU9U,QAAEA,GAAYrK,KAC5Csa,EAASnP,OAAOqD,OAAO,CAAEjI,aAAY4Y,aAAY9U,WAAWiQ,GAC5Dta,KAAK0Z,YAAY6F,iBAAiBvf,KAAKuG,WAAY6lB,EAAc9R,EAAO,EAE5Eta,KAAK6rB,OAASA,EACd7rB,KAAK4f,MAAQA,EACb5f,KAAKmf,WAAa,IAAI0M,EAAOC,sBAAsB9rB,MACnDA,KAAKqsB,gBAAkB,IAAIzF,EAAgB5mB,KAAMA,KAAKssB,YACtDtsB,KAAKusB,cAAgB,IAAInF,EAAcpnB,KAAMA,KAAKmf,YAClDnf,KAAKwsB,eAAiB,IAAIjE,EAAevoB,KAAMA,MAC/CA,KAAKysB,eAAiB,IAAIjD,EAAexpB,KAAMA,MAC/C,IACIA,KAAKmf,WAAWuN,aAChB1sB,KAAKuf,iBAAiB,aAClC,CACQ,MAAOla,GACHrF,KAAKqa,YAAYhV,EAAO,0BACpC,CACA,CACI,OAAA4E,GACIjK,KAAKqsB,gBAAgBvrB,QACrBd,KAAKusB,cAAczrB,QACnBd,KAAKwsB,eAAe1rB,QACpBd,KAAKysB,eAAe3rB,QACpB,IACId,KAAKmf,WAAWlV,UAChBjK,KAAKuf,iBAAiB,UAClC,CACQ,MAAOla,GACHrF,KAAKqa,YAAYhV,EAAO,wBACpC,CACA,CACI,OAAAob,GACIzgB,KAAKysB,eAAehM,SAC5B,CACI,UAAAvd,GACI,IACIlD,KAAKmf,WAAWjc,aAChBlD,KAAKuf,iBAAiB,aAClC,CACQ,MAAOla,GACHrF,KAAKqa,YAAYhV,EAAO,2BACpC,CACQrF,KAAKysB,eAAeprB,OACpBrB,KAAKwsB,eAAenrB,OACpBrB,KAAKusB,cAAclrB,OACnBrB,KAAKqsB,gBAAgBhrB,MAC7B,CACI,eAAIqY,GACA,OAAO1Z,KAAK6rB,OAAOnS,WAC3B,CACI,cAAInT,GACA,OAAOvG,KAAK6rB,OAAOtlB,UAC3B,CACI,UAAIyV,GACA,OAAOhc,KAAK0Z,YAAYsC,MAChC,CACI,cAAIsQ,GACA,OAAOtsB,KAAK0Z,YAAY4S,UAChC,CACI,WAAIjiB,GACA,OAAOrK,KAAK4f,MAAMvV,OAC1B,CACI,iBAAIwF,GACA,OAAO7P,KAAKqK,QAAQwF,aAC5B,CACI,WAAAwK,CAAYhV,EAAOgB,EAASiU,EAAS,CAAA,GACjC,MAAM/T,WAAEA,EAAU4Y,WAAEA,EAAU9U,QAAEA,GAAYrK,KAC5Csa,EAASnP,OAAOqD,OAAO,CAAEjI,aAAY4Y,aAAY9U,WAAWiQ,GAC5Dta,KAAK0Z,YAAYW,YAAYhV,EAAO,SAASgB,IAAWiU,EAChE,CACI,eAAAuO,CAAgBxe,EAASD,GACrBpK,KAAK2sB,uBAAuB,GAAGviB,mBAAuBC,EAC9D,CACI,kBAAAye,CAAmBze,EAASD,GACxBpK,KAAK2sB,uBAAuB,GAAGviB,sBAA0BC,EACjE,CACI,eAAA4gB,CAAgBX,EAAQjgB,EAASD,GAC7BpK,KAAK2sB,uBAAuB,GAAG/Q,EAAkBxR,oBAAwBkgB,EAAQjgB,EACzF,CACI,kBAAA6gB,CAAmBZ,EAAQjgB,EAASD,GAChCpK,KAAK2sB,uBAAuB,GAAG/Q,EAAkBxR,uBAA2BkgB,EAAQjgB,EAC5F,CACI,sBAAAsiB,CAAuBxQ,KAAe3S,GAClC,MAAM2V,EAAanf,KAAKmf,WACa,mBAA1BA,EAAWhD,IAClBgD,EAAWhD,MAAe3S,EAEtC,EAGA,SAASojB,EAAMnsB,GACX,OAEJ,SAAgBA,EAAa+G,GACzB,MAAMqlB,EAAoBllB,EAAOlH,GAC3BqsB,EAeV,SAA6B1mB,EAAWoB,GACpC,OAAOulB,EAAWvlB,GAAYuS,QAAO,CAAC+S,EAAkBrlB,KACpD,MAAMsU,EAOd,SAA+B3V,EAAWoB,EAAYC,GAClD,MAAMulB,EAAsB7hB,OAAO8hB,yBAAyB7mB,EAAWqB,GAEvE,IADwBulB,KAAuB,UAAWA,GACpC,CAClB,MAAMjR,EAAa5Q,OAAO8hB,yBAAyBzlB,EAAYC,GAAKC,MAKpE,OAJIslB,IACAjR,EAAWjG,IAAMkX,EAAoBlX,KAAOiG,EAAWjG,IACvDiG,EAAWvQ,IAAMwhB,EAAoBxhB,KAAOuQ,EAAWvQ,KAEpDuQ,CACf,CACA,CAlB2BmR,CAAsB9mB,EAAWoB,EAAYC,GAIhE,OAHIsU,GACA5Q,OAAOqD,OAAOse,EAAkB,CAAErlB,CAACA,GAAMsU,IAEtC+Q,CAAgB,GACxB,GACP,CAvB6BK,CAAoB1sB,EAAY2F,UAAWoB,GAEpE,OADA2D,OAAOiiB,iBAAiBP,EAAkBzmB,UAAW0mB,GAC9CD,CACX,CAPWQ,CAAO5sB,EAQlB,SAA8BA,GAC1B,MAAM6sB,EAAYvE,EAAiCtoB,EAAa,aAChE,OAAO6sB,EAAUvT,QAAO,CAACwT,EAAmBC,KACxC,MAAMhmB,EAAagmB,EAAS/sB,GAC5B,IAAK,MAAMgH,KAAOD,EAAY,CAC1B,MAAMuU,EAAawR,EAAkB9lB,IAAQ,CAAE,EAC/C8lB,EAAkB9lB,GAAO0D,OAAOqD,OAAOuN,EAAYvU,EAAWC,GAC1E,CACQ,OAAO8lB,CAAiB,GACzB,GACP,CAlB+BE,CAAqBhtB,GACpD,CAuCA,MAAMssB,EACyC,mBAAhC5hB,OAAOuiB,sBACNnmB,GAAW,IAAI4D,OAAOwiB,oBAAoBpmB,MAAY4D,OAAOuiB,sBAAsBnmB,IAGpF4D,OAAOwiB,oBAGhBhmB,EAAS,MACX,SAASimB,EAAkBntB,GACvB,SAASotB,IACL,OAAOC,QAAQC,UAAUttB,EAAawX,qBAClD,CAKQ,OAJA4V,EAASznB,UAAY+E,OAAOnC,OAAOvI,EAAY2F,UAAW,CACtD3F,YAAa,CAAEiH,MAAOmmB,KAE1BC,QAAQE,eAAeH,EAAUptB,GAC1BotB,CACf,CASI,IAEI,OAVJ,WACI,MAGMI,EAAIL,GAHA,WACN5tB,KAAK4J,EAAEhE,KAAK5F,KACf,IAEDiuB,EAAE7nB,UAAUwD,EAAI,WAAe,EACxB,IAAIqkB,CACnB,CAEQC,GACON,CACf,CACI,MAAOvoB,GACH,OAAQ5E,GAAgB,cAAuBA,GAEvD,CACC,EA3Bc,GAoCf,MAAM0tB,EACF,WAAA1tB,CAAYiZ,EAAa2P,GACrBrpB,KAAK0Z,YAAcA,EACnB1Z,KAAKqpB,WAVb,SAAyBA,GACrB,MAAO,CACH9iB,WAAY8iB,EAAW9iB,WACvBulB,sBAAuBc,EAAMvD,EAAWyC,uBAEhD,CAK0BsC,CAAgB/E,GAClCrpB,KAAKquB,gBAAkB,IAAInI,QAC3BlmB,KAAKsuB,kBAAoB,IAAI5hB,GACrC,CACI,cAAInG,GACA,OAAOvG,KAAKqpB,WAAW9iB,UAC/B,CACI,yBAAIulB,GACA,OAAO9rB,KAAKqpB,WAAWyC,qBAC/B,CACI,YAAIG,GACA,OAAO/T,MAAM3H,KAAKvQ,KAAKsuB,kBAC/B,CACI,sBAAAC,CAAuB3O,GACnB,MAAMhB,EAAU5e,KAAKwuB,qBAAqB5O,GAC1C5f,KAAKsuB,kBAAkBnlB,IAAIyV,GAC3BA,EAAQ3U,SAChB,CACI,yBAAAwkB,CAA0B7O,GACtB,MAAMhB,EAAU5e,KAAKquB,gBAAgBvY,IAAI8J,GACrChB,IACA5e,KAAKsuB,kBAAkBta,OAAO4K,GAC9BA,EAAQ1b,aAEpB,CACI,oBAAAsrB,CAAqB5O,GACjB,IAAIhB,EAAU5e,KAAKquB,gBAAgBvY,IAAI8J,GAKvC,OAJKhB,IACDA,EAAU,IAAIuN,EAAQnsB,KAAM4f,GAC5B5f,KAAKquB,gBAAgB7iB,IAAIoU,EAAOhB,IAE7BA,CACf,EAGA,MAAM8P,EACF,WAAAjuB,CAAYmf,GACR5f,KAAK4f,MAAQA,CACrB,CACI,GAAA/L,CAAIzJ,GACA,OAAOpK,KAAKwE,KAAKqP,IAAI7T,KAAK2uB,WAAWvkB,GAC7C,CACI,GAAA0L,CAAI1L,GACA,OAAOpK,KAAK4uB,OAAOxkB,GAAM,EACjC,CACI,MAAAwkB,CAAOxkB,GACH,MAAMyb,EAAc7lB,KAAKwE,KAAKsR,IAAI9V,KAAK2uB,WAAWvkB,KAAU,GAC5D,OAAgByb,EAr8CP9O,MAAM,YAAc,EAs8CrC,CACI,gBAAA8X,CAAiBzkB,GACb,OAAOpK,KAAKwE,KAAKsqB,uBAAuB9uB,KAAK2uB,WAAWvkB,GAChE,CACI,UAAAukB,CAAWvkB,GACP,MAAO,GAAGA,SAClB,CACI,QAAI5F,GACA,OAAOxE,KAAK4f,MAAMpb,IAC1B,EAGA,MAAMuqB,GACF,WAAAtuB,CAAYmf,GACR5f,KAAK4f,MAAQA,CACrB,CACI,WAAIvV,GACA,OAAOrK,KAAK4f,MAAMvV,OAC1B,CACI,cAAI9D,GACA,OAAOvG,KAAK4f,MAAMrZ,UAC1B,CACI,GAAAuP,CAAIrO,GACA,MAAM2C,EAAOpK,KAAK8uB,uBAAuBrnB,GACzC,OAAOzH,KAAKqK,QAAQG,aAAaJ,EACzC,CACI,GAAAoB,CAAI/D,EAAKC,GACL,MAAM0C,EAAOpK,KAAK8uB,uBAAuBrnB,GAEzC,OADAzH,KAAKqK,QAAQ0G,aAAa3G,EAAM1C,GACzB1H,KAAK8V,IAAIrO,EACxB,CACI,GAAAoM,CAAIpM,GACA,MAAM2C,EAAOpK,KAAK8uB,uBAAuBrnB,GACzC,OAAOzH,KAAKqK,QAAQ6G,aAAa9G,EACzC,CACI,OAAO3C,GACH,GAAIzH,KAAK6T,IAAIpM,GAAM,CACf,MAAM2C,EAAOpK,KAAK8uB,uBAAuBrnB,GAEzC,OADAzH,KAAKqK,QAAQ8G,gBAAgB/G,IACtB,CACnB,CAEY,OAAO,CAEnB,CACI,sBAAA0kB,CAAuBrnB,GACnB,MAAO,QAAQzH,KAAKuG,cAx/CTmB,EAw/CiCD,EAv/CzCC,EAAMqC,QAAQ,YAAY,CAAC0R,EAAGC,IAAS,IAAIA,EAAK1V,oBAD3D,IAAmB0B,CAy/CnB,EAGA,MAAMsnB,GACF,WAAAvuB,CAAYf,GACRM,KAAKivB,mBAAqB,IAAI/I,QAC9BlmB,KAAKN,OAASA,CACtB,CACI,IAAAwvB,CAAK3nB,EAAQE,EAAKpB,GACd,IAAI8oB,EAAanvB,KAAKivB,mBAAmBnZ,IAAIvO,GACxC4nB,IACDA,EAAa,IAAIziB,IACjB1M,KAAKivB,mBAAmBzjB,IAAIjE,EAAQ4nB,IAEnCA,EAAWtb,IAAIpM,KAChB0nB,EAAWhmB,IAAI1B,GACfzH,KAAKN,OAAOwvB,KAAK7oB,EAASkB,GAEtC,EAGA,SAAS6nB,GAA4Brc,EAAeuJ,GAChD,MAAO,IAAIvJ,OAAmBuJ,KAClC,CAEA,MAAM+S,GACF,WAAA5uB,CAAYmf,GACR5f,KAAK4f,MAAQA,CACrB,CACI,WAAIvV,GACA,OAAOrK,KAAK4f,MAAMvV,OAC1B,CACI,cAAI9D,GACA,OAAOvG,KAAK4f,MAAMrZ,UAC1B,CACI,UAAIyV,GACA,OAAOhc,KAAK4f,MAAM5D,MAC1B,CACI,GAAAnI,CAAIyb,GACA,OAAgC,MAAzBtvB,KAAKwrB,KAAK8D,EACzB,CACI,IAAA9D,IAAQ+D,GACJ,OAAOA,EAAYxV,QAAO,CAACnC,EAAQ0X,IAAe1X,GAAU5X,KAAKwvB,WAAWF,IAAetvB,KAAKyvB,iBAAiBH,SAAa1vB,EACtI,CACI,OAAAyJ,IAAWkmB,GACP,OAAOA,EAAYxV,QAAO,CAAC2V,EAASJ,IAAe,IAC5CI,KACA1vB,KAAK2vB,eAAeL,MACpBtvB,KAAK4vB,qBAAqBN,KAC9B,GACX,CACI,UAAAE,CAAWF,GACP,MAAMjN,EAAWriB,KAAK6vB,yBAAyBP,GAC/C,OAAOtvB,KAAK4f,MAAMkQ,YAAYzN,EACtC,CACI,cAAAsN,CAAeL,GACX,MAAMjN,EAAWriB,KAAK6vB,yBAAyBP,GAC/C,OAAOtvB,KAAK4f,MAAMmQ,gBAAgB1N,EAC1C,CACI,wBAAAwN,CAAyBP,GAErB,OAAOF,GADepvB,KAAKgc,OAAOgU,wBAAwBhwB,KAAKuG,YACb+oB,EAC1D,CACI,gBAAAG,CAAiBH,GACb,MAAMjN,EAAWriB,KAAKiwB,+BAA+BX,GACrD,OAAOtvB,KAAKkwB,UAAUlwB,KAAK4f,MAAMkQ,YAAYzN,GAAWiN,EAChE,CACI,oBAAAM,CAAqBN,GACjB,MAAMjN,EAAWriB,KAAKiwB,+BAA+BX,GACrD,OAAOtvB,KAAK4f,MAAMmQ,gBAAgB1N,GAAUxZ,KAAKwB,GAAYrK,KAAKkwB,UAAU7lB,EAASilB,IAC7F,CACI,8BAAAW,CAA+BX,GAC3B,MAAMa,EAAmB,GAAGnwB,KAAKuG,cAAc+oB,IAC/C,OAAOF,GAA4BpvB,KAAKgc,OAAOoU,gBAAiBD,EACxE,CACI,SAAAD,CAAU7lB,EAASilB,GACf,GAAIjlB,EAAS,CACT,MAAM9D,WAAEA,GAAevG,KACjB+S,EAAgB/S,KAAKgc,OAAOoU,gBAC5BC,EAAuBrwB,KAAKgc,OAAOgU,wBAAwBzpB,GACjEvG,KAAKswB,MAAMpB,KAAK7kB,EAAS,UAAUilB,IAAc,kBAAkBvc,MAAkBxM,KAAc+oB,WAAoBe,MAAyBf,WACrIvc,iFACvB,CACQ,OAAO1I,CACf,CACI,SAAIimB,GACA,OAAOtwB,KAAK4f,MAAM0Q,KAC1B,EAGA,MAAMC,GACF,WAAA9vB,CAAYmf,EAAO4Q,GACfxwB,KAAK4f,MAAQA,EACb5f,KAAKwwB,kBAAoBA,CACjC,CACI,WAAInmB,GACA,OAAOrK,KAAK4f,MAAMvV,OAC1B,CACI,cAAI9D,GACA,OAAOvG,KAAK4f,MAAMrZ,UAC1B,CACI,UAAIyV,GACA,OAAOhc,KAAK4f,MAAM5D,MAC1B,CACI,GAAAnI,CAAIiW,GACA,OAAgC,MAAzB9pB,KAAKwrB,KAAK1B,EACzB,CACI,IAAA0B,IAAQiF,GACJ,OAAOA,EAAY1W,QAAO,CAACuQ,EAAQR,IAAeQ,GAAUtqB,KAAK0wB,WAAW5G,SAAalqB,EACjG,CACI,OAAAyJ,IAAWonB,GACP,OAAOA,EAAY1W,QAAO,CAACsR,EAASvB,IAAe,IAAIuB,KAAYrrB,KAAK2wB,eAAe7G,KAAc,GAC7G,CACI,wBAAAwB,CAAyBxB,GACrB,MAAM/W,EAAgB/S,KAAKgc,OAAOuP,wBAAwBvrB,KAAKuG,WAAYujB,GAC3E,OAAO9pB,KAAKwwB,kBAAkBhmB,aAAauI,EACnD,CACI,UAAA2d,CAAW5G,GACP,MAAMzH,EAAWriB,KAAKsrB,yBAAyBxB,GAC/C,GAAIzH,EACA,OAAOriB,KAAK8vB,YAAYzN,EAAUyH,EAC9C,CACI,cAAA6G,CAAe7G,GACX,MAAMzH,EAAWriB,KAAKsrB,yBAAyBxB,GAC/C,OAAOzH,EAAWriB,KAAK+vB,gBAAgB1N,EAAUyH,GAAc,EACvE,CACI,WAAAgG,CAAYzN,EAAUyH,GAElB,OADiB9pB,KAAK4f,MAAMgR,cAAcvO,GAC1B9Z,QAAQ8B,GAAYrK,KAAK6wB,eAAexmB,EAASgY,EAAUyH,KAAa,EAChG,CACI,eAAAiG,CAAgB1N,EAAUyH,GAEtB,OADiB9pB,KAAK4f,MAAMgR,cAAcvO,GAC1B9Z,QAAQ8B,GAAYrK,KAAK6wB,eAAexmB,EAASgY,EAAUyH,IACnF,CACI,cAAA+G,CAAexmB,EAASgY,EAAUyH,GAC9B,MAAMe,EAAsBxgB,EAAQG,aAAaxK,KAAK4f,MAAM5D,OAAO6O,sBAAwB,GAC3F,OAAOxgB,EAAQmS,QAAQ6F,IAAawI,EAAoBlO,MAAM,KAAKD,SAASoN,EACpF,EAGA,MAAMgH,GACF,WAAArwB,CAAYub,EAAQ3R,EAAS9D,EAAY7G,GACrCM,KAAK0vB,QAAU,IAAIL,GAAUrvB,MAC7BA,KAAK+wB,QAAU,IAAIrC,EAAS1uB,MAC5BA,KAAKwE,KAAO,IAAIuqB,GAAQ/uB,MACxBA,KAAK6f,gBAAmBxV,GACbA,EAAQ2mB,QAAQhxB,KAAKixB,sBAAwBjxB,KAAKqK,QAE7DrK,KAAKgc,OAASA,EACdhc,KAAKqK,QAAUA,EACfrK,KAAKuG,WAAaA,EAClBvG,KAAKswB,MAAQ,IAAItB,GAAMtvB,GACvBM,KAAKqrB,QAAU,IAAIkF,GAAUvwB,KAAKkxB,cAAe7mB,EACzD,CACI,WAAAylB,CAAYzN,GACR,OAAOriB,KAAKqK,QAAQmS,QAAQ6F,GAAYriB,KAAKqK,QAAUrK,KAAK4wB,cAAcvO,GAAUmJ,KAAKxrB,KAAK6f,gBACtG,CACI,eAAAkQ,CAAgB1N,GACZ,MAAO,IACCriB,KAAKqK,QAAQmS,QAAQ6F,GAAY,CAACriB,KAAKqK,SAAW,MACnDrK,KAAK4wB,cAAcvO,GAAU9Z,OAAOvI,KAAK6f,iBAExD,CACI,aAAA+Q,CAAcvO,GACV,OAAOnK,MAAM3H,KAAKvQ,KAAKqK,QAAQgM,iBAAiBgM,GACxD,CACI,sBAAI4O,GACA,OAAO7B,GAA4BpvB,KAAKgc,OAAO6O,oBAAqB7qB,KAAKuG,WACjF,CACI,mBAAI4qB,GACA,OAAOnxB,KAAKqK,UAAYzH,SAASgU,eACzC,CACI,iBAAIsa,GACA,OAAOlxB,KAAKmxB,gBACNnxB,KACA,IAAI8wB,GAAM9wB,KAAKgc,OAAQpZ,SAASgU,gBAAiB5W,KAAKuG,WAAYvG,KAAKswB,MAAM5wB,OAC3F,EAGA,MAAM0xB,GACF,WAAA3wB,CAAY4J,EAAS2R,EAAQ+D,GACzB/f,KAAKqK,QAAUA,EACfrK,KAAKgc,OAASA,EACdhc,KAAK+f,SAAWA,EAChB/f,KAAK8mB,kBAAoB,IAAIf,EAAkB/lB,KAAKqK,QAASrK,KAAK6qB,oBAAqB7qB,MACvFA,KAAKqxB,4BAA8B,IAAInL,QACvClmB,KAAKsxB,qBAAuB,IAAIpL,OACxC,CACI,KAAAplB,GACId,KAAK8mB,kBAAkBhmB,OAC/B,CACI,IAAAO,GACIrB,KAAK8mB,kBAAkBzlB,MAC/B,CACI,uBAAIwpB,GACA,OAAO7qB,KAAKgc,OAAO6O,mBAC3B,CACI,kBAAAlE,CAAmBrK,GACf,MAAMjS,QAAEA,EAAS2M,QAASzQ,GAAe+V,EACzC,OAAOtc,KAAKuxB,kCAAkClnB,EAAS9D,EAC/D,CACI,iCAAAgrB,CAAkClnB,EAAS9D,GACvC,MAAMirB,EAAqBxxB,KAAKyxB,kCAAkCpnB,GAClE,IAAIuV,EAAQ4R,EAAmB1b,IAAIvP,GAKnC,OAJKqZ,IACDA,EAAQ5f,KAAK+f,SAAS2R,mCAAmCrnB,EAAS9D,GAClEirB,EAAmBhmB,IAAIjF,EAAYqZ,IAEhCA,CACf,CACI,mBAAA0G,CAAoBjc,EAAS3C,GACzB,MAAMiqB,GAAkB3xB,KAAKsxB,qBAAqBxb,IAAIpO,IAAU,GAAK,EACrE1H,KAAKsxB,qBAAqB9lB,IAAI9D,EAAOiqB,GACf,GAAlBA,GACA3xB,KAAK+f,SAAS6R,eAAelqB,EAEzC,CACI,qBAAA6e,CAAsBlc,EAAS3C,GAC3B,MAAMiqB,EAAiB3xB,KAAKsxB,qBAAqBxb,IAAIpO,GACjDiqB,IACA3xB,KAAKsxB,qBAAqB9lB,IAAI9D,EAAOiqB,EAAiB,GAChC,GAAlBA,GACA3xB,KAAK+f,SAAS8R,kBAAkBnqB,GAGhD,CACI,iCAAA+pB,CAAkCpnB,GAC9B,IAAImnB,EAAqBxxB,KAAKqxB,4BAA4Bvb,IAAIzL,GAK9D,OAJKmnB,IACDA,EAAqB,IAAIhe,IACzBxT,KAAKqxB,4BAA4B7lB,IAAInB,EAASmnB,IAE3CA,CACf,EAGA,MAAMM,GACF,WAAArxB,CAAYiZ,GACR1Z,KAAK0Z,YAAcA,EACnB1Z,KAAK+xB,cAAgB,IAAIX,GAAcpxB,KAAKqK,QAASrK,KAAKgc,OAAQhc,MAClEA,KAAKwxB,mBAAqB,IAAI/O,EAC9BziB,KAAKgyB,oBAAsB,IAAIxe,GACvC,CACI,WAAInJ,GACA,OAAOrK,KAAK0Z,YAAYrP,OAChC,CACI,UAAI2R,GACA,OAAOhc,KAAK0Z,YAAYsC,MAChC,CACI,UAAItc,GACA,OAAOM,KAAK0Z,YAAYha,MAChC,CACI,uBAAImrB,GACA,OAAO7qB,KAAKgc,OAAO6O,mBAC3B,CACI,WAAIe,GACA,OAAO1T,MAAM3H,KAAKvQ,KAAKgyB,oBAAoB/d,SACnD,CACI,YAAIgY,GACA,OAAOjsB,KAAK4rB,QAAQ7R,QAAO,CAACkS,EAAUJ,IAAWI,EAAShS,OAAO4R,EAAOI,WAAW,GAC3F,CACI,KAAAnrB,GACId,KAAK+xB,cAAcjxB,OAC3B,CACI,IAAAO,GACIrB,KAAK+xB,cAAc1wB,MAC3B,CACI,cAAA4wB,CAAe5I,GACXrpB,KAAKkyB,iBAAiB7I,EAAW9iB,YACjC,MAAMslB,EAAS,IAAIsC,EAAOnuB,KAAK0Z,YAAa2P,GAC5CrpB,KAAKmyB,cAActG,GACnB,MAAMuG,EAAY/I,EAAWyC,sBAAsBsG,UAC/CA,GACAA,EAAUxsB,KAAKyjB,EAAWyC,sBAAuBzC,EAAW9iB,WAAYvG,KAAK0Z,YAEzF,CACI,gBAAAwY,CAAiB3rB,GACb,MAAMslB,EAAS7rB,KAAKgyB,oBAAoBlc,IAAIvP,GACxCslB,GACA7rB,KAAKqyB,iBAAiBxG,EAElC,CACI,iCAAAyG,CAAkCjoB,EAAS9D,GACvC,MAAMslB,EAAS7rB,KAAKgyB,oBAAoBlc,IAAIvP,GAC5C,GAAIslB,EACA,OAAOA,EAAOI,SAAST,MAAM5M,GAAYA,EAAQvU,SAAWA,GAExE,CACI,4CAAAkoB,CAA6CloB,EAAS9D,GAClD,MAAMqZ,EAAQ5f,KAAK+xB,cAAcR,kCAAkClnB,EAAS9D,GACxEqZ,EACA5f,KAAK+xB,cAAczL,oBAAoB1G,EAAMvV,QAASuV,GAGtDjgB,QAAQ0F,MAAM,kDAAkDkB,kBAA4B8D,EAExG,CACI,WAAAgQ,CAAYhV,EAAOgB,EAASiU,GACxBta,KAAK0Z,YAAYW,YAAYhV,EAAOgB,EAASiU,EACrD,CACI,kCAAAoX,CAAmCrnB,EAAS9D,GACxC,OAAO,IAAIuqB,GAAM9wB,KAAKgc,OAAQ3R,EAAS9D,EAAYvG,KAAKN,OAChE,CACI,cAAAkyB,CAAehS,GACX5f,KAAKwxB,mBAAmBroB,IAAIyW,EAAMrZ,WAAYqZ,GAC9C,MAAMiM,EAAS7rB,KAAKgyB,oBAAoBlc,IAAI8J,EAAMrZ,YAC9CslB,GACAA,EAAO0C,uBAAuB3O,EAE1C,CACI,iBAAAiS,CAAkBjS,GACd5f,KAAKwxB,mBAAmBxd,OAAO4L,EAAMrZ,WAAYqZ,GACjD,MAAMiM,EAAS7rB,KAAKgyB,oBAAoBlc,IAAI8J,EAAMrZ,YAC9CslB,GACAA,EAAO4C,0BAA0B7O,EAE7C,CACI,aAAAuS,CAActG,GACV7rB,KAAKgyB,oBAAoBxmB,IAAIqgB,EAAOtlB,WAAYslB,GACjC7rB,KAAKwxB,mBAAmBxO,gBAAgB6I,EAAOtlB,YACvD8E,SAASuU,GAAUiM,EAAO0C,uBAAuB3O,IAChE,CACI,gBAAAyS,CAAiBxG,GACb7rB,KAAKgyB,oBAAoBhe,OAAO6X,EAAOtlB,YACxBvG,KAAKwxB,mBAAmBxO,gBAAgB6I,EAAOtlB,YACvD8E,SAASuU,GAAUiM,EAAO4C,0BAA0B7O,IACnE,EAGA,MAAM4S,GAAgB,CAClB3H,oBAAqB,kBACrB9D,gBAAiB,cACjBqJ,gBAAiB,cACjBJ,wBAA0BzpB,GAAe,QAAQA,WACjDglB,wBAAyB,CAAChlB,EAAY+jB,IAAW,QAAQ/jB,KAAc+jB,WACvEnN,YAAahS,OAAOqD,OAAOrD,OAAOqD,OAAO,CAAEikB,MAAO,QAASC,IAAK,MAAOC,IAAK,SAAUC,MAAO,IAAKC,GAAI,UAAWC,KAAM,YAAa1Z,KAAM,YAAaC,MAAO,aAAc0Z,KAAM,OAAQC,IAAK,MAAOC,QAAS,SAAUC,UAAW,YAAcC,GAAkB,6BAA6BxW,MAAM,IAAI9T,KAAKuqB,GAAM,CAACA,EAAGA,OAAOD,GAAkB,aAAaxW,MAAM,IAAI9T,KAAKwqB,GAAM,CAACA,EAAGA,QAE7X,SAASF,GAAkBG,GACvB,OAAOA,EAAMvZ,QAAO,CAACwZ,GAAOC,EAAGC,KAAQtoB,OAAOqD,OAAOrD,OAAOqD,OAAO,CAAA,EAAI+kB,GAAO,CAAEC,CAACA,GAAIC,KAAO,GAChG,CAEA,MAAMC,GACF,WAAAjzB,CAAY4J,EAAUzH,SAASgU,gBAAiBoF,EAASwW,IACrDxyB,KAAKN,OAASC,QACdK,KAAK2zB,OAAQ,EACb3zB,KAAKuf,iBAAmB,CAAChZ,EAAY6lB,EAAc9R,EAAS,CAAA,KACpDta,KAAK2zB,OACL3zB,KAAK4zB,oBAAoBrtB,EAAY6lB,EAAc9R,EACnE,EAEQta,KAAKqK,QAAUA,EACfrK,KAAKgc,OAASA,EACdhc,KAAKssB,WAAa,IAAI7S,EAAWzZ,MACjCA,KAAK2rB,OAAS,IAAImG,GAAO9xB,MACzBA,KAAKof,wBAA0BjU,OAAOqD,OAAO,CAAA,EAAIwM,EACzD,CACI,YAAOla,CAAMuJ,EAAS2R,GAClB,MAAMtC,EAAc,IAAI1Z,KAAKqK,EAAS2R,GAEtC,OADAtC,EAAY5Y,QACL4Y,CACf,CACI,WAAM5Y,SAmDC,IAAIuN,SAASkG,IACW,WAAvB3R,SAASmD,WACTnD,SAASzB,iBAAiB,oBAAoB,IAAMoT,MAGpDA,GACZ,IAvDQvU,KAAKuf,iBAAiB,cAAe,YACrCvf,KAAKssB,WAAWxrB,QAChBd,KAAK2rB,OAAO7qB,QACZd,KAAKuf,iBAAiB,cAAe,QAC7C,CACI,IAAAle,GACIrB,KAAKuf,iBAAiB,cAAe,YACrCvf,KAAKssB,WAAWjrB,OAChBrB,KAAK2rB,OAAOtqB,OACZrB,KAAKuf,iBAAiB,cAAe,OAC7C,CACI,QAAAsU,CAASttB,EAAYulB,GACjB9rB,KAAK8zB,KAAK,CAAEvtB,aAAYulB,yBAChC,CACI,oBAAAiI,CAAqB3pB,EAAM7B,GACvBvI,KAAKof,wBAAwBhV,GAAQ7B,CAC7C,CACI,IAAAurB,CAAKxpB,KAAS0pB,IACU9b,MAAMoR,QAAQhf,GAAQA,EAAO,CAACA,KAAS0pB,IAC/C3oB,SAASge,IACbA,EAAWyC,sBAAsBmI,YACjCj0B,KAAK2rB,OAAOsG,eAAe5I,EAC3C,GAEA,CACI,MAAA6K,CAAO5pB,KAAS0pB,IACQ9b,MAAMoR,QAAQhf,GAAQA,EAAO,CAACA,KAAS0pB,IAC/C3oB,SAAS9E,GAAevG,KAAK2rB,OAAOuG,iBAAiB3rB,IACzE,CACI,eAAI4tB,GACA,OAAOn0B,KAAK2rB,OAAOM,SAASpjB,KAAK+V,GAAYA,EAAQO,YAC7D,CACI,oCAAA+M,CAAqC7hB,EAAS9D,GAC1C,MAAMqY,EAAU5e,KAAK2rB,OAAO2G,kCAAkCjoB,EAAS9D,GACvE,OAAOqY,EAAUA,EAAQO,WAAa,IAC9C,CACI,WAAA9E,CAAYhV,EAAOgB,EAASiU,GACxB,IAAIsO,EACJ5oB,KAAKN,OAAO2F,MAAM,iBAAkBgB,EAAShB,EAAOiV,GAC1B,QAAzBsO,EAAK5d,OAAOopB,eAA4B,IAAPxL,GAAyBA,EAAGhjB,KAAKoF,OAAQ3E,EAAS,GAAI,EAAG,EAAGhB,EACtG,CACI,mBAAAuuB,CAAoBrtB,EAAY6lB,EAAc9R,EAAS,CAAA,GACnDA,EAASnP,OAAOqD,OAAO,CAAEkL,YAAa1Z,MAAQsa,GAC9Cta,KAAKN,OAAO20B,eAAe,GAAG9tB,MAAe6lB,KAC7CpsB,KAAKN,OAAOI,IAAI,WAAYqL,OAAOqD,OAAO,CAAA,EAAI8L,IAC9Cta,KAAKN,OAAO40B,UACpB,ECvmEO,MAAMC,GACX,mBAAa1tB,CAAO2tB,GAClB,MAAM5xB,QAAiBgJ,IACvB,OAAO,IAAI2oB,GAAiB3xB,EAAU4xB,GAAa3tB,QACrD,CAEApG,WAAAA,CAAYmC,GAA6B,IAAnB4xB,EAAWvc,UAAAlU,OAAA,QAAAnE,IAAAqY,UAAA,GAAAA,UAAA,GAAG,IAClCjY,KAAK4C,SAAWA,EAChB5C,KAAKw0B,YAAcA,EACnBx0B,KAAK0Z,YAAc1O,OAAOypB,UAAYf,GAAY5yB,OACpD,CAEA,YAAM+F,GACJ/G,EAAI,kCAEJE,KAAK0Z,YAAYrY,aACXrB,MAAK00B,IACX10B,KAAK0Z,YAAY5Y,OACnB,CAEA,OAAM4zB,SACErmB,QAAQC,IACZtO,MAAK20B,EAAyB9rB,KAAI8C,SAAoB3L,MAAK40B,EAA0BC,KAEzF,CAEA,KAAIF,GACF,OAAOxpB,OAAO2P,KAAK9a,MAAK80B,GAAwBvsB,QAAOqC,GAAQA,EAAKmqB,SAAS,gBAAkB/0B,MAAKg1B,EAAwBpqB,IAC9H,CAEA,EAAAoqB,CAAwBpqB,GACtB,OAAO5K,KAAKw0B,YAAY7qB,KAAKiB,EAC/B,CAEA,KAAIkqB,GAEF,OADA90B,KAAKi1B,cAAgBj1B,KAAKi1B,eAAiBj1B,MAAKk1B,IACzCl1B,KAAKi1B,aACd,CAEA,EAAAC,GACE,MAAMC,EAAkBn1B,KAAK4C,SAAS2H,cAAc,0BACpD,OAAO7F,KAAKiC,MAAMwuB,EAAgB9oB,MAAM+oB,OAC1C,CAEA,OAAMR,CAA0BC,GAC9B/0B,EAAI,KAAK+0B,KAET,MAAMQ,EAAiBr1B,MAAKs1B,EAAuBT,GAC7CjqB,EAAOc,EAAe1L,MAAKu1B,EAAmBV,IAE9ChJ,QAAe2J,OAAO5qB,GAE5B5K,MAAKy1B,EAAoBJ,EAAgBxJ,EAC3C,CAEA,EAAA0J,CAAmBV,GACjB,OAAO70B,MAAK80B,EAAuBD,EACrC,CAEA,EAAAS,CAAuB1qB,GACrB,OAAOA,EACJb,QAAQ,QAAS,IACjBA,QAAQ,cAAe,IACvBA,QAAQ,MAAO,MACfA,QAAQ,KAAM,IACnB,CAEA,EAAA0rB,CAAoBrrB,EAAMyhB,GACxB7rB,KAAK0Z,YAAYwa,OAAO9pB,GACxBpK,KAAK0Z,YAAYma,SAASzpB,EAAMyhB,EAAO6J,QACzC,ECrEK,MAAMC,GACX,mBAAa9uB,GACX,OAAO,IAAI8uB,IAAe9uB,QAC5B,CAEA,YAAMA,GACJ,MAAM+uB,QAAyB51B,MAAK61B,UAC9B71B,MAAK81B,EAAgBF,EAC7B,CAEA,OAAMC,GACJ/1B,EAAI,kBAEJ,MAAM81B,QAAyBhqB,IAE/B,OADA5L,MAAK+1B,EAAYH,EAAiBze,MAC3Bye,CACT,CAEA,EAAAG,CAAYC,GACVxpB,EAAUiK,MAAM7T,SAASuU,KAAM6e,EACjC,CAEA,OAAMF,CAAgBF,GACpB,OAAO,IAAIrB,GAAiBqB,GAAkB/uB,QAChD,EC1BK,MAAMovB,GACX,mBAAapvB,GAAkB,IAAA,IAAAmR,EAAAC,UAAAlU,OAARsD,EAAM6Q,IAAAA,MAAAF,GAAAG,EAAA,EAAAA,EAAAH,EAAAG,IAAN9Q,EAAM8Q,GAAAF,UAAAE,GAC3B,OAAO,IAAI8d,MAAe5uB,GAAQR,QACpC,CAEApG,WAAAA,GAA+B,IAAnB+zB,EAAWvc,UAAAlU,OAAA,QAAAnE,IAAAqY,UAAA,GAAAA,UAAA,GAAG,IACxBjY,KAAKw0B,YAAcA,CACrB,CAEA,YAAM3tB,GACJ/G,EAAI,uBACEuO,QAAQC,UAAUtO,MAAKk2B,IAC/B,CAEA,OAAMA,GAEJ,aADuBl2B,MAAKm2B,KACZttB,KAAIutB,GAAQp2B,MAAKq2B,EAAoBD,IACvD,CAEA,OAAMD,GACJ,MAAMP,QAAyBhqB,IAC/B,OAAOsM,MAAM3H,KAAKqlB,EAAiBtrB,KAAK+L,iBAAiB,0BAC3D,CAEA,EAAAggB,CAAoBD,GAClB,OAAIp2B,MAAKs2B,EAAkBF,GAClBp2B,MAAKu2B,EAAYH,GAEjB/nB,QAAQkG,SAEnB,CAEA,EAAA+hB,CAAkBF,GAChB,OAAOp2B,KAAKw0B,YAAY7qB,KAAKysB,EAAK5rB,aAAa,QACjD,CAEA,OAAM+rB,CAAYH,GAChB,OAAO,IAAI/nB,SAAQkG,IACjB,MAAMzK,EAAOssB,EAAK5rB,aAAa,QACzBgsB,EAAUx2B,MAAKy2B,EAAqBL,IAASp2B,MAAK02B,EAAeN,GAEvEI,EAAQzlB,aAAa,OAAQrF,EAAe0qB,EAAK5rB,aAAa,UAC9DgsB,EAAQG,OAAS,KACf72B,EAAI,KAAKgK,KACTyK,GAAS,CACV,GAEL,CAEA,EAAAkiB,CAAqBL,GACnB,OAAOp2B,MAAK42B,EAAUpL,MAAKgL,GAAW7rB,EAAuByrB,EAAKtsB,QAAUa,EAAuB6rB,EAAQ1sB,OAC7G,CAEA,KAAI8sB,GACF,OAAO1e,MAAM3H,KAAK3N,SAASyT,iBAAiB,0BAC9C,CAEA,EAAAqgB,CAAeN,GAEb,OADAxzB,SAAS0H,KAAKkN,OAAO4e,GACdA,CACT,ECzDFlyB,EAASE,cAAc4E,OAAO,CAAEE,QAAS,2BAA6B,CACpE2tB,SAAAA,GACEj0B,SAASuU,KAAKpG,aAAa,2BAA4B,GACxD,EAED,cAAM+lB,CAASzwB,GACb,UACQrG,KAAK+2B,SAAS1wB,EACrB,CAAC,MAAMhB,GACN1F,QAAQG,IAAI,YAAYuG,EAAQwB,SAAUxC,EAC5C,CACD,EAED0xB,QAAAA,CAAQzrB,GAAmB,IAAlBzD,OAAEA,EAAM+C,KAAEA,GAAMU,EACvB,MAAM0rB,EPpBH,SAA2BpsB,GAChC,OAAOA,EAAK+R,MAAM,KAAK/M,MAAM+M,MAAM,KAAK,EAC1C,COkBqBsa,CAAkBrsB,GAEnC,OAAO/C,GACL,IAAK,cACH,OAAO7H,KAAK61B,aACd,IAAK,aACH,OAAO71B,KAAKk3B,UAAUF,GACxB,IAAK,kBACH,OAAOh3B,KAAK81B,eAAekB,GAC7B,QACE,MAAM,IAAI9qB,MAAM,mBAAmBrE,KAExC,EAEDguB,WAAUA,IACDF,GAAa9uB,SAGtBqwB,UAAUF,GACDf,GAAYpvB,OAAO,IAAI2W,OAAOwZ,IAGvClB,eAAekB,GACNzC,GAAiB1tB,OAAO,IAAI2W,OAAOwZ,MCxC9C,MAAMlf,GAAe,CACnBpB,OAAQ,CACNqB,gBAAgB,WAIpBnV,SAASzB,iBAAiB,oBAAoB,WRwBvC,IAAkCiJ,EQvBvC0N,GAAapB,OAAOqB,gBRuBmB3N,EQvBuB,URwBvDxH,SAAS2H,cAAc,4BAA4BH,QAAW4M,QQvBvE","x_google_ignoreList":[0,3,5]}
         | 
| @@ -0,0 +1,15 @@ | |
| 1 | 
            +
            /*
         | 
| 2 | 
            +
             * This is a manifest file that'll be compiled into application.css, which will include all the files
         | 
| 3 | 
            +
             * listed below.
         | 
| 4 | 
            +
             *
         | 
| 5 | 
            +
             * Any CSS and SCSS file within this directory, lib/assets/stylesheets, vendor/assets/stylesheets,
         | 
| 6 | 
            +
             * or any plugin's vendor/assets/stylesheets directory can be referenced here using a relative path.
         | 
| 7 | 
            +
             *
         | 
| 8 | 
            +
             * You're free to add application-wide styles to this file and they'll appear at the bottom of the
         | 
| 9 | 
            +
             * compiled file so the styles you add here take precedence over styles defined in any other CSS/SCSS
         | 
| 10 | 
            +
             * files in this directory. Styles in this file should be added after the last require_* statement.
         | 
| 11 | 
            +
             * It is generally better to create a new file per style scope.
         | 
| 12 | 
            +
             *
         | 
| 13 | 
            +
             *= require_tree .
         | 
| 14 | 
            +
             *= require_self
         | 
| 15 | 
            +
             */
         |