{
  "version": 3,
  "sources": ["../../../../node_modules/tabbable/src/index.js", "../../../../node_modules/focus-trap/index.js", "../../../../node_modules/focus-trap-react/dist/focus-trap-react.js", "../../startup/startup_public_page.ts", "../../../lib.web.auth/types.ts", "../../account/push_notifications.ts", "../../../lib.web.auth/authenticate.ts", "../../auth/authenticate.ts", "../../pages/public_page.tsx"],
  "sourcesContent": ["const candidateSelectors = [\n  'input',\n  'select',\n  'textarea',\n  'a[href]',\n  'button',\n  '[tabindex]:not(slot)',\n  'audio[controls]',\n  'video[controls]',\n  '[contenteditable]:not([contenteditable=\"false\"])',\n  'details>summary:first-of-type',\n  'details',\n];\nconst candidateSelector = /* #__PURE__ */ candidateSelectors.join(',');\n\nconst NoElement = typeof Element === 'undefined';\n\nconst matches = NoElement\n  ? function () {}\n  : Element.prototype.matches ||\n    Element.prototype.msMatchesSelector ||\n    Element.prototype.webkitMatchesSelector;\n\nconst getRootNode =\n  !NoElement && Element.prototype.getRootNode\n    ? (element) => element.getRootNode()\n    : (element) => element.ownerDocument;\n\n/**\n * @param {Element} el container to check in\n * @param {boolean} includeContainer add container to check\n * @param {(node: Element) => boolean} filter filter candidates\n * @returns {Element[]}\n */\nconst getCandidates = function (el, includeContainer, filter) {\n  let candidates = Array.prototype.slice.apply(\n    el.querySelectorAll(candidateSelector)\n  );\n  if (includeContainer && matches.call(el, candidateSelector)) {\n    candidates.unshift(el);\n  }\n  candidates = candidates.filter(filter);\n  return candidates;\n};\n\n/**\n * @callback GetShadowRoot\n * @param {Element} element to check for shadow root\n * @returns {ShadowRoot|boolean} ShadowRoot if available or boolean indicating if a shadowRoot is attached but not available.\n */\n\n/**\n * @callback ShadowRootFilter\n * @param {Element} shadowHostNode the element which contains shadow content\n * @returns {boolean} true if a shadow root could potentially contain valid candidates.\n */\n\n/**\n * @typedef {Object} CandidatesScope\n * @property {Element} scope contains inner candidates\n * @property {Element[]} candidates\n */\n\n/**\n * @typedef {Object} IterativeOptions\n * @property {GetShadowRoot|boolean} getShadowRoot true if shadow support is enabled; falsy if not;\n *  if a function, implies shadow support is enabled and either returns the shadow root of an element\n *  or a boolean stating if it has an undisclosed shadow root\n * @property {(node: Element) => boolean} filter filter candidates\n * @property {boolean} flatten if true then result will flatten any CandidatesScope into the returned list\n * @property {ShadowRootFilter} shadowRootFilter filter shadow roots;\n */\n\n/**\n * @param {Element[]} elements list of element containers to match candidates from\n * @param {boolean} includeContainer add container list to check\n * @param {IterativeOptions} options\n * @returns {Array.<Element|CandidatesScope>}\n */\nconst getCandidatesIteratively = function (\n  elements,\n  includeContainer,\n  options\n) {\n  const candidates = [];\n  const elementsToCheck = Array.from(elements);\n  while (elementsToCheck.length) {\n    const element = elementsToCheck.shift();\n    if (element.tagName === 'SLOT') {\n      // add shadow dom slot scope (slot itself cannot be focusable)\n      const assigned = element.assignedElements();\n      const content = assigned.length ? assigned : element.children;\n      const nestedCandidates = getCandidatesIteratively(content, true, options);\n      if (options.flatten) {\n        candidates.push(...nestedCandidates);\n      } else {\n        candidates.push({\n          scope: element,\n          candidates: nestedCandidates,\n        });\n      }\n    } else {\n      // check candidate element\n      const validCandidate = matches.call(element, candidateSelector);\n      if (\n        validCandidate &&\n        options.filter(element) &&\n        (includeContainer || !elements.includes(element))\n      ) {\n        candidates.push(element);\n      }\n\n      // iterate over shadow content if possible\n      const shadowRoot =\n        element.shadowRoot ||\n        // check for an undisclosed shadow\n        (typeof options.getShadowRoot === 'function' &&\n          options.getShadowRoot(element));\n\n      const validShadowRoot =\n        !options.shadowRootFilter || options.shadowRootFilter(element);\n\n      if (shadowRoot && validShadowRoot) {\n        // add shadow dom scope IIF a shadow root node was given; otherwise, an undisclosed\n        //  shadow exists, so look at light dom children as fallback BUT create a scope for any\n        //  child candidates found because they're likely slotted elements (elements that are\n        //  children of the web component element (which has the shadow), in the light dom, but\n        //  slotted somewhere _inside_ the undisclosed shadow) -- the scope is created below,\n        //  _after_ we return from this recursive call\n        const nestedCandidates = getCandidatesIteratively(\n          shadowRoot === true ? element.children : shadowRoot.children,\n          true,\n          options\n        );\n\n        if (options.flatten) {\n          candidates.push(...nestedCandidates);\n        } else {\n          candidates.push({\n            scope: element,\n            candidates: nestedCandidates,\n          });\n        }\n      } else {\n        // there's not shadow so just dig into the element's (light dom) children\n        //  __without__ giving the element special scope treatment\n        elementsToCheck.unshift(...element.children);\n      }\n    }\n  }\n  return candidates;\n};\n\nconst getTabindex = function (node, isScope) {\n  if (node.tabIndex < 0) {\n    // in Chrome, <details/>, <audio controls/> and <video controls/> elements get a default\n    // `tabIndex` of -1 when the 'tabindex' attribute isn't specified in the DOM,\n    // yet they are still part of the regular tab order; in FF, they get a default\n    // `tabIndex` of 0; since Chrome still puts those elements in the regular tab\n    // order, consider their tab index to be 0.\n    // Also browsers do not return `tabIndex` correctly for contentEditable nodes;\n    // so if they don't have a tabindex attribute specifically set, assume it's 0.\n    //\n    // isScope is positive for custom element with shadow root or slot that by default\n    // have tabIndex -1, but need to be sorted by document order in order for their\n    // content to be inserted in the correct position\n    if (\n      (isScope ||\n        /^(AUDIO|VIDEO|DETAILS)$/.test(node.tagName) ||\n        node.isContentEditable) &&\n      isNaN(parseInt(node.getAttribute('tabindex'), 10))\n    ) {\n      return 0;\n    }\n  }\n\n  return node.tabIndex;\n};\n\nconst sortOrderedTabbables = function (a, b) {\n  return a.tabIndex === b.tabIndex\n    ? a.documentOrder - b.documentOrder\n    : a.tabIndex - b.tabIndex;\n};\n\nconst isInput = function (node) {\n  return node.tagName === 'INPUT';\n};\n\nconst isHiddenInput = function (node) {\n  return isInput(node) && node.type === 'hidden';\n};\n\nconst isDetailsWithSummary = function (node) {\n  const r =\n    node.tagName === 'DETAILS' &&\n    Array.prototype.slice\n      .apply(node.children)\n      .some((child) => child.tagName === 'SUMMARY');\n  return r;\n};\n\nconst getCheckedRadio = function (nodes, form) {\n  for (let i = 0; i < nodes.length; i++) {\n    if (nodes[i].checked && nodes[i].form === form) {\n      return nodes[i];\n    }\n  }\n};\n\nconst isTabbableRadio = function (node) {\n  if (!node.name) {\n    return true;\n  }\n  const radioScope = node.form || getRootNode(node);\n  const queryRadios = function (name) {\n    return radioScope.querySelectorAll(\n      'input[type=\"radio\"][name=\"' + name + '\"]'\n    );\n  };\n\n  let radioSet;\n  if (\n    typeof window !== 'undefined' &&\n    typeof window.CSS !== 'undefined' &&\n    typeof window.CSS.escape === 'function'\n  ) {\n    radioSet = queryRadios(window.CSS.escape(node.name));\n  } else {\n    try {\n      radioSet = queryRadios(node.name);\n    } catch (err) {\n      // eslint-disable-next-line no-console\n      console.error(\n        'Looks like you have a radio button with a name attribute containing invalid CSS selector characters and need the CSS.escape polyfill: %s',\n        err.message\n      );\n      return false;\n    }\n  }\n\n  const checked = getCheckedRadio(radioSet, node.form);\n  return !checked || checked === node;\n};\n\nconst isRadio = function (node) {\n  return isInput(node) && node.type === 'radio';\n};\n\nconst isNonTabbableRadio = function (node) {\n  return isRadio(node) && !isTabbableRadio(node);\n};\n\nconst isZeroArea = function (node) {\n  const { width, height } = node.getBoundingClientRect();\n  return width === 0 && height === 0;\n};\nconst isHidden = function (node, { displayCheck, getShadowRoot }) {\n  // NOTE: visibility will be `undefined` if node is detached from the document\n  //  (see notes about this further down), which means we will consider it visible\n  //  (this is legacy behavior from a very long way back)\n  // NOTE: we check this regardless of `displayCheck=\"none\"` because this is a\n  //  _visibility_ check, not a _display_ check\n  if (getComputedStyle(node).visibility === 'hidden') {\n    return true;\n  }\n\n  const isDirectSummary = matches.call(node, 'details>summary:first-of-type');\n  const nodeUnderDetails = isDirectSummary ? node.parentElement : node;\n  if (matches.call(nodeUnderDetails, 'details:not([open]) *')) {\n    return true;\n  }\n\n  // The root node is the shadow root if the node is in a shadow DOM; some document otherwise\n  //  (but NOT _the_ document; see second 'If' comment below for more).\n  // If rootNode is shadow root, it'll have a host, which is the element to which the shadow\n  //  is attached, and the one we need to check if it's in the document or not (because the\n  //  shadow, and all nodes it contains, is never considered in the document since shadows\n  //  behave like self-contained DOMs; but if the shadow's HOST, which is part of the document,\n  //  is hidden, or is not in the document itself but is detached, it will affect the shadow's\n  //  visibility, including all the nodes it contains). The host could be any normal node,\n  //  or a custom element (i.e. web component). Either way, that's the one that is considered\n  //  part of the document, not the shadow root, nor any of its children (i.e. the node being\n  //  tested).\n  // If rootNode is not a shadow root, it won't have a host, and so rootNode should be the\n  //  document (per the docs) and while it's a Document-type object, that document does not\n  //  appear to be the same as the node's `ownerDocument` for some reason, so it's safer\n  //  to ignore the rootNode at this point, and use `node.ownerDocument`. Otherwise,\n  //  using `rootNode.contains(node)` will _always_ be true we'll get false-positives when\n  //  node is actually detached.\n  const nodeRootHost = getRootNode(node).host;\n  const nodeIsAttached =\n    nodeRootHost?.ownerDocument.contains(nodeRootHost) ||\n    node.ownerDocument.contains(node);\n\n  if (!displayCheck || displayCheck === 'full') {\n    if (typeof getShadowRoot === 'function') {\n      // figure out if we should consider the node to be in an undisclosed shadow and use the\n      //  'non-zero-area' fallback\n      const originalNode = node;\n      while (node) {\n        const parentElement = node.parentElement;\n        const rootNode = getRootNode(node);\n        if (\n          parentElement &&\n          !parentElement.shadowRoot &&\n          getShadowRoot(parentElement) === true // check if there's an undisclosed shadow\n        ) {\n          // node has an undisclosed shadow which means we can only treat it as a black box, so we\n          //  fall back to a non-zero-area test\n          return isZeroArea(node);\n        } else if (node.assignedSlot) {\n          // iterate up slot\n          node = node.assignedSlot;\n        } else if (!parentElement && rootNode !== node.ownerDocument) {\n          // cross shadow boundary\n          node = rootNode.host;\n        } else {\n          // iterate up normal dom\n          node = parentElement;\n        }\n      }\n\n      node = originalNode;\n    }\n    // else, `getShadowRoot` might be true, but all that does is enable shadow DOM support\n    //  (i.e. it does not also presume that all nodes might have undisclosed shadows); or\n    //  it might be a falsy value, which means shadow DOM support is disabled\n\n    // Since we didn't find it sitting in an undisclosed shadow (or shadows are disabled)\n    //  now we can just test to see if it would normally be visible or not, provided it's\n    //  attached to the main document.\n    // NOTE: We must consider case where node is inside a shadow DOM and given directly to\n    //  `isTabbable()` or `isFocusable()` -- regardless of `getShadowRoot` option setting.\n\n    if (nodeIsAttached) {\n      // this works wherever the node is: if there's at least one client rect, it's\n      //  somehow displayed; it also covers the CSS 'display: contents' case where the\n      //  node itself is hidden in place of its contents; and there's no need to search\n      //  up the hierarchy either\n      return !node.getClientRects().length;\n    }\n\n    // Else, the node isn't attached to the document, which means the `getClientRects()`\n    //  API will __always__ return zero rects (this can happen, for example, if React\n    //  is used to render nodes onto a detached tree, as confirmed in this thread:\n    //  https://github.com/facebook/react/issues/9117#issuecomment-284228870)\n    //\n    // It also means that even window.getComputedStyle(node).display will return `undefined`\n    //  because styles are only computed for nodes that are in the document.\n    //\n    // NOTE: THIS HAS BEEN THE CASE FOR YEARS. It is not new, nor is it caused by tabbable\n    //  somehow. Though it was never stated officially, anyone who has ever used tabbable\n    //  APIs on nodes in detached containers has actually implicitly used tabbable in what\n    //  was later (as of v5.2.0 on Apr 9, 2021) called `displayCheck=\"none\"` mode -- essentially\n    //  considering __everything__ to be visible because of the innability to determine styles.\n  } else if (displayCheck === 'non-zero-area') {\n    // NOTE: Even though this tests that the node's client rect is non-zero to determine\n    //  whether it's displayed, and that a detached node will __always__ have a zero-area\n    //  client rect, we don't special-case for whether the node is attached or not. In\n    //  this mode, we do want to consider nodes that have a zero area to be hidden at all\n    //  times, and that includes attached or not.\n    return isZeroArea(node);\n  }\n\n  // visible, as far as we can tell, or per current `displayCheck` mode\n  return false;\n};\n\n// form fields (nested) inside a disabled fieldset are not focusable/tabbable\n//  unless they are in the _first_ <legend> element of the top-most disabled\n//  fieldset\nconst isDisabledFromFieldset = function (node) {\n  if (/^(INPUT|BUTTON|SELECT|TEXTAREA)$/.test(node.tagName)) {\n    let parentNode = node.parentElement;\n    // check if `node` is contained in a disabled <fieldset>\n    while (parentNode) {\n      if (parentNode.tagName === 'FIELDSET' && parentNode.disabled) {\n        // look for the first <legend> among the children of the disabled <fieldset>\n        for (let i = 0; i < parentNode.children.length; i++) {\n          const child = parentNode.children.item(i);\n          // when the first <legend> (in document order) is found\n          if (child.tagName === 'LEGEND') {\n            // if its parent <fieldset> is not nested in another disabled <fieldset>,\n            // return whether `node` is a descendant of its first <legend>\n            return matches.call(parentNode, 'fieldset[disabled] *')\n              ? true\n              : !child.contains(node);\n          }\n        }\n        // the disabled <fieldset> containing `node` has no <legend>\n        return true;\n      }\n      parentNode = parentNode.parentElement;\n    }\n  }\n\n  // else, node's tabbable/focusable state should not be affected by a fieldset's\n  //  enabled/disabled state\n  return false;\n};\n\nconst isNodeMatchingSelectorFocusable = function (options, node) {\n  if (\n    node.disabled ||\n    isHiddenInput(node) ||\n    isHidden(node, options) ||\n    // For a details element with a summary, the summary element gets the focus\n    isDetailsWithSummary(node) ||\n    isDisabledFromFieldset(node)\n  ) {\n    return false;\n  }\n  return true;\n};\n\nconst isNodeMatchingSelectorTabbable = function (options, node) {\n  if (\n    isNonTabbableRadio(node) ||\n    getTabindex(node) < 0 ||\n    !isNodeMatchingSelectorFocusable(options, node)\n  ) {\n    return false;\n  }\n  return true;\n};\n\nconst isValidShadowRootTabbable = function (shadowHostNode) {\n  const tabIndex = parseInt(shadowHostNode.getAttribute('tabindex'), 10);\n  if (isNaN(tabIndex) || tabIndex >= 0) {\n    return true;\n  }\n  // If a custom element has an explicit negative tabindex,\n  // browsers will not allow tab targeting said element's children.\n  return false;\n};\n\n/**\n * @param {Array.<Element|CandidatesScope>} candidates\n * @returns Element[]\n */\nconst sortByOrder = function (candidates) {\n  const regularTabbables = [];\n  const orderedTabbables = [];\n  candidates.forEach(function (item, i) {\n    const isScope = !!item.scope;\n    const element = isScope ? item.scope : item;\n    const candidateTabindex = getTabindex(element, isScope);\n    const elements = isScope ? sortByOrder(item.candidates) : element;\n    if (candidateTabindex === 0) {\n      isScope\n        ? regularTabbables.push(...elements)\n        : regularTabbables.push(element);\n    } else {\n      orderedTabbables.push({\n        documentOrder: i,\n        tabIndex: candidateTabindex,\n        item: item,\n        isScope: isScope,\n        content: elements,\n      });\n    }\n  });\n\n  return orderedTabbables\n    .sort(sortOrderedTabbables)\n    .reduce((acc, sortable) => {\n      sortable.isScope\n        ? acc.push(...sortable.content)\n        : acc.push(sortable.content);\n      return acc;\n    }, [])\n    .concat(regularTabbables);\n};\n\nconst tabbable = function (el, options) {\n  options = options || {};\n\n  let candidates;\n  if (options.getShadowRoot) {\n    candidates = getCandidatesIteratively([el], options.includeContainer, {\n      filter: isNodeMatchingSelectorTabbable.bind(null, options),\n      flatten: false,\n      getShadowRoot: options.getShadowRoot,\n      shadowRootFilter: isValidShadowRootTabbable,\n    });\n  } else {\n    candidates = getCandidates(\n      el,\n      options.includeContainer,\n      isNodeMatchingSelectorTabbable.bind(null, options)\n    );\n  }\n  return sortByOrder(candidates);\n};\n\nconst focusable = function (el, options) {\n  options = options || {};\n\n  let candidates;\n  if (options.getShadowRoot) {\n    candidates = getCandidatesIteratively([el], options.includeContainer, {\n      filter: isNodeMatchingSelectorFocusable.bind(null, options),\n      flatten: true,\n      getShadowRoot: options.getShadowRoot,\n    });\n  } else {\n    candidates = getCandidates(\n      el,\n      options.includeContainer,\n      isNodeMatchingSelectorFocusable.bind(null, options)\n    );\n  }\n\n  return candidates;\n};\n\nconst isTabbable = function (node, options) {\n  options = options || {};\n  if (!node) {\n    throw new Error('No node provided');\n  }\n  if (matches.call(node, candidateSelector) === false) {\n    return false;\n  }\n  return isNodeMatchingSelectorTabbable(options, node);\n};\n\nconst focusableCandidateSelector = /* #__PURE__ */ candidateSelectors\n  .concat('iframe')\n  .join(',');\n\nconst isFocusable = function (node, options) {\n  options = options || {};\n  if (!node) {\n    throw new Error('No node provided');\n  }\n  if (matches.call(node, focusableCandidateSelector) === false) {\n    return false;\n  }\n  return isNodeMatchingSelectorFocusable(options, node);\n};\n\nexport { tabbable, focusable, isTabbable, isFocusable };\n", "import { tabbable, isFocusable, isTabbable } from 'tabbable';\n\nconst activeFocusTraps = (function () {\n  const trapQueue = [];\n  return {\n    activateTrap(trap) {\n      if (trapQueue.length > 0) {\n        const activeTrap = trapQueue[trapQueue.length - 1];\n        if (activeTrap !== trap) {\n          activeTrap.pause();\n        }\n      }\n\n      const trapIndex = trapQueue.indexOf(trap);\n      if (trapIndex === -1) {\n        trapQueue.push(trap);\n      } else {\n        // move this existing trap to the front of the queue\n        trapQueue.splice(trapIndex, 1);\n        trapQueue.push(trap);\n      }\n    },\n\n    deactivateTrap(trap) {\n      const trapIndex = trapQueue.indexOf(trap);\n      if (trapIndex !== -1) {\n        trapQueue.splice(trapIndex, 1);\n      }\n\n      if (trapQueue.length > 0) {\n        trapQueue[trapQueue.length - 1].unpause();\n      }\n    },\n  };\n})();\n\nconst isSelectableInput = function (node) {\n  return (\n    node.tagName &&\n    node.tagName.toLowerCase() === 'input' &&\n    typeof node.select === 'function'\n  );\n};\n\nconst isEscapeEvent = function (e) {\n  return e.key === 'Escape' || e.key === 'Esc' || e.keyCode === 27;\n};\n\nconst isTabEvent = function (e) {\n  return e.key === 'Tab' || e.keyCode === 9;\n};\n\nconst delay = function (fn) {\n  return setTimeout(fn, 0);\n};\n\n// Array.find/findIndex() are not supported on IE; this replicates enough\n//  of Array.findIndex() for our needs\nconst findIndex = function (arr, fn) {\n  let idx = -1;\n\n  arr.every(function (value, i) {\n    if (fn(value)) {\n      idx = i;\n      return false; // break\n    }\n\n    return true; // next\n  });\n\n  return idx;\n};\n\n/**\n * Get an option's value when it could be a plain value, or a handler that provides\n *  the value.\n * @param {*} value Option's value to check.\n * @param {...*} [params] Any parameters to pass to the handler, if `value` is a function.\n * @returns {*} The `value`, or the handler's returned value.\n */\nconst valueOrHandler = function (value, ...params) {\n  return typeof value === 'function' ? value(...params) : value;\n};\n\nconst getActualTarget = function (event) {\n  // NOTE: If the trap is _inside_ a shadow DOM, event.target will always be the\n  //  shadow host. However, event.target.composedPath() will be an array of\n  //  nodes \"clicked\" from inner-most (the actual element inside the shadow) to\n  //  outer-most (the host HTML document). If we have access to composedPath(),\n  //  then use its first element; otherwise, fall back to event.target (and\n  //  this only works for an _open_ shadow DOM; otherwise,\n  //  composedPath()[0] === event.target always).\n  return event.target.shadowRoot && typeof event.composedPath === 'function'\n    ? event.composedPath()[0]\n    : event.target;\n};\n\nconst createFocusTrap = function (elements, userOptions) {\n  // SSR: a live trap shouldn't be created in this type of environment so this\n  //  should be safe code to execute if the `document` option isn't specified\n  const doc = userOptions?.document || document;\n\n  const config = {\n    returnFocusOnDeactivate: true,\n    escapeDeactivates: true,\n    delayInitialFocus: true,\n    ...userOptions,\n  };\n\n  const state = {\n    // @type {Array<HTMLElement>}\n    containers: [],\n\n    // list of objects identifying the first and last tabbable nodes in all containers/groups in\n    //  the trap\n    // NOTE: it's possible that a group has no tabbable nodes if nodes get removed while the trap\n    //  is active, but the trap should never get to a state where there isn't at least one group\n    //  with at least one tabbable node in it (that would lead to an error condition that would\n    //  result in an error being thrown)\n    // @type {Array<{ container: HTMLElement, firstTabbableNode: HTMLElement|null, lastTabbableNode: HTMLElement|null }>}\n    tabbableGroups: [],\n\n    nodeFocusedBeforeActivation: null,\n    mostRecentlyFocusedNode: null,\n    active: false,\n    paused: false,\n\n    // timer ID for when delayInitialFocus is true and initial focus in this trap\n    //  has been delayed during activation\n    delayInitialFocusTimer: undefined,\n  };\n\n  let trap; // eslint-disable-line prefer-const -- some private functions reference it, and its methods reference private functions, so we must declare here and define later\n\n  const getOption = (configOverrideOptions, optionName, configOptionName) => {\n    return configOverrideOptions &&\n      configOverrideOptions[optionName] !== undefined\n      ? configOverrideOptions[optionName]\n      : config[configOptionName || optionName];\n  };\n\n  const containersContain = function (element) {\n    return !!(\n      element &&\n      state.containers.some((container) => container.contains(element))\n    );\n  };\n\n  /**\n   * Gets the node for the given option, which is expected to be an option that\n   *  can be either a DOM node, a string that is a selector to get a node, `false`\n   *  (if a node is explicitly NOT given), or a function that returns any of these\n   *  values.\n   * @param {string} optionName\n   * @returns {undefined | false | HTMLElement | SVGElement} Returns\n   *  `undefined` if the option is not specified; `false` if the option\n   *  resolved to `false` (node explicitly not given); otherwise, the resolved\n   *  DOM node.\n   * @throws {Error} If the option is set, not `false`, and is not, or does not\n   *  resolve to a node.\n   */\n  const getNodeForOption = function (optionName, ...params) {\n    let optionValue = config[optionName];\n\n    if (typeof optionValue === 'function') {\n      optionValue = optionValue(...params);\n    }\n\n    if (!optionValue) {\n      if (optionValue === undefined || optionValue === false) {\n        return optionValue;\n      }\n      // else, empty string (invalid), null (invalid), 0 (invalid)\n\n      throw new Error(\n        `\\`${optionName}\\` was specified but was not a node, or did not return a node`\n      );\n    }\n\n    let node = optionValue; // could be HTMLElement, SVGElement, or non-empty string at this point\n\n    if (typeof optionValue === 'string') {\n      node = doc.querySelector(optionValue); // resolve to node, or null if fails\n      if (!node) {\n        throw new Error(\n          `\\`${optionName}\\` as selector refers to no known node`\n        );\n      }\n    }\n\n    return node;\n  };\n\n  const getInitialFocusNode = function () {\n    let node = getNodeForOption('initialFocus');\n\n    // false explicitly indicates we want no initialFocus at all\n    if (node === false) {\n      return false;\n    }\n\n    if (node === undefined) {\n      // option not specified: use fallback options\n      if (containersContain(doc.activeElement)) {\n        node = doc.activeElement;\n      } else {\n        const firstTabbableGroup = state.tabbableGroups[0];\n        const firstTabbableNode =\n          firstTabbableGroup && firstTabbableGroup.firstTabbableNode;\n\n        // NOTE: `fallbackFocus` option function cannot return `false` (not supported)\n        node = firstTabbableNode || getNodeForOption('fallbackFocus');\n      }\n    }\n\n    if (!node) {\n      throw new Error(\n        'Your focus-trap needs to have at least one focusable element'\n      );\n    }\n\n    return node;\n  };\n\n  const updateTabbableNodes = function () {\n    state.tabbableGroups = state.containers\n      .map((container) => {\n        const tabbableNodes = tabbable(container);\n\n        if (tabbableNodes.length > 0) {\n          return {\n            container,\n            firstTabbableNode: tabbableNodes[0],\n            lastTabbableNode: tabbableNodes[tabbableNodes.length - 1],\n          };\n        }\n\n        return undefined;\n      })\n      .filter((group) => !!group); // remove groups with no tabbable nodes\n\n    // throw if no groups have tabbable nodes and we don't have a fallback focus node either\n    if (\n      state.tabbableGroups.length <= 0 &&\n      !getNodeForOption('fallbackFocus') // returning false not supported for this option\n    ) {\n      throw new Error(\n        'Your focus-trap must have at least one container with at least one tabbable node in it at all times'\n      );\n    }\n  };\n\n  const tryFocus = function (node) {\n    if (node === false) {\n      return;\n    }\n\n    if (node === doc.activeElement) {\n      return;\n    }\n\n    if (!node || !node.focus) {\n      tryFocus(getInitialFocusNode());\n      return;\n    }\n\n    node.focus({ preventScroll: !!config.preventScroll });\n    state.mostRecentlyFocusedNode = node;\n\n    if (isSelectableInput(node)) {\n      node.select();\n    }\n  };\n\n  const getReturnFocusNode = function (previousActiveElement) {\n    const node = getNodeForOption('setReturnFocus', previousActiveElement);\n    return node ? node : node === false ? false : previousActiveElement;\n  };\n\n  // This needs to be done on mousedown and touchstart instead of click\n  // so that it precedes the focus event.\n  const checkPointerDown = function (e) {\n    const target = getActualTarget(e);\n\n    if (containersContain(target)) {\n      // allow the click since it ocurred inside the trap\n      return;\n    }\n\n    if (valueOrHandler(config.clickOutsideDeactivates, e)) {\n      // immediately deactivate the trap\n      trap.deactivate({\n        // if, on deactivation, we should return focus to the node originally-focused\n        //  when the trap was activated (or the configured `setReturnFocus` node),\n        //  then assume it's also OK to return focus to the outside node that was\n        //  just clicked, causing deactivation, as long as that node is focusable;\n        //  if it isn't focusable, then return focus to the original node focused\n        //  on activation (or the configured `setReturnFocus` node)\n        // NOTE: by setting `returnFocus: false`, deactivate() will do nothing,\n        //  which will result in the outside click setting focus to the node\n        //  that was clicked, whether it's focusable or not; by setting\n        //  `returnFocus: true`, we'll attempt to re-focus the node originally-focused\n        //  on activation (or the configured `setReturnFocus` node)\n        returnFocus: config.returnFocusOnDeactivate && !isFocusable(target),\n      });\n      return;\n    }\n\n    // This is needed for mobile devices.\n    // (If we'll only let `click` events through,\n    // then on mobile they will be blocked anyways if `touchstart` is blocked.)\n    if (valueOrHandler(config.allowOutsideClick, e)) {\n      // allow the click outside the trap to take place\n      return;\n    }\n\n    // otherwise, prevent the click\n    e.preventDefault();\n  };\n\n  // In case focus escapes the trap for some strange reason, pull it back in.\n  const checkFocusIn = function (e) {\n    const target = getActualTarget(e);\n    const targetContained = containersContain(target);\n\n    // In Firefox when you Tab out of an iframe the Document is briefly focused.\n    if (targetContained || target instanceof Document) {\n      if (targetContained) {\n        state.mostRecentlyFocusedNode = target;\n      }\n    } else {\n      // escaped! pull it back in to where it just left\n      e.stopImmediatePropagation();\n      tryFocus(state.mostRecentlyFocusedNode || getInitialFocusNode());\n    }\n  };\n\n  // Hijack Tab events on the first and last focusable nodes of the trap,\n  // in order to prevent focus from escaping. If it escapes for even a\n  // moment it can end up scrolling the page and causing confusion so we\n  // kind of need to capture the action at the keydown phase.\n  const checkTab = function (e) {\n    const target = getActualTarget(e);\n    updateTabbableNodes();\n\n    let destinationNode = null;\n\n    if (state.tabbableGroups.length > 0) {\n      // make sure the target is actually contained in a group\n      // NOTE: the target may also be the container itself if it's focusable\n      //  with tabIndex='-1' and was given initial focus\n      const containerIndex = findIndex(state.tabbableGroups, ({ container }) =>\n        container.contains(target)\n      );\n\n      if (containerIndex < 0) {\n        // target not found in any group: quite possible focus has escaped the trap,\n        //  so bring it back in to...\n        if (e.shiftKey) {\n          // ...the last node in the last group\n          destinationNode =\n            state.tabbableGroups[state.tabbableGroups.length - 1]\n              .lastTabbableNode;\n        } else {\n          // ...the first node in the first group\n          destinationNode = state.tabbableGroups[0].firstTabbableNode;\n        }\n      } else if (e.shiftKey) {\n        // REVERSE\n\n        // is the target the first tabbable node in a group?\n        let startOfGroupIndex = findIndex(\n          state.tabbableGroups,\n          ({ firstTabbableNode }) => target === firstTabbableNode\n        );\n\n        if (\n          startOfGroupIndex < 0 &&\n          (state.tabbableGroups[containerIndex].container === target ||\n            (isFocusable(target) && !isTabbable(target)))\n        ) {\n          // an exception case where the target is either the container itself, or\n          //  a non-tabbable node that was given focus (i.e. tabindex is negative\n          //  and user clicked on it or node was programmatically given focus), in which\n          //  case, we should handle shift+tab as if focus were on the container's\n          //  first tabbable node, and go to the last tabbable node of the LAST group\n          startOfGroupIndex = containerIndex;\n        }\n\n        if (startOfGroupIndex >= 0) {\n          // YES: then shift+tab should go to the last tabbable node in the\n          //  previous group (and wrap around to the last tabbable node of\n          //  the LAST group if it's the first tabbable node of the FIRST group)\n          const destinationGroupIndex =\n            startOfGroupIndex === 0\n              ? state.tabbableGroups.length - 1\n              : startOfGroupIndex - 1;\n\n          const destinationGroup = state.tabbableGroups[destinationGroupIndex];\n          destinationNode = destinationGroup.lastTabbableNode;\n        }\n      } else {\n        // FORWARD\n\n        // is the target the last tabbable node in a group?\n        let lastOfGroupIndex = findIndex(\n          state.tabbableGroups,\n          ({ lastTabbableNode }) => target === lastTabbableNode\n        );\n\n        if (\n          lastOfGroupIndex < 0 &&\n          (state.tabbableGroups[containerIndex].container === target ||\n            (isFocusable(target) && !isTabbable(target)))\n        ) {\n          // an exception case where the target is the container itself, or\n          //  a non-tabbable node that was given focus (i.e. tabindex is negative\n          //  and user clicked on it or node was programmatically given focus), in which\n          //  case, we should handle tab as if focus were on the container's\n          //  last tabbable node, and go to the first tabbable node of the FIRST group\n          lastOfGroupIndex = containerIndex;\n        }\n\n        if (lastOfGroupIndex >= 0) {\n          // YES: then tab should go to the first tabbable node in the next\n          //  group (and wrap around to the first tabbable node of the FIRST\n          //  group if it's the last tabbable node of the LAST group)\n          const destinationGroupIndex =\n            lastOfGroupIndex === state.tabbableGroups.length - 1\n              ? 0\n              : lastOfGroupIndex + 1;\n\n          const destinationGroup = state.tabbableGroups[destinationGroupIndex];\n          destinationNode = destinationGroup.firstTabbableNode;\n        }\n      }\n    } else {\n      // NOTE: the fallbackFocus option does not support returning false to opt-out\n      destinationNode = getNodeForOption('fallbackFocus');\n    }\n\n    if (destinationNode) {\n      e.preventDefault();\n      tryFocus(destinationNode);\n    }\n    // else, let the browser take care of [shift+]tab and move the focus\n  };\n\n  const checkKey = function (e) {\n    if (\n      isEscapeEvent(e) &&\n      valueOrHandler(config.escapeDeactivates, e) !== false\n    ) {\n      e.preventDefault();\n      trap.deactivate();\n      return;\n    }\n\n    if (isTabEvent(e)) {\n      checkTab(e);\n      return;\n    }\n  };\n\n  const checkClick = function (e) {\n    if (valueOrHandler(config.clickOutsideDeactivates, e)) {\n      return;\n    }\n\n    const target = getActualTarget(e);\n\n    if (containersContain(target)) {\n      return;\n    }\n\n    if (valueOrHandler(config.allowOutsideClick, e)) {\n      return;\n    }\n\n    e.preventDefault();\n    e.stopImmediatePropagation();\n  };\n\n  //\n  // EVENT LISTENERS\n  //\n\n  const addListeners = function () {\n    if (!state.active) {\n      return;\n    }\n\n    // There can be only one listening focus trap at a time\n    activeFocusTraps.activateTrap(trap);\n\n    // Delay ensures that the focused element doesn't capture the event\n    // that caused the focus trap activation.\n    state.delayInitialFocusTimer = config.delayInitialFocus\n      ? delay(function () {\n          tryFocus(getInitialFocusNode());\n        })\n      : tryFocus(getInitialFocusNode());\n\n    doc.addEventListener('focusin', checkFocusIn, true);\n    doc.addEventListener('mousedown', checkPointerDown, {\n      capture: true,\n      passive: false,\n    });\n    doc.addEventListener('touchstart', checkPointerDown, {\n      capture: true,\n      passive: false,\n    });\n    doc.addEventListener('click', checkClick, {\n      capture: true,\n      passive: false,\n    });\n    doc.addEventListener('keydown', checkKey, {\n      capture: true,\n      passive: false,\n    });\n\n    return trap;\n  };\n\n  const removeListeners = function () {\n    if (!state.active) {\n      return;\n    }\n\n    doc.removeEventListener('focusin', checkFocusIn, true);\n    doc.removeEventListener('mousedown', checkPointerDown, true);\n    doc.removeEventListener('touchstart', checkPointerDown, true);\n    doc.removeEventListener('click', checkClick, true);\n    doc.removeEventListener('keydown', checkKey, true);\n\n    return trap;\n  };\n\n  //\n  // TRAP DEFINITION\n  //\n\n  trap = {\n    activate(activateOptions) {\n      if (state.active) {\n        return this;\n      }\n\n      const onActivate = getOption(activateOptions, 'onActivate');\n      const onPostActivate = getOption(activateOptions, 'onPostActivate');\n      const checkCanFocusTrap = getOption(activateOptions, 'checkCanFocusTrap');\n\n      if (!checkCanFocusTrap) {\n        updateTabbableNodes();\n      }\n\n      state.active = true;\n      state.paused = false;\n      state.nodeFocusedBeforeActivation = doc.activeElement;\n\n      if (onActivate) {\n        onActivate();\n      }\n\n      const finishActivation = () => {\n        if (checkCanFocusTrap) {\n          updateTabbableNodes();\n        }\n        addListeners();\n        if (onPostActivate) {\n          onPostActivate();\n        }\n      };\n\n      if (checkCanFocusTrap) {\n        checkCanFocusTrap(state.containers.concat()).then(\n          finishActivation,\n          finishActivation\n        );\n        return this;\n      }\n\n      finishActivation();\n      return this;\n    },\n\n    deactivate(deactivateOptions) {\n      if (!state.active) {\n        return this;\n      }\n\n      clearTimeout(state.delayInitialFocusTimer); // noop if undefined\n      state.delayInitialFocusTimer = undefined;\n\n      removeListeners();\n      state.active = false;\n      state.paused = false;\n\n      activeFocusTraps.deactivateTrap(trap);\n\n      const onDeactivate = getOption(deactivateOptions, 'onDeactivate');\n      const onPostDeactivate = getOption(deactivateOptions, 'onPostDeactivate');\n      const checkCanReturnFocus = getOption(\n        deactivateOptions,\n        'checkCanReturnFocus'\n      );\n\n      if (onDeactivate) {\n        onDeactivate();\n      }\n\n      const returnFocus = getOption(\n        deactivateOptions,\n        'returnFocus',\n        'returnFocusOnDeactivate'\n      );\n\n      const finishDeactivation = () => {\n        delay(() => {\n          if (returnFocus) {\n            tryFocus(getReturnFocusNode(state.nodeFocusedBeforeActivation));\n          }\n          if (onPostDeactivate) {\n            onPostDeactivate();\n          }\n        });\n      };\n\n      if (returnFocus && checkCanReturnFocus) {\n        checkCanReturnFocus(\n          getReturnFocusNode(state.nodeFocusedBeforeActivation)\n        ).then(finishDeactivation, finishDeactivation);\n        return this;\n      }\n\n      finishDeactivation();\n      return this;\n    },\n\n    pause() {\n      if (state.paused || !state.active) {\n        return this;\n      }\n\n      state.paused = true;\n      removeListeners();\n\n      return this;\n    },\n\n    unpause() {\n      if (!state.paused || !state.active) {\n        return this;\n      }\n\n      state.paused = false;\n      updateTabbableNodes();\n      addListeners();\n\n      return this;\n    },\n\n    updateContainerElements(containerElements) {\n      const elementsAsArray = [].concat(containerElements).filter(Boolean);\n\n      state.containers = elementsAsArray.map((element) =>\n        typeof element === 'string' ? doc.querySelector(element) : element\n      );\n\n      if (state.active) {\n        updateTabbableNodes();\n      }\n\n      return this;\n    },\n  };\n\n  // initialize container elements\n  trap.updateContainerElements(elements);\n\n  return trap;\n};\n\nexport { createFocusTrap };\n", "\"use strict\";\n\nfunction _typeof(obj) { \"@babel/helpers - typeof\"; return _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj && \"function\" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }, _typeof(obj); }\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\nfunction _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, \"prototype\", { writable: false }); return Constructor; }\n\nfunction _inherits(subClass, superClass) { if (typeof superClass !== \"function\" && superClass !== null) { throw new TypeError(\"Super expression must either be null or a function\"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); Object.defineProperty(subClass, \"prototype\", { writable: false }); if (superClass) _setPrototypeOf(subClass, superClass); }\n\nfunction _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }\n\nfunction _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\nfunction _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === \"object\" || typeof call === \"function\")) { return call; } else if (call !== void 0) { throw new TypeError(\"Derived constructors may only return object or undefined\"); } return _assertThisInitialized(self); }\n\nfunction _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\"); } return self; }\n\nfunction _isNativeReflectConstruct() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }\n\nfunction _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }\n\nvar React = require('react');\n\nvar ReactDOM = require('react-dom');\n\nvar PropTypes = require('prop-types');\n\nvar _require = require('focus-trap'),\n    createFocusTrap = _require.createFocusTrap; // TODO: These issues are related to older React features which we'll likely need\n//  to fix in order to move the code forward to the next major version of React.\n//  @see https://github.com/davidtheclark/focus-trap-react/issues/77\n\n/* eslint-disable react/no-find-dom-node */\n\n\nvar FocusTrap = /*#__PURE__*/function (_React$Component) {\n  _inherits(FocusTrap, _React$Component);\n\n  var _super = _createSuper(FocusTrap);\n\n  function FocusTrap(props) {\n    var _this;\n\n    _classCallCheck(this, FocusTrap);\n\n    _this = _super.call(this, props); // We need to hijack the returnFocusOnDeactivate option,\n    // because React can move focus into the element before we arrived at\n    // this lifecycle hook (e.g. with autoFocus inputs). So the component\n    // captures the previouslyFocusedElement in componentWillMount,\n    // then (optionally) returns focus to it in componentWillUnmount.\n\n    _this.tailoredFocusTrapOptions = {\n      returnFocusOnDeactivate: false\n    }; // because of the above, we maintain our own flag for this option, and\n    //  default it to `true` because that's focus-trap's default\n\n    _this.returnFocusOnDeactivate = true;\n    var focusTrapOptions = props.focusTrapOptions;\n\n    for (var optionName in focusTrapOptions) {\n      if (!Object.prototype.hasOwnProperty.call(focusTrapOptions, optionName)) {\n        continue;\n      }\n\n      if (optionName === 'returnFocusOnDeactivate') {\n        _this.returnFocusOnDeactivate = !!focusTrapOptions[optionName];\n        continue;\n      }\n\n      if (optionName === 'onPostDeactivate') {\n        _this.onPostDeactivate = focusTrapOptions[optionName];\n        continue;\n      }\n\n      _this.tailoredFocusTrapOptions[optionName] = focusTrapOptions[optionName];\n    } // elements from which to create the focus trap on mount; if a child is used\n    //  instead of the `containerElements` prop, we'll get the child's related\n    //  element when the trap renders and then is declared 'mounted'\n\n\n    _this.focusTrapElements = props.containerElements || []; // now we remember what the currently focused element is, not relying on focus-trap\n\n    _this.updatePreviousElement();\n\n    return _this;\n  }\n  /**\n   * Gets the configured document.\n   * @returns {Document|undefined} Configured document, falling back to the main\n   *  document, if it exists. During SSR, `undefined` is returned since the\n   *  document doesn't exist.\n   */\n\n\n  _createClass(FocusTrap, [{\n    key: \"getDocument\",\n    value: function getDocument() {\n      // SSR: careful to check if `document` exists before accessing it as a variable\n      return this.props.focusTrapOptions.document || (typeof document !== 'undefined' ? document : undefined);\n    } // TODO: Need more test coverage for this function\n\n  }, {\n    key: \"getNodeForOption\",\n    value: function getNodeForOption(optionName) {\n      var optionValue = this.tailoredFocusTrapOptions[optionName];\n\n      if (!optionValue) {\n        return null;\n      }\n\n      var node = optionValue;\n\n      if (typeof optionValue === 'string') {\n        var _this$getDocument;\n\n        node = (_this$getDocument = this.getDocument()) === null || _this$getDocument === void 0 ? void 0 : _this$getDocument.querySelector(optionValue);\n\n        if (!node) {\n          throw new Error(\"`\".concat(optionName, \"` refers to no known node\"));\n        }\n      }\n\n      if (typeof optionValue === 'function') {\n        node = optionValue();\n\n        if (!node) {\n          throw new Error(\"`\".concat(optionName, \"` did not return a node\"));\n        }\n      }\n\n      return node;\n    }\n  }, {\n    key: \"getReturnFocusNode\",\n    value: function getReturnFocusNode() {\n      var node = this.getNodeForOption('setReturnFocus');\n      return node ? node : this.previouslyFocusedElement;\n    }\n    /** Update the previously focused element with the currently focused element. */\n\n  }, {\n    key: \"updatePreviousElement\",\n    value: function updatePreviousElement() {\n      var currentDocument = this.getDocument();\n\n      if (currentDocument) {\n        this.previouslyFocusedElement = currentDocument.activeElement;\n      }\n    }\n  }, {\n    key: \"deactivateTrap\",\n    value: function deactivateTrap() {\n      var _this2 = this;\n\n      var _this$tailoredFocusTr = this.tailoredFocusTrapOptions,\n          checkCanReturnFocus = _this$tailoredFocusTr.checkCanReturnFocus,\n          _this$tailoredFocusTr2 = _this$tailoredFocusTr.preventScroll,\n          preventScroll = _this$tailoredFocusTr2 === void 0 ? false : _this$tailoredFocusTr2;\n\n      if (this.focusTrap) {\n        // NOTE: we never let the trap return the focus since we do that ourselves\n        this.focusTrap.deactivate({\n          returnFocus: false\n        });\n      }\n\n      var finishDeactivation = function finishDeactivation() {\n        var returnFocusNode = _this2.getReturnFocusNode();\n\n        var canReturnFocus = (returnFocusNode === null || returnFocusNode === void 0 ? void 0 : returnFocusNode.focus) && _this2.returnFocusOnDeactivate;\n\n        if (canReturnFocus) {\n          /** Returns focus to the element that had focus when the trap was activated. */\n          returnFocusNode.focus({\n            preventScroll: preventScroll\n          });\n        }\n\n        if (_this2.onPostDeactivate) {\n          _this2.onPostDeactivate.call(null); // don't call it in context of \"this\"\n\n        }\n      };\n\n      if (checkCanReturnFocus) {\n        checkCanReturnFocus(this.getReturnFocusNode()).then(finishDeactivation, finishDeactivation);\n      } else {\n        finishDeactivation();\n      }\n    }\n  }, {\n    key: \"setupFocusTrap\",\n    value: function setupFocusTrap() {\n      if (!this.focusTrap) {\n        var focusTrapElementDOMNodes = this.focusTrapElements.map( // NOTE: `findDOMNode()` does not support CSS selectors; it'll just return\n        //  a new text node with the text wrapped in it instead of treating the\n        //  string as a selector and resolving it to a node in the DOM\n        ReactDOM.findDOMNode);\n        var nodesExist = focusTrapElementDOMNodes.some(Boolean);\n\n        if (nodesExist) {\n          // eslint-disable-next-line react/prop-types -- _createFocusTrap is an internal prop\n          this.focusTrap = this.props._createFocusTrap(focusTrapElementDOMNodes, this.tailoredFocusTrapOptions);\n\n          if (this.props.active) {\n            this.focusTrap.activate();\n          }\n\n          if (this.props.paused) {\n            this.focusTrap.pause();\n          }\n        }\n      }\n    }\n  }, {\n    key: \"componentDidMount\",\n    value: function componentDidMount() {\n      if (this.props.active) {\n        this.setupFocusTrap();\n      } // else, wait for later activation in case the `focusTrapOptions` will be updated\n      //  again before the trap is activated (e.g. if waiting to know what the document\n      //  object will be, so the Trap must be rendered, but the consumer is waiting to\n      //  activate until they have obtained the document from a ref)\n      //  @see https://github.com/focus-trap/focus-trap-react/issues/539\n\n    }\n  }, {\n    key: \"componentDidUpdate\",\n    value: function componentDidUpdate(prevProps) {\n      if (this.focusTrap) {\n        if (prevProps.containerElements !== this.props.containerElements) {\n          this.focusTrap.updateContainerElements(this.props.containerElements);\n        }\n\n        var hasActivated = !prevProps.active && this.props.active;\n        var hasDeactivated = prevProps.active && !this.props.active;\n        var hasPaused = !prevProps.paused && this.props.paused;\n        var hasUnpaused = prevProps.paused && !this.props.paused;\n\n        if (hasActivated) {\n          this.updatePreviousElement();\n          this.focusTrap.activate();\n        }\n\n        if (hasDeactivated) {\n          this.deactivateTrap();\n          return; // un/pause does nothing on an inactive trap\n        }\n\n        if (hasPaused) {\n          this.focusTrap.pause();\n        }\n\n        if (hasUnpaused) {\n          this.focusTrap.unpause();\n        }\n      } else {\n        // NOTE: if we're in `componentDidUpdate` and we don't have a trap yet,\n        //  it either means it shouldn't be active, or it should be but none of\n        //  of given `containerElements` were present in the DOM the last time\n        //  we tried to create the trap\n        if (prevProps.containerElements !== this.props.containerElements) {\n          this.focusTrapElements = this.props.containerElements;\n        } // don't create the trap unless it should be active in case the consumer\n        //  is still updating `focusTrapOptions`\n        //  @see https://github.com/focus-trap/focus-trap-react/issues/539\n\n\n        if (this.props.active) {\n          this.updatePreviousElement();\n          this.setupFocusTrap();\n        }\n      }\n    }\n  }, {\n    key: \"componentWillUnmount\",\n    value: function componentWillUnmount() {\n      this.deactivateTrap();\n    }\n  }, {\n    key: \"render\",\n    value: function render() {\n      var _this3 = this;\n\n      var child = this.props.children ? React.Children.only(this.props.children) : undefined;\n\n      if (child) {\n        if (child.type && child.type === React.Fragment) {\n          throw new Error('A focus-trap cannot use a Fragment as its child container. Try replacing it with a <div> element.');\n        }\n\n        var composedRefCallback = function composedRefCallback(element) {\n          var containerElements = _this3.props.containerElements;\n\n          if (child) {\n            if (typeof child.ref === 'function') {\n              child.ref(element);\n            } else if (child.ref) {\n              child.ref.current = element;\n            }\n          }\n\n          _this3.focusTrapElements = containerElements ? containerElements : [element];\n        };\n\n        var childWithRef = React.cloneElement(child, {\n          ref: composedRefCallback\n        });\n        return childWithRef;\n      }\n\n      return null;\n    }\n  }]);\n\n  return FocusTrap;\n}(React.Component); // support server-side rendering where `Element` will not be defined\n\n\nvar ElementType = typeof Element === 'undefined' ? Function : Element;\nFocusTrap.propTypes = {\n  active: PropTypes.bool,\n  paused: PropTypes.bool,\n  focusTrapOptions: PropTypes.shape({\n    document: PropTypes.object,\n    onActivate: PropTypes.func,\n    onPostActivate: PropTypes.func,\n    checkCanFocusTrap: PropTypes.func,\n    onDeactivate: PropTypes.func,\n    onPostDeactivate: PropTypes.func,\n    checkCanReturnFocus: PropTypes.func,\n    initialFocus: PropTypes.oneOfType([PropTypes.instanceOf(ElementType), PropTypes.string, PropTypes.func, PropTypes.bool]),\n    fallbackFocus: PropTypes.oneOfType([PropTypes.instanceOf(ElementType), PropTypes.string, PropTypes.func]),\n    escapeDeactivates: PropTypes.oneOfType([PropTypes.bool, PropTypes.func]),\n    clickOutsideDeactivates: PropTypes.oneOfType([PropTypes.bool, PropTypes.func]),\n    returnFocusOnDeactivate: PropTypes.bool,\n    setReturnFocus: PropTypes.oneOfType([PropTypes.instanceOf(ElementType), PropTypes.string, PropTypes.func]),\n    allowOutsideClick: PropTypes.oneOfType([PropTypes.bool, PropTypes.func]),\n    preventScroll: PropTypes.bool\n  }),\n  containerElements: PropTypes.arrayOf(PropTypes.instanceOf(ElementType)),\n  children: PropTypes.oneOfType([PropTypes.element, // React element\n  PropTypes.instanceOf(ElementType) // DOM element\n  ]) // NOTE: _createFocusTrap is internal, for testing purposes only, so we don't\n  //  specify it here. It's expected to be set to the function returned from\n  //  require('focus-trap'), or one with a compatible interface.\n\n};\nFocusTrap.defaultProps = {\n  active: true,\n  paused: false,\n  focusTrapOptions: {},\n  _createFocusTrap: createFocusTrap\n};\nmodule.exports = FocusTrap;", "import * as React from \"react\"\nimport {\n    Client,\n    CLING_ANONYMOUS,\n    create_SessionUID,\n    Locale,\n    ReportUserEventRequest,\n    SourceCampaign,\n} from \"@cling/lib.shared.model\"\nimport {set_fatal_error_url_params} from \"@cling/lib.web.utils/fatal_error_url\"\nimport {query_param} from \"@cling/lib.web.utils/query_param\"\nimport {goto_board, is_cling_hp} from \"../utils\"\nimport {init_dev, misc_init, preload_assets, set_global_css_classes} from \"./startup_common\"\nimport {load_js} from \"@cling/lib.web.lazy_load\"\nimport {init as init_i18n} from \"@cling/lib.web.i18n\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport {init_log_event_reporting} from \"./init_logging\"\nimport {call_function, init as init_faas} from \"@cling/lib.shared.faas\"\nimport {\n    init as init_analytics,\n    parse_source_campaign,\n    source_campaign_of_current_session,\n} from \"@cling/lib.web.analytics\"\nimport {init as init_intercom} from \"../misc/intercom\"\nimport {init as init_push_notifications} from \"../account/push_notifications\"\nimport {report_error} from \"@cling/lib.shared.debug\"\nimport p_limit from \"p-limit\"\nimport {safe_session_storage} from \"@cling/lib.web.utils/safe_storage\"\nimport {render} from \"preact\"\n\nconst report_user_event_queue = p_limit(1)\n\nexport async function start_public_page(\n    page: React.FunctionComponent<{source_campaign?: SourceCampaign}>,\n) {\n    // There is no need to keep this information and we don't want to\n    // raise false positive \"alerts\" by users that we store something in session storage.\n    safe_session_storage.removeItem(\"ttfl_start\")\n    parse_source_campaign()\n    const user_locale = query_param(\"locale\", is_cling_hp() || navigator.language) as Locale\n    const session_uid = create_SessionUID()\n    set_fatal_error_url_params({s: session_uid, a: CLING_ANONYMOUS})\n    const {dev} = init_dev()\n    misc_init({dev})\n    init_push_notifications()\n    set_global_css_classes()\n    if (location.hostname.startsWith(\"dev-\")) {\n        ;(window as any).test_helper = {load_js, goto_board}\n    }\n    const await_before_render: Promise<void>[] = []\n    preload_assets({await_before_render})\n    await init_i18n(user_locale)\n    const client = running_on_mobile_device() ? Client.web_app_mobile : Client.web_app_desktop\n    init_log_event_reporting(client)\n    const faas_trace_provider = () =>\n        `|web_app:${process.env.VERSION}:${CLING_ANONYMOUS}:${session_uid}|`\n    init_faas({\n        request_modifier: (req) => {\n            req.headers[\"x-cling-faas-trace\"] = faas_trace_provider()\n        },\n        on_401: () => {\n            reload(\"Got a 401\")\n        },\n    })\n    init_analytics({\n        client,\n        client_version: cling.version,\n        current_user_info: () => ({\n            tracking_id: undefined,\n            locale: user_locale,\n            feature_switches: [],\n            team_uids: [],\n            plan: undefined,\n            cohort_date: new Date(),\n        }),\n        send_user_event: (user_event, browser_env) => {\n            // Normalize title ...\n            const title = browser_env.document_title\n            if (title.endsWith(\" - Cling\") || title.endsWith(\" - Cling (dev)\")) {\n                browser_env.document_title = title.slice(0, title.lastIndexOf(\"-\") - 1)\n            }\n            report_user_event_queue(() =>\n                call_function(\n                    new ReportUserEventRequest({\n                        user_events: [user_event],\n                        browser_env,\n                    }),\n                ).catch(report_error),\n            ).catch(report_error)\n        },\n        current_board_uid: () => undefined,\n    })\n    init_intercom({\n        crm_id: undefined,\n        email: undefined,\n        full_name: undefined,\n    })\n    await Promise.all(await_before_render)\n    render(\n        React.createElement(page, {source_campaign: source_campaign_of_current_session()}),\n        document.getElementById(\"root\")!,\n    )\n}\n", "import {ClingError} from \"@cling/lib.shared.error\"\nimport type {\n    AuthInfo,\n    AuthProvider,\n    FeatureSwitch,\n    OrganizationUID,\n    Plan,\n    TeamUID,\n} from \"@cling/lib.shared.model/model\"\n\nexport type SignupErrorCode =\n    | \"invalid_password\"\n    | \"invalid_signup\"\n    | \"password_dictionary_error\"\n    | \"password_no_user_info_error\"\n    | \"password_strength_error\"\n    | \"user_exists\"\n    | \"username_exists\"\n    | \"other\"\n\nexport type LoginErrorCode = \"access_denied\" | \"unverified_email\" | \"other\"\n\nexport class SignupError extends ClingError {\n    constructor(\n        public readonly code: SignupErrorCode,\n        cause: Error,\n    ) {\n        super(code, 400, cause)\n        // This is needed according to https://goo.gl/N2zvkR\n        Object.setPrototypeOf(this, SignupError.prototype)\n    }\n}\n\nexport class LoginError extends ClingError {\n    constructor(\n        public readonly code: LoginErrorCode,\n        cause?: Error,\n    ) {\n        super(code, 400, cause)\n        // This is needed according to https://goo.gl/N2zvkR\n        Object.setPrototypeOf(this, LoginError.prototype)\n    }\n}\n\ninterface AccessTokenClaims {\n    \"https://cling.com/team_uids\"?: TeamUID[]\n    \"https://cling.com/admin_organization_uids\"?: OrganizationUID[]\n    \"https://cling.com/feature_switches\"?: FeatureSwitch[]\n    \"https://cling.com/plan\"?: Plan\n}\n\nexport type AuthInfoExtended = AuthInfo & {\n    auth_providers: AuthProvider[]\n}\nexport type AuthState = AuthInfoExtended & {\n    access_token: string\n    access_token_claims: AccessTokenClaims\n    access_token_retrieved_at: number\n    // TODO (cling button): Remove when we retired the old Cling Button\n    access_token_expires_at: number\n}\n", "import {report_error, report_info} from \"@cling/lib.shared.debug\"\nimport {i18n} from \"@cling/lib.web.i18n\"\nimport {promp_state} from \"../dialogs/prompt\"\nimport {current_user, ui_actions} from \"../state\"\nimport {call_function} from \"@cling/lib.shared.faas\"\nimport {\n    PatchAccountSettings,\n    PatchFullAccountRequest,\n    PushSubscription as ModelPushSubscription,\n    create_PatchUID,\n} from \"@cling/lib.shared.model\"\nimport {log} from \"@cling/lib.shared.logging\"\nimport {register_logout_listener} from \"@cling/lib.web.auth\"\nimport {goto_board} from \"../utils\"\nimport {safe_local_storage} from \"@cling/lib.web.utils/safe_storage\"\nimport {not_null} from \"@cling/lib.shared.utils\"\nimport {PushNavigateMessage} from \"@cling/lib.web.service_worker/message_types\"\n\nconst vapid_public_key = not_null(\n    location.hostname.startsWith(\"dev-pero\")\n        ? \"BEw7970HhvA0oBtbNePJ8D5stumaUATeUfe2MKhZzdWXOLB_mhAIaAz70Ky4-VY0gA7dWdwUI4BO1TrH1VuVMW0\"\n        : location.hostname.startsWith(\"dev-jenkins\")\n          ? \"BFMGB39Hh8mB-Fk1t2ZpXFYvteXlHZcAnSCrtJPZTACF0tlGifm0k5qgUKgBHfP7808qSiB7TCrNaVaki7wtEVA\"\n          : location.hostname.startsWith(\"cling.com\")\n            ? \"BHwCBNvDTdPdV3LGguO9uv8tgXgvd1pi6vu7A-w0zYJcvTOPoLRopaZmcnQKg5LRv4BM4IzRKx5nO8e4-C37OC8\"\n            : process.env.NODE_ENV === \"test\"\n              ? \"test\"\n              : undefined,\n    \"No VAPID public key for the current hostname\",\n)\n\nlet _init_called = false\nexport let push_available = false\nexport function init() {\n    if (_init_called) {\n        return\n    }\n    _init_called = true\n    push_available = \"serviceWorker\" in navigator && \"PushManager\" in window\n    if (!push_available) {\n        log.info(\"Push notifications are not available\")\n        return\n    }\n    register_logout_listener(unsubscribe)\n    navigator.serviceWorker.addEventListener(\"message\", (event: {data: PushNavigateMessage}) => {\n        if (event.data.type !== \"push_navigate\") {\n            return\n        }\n        goto_board({\n            board_uid: event.data.board_uid,\n            highlight_card_uid: event.data.card_uid,\n        })\n            .then(() => {\n                if (event.data.open_comments && event.data.card_uid) {\n                    ui_actions.open_comments(event.data.card_uid)\n                }\n            })\n            .catch(report_error)\n    })\n}\n\n/**\n * Ask the user for permission to send push notifications and then subscribe and send\n * the subscription to the server.\n */\nexport async function subscribe_flow() {\n    if (Notification.permission !== \"granted\") {\n        await new Promise<void>((resolve, reject) => {\n            promp_state.show_prompt({\n                title: i18n.permission_required,\n                content: i18n.your_browser_will_ask_for_permission_to_send_notifications,\n                desktop_focus: \"accept\",\n                button_label_accept: i18n.ok,\n                button_label_cancel: i18n.cancel,\n                onAccept: async () => {\n                    try {\n                        await Notification.requestPermission()\n                        resolve()\n                    } catch (error) {\n                        report_error(\n                            \"Failed to request push notification permission - showing snackbar\",\n                            error,\n                        )\n                        reject(error)\n                    }\n                },\n            })\n        })\n    }\n    const subscription = await subscribe()\n    if (\n        current_user.account_settings.board_changed_push_subscriptions.find(\n            (x) => x.endpoint === subscription.endpoint,\n        )\n    ) {\n        return\n    }\n    const subscription_json = subscription.toJSON()\n    const push_subscription = new ModelPushSubscription({\n        endpoint: subscription.endpoint,\n        auth: subscription_json.keys!.auth,\n        p256dh: subscription_json.keys!.p256dh,\n    })\n    await call_function(\n        new PatchFullAccountRequest({\n            patch_uid: create_PatchUID(),\n            patch_account_settings: new PatchAccountSettings({\n                add_board_changed_push_subscription: push_subscription,\n            }),\n        }),\n    )\n}\n\nasync function subscribe(): Promise<PushSubscription> {\n    const service_worker_registration = await navigator.serviceWorker.ready\n    const subscription = await service_worker_registration.pushManager.subscribe({\n        userVisibleOnly: true,\n        applicationServerKey: vapid_public_key,\n    })\n    safe_local_storage.setItem(\"last_push_subscription_refresh\", Date.now().toString())\n    return subscription\n}\n\n/**\n * Unsubscribe the user from push notifications locally and on the server if possible.\n *\n * This function can be called even if there is no service worker registration.\n */\nexport async function unsubscribe() {\n    if (!push_available) {\n        return\n    }\n    const registrations = await navigator.serviceWorker.getRegistrations()\n    safe_local_storage.removeItem(\"pending_refresh_push_subscription\")\n    if (registrations.length === 0) {\n        log.debug(\n            \"No service worker registrations found - cannot unsubscribe from push notifications\",\n        )\n        return\n    }\n    const service_worker_registration = await navigator.serviceWorker.ready\n    let subscription\n    try {\n        subscription = await service_worker_registration.pushManager.getSubscription()\n    } catch (error) {\n        // In incognito mode, we get an error when trying to get the subscription.\n        log.debug(\"Failed to get push subscription - nothing more to do\", error)\n        return\n    }\n    await subscription?.unsubscribe()\n    if (subscription && current_user) {\n        // If we are logged in, we also remove the subscription from the server.\n        const subscription_json = subscription.toJSON()\n        if (\n            current_user.account_settings.board_changed_push_subscriptions.find(\n                (x) => x.endpoint === subscription.endpoint,\n            )\n        ) {\n            await call_function(\n                new PatchFullAccountRequest({\n                    patch_uid: create_PatchUID(),\n                    patch_account_settings: new PatchAccountSettings({\n                        remove_board_changed_push_subscription: new ModelPushSubscription({\n                            endpoint: subscription_json.endpoint!,\n                            auth: subscription_json.keys!.auth,\n                            p256dh: subscription_json.keys!.p256dh,\n                        }),\n                    }),\n                }),\n            )\n        }\n    }\n}\n\n/**\n * Check if the user is subscribed by first seeing if there is a local `pushManager.getSubscription()`.\n * If there is one, we check if the subscription is already stored in the user's account settings.\n * If not, we unsubscribe the user.\n */\nexport async function is_subscribed(): Promise<boolean> {\n    const service_worker_registration = await navigator.serviceWorker.ready\n    const subscription = await service_worker_registration.pushManager.getSubscription()\n    if (!subscription) {\n        return false\n    }\n    if (\n        current_user.account_settings.board_changed_push_subscriptions.find(\n            (x) => x.endpoint === subscription.endpoint,\n        )\n    ) {\n        return true\n    }\n    report_info(\n        \"Unsubscribing user because the subscription is not stored in the user's account settings\",\n    )\n    await subscription.unsubscribe()\n    return false\n}\n", "import {call_function} from \"@cling/lib.shared.faas/index\"\nimport {log} from \"@cling/lib.shared.logging/index\"\nimport {\n    AccountUID,\n    account_uid_from_gip_uid,\n    as_language,\n    is_Language,\n    Locale,\n    ManageAuthRequest,\n    ManageAuthResponse,\n    ManageAuthSendResetPasswordMessage,\n    ManageAuthSendVerifyEmailMessage,\n    OrganizationUID,\n    SignUpRequest,\n    SourceCampaign,\n    TeamCodeUID,\n} from \"@cling/lib.shared.model/model\"\nimport {to_b64url} from \"@cling/lib.shared.model/model_utils\"\nimport {assert_never, not_null} from \"@cling/lib.shared.utils/index\"\nimport {safe_session_storage} from \"@cling/lib.web.utils/safe_storage\"\nimport {\n    createUserWithEmailAndPassword,\n    FacebookAuthProvider,\n    getAdditionalUserInfo,\n    getRedirectResult,\n    GoogleAuthProvider,\n    signInWithEmailAndPassword,\n    signInWithRedirect,\n} from \"firebase/auth\"\nimport {auth, LAST_LOCATION_KEY} from \"./gip\"\nimport {LoginError, LoginErrorCode, SignupError, SignupErrorCode} from \"./types\"\nimport {OAuthProvider} from \"firebase/auth\"\n\nconst signup_error_map: Record<string, SignupErrorCode> = {\n    \"auth/email-already-in-use\": \"user_exists\",\n    \"auth/wrong-password\": \"invalid_password\",\n    \"auth/invalid-email\": \"invalid_signup\",\n    \"auth/weak-password\": \"password_strength_error\",\n}\n\nconst login_error_map: Record<string, LoginErrorCode> = {\n    \"auth/user-not-found\": \"access_denied\",\n    \"auth/wrong-password\": \"access_denied\",\n    \"auth/unverified-email\": \"unverified_email\",\n}\n\nexport async function sign_up(\n    args: {\n        is_dev: boolean\n        invite_code?: string\n        team_code_uid?: TeamCodeUID\n        source_campaign?: SourceCampaign\n        create_organization_uid?: OrganizationUID\n        locale: Locale\n    } & (\n        | {provider: \"google\" | \"facebook\" | \"apple\"}\n        | {\n              provider: \"password\"\n              email: string\n              password: string\n              given_name: string\n              family_name: string\n          }\n    ),\n) {\n    const sign_up_request = new SignUpRequest({\n        create_organization_uid: args.create_organization_uid,\n        invite_code: args.invite_code,\n        source_campaign: args.source_campaign,\n        team_code_uid: args.team_code_uid,\n    })\n    if (args.provider === \"password\") {\n        const {email, password} = args\n        try {\n            log.info(\"Signing up with email+password ...\")\n            await createUserWithEmailAndPassword(auth, email, password)\n            log.info(\"Signed up with email+password - sending verification e-mail ...\")\n            sign_up_request.family_name = args.family_name\n            sign_up_request.given_name = args.given_name\n            sign_up_request.locale = args.locale\n            const res = await call_function(\n                new ManageAuthRequest({\n                    send_verify_email_message: new ManageAuthSendVerifyEmailMessage({\n                        email,\n                        sign_up_request,\n                        language: is_Language(args.locale) ? as_language(args.locale) : \"en\",\n                    }),\n                }),\n                ManageAuthResponse,\n            )\n            if (window._under_test) {\n                // Store `login_url` so `playwright_commands#signup` can pick it up.\n                const login_url = res.test_only_verify_url\n                safe_session_storage.setItem(\"__test_only_signup_login_url\", login_url)\n                log.debug(\"Running in test, storing login-url in localStorage\", {login_url})\n            }\n            log.info(\"Signed up with email+password - all done\")\n        } catch (error) {\n            throw new SignupError(signup_error_map[error.code] || \"other\", error)\n        }\n    } else if (\n        args.provider === \"google\" ||\n        args.provider === \"facebook\" ||\n        args.provider === \"apple\"\n    ) {\n        log.debug(\"Signing up with social auth provider\", {provider: args.provider})\n        safe_session_storage.setItem(\"signup.request\", to_b64url(sign_up_request))\n        try {\n            await sign_in_with_social(args)\n        } catch (error) {\n            throw new SignupError(signup_error_map[error.code] || \"other\", error)\n        }\n    } else {\n        throw assert_never(args.provider)\n    }\n}\n\nexport async function reset_password({\n    email,\n    locale,\n}: {\n    is_dev: boolean\n    email: string\n    locale: Locale\n}) {\n    await call_function(\n        new ManageAuthRequest({\n            send_reset_password_message: new ManageAuthSendResetPasswordMessage({\n                email,\n                language: is_Language(locale) ? as_language(locale) : \"en\",\n            }),\n        }),\n    )\n}\n\nexport async function log_in(\n    args: {is_dev: boolean; locale: Locale} & (\n        | {provider: \"google\" | \"facebook\" | \"apple\"}\n        | {provider: \"password\"; email: string; password: string}\n    ),\n) {\n    if (args.provider === \"google\" || args.provider === \"facebook\" || args.provider === \"apple\") {\n        await sign_in_with_social(args)\n    } else if (args.provider === \"password\") {\n        let res\n        try {\n            res = await signInWithEmailAndPassword(auth, args.email, args.password)\n        } catch (error) {\n            throw new LoginError(login_error_map[error.code] || \"other\", error)\n        }\n        if (!res.user.emailVerified) {\n            throw new LoginError(\"unverified_email\")\n        }\n        return {\n            access_token: await res.user.getIdToken(),\n            account_uid: account_uid_from_gip_uid(res.user.uid),\n            is_signup: res.user.metadata.lastSignInTime === res.user.metadata.creationTime,\n        }\n    } else {\n        throw assert_never(args.provider)\n    }\n}\n\nexport async function login_or_signup_redirected(): Promise<\n    | undefined\n    | {is_error: true; error: any}\n    | {\n          is_error: false\n          access_token: string\n          given_name?: string\n          family_name?: string\n          profile_image_url?: string\n          locale?: string\n          account_uid: AccountUID\n      }\n> {\n    if (!navigator.onLine) {\n        log.info(\n            \"[auth] We are offline - `login_or_signup_redirected` will treat the request as not an auth redirect\",\n        )\n        return\n    }\n    try {\n        const redirect_result = await getRedirectResult(auth)\n        if (!redirect_result) {\n            return undefined\n        }\n        const user_info = not_null(\n            getAdditionalUserInfo(redirect_result),\n            \"`getRedirectResult()` returned with no additional user-info\",\n        )\n        const profile = (user_info as any).profile // Google and Facebook\n        const token_res = (redirect_result as any)._tokenResponse // Apple\n        let given_name = profile.given_name || profile.first_name || token_res?.firstName\n        if (profile.middle_name) {\n            given_name += ` ${profile.middle_name}`\n        }\n        return {\n            given_name,\n            family_name: profile.family_name || profile.last_name || token_res?.lastName,\n            profile_image_url: profile.picture,\n            locale: profile.locale,\n            account_uid: account_uid_from_gip_uid(redirect_result.user.uid),\n            access_token: await redirect_result.user.getIdToken(),\n            is_error: false,\n        }\n    } catch (error) {\n        return {\n            is_error: true,\n            error,\n        }\n    }\n}\n\nasync function sign_in_with_social({\n    provider,\n    locale,\n}: {\n    provider: \"google\" | \"facebook\" | \"apple\"\n    locale: Locale\n}) {\n    // Trick Firebase Auth into redirecting to the correct page.\n    history.replaceState({}, \"\", safe_session_storage.getItem(LAST_LOCATION_KEY) || \"/c\")\n    await signInWithRedirect(\n        auth,\n        provider === \"google\"\n            ? google_provider()\n            : provider === \"apple\"\n              ? apple_provider(locale)\n              : new FacebookAuthProvider(),\n    )\n}\n\nfunction google_provider() {\n    const provider = new GoogleAuthProvider()\n    provider.addScope(\"profile\")\n    provider.addScope(\"email\")\n    return provider\n}\n\nfunction apple_provider(locale: Locale) {\n    const provider = new OAuthProvider(\"apple.com\")\n    provider.addScope(\"email\")\n    provider.addScope(\"name\")\n    provider.setCustomParameters({locale})\n    return provider\n}\n", "import {report_error} from \"@cling/lib.shared.debug/index\"\nimport {call_function, init as init_faas_} from \"@cling/lib.shared.faas\"\nimport {log} from \"@cling/lib.shared.logging/index\"\nimport {\n    AccountUID,\n    create_SessionUID,\n    is_Locale,\n    ManageSessionRequest,\n    SignUpRequest,\n    SignUpResponse,\n} from \"@cling/lib.shared.model/model\"\nimport {from_b64url} from \"@cling/lib.shared.model/model_utils\"\nimport {login_or_signup_redirected} from \"@cling/lib.web.auth/authenticate\"\nimport {enforce_refresh_promise, LAST_LOCATION_KEY} from \"@cling/lib.web.auth\"\nimport {safe_session_storage} from \"@cling/lib.web.utils/safe_storage\"\n\nexport async function handle_auth_redirect(): Promise<boolean> {\n    const authenticated = await login_or_signup_redirected()\n    if (!authenticated) {\n        return false\n    }\n    if (authenticated.is_error) {\n        report_error(authenticated.error)\n        return false\n    }\n    log.info(\"Social signup or login - creating user in Cling if needed\", {\n        account_uid: authenticated.account_uid,\n    })\n    await init_faas(authenticated)\n    const sign_up_request_str = safe_session_storage.getItem(\"signup.request\")\n    const sign_up_request = sign_up_request_str\n        ? from_b64url(SignUpRequest, sign_up_request_str)\n        : new SignUpRequest({})\n    safe_session_storage.removeItem(\"signup.request\")\n    const locale = authenticated.locale || navigator.language\n    sign_up_request.locale = is_Locale(locale) ? locale : \"en\"\n    sign_up_request.profile_image_url = authenticated.profile_image_url ?? \"\"\n    sign_up_request.given_name = authenticated.given_name ?? \"\"\n    sign_up_request.family_name = authenticated.family_name ?? \"\"\n    await call_sign_up(sign_up_request)\n    return true\n}\n\nexport function redirect_based_on_sign_up_response(res?: SignUpResponse) {\n    if (res?.invite_failed) {\n        goto(\"/invite_failed\")\n        return\n    }\n    if (res?.invite_invalid) {\n        goto(\"/invite_invalid\")\n        return\n    }\n    if (res?.redirect_to_board_uid) {\n        goto(`/c/${res.redirect_to_board_uid}`)\n    } else if (res?.full_account?.account_attributes?.create_organization_uid) {\n        goto(\"/c/organizations/add\")\n    } else {\n        const url = safe_session_storage.getItem(LAST_LOCATION_KEY) || \"/c\"\n        if (url !== location.pathname + location.search) {\n            goto(url)\n        }\n    }\n}\n\nasync function call_sign_up(req: SignUpRequest) {\n    const res = await call_function(req, SignUpResponse)\n    if (res.already_exists) {\n        safe_session_storage.setItem(\"authenticate.method\", \"login\")\n    } else {\n        // We need to refresh the id-token, because our claims might have changed.\n        try {\n            await enforce_refresh_promise()\n        } catch (error) {\n            report_error(\"Failed to refresh id-token during sign-up -- ignoring\", error)\n        }\n        safe_session_storage.setItem(\"authenticate.method\", \"signup\")\n    }\n    redirect_based_on_sign_up_response(res)\n}\n\nasync function init_faas({\n    account_uid,\n    access_token,\n}: {\n    account_uid: AccountUID\n    access_token: string\n}) {\n    await call_function(new ManageSessionRequest({update_jwt: access_token}))\n    // Create the account if it does not exist.\n    const faas_trace_provider = () =>\n        `|web_app:${process.env.VERSION}:${account_uid}:${create_SessionUID()}|`\n    init_faas_({\n        request_modifier: (req) => {\n            req.headers[\"x-cling-faas-trace\"] = faas_trace_provider()\n        },\n        on_401: (error) => {\n            report_error(\"Got a 401 from server while creating the user\", error)\n            goto(\"/login_failure\")\n        },\n    })\n}\n", "import {Page, TopAppBar} from \"@cling/lib.web.mdc\"\nimport * as React from \"react\"\nimport {profiler} from \"../profiler\"\nimport {report_user_event} from \"@cling/lib.web.analytics\"\nimport {PageView} from \"@cling/lib.shared.model\"\nimport {PromptContainer} from \"../dialogs/prompt\"\nimport {\n    BottomToolbarItemsDesktopPublicPage,\n    TopToolbarItemsPublicPage,\n} from \"../board/toolbar_items_website\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\n\nexport const PublicPage = ({children, title}: {children: React.ReactNode; title: string}) => {\n    React.useEffect(() => {\n        NProgress.done()\n        profiler.on_page_mounted()\n        report_user_event({page_view: new PageView({})})\n    }, [])\n    return (\n        <Page\n            document_title={title}\n            top_app_bar={\n                <TopAppBar\n                    more_items={<TopToolbarItemsPublicPage title={title} />}\n                    className=\"public-page__top-app-bar\"\n                />\n            }\n        >\n            <div className=\"public-page__bg\" />\n            <PromptContainer />\n            {children}\n            {!running_on_mobile_device() && <BottomToolbarItemsDesktopPublicPage />}\n        </Page>\n    )\n}\n"],
  "mappings": "wiCAAA,IAAMA,GAAqB,CACzB,QACA,SACA,WACA,UACA,SACA,uBACA,kBACA,kBACA,mDACA,gCACA,SAXyB,EAarBC,EAAoCD,GAAmBE,KAAK,GAAxB,EAEpCC,GAAY,OAAOC,QAAY,IAE/BC,EAAUF,GACZ,UAAY,CAAA,EACZC,QAAQE,UAAUD,SAClBD,QAAQE,UAAUC,mBAClBH,QAAQE,UAAUE,sBAEhBC,GACJ,CAACN,IAAaC,QAAQE,UAAUG,YAC5B,SAACC,EAAD,CAAA,OAAaA,EAAQD,YAAR,CAAb,EACA,SAACC,EAAD,CAAA,OAAaA,EAAQC,aAArB,EAQAC,GAAgBC,EAAA,SAAUC,EAAIC,EAAkBC,EAAQ,CAC5D,IAAIC,EAAaC,MAAMZ,UAAUa,MAAMC,MACrCN,EAAGO,iBAAiBpB,CAApB,CADe,EAGjB,OAAIc,GAAoBV,EAAQiB,KAAKR,EAAIb,CAAjB,GACtBgB,EAAWM,QAAQT,CAAnB,EAEFG,EAAaA,EAAWD,OAAOA,CAAlB,EACNC,CACR,EATqB,iBA6ChBO,GAA2BX,EAAA,SAA3BW,EACJC,EACAV,EACAW,EACA,CAGA,QAFMT,EAAa,CAAA,EACbU,EAAkBT,MAAMU,KAAKH,CAAX,EACjBE,EAAgBE,QAAQ,CAC7B,IAAMnB,EAAUiB,EAAgBG,MAAhB,EAChB,GAAIpB,EAAQqB,UAAY,OAAQ,CAE9B,IAAMC,EAAWtB,EAAQuB,iBAAR,EACXC,EAAUF,EAASH,OAASG,EAAWtB,EAAQyB,SAC/CC,EAAmBZ,EAAyBU,EAAS,GAAMR,CAAhB,EAC7CA,EAAQW,QACVpB,EAAWqB,KAAX,MAAArB,EAAmBmB,CAAT,EAEVnB,EAAWqB,KAAK,CACdC,MAAO7B,EACPO,WAAYmB,EAFd,CAKH,KAAM,CAEL,IAAMI,EAAiBnC,EAAQiB,KAAKZ,EAAST,CAAtB,EAErBuC,GACAd,EAAQV,OAAON,CAAf,IACCK,GAAoB,CAACU,EAASgB,SAAS/B,CAAlB,IAEtBO,EAAWqB,KAAK5B,CAAhB,EAIF,IAAMgC,EACJhC,EAAQgC,YAEP,OAAOhB,EAAQiB,eAAkB,YAChCjB,EAAQiB,cAAcjC,CAAtB,EAEEkC,EACJ,CAAClB,EAAQmB,kBAAoBnB,EAAQmB,iBAAiBnC,CAAzB,EAE/B,GAAIgC,GAAcE,EAAiB,CAOjC,IAAMR,EAAmBZ,EACvBkB,IAAe,GAAOhC,EAAQyB,SAAWO,EAAWP,SACpD,GACAT,CAH+C,EAM7CA,EAAQW,QACVpB,EAAWqB,KAAX,MAAArB,EAAmBmB,CAAT,EAEVnB,EAAWqB,KAAK,CACdC,MAAO7B,EACPO,WAAYmB,EAFd,CAKH,MAGCT,EAAgBJ,QAAhBI,MAAAA,EAA2BjB,EAAQyB,QAApB,CAElB,CACF,CACD,OAAOlB,CACR,EAxEgC,4BA0E3B6B,GAAcjC,EAAA,SAAUkC,EAAMC,EAAS,CAC3C,OAAID,EAAKE,SAAW,IAafD,GACC,0BAA0BE,KAAKH,EAAKhB,OAApC,GACAgB,EAAKI,oBACPC,MAAMC,SAASN,EAAKO,aAAa,UAAlB,EAA+B,EAAhC,CAAT,EAEE,EAIJP,EAAKE,QACb,EAxBmB,eA0BdM,GAAuB1C,EAAA,SAAU2C,EAAGC,EAAG,CAC3C,OAAOD,EAAEP,WAAaQ,EAAER,SACpBO,EAAEE,cAAgBD,EAAEC,cACpBF,EAAEP,SAAWQ,EAAER,QACpB,EAJ4B,wBAMvBU,GAAU9C,EAAA,SAAUkC,EAAM,CAC9B,OAAOA,EAAKhB,UAAY,OACzB,EAFe,WAIV6B,GAAgB/C,EAAA,SAAUkC,EAAM,CACpC,OAAOY,GAAQZ,CAAD,GAAUA,EAAKc,OAAS,QACvC,EAFqB,iBAIhBC,GAAuBjD,EAAA,SAAUkC,EAAM,CAC3C,IAAMgB,EACJhB,EAAKhB,UAAY,WACjBb,MAAMZ,UAAUa,MACbC,MAAM2B,EAAKZ,QADd,EAEG6B,KAAK,SAACC,EAAD,CAAA,OAAWA,EAAMlC,UAAY,SAA7B,CAFR,EAGF,OAAOgC,CACR,EAP4B,wBASvBG,GAAkBrD,EAAA,SAAUsD,EAAOC,EAAM,CAC7C,QAASC,EAAI,EAAGA,EAAIF,EAAMtC,OAAQwC,IAChC,GAAIF,EAAME,CAAD,EAAIC,SAAWH,EAAME,CAAD,EAAID,OAASA,EACxC,OAAOD,EAAME,CAAD,CAGjB,EANuB,mBAQlBE,GAAkB1D,EAAA,SAAUkC,EAAM,CACtC,GAAI,CAACA,EAAKyB,KACR,MAAO,GAET,IAAMC,EAAa1B,EAAKqB,MAAQ3D,GAAYsC,CAAD,EACrC2B,EAAc7D,EAAA,SAAU2D,EAAM,CAClC,OAAOC,EAAWpD,iBAChB,6BAA+BmD,EAAO,IADjC,GADW,eAMhBG,EACJ,GACE,OAAOC,OAAW,KAClB,OAAOA,OAAOC,IAAQ,KACtB,OAAOD,OAAOC,IAAIC,QAAW,WAE7BH,EAAWD,EAAYE,OAAOC,IAAIC,OAAO/B,EAAKyB,IAAvB,CAAD,MAEtB,IAAI,CACFG,EAAWD,EAAY3B,EAAKyB,IAAN,QACfO,EAAK,CAEZC,eAAQC,MACN,2IACAF,EAAIG,OAFN,EAIO,EACR,CAGH,IAAMZ,EAAUJ,GAAgBS,EAAU5B,EAAKqB,IAAhB,EAC/B,MAAO,CAACE,GAAWA,IAAYvB,CAChC,EAjCuB,mBAmClBoC,GAAUtE,EAAA,SAAUkC,EAAM,CAC9B,OAAOY,GAAQZ,CAAD,GAAUA,EAAKc,OAAS,OACvC,EAFe,WAIVuB,GAAqBvE,EAAA,SAAUkC,EAAM,CACzC,OAAOoC,GAAQpC,CAAD,GAAU,CAACwB,GAAgBxB,CAAD,CACzC,EAF0B,sBAIrBsC,GAAaxE,EAAA,SAAUkC,EAAM,CACjC,IAA0BA,EAAAA,EAAKuC,sBAAL,EAAlBC,EAARC,EAAQD,MAAOE,EAAfD,EAAeC,OACf,OAAOF,IAAU,GAAKE,IAAW,CAClC,EAHkB,cAIbC,GAAW7E,EAAA,SAAUkC,EAAuC4C,EAAA,CAAA,IAA/BC,EAA+BD,EAA/BC,aAAcjD,EAAiBgD,EAAjBhD,cAM/C,GAAIkD,iBAAiB9C,CAAD,EAAO+C,aAAe,SACxC,MAAO,GAGT,IAAMC,EAAkB1F,EAAQiB,KAAKyB,EAAM,+BAAnB,EAClBiD,EAAmBD,EAAkBhD,EAAKkD,cAAgBlD,EAChE,GAAI1C,EAAQiB,KAAK0E,EAAkB,uBAA/B,EACF,MAAO,GAoBT,IAAME,EAAezF,GAAYsC,CAAD,EAAOoD,KACjCC,EACJF,GAAcvF,cAAc0F,SAASH,CAArC,GACAnD,EAAKpC,cAAc0F,SAAStD,CAA5B,EAEF,GAAI,CAAC6C,GAAgBA,IAAiB,OAAQ,CAC5C,GAAI,OAAOjD,GAAkB,WAAY,CAIvC,QADM2D,EAAevD,EACdA,GAAM,CACX,IAAMkD,EAAgBlD,EAAKkD,cACrBM,EAAW9F,GAAYsC,CAAD,EAC5B,GACEkD,GACA,CAACA,EAAcvD,YACfC,EAAcsD,CAAD,IAAoB,GAIjC,OAAOZ,GAAWtC,CAAD,EACRA,EAAKyD,aAEdzD,EAAOA,EAAKyD,aACH,CAACP,GAAiBM,IAAaxD,EAAKpC,cAE7CoC,EAAOwD,EAASJ,KAGhBpD,EAAOkD,CAEV,CAEDlD,EAAOuD,CACR,CAWD,GAAIF,EAKF,MAAO,CAACrD,EAAK0D,eAAL,EAAsB5E,MAgBjC,SAAU+D,IAAiB,gBAM1B,OAAOP,GAAWtC,CAAD,EAInB,MAAO,EACR,EA9GgB,YAmHX2D,GAAyB7F,EAAA,SAAUkC,EAAM,CAC7C,GAAI,mCAAmCG,KAAKH,EAAKhB,OAA7C,EAGF,QAFI4E,EAAa5D,EAAKkD,cAEfU,GAAY,CACjB,GAAIA,EAAW5E,UAAY,YAAc4E,EAAWC,SAAU,CAE5D,QAASvC,EAAI,EAAGA,EAAIsC,EAAWxE,SAASN,OAAQwC,IAAK,CACnD,IAAMJ,EAAQ0C,EAAWxE,SAAS0E,KAAKxC,CAAzB,EAEd,GAAIJ,EAAMlC,UAAY,SAGpB,OAAO1B,EAAQiB,KAAKqF,EAAY,sBAAzB,EACH,GACA,CAAC1C,EAAMoC,SAAStD,CAAf,CAER,CAED,MAAO,EACR,CACD4D,EAAaA,EAAWV,aACzB,CAKH,MAAO,EACR,EA5B8B,0BA8BzBa,EAAkCjG,EAAA,SAAUa,EAASqB,EAAM,CAC/D,MACEA,EAAAA,EAAK6D,UACLhD,GAAcb,CAAD,GACb2C,GAAS3C,EAAMrB,CAAP,GAERoC,GAAqBf,CAAD,GACpB2D,GAAuB3D,CAAD,EAKzB,EAZuC,mCAclCgE,GAAiClG,EAAA,SAAUa,EAASqB,EAAM,CAC9D,MACEqC,EAAAA,GAAmBrC,CAAD,GAClBD,GAAYC,CAAD,EAAS,GACpB,CAAC+D,EAAgCpF,EAASqB,CAAV,EAKnC,EATsC,kCAWjCiE,GAA4BnG,EAAA,SAAUoG,EAAgB,CAC1D,IAAMhE,EAAWI,SAAS4D,EAAe3D,aAAa,UAA5B,EAAyC,EAA1C,EACzB,MAAIF,SAAMH,CAAD,GAAcA,GAAY,EAMpC,EARiC,6BAc5BiE,GAAcrG,EAAA,SAAdqG,EAAwBjG,EAAY,CACxC,IAAMkG,EAAmB,CAAA,EACnBC,EAAmB,CAAA,EACzBnG,OAAAA,EAAWoG,QAAQ,SAAUR,EAAMxC,EAAG,CACpC,IAAMrB,EAAU,CAAC,CAAC6D,EAAKtE,MACjB7B,EAAUsC,EAAU6D,EAAKtE,MAAQsE,EACjCS,EAAoBxE,GAAYpC,EAASsC,CAAV,EAC/BvB,EAAWuB,EAAUkE,EAAYL,EAAK5F,UAAN,EAAoBP,EACtD4G,IAAsB,EACxBtE,EACImE,EAAiB7E,KAAjB,MAAA6E,EAAyB1F,CAAT,EAChB0F,EAAiB7E,KAAK5B,CAAtB,EAEJ0G,EAAiB9E,KAAK,CACpBoB,cAAeW,EACfpB,SAAUqE,EACVT,KAAMA,EACN7D,QAASA,EACTd,QAAST,EALX,EAVJ,EAoBO2F,EACJG,KAAKhE,EADD,EAEJiE,OAAO,SAACC,EAAKC,EAAa,CACzBA,OAAAA,EAAS1E,QACLyE,EAAInF,KAAJ,MAAAmF,EAAYC,EAASxF,OAAlB,EACHuF,EAAInF,KAAKoF,EAASxF,OAAlB,EACGuF,CACR,EAAE,CAAA,CAPE,EAQJE,OAAOR,CARH,CASR,EAhCmB,eAkCdS,GAAW/G,EAAA,SAAUC,EAAIY,EAAS,CACtCA,EAAUA,GAAW,CAAA,EAErB,IAAIT,EACJ,OAAIS,EAAQiB,cACV1B,EAAaO,GAAyB,CAACV,CAAD,EAAMY,EAAQX,iBAAkB,CACpEC,OAAQ+F,GAA+Bc,KAAK,KAAMnG,CAA1C,EACRW,QAAS,GACTM,cAAejB,EAAQiB,cACvBE,iBAAkBmE,EAJkD,CAAjC,EAOrC/F,EAAaL,GACXE,EACAY,EAAQX,iBACRgG,GAA+Bc,KAAK,KAAMnG,CAA1C,CAHwB,EAMrBwF,GAAYjG,CAAD,CACnB,EAnBgB,YAqBX6G,GAAYjH,EAAA,SAAUC,EAAIY,EAAS,CACvCA,EAAUA,GAAW,CAAA,EAErB,IAAIT,EACJ,OAAIS,EAAQiB,cACV1B,EAAaO,GAAyB,CAACV,CAAD,EAAMY,EAAQX,iBAAkB,CACpEC,OAAQ8F,EAAgCe,KAAK,KAAMnG,CAA3C,EACRW,QAAS,GACTM,cAAejB,EAAQiB,aAH6C,CAAjC,EAMrC1B,EAAaL,GACXE,EACAY,EAAQX,iBACR+F,EAAgCe,KAAK,KAAMnG,CAA3C,CAHwB,EAOrBT,CACR,EAnBiB,aAqBZ8G,GAAalH,EAAA,SAAUkC,EAAMrB,EAAS,CAE1C,GADAA,EAAUA,GAAW,CAAA,EACjB,CAACqB,EACH,MAAM,IAAIiF,MAAM,kBAAV,EAER,OAAI3H,EAAQiB,KAAKyB,EAAM9C,CAAnB,IAA0C,GACrC,GAEF8G,GAA+BrF,EAASqB,CAAV,CACtC,EATkB,cAWbkF,GAA6CjI,GAChD2H,OAAO,QADyC,EAEhDzH,KAAK,GAF2C,EAI7CgI,GAAcrH,EAAA,SAAUkC,EAAMrB,EAAS,CAE3C,GADAA,EAAUA,GAAW,CAAA,EACjB,CAACqB,EACH,MAAM,IAAIiF,MAAM,kBAAV,EAER,OAAI3H,EAAQiB,KAAKyB,EAAMkF,EAAnB,IAAmD,GAC9C,GAEFnB,EAAgCpF,EAASqB,CAAV,CACvC,EATmB,85BClhBpB,IAAMoF,GAAoB,UAAY,CACpC,IAAMC,EAAY,CAAA,EAClB,MAAO,CACLC,aADKC,EAAA,SACQC,EAAM,CACjB,GAAIH,EAAUI,OAAS,EAAG,CACxB,IAAMC,EAAaL,EAAUA,EAAUI,OAAS,CAApB,EACxBC,IAAeF,GACjBE,EAAWC,MAAX,CAEH,CAED,IAAMC,EAAYP,EAAUQ,QAAQL,CAAlB,EACdI,IAAc,IAIhBP,EAAUS,OAAOF,EAAW,CAA5B,EACAP,EAAUU,KAAKP,CAAf,CAEH,EAjBI,gBAmBLQ,eAnBKT,EAAA,SAmBUC,EAAM,CACnB,IAAMI,EAAYP,EAAUQ,QAAQL,CAAlB,EACdI,IAAc,IAChBP,EAAUS,OAAOF,EAAW,CAA5B,EAGEP,EAAUI,OAAS,GACrBJ,EAAUA,EAAUI,OAAS,CAApB,EAAuBQ,QAAhC,CAEH,EA5BI,iBAAA,CA8BR,EAhCwB,EAkCnBC,GAAoBX,EAAA,SAAUY,EAAM,CACxC,OACEA,EAAKC,SACLD,EAAKC,QAAQC,YAAb,IAA+B,SAC/B,OAAOF,EAAKG,QAAW,UAE1B,EANyB,qBAQpBC,GAAgBhB,EAAA,SAAUiB,EAAG,CACjC,OAAOA,EAAEC,MAAQ,UAAYD,EAAEC,MAAQ,OAASD,EAAEE,UAAY,EAC/D,EAFqB,iBAIhBC,GAAapB,EAAA,SAAUiB,EAAG,CAC9B,OAAOA,EAAEC,MAAQ,OAASD,EAAEE,UAAY,CACzC,EAFkB,cAIbE,GAAQrB,EAAA,SAAUsB,EAAI,CAC1B,OAAOC,WAAWD,EAAI,CAAL,CAClB,EAFa,SAMRE,GAAYxB,EAAA,SAAUyB,EAAKH,EAAI,CACnC,IAAII,EAAM,GAEVD,OAAAA,EAAIE,MAAM,SAAUC,EAAOC,EAAG,CAC5B,OAAIP,EAAGM,CAAD,GACJF,EAAMG,EACC,IAGF,EACR,CAPD,EASOH,CACR,EAbiB,aAsBZI,EAAiB9B,EAAA,SAAU4B,EAAkB,CAAA,QAAAG,EAAA,UAAA,OAARC,EAAQ,IAAA,MAAAD,EAAA,EAAAA,EAAA,EAAA,CAAA,EAAAE,EAAA,EAAAA,EAAAF,EAAAE,IAARD,EAAQC,EAAA,CAAA,EAAA,UAAAA,CAAA,EACjD,OAAO,OAAOL,GAAU,WAAaA,EAAK,MAAL,OAASI,CAAT,EAAmBJ,CACzD,EAFsB,kBAIjBM,EAAkBlC,EAAA,SAAUmC,EAAO,CAQvC,OAAOA,EAAMC,OAAOC,YAAc,OAAOF,EAAMG,cAAiB,WAC5DH,EAAMG,aAAN,EAAqB,CAArB,EACAH,EAAMC,MACX,EAXuB,mBAalBG,GAAkBvC,EAAA,SAAUwC,EAAUC,EAAa,CAGvD,IAAMC,EAAMD,GAAaE,UAAYA,SAE/BC,EAAMC,GAAA,CACVC,wBAAyB,GACzBC,kBAAmB,GACnBC,kBAAmB,EAHT,EAIPP,CAJO,EAONQ,EAAQ,CAEZC,WAAY,CAAA,EASZC,eAAgB,CAAA,EAEhBC,4BAA6B,KAC7BC,wBAAyB,KACzBC,OAAQ,GACRC,OAAQ,GAIRC,uBAAwBC,MApBZ,EAuBVxD,EAEEyD,EAAY1D,EAAA,SAAC2D,EAAuBC,EAAYC,EAAqB,CACzE,OAAOF,GACLA,EAAsBC,CAAD,IAAiBH,OACpCE,EAAsBC,CAAD,EACrBhB,EAAOiB,GAAoBD,CAArB,CACX,EALiB,aAOZE,EAAoB9D,EAAA,SAAU+D,EAAS,CAC3C,MAAO,CAAC,EACNA,GACAd,EAAMC,WAAWc,KAAK,SAACC,EAAD,CAAA,OAAeA,EAAUC,SAASH,CAAnB,CAAf,CAAtB,EAEH,EALyB,qBAoBpBI,EAAmBnE,EAAA,SAAU4D,EAAuB,CACxD,IAAIQ,EAAcxB,EAAOgB,CAAD,EAExB,GAAI,OAAOQ,GAAgB,WAAY,CAAA,QAAAC,EAAA,UAAA,OAHSrC,EAGT,IAAA,MAAAqC,EAAA,EAAAA,EAAA,EAAA,CAAA,EAAAC,EAAA,EAAAA,EAAAD,EAAAC,IAHStC,EAGTsC,EAAA,CAAA,EAAA,UAAAA,CAAA,EACrCF,EAAcA,EAAW,MAAX,OAAepC,CAAf,CACf,CAED,GAAI,CAACoC,EAAa,CAChB,GAAIA,IAAgBX,QAAaW,IAAgB,GAC/C,OAAOA,EAIT,MAAM,IAAIG,MAAJ,IAAA,OACCX,EADD,8DAAA,CAAA,CAGP,CAED,IAAIhD,EAAOwD,EAEX,GAAI,OAAOA,GAAgB,WACzBxD,EAAO8B,EAAI8B,cAAcJ,CAAlB,EACH,CAACxD,GACH,MAAM,IAAI2D,MAAJ,IAAA,OACCX,EADD,uCAAA,CAAA,EAMV,OAAOhD,CACR,EA9BwB,oBAgCnB6D,EAAsBzE,EAAA,UAAY,CACtC,IAAIY,EAAOuD,EAAiB,cAAD,EAG3B,GAAIvD,IAAS,GACX,MAAO,GAGT,GAAIA,IAAS6C,OAEX,GAAIK,EAAkBpB,EAAIgC,aAAL,EACnB9D,EAAO8B,EAAIgC,kBACN,CACL,IAAMC,EAAqB1B,EAAME,eAAe,CAArB,EACrByB,EACJD,GAAsBA,EAAmBC,kBAG3ChE,EAAOgE,GAAqBT,EAAiB,eAAD,CAC7C,CAGH,GAAI,CAACvD,EACH,MAAM,IAAI2D,MACR,8DADI,EAKR,OAAO3D,CACR,EA7B2B,uBA+BtBiE,EAAsB7E,EAAA,UAAY,CAkBtC,GAjBAiD,EAAME,eAAiBF,EAAMC,WAC1B4B,IAAI,SAACb,EAAc,CAClB,IAAMc,EAAgBC,EAAAA,SAASf,CAAD,EAE9B,GAAIc,EAAc7E,OAAS,EACzB,MAAO,CACL+D,UAAAA,EACAW,kBAAmBG,EAAc,CAAD,EAChCE,iBAAkBF,EAAcA,EAAc7E,OAAS,CAAxB,CAH1B,CAQV,CAboB,EAcpBgF,OAAO,SAACC,EAAD,CAAA,MAAW,CAAC,CAACA,CAAb,CAda,EAkBrBlC,EAAME,eAAejD,QAAU,GAC/B,CAACiE,EAAiB,eAAD,EAEjB,MAAM,IAAII,MACR,qGADI,CAIT,EA1B2B,uBA4BtBa,EAAWpF,EAAA,SAAXoF,EAAqBxE,EAAM,CAC/B,GAAIA,IAAS,IAITA,IAAS8B,EAAIgC,cAIjB,IAAI,CAAC9D,GAAQ,CAACA,EAAKyE,MAAO,CACxBD,EAASX,EAAmB,CAApB,EACR,MACD,CAED7D,EAAKyE,MAAM,CAAEC,cAAe,CAAC,CAAC1C,EAAO0C,aAA1B,CAAX,EACArC,EAAMI,wBAA0BzC,EAE5BD,GAAkBC,CAAD,GACnBA,EAAKG,OAAL,EAEH,EApBgB,YAsBXwE,EAAqBvF,EAAA,SAAUwF,EAAuB,CAC1D,IAAM5E,EAAOuD,EAAiB,iBAAkBqB,CAAnB,EAC7B,OAAO5E,IAAcA,IAAS,GAAQ,GAAQ4E,EAC/C,EAH0B,sBAOrBC,EAAmBzF,EAAA,SAAUiB,EAAG,CACpC,IAAMmB,EAASF,EAAgBjB,CAAD,EAE9B,GAAI6C,CAAAA,EAAkB1B,CAAD,EAKrB,IAAIN,EAAec,EAAO8C,wBAAyBzE,CAAjC,EAAqC,CAErDhB,EAAK0F,WAAW,CAYdC,YAAahD,EAAOE,yBAA2B,CAAC+C,EAAAA,YAAYzD,CAAD,CAZ7C,CAAhB,EAcA,MACD,CAKGN,EAAec,EAAOkD,kBAAmB7E,CAA3B,GAMlBA,EAAE8E,eAAF,EACD,EArCwB,oBAwCnBC,GAAehG,EAAA,SAAUiB,EAAG,CAChC,IAAMmB,EAASF,EAAgBjB,CAAD,EACxBgF,EAAkBnC,EAAkB1B,CAAD,EAGrC6D,GAAmB7D,aAAkB8D,SACnCD,IACFhD,EAAMI,wBAA0BjB,IAIlCnB,EAAEkF,yBAAF,EACAf,EAASnC,EAAMI,yBAA2BoB,EAAmB,CAArD,EAEX,EAdoB,gBAoBf2B,GAAWpG,EAAA,SAAUiB,EAAG,CAC5B,IAAMmB,EAASF,EAAgBjB,CAAD,EAC9B4D,EAAmB,EAEnB,IAAIwB,EAAkB,KAEtB,GAAIpD,EAAME,eAAejD,OAAS,EAAG,CAInC,IAAMoG,EAAiB9E,GAAUyB,EAAME,eAAgB,SAAAoD,EAAA,CAAA,IAAGtC,EAAHsC,EAAGtC,UAAH,OACrDA,EAAUC,SAAS9B,CAAnB,CADqD,CAAvB,EAIhC,GAAIkE,EAAiB,EAGfrF,EAAEuF,SAEJH,EACEpD,EAAME,eAAeF,EAAME,eAAejD,OAAS,CAAnD,EACG+E,iBAGLoB,EAAkBpD,EAAME,eAAe,CAArB,EAAwByB,0BAEnC3D,EAAEuF,SAAU,CAIrB,IAAIC,EAAoBjF,GACtByB,EAAME,eACN,SAAAuD,EAAA,CAAA,IAAG9B,EAAH8B,EAAG9B,kBAAH,OAA2BxC,IAAWwC,CAAtC,CAF+B,EAkBjC,GAZE6B,EAAoB,IACnBxD,EAAME,eAAemD,CAArB,EAAqCrC,YAAc7B,GACjDyD,EAAAA,YAAYzD,CAAD,GAAY,CAACuE,EAAAA,WAAWvE,CAAD,KAOrCqE,EAAoBH,GAGlBG,GAAqB,EAAG,CAI1B,IAAMG,EACJH,IAAsB,EAClBxD,EAAME,eAAejD,OAAS,EAC9BuG,EAAoB,EAEpBI,GAAmB5D,EAAME,eAAeyD,CAArB,EACzBP,EAAkBQ,GAAiB5B,gBACpC,CACF,KAAM,CAIL,IAAI6B,EAAmBtF,GACrByB,EAAME,eACN,SAAA4D,EAAA,CAAA,IAAG9B,EAAH8B,EAAG9B,iBAAH,OAA0B7C,IAAW6C,CAArC,CAF8B,EAkBhC,GAZE6B,EAAmB,IAClB7D,EAAME,eAAemD,CAArB,EAAqCrC,YAAc7B,GACjDyD,EAAAA,YAAYzD,CAAD,GAAY,CAACuE,EAAAA,WAAWvE,CAAD,KAOrC0E,EAAmBR,GAGjBQ,GAAoB,EAAG,CAIzB,IAAMF,GACJE,IAAqB7D,EAAME,eAAejD,OAAS,EAC/C,EACA4G,EAAmB,EAEnBD,GAAmB5D,EAAME,eAAeyD,EAArB,EACzBP,EAAkBQ,GAAiBjC,iBACpC,CACF,CACF,MAECyB,EAAkBlC,EAAiB,eAAD,EAGhCkC,IACFpF,EAAE8E,eAAF,EACAX,EAASiB,CAAD,EAGX,EAzGgB,YA2GXW,GAAWhH,EAAA,SAAUiB,EAAG,CAC5B,GACED,GAAcC,CAAD,GACba,EAAec,EAAOG,kBAAmB9B,CAA3B,IAAkC,GAChD,CACAA,EAAE8E,eAAF,EACA9F,EAAK0F,WAAL,EACA,MACD,CAED,GAAIvE,GAAWH,CAAD,EAAK,CACjBmF,GAASnF,CAAD,EACR,MACD,CACF,EAdgB,YAgBXgG,GAAajH,EAAA,SAAUiB,EAAG,CAC9B,GAAIa,CAAAA,EAAec,EAAO8C,wBAAyBzE,CAAjC,EAIlB,KAAMmB,EAASF,EAAgBjB,CAAD,EAE1B6C,EAAkB1B,CAAD,GAIjBN,EAAec,EAAOkD,kBAAmB7E,CAA3B,IAIlBA,EAAE8E,eAAF,EACA9E,EAAEkF,yBAAF,GACD,EAjBkB,cAuBbe,GAAelH,EAAA,UAAY,CAC/B,GAAKiD,EAAMK,OAKXzD,OAAAA,GAAiBE,aAAaE,CAA9B,EAIAgD,EAAMO,uBAAyBZ,EAAOI,kBAClC3B,GAAM,UAAY,CAChB+D,EAASX,EAAmB,CAApB,CACT,CAFI,EAGLW,EAASX,EAAmB,CAApB,EAEZ/B,EAAIyE,iBAAiB,UAAWnB,GAAc,EAA9C,EACAtD,EAAIyE,iBAAiB,YAAa1B,EAAkB,CAClD2B,QAAS,GACTC,QAAS,EAFyC,CAApD,EAIA3E,EAAIyE,iBAAiB,aAAc1B,EAAkB,CACnD2B,QAAS,GACTC,QAAS,EAF0C,CAArD,EAIA3E,EAAIyE,iBAAiB,QAASF,GAAY,CACxCG,QAAS,GACTC,QAAS,EAF+B,CAA1C,EAIA3E,EAAIyE,iBAAiB,UAAWH,GAAU,CACxCI,QAAS,GACTC,QAAS,EAF+B,CAA1C,EAKOpH,CACR,EAnCoB,gBAqCfqH,GAAkBtH,EAAA,UAAY,CAClC,GAAKiD,EAAMK,OAIXZ,OAAAA,EAAI6E,oBAAoB,UAAWvB,GAAc,EAAjD,EACAtD,EAAI6E,oBAAoB,YAAa9B,EAAkB,EAAvD,EACA/C,EAAI6E,oBAAoB,aAAc9B,EAAkB,EAAxD,EACA/C,EAAI6E,oBAAoB,QAASN,GAAY,EAA7C,EACAvE,EAAI6E,oBAAoB,UAAWP,GAAU,EAA7C,EAEO/G,CACR,EAZuB,mBAkBxBA,OAAAA,EAAO,CACLuH,SADKxH,EAAA,SACIyH,EAAiB,CACxB,GAAIxE,EAAMK,OACR,OAAO,KAGT,IAAMoE,EAAahE,EAAU+D,EAAiB,YAAlB,EACtBE,EAAiBjE,EAAU+D,EAAiB,gBAAlB,EAC1BG,EAAoBlE,EAAU+D,EAAiB,mBAAlB,EAE9BG,GACH/C,EAAmB,EAGrB5B,EAAMK,OAAS,GACfL,EAAMM,OAAS,GACfN,EAAMG,4BAA8BV,EAAIgC,cAEpCgD,GACFA,EAAU,EAGZ,IAAMG,EAAmB7H,EAAA,UAAM,CACzB4H,GACF/C,EAAmB,EAErBqC,GAAY,EACRS,GACFA,EAAc,CAEjB,EARwB,oBAUzB,OAAIC,GACFA,EAAkB3E,EAAMC,WAAW4E,OAAjB,CAAD,EAA4BC,KAC3CF,EACAA,CAFF,EAIO,OAGTA,EAAgB,EACT,KACR,EA1CI,YA4CLlC,WA5CK3F,EAAA,SA4CMgI,EAAmB,CAC5B,GAAI,CAAC/E,EAAMK,OACT,OAAO,KAGT2E,aAAahF,EAAMO,sBAAP,EACZP,EAAMO,uBAAyBC,OAE/B6D,GAAe,EACfrE,EAAMK,OAAS,GACfL,EAAMM,OAAS,GAEf1D,GAAiBY,eAAeR,CAAhC,EAEA,IAAMiI,EAAexE,EAAUsE,EAAmB,cAApB,EACxBG,EAAmBzE,EAAUsE,EAAmB,kBAApB,EAC5BI,EAAsB1E,EAC1BsE,EACA,qBAFmC,EAKjCE,GACFA,EAAY,EAGd,IAAMtC,EAAclC,EAClBsE,EACA,cACA,yBAH2B,EAMvBK,EAAqBrI,EAAA,UAAM,CAC/BqB,GAAM,UAAM,CACNuE,GACFR,EAASG,EAAmBtC,EAAMG,2BAAP,CAAnB,EAEN+E,GACFA,EAAgB,CAEnB,CAPI,CAQN,EAT0B,sBAW3B,OAAIvC,GAAewC,GACjBA,EACE7C,EAAmBtC,EAAMG,2BAAP,CADD,EAEjB2E,KAAKM,EAAoBA,CAF3B,EAGO,OAGTA,EAAkB,EACX,KACR,EA/FI,cAiGLjI,MAjGKJ,EAAA,UAiGG,CACN,OAAIiD,EAAMM,QAAU,CAACN,EAAMK,OAClB,MAGTL,EAAMM,OAAS,GACf+D,GAAe,EAER,KACR,EA1GI,SA4GL5G,QA5GKV,EAAA,UA4GK,CACR,MAAI,CAACiD,EAAMM,QAAU,CAACN,EAAMK,OACnB,MAGTL,EAAMM,OAAS,GACfsB,EAAmB,EACnBqC,GAAY,EAEL,KACR,EAtHI,WAwHLoB,wBAxHKtI,EAAA,SAwHmBuI,EAAmB,CACzC,IAAMC,EAAkB,CAAA,EAAGV,OAAOS,CAAV,EAA6BrD,OAAOuD,OAApC,EAExBxF,OAAAA,EAAMC,WAAasF,EAAgB1D,IAAI,SAACf,EAAD,CAAA,OACrC,OAAOA,GAAY,SAAWrB,EAAI8B,cAAcT,CAAlB,EAA6BA,CADtB,CAApB,EAIfd,EAAMK,QACRuB,EAAmB,EAGd,IACR,EApII,0BAAA,EAwIP5E,EAAKqI,wBAAwB9F,CAA7B,EAEOvC,CACR,EAxkBuB,2CCjGxB,IAAAyI,GAAAC,GAAA,CAAAC,GAAAC,KAAA,cAEA,SAASC,GAAQC,EAAK,CAAE,0BAA2B,OAAOD,GAAwB,OAAO,QAArB,YAA2C,OAAO,OAAO,UAA1B,SAAqC,SAAUC,EAAK,CAAE,OAAO,OAAOA,CAAK,EAAI,SAAUA,EAAK,CAAE,OAAOA,GAAqB,OAAO,QAArB,YAA+BA,EAAI,cAAgB,QAAUA,IAAQ,OAAO,UAAY,SAAW,OAAOA,CAAK,EAAGD,GAAQC,CAAG,CAAG,CAAtUC,EAAAF,GAAA,WAET,SAASG,GAAgBC,EAAUC,EAAa,CAAE,GAAI,EAAED,aAAoBC,GAAgB,MAAM,IAAI,UAAU,mCAAmC,CAAK,CAA/IH,EAAAC,GAAA,mBAET,SAASG,GAAkBC,EAAQC,EAAO,CAAE,QAASC,EAAI,EAAGA,EAAID,EAAM,OAAQC,IAAK,CAAE,IAAIC,EAAaF,EAAMC,CAAC,EAAGC,EAAW,WAAaA,EAAW,YAAc,GAAOA,EAAW,aAAe,GAAU,UAAWA,IAAYA,EAAW,SAAW,IAAM,OAAO,eAAeH,EAAQG,EAAW,IAAKA,CAAU,CAAG,CAAE,CAAnTR,EAAAI,GAAA,qBAET,SAASK,GAAaN,EAAaO,EAAYC,EAAa,CAAE,OAAID,GAAYN,GAAkBD,EAAY,UAAWO,CAAU,EAAOC,GAAaP,GAAkBD,EAAaQ,CAAW,EAAG,OAAO,eAAeR,EAAa,YAAa,CAAE,SAAU,EAAM,CAAC,EAAUA,CAAa,CAAnRH,EAAAS,GAAA,gBAET,SAASG,GAAUC,EAAUC,EAAY,CAAE,GAAI,OAAOA,GAAe,YAAcA,IAAe,KAAQ,MAAM,IAAI,UAAU,oDAAoD,EAAKD,EAAS,UAAY,OAAO,OAAOC,GAAcA,EAAW,UAAW,CAAE,YAAa,CAAE,MAAOD,EAAU,SAAU,GAAM,aAAc,EAAK,CAAE,CAAC,EAAG,OAAO,eAAeA,EAAU,YAAa,CAAE,SAAU,EAAM,CAAC,EAAOC,GAAYC,GAAgBF,EAAUC,CAAU,CAAG,CAA1bd,EAAAY,GAAA,aAET,SAASG,GAAgBC,EAAGC,EAAG,CAAE,OAAAF,GAAkB,OAAO,gBAAkBf,EAAA,SAAyBgB,EAAGC,EAAG,CAAE,OAAAD,EAAE,UAAYC,EAAUD,CAAG,EAA5D,mBAAsED,GAAgBC,EAAGC,CAAC,CAAG,CAAhKjB,EAAAe,GAAA,mBAET,SAASG,GAAaC,EAAS,CAAE,IAAIC,EAA4BC,GAA0B,EAAG,OAAOrB,EAAA,UAAgC,CAAE,IAAIsB,EAAQC,GAAgBJ,CAAO,EAAGK,EAAQ,GAAIJ,EAA2B,CAAE,IAAIK,EAAYF,GAAgB,IAAI,EAAE,YAAaC,EAAS,QAAQ,UAAUF,EAAO,UAAWG,CAAS,CAAG,MAASD,EAASF,EAAM,MAAM,KAAM,SAAS,EAAK,OAAOI,GAA2B,KAAMF,CAAM,CAAG,EAAhU,uBAAmU,CAA/ZxB,EAAAkB,GAAA,gBAET,SAASQ,GAA2BC,EAAMC,EAAM,CAAE,GAAIA,IAAS9B,GAAQ8B,CAAI,IAAM,UAAY,OAAOA,GAAS,YAAe,OAAOA,EAAa,GAAIA,IAAS,OAAU,MAAM,IAAI,UAAU,0DAA0D,EAAK,OAAOC,GAAuBF,CAAI,CAAG,CAAtR3B,EAAA0B,GAAA,8BAET,SAASG,GAAuBF,EAAM,CAAE,GAAIA,IAAS,OAAU,MAAM,IAAI,eAAe,2DAA2D,EAAK,OAAOA,CAAM,CAA5J3B,EAAA6B,GAAA,0BAET,SAASR,IAA4B,CAA0E,GAApE,OAAO,QAAY,KAAe,CAAC,QAAQ,WAA6B,QAAQ,UAAU,KAAM,MAAO,GAAO,GAAI,OAAO,OAAU,WAAY,MAAO,GAAM,GAAI,CAAE,eAAQ,UAAU,QAAQ,KAAK,QAAQ,UAAU,QAAS,CAAC,EAAG,UAAY,CAAC,CAAC,CAAC,EAAU,EAAM,MAAY,CAAE,MAAO,EAAO,CAAE,CAA/TrB,EAAAqB,GAAA,6BAET,SAASE,GAAgBP,EAAG,CAAE,OAAAO,GAAkB,OAAO,eAAiB,OAAO,eAAiBvB,EAAA,SAAyBgB,EAAG,CAAE,OAAOA,EAAE,WAAa,OAAO,eAAeA,CAAC,CAAG,EAA9E,mBAAwFO,GAAgBP,CAAC,CAAG,CAAnMhB,EAAAuB,GAAA,mBAET,IAAIO,GAAQ,YAERC,GAAW,YAEXC,EAAY,KAEZC,GAAW,KACXC,GAAkBD,GAAS,gBAO3BE,GAAyB,SAAUC,EAAkB,CACvDxB,GAAUuB,EAAWC,CAAgB,EAErC,IAAIC,EAASnB,GAAaiB,CAAS,EAEnC,SAASA,EAAU7B,EAAO,CACxB,IAAIgC,EAEJrC,GAAgB,KAAMkC,CAAS,EAE/BG,EAAQD,EAAO,KAAK,KAAM/B,CAAK,EAM/BgC,EAAM,yBAA2B,CAC/B,wBAAyB,EAC3B,EAGAA,EAAM,wBAA0B,GAChC,IAAIC,EAAmBjC,EAAM,iBAE7B,QAASkC,KAAcD,EACrB,GAAK,OAAO,UAAU,eAAe,KAAKA,EAAkBC,CAAU,EAItE,IAAIA,IAAe,0BAA2B,CAC5CF,EAAM,wBAA0B,CAAC,CAACC,EAAiBC,CAAU,EAC7D,QACF,CAEA,GAAIA,IAAe,mBAAoB,CACrCF,EAAM,iBAAmBC,EAAiBC,CAAU,EACpD,QACF,CAEAF,EAAM,yBAAyBE,CAAU,EAAID,EAAiBC,CAAU,EAM1E,OAAAF,EAAM,kBAAoBhC,EAAM,mBAAqB,CAAC,EAEtDgC,EAAM,sBAAsB,EAErBA,CACT,CA7CS,OAAAtC,EAAAmC,EAAA,aAsDT1B,GAAa0B,EAAW,CAAC,CACvB,IAAK,cACL,MAAOnC,EAAA,UAAuB,CAE5B,OAAO,KAAK,MAAM,iBAAiB,WAAa,OAAO,SAAa,IAAc,SAAW,OAC/F,EAHO,cAKT,EAAG,CACD,IAAK,mBACL,MAAOA,EAAA,SAA0BwC,EAAY,CAC3C,IAAIC,EAAc,KAAK,yBAAyBD,CAAU,EAE1D,GAAI,CAACC,EACH,OAAO,KAGT,IAAIC,EAAOD,EAEX,GAAI,OAAOA,GAAgB,SAAU,CACnC,IAAIE,EAIJ,GAFAD,GAAQC,EAAoB,KAAK,YAAY,KAAO,MAAQA,IAAsB,OAAS,OAASA,EAAkB,cAAcF,CAAW,EAE3I,CAACC,EACH,MAAM,IAAI,MAAM,IAAI,OAAOF,EAAY,2BAA2B,CAAC,CAEvE,CAEA,GAAI,OAAOC,GAAgB,aACzBC,EAAOD,EAAY,EAEf,CAACC,GACH,MAAM,IAAI,MAAM,IAAI,OAAOF,EAAY,yBAAyB,CAAC,EAIrE,OAAOE,CACT,EA5BO,mBA6BT,EAAG,CACD,IAAK,qBACL,MAAO1C,EAAA,UAA8B,CACnC,IAAI0C,EAAO,KAAK,iBAAiB,gBAAgB,EACjD,OAAOA,GAAc,KAAK,wBAC5B,EAHO,qBAMT,EAAG,CACD,IAAK,wBACL,MAAO1C,EAAA,UAAiC,CACtC,IAAI4C,EAAkB,KAAK,YAAY,EAEnCA,IACF,KAAK,yBAA2BA,EAAgB,cAEpD,EANO,wBAOT,EAAG,CACD,IAAK,iBACL,MAAO5C,EAAA,UAA0B,CAC/B,IAAI6C,EAAS,KAETC,EAAwB,KAAK,yBAC7BC,EAAsBD,EAAsB,oBAC5CE,EAAyBF,EAAsB,cAC/CG,EAAgBD,IAA2B,OAAS,GAAQA,EAE5D,KAAK,WAEP,KAAK,UAAU,WAAW,CACxB,YAAa,EACf,CAAC,EAGH,IAAIE,EAAqBlD,EAAA,UAA8B,CACrD,IAAImD,EAAkBN,EAAO,mBAAmB,EAE5CO,EAAoFD,GAAgB,OAAUN,EAAO,wBAErHO,GAEFD,EAAgB,MAAM,CACpB,cAAeF,CACjB,CAAC,EAGCJ,EAAO,kBACTA,EAAO,iBAAiB,KAAK,IAAI,CAGrC,EAhByB,sBAkBrBE,EACFA,EAAoB,KAAK,mBAAmB,CAAC,EAAE,KAAKG,EAAoBA,CAAkB,EAE1FA,EAAmB,CAEvB,EAtCO,iBAuCT,EAAG,CACD,IAAK,iBACL,MAAOlD,EAAA,UAA0B,CAC/B,GAAI,CAAC,KAAK,UAAW,CACnB,IAAIqD,EAA2B,KAAK,kBAAkB,IAGtDtB,GAAS,WAAW,EAChBuB,EAAaD,EAAyB,KAAK,OAAO,EAElDC,IAEF,KAAK,UAAY,KAAK,MAAM,iBAAiBD,EAA0B,KAAK,wBAAwB,EAEhG,KAAK,MAAM,QACb,KAAK,UAAU,SAAS,EAGtB,KAAK,MAAM,QACb,KAAK,UAAU,MAAM,EAG3B,CACF,EArBO,iBAsBT,EAAG,CACD,IAAK,oBACL,MAAOrD,EAAA,UAA6B,CAC9B,KAAK,MAAM,QACb,KAAK,eAAe,CAOxB,EATO,oBAUT,EAAG,CACD,IAAK,qBACL,MAAOA,EAAA,SAA4BuD,EAAW,CAC5C,GAAI,KAAK,UAAW,CACdA,EAAU,oBAAsB,KAAK,MAAM,mBAC7C,KAAK,UAAU,wBAAwB,KAAK,MAAM,iBAAiB,EAGrE,IAAIC,EAAe,CAACD,EAAU,QAAU,KAAK,MAAM,OAC/CE,EAAiBF,EAAU,QAAU,CAAC,KAAK,MAAM,OACjDG,EAAY,CAACH,EAAU,QAAU,KAAK,MAAM,OAC5CI,EAAcJ,EAAU,QAAU,CAAC,KAAK,MAAM,OAOlD,GALIC,IACF,KAAK,sBAAsB,EAC3B,KAAK,UAAU,SAAS,GAGtBC,EAAgB,CAClB,KAAK,eAAe,EACpB,MACF,CAEIC,GACF,KAAK,UAAU,MAAM,EAGnBC,GACF,KAAK,UAAU,QAAQ,CAE3B,MAKMJ,EAAU,oBAAsB,KAAK,MAAM,oBAC7C,KAAK,kBAAoB,KAAK,MAAM,mBAMlC,KAAK,MAAM,SACb,KAAK,sBAAsB,EAC3B,KAAK,eAAe,EAG1B,EA7CO,qBA8CT,EAAG,CACD,IAAK,uBACL,MAAOvD,EAAA,UAAgC,CACrC,KAAK,eAAe,CACtB,EAFO,uBAGT,EAAG,CACD,IAAK,SACL,MAAOA,EAAA,UAAkB,CACvB,IAAI4D,EAAS,KAETC,EAAQ,KAAK,MAAM,SAAW/B,GAAM,SAAS,KAAK,KAAK,MAAM,QAAQ,EAAI,OAE7E,GAAI+B,EAAO,CACT,GAAIA,EAAM,MAAQA,EAAM,OAAS/B,GAAM,SACrC,MAAM,IAAI,MAAM,mGAAmG,EAGrH,IAAIgC,EAAsB9D,EAAA,SAA6B+D,EAAS,CAC9D,IAAIC,EAAoBJ,EAAO,MAAM,kBAEjCC,IACE,OAAOA,EAAM,KAAQ,WACvBA,EAAM,IAAIE,CAAO,EACRF,EAAM,MACfA,EAAM,IAAI,QAAUE,IAIxBH,EAAO,kBAAoBI,GAAwC,CAACD,CAAO,CAC7E,EAZ0B,uBActBE,EAAenC,GAAM,aAAa+B,EAAO,CAC3C,IAAKC,CACP,CAAC,EACD,OAAOG,CACT,CAEA,OAAO,IACT,EA/BO,SAgCT,CAAC,CAAC,EAEK9B,CACT,EAAEL,GAAM,SAAS,EAGboC,EAAc,OAAO,QAAY,IAAc,SAAW,QAC9D/B,GAAU,UAAY,CACpB,OAAQH,EAAU,KAClB,OAAQA,EAAU,KAClB,iBAAkBA,EAAU,MAAM,CAChC,SAAUA,EAAU,OACpB,WAAYA,EAAU,KACtB,eAAgBA,EAAU,KAC1B,kBAAmBA,EAAU,KAC7B,aAAcA,EAAU,KACxB,iBAAkBA,EAAU,KAC5B,oBAAqBA,EAAU,KAC/B,aAAcA,EAAU,UAAU,CAACA,EAAU,WAAWkC,CAAW,EAAGlC,EAAU,OAAQA,EAAU,KAAMA,EAAU,IAAI,CAAC,EACvH,cAAeA,EAAU,UAAU,CAACA,EAAU,WAAWkC,CAAW,EAAGlC,EAAU,OAAQA,EAAU,IAAI,CAAC,EACxG,kBAAmBA,EAAU,UAAU,CAACA,EAAU,KAAMA,EAAU,IAAI,CAAC,EACvE,wBAAyBA,EAAU,UAAU,CAACA,EAAU,KAAMA,EAAU,IAAI,CAAC,EAC7E,wBAAyBA,EAAU,KACnC,eAAgBA,EAAU,UAAU,CAACA,EAAU,WAAWkC,CAAW,EAAGlC,EAAU,OAAQA,EAAU,IAAI,CAAC,EACzG,kBAAmBA,EAAU,UAAU,CAACA,EAAU,KAAMA,EAAU,IAAI,CAAC,EACvE,cAAeA,EAAU,IAC3B,CAAC,EACD,kBAAmBA,EAAU,QAAQA,EAAU,WAAWkC,CAAW,CAAC,EACtE,SAAUlC,EAAU,UAAU,CAACA,EAAU,QACzCA,EAAU,WAAWkC,CAAW,CAChC,CAAC,CAIH,EACA/B,GAAU,aAAe,CACvB,OAAQ,GACR,OAAQ,GACR,iBAAkB,CAAC,EACnB,iBAAkBD,EACpB,EACArC,GAAO,QAAUsC,KCrWjBgC,ICsBO,IAAMC,EAAN,MAAMA,UAAoBC,EAAW,CACxC,YACoBC,EAChBC,EACF,CACE,MAAMD,EAAM,IAAKC,CAAK,EAHN,UAAAD,EAKhB,OAAO,eAAe,KAAMF,EAAY,SAAS,CACrD,CACJ,EAT4CI,EAAAJ,EAAA,eAArC,IAAMK,EAANL,EAWMM,EAAN,MAAMA,UAAmBL,EAAW,CACvC,YACoBC,EAChBC,EACF,CACE,MAAMD,EAAM,IAAKC,CAAK,EAHN,UAAAD,EAKhB,OAAO,eAAe,KAAMI,EAAW,SAAS,CACpD,CACJ,EAT2CF,EAAAE,EAAA,cAApC,IAAMC,EAAND,ECfP,IAAME,GAAmBC,EACrB,SAAS,SAAS,WAAW,UAAU,EACjC,0FACA,SAAS,SAAS,WAAW,aAAa,EACxC,0FACA,SAAS,SAAS,WAAW,WAAW,EACtC,0FAGE,OACZ,8CACJ,EAEIC,GAAe,GACRC,GAAiB,GACrB,SAASC,IAAO,CACnB,GAAI,CAAAF,GAKJ,IAFAA,GAAe,GACfC,GAAiB,kBAAmB,WAAa,gBAAiB,OAC9D,CAACA,GAAgB,CACjBE,EAAI,KAAK,sCAAsC,EAC/C,MACJ,CACAC,GAAyBC,EAAW,EACpC,UAAU,cAAc,iBAAiB,UAAYC,GAAuC,CACpFA,EAAM,KAAK,OAAS,iBAGxBC,EAAW,CACP,UAAWD,EAAM,KAAK,UACtB,mBAAoBA,EAAM,KAAK,QACnC,CAAC,EACI,KAAK,IAAM,CACJA,EAAM,KAAK,eAAiBA,EAAM,KAAK,UACvCE,GAAW,cAAcF,EAAM,KAAK,QAAQ,CAEpD,CAAC,EACA,MAAMG,CAAY,CAC3B,CAAC,EACL,CA1BgBC,EAAAR,GAAA,QA+FhB,eAAsBS,IAAc,CAChC,GAAI,CAACC,GACD,OAEJ,IAAMC,EAAgB,MAAM,UAAU,cAAc,iBAAiB,EAErE,GADAC,GAAmB,WAAW,mCAAmC,EAC7DD,EAAc,SAAW,EAAG,CAC5BE,EAAI,MACA,oFACJ,EACA,MACJ,CACA,IAAMC,EAA8B,MAAM,UAAU,cAAc,MAC9DC,EACJ,GAAI,CACAA,EAAe,MAAMD,EAA4B,YAAY,gBAAgB,CACjF,OAASE,EAAO,CAEZH,EAAI,MAAM,uDAAwDG,CAAK,EACvE,MACJ,CAEA,GADA,MAAMD,GAAc,YAAY,EAC5BA,GAAgBE,GAAc,CAE9B,IAAMC,EAAoBH,EAAa,OAAO,EAE1CE,GAAa,iBAAiB,iCAAiC,KAC1DE,GAAMA,EAAE,WAAaJ,EAAa,QACvC,GAEA,MAAMK,EACF,IAAIC,GAAwB,CACxB,UAAWC,GAAgB,EAC3B,uBAAwB,IAAIC,GAAqB,CAC7C,uCAAwC,IAAIC,GAAsB,CAC9D,SAAUN,EAAkB,SAC5B,KAAMA,EAAkB,KAAM,KAC9B,OAAQA,EAAkB,KAAM,MACpC,CAAC,CACL,CAAC,CACL,CAAC,CACL,CAER,CACJ,CA5CsBO,EAAAhB,GAAA,eFpGtBiB,KAEA,IAAMC,GAA0BC,GAAQ,CAAC,EAEzC,eAAsBC,GAClBC,EACF,CAGEC,EAAqB,WAAW,YAAY,EAC5CC,GAAsB,EACtB,IAAMC,EAAcC,GAAY,SAAUC,GAAY,GAAK,UAAU,QAAQ,EACvEC,EAAcC,EAAkB,EACtCC,GAA2B,CAAC,EAAGF,EAAa,EAAGG,EAAe,CAAC,EAC/D,GAAM,CAAC,IAAAC,CAAG,EAAIC,GAAS,EACvBC,GAAU,CAAC,IAAAF,CAAG,CAAC,EACfG,GAAwB,EACxBC,GAAuB,EACnB,SAAS,SAAS,WAAW,MAAM,IACjC,OAAe,YAAc,CAAC,QAAAC,GAAS,WAAAC,CAAU,GAEvD,IAAMC,EAAuC,CAAC,EAC9CC,GAAe,CAAC,oBAAAD,CAAmB,CAAC,EACpC,MAAMJ,GAAUV,CAAW,EAC3B,IAAMgB,EAASC,EAAyB,MACxCC,GAAyBF,CAAM,EAC/B,IAAMG,EAAsBC,EAAA,IACxB,uCAAmCd,EAAe,IAAIH,CAAW,IADzC,uBAE5BO,EAAU,CACN,iBAAkBU,EAACC,GAAQ,CACvBA,EAAI,QAAQ,oBAAoB,EAAIF,EAAoB,CAC5D,EAFkB,oBAGlB,OAAQC,EAAA,IAAM,CACV,OAAO,WAAW,CACtB,EAFQ,SAGZ,CAAC,EACDV,GAAe,CACX,OAAAM,EACA,eAAgB,MAAM,QACtB,kBAAmBI,EAAA,KAAO,CACtB,YAAa,OACb,OAAQpB,EACR,iBAAkB,CAAC,EACnB,UAAW,CAAC,EACZ,KAAM,OACN,YAAa,IAAI,IACrB,GAPmB,qBAQnB,gBAAiBoB,EAAA,CAACE,EAAYC,IAAgB,CAE1C,IAAMC,EAAQD,EAAY,gBACtBC,EAAM,SAAS,UAAU,GAAKA,EAAM,SAAS,gBAAgB,KAC7DD,EAAY,eAAiBC,EAAM,MAAM,EAAGA,EAAM,YAAY,GAAG,EAAI,CAAC,GAE1E9B,GAAwB,IACpB+B,EACI,IAAIC,GAAuB,CACvB,YAAa,CAACJ,CAAU,EACxB,YAAAC,CACJ,CAAC,CACL,EAAE,MAAMI,CAAY,CACxB,EAAE,MAAMA,CAAY,CACxB,EAdiB,mBAejB,kBAAmBP,EAAA,IAAG,GAAH,oBACvB,CAAC,EACDV,GAAc,CACV,OAAQ,OACR,MAAO,OACP,UAAW,MACf,CAAC,EACD,MAAM,QAAQ,IAAII,CAAmB,EACrCc,GACUC,EAAchC,EAAM,CAAC,gBAAiBiC,GAAmC,CAAC,CAAC,EACjF,SAAS,eAAe,MAAM,CAClC,CACJ,CAtEsBV,EAAAxB,GAAA,qBGCtB,IAAMmC,GAAoD,CACtD,4BAA6B,cAC7B,sBAAuB,mBACvB,qBAAsB,iBACtB,qBAAsB,yBAC1B,EAEMC,GAAkD,CACpD,sBAAuB,gBACvB,sBAAuB,gBACvB,wBAAyB,kBAC7B,EAEA,eAAsBC,GAClBC,EAiBF,CACE,IAAMC,EAAkB,IAAIC,EAAc,CACtC,wBAAyBF,EAAK,wBAC9B,YAAaA,EAAK,YAClB,gBAAiBA,EAAK,gBACtB,cAAeA,EAAK,aACxB,CAAC,EACD,GAAIA,EAAK,WAAa,WAAY,CAC9B,GAAM,CAAC,MAAAG,EAAO,SAAAC,CAAQ,EAAIJ,EAC1B,GAAI,CACAK,EAAI,KAAK,oCAAoC,EAC7C,MAAMC,GAA+BC,EAAMJ,EAAOC,CAAQ,EAC1DC,EAAI,KAAK,iEAAiE,EAC1EJ,EAAgB,YAAcD,EAAK,YACnCC,EAAgB,WAAaD,EAAK,WAClCC,EAAgB,OAASD,EAAK,OAC9B,IAAMQ,EAAM,MAAMC,EACd,IAAIC,GAAkB,CAClB,0BAA2B,IAAIC,GAAiC,CAC5D,MAAAR,EACA,gBAAAF,EACA,SAAUW,GAAYZ,EAAK,MAAM,EAAIa,GAAYb,EAAK,MAAM,EAAI,IACpE,CAAC,CACL,CAAC,EACDc,EACJ,EACA,GAAI,OAAO,YAAa,CAEpB,IAAMC,EAAYP,EAAI,qBACtBQ,EAAqB,QAAQ,+BAAgCD,CAAS,EACtEV,EAAI,MAAM,qDAAsD,CAAC,UAAAU,CAAS,CAAC,CAC/E,CACAV,EAAI,KAAK,0CAA0C,CACvD,OAASY,EAAO,CACZ,MAAM,IAAIC,EAAYrB,GAAiBoB,EAAM,IAAI,GAAK,QAASA,CAAK,CACxE,CACJ,SACIjB,EAAK,WAAa,UAClBA,EAAK,WAAa,YAClBA,EAAK,WAAa,QACpB,CACEK,EAAI,MAAM,uCAAwC,CAAC,SAAUL,EAAK,QAAQ,CAAC,EAC3EgB,EAAqB,QAAQ,iBAAkBG,GAAUlB,CAAe,CAAC,EACzE,GAAI,CACA,MAAMmB,GAAoBpB,CAAI,CAClC,OAASiB,EAAO,CACZ,MAAM,IAAIC,EAAYrB,GAAiBoB,EAAM,IAAI,GAAK,QAASA,CAAK,CACxE,CACJ,KACI,OAAMI,GAAarB,EAAK,QAAQ,CAExC,CArEsBsB,EAAAvB,GAAA,WAuEtB,eAAsBwB,GAAe,CACjC,MAAApB,EACA,OAAAqB,CACJ,EAIG,CACC,MAAMf,EACF,IAAIC,GAAkB,CAClB,4BAA6B,IAAIe,GAAmC,CAChE,MAAAtB,EACA,SAAUS,GAAYY,CAAM,EAAIX,GAAYW,CAAM,EAAI,IAC1D,CAAC,CACL,CAAC,CACL,CACJ,CAhBsBF,EAAAC,GAAA,kBAkBtB,eAAsBG,GAClB1B,EAIF,CACE,GAAIA,EAAK,WAAa,UAAYA,EAAK,WAAa,YAAcA,EAAK,WAAa,QAChF,MAAMoB,GAAoBpB,CAAI,UACvBA,EAAK,WAAa,WAAY,CACrC,IAAIQ,EACJ,GAAI,CACAA,EAAM,MAAMmB,GAA2BpB,EAAMP,EAAK,MAAOA,EAAK,QAAQ,CAC1E,OAASiB,EAAO,CACZ,MAAM,IAAIW,EAAW9B,GAAgBmB,EAAM,IAAI,GAAK,QAASA,CAAK,CACtE,CACA,GAAI,CAACT,EAAI,KAAK,cACV,MAAM,IAAIoB,EAAW,kBAAkB,EAE3C,MAAO,CACH,aAAc,MAAMpB,EAAI,KAAK,WAAW,EACxC,YAAaqB,GAAyBrB,EAAI,KAAK,GAAG,EAClD,UAAWA,EAAI,KAAK,SAAS,iBAAmBA,EAAI,KAAK,SAAS,YACtE,CACJ,KACI,OAAMa,GAAarB,EAAK,QAAQ,CAExC,CA1BsBsB,EAAAI,GAAA,UA4BtB,eAAsBI,IAYpB,CACE,GAAI,CAAC,UAAU,OAAQ,CACnBzB,EAAI,KACA,qGACJ,EACA,MACJ,CACA,GAAI,CACA,IAAM0B,EAAkB,MAAMC,GAAkBzB,CAAI,EACpD,GAAI,CAACwB,EACD,OAMJ,IAAME,EAJYC,EACdC,GAAsBJ,CAAe,EACrC,6DACJ,EACmC,QAC7BK,EAAaL,EAAwB,eACvCM,EAAaJ,EAAQ,YAAcA,EAAQ,YAAcG,GAAW,UACxE,OAAIH,EAAQ,cACRI,GAAc,IAAIJ,EAAQ,WAAW,IAElC,CACH,WAAAI,EACA,YAAaJ,EAAQ,aAAeA,EAAQ,WAAaG,GAAW,SACpE,kBAAmBH,EAAQ,QAC3B,OAAQA,EAAQ,OAChB,YAAaJ,GAAyBE,EAAgB,KAAK,GAAG,EAC9D,aAAc,MAAMA,EAAgB,KAAK,WAAW,EACpD,SAAU,EACd,CACJ,OAASd,EAAO,CACZ,MAAO,CACH,SAAU,GACV,MAAAA,CACJ,CACJ,CACJ,CAjDsBK,EAAAQ,GAAA,8BAmDtB,eAAeV,GAAoB,CAC/B,SAAAkB,EACA,OAAAd,CACJ,EAGG,CAEC,QAAQ,aAAa,CAAC,EAAG,GAAIR,EAAqB,QAAQuB,CAAiB,GAAK,IAAI,EACpF,MAAMC,GACFjC,EACA+B,IAAa,SACPG,GAAgB,EAChBH,IAAa,QACXI,GAAelB,CAAM,EACrB,IAAImB,EAChB,CACJ,CAjBerB,EAAAF,GAAA,uBAmBf,SAASqB,IAAkB,CACvB,IAAMH,EAAW,IAAIM,GACrB,OAAAN,EAAS,SAAS,SAAS,EAC3BA,EAAS,SAAS,OAAO,EAClBA,CACX,CALShB,EAAAmB,GAAA,mBAOT,SAASC,GAAelB,EAAgB,CACpC,IAAMc,EAAW,IAAIO,GAAc,WAAW,EAC9C,OAAAP,EAAS,SAAS,OAAO,EACzBA,EAAS,SAAS,MAAM,EACxBA,EAAS,oBAAoB,CAAC,OAAAd,CAAM,CAAC,EAC9Bc,CACX,CANShB,EAAAoB,GAAA,kBChOT,eAAsBI,IAAyC,CAC3D,IAAMC,EAAgB,MAAMC,GAA2B,EACvD,GAAI,CAACD,EACD,MAAO,GAEX,GAAIA,EAAc,SACd,OAAAE,EAAaF,EAAc,KAAK,EACzB,GAEXG,EAAI,KAAK,4DAA6D,CAClE,YAAaH,EAAc,WAC/B,CAAC,EACD,MAAMI,GAAUJ,CAAa,EAC7B,IAAMK,EAAsBC,EAAqB,QAAQ,gBAAgB,EACnEC,EAAkBF,EAClBG,GAAYC,EAAeJ,CAAmB,EAC9C,IAAII,EAAc,CAAC,CAAC,EAC1BH,EAAqB,WAAW,gBAAgB,EAChD,IAAMI,EAASV,EAAc,QAAU,UAAU,SACjD,OAAAO,EAAgB,OAASI,GAAUD,CAAM,EAAIA,EAAS,KACtDH,EAAgB,kBAAoBP,EAAc,mBAAqB,GACvEO,EAAgB,WAAaP,EAAc,YAAc,GACzDO,EAAgB,YAAcP,EAAc,aAAe,GAC3D,MAAMY,GAAaL,CAAe,EAC3B,EACX,CAzBsBM,EAAAd,GAAA,wBA2Bf,SAASe,GAAmCC,EAAsB,CACrE,GAAIA,GAAK,cAAe,CACpB,KAAK,gBAAgB,EACrB,MACJ,CACA,GAAIA,GAAK,eAAgB,CACrB,KAAK,iBAAiB,EACtB,MACJ,CACA,GAAIA,GAAK,sBACL,KAAK,MAAMA,EAAI,qBAAqB,EAAE,UAC/BA,GAAK,cAAc,oBAAoB,wBAC9C,KAAK,sBAAsB,MACxB,CACH,IAAMC,EAAMV,EAAqB,QAAQW,CAAiB,GAAK,KAC3DD,IAAQ,SAAS,SAAW,SAAS,QACrC,KAAKA,CAAG,CAEhB,CACJ,CAnBgBH,EAAAC,GAAA,sCAqBhB,eAAeF,GAAaM,EAAoB,CAC5C,IAAMH,EAAM,MAAMI,EAAcD,EAAKE,EAAc,EACnD,GAAIL,EAAI,eACJT,EAAqB,QAAQ,sBAAuB,OAAO,MACxD,CAEH,GAAI,CACA,MAAMe,GAAwB,CAClC,OAASC,EAAO,CACZpB,EAAa,wDAAyDoB,CAAK,CAC/E,CACAhB,EAAqB,QAAQ,sBAAuB,QAAQ,CAChE,CACAQ,GAAmCC,CAAG,CAC1C,CAdeF,EAAAD,GAAA,gBAgBf,eAAeR,GAAU,CACrB,YAAAmB,EACA,aAAAC,CACJ,EAGG,CACC,MAAML,EAAc,IAAIM,GAAqB,CAAC,WAAYD,CAAY,CAAC,CAAC,EAExE,IAAME,EAAsBb,EAAA,IACxB,uCAAmCU,CAAW,IAAII,EAAkB,CAAC,IAD7C,uBAE5BC,EAAW,CACP,iBAAkBf,EAACK,GAAQ,CACvBA,EAAI,QAAQ,oBAAoB,EAAIQ,EAAoB,CAC5D,EAFkB,oBAGlB,OAAQb,EAACS,GAAU,CACfpB,EAAa,gDAAiDoB,CAAK,EACnE,KAAK,gBAAgB,CACzB,EAHQ,SAIZ,CAAC,CACL,CApBeT,EAAAT,GAAA,aC/EfyB,IAWO,IAAMC,GAAaC,EAAA,CAAC,CAAC,SAAAC,EAAU,MAAAC,CAAK,KACjCC,GAAU,IAAM,CAClB,UAAU,KAAK,EACfC,GAAS,gBAAgB,EACzBC,GAAkB,CAAC,UAAW,IAAIC,GAAS,CAAC,CAAC,CAAC,CAAC,CACnD,EAAG,CAAC,CAAC,EAEDC,EAACC,GAAA,CACG,eAAgBN,EAChB,YACIK,EAACE,GAAA,CACG,WAAYF,EAACG,GAAA,CAA0B,MAAOR,EAAO,EACrD,UAAU,2BACd,GAGJK,EAAC,OAAI,UAAU,kBAAkB,EACjCA,EAACI,GAAA,IAAgB,EAChBV,EACA,CAACW,EAAyB,GAAKL,EAACM,GAAA,IAAoC,CACzE,GApBkB",
  "names": ["candidateSelectors", "candidateSelector", "join", "NoElement", "Element", "matches", "prototype", "msMatchesSelector", "webkitMatchesSelector", "getRootNode", "element", "ownerDocument", "getCandidates", "__name", "el", "includeContainer", "filter", "candidates", "Array", "slice", "apply", "querySelectorAll", "call", "unshift", "getCandidatesIteratively", "elements", "options", "elementsToCheck", "from", "length", "shift", "tagName", "assigned", "assignedElements", "content", "children", "nestedCandidates", "flatten", "push", "scope", "validCandidate", "includes", "shadowRoot", "getShadowRoot", "validShadowRoot", "shadowRootFilter", "getTabindex", "node", "isScope", "tabIndex", "test", "isContentEditable", "isNaN", "parseInt", "getAttribute", "sortOrderedTabbables", "a", "b", "documentOrder", "isInput", "isHiddenInput", "type", "isDetailsWithSummary", "r", "some", "child", "getCheckedRadio", "nodes", "form", "i", "checked", "isTabbableRadio", "name", "radioScope", "queryRadios", "radioSet", "window", "CSS", "escape", "err", "console", "error", "message", "isRadio", "isNonTabbableRadio", "isZeroArea", "getBoundingClientRect", "width", "_node$getBoundingClie", "height", "isHidden", "_ref", "displayCheck", "getComputedStyle", "visibility", "isDirectSummary", "nodeUnderDetails", "parentElement", "nodeRootHost", "host", "nodeIsAttached", "contains", "originalNode", "rootNode", "assignedSlot", "getClientRects", "isDisabledFromFieldset", "parentNode", "disabled", "item", "isNodeMatchingSelectorFocusable", "isNodeMatchingSelectorTabbable", "isValidShadowRootTabbable", "shadowHostNode", "sortByOrder", "regularTabbables", "orderedTabbables", "forEach", "candidateTabindex", "sort", "reduce", "acc", "sortable", "concat", "tabbable", "bind", "focusable", "isTabbable", "Error", "focusableCandidateSelector", "isFocusable", "activeFocusTraps", "trapQueue", "activateTrap", "__name", "trap", "length", "activeTrap", "pause", "trapIndex", "indexOf", "splice", "push", "deactivateTrap", "unpause", "isSelectableInput", "node", "tagName", "toLowerCase", "select", "isEscapeEvent", "e", "key", "keyCode", "isTabEvent", "delay", "fn", "setTimeout", "findIndex", "arr", "idx", "every", "value", "i", "valueOrHandler", "_len", "params", "_key", "getActualTarget", "event", "target", "shadowRoot", "composedPath", "createFocusTrap", "elements", "userOptions", "doc", "document", "config", "_objectSpread2", "returnFocusOnDeactivate", "escapeDeactivates", "delayInitialFocus", "state", "containers", "tabbableGroups", "nodeFocusedBeforeActivation", "mostRecentlyFocusedNode", "active", "paused", "delayInitialFocusTimer", "undefined", "getOption", "configOverrideOptions", "optionName", "configOptionName", "containersContain", "element", "some", "container", "contains", "getNodeForOption", "optionValue", "_len2", "_key2", "Error", "querySelector", "getInitialFocusNode", "activeElement", "firstTabbableGroup", "firstTabbableNode", "updateTabbableNodes", "map", "tabbableNodes", "tabbable", "lastTabbableNode", "filter", "group", "tryFocus", "focus", "preventScroll", "getReturnFocusNode", "previousActiveElement", "checkPointerDown", "clickOutsideDeactivates", "deactivate", "returnFocus", "isFocusable", "allowOutsideClick", "preventDefault", "checkFocusIn", "targetContained", "Document", "stopImmediatePropagation", "checkTab", "destinationNode", "containerIndex", "_ref", "shiftKey", "startOfGroupIndex", "_ref2", "isTabbable", "destinationGroupIndex", "destinationGroup", "lastOfGroupIndex", "_ref3", "checkKey", "checkClick", "addListeners", "addEventListener", "capture", "passive", "removeListeners", "removeEventListener", "activate", "activateOptions", "onActivate", "onPostActivate", "checkCanFocusTrap", "finishActivation", "concat", "then", "deactivateOptions", "clearTimeout", "onDeactivate", "onPostDeactivate", "checkCanReturnFocus", "finishDeactivation", "updateContainerElements", "containerElements", "elementsAsArray", "Boolean", "require_focus_trap_react", "__commonJSMin", "exports", "module", "_typeof", "obj", "__name", "_classCallCheck", "instance", "Constructor", "_defineProperties", "target", "props", "i", "descriptor", "_createClass", "protoProps", "staticProps", "_inherits", "subClass", "superClass", "_setPrototypeOf", "o", "p", "_createSuper", "Derived", "hasNativeReflectConstruct", "_isNativeReflectConstruct", "Super", "_getPrototypeOf", "result", "NewTarget", "_possibleConstructorReturn", "self", "call", "_assertThisInitialized", "React", "ReactDOM", "PropTypes", "_require", "createFocusTrap", "FocusTrap", "_React$Component", "_super", "_this", "focusTrapOptions", "optionName", "optionValue", "node", "_this$getDocument", "currentDocument", "_this2", "_this$tailoredFocusTr", "checkCanReturnFocus", "_this$tailoredFocusTr2", "preventScroll", "finishDeactivation", "returnFocusNode", "canReturnFocus", "focusTrapElementDOMNodes", "nodesExist", "prevProps", "hasActivated", "hasDeactivated", "hasPaused", "hasUnpaused", "_this3", "child", "composedRefCallback", "element", "containerElements", "childWithRef", "ElementType", "init_compat_module", "_SignupError", "ClingError", "code", "cause", "__name", "SignupError", "_LoginError", "LoginError", "vapid_public_key", "not_null", "_init_called", "push_available", "init", "log", "register_logout_listener", "unsubscribe", "event", "goto_board", "ui_actions", "report_error", "__name", "unsubscribe", "push_available", "registrations", "safe_local_storage", "log", "service_worker_registration", "subscription", "error", "current_user", "subscription_json", "x", "call_function", "PatchFullAccountRequest", "create_PatchUID", "PatchAccountSettings", "PushSubscription", "__name", "init_preact_module", "report_user_event_queue", "pLimit", "start_public_page", "page", "safe_session_storage", "parse_source_campaign", "user_locale", "query_param", "is_cling_hp", "session_uid", "create_SessionUID", "set_fatal_error_url_params", "CLING_ANONYMOUS", "dev", "init_dev", "misc_init", "init", "set_global_css_classes", "load_js", "goto_board", "await_before_render", "preload_assets", "client", "running_on_mobile_device", "init_log_event_reporting", "faas_trace_provider", "__name", "req", "user_event", "browser_env", "title", "call_function", "ReportUserEventRequest", "report_error", "D", "_", "source_campaign_of_current_session", "signup_error_map", "login_error_map", "sign_up", "args", "sign_up_request", "SignUpRequest", "email", "password", "log", "createUserWithEmailAndPassword", "auth", "res", "call_function", "ManageAuthRequest", "ManageAuthSendVerifyEmailMessage", "is_Language", "as_language", "ManageAuthResponse", "login_url", "safe_session_storage", "error", "SignupError", "to_b64url", "sign_in_with_social", "assert_never", "__name", "reset_password", "locale", "ManageAuthSendResetPasswordMessage", "log_in", "signInWithEmailAndPassword", "LoginError", "account_uid_from_gip_uid", "login_or_signup_redirected", "redirect_result", "getRedirectResult", "profile", "not_null", "getAdditionalUserInfo", "token_res", "given_name", "provider", "LAST_LOCATION_KEY", "signInWithRedirect", "google_provider", "apple_provider", "FacebookAuthProvider", "GoogleAuthProvider", "OAuthProvider", "handle_auth_redirect", "authenticated", "login_or_signup_redirected", "report_error", "log", "init_faas", "sign_up_request_str", "safe_session_storage", "sign_up_request", "from_b64url", "SignUpRequest", "locale", "is_Locale", "call_sign_up", "__name", "redirect_based_on_sign_up_response", "res", "url", "LAST_LOCATION_KEY", "req", "call_function", "SignUpResponse", "enforce_refresh_promise", "error", "account_uid", "access_token", "ManageSessionRequest", "faas_trace_provider", "create_SessionUID", "init", "init_compat_module", "PublicPage", "__name", "children", "title", "y", "profiler", "report_user_event", "PageView", "_", "Page", "TopAppBar", "TopToolbarItemsPublicPage", "PromptContainer", "running_on_mobile_device", "BottomToolbarItemsDesktopPublicPage"]
}