{"version":3,"sources":["node_modules/@angular/cdk/fesm2022/scrolling.mjs","node_modules/@angular/cdk/fesm2022/overlay.mjs","node_modules/@angular/cdk/fesm2022/dialog.mjs","node_modules/@angular/material/fesm2022/dialog.mjs","node_modules/@angular/material/fesm2022/icon.mjs","src/app/shared/utilities/state/DatumEither.ts","src/app/core/ngrx/myqq/myqq.lenses.ts","src/app/core/ngrx/myqq/myqq.reducers.ts","src/app/core/ngrx/myqq/myqq.selectors.ts","src/lib/datum-either.ts","src/app/shared/utilities/rxjs.ts","src/app/core/ngrx/myqq/myqq.effects.ts","src/app/core/ngrx/myqq/myqq.chains.ts","src/app/core/services/myqq/myqq.consts.ts","node_modules/jwt-decode/build/jwt-decode.esm.js","src/app/core/services/offline-auth.service.ts","src/app/core/services/myqq/myqq.service.mock.ts","src/app/core/services/myqq/myqq.module.ts","src/app/core/ngrx/myqq/myqq.utilities.ts","src/app/shared/pipes/display-vehicle-plate.pipe.ts","src/app/core/ngrx/myqq/cart/myqq-cart.chains.ts","src/app/core/ngrx/myqq/promo.chains.ts","src/app/core/ngrx/myqq/myqq.module.ts"],"sourcesContent":["import { coerceNumberProperty, coerceElement } from '@angular/cdk/coercion';\nimport * as i0 from '@angular/core';\nimport { InjectionToken, forwardRef, Directive, Input, Injectable, Optional, Inject, inject, Injector, afterNextRender, booleanAttribute, Component, ViewEncapsulation, ChangeDetectionStrategy, Output, ViewChild, SkipSelf, ElementRef, NgModule } from '@angular/core';\nimport { Subject, of, Observable, fromEvent, animationFrameScheduler, asapScheduler, Subscription, isObservable } from 'rxjs';\nimport { distinctUntilChanged, auditTime, filter, takeUntil, startWith, pairwise, switchMap, shareReplay } from 'rxjs/operators';\nimport * as i1 from '@angular/cdk/platform';\nimport { getRtlScrollAxisType, RtlScrollAxisType, supportsScrollBehavior, Platform } from '@angular/cdk/platform';\nimport { DOCUMENT } from '@angular/common';\nimport * as i2 from '@angular/cdk/bidi';\nimport { BidiModule } from '@angular/cdk/bidi';\nimport * as i2$1 from '@angular/cdk/collections';\nimport { isDataSource, ArrayDataSource, _VIEW_REPEATER_STRATEGY, _RecycleViewRepeaterStrategy } from '@angular/cdk/collections';\n\n/** The injection token used to specify the virtual scrolling strategy. */\nconst _c0 = [\"contentWrapper\"];\nconst _c1 = [\"*\"];\nconst VIRTUAL_SCROLL_STRATEGY = /*#__PURE__*/new InjectionToken('VIRTUAL_SCROLL_STRATEGY');\n\n/** Virtual scrolling strategy for lists with items of known fixed size. */\nclass FixedSizeVirtualScrollStrategy {\n /**\n * @param itemSize The size of the items in the virtually scrolling list.\n * @param minBufferPx The minimum amount of buffer (in pixels) before needing to render more\n * @param maxBufferPx The amount of buffer (in pixels) to render when rendering more.\n */\n constructor(itemSize, minBufferPx, maxBufferPx) {\n this._scrolledIndexChange = new Subject();\n /** @docs-private Implemented as part of VirtualScrollStrategy. */\n this.scrolledIndexChange = this._scrolledIndexChange.pipe(distinctUntilChanged());\n /** The attached viewport. */\n this._viewport = null;\n this._itemSize = itemSize;\n this._minBufferPx = minBufferPx;\n this._maxBufferPx = maxBufferPx;\n }\n /**\n * Attaches this scroll strategy to a viewport.\n * @param viewport The viewport to attach this strategy to.\n */\n attach(viewport) {\n this._viewport = viewport;\n this._updateTotalContentSize();\n this._updateRenderedRange();\n }\n /** Detaches this scroll strategy from the currently attached viewport. */\n detach() {\n this._scrolledIndexChange.complete();\n this._viewport = null;\n }\n /**\n * Update the item size and buffer size.\n * @param itemSize The size of the items in the virtually scrolling list.\n * @param minBufferPx The minimum amount of buffer (in pixels) before needing to render more\n * @param maxBufferPx The amount of buffer (in pixels) to render when rendering more.\n */\n updateItemAndBufferSize(itemSize, minBufferPx, maxBufferPx) {\n if (maxBufferPx < minBufferPx && (typeof ngDevMode === 'undefined' || ngDevMode)) {\n throw Error('CDK virtual scroll: maxBufferPx must be greater than or equal to minBufferPx');\n }\n this._itemSize = itemSize;\n this._minBufferPx = minBufferPx;\n this._maxBufferPx = maxBufferPx;\n this._updateTotalContentSize();\n this._updateRenderedRange();\n }\n /** @docs-private Implemented as part of VirtualScrollStrategy. */\n onContentScrolled() {\n this._updateRenderedRange();\n }\n /** @docs-private Implemented as part of VirtualScrollStrategy. */\n onDataLengthChanged() {\n this._updateTotalContentSize();\n this._updateRenderedRange();\n }\n /** @docs-private Implemented as part of VirtualScrollStrategy. */\n onContentRendered() {\n /* no-op */\n }\n /** @docs-private Implemented as part of VirtualScrollStrategy. */\n onRenderedOffsetChanged() {\n /* no-op */\n }\n /**\n * Scroll to the offset for the given index.\n * @param index The index of the element to scroll to.\n * @param behavior The ScrollBehavior to use when scrolling.\n */\n scrollToIndex(index, behavior) {\n if (this._viewport) {\n this._viewport.scrollToOffset(index * this._itemSize, behavior);\n }\n }\n /** Update the viewport's total content size. */\n _updateTotalContentSize() {\n if (!this._viewport) {\n return;\n }\n this._viewport.setTotalContentSize(this._viewport.getDataLength() * this._itemSize);\n }\n /** Update the viewport's rendered range. */\n _updateRenderedRange() {\n if (!this._viewport) {\n return;\n }\n const renderedRange = this._viewport.getRenderedRange();\n const newRange = {\n start: renderedRange.start,\n end: renderedRange.end\n };\n const viewportSize = this._viewport.getViewportSize();\n const dataLength = this._viewport.getDataLength();\n let scrollOffset = this._viewport.measureScrollOffset();\n // Prevent NaN as result when dividing by zero.\n let firstVisibleIndex = this._itemSize > 0 ? scrollOffset / this._itemSize : 0;\n // If user scrolls to the bottom of the list and data changes to a smaller list\n if (newRange.end > dataLength) {\n // We have to recalculate the first visible index based on new data length and viewport size.\n const maxVisibleItems = Math.ceil(viewportSize / this._itemSize);\n const newVisibleIndex = Math.max(0, Math.min(firstVisibleIndex, dataLength - maxVisibleItems));\n // If first visible index changed we must update scroll offset to handle start/end buffers\n // Current range must also be adjusted to cover the new position (bottom of new list).\n if (firstVisibleIndex != newVisibleIndex) {\n firstVisibleIndex = newVisibleIndex;\n scrollOffset = newVisibleIndex * this._itemSize;\n newRange.start = Math.floor(firstVisibleIndex);\n }\n newRange.end = Math.max(0, Math.min(dataLength, newRange.start + maxVisibleItems));\n }\n const startBuffer = scrollOffset - newRange.start * this._itemSize;\n if (startBuffer < this._minBufferPx && newRange.start != 0) {\n const expandStart = Math.ceil((this._maxBufferPx - startBuffer) / this._itemSize);\n newRange.start = Math.max(0, newRange.start - expandStart);\n newRange.end = Math.min(dataLength, Math.ceil(firstVisibleIndex + (viewportSize + this._minBufferPx) / this._itemSize));\n } else {\n const endBuffer = newRange.end * this._itemSize - (scrollOffset + viewportSize);\n if (endBuffer < this._minBufferPx && newRange.end != dataLength) {\n const expandEnd = Math.ceil((this._maxBufferPx - endBuffer) / this._itemSize);\n if (expandEnd > 0) {\n newRange.end = Math.min(dataLength, newRange.end + expandEnd);\n newRange.start = Math.max(0, Math.floor(firstVisibleIndex - this._minBufferPx / this._itemSize));\n }\n }\n }\n this._viewport.setRenderedRange(newRange);\n this._viewport.setRenderedContentOffset(this._itemSize * newRange.start);\n this._scrolledIndexChange.next(Math.floor(firstVisibleIndex));\n }\n}\n/**\n * Provider factory for `FixedSizeVirtualScrollStrategy` that simply extracts the already created\n * `FixedSizeVirtualScrollStrategy` from the given directive.\n * @param fixedSizeDir The instance of `CdkFixedSizeVirtualScroll` to extract the\n * `FixedSizeVirtualScrollStrategy` from.\n */\nfunction _fixedSizeVirtualScrollStrategyFactory(fixedSizeDir) {\n return fixedSizeDir._scrollStrategy;\n}\n/** A virtual scroll strategy that supports fixed-size items. */\nlet CdkFixedSizeVirtualScroll = /*#__PURE__*/(() => {\n class CdkFixedSizeVirtualScroll {\n constructor() {\n this._itemSize = 20;\n this._minBufferPx = 100;\n this._maxBufferPx = 200;\n /** The scroll strategy used by this directive. */\n this._scrollStrategy = new FixedSizeVirtualScrollStrategy(this.itemSize, this.minBufferPx, this.maxBufferPx);\n }\n /** The size of the items in the list (in pixels). */\n get itemSize() {\n return this._itemSize;\n }\n set itemSize(value) {\n this._itemSize = coerceNumberProperty(value);\n }\n /**\n * The minimum amount of buffer rendered beyond the viewport (in pixels).\n * If the amount of buffer dips below this number, more items will be rendered. Defaults to 100px.\n */\n get minBufferPx() {\n return this._minBufferPx;\n }\n set minBufferPx(value) {\n this._minBufferPx = coerceNumberProperty(value);\n }\n /**\n * The number of pixels worth of buffer to render for when rendering new items. Defaults to 200px.\n */\n get maxBufferPx() {\n return this._maxBufferPx;\n }\n set maxBufferPx(value) {\n this._maxBufferPx = coerceNumberProperty(value);\n }\n ngOnChanges() {\n this._scrollStrategy.updateItemAndBufferSize(this.itemSize, this.minBufferPx, this.maxBufferPx);\n }\n static {\n this.ɵfac = function CdkFixedSizeVirtualScroll_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || CdkFixedSizeVirtualScroll)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: CdkFixedSizeVirtualScroll,\n selectors: [[\"cdk-virtual-scroll-viewport\", \"itemSize\", \"\"]],\n inputs: {\n itemSize: \"itemSize\",\n minBufferPx: \"minBufferPx\",\n maxBufferPx: \"maxBufferPx\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: VIRTUAL_SCROLL_STRATEGY,\n useFactory: _fixedSizeVirtualScrollStrategyFactory,\n deps: [forwardRef(() => CdkFixedSizeVirtualScroll)]\n }]), i0.ɵɵNgOnChangesFeature]\n });\n }\n }\n return CdkFixedSizeVirtualScroll;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** Time in ms to throttle the scrolling events by default. */\nconst DEFAULT_SCROLL_TIME = 20;\n/**\n * Service contained all registered Scrollable references and emits an event when any one of the\n * Scrollable references emit a scrolled event.\n */\nlet ScrollDispatcher = /*#__PURE__*/(() => {\n class ScrollDispatcher {\n constructor(_ngZone, _platform, document) {\n this._ngZone = _ngZone;\n this._platform = _platform;\n /** Subject for notifying that a registered scrollable reference element has been scrolled. */\n this._scrolled = new Subject();\n /** Keeps track of the global `scroll` and `resize` subscriptions. */\n this._globalSubscription = null;\n /** Keeps track of the amount of subscriptions to `scrolled`. Used for cleaning up afterwards. */\n this._scrolledCount = 0;\n /**\n * Map of all the scrollable references that are registered with the service and their\n * scroll event subscriptions.\n */\n this.scrollContainers = new Map();\n this._document = document;\n }\n /**\n * Registers a scrollable instance with the service and listens for its scrolled events. When the\n * scrollable is scrolled, the service emits the event to its scrolled observable.\n * @param scrollable Scrollable instance to be registered.\n */\n register(scrollable) {\n if (!this.scrollContainers.has(scrollable)) {\n this.scrollContainers.set(scrollable, scrollable.elementScrolled().subscribe(() => this._scrolled.next(scrollable)));\n }\n }\n /**\n * De-registers a Scrollable reference and unsubscribes from its scroll event observable.\n * @param scrollable Scrollable instance to be deregistered.\n */\n deregister(scrollable) {\n const scrollableReference = this.scrollContainers.get(scrollable);\n if (scrollableReference) {\n scrollableReference.unsubscribe();\n this.scrollContainers.delete(scrollable);\n }\n }\n /**\n * Returns an observable that emits an event whenever any of the registered Scrollable\n * references (or window, document, or body) fire a scrolled event. Can provide a time in ms\n * to override the default \"throttle\" time.\n *\n * **Note:** in order to avoid hitting change detection for every scroll event,\n * all of the events emitted from this stream will be run outside the Angular zone.\n * If you need to update any data bindings as a result of a scroll event, you have\n * to run the callback using `NgZone.run`.\n */\n scrolled(auditTimeInMs = DEFAULT_SCROLL_TIME) {\n if (!this._platform.isBrowser) {\n return of();\n }\n return new Observable(observer => {\n if (!this._globalSubscription) {\n this._addGlobalListener();\n }\n // In the case of a 0ms delay, use an observable without auditTime\n // since it does add a perceptible delay in processing overhead.\n const subscription = auditTimeInMs > 0 ? this._scrolled.pipe(auditTime(auditTimeInMs)).subscribe(observer) : this._scrolled.subscribe(observer);\n this._scrolledCount++;\n return () => {\n subscription.unsubscribe();\n this._scrolledCount--;\n if (!this._scrolledCount) {\n this._removeGlobalListener();\n }\n };\n });\n }\n ngOnDestroy() {\n this._removeGlobalListener();\n this.scrollContainers.forEach((_, container) => this.deregister(container));\n this._scrolled.complete();\n }\n /**\n * Returns an observable that emits whenever any of the\n * scrollable ancestors of an element are scrolled.\n * @param elementOrElementRef Element whose ancestors to listen for.\n * @param auditTimeInMs Time to throttle the scroll events.\n */\n ancestorScrolled(elementOrElementRef, auditTimeInMs) {\n const ancestors = this.getAncestorScrollContainers(elementOrElementRef);\n return this.scrolled(auditTimeInMs).pipe(filter(target => {\n return !target || ancestors.indexOf(target) > -1;\n }));\n }\n /** Returns all registered Scrollables that contain the provided element. */\n getAncestorScrollContainers(elementOrElementRef) {\n const scrollingContainers = [];\n this.scrollContainers.forEach((_subscription, scrollable) => {\n if (this._scrollableContainsElement(scrollable, elementOrElementRef)) {\n scrollingContainers.push(scrollable);\n }\n });\n return scrollingContainers;\n }\n /** Use defaultView of injected document if available or fallback to global window reference */\n _getWindow() {\n return this._document.defaultView || window;\n }\n /** Returns true if the element is contained within the provided Scrollable. */\n _scrollableContainsElement(scrollable, elementOrElementRef) {\n let element = coerceElement(elementOrElementRef);\n let scrollableElement = scrollable.getElementRef().nativeElement;\n // Traverse through the element parents until we reach null, checking if any of the elements\n // are the scrollable's element.\n do {\n if (element == scrollableElement) {\n return true;\n }\n } while (element = element.parentElement);\n return false;\n }\n /** Sets up the global scroll listeners. */\n _addGlobalListener() {\n this._globalSubscription = this._ngZone.runOutsideAngular(() => {\n const window = this._getWindow();\n return fromEvent(window.document, 'scroll').subscribe(() => this._scrolled.next());\n });\n }\n /** Cleans up the global scroll listener. */\n _removeGlobalListener() {\n if (this._globalSubscription) {\n this._globalSubscription.unsubscribe();\n this._globalSubscription = null;\n }\n }\n static {\n this.ɵfac = function ScrollDispatcher_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || ScrollDispatcher)(i0.ɵɵinject(i0.NgZone), i0.ɵɵinject(i1.Platform), i0.ɵɵinject(DOCUMENT, 8));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: ScrollDispatcher,\n factory: ScrollDispatcher.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return ScrollDispatcher;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Sends an event when the directive's element is scrolled. Registers itself with the\n * ScrollDispatcher service to include itself as part of its collection of scrolling events that it\n * can be listened to through the service.\n */\nlet CdkScrollable = /*#__PURE__*/(() => {\n class CdkScrollable {\n constructor(elementRef, scrollDispatcher, ngZone, dir) {\n this.elementRef = elementRef;\n this.scrollDispatcher = scrollDispatcher;\n this.ngZone = ngZone;\n this.dir = dir;\n this._destroyed = new Subject();\n this._elementScrolled = new Observable(observer => this.ngZone.runOutsideAngular(() => fromEvent(this.elementRef.nativeElement, 'scroll').pipe(takeUntil(this._destroyed)).subscribe(observer)));\n }\n ngOnInit() {\n this.scrollDispatcher.register(this);\n }\n ngOnDestroy() {\n this.scrollDispatcher.deregister(this);\n this._destroyed.next();\n this._destroyed.complete();\n }\n /** Returns observable that emits when a scroll event is fired on the host element. */\n elementScrolled() {\n return this._elementScrolled;\n }\n /** Gets the ElementRef for the viewport. */\n getElementRef() {\n return this.elementRef;\n }\n /**\n * Scrolls to the specified offsets. This is a normalized version of the browser's native scrollTo\n * method, since browsers are not consistent about what scrollLeft means in RTL. For this method\n * left and right always refer to the left and right side of the scrolling container irrespective\n * of the layout direction. start and end refer to left and right in an LTR context and vice-versa\n * in an RTL context.\n * @param options specified the offsets to scroll to.\n */\n scrollTo(options) {\n const el = this.elementRef.nativeElement;\n const isRtl = this.dir && this.dir.value == 'rtl';\n // Rewrite start & end offsets as right or left offsets.\n if (options.left == null) {\n options.left = isRtl ? options.end : options.start;\n }\n if (options.right == null) {\n options.right = isRtl ? options.start : options.end;\n }\n // Rewrite the bottom offset as a top offset.\n if (options.bottom != null) {\n options.top = el.scrollHeight - el.clientHeight - options.bottom;\n }\n // Rewrite the right offset as a left offset.\n if (isRtl && getRtlScrollAxisType() != RtlScrollAxisType.NORMAL) {\n if (options.left != null) {\n options.right = el.scrollWidth - el.clientWidth - options.left;\n }\n if (getRtlScrollAxisType() == RtlScrollAxisType.INVERTED) {\n options.left = options.right;\n } else if (getRtlScrollAxisType() == RtlScrollAxisType.NEGATED) {\n options.left = options.right ? -options.right : options.right;\n }\n } else {\n if (options.right != null) {\n options.left = el.scrollWidth - el.clientWidth - options.right;\n }\n }\n this._applyScrollToOptions(options);\n }\n _applyScrollToOptions(options) {\n const el = this.elementRef.nativeElement;\n if (supportsScrollBehavior()) {\n el.scrollTo(options);\n } else {\n if (options.top != null) {\n el.scrollTop = options.top;\n }\n if (options.left != null) {\n el.scrollLeft = options.left;\n }\n }\n }\n /**\n * Measures the scroll offset relative to the specified edge of the viewport. This method can be\n * used instead of directly checking scrollLeft or scrollTop, since browsers are not consistent\n * about what scrollLeft means in RTL. The values returned by this method are normalized such that\n * left and right always refer to the left and right side of the scrolling container irrespective\n * of the layout direction. start and end refer to left and right in an LTR context and vice-versa\n * in an RTL context.\n * @param from The edge to measure from.\n */\n measureScrollOffset(from) {\n const LEFT = 'left';\n const RIGHT = 'right';\n const el = this.elementRef.nativeElement;\n if (from == 'top') {\n return el.scrollTop;\n }\n if (from == 'bottom') {\n return el.scrollHeight - el.clientHeight - el.scrollTop;\n }\n // Rewrite start & end as left or right offsets.\n const isRtl = this.dir && this.dir.value == 'rtl';\n if (from == 'start') {\n from = isRtl ? RIGHT : LEFT;\n } else if (from == 'end') {\n from = isRtl ? LEFT : RIGHT;\n }\n if (isRtl && getRtlScrollAxisType() == RtlScrollAxisType.INVERTED) {\n // For INVERTED, scrollLeft is (scrollWidth - clientWidth) when scrolled all the way left and\n // 0 when scrolled all the way right.\n if (from == LEFT) {\n return el.scrollWidth - el.clientWidth - el.scrollLeft;\n } else {\n return el.scrollLeft;\n }\n } else if (isRtl && getRtlScrollAxisType() == RtlScrollAxisType.NEGATED) {\n // For NEGATED, scrollLeft is -(scrollWidth - clientWidth) when scrolled all the way left and\n // 0 when scrolled all the way right.\n if (from == LEFT) {\n return el.scrollLeft + el.scrollWidth - el.clientWidth;\n } else {\n return -el.scrollLeft;\n }\n } else {\n // For NORMAL, as well as non-RTL contexts, scrollLeft is 0 when scrolled all the way left and\n // (scrollWidth - clientWidth) when scrolled all the way right.\n if (from == LEFT) {\n return el.scrollLeft;\n } else {\n return el.scrollWidth - el.clientWidth - el.scrollLeft;\n }\n }\n }\n static {\n this.ɵfac = function CdkScrollable_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || CdkScrollable)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(ScrollDispatcher), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(i2.Directionality, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: CdkScrollable,\n selectors: [[\"\", \"cdk-scrollable\", \"\"], [\"\", \"cdkScrollable\", \"\"]],\n standalone: true\n });\n }\n }\n return CdkScrollable;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** Time in ms to throttle the resize events by default. */\nconst DEFAULT_RESIZE_TIME = 20;\n/**\n * Simple utility for getting the bounds of the browser viewport.\n * @docs-private\n */\nlet ViewportRuler = /*#__PURE__*/(() => {\n class ViewportRuler {\n constructor(_platform, ngZone, document) {\n this._platform = _platform;\n /** Stream of viewport change events. */\n this._change = new Subject();\n /** Event listener that will be used to handle the viewport change events. */\n this._changeListener = event => {\n this._change.next(event);\n };\n this._document = document;\n ngZone.runOutsideAngular(() => {\n if (_platform.isBrowser) {\n const window = this._getWindow();\n // Note that bind the events ourselves, rather than going through something like RxJS's\n // `fromEvent` so that we can ensure that they're bound outside of the NgZone.\n window.addEventListener('resize', this._changeListener);\n window.addEventListener('orientationchange', this._changeListener);\n }\n // Clear the cached position so that the viewport is re-measured next time it is required.\n // We don't need to keep track of the subscription, because it is completed on destroy.\n this.change().subscribe(() => this._viewportSize = null);\n });\n }\n ngOnDestroy() {\n if (this._platform.isBrowser) {\n const window = this._getWindow();\n window.removeEventListener('resize', this._changeListener);\n window.removeEventListener('orientationchange', this._changeListener);\n }\n this._change.complete();\n }\n /** Returns the viewport's width and height. */\n getViewportSize() {\n if (!this._viewportSize) {\n this._updateViewportSize();\n }\n const output = {\n width: this._viewportSize.width,\n height: this._viewportSize.height\n };\n // If we're not on a browser, don't cache the size since it'll be mocked out anyway.\n if (!this._platform.isBrowser) {\n this._viewportSize = null;\n }\n return output;\n }\n /** Gets a DOMRect for the viewport's bounds. */\n getViewportRect() {\n // Use the document element's bounding rect rather than the window scroll properties\n // (e.g. pageYOffset, scrollY) due to in issue in Chrome and IE where window scroll\n // properties and client coordinates (boundingClientRect, clientX/Y, etc.) are in different\n // conceptual viewports. Under most circumstances these viewports are equivalent, but they\n // can disagree when the page is pinch-zoomed (on devices that support touch).\n // See https://bugs.chromium.org/p/chromium/issues/detail?id=489206#c4\n // We use the documentElement instead of the body because, by default (without a css reset)\n // browsers typically give the document body an 8px margin, which is not included in\n // getBoundingClientRect().\n const scrollPosition = this.getViewportScrollPosition();\n const {\n width,\n height\n } = this.getViewportSize();\n return {\n top: scrollPosition.top,\n left: scrollPosition.left,\n bottom: scrollPosition.top + height,\n right: scrollPosition.left + width,\n height,\n width\n };\n }\n /** Gets the (top, left) scroll position of the viewport. */\n getViewportScrollPosition() {\n // While we can get a reference to the fake document\n // during SSR, it doesn't have getBoundingClientRect.\n if (!this._platform.isBrowser) {\n return {\n top: 0,\n left: 0\n };\n }\n // The top-left-corner of the viewport is determined by the scroll position of the document\n // body, normally just (scrollLeft, scrollTop). However, Chrome and Firefox disagree about\n // whether `document.body` or `document.documentElement` is the scrolled element, so reading\n // `scrollTop` and `scrollLeft` is inconsistent. However, using the bounding rect of\n // `document.documentElement` works consistently, where the `top` and `left` values will\n // equal negative the scroll position.\n const document = this._document;\n const window = this._getWindow();\n const documentElement = document.documentElement;\n const documentRect = documentElement.getBoundingClientRect();\n const top = -documentRect.top || document.body.scrollTop || window.scrollY || documentElement.scrollTop || 0;\n const left = -documentRect.left || document.body.scrollLeft || window.scrollX || documentElement.scrollLeft || 0;\n return {\n top,\n left\n };\n }\n /**\n * Returns a stream that emits whenever the size of the viewport changes.\n * This stream emits outside of the Angular zone.\n * @param throttleTime Time in milliseconds to throttle the stream.\n */\n change(throttleTime = DEFAULT_RESIZE_TIME) {\n return throttleTime > 0 ? this._change.pipe(auditTime(throttleTime)) : this._change;\n }\n /** Use defaultView of injected document if available or fallback to global window reference */\n _getWindow() {\n return this._document.defaultView || window;\n }\n /** Updates the cached viewport size. */\n _updateViewportSize() {\n const window = this._getWindow();\n this._viewportSize = this._platform.isBrowser ? {\n width: window.innerWidth,\n height: window.innerHeight\n } : {\n width: 0,\n height: 0\n };\n }\n static {\n this.ɵfac = function ViewportRuler_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || ViewportRuler)(i0.ɵɵinject(i1.Platform), i0.ɵɵinject(i0.NgZone), i0.ɵɵinject(DOCUMENT, 8));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: ViewportRuler,\n factory: ViewportRuler.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return ViewportRuler;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst VIRTUAL_SCROLLABLE = /*#__PURE__*/new InjectionToken('VIRTUAL_SCROLLABLE');\n/**\n * Extending the {@link CdkScrollable} to be used as scrolling container for virtual scrolling.\n */\nlet CdkVirtualScrollable = /*#__PURE__*/(() => {\n class CdkVirtualScrollable extends CdkScrollable {\n constructor(elementRef, scrollDispatcher, ngZone, dir) {\n super(elementRef, scrollDispatcher, ngZone, dir);\n }\n /**\n * Measure the viewport size for the provided orientation.\n *\n * @param orientation The orientation to measure the size from.\n */\n measureViewportSize(orientation) {\n const viewportEl = this.elementRef.nativeElement;\n return orientation === 'horizontal' ? viewportEl.clientWidth : viewportEl.clientHeight;\n }\n static {\n this.ɵfac = function CdkVirtualScrollable_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || CdkVirtualScrollable)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(ScrollDispatcher), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(i2.Directionality, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: CdkVirtualScrollable,\n features: [i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return CdkVirtualScrollable;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** Checks if the given ranges are equal. */\nfunction rangesEqual(r1, r2) {\n return r1.start == r2.start && r1.end == r2.end;\n}\n/**\n * Scheduler to be used for scroll events. Needs to fall back to\n * something that doesn't rely on requestAnimationFrame on environments\n * that don't support it (e.g. server-side rendering).\n */\nconst SCROLL_SCHEDULER = typeof requestAnimationFrame !== 'undefined' ? animationFrameScheduler : asapScheduler;\n/** A viewport that virtualizes its scrolling with the help of `CdkVirtualForOf`. */\nlet CdkVirtualScrollViewport = /*#__PURE__*/(() => {\n class CdkVirtualScrollViewport extends CdkVirtualScrollable {\n /** The direction the viewport scrolls. */\n get orientation() {\n return this._orientation;\n }\n set orientation(orientation) {\n if (this._orientation !== orientation) {\n this._orientation = orientation;\n this._calculateSpacerSize();\n }\n }\n constructor(elementRef, _changeDetectorRef, ngZone, _scrollStrategy, dir, scrollDispatcher, viewportRuler, scrollable) {\n super(elementRef, scrollDispatcher, ngZone, dir);\n this.elementRef = elementRef;\n this._changeDetectorRef = _changeDetectorRef;\n this._scrollStrategy = _scrollStrategy;\n this.scrollable = scrollable;\n this._platform = inject(Platform);\n /** Emits when the viewport is detached from a CdkVirtualForOf. */\n this._detachedSubject = new Subject();\n /** Emits when the rendered range changes. */\n this._renderedRangeSubject = new Subject();\n this._orientation = 'vertical';\n /**\n * Whether rendered items should persist in the DOM after scrolling out of view. By default, items\n * will be removed.\n */\n this.appendOnly = false;\n // Note: we don't use the typical EventEmitter here because we need to subscribe to the scroll\n // strategy lazily (i.e. only if the user is actually listening to the events). We do this because\n // depending on how the strategy calculates the scrolled index, it may come at a cost to\n // performance.\n /** Emits when the index of the first element visible in the viewport changes. */\n this.scrolledIndexChange = new Observable(observer => this._scrollStrategy.scrolledIndexChange.subscribe(index => Promise.resolve().then(() => this.ngZone.run(() => observer.next(index)))));\n /** A stream that emits whenever the rendered range changes. */\n this.renderedRangeStream = this._renderedRangeSubject;\n /**\n * The total size of all content (in pixels), including content that is not currently rendered.\n */\n this._totalContentSize = 0;\n /** A string representing the `style.width` property value to be used for the spacer element. */\n this._totalContentWidth = '';\n /** A string representing the `style.height` property value to be used for the spacer element. */\n this._totalContentHeight = '';\n /** The currently rendered range of indices. */\n this._renderedRange = {\n start: 0,\n end: 0\n };\n /** The length of the data bound to this viewport (in number of items). */\n this._dataLength = 0;\n /** The size of the viewport (in pixels). */\n this._viewportSize = 0;\n /** The last rendered content offset that was set. */\n this._renderedContentOffset = 0;\n /**\n * Whether the last rendered content offset was to the end of the content (and therefore needs to\n * be rewritten as an offset to the start of the content).\n */\n this._renderedContentOffsetNeedsRewrite = false;\n /** Whether there is a pending change detection cycle. */\n this._isChangeDetectionPending = false;\n /** A list of functions to run after the next change detection cycle. */\n this._runAfterChangeDetection = [];\n /** Subscription to changes in the viewport size. */\n this._viewportChanges = Subscription.EMPTY;\n this._injector = inject(Injector);\n this._isDestroyed = false;\n if (!_scrollStrategy && (typeof ngDevMode === 'undefined' || ngDevMode)) {\n throw Error('Error: cdk-virtual-scroll-viewport requires the \"itemSize\" property to be set.');\n }\n this._viewportChanges = viewportRuler.change().subscribe(() => {\n this.checkViewportSize();\n });\n if (!this.scrollable) {\n // No scrollable is provided, so the virtual-scroll-viewport needs to become a scrollable\n this.elementRef.nativeElement.classList.add('cdk-virtual-scrollable');\n this.scrollable = this;\n }\n }\n ngOnInit() {\n // Scrolling depends on the element dimensions which we can't get during SSR.\n if (!this._platform.isBrowser) {\n return;\n }\n if (this.scrollable === this) {\n super.ngOnInit();\n }\n // It's still too early to measure the viewport at this point. Deferring with a promise allows\n // the Viewport to be rendered with the correct size before we measure. We run this outside the\n // zone to avoid causing more change detection cycles. We handle the change detection loop\n // ourselves instead.\n this.ngZone.runOutsideAngular(() => Promise.resolve().then(() => {\n this._measureViewportSize();\n this._scrollStrategy.attach(this);\n this.scrollable.elementScrolled().pipe(\n // Start off with a fake scroll event so we properly detect our initial position.\n startWith(null),\n // Collect multiple events into one until the next animation frame. This way if\n // there are multiple scroll events in the same frame we only need to recheck\n // our layout once.\n auditTime(0, SCROLL_SCHEDULER),\n // Usually `elementScrolled` is completed when the scrollable is destroyed, but\n // that may not be the case if a `CdkVirtualScrollableElement` is used so we have\n // to unsubscribe here just in case.\n takeUntil(this._destroyed)).subscribe(() => this._scrollStrategy.onContentScrolled());\n this._markChangeDetectionNeeded();\n }));\n }\n ngOnDestroy() {\n this.detach();\n this._scrollStrategy.detach();\n // Complete all subjects\n this._renderedRangeSubject.complete();\n this._detachedSubject.complete();\n this._viewportChanges.unsubscribe();\n this._isDestroyed = true;\n super.ngOnDestroy();\n }\n /** Attaches a `CdkVirtualScrollRepeater` to this viewport. */\n attach(forOf) {\n if (this._forOf && (typeof ngDevMode === 'undefined' || ngDevMode)) {\n throw Error('CdkVirtualScrollViewport is already attached.');\n }\n // Subscribe to the data stream of the CdkVirtualForOf to keep track of when the data length\n // changes. Run outside the zone to avoid triggering change detection, since we're managing the\n // change detection loop ourselves.\n this.ngZone.runOutsideAngular(() => {\n this._forOf = forOf;\n this._forOf.dataStream.pipe(takeUntil(this._detachedSubject)).subscribe(data => {\n const newLength = data.length;\n if (newLength !== this._dataLength) {\n this._dataLength = newLength;\n this._scrollStrategy.onDataLengthChanged();\n }\n this._doChangeDetection();\n });\n });\n }\n /** Detaches the current `CdkVirtualForOf`. */\n detach() {\n this._forOf = null;\n this._detachedSubject.next();\n }\n /** Gets the length of the data bound to this viewport (in number of items). */\n getDataLength() {\n return this._dataLength;\n }\n /** Gets the size of the viewport (in pixels). */\n getViewportSize() {\n return this._viewportSize;\n }\n // TODO(mmalerba): This is technically out of sync with what's really rendered until a render\n // cycle happens. I'm being careful to only call it after the render cycle is complete and before\n // setting it to something else, but its error prone and should probably be split into\n // `pendingRange` and `renderedRange`, the latter reflecting whats actually in the DOM.\n /** Get the current rendered range of items. */\n getRenderedRange() {\n return this._renderedRange;\n }\n measureBoundingClientRectWithScrollOffset(from) {\n return this.getElementRef().nativeElement.getBoundingClientRect()[from];\n }\n /**\n * Sets the total size of all content (in pixels), including content that is not currently\n * rendered.\n */\n setTotalContentSize(size) {\n if (this._totalContentSize !== size) {\n this._totalContentSize = size;\n this._calculateSpacerSize();\n this._markChangeDetectionNeeded();\n }\n }\n /** Sets the currently rendered range of indices. */\n setRenderedRange(range) {\n if (!rangesEqual(this._renderedRange, range)) {\n if (this.appendOnly) {\n range = {\n start: 0,\n end: Math.max(this._renderedRange.end, range.end)\n };\n }\n this._renderedRangeSubject.next(this._renderedRange = range);\n this._markChangeDetectionNeeded(() => this._scrollStrategy.onContentRendered());\n }\n }\n /**\n * Gets the offset from the start of the viewport to the start of the rendered data (in pixels).\n */\n getOffsetToRenderedContentStart() {\n return this._renderedContentOffsetNeedsRewrite ? null : this._renderedContentOffset;\n }\n /**\n * Sets the offset from the start of the viewport to either the start or end of the rendered data\n * (in pixels).\n */\n setRenderedContentOffset(offset, to = 'to-start') {\n // In appendOnly, we always start from the top\n offset = this.appendOnly && to === 'to-start' ? 0 : offset;\n // For a horizontal viewport in a right-to-left language we need to translate along the x-axis\n // in the negative direction.\n const isRtl = this.dir && this.dir.value == 'rtl';\n const isHorizontal = this.orientation == 'horizontal';\n const axis = isHorizontal ? 'X' : 'Y';\n const axisDirection = isHorizontal && isRtl ? -1 : 1;\n let transform = `translate${axis}(${Number(axisDirection * offset)}px)`;\n this._renderedContentOffset = offset;\n if (to === 'to-end') {\n transform += ` translate${axis}(-100%)`;\n // The viewport should rewrite this as a `to-start` offset on the next render cycle. Otherwise\n // elements will appear to expand in the wrong direction (e.g. `mat-expansion-panel` would\n // expand upward).\n this._renderedContentOffsetNeedsRewrite = true;\n }\n if (this._renderedContentTransform != transform) {\n // We know this value is safe because we parse `offset` with `Number()` before passing it\n // into the string.\n this._renderedContentTransform = transform;\n this._markChangeDetectionNeeded(() => {\n if (this._renderedContentOffsetNeedsRewrite) {\n this._renderedContentOffset -= this.measureRenderedContentSize();\n this._renderedContentOffsetNeedsRewrite = false;\n this.setRenderedContentOffset(this._renderedContentOffset);\n } else {\n this._scrollStrategy.onRenderedOffsetChanged();\n }\n });\n }\n }\n /**\n * Scrolls to the given offset from the start of the viewport. Please note that this is not always\n * the same as setting `scrollTop` or `scrollLeft`. In a horizontal viewport with right-to-left\n * direction, this would be the equivalent of setting a fictional `scrollRight` property.\n * @param offset The offset to scroll to.\n * @param behavior The ScrollBehavior to use when scrolling. Default is behavior is `auto`.\n */\n scrollToOffset(offset, behavior = 'auto') {\n const options = {\n behavior\n };\n if (this.orientation === 'horizontal') {\n options.start = offset;\n } else {\n options.top = offset;\n }\n this.scrollable.scrollTo(options);\n }\n /**\n * Scrolls to the offset for the given index.\n * @param index The index of the element to scroll to.\n * @param behavior The ScrollBehavior to use when scrolling. Default is behavior is `auto`.\n */\n scrollToIndex(index, behavior = 'auto') {\n this._scrollStrategy.scrollToIndex(index, behavior);\n }\n /**\n * Gets the current scroll offset from the start of the scrollable (in pixels).\n * @param from The edge to measure the offset from. Defaults to 'top' in vertical mode and 'start'\n * in horizontal mode.\n */\n measureScrollOffset(from) {\n // This is to break the call cycle\n let measureScrollOffset;\n if (this.scrollable == this) {\n measureScrollOffset = _from => super.measureScrollOffset(_from);\n } else {\n measureScrollOffset = _from => this.scrollable.measureScrollOffset(_from);\n }\n return Math.max(0, measureScrollOffset(from ?? (this.orientation === 'horizontal' ? 'start' : 'top')) - this.measureViewportOffset());\n }\n /**\n * Measures the offset of the viewport from the scrolling container\n * @param from The edge to measure from.\n */\n measureViewportOffset(from) {\n let fromRect;\n const LEFT = 'left';\n const RIGHT = 'right';\n const isRtl = this.dir?.value == 'rtl';\n if (from == 'start') {\n fromRect = isRtl ? RIGHT : LEFT;\n } else if (from == 'end') {\n fromRect = isRtl ? LEFT : RIGHT;\n } else if (from) {\n fromRect = from;\n } else {\n fromRect = this.orientation === 'horizontal' ? 'left' : 'top';\n }\n const scrollerClientRect = this.scrollable.measureBoundingClientRectWithScrollOffset(fromRect);\n const viewportClientRect = this.elementRef.nativeElement.getBoundingClientRect()[fromRect];\n return viewportClientRect - scrollerClientRect;\n }\n /** Measure the combined size of all of the rendered items. */\n measureRenderedContentSize() {\n const contentEl = this._contentWrapper.nativeElement;\n return this.orientation === 'horizontal' ? contentEl.offsetWidth : contentEl.offsetHeight;\n }\n /**\n * Measure the total combined size of the given range. Throws if the range includes items that are\n * not rendered.\n */\n measureRangeSize(range) {\n if (!this._forOf) {\n return 0;\n }\n return this._forOf.measureRangeSize(range, this.orientation);\n }\n /** Update the viewport dimensions and re-render. */\n checkViewportSize() {\n // TODO: Cleanup later when add logic for handling content resize\n this._measureViewportSize();\n this._scrollStrategy.onDataLengthChanged();\n }\n /** Measure the viewport size. */\n _measureViewportSize() {\n this._viewportSize = this.scrollable.measureViewportSize(this.orientation);\n }\n /** Queue up change detection to run. */\n _markChangeDetectionNeeded(runAfter) {\n if (runAfter) {\n this._runAfterChangeDetection.push(runAfter);\n }\n // Use a Promise to batch together calls to `_doChangeDetection`. This way if we set a bunch of\n // properties sequentially we only have to run `_doChangeDetection` once at the end.\n if (!this._isChangeDetectionPending) {\n this._isChangeDetectionPending = true;\n this.ngZone.runOutsideAngular(() => Promise.resolve().then(() => {\n this._doChangeDetection();\n }));\n }\n }\n /** Run change detection. */\n _doChangeDetection() {\n if (this._isDestroyed) {\n return;\n }\n this.ngZone.run(() => {\n // Apply changes to Angular bindings. Note: We must call `markForCheck` to run change detection\n // from the root, since the repeated items are content projected in. Calling `detectChanges`\n // instead does not properly check the projected content.\n this._changeDetectorRef.markForCheck();\n // Apply the content transform. The transform can't be set via an Angular binding because\n // bypassSecurityTrustStyle is banned in Google. However the value is safe, it's composed of\n // string literals, a variable that can only be 'X' or 'Y', and user input that is run through\n // the `Number` function first to coerce it to a numeric value.\n this._contentWrapper.nativeElement.style.transform = this._renderedContentTransform;\n afterNextRender(() => {\n this._isChangeDetectionPending = false;\n const runAfterChangeDetection = this._runAfterChangeDetection;\n this._runAfterChangeDetection = [];\n for (const fn of runAfterChangeDetection) {\n fn();\n }\n }, {\n injector: this._injector\n });\n });\n }\n /** Calculates the `style.width` and `style.height` for the spacer element. */\n _calculateSpacerSize() {\n this._totalContentHeight = this.orientation === 'horizontal' ? '' : `${this._totalContentSize}px`;\n this._totalContentWidth = this.orientation === 'horizontal' ? `${this._totalContentSize}px` : '';\n }\n static {\n this.ɵfac = function CdkVirtualScrollViewport_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || CdkVirtualScrollViewport)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(VIRTUAL_SCROLL_STRATEGY, 8), i0.ɵɵdirectiveInject(i2.Directionality, 8), i0.ɵɵdirectiveInject(ScrollDispatcher), i0.ɵɵdirectiveInject(ViewportRuler), i0.ɵɵdirectiveInject(VIRTUAL_SCROLLABLE, 8));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: CdkVirtualScrollViewport,\n selectors: [[\"cdk-virtual-scroll-viewport\"]],\n viewQuery: function CdkVirtualScrollViewport_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c0, 7);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._contentWrapper = _t.first);\n }\n },\n hostAttrs: [1, \"cdk-virtual-scroll-viewport\"],\n hostVars: 4,\n hostBindings: function CdkVirtualScrollViewport_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"cdk-virtual-scroll-orientation-horizontal\", ctx.orientation === \"horizontal\")(\"cdk-virtual-scroll-orientation-vertical\", ctx.orientation !== \"horizontal\");\n }\n },\n inputs: {\n orientation: \"orientation\",\n appendOnly: [2, \"appendOnly\", \"appendOnly\", booleanAttribute]\n },\n outputs: {\n scrolledIndexChange: \"scrolledIndexChange\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: CdkScrollable,\n useFactory: (virtualScrollable, viewport) => virtualScrollable || viewport,\n deps: [[new Optional(), new Inject(VIRTUAL_SCROLLABLE)], CdkVirtualScrollViewport]\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c1,\n decls: 4,\n vars: 4,\n consts: [[\"contentWrapper\", \"\"], [1, \"cdk-virtual-scroll-content-wrapper\"], [1, \"cdk-virtual-scroll-spacer\"]],\n template: function CdkVirtualScrollViewport_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵelementStart(0, \"div\", 1, 0);\n i0.ɵɵprojection(2);\n i0.ɵɵelementEnd();\n i0.ɵɵelement(3, \"div\", 2);\n }\n if (rf & 2) {\n i0.ɵɵadvance(3);\n i0.ɵɵstyleProp(\"width\", ctx._totalContentWidth)(\"height\", ctx._totalContentHeight);\n }\n },\n styles: [\"cdk-virtual-scroll-viewport{display:block;position:relative;transform:translateZ(0)}.cdk-virtual-scrollable{overflow:auto;will-change:scroll-position;contain:strict;-webkit-overflow-scrolling:touch}.cdk-virtual-scroll-content-wrapper{position:absolute;top:0;left:0;contain:content}[dir=rtl] .cdk-virtual-scroll-content-wrapper{right:0;left:auto}.cdk-virtual-scroll-orientation-horizontal .cdk-virtual-scroll-content-wrapper{min-height:100%}.cdk-virtual-scroll-orientation-horizontal .cdk-virtual-scroll-content-wrapper>dl:not([cdkVirtualFor]),.cdk-virtual-scroll-orientation-horizontal .cdk-virtual-scroll-content-wrapper>ol:not([cdkVirtualFor]),.cdk-virtual-scroll-orientation-horizontal .cdk-virtual-scroll-content-wrapper>table:not([cdkVirtualFor]),.cdk-virtual-scroll-orientation-horizontal .cdk-virtual-scroll-content-wrapper>ul:not([cdkVirtualFor]){padding-left:0;padding-right:0;margin-left:0;margin-right:0;border-left-width:0;border-right-width:0;outline:none}.cdk-virtual-scroll-orientation-vertical .cdk-virtual-scroll-content-wrapper{min-width:100%}.cdk-virtual-scroll-orientation-vertical .cdk-virtual-scroll-content-wrapper>dl:not([cdkVirtualFor]),.cdk-virtual-scroll-orientation-vertical .cdk-virtual-scroll-content-wrapper>ol:not([cdkVirtualFor]),.cdk-virtual-scroll-orientation-vertical .cdk-virtual-scroll-content-wrapper>table:not([cdkVirtualFor]),.cdk-virtual-scroll-orientation-vertical .cdk-virtual-scroll-content-wrapper>ul:not([cdkVirtualFor]){padding-top:0;padding-bottom:0;margin-top:0;margin-bottom:0;border-top-width:0;border-bottom-width:0;outline:none}.cdk-virtual-scroll-spacer{height:1px;transform-origin:0 0;flex:0 0 auto}[dir=rtl] .cdk-virtual-scroll-spacer{transform-origin:100% 0}\"],\n encapsulation: 2,\n changeDetection: 0\n });\n }\n }\n return CdkVirtualScrollViewport;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** Helper to extract the offset of a DOM Node in a certain direction. */\nfunction getOffset(orientation, direction, node) {\n const el = node;\n if (!el.getBoundingClientRect) {\n return 0;\n }\n const rect = el.getBoundingClientRect();\n if (orientation === 'horizontal') {\n return direction === 'start' ? rect.left : rect.right;\n }\n return direction === 'start' ? rect.top : rect.bottom;\n}\n/**\n * A directive similar to `ngForOf` to be used for rendering data inside a virtual scrolling\n * container.\n */\nlet CdkVirtualForOf = /*#__PURE__*/(() => {\n class CdkVirtualForOf {\n /** The DataSource to display. */\n get cdkVirtualForOf() {\n return this._cdkVirtualForOf;\n }\n set cdkVirtualForOf(value) {\n this._cdkVirtualForOf = value;\n if (isDataSource(value)) {\n this._dataSourceChanges.next(value);\n } else {\n // If value is an an NgIterable, convert it to an array.\n this._dataSourceChanges.next(new ArrayDataSource(isObservable(value) ? value : Array.from(value || [])));\n }\n }\n /**\n * The `TrackByFunction` to use for tracking changes. The `TrackByFunction` takes the index and\n * the item and produces a value to be used as the item's identity when tracking changes.\n */\n get cdkVirtualForTrackBy() {\n return this._cdkVirtualForTrackBy;\n }\n set cdkVirtualForTrackBy(fn) {\n this._needsUpdate = true;\n this._cdkVirtualForTrackBy = fn ? (index, item) => fn(index + (this._renderedRange ? this._renderedRange.start : 0), item) : undefined;\n }\n /** The template used to stamp out new elements. */\n set cdkVirtualForTemplate(value) {\n if (value) {\n this._needsUpdate = true;\n this._template = value;\n }\n }\n /**\n * The size of the cache used to store templates that are not being used for re-use later.\n * Setting the cache size to `0` will disable caching. Defaults to 20 templates.\n */\n get cdkVirtualForTemplateCacheSize() {\n return this._viewRepeater.viewCacheSize;\n }\n set cdkVirtualForTemplateCacheSize(size) {\n this._viewRepeater.viewCacheSize = coerceNumberProperty(size);\n }\n constructor(/** The view container to add items to. */\n _viewContainerRef, /** The template to use when stamping out new items. */\n _template, /** The set of available differs. */\n _differs, /** The strategy used to render items in the virtual scroll viewport. */\n _viewRepeater, /** The virtual scrolling viewport that these items are being rendered in. */\n _viewport, ngZone) {\n this._viewContainerRef = _viewContainerRef;\n this._template = _template;\n this._differs = _differs;\n this._viewRepeater = _viewRepeater;\n this._viewport = _viewport;\n /** Emits when the rendered view of the data changes. */\n this.viewChange = new Subject();\n /** Subject that emits when a new DataSource instance is given. */\n this._dataSourceChanges = new Subject();\n /** Emits whenever the data in the current DataSource changes. */\n this.dataStream = this._dataSourceChanges.pipe(\n // Start off with null `DataSource`.\n startWith(null),\n // Bundle up the previous and current data sources so we can work with both.\n pairwise(),\n // Use `_changeDataSource` to disconnect from the previous data source and connect to the\n // new one, passing back a stream of data changes which we run through `switchMap` to give\n // us a data stream that emits the latest data from whatever the current `DataSource` is.\n switchMap(([prev, cur]) => this._changeDataSource(prev, cur)),\n // Replay the last emitted data when someone subscribes.\n shareReplay(1));\n /** The differ used to calculate changes to the data. */\n this._differ = null;\n /** Whether the rendered data should be updated during the next ngDoCheck cycle. */\n this._needsUpdate = false;\n this._destroyed = new Subject();\n this.dataStream.subscribe(data => {\n this._data = data;\n this._onRenderedDataChange();\n });\n this._viewport.renderedRangeStream.pipe(takeUntil(this._destroyed)).subscribe(range => {\n this._renderedRange = range;\n if (this.viewChange.observers.length) {\n ngZone.run(() => this.viewChange.next(this._renderedRange));\n }\n this._onRenderedDataChange();\n });\n this._viewport.attach(this);\n }\n /**\n * Measures the combined size (width for horizontal orientation, height for vertical) of all items\n * in the specified range. Throws an error if the range includes items that are not currently\n * rendered.\n */\n measureRangeSize(range, orientation) {\n if (range.start >= range.end) {\n return 0;\n }\n if ((range.start < this._renderedRange.start || range.end > this._renderedRange.end) && (typeof ngDevMode === 'undefined' || ngDevMode)) {\n throw Error(`Error: attempted to measure an item that isn't rendered.`);\n }\n // The index into the list of rendered views for the first item in the range.\n const renderedStartIndex = range.start - this._renderedRange.start;\n // The length of the range we're measuring.\n const rangeLen = range.end - range.start;\n // Loop over all the views, find the first and land node and compute the size by subtracting\n // the top of the first node from the bottom of the last one.\n let firstNode;\n let lastNode;\n // Find the first node by starting from the beginning and going forwards.\n for (let i = 0; i < rangeLen; i++) {\n const view = this._viewContainerRef.get(i + renderedStartIndex);\n if (view && view.rootNodes.length) {\n firstNode = lastNode = view.rootNodes[0];\n break;\n }\n }\n // Find the last node by starting from the end and going backwards.\n for (let i = rangeLen - 1; i > -1; i--) {\n const view = this._viewContainerRef.get(i + renderedStartIndex);\n if (view && view.rootNodes.length) {\n lastNode = view.rootNodes[view.rootNodes.length - 1];\n break;\n }\n }\n return firstNode && lastNode ? getOffset(orientation, 'end', lastNode) - getOffset(orientation, 'start', firstNode) : 0;\n }\n ngDoCheck() {\n if (this._differ && this._needsUpdate) {\n // TODO(mmalerba): We should differentiate needs update due to scrolling and a new portion of\n // this list being rendered (can use simpler algorithm) vs needs update due to data actually\n // changing (need to do this diff).\n const changes = this._differ.diff(this._renderedItems);\n if (!changes) {\n this._updateContext();\n } else {\n this._applyChanges(changes);\n }\n this._needsUpdate = false;\n }\n }\n ngOnDestroy() {\n this._viewport.detach();\n this._dataSourceChanges.next(undefined);\n this._dataSourceChanges.complete();\n this.viewChange.complete();\n this._destroyed.next();\n this._destroyed.complete();\n this._viewRepeater.detach();\n }\n /** React to scroll state changes in the viewport. */\n _onRenderedDataChange() {\n if (!this._renderedRange) {\n return;\n }\n this._renderedItems = this._data.slice(this._renderedRange.start, this._renderedRange.end);\n if (!this._differ) {\n // Use a wrapper function for the `trackBy` so any new values are\n // picked up automatically without having to recreate the differ.\n this._differ = this._differs.find(this._renderedItems).create((index, item) => {\n return this.cdkVirtualForTrackBy ? this.cdkVirtualForTrackBy(index, item) : item;\n });\n }\n this._needsUpdate = true;\n }\n /** Swap out one `DataSource` for another. */\n _changeDataSource(oldDs, newDs) {\n if (oldDs) {\n oldDs.disconnect(this);\n }\n this._needsUpdate = true;\n return newDs ? newDs.connect(this) : of();\n }\n /** Update the `CdkVirtualForOfContext` for all views. */\n _updateContext() {\n const count = this._data.length;\n let i = this._viewContainerRef.length;\n while (i--) {\n const view = this._viewContainerRef.get(i);\n view.context.index = this._renderedRange.start + i;\n view.context.count = count;\n this._updateComputedContextProperties(view.context);\n view.detectChanges();\n }\n }\n /** Apply changes to the DOM. */\n _applyChanges(changes) {\n this._viewRepeater.applyChanges(changes, this._viewContainerRef, (record, _adjustedPreviousIndex, currentIndex) => this._getEmbeddedViewArgs(record, currentIndex), record => record.item);\n // Update $implicit for any items that had an identity change.\n changes.forEachIdentityChange(record => {\n const view = this._viewContainerRef.get(record.currentIndex);\n view.context.$implicit = record.item;\n });\n // Update the context variables on all items.\n const count = this._data.length;\n let i = this._viewContainerRef.length;\n while (i--) {\n const view = this._viewContainerRef.get(i);\n view.context.index = this._renderedRange.start + i;\n view.context.count = count;\n this._updateComputedContextProperties(view.context);\n }\n }\n /** Update the computed properties on the `CdkVirtualForOfContext`. */\n _updateComputedContextProperties(context) {\n context.first = context.index === 0;\n context.last = context.index === context.count - 1;\n context.even = context.index % 2 === 0;\n context.odd = !context.even;\n }\n _getEmbeddedViewArgs(record, index) {\n // Note that it's important that we insert the item directly at the proper index,\n // rather than inserting it and the moving it in place, because if there's a directive\n // on the same node that injects the `ViewContainerRef`, Angular will insert another\n // comment node which can throw off the move when it's being repeated for all items.\n return {\n templateRef: this._template,\n context: {\n $implicit: record.item,\n // It's guaranteed that the iterable is not \"undefined\" or \"null\" because we only\n // generate views for elements if the \"cdkVirtualForOf\" iterable has elements.\n cdkVirtualForOf: this._cdkVirtualForOf,\n index: -1,\n count: -1,\n first: false,\n last: false,\n odd: false,\n even: false\n },\n index\n };\n }\n static {\n this.ɵfac = function CdkVirtualForOf_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || CdkVirtualForOf)(i0.ɵɵdirectiveInject(i0.ViewContainerRef), i0.ɵɵdirectiveInject(i0.TemplateRef), i0.ɵɵdirectiveInject(i0.IterableDiffers), i0.ɵɵdirectiveInject(_VIEW_REPEATER_STRATEGY), i0.ɵɵdirectiveInject(CdkVirtualScrollViewport, 4), i0.ɵɵdirectiveInject(i0.NgZone));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: CdkVirtualForOf,\n selectors: [[\"\", \"cdkVirtualFor\", \"\", \"cdkVirtualForOf\", \"\"]],\n inputs: {\n cdkVirtualForOf: \"cdkVirtualForOf\",\n cdkVirtualForTrackBy: \"cdkVirtualForTrackBy\",\n cdkVirtualForTemplate: \"cdkVirtualForTemplate\",\n cdkVirtualForTemplateCacheSize: \"cdkVirtualForTemplateCacheSize\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: _VIEW_REPEATER_STRATEGY,\n useClass: _RecycleViewRepeaterStrategy\n }])]\n });\n }\n }\n return CdkVirtualForOf;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Provides a virtual scrollable for the element it is attached to.\n */\nlet CdkVirtualScrollableElement = /*#__PURE__*/(() => {\n class CdkVirtualScrollableElement extends CdkVirtualScrollable {\n constructor(elementRef, scrollDispatcher, ngZone, dir) {\n super(elementRef, scrollDispatcher, ngZone, dir);\n }\n measureBoundingClientRectWithScrollOffset(from) {\n return this.getElementRef().nativeElement.getBoundingClientRect()[from] - this.measureScrollOffset(from);\n }\n static {\n this.ɵfac = function CdkVirtualScrollableElement_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || CdkVirtualScrollableElement)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(ScrollDispatcher), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(i2.Directionality, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: CdkVirtualScrollableElement,\n selectors: [[\"\", \"cdkVirtualScrollingElement\", \"\"]],\n hostAttrs: [1, \"cdk-virtual-scrollable\"],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: VIRTUAL_SCROLLABLE,\n useExisting: CdkVirtualScrollableElement\n }]), i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return CdkVirtualScrollableElement;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Provides as virtual scrollable for the global / window scrollbar.\n */\nlet CdkVirtualScrollableWindow = /*#__PURE__*/(() => {\n class CdkVirtualScrollableWindow extends CdkVirtualScrollable {\n constructor(scrollDispatcher, ngZone, dir) {\n super(new ElementRef(document.documentElement), scrollDispatcher, ngZone, dir);\n this._elementScrolled = new Observable(observer => this.ngZone.runOutsideAngular(() => fromEvent(document, 'scroll').pipe(takeUntil(this._destroyed)).subscribe(observer)));\n }\n measureBoundingClientRectWithScrollOffset(from) {\n return this.getElementRef().nativeElement.getBoundingClientRect()[from];\n }\n static {\n this.ɵfac = function CdkVirtualScrollableWindow_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || CdkVirtualScrollableWindow)(i0.ɵɵdirectiveInject(ScrollDispatcher), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(i2.Directionality, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: CdkVirtualScrollableWindow,\n selectors: [[\"cdk-virtual-scroll-viewport\", \"scrollWindow\", \"\"]],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: VIRTUAL_SCROLLABLE,\n useExisting: CdkVirtualScrollableWindow\n }]), i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return CdkVirtualScrollableWindow;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet CdkScrollableModule = /*#__PURE__*/(() => {\n class CdkScrollableModule {\n static {\n this.ɵfac = function CdkScrollableModule_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || CdkScrollableModule)();\n };\n }\n static {\n this.ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: CdkScrollableModule\n });\n }\n static {\n this.ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({});\n }\n }\n return CdkScrollableModule;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * @docs-primary-export\n */\nlet ScrollingModule = /*#__PURE__*/(() => {\n class ScrollingModule {\n static {\n this.ɵfac = function ScrollingModule_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || ScrollingModule)();\n };\n }\n static {\n this.ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: ScrollingModule\n });\n }\n static {\n this.ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({\n imports: [BidiModule, CdkScrollableModule, BidiModule, CdkScrollableModule]\n });\n }\n }\n return ScrollingModule;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Generated bundle index. Do not edit.\n */\n\nexport { CdkFixedSizeVirtualScroll, CdkScrollable, CdkScrollableModule, CdkVirtualForOf, CdkVirtualScrollViewport, CdkVirtualScrollable, CdkVirtualScrollableElement, CdkVirtualScrollableWindow, DEFAULT_RESIZE_TIME, DEFAULT_SCROLL_TIME, FixedSizeVirtualScrollStrategy, ScrollDispatcher, ScrollingModule, VIRTUAL_SCROLLABLE, VIRTUAL_SCROLL_STRATEGY, ViewportRuler, _fixedSizeVirtualScrollStrategyFactory };\n","import * as i1 from '@angular/cdk/scrolling';\nimport { ScrollingModule } from '@angular/cdk/scrolling';\nexport { CdkScrollable, ScrollDispatcher, ViewportRuler } from '@angular/cdk/scrolling';\nimport * as i6 from '@angular/common';\nimport { DOCUMENT } from '@angular/common';\nimport * as i0 from '@angular/core';\nimport { Injectable, Inject, Optional, untracked, afterRender, afterNextRender, ElementRef, EnvironmentInjector, ApplicationRef, ANIMATION_MODULE_TYPE, InjectionToken, inject, Directive, NgZone, EventEmitter, booleanAttribute, Input, Output, NgModule } from '@angular/core';\nimport { coerceCssPixelValue, coerceArray } from '@angular/cdk/coercion';\nimport * as i1$1 from '@angular/cdk/platform';\nimport { supportsScrollBehavior, _getEventTarget, _isTestEnvironment } from '@angular/cdk/platform';\nimport { filter, takeUntil, takeWhile } from 'rxjs/operators';\nimport * as i5 from '@angular/cdk/bidi';\nimport { BidiModule } from '@angular/cdk/bidi';\nimport { DomPortalOutlet, TemplatePortal, PortalModule } from '@angular/cdk/portal';\nimport { Subject, Subscription, merge } from 'rxjs';\nimport { ESCAPE, hasModifierKey } from '@angular/cdk/keycodes';\nconst scrollBehaviorSupported = /*#__PURE__*/supportsScrollBehavior();\n/**\n * Strategy that will prevent the user from scrolling while the overlay is visible.\n */\nclass BlockScrollStrategy {\n constructor(_viewportRuler, document) {\n this._viewportRuler = _viewportRuler;\n this._previousHTMLStyles = {\n top: '',\n left: ''\n };\n this._isEnabled = false;\n this._document = document;\n }\n /** Attaches this scroll strategy to an overlay. */\n attach() {}\n /** Blocks page-level scroll while the attached overlay is open. */\n enable() {\n if (this._canBeEnabled()) {\n const root = this._document.documentElement;\n this._previousScrollPosition = this._viewportRuler.getViewportScrollPosition();\n // Cache the previous inline styles in case the user had set them.\n this._previousHTMLStyles.left = root.style.left || '';\n this._previousHTMLStyles.top = root.style.top || '';\n // Note: we're using the `html` node, instead of the `body`, because the `body` may\n // have the user agent margin, whereas the `html` is guaranteed not to have one.\n root.style.left = coerceCssPixelValue(-this._previousScrollPosition.left);\n root.style.top = coerceCssPixelValue(-this._previousScrollPosition.top);\n root.classList.add('cdk-global-scrollblock');\n this._isEnabled = true;\n }\n }\n /** Unblocks page-level scroll while the attached overlay is open. */\n disable() {\n if (this._isEnabled) {\n const html = this._document.documentElement;\n const body = this._document.body;\n const htmlStyle = html.style;\n const bodyStyle = body.style;\n const previousHtmlScrollBehavior = htmlStyle.scrollBehavior || '';\n const previousBodyScrollBehavior = bodyStyle.scrollBehavior || '';\n this._isEnabled = false;\n htmlStyle.left = this._previousHTMLStyles.left;\n htmlStyle.top = this._previousHTMLStyles.top;\n html.classList.remove('cdk-global-scrollblock');\n // Disable user-defined smooth scrolling temporarily while we restore the scroll position.\n // See https://developer.mozilla.org/en-US/docs/Web/CSS/scroll-behavior\n // Note that we don't mutate the property if the browser doesn't support `scroll-behavior`,\n // because it can throw off feature detections in `supportsScrollBehavior` which\n // checks for `'scrollBehavior' in documentElement.style`.\n if (scrollBehaviorSupported) {\n htmlStyle.scrollBehavior = bodyStyle.scrollBehavior = 'auto';\n }\n window.scroll(this._previousScrollPosition.left, this._previousScrollPosition.top);\n if (scrollBehaviorSupported) {\n htmlStyle.scrollBehavior = previousHtmlScrollBehavior;\n bodyStyle.scrollBehavior = previousBodyScrollBehavior;\n }\n }\n }\n _canBeEnabled() {\n // Since the scroll strategies can't be singletons, we have to use a global CSS class\n // (`cdk-global-scrollblock`) to make sure that we don't try to disable global\n // scrolling multiple times.\n const html = this._document.documentElement;\n if (html.classList.contains('cdk-global-scrollblock') || this._isEnabled) {\n return false;\n }\n const body = this._document.body;\n const viewport = this._viewportRuler.getViewportSize();\n return body.scrollHeight > viewport.height || body.scrollWidth > viewport.width;\n }\n}\n\n/**\n * Returns an error to be thrown when attempting to attach an already-attached scroll strategy.\n */\nfunction getMatScrollStrategyAlreadyAttachedError() {\n return Error(`Scroll strategy has already been attached.`);\n}\n\n/**\n * Strategy that will close the overlay as soon as the user starts scrolling.\n */\nclass CloseScrollStrategy {\n constructor(_scrollDispatcher, _ngZone, _viewportRuler, _config) {\n this._scrollDispatcher = _scrollDispatcher;\n this._ngZone = _ngZone;\n this._viewportRuler = _viewportRuler;\n this._config = _config;\n this._scrollSubscription = null;\n /** Detaches the overlay ref and disables the scroll strategy. */\n this._detach = () => {\n this.disable();\n if (this._overlayRef.hasAttached()) {\n this._ngZone.run(() => this._overlayRef.detach());\n }\n };\n }\n /** Attaches this scroll strategy to an overlay. */\n attach(overlayRef) {\n if (this._overlayRef && (typeof ngDevMode === 'undefined' || ngDevMode)) {\n throw getMatScrollStrategyAlreadyAttachedError();\n }\n this._overlayRef = overlayRef;\n }\n /** Enables the closing of the attached overlay on scroll. */\n enable() {\n if (this._scrollSubscription) {\n return;\n }\n const stream = this._scrollDispatcher.scrolled(0).pipe(filter(scrollable => {\n return !scrollable || !this._overlayRef.overlayElement.contains(scrollable.getElementRef().nativeElement);\n }));\n if (this._config && this._config.threshold && this._config.threshold > 1) {\n this._initialScrollPosition = this._viewportRuler.getViewportScrollPosition().top;\n this._scrollSubscription = stream.subscribe(() => {\n const scrollPosition = this._viewportRuler.getViewportScrollPosition().top;\n if (Math.abs(scrollPosition - this._initialScrollPosition) > this._config.threshold) {\n this._detach();\n } else {\n this._overlayRef.updatePosition();\n }\n });\n } else {\n this._scrollSubscription = stream.subscribe(this._detach);\n }\n }\n /** Disables the closing the attached overlay on scroll. */\n disable() {\n if (this._scrollSubscription) {\n this._scrollSubscription.unsubscribe();\n this._scrollSubscription = null;\n }\n }\n detach() {\n this.disable();\n this._overlayRef = null;\n }\n}\n\n/** Scroll strategy that doesn't do anything. */\nclass NoopScrollStrategy {\n /** Does nothing, as this scroll strategy is a no-op. */\n enable() {}\n /** Does nothing, as this scroll strategy is a no-op. */\n disable() {}\n /** Does nothing, as this scroll strategy is a no-op. */\n attach() {}\n}\n\n/**\n * Gets whether an element is scrolled outside of view by any of its parent scrolling containers.\n * @param element Dimensions of the element (from getBoundingClientRect)\n * @param scrollContainers Dimensions of element's scrolling containers (from getBoundingClientRect)\n * @returns Whether the element is scrolled out of view\n * @docs-private\n */\nfunction isElementScrolledOutsideView(element, scrollContainers) {\n return scrollContainers.some(containerBounds => {\n const outsideAbove = element.bottom < containerBounds.top;\n const outsideBelow = element.top > containerBounds.bottom;\n const outsideLeft = element.right < containerBounds.left;\n const outsideRight = element.left > containerBounds.right;\n return outsideAbove || outsideBelow || outsideLeft || outsideRight;\n });\n}\n/**\n * Gets whether an element is clipped by any of its scrolling containers.\n * @param element Dimensions of the element (from getBoundingClientRect)\n * @param scrollContainers Dimensions of element's scrolling containers (from getBoundingClientRect)\n * @returns Whether the element is clipped\n * @docs-private\n */\nfunction isElementClippedByScrolling(element, scrollContainers) {\n return scrollContainers.some(scrollContainerRect => {\n const clippedAbove = element.top < scrollContainerRect.top;\n const clippedBelow = element.bottom > scrollContainerRect.bottom;\n const clippedLeft = element.left < scrollContainerRect.left;\n const clippedRight = element.right > scrollContainerRect.right;\n return clippedAbove || clippedBelow || clippedLeft || clippedRight;\n });\n}\n\n/**\n * Strategy that will update the element position as the user is scrolling.\n */\nclass RepositionScrollStrategy {\n constructor(_scrollDispatcher, _viewportRuler, _ngZone, _config) {\n this._scrollDispatcher = _scrollDispatcher;\n this._viewportRuler = _viewportRuler;\n this._ngZone = _ngZone;\n this._config = _config;\n this._scrollSubscription = null;\n }\n /** Attaches this scroll strategy to an overlay. */\n attach(overlayRef) {\n if (this._overlayRef && (typeof ngDevMode === 'undefined' || ngDevMode)) {\n throw getMatScrollStrategyAlreadyAttachedError();\n }\n this._overlayRef = overlayRef;\n }\n /** Enables repositioning of the attached overlay on scroll. */\n enable() {\n if (!this._scrollSubscription) {\n const throttle = this._config ? this._config.scrollThrottle : 0;\n this._scrollSubscription = this._scrollDispatcher.scrolled(throttle).subscribe(() => {\n this._overlayRef.updatePosition();\n // TODO(crisbeto): make `close` on by default once all components can handle it.\n if (this._config && this._config.autoClose) {\n const overlayRect = this._overlayRef.overlayElement.getBoundingClientRect();\n const {\n width,\n height\n } = this._viewportRuler.getViewportSize();\n // TODO(crisbeto): include all ancestor scroll containers here once\n // we have a way of exposing the trigger element to the scroll strategy.\n const parentRects = [{\n width,\n height,\n bottom: height,\n right: width,\n top: 0,\n left: 0\n }];\n if (isElementScrolledOutsideView(overlayRect, parentRects)) {\n this.disable();\n this._ngZone.run(() => this._overlayRef.detach());\n }\n }\n });\n }\n }\n /** Disables repositioning of the attached overlay on scroll. */\n disable() {\n if (this._scrollSubscription) {\n this._scrollSubscription.unsubscribe();\n this._scrollSubscription = null;\n }\n }\n detach() {\n this.disable();\n this._overlayRef = null;\n }\n}\n\n/**\n * Options for how an overlay will handle scrolling.\n *\n * Users can provide a custom value for `ScrollStrategyOptions` to replace the default\n * behaviors. This class primarily acts as a factory for ScrollStrategy instances.\n */\nlet ScrollStrategyOptions = /*#__PURE__*/(() => {\n class ScrollStrategyOptions {\n constructor(_scrollDispatcher, _viewportRuler, _ngZone, document) {\n this._scrollDispatcher = _scrollDispatcher;\n this._viewportRuler = _viewportRuler;\n this._ngZone = _ngZone;\n /** Do nothing on scroll. */\n this.noop = () => new NoopScrollStrategy();\n /**\n * Close the overlay as soon as the user scrolls.\n * @param config Configuration to be used inside the scroll strategy.\n */\n this.close = config => new CloseScrollStrategy(this._scrollDispatcher, this._ngZone, this._viewportRuler, config);\n /** Block scrolling. */\n this.block = () => new BlockScrollStrategy(this._viewportRuler, this._document);\n /**\n * Update the overlay's position on scroll.\n * @param config Configuration to be used inside the scroll strategy.\n * Allows debouncing the reposition calls.\n */\n this.reposition = config => new RepositionScrollStrategy(this._scrollDispatcher, this._viewportRuler, this._ngZone, config);\n this._document = document;\n }\n static {\n this.ɵfac = function ScrollStrategyOptions_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || ScrollStrategyOptions)(i0.ɵɵinject(i1.ScrollDispatcher), i0.ɵɵinject(i1.ViewportRuler), i0.ɵɵinject(i0.NgZone), i0.ɵɵinject(DOCUMENT));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: ScrollStrategyOptions,\n factory: ScrollStrategyOptions.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return ScrollStrategyOptions;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** Initial configuration used when creating an overlay. */\nclass OverlayConfig {\n constructor(config) {\n /** Strategy to be used when handling scroll events while the overlay is open. */\n this.scrollStrategy = new NoopScrollStrategy();\n /** Custom class to add to the overlay pane. */\n this.panelClass = '';\n /** Whether the overlay has a backdrop. */\n this.hasBackdrop = false;\n /** Custom class to add to the backdrop */\n this.backdropClass = 'cdk-overlay-dark-backdrop';\n /**\n * Whether the overlay should be disposed of when the user goes backwards/forwards in history.\n * Note that this usually doesn't include clicking on links (unless the user is using\n * the `HashLocationStrategy`).\n */\n this.disposeOnNavigation = false;\n if (config) {\n // Use `Iterable` instead of `Array` because TypeScript, as of 3.6.3,\n // loses the array generic type in the `for of`. But we *also* have to use `Array` because\n // typescript won't iterate over an `Iterable` unless you compile with `--downlevelIteration`\n const configKeys = Object.keys(config);\n for (const key of configKeys) {\n if (config[key] !== undefined) {\n // TypeScript, as of version 3.5, sees the left-hand-side of this expression\n // as \"I don't know *which* key this is, so the only valid value is the intersection\n // of all the possible values.\" In this case, that happens to be `undefined`. TypeScript\n // is not smart enough to see that the right-hand-side is actually an access of the same\n // exact type with the same exact key, meaning that the value type must be identical.\n // So we use `any` to work around this.\n this[key] = config[key];\n }\n }\n }\n }\n}\n\n/** The points of the origin element and the overlay element to connect. */\nclass ConnectionPositionPair {\n constructor(origin, overlay, /** Offset along the X axis. */\n offsetX, /** Offset along the Y axis. */\n offsetY, /** Class(es) to be applied to the panel while this position is active. */\n panelClass) {\n this.offsetX = offsetX;\n this.offsetY = offsetY;\n this.panelClass = panelClass;\n this.originX = origin.originX;\n this.originY = origin.originY;\n this.overlayX = overlay.overlayX;\n this.overlayY = overlay.overlayY;\n }\n}\n/**\n * Set of properties regarding the position of the origin and overlay relative to the viewport\n * with respect to the containing Scrollable elements.\n *\n * The overlay and origin are clipped if any part of their bounding client rectangle exceeds the\n * bounds of any one of the strategy's Scrollable's bounding client rectangle.\n *\n * The overlay and origin are outside view if there is no overlap between their bounding client\n * rectangle and any one of the strategy's Scrollable's bounding client rectangle.\n *\n * ----------- -----------\n * | outside | | clipped |\n * | view | --------------------------\n * | | | | | |\n * ---------- | ----------- |\n * -------------------------- | |\n * | | | Scrollable |\n * | | | |\n * | | --------------------------\n * | Scrollable |\n * | |\n * --------------------------\n *\n * @docs-private\n */\nclass ScrollingVisibility {}\n/** The change event emitted by the strategy when a fallback position is used. */\nclass ConnectedOverlayPositionChange {\n constructor(/** The position used as a result of this change. */\n connectionPair, /** @docs-private */\n scrollableViewProperties) {\n this.connectionPair = connectionPair;\n this.scrollableViewProperties = scrollableViewProperties;\n }\n}\n/**\n * Validates whether a vertical position property matches the expected values.\n * @param property Name of the property being validated.\n * @param value Value of the property being validated.\n * @docs-private\n */\nfunction validateVerticalPosition(property, value) {\n if (value !== 'top' && value !== 'bottom' && value !== 'center') {\n throw Error(`ConnectedPosition: Invalid ${property} \"${value}\". ` + `Expected \"top\", \"bottom\" or \"center\".`);\n }\n}\n/**\n * Validates whether a horizontal position property matches the expected values.\n * @param property Name of the property being validated.\n * @param value Value of the property being validated.\n * @docs-private\n */\nfunction validateHorizontalPosition(property, value) {\n if (value !== 'start' && value !== 'end' && value !== 'center') {\n throw Error(`ConnectedPosition: Invalid ${property} \"${value}\". ` + `Expected \"start\", \"end\" or \"center\".`);\n }\n}\n\n/**\n * Service for dispatching events that land on the body to appropriate overlay ref,\n * if any. It maintains a list of attached overlays to determine best suited overlay based\n * on event target and order of overlay opens.\n */\nlet BaseOverlayDispatcher = /*#__PURE__*/(() => {\n class BaseOverlayDispatcher {\n constructor(document) {\n /** Currently attached overlays in the order they were attached. */\n this._attachedOverlays = [];\n this._document = document;\n }\n ngOnDestroy() {\n this.detach();\n }\n /** Add a new overlay to the list of attached overlay refs. */\n add(overlayRef) {\n // Ensure that we don't get the same overlay multiple times.\n this.remove(overlayRef);\n this._attachedOverlays.push(overlayRef);\n }\n /** Remove an overlay from the list of attached overlay refs. */\n remove(overlayRef) {\n const index = this._attachedOverlays.indexOf(overlayRef);\n if (index > -1) {\n this._attachedOverlays.splice(index, 1);\n }\n // Remove the global listener once there are no more overlays.\n if (this._attachedOverlays.length === 0) {\n this.detach();\n }\n }\n static {\n this.ɵfac = function BaseOverlayDispatcher_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || BaseOverlayDispatcher)(i0.ɵɵinject(DOCUMENT));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: BaseOverlayDispatcher,\n factory: BaseOverlayDispatcher.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return BaseOverlayDispatcher;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Service for dispatching keyboard events that land on the body to appropriate overlay ref,\n * if any. It maintains a list of attached overlays to determine best suited overlay based\n * on event target and order of overlay opens.\n */\nlet OverlayKeyboardDispatcher = /*#__PURE__*/(() => {\n class OverlayKeyboardDispatcher extends BaseOverlayDispatcher {\n constructor(document, /** @breaking-change 14.0.0 _ngZone will be required. */\n _ngZone) {\n super(document);\n this._ngZone = _ngZone;\n /** Keyboard event listener that will be attached to the body. */\n this._keydownListener = event => {\n const overlays = this._attachedOverlays;\n for (let i = overlays.length - 1; i > -1; i--) {\n // Dispatch the keydown event to the top overlay which has subscribers to its keydown events.\n // We want to target the most recent overlay, rather than trying to match where the event came\n // from, because some components might open an overlay, but keep focus on a trigger element\n // (e.g. for select and autocomplete). We skip overlays without keydown event subscriptions,\n // because we don't want overlays that don't handle keyboard events to block the ones below\n // them that do.\n if (overlays[i]._keydownEvents.observers.length > 0) {\n const keydownEvents = overlays[i]._keydownEvents;\n /** @breaking-change 14.0.0 _ngZone will be required. */\n if (this._ngZone) {\n this._ngZone.run(() => keydownEvents.next(event));\n } else {\n keydownEvents.next(event);\n }\n break;\n }\n }\n };\n }\n /** Add a new overlay to the list of attached overlay refs. */\n add(overlayRef) {\n super.add(overlayRef);\n // Lazily start dispatcher once first overlay is added\n if (!this._isAttached) {\n /** @breaking-change 14.0.0 _ngZone will be required. */\n if (this._ngZone) {\n this._ngZone.runOutsideAngular(() => this._document.body.addEventListener('keydown', this._keydownListener));\n } else {\n this._document.body.addEventListener('keydown', this._keydownListener);\n }\n this._isAttached = true;\n }\n }\n /** Detaches the global keyboard event listener. */\n detach() {\n if (this._isAttached) {\n this._document.body.removeEventListener('keydown', this._keydownListener);\n this._isAttached = false;\n }\n }\n static {\n this.ɵfac = function OverlayKeyboardDispatcher_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || OverlayKeyboardDispatcher)(i0.ɵɵinject(DOCUMENT), i0.ɵɵinject(i0.NgZone, 8));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: OverlayKeyboardDispatcher,\n factory: OverlayKeyboardDispatcher.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return OverlayKeyboardDispatcher;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Service for dispatching mouse click events that land on the body to appropriate overlay ref,\n * if any. It maintains a list of attached overlays to determine best suited overlay based\n * on event target and order of overlay opens.\n */\nlet OverlayOutsideClickDispatcher = /*#__PURE__*/(() => {\n class OverlayOutsideClickDispatcher extends BaseOverlayDispatcher {\n constructor(document, _platform, /** @breaking-change 14.0.0 _ngZone will be required. */\n _ngZone) {\n super(document);\n this._platform = _platform;\n this._ngZone = _ngZone;\n this._cursorStyleIsSet = false;\n /** Store pointerdown event target to track origin of click. */\n this._pointerDownListener = event => {\n this._pointerDownEventTarget = _getEventTarget(event);\n };\n /** Click event listener that will be attached to the body propagate phase. */\n this._clickListener = event => {\n const target = _getEventTarget(event);\n // In case of a click event, we want to check the origin of the click\n // (e.g. in case where a user starts a click inside the overlay and\n // releases the click outside of it).\n // This is done by using the event target of the preceding pointerdown event.\n // Every click event caused by a pointer device has a preceding pointerdown\n // event, unless the click was programmatically triggered (e.g. in a unit test).\n const origin = event.type === 'click' && this._pointerDownEventTarget ? this._pointerDownEventTarget : target;\n // Reset the stored pointerdown event target, to avoid having it interfere\n // in subsequent events.\n this._pointerDownEventTarget = null;\n // We copy the array because the original may be modified asynchronously if the\n // outsidePointerEvents listener decides to detach overlays resulting in index errors inside\n // the for loop.\n const overlays = this._attachedOverlays.slice();\n // Dispatch the mouse event to the top overlay which has subscribers to its mouse events.\n // We want to target all overlays for which the click could be considered as outside click.\n // As soon as we reach an overlay for which the click is not outside click we break off\n // the loop.\n for (let i = overlays.length - 1; i > -1; i--) {\n const overlayRef = overlays[i];\n if (overlayRef._outsidePointerEvents.observers.length < 1 || !overlayRef.hasAttached()) {\n continue;\n }\n // If it's a click inside the overlay, just break - we should do nothing\n // If it's an outside click (both origin and target of the click) dispatch the mouse event,\n // and proceed with the next overlay\n if (containsPierceShadowDom(overlayRef.overlayElement, target) || containsPierceShadowDom(overlayRef.overlayElement, origin)) {\n break;\n }\n const outsidePointerEvents = overlayRef._outsidePointerEvents;\n /** @breaking-change 14.0.0 _ngZone will be required. */\n if (this._ngZone) {\n this._ngZone.run(() => outsidePointerEvents.next(event));\n } else {\n outsidePointerEvents.next(event);\n }\n }\n };\n }\n /** Add a new overlay to the list of attached overlay refs. */\n add(overlayRef) {\n super.add(overlayRef);\n // Safari on iOS does not generate click events for non-interactive\n // elements. However, we want to receive a click for any element outside\n // the overlay. We can force a \"clickable\" state by setting\n // `cursor: pointer` on the document body. See:\n // https://developer.mozilla.org/en-US/docs/Web/API/Element/click_event#Safari_Mobile\n // https://developer.apple.com/library/archive/documentation/AppleApplications/Reference/SafariWebContent/HandlingEvents/HandlingEvents.html\n if (!this._isAttached) {\n const body = this._document.body;\n /** @breaking-change 14.0.0 _ngZone will be required. */\n if (this._ngZone) {\n this._ngZone.runOutsideAngular(() => this._addEventListeners(body));\n } else {\n this._addEventListeners(body);\n }\n // click event is not fired on iOS. To make element \"clickable\" we are\n // setting the cursor to pointer\n if (this._platform.IOS && !this._cursorStyleIsSet) {\n this._cursorOriginalValue = body.style.cursor;\n body.style.cursor = 'pointer';\n this._cursorStyleIsSet = true;\n }\n this._isAttached = true;\n }\n }\n /** Detaches the global keyboard event listener. */\n detach() {\n if (this._isAttached) {\n const body = this._document.body;\n body.removeEventListener('pointerdown', this._pointerDownListener, true);\n body.removeEventListener('click', this._clickListener, true);\n body.removeEventListener('auxclick', this._clickListener, true);\n body.removeEventListener('contextmenu', this._clickListener, true);\n if (this._platform.IOS && this._cursorStyleIsSet) {\n body.style.cursor = this._cursorOriginalValue;\n this._cursorStyleIsSet = false;\n }\n this._isAttached = false;\n }\n }\n _addEventListeners(body) {\n body.addEventListener('pointerdown', this._pointerDownListener, true);\n body.addEventListener('click', this._clickListener, true);\n body.addEventListener('auxclick', this._clickListener, true);\n body.addEventListener('contextmenu', this._clickListener, true);\n }\n static {\n this.ɵfac = function OverlayOutsideClickDispatcher_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || OverlayOutsideClickDispatcher)(i0.ɵɵinject(DOCUMENT), i0.ɵɵinject(i1$1.Platform), i0.ɵɵinject(i0.NgZone, 8));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: OverlayOutsideClickDispatcher,\n factory: OverlayOutsideClickDispatcher.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return OverlayOutsideClickDispatcher;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/** Version of `Element.contains` that transcends shadow DOM boundaries. */\nfunction containsPierceShadowDom(parent, child) {\n const supportsShadowRoot = typeof ShadowRoot !== 'undefined' && ShadowRoot;\n let current = child;\n while (current) {\n if (current === parent) {\n return true;\n }\n current = supportsShadowRoot && current instanceof ShadowRoot ? current.host : current.parentNode;\n }\n return false;\n}\n\n/** Container inside which all overlays will render. */\nlet OverlayContainer = /*#__PURE__*/(() => {\n class OverlayContainer {\n constructor(document, _platform) {\n this._platform = _platform;\n this._document = document;\n }\n ngOnDestroy() {\n this._containerElement?.remove();\n }\n /**\n * This method returns the overlay container element. It will lazily\n * create the element the first time it is called to facilitate using\n * the container in non-browser environments.\n * @returns the container element\n */\n getContainerElement() {\n if (!this._containerElement) {\n this._createContainer();\n }\n return this._containerElement;\n }\n /**\n * Create the overlay container element, which is simply a div\n * with the 'cdk-overlay-container' class on the document body.\n */\n _createContainer() {\n const containerClass = 'cdk-overlay-container';\n // TODO(crisbeto): remove the testing check once we have an overlay testing\n // module or Angular starts tearing down the testing `NgModule`. See:\n // https://github.com/angular/angular/issues/18831\n if (this._platform.isBrowser || _isTestEnvironment()) {\n const oppositePlatformContainers = this._document.querySelectorAll(`.${containerClass}[platform=\"server\"], ` + `.${containerClass}[platform=\"test\"]`);\n // Remove any old containers from the opposite platform.\n // This can happen when transitioning from the server to the client.\n for (let i = 0; i < oppositePlatformContainers.length; i++) {\n oppositePlatformContainers[i].remove();\n }\n }\n const container = this._document.createElement('div');\n container.classList.add(containerClass);\n // A long time ago we kept adding new overlay containers whenever a new app was instantiated,\n // but at some point we added logic which clears the duplicate ones in order to avoid leaks.\n // The new logic was a little too aggressive since it was breaking some legitimate use cases.\n // To mitigate the problem we made it so that only containers from a different platform are\n // cleared, but the side-effect was that people started depending on the overly-aggressive\n // logic to clean up their tests for them. Until we can introduce an overlay-specific testing\n // module which does the cleanup, we try to detect that we're in a test environment and we\n // always clear the container. See #17006.\n // TODO(crisbeto): remove the test environment check once we have an overlay testing module.\n if (_isTestEnvironment()) {\n container.setAttribute('platform', 'test');\n } else if (!this._platform.isBrowser) {\n container.setAttribute('platform', 'server');\n }\n this._document.body.appendChild(container);\n this._containerElement = container;\n }\n static {\n this.ɵfac = function OverlayContainer_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || OverlayContainer)(i0.ɵɵinject(DOCUMENT), i0.ɵɵinject(i1$1.Platform));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: OverlayContainer,\n factory: OverlayContainer.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return OverlayContainer;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Reference to an overlay that has been created with the Overlay service.\n * Used to manipulate or dispose of said overlay.\n */\nclass OverlayRef {\n constructor(_portalOutlet, _host, _pane, _config, _ngZone, _keyboardDispatcher, _document, _location, _outsideClickDispatcher, _animationsDisabled = false, _injector) {\n this._portalOutlet = _portalOutlet;\n this._host = _host;\n this._pane = _pane;\n this._config = _config;\n this._ngZone = _ngZone;\n this._keyboardDispatcher = _keyboardDispatcher;\n this._document = _document;\n this._location = _location;\n this._outsideClickDispatcher = _outsideClickDispatcher;\n this._animationsDisabled = _animationsDisabled;\n this._injector = _injector;\n this._backdropElement = null;\n this._backdropClick = new Subject();\n this._attachments = new Subject();\n this._detachments = new Subject();\n this._locationChanges = Subscription.EMPTY;\n this._backdropClickHandler = event => this._backdropClick.next(event);\n this._backdropTransitionendHandler = event => {\n this._disposeBackdrop(event.target);\n };\n /** Stream of keydown events dispatched to this overlay. */\n this._keydownEvents = new Subject();\n /** Stream of mouse outside events dispatched to this overlay. */\n this._outsidePointerEvents = new Subject();\n this._renders = new Subject();\n if (_config.scrollStrategy) {\n this._scrollStrategy = _config.scrollStrategy;\n this._scrollStrategy.attach(this);\n }\n this._positionStrategy = _config.positionStrategy;\n // Users could open the overlay from an `effect`, in which case we need to\n // run the `afterRender` as `untracked`. We don't recommend that users do\n // this, but we also don't want to break users who are doing it.\n this._afterRenderRef = untracked(() => afterRender(() => {\n this._renders.next();\n }, {\n injector: this._injector\n }));\n }\n /** The overlay's HTML element */\n get overlayElement() {\n return this._pane;\n }\n /** The overlay's backdrop HTML element. */\n get backdropElement() {\n return this._backdropElement;\n }\n /**\n * Wrapper around the panel element. Can be used for advanced\n * positioning where a wrapper with specific styling is\n * required around the overlay pane.\n */\n get hostElement() {\n return this._host;\n }\n /**\n * Attaches content, given via a Portal, to the overlay.\n * If the overlay is configured to have a backdrop, it will be created.\n *\n * @param portal Portal instance to which to attach the overlay.\n * @returns The portal attachment result.\n */\n attach(portal) {\n // Insert the host into the DOM before attaching the portal, otherwise\n // the animations module will skip animations on repeat attachments.\n if (!this._host.parentElement && this._previousHostParent) {\n this._previousHostParent.appendChild(this._host);\n }\n const attachResult = this._portalOutlet.attach(portal);\n if (this._positionStrategy) {\n this._positionStrategy.attach(this);\n }\n this._updateStackingOrder();\n this._updateElementSize();\n this._updateElementDirection();\n if (this._scrollStrategy) {\n this._scrollStrategy.enable();\n }\n // We need to clean this up ourselves, because we're passing in an\n // `EnvironmentInjector` below which won't ever be destroyed.\n // Otherwise it causes some callbacks to be retained (see #29696).\n this._afterNextRenderRef?.destroy();\n // Update the position once the overlay is fully rendered before attempting to position it,\n // as the position may depend on the size of the rendered content.\n this._afterNextRenderRef = afterNextRender(() => {\n // The overlay could've been detached before the callback executed.\n if (this.hasAttached()) {\n this.updatePosition();\n }\n }, {\n injector: this._injector\n });\n // Enable pointer events for the overlay pane element.\n this._togglePointerEvents(true);\n if (this._config.hasBackdrop) {\n this._attachBackdrop();\n }\n if (this._config.panelClass) {\n this._toggleClasses(this._pane, this._config.panelClass, true);\n }\n // Only emit the `attachments` event once all other setup is done.\n this._attachments.next();\n // Track this overlay by the keyboard dispatcher\n this._keyboardDispatcher.add(this);\n if (this._config.disposeOnNavigation) {\n this._locationChanges = this._location.subscribe(() => this.dispose());\n }\n this._outsideClickDispatcher.add(this);\n // TODO(crisbeto): the null check is here, because the portal outlet returns `any`.\n // We should be guaranteed for the result to be `ComponentRef | EmbeddedViewRef`, but\n // `instanceof EmbeddedViewRef` doesn't appear to work at the moment.\n if (typeof attachResult?.onDestroy === 'function') {\n // In most cases we control the portal and we know when it is being detached so that\n // we can finish the disposal process. The exception is if the user passes in a custom\n // `ViewContainerRef` that isn't destroyed through the overlay API. Note that we use\n // `detach` here instead of `dispose`, because we don't know if the user intends to\n // reattach the overlay at a later point. It also has the advantage of waiting for animations.\n attachResult.onDestroy(() => {\n if (this.hasAttached()) {\n // We have to delay the `detach` call, because detaching immediately prevents\n // other destroy hooks from running. This is likely a framework bug similar to\n // https://github.com/angular/angular/issues/46119\n this._ngZone.runOutsideAngular(() => Promise.resolve().then(() => this.detach()));\n }\n });\n }\n return attachResult;\n }\n /**\n * Detaches an overlay from a portal.\n * @returns The portal detachment result.\n */\n detach() {\n if (!this.hasAttached()) {\n return;\n }\n this.detachBackdrop();\n // When the overlay is detached, the pane element should disable pointer events.\n // This is necessary because otherwise the pane element will cover the page and disable\n // pointer events therefore. Depends on the position strategy and the applied pane boundaries.\n this._togglePointerEvents(false);\n if (this._positionStrategy && this._positionStrategy.detach) {\n this._positionStrategy.detach();\n }\n if (this._scrollStrategy) {\n this._scrollStrategy.disable();\n }\n const detachmentResult = this._portalOutlet.detach();\n // Only emit after everything is detached.\n this._detachments.next();\n // Remove this overlay from keyboard dispatcher tracking.\n this._keyboardDispatcher.remove(this);\n // Keeping the host element in the DOM can cause scroll jank, because it still gets\n // rendered, even though it's transparent and unclickable which is why we remove it.\n this._detachContentWhenEmpty();\n this._locationChanges.unsubscribe();\n this._outsideClickDispatcher.remove(this);\n return detachmentResult;\n }\n /** Cleans up the overlay from the DOM. */\n dispose() {\n const isAttached = this.hasAttached();\n if (this._positionStrategy) {\n this._positionStrategy.dispose();\n }\n this._disposeScrollStrategy();\n this._disposeBackdrop(this._backdropElement);\n this._locationChanges.unsubscribe();\n this._keyboardDispatcher.remove(this);\n this._portalOutlet.dispose();\n this._attachments.complete();\n this._backdropClick.complete();\n this._keydownEvents.complete();\n this._outsidePointerEvents.complete();\n this._outsideClickDispatcher.remove(this);\n this._host?.remove();\n this._afterNextRenderRef?.destroy();\n this._previousHostParent = this._pane = this._host = null;\n if (isAttached) {\n this._detachments.next();\n }\n this._detachments.complete();\n this._afterRenderRef.destroy();\n this._renders.complete();\n }\n /** Whether the overlay has attached content. */\n hasAttached() {\n return this._portalOutlet.hasAttached();\n }\n /** Gets an observable that emits when the backdrop has been clicked. */\n backdropClick() {\n return this._backdropClick;\n }\n /** Gets an observable that emits when the overlay has been attached. */\n attachments() {\n return this._attachments;\n }\n /** Gets an observable that emits when the overlay has been detached. */\n detachments() {\n return this._detachments;\n }\n /** Gets an observable of keydown events targeted to this overlay. */\n keydownEvents() {\n return this._keydownEvents;\n }\n /** Gets an observable of pointer events targeted outside this overlay. */\n outsidePointerEvents() {\n return this._outsidePointerEvents;\n }\n /** Gets the current overlay configuration, which is immutable. */\n getConfig() {\n return this._config;\n }\n /** Updates the position of the overlay based on the position strategy. */\n updatePosition() {\n if (this._positionStrategy) {\n this._positionStrategy.apply();\n }\n }\n /** Switches to a new position strategy and updates the overlay position. */\n updatePositionStrategy(strategy) {\n if (strategy === this._positionStrategy) {\n return;\n }\n if (this._positionStrategy) {\n this._positionStrategy.dispose();\n }\n this._positionStrategy = strategy;\n if (this.hasAttached()) {\n strategy.attach(this);\n this.updatePosition();\n }\n }\n /** Update the size properties of the overlay. */\n updateSize(sizeConfig) {\n this._config = {\n ...this._config,\n ...sizeConfig\n };\n this._updateElementSize();\n }\n /** Sets the LTR/RTL direction for the overlay. */\n setDirection(dir) {\n this._config = {\n ...this._config,\n direction: dir\n };\n this._updateElementDirection();\n }\n /** Add a CSS class or an array of classes to the overlay pane. */\n addPanelClass(classes) {\n if (this._pane) {\n this._toggleClasses(this._pane, classes, true);\n }\n }\n /** Remove a CSS class or an array of classes from the overlay pane. */\n removePanelClass(classes) {\n if (this._pane) {\n this._toggleClasses(this._pane, classes, false);\n }\n }\n /**\n * Returns the layout direction of the overlay panel.\n */\n getDirection() {\n const direction = this._config.direction;\n if (!direction) {\n return 'ltr';\n }\n return typeof direction === 'string' ? direction : direction.value;\n }\n /** Switches to a new scroll strategy. */\n updateScrollStrategy(strategy) {\n if (strategy === this._scrollStrategy) {\n return;\n }\n this._disposeScrollStrategy();\n this._scrollStrategy = strategy;\n if (this.hasAttached()) {\n strategy.attach(this);\n strategy.enable();\n }\n }\n /** Updates the text direction of the overlay panel. */\n _updateElementDirection() {\n this._host.setAttribute('dir', this.getDirection());\n }\n /** Updates the size of the overlay element based on the overlay config. */\n _updateElementSize() {\n if (!this._pane) {\n return;\n }\n const style = this._pane.style;\n style.width = coerceCssPixelValue(this._config.width);\n style.height = coerceCssPixelValue(this._config.height);\n style.minWidth = coerceCssPixelValue(this._config.minWidth);\n style.minHeight = coerceCssPixelValue(this._config.minHeight);\n style.maxWidth = coerceCssPixelValue(this._config.maxWidth);\n style.maxHeight = coerceCssPixelValue(this._config.maxHeight);\n }\n /** Toggles the pointer events for the overlay pane element. */\n _togglePointerEvents(enablePointer) {\n this._pane.style.pointerEvents = enablePointer ? '' : 'none';\n }\n /** Attaches a backdrop for this overlay. */\n _attachBackdrop() {\n const showingClass = 'cdk-overlay-backdrop-showing';\n this._backdropElement = this._document.createElement('div');\n this._backdropElement.classList.add('cdk-overlay-backdrop');\n if (this._animationsDisabled) {\n this._backdropElement.classList.add('cdk-overlay-backdrop-noop-animation');\n }\n if (this._config.backdropClass) {\n this._toggleClasses(this._backdropElement, this._config.backdropClass, true);\n }\n // Insert the backdrop before the pane in the DOM order,\n // in order to handle stacked overlays properly.\n this._host.parentElement.insertBefore(this._backdropElement, this._host);\n // Forward backdrop clicks such that the consumer of the overlay can perform whatever\n // action desired when such a click occurs (usually closing the overlay).\n this._backdropElement.addEventListener('click', this._backdropClickHandler);\n // Add class to fade-in the backdrop after one frame.\n if (!this._animationsDisabled && typeof requestAnimationFrame !== 'undefined') {\n this._ngZone.runOutsideAngular(() => {\n requestAnimationFrame(() => {\n if (this._backdropElement) {\n this._backdropElement.classList.add(showingClass);\n }\n });\n });\n } else {\n this._backdropElement.classList.add(showingClass);\n }\n }\n /**\n * Updates the stacking order of the element, moving it to the top if necessary.\n * This is required in cases where one overlay was detached, while another one,\n * that should be behind it, was destroyed. The next time both of them are opened,\n * the stacking will be wrong, because the detached element's pane will still be\n * in its original DOM position.\n */\n _updateStackingOrder() {\n if (this._host.nextSibling) {\n this._host.parentNode.appendChild(this._host);\n }\n }\n /** Detaches the backdrop (if any) associated with the overlay. */\n detachBackdrop() {\n const backdropToDetach = this._backdropElement;\n if (!backdropToDetach) {\n return;\n }\n if (this._animationsDisabled) {\n this._disposeBackdrop(backdropToDetach);\n return;\n }\n backdropToDetach.classList.remove('cdk-overlay-backdrop-showing');\n this._ngZone.runOutsideAngular(() => {\n backdropToDetach.addEventListener('transitionend', this._backdropTransitionendHandler);\n });\n // If the backdrop doesn't have a transition, the `transitionend` event won't fire.\n // In this case we make it unclickable and we try to remove it after a delay.\n backdropToDetach.style.pointerEvents = 'none';\n // Run this outside the Angular zone because there's nothing that Angular cares about.\n // If it were to run inside the Angular zone, every test that used Overlay would have to be\n // either async or fakeAsync.\n this._backdropTimeout = this._ngZone.runOutsideAngular(() => setTimeout(() => {\n this._disposeBackdrop(backdropToDetach);\n }, 500));\n }\n /** Toggles a single CSS class or an array of classes on an element. */\n _toggleClasses(element, cssClasses, isAdd) {\n const classes = coerceArray(cssClasses || []).filter(c => !!c);\n if (classes.length) {\n isAdd ? element.classList.add(...classes) : element.classList.remove(...classes);\n }\n }\n /** Detaches the overlay content next time the zone stabilizes. */\n _detachContentWhenEmpty() {\n // Normally we wouldn't have to explicitly run this outside the `NgZone`, however\n // if the consumer is using `zone-patch-rxjs`, the `Subscription.unsubscribe` call will\n // be patched to run inside the zone, which will throw us into an infinite loop.\n this._ngZone.runOutsideAngular(() => {\n // We can't remove the host here immediately, because the overlay pane's content\n // might still be animating. This stream helps us avoid interrupting the animation\n // by waiting for the pane to become empty.\n const subscription = this._renders.pipe(takeUntil(merge(this._attachments, this._detachments))).subscribe(() => {\n // Needs a couple of checks for the pane and host, because\n // they may have been removed by the time the zone stabilizes.\n if (!this._pane || !this._host || this._pane.children.length === 0) {\n if (this._pane && this._config.panelClass) {\n this._toggleClasses(this._pane, this._config.panelClass, false);\n }\n if (this._host && this._host.parentElement) {\n this._previousHostParent = this._host.parentElement;\n this._host.remove();\n }\n subscription.unsubscribe();\n }\n });\n });\n }\n /** Disposes of a scroll strategy. */\n _disposeScrollStrategy() {\n const scrollStrategy = this._scrollStrategy;\n if (scrollStrategy) {\n scrollStrategy.disable();\n if (scrollStrategy.detach) {\n scrollStrategy.detach();\n }\n }\n }\n /** Removes a backdrop element from the DOM. */\n _disposeBackdrop(backdrop) {\n if (backdrop) {\n backdrop.removeEventListener('click', this._backdropClickHandler);\n backdrop.removeEventListener('transitionend', this._backdropTransitionendHandler);\n backdrop.remove();\n // It is possible that a new portal has been attached to this overlay since we started\n // removing the backdrop. If that is the case, only clear the backdrop reference if it\n // is still the same instance that we started to remove.\n if (this._backdropElement === backdrop) {\n this._backdropElement = null;\n }\n }\n if (this._backdropTimeout) {\n clearTimeout(this._backdropTimeout);\n this._backdropTimeout = undefined;\n }\n }\n}\n\n// TODO: refactor clipping detection into a separate thing (part of scrolling module)\n// TODO: doesn't handle both flexible width and height when it has to scroll along both axis.\n/** Class to be added to the overlay bounding box. */\nconst boundingBoxClass = 'cdk-overlay-connected-position-bounding-box';\n/** Regex used to split a string on its CSS units. */\nconst cssUnitPattern = /([A-Za-z%]+)$/;\n/**\n * A strategy for positioning overlays. Using this strategy, an overlay is given an\n * implicit position relative some origin element. The relative position is defined in terms of\n * a point on the origin element that is connected to a point on the overlay element. For example,\n * a basic dropdown is connecting the bottom-left corner of the origin to the top-left corner\n * of the overlay.\n */\nclass FlexibleConnectedPositionStrategy {\n /** Ordered list of preferred positions, from most to least desirable. */\n get positions() {\n return this._preferredPositions;\n }\n constructor(connectedTo, _viewportRuler, _document, _platform, _overlayContainer) {\n this._viewportRuler = _viewportRuler;\n this._document = _document;\n this._platform = _platform;\n this._overlayContainer = _overlayContainer;\n /** Last size used for the bounding box. Used to avoid resizing the overlay after open. */\n this._lastBoundingBoxSize = {\n width: 0,\n height: 0\n };\n /** Whether the overlay was pushed in a previous positioning. */\n this._isPushed = false;\n /** Whether the overlay can be pushed on-screen on the initial open. */\n this._canPush = true;\n /** Whether the overlay can grow via flexible width/height after the initial open. */\n this._growAfterOpen = false;\n /** Whether the overlay's width and height can be constrained to fit within the viewport. */\n this._hasFlexibleDimensions = true;\n /** Whether the overlay position is locked. */\n this._positionLocked = false;\n /** Amount of space that must be maintained between the overlay and the edge of the viewport. */\n this._viewportMargin = 0;\n /** The Scrollable containers used to check scrollable view properties on position change. */\n this._scrollables = [];\n /** Ordered list of preferred positions, from most to least desirable. */\n this._preferredPositions = [];\n /** Subject that emits whenever the position changes. */\n this._positionChanges = new Subject();\n /** Subscription to viewport size changes. */\n this._resizeSubscription = Subscription.EMPTY;\n /** Default offset for the overlay along the x axis. */\n this._offsetX = 0;\n /** Default offset for the overlay along the y axis. */\n this._offsetY = 0;\n /** Keeps track of the CSS classes that the position strategy has applied on the overlay panel. */\n this._appliedPanelClasses = [];\n /** Observable sequence of position changes. */\n this.positionChanges = this._positionChanges;\n this.setOrigin(connectedTo);\n }\n /** Attaches this position strategy to an overlay. */\n attach(overlayRef) {\n if (this._overlayRef && overlayRef !== this._overlayRef && (typeof ngDevMode === 'undefined' || ngDevMode)) {\n throw Error('This position strategy is already attached to an overlay');\n }\n this._validatePositions();\n overlayRef.hostElement.classList.add(boundingBoxClass);\n this._overlayRef = overlayRef;\n this._boundingBox = overlayRef.hostElement;\n this._pane = overlayRef.overlayElement;\n this._isDisposed = false;\n this._isInitialRender = true;\n this._lastPosition = null;\n this._resizeSubscription.unsubscribe();\n this._resizeSubscription = this._viewportRuler.change().subscribe(() => {\n // When the window is resized, we want to trigger the next reposition as if it\n // was an initial render, in order for the strategy to pick a new optimal position,\n // otherwise position locking will cause it to stay at the old one.\n this._isInitialRender = true;\n this.apply();\n });\n }\n /**\n * Updates the position of the overlay element, using whichever preferred position relative\n * to the origin best fits on-screen.\n *\n * The selection of a position goes as follows:\n * - If any positions fit completely within the viewport as-is,\n * choose the first position that does so.\n * - If flexible dimensions are enabled and at least one satisfies the given minimum width/height,\n * choose the position with the greatest available size modified by the positions' weight.\n * - If pushing is enabled, take the position that went off-screen the least and push it\n * on-screen.\n * - If none of the previous criteria were met, use the position that goes off-screen the least.\n * @docs-private\n */\n apply() {\n // We shouldn't do anything if the strategy was disposed or we're on the server.\n if (this._isDisposed || !this._platform.isBrowser) {\n return;\n }\n // If the position has been applied already (e.g. when the overlay was opened) and the\n // consumer opted into locking in the position, re-use the old position, in order to\n // prevent the overlay from jumping around.\n if (!this._isInitialRender && this._positionLocked && this._lastPosition) {\n this.reapplyLastPosition();\n return;\n }\n this._clearPanelClasses();\n this._resetOverlayElementStyles();\n this._resetBoundingBoxStyles();\n // We need the bounding rects for the origin, the overlay and the container to determine how to position\n // the overlay relative to the origin.\n // We use the viewport rect to determine whether a position would go off-screen.\n this._viewportRect = this._getNarrowedViewportRect();\n this._originRect = this._getOriginRect();\n this._overlayRect = this._pane.getBoundingClientRect();\n this._containerRect = this._overlayContainer.getContainerElement().getBoundingClientRect();\n const originRect = this._originRect;\n const overlayRect = this._overlayRect;\n const viewportRect = this._viewportRect;\n const containerRect = this._containerRect;\n // Positions where the overlay will fit with flexible dimensions.\n const flexibleFits = [];\n // Fallback if none of the preferred positions fit within the viewport.\n let fallback;\n // Go through each of the preferred positions looking for a good fit.\n // If a good fit is found, it will be applied immediately.\n for (let pos of this._preferredPositions) {\n // Get the exact (x, y) coordinate for the point-of-origin on the origin element.\n let originPoint = this._getOriginPoint(originRect, containerRect, pos);\n // From that point-of-origin, get the exact (x, y) coordinate for the top-left corner of the\n // overlay in this position. We use the top-left corner for calculations and later translate\n // this into an appropriate (top, left, bottom, right) style.\n let overlayPoint = this._getOverlayPoint(originPoint, overlayRect, pos);\n // Calculate how well the overlay would fit into the viewport with this point.\n let overlayFit = this._getOverlayFit(overlayPoint, overlayRect, viewportRect, pos);\n // If the overlay, without any further work, fits into the viewport, use this position.\n if (overlayFit.isCompletelyWithinViewport) {\n this._isPushed = false;\n this._applyPosition(pos, originPoint);\n return;\n }\n // If the overlay has flexible dimensions, we can use this position\n // so long as there's enough space for the minimum dimensions.\n if (this._canFitWithFlexibleDimensions(overlayFit, overlayPoint, viewportRect)) {\n // Save positions where the overlay will fit with flexible dimensions. We will use these\n // if none of the positions fit *without* flexible dimensions.\n flexibleFits.push({\n position: pos,\n origin: originPoint,\n overlayRect,\n boundingBoxRect: this._calculateBoundingBoxRect(originPoint, pos)\n });\n continue;\n }\n // If the current preferred position does not fit on the screen, remember the position\n // if it has more visible area on-screen than we've seen and move onto the next preferred\n // position.\n if (!fallback || fallback.overlayFit.visibleArea < overlayFit.visibleArea) {\n fallback = {\n overlayFit,\n overlayPoint,\n originPoint,\n position: pos,\n overlayRect\n };\n }\n }\n // If there are any positions where the overlay would fit with flexible dimensions, choose the\n // one that has the greatest area available modified by the position's weight\n if (flexibleFits.length) {\n let bestFit = null;\n let bestScore = -1;\n for (const fit of flexibleFits) {\n const score = fit.boundingBoxRect.width * fit.boundingBoxRect.height * (fit.position.weight || 1);\n if (score > bestScore) {\n bestScore = score;\n bestFit = fit;\n }\n }\n this._isPushed = false;\n this._applyPosition(bestFit.position, bestFit.origin);\n return;\n }\n // When none of the preferred positions fit within the viewport, take the position\n // that went off-screen the least and attempt to push it on-screen.\n if (this._canPush) {\n // TODO(jelbourn): after pushing, the opening \"direction\" of the overlay might not make sense.\n this._isPushed = true;\n this._applyPosition(fallback.position, fallback.originPoint);\n return;\n }\n // All options for getting the overlay within the viewport have been exhausted, so go with the\n // position that went off-screen the least.\n this._applyPosition(fallback.position, fallback.originPoint);\n }\n detach() {\n this._clearPanelClasses();\n this._lastPosition = null;\n this._previousPushAmount = null;\n this._resizeSubscription.unsubscribe();\n }\n /** Cleanup after the element gets destroyed. */\n dispose() {\n if (this._isDisposed) {\n return;\n }\n // We can't use `_resetBoundingBoxStyles` here, because it resets\n // some properties to zero, rather than removing them.\n if (this._boundingBox) {\n extendStyles(this._boundingBox.style, {\n top: '',\n left: '',\n right: '',\n bottom: '',\n height: '',\n width: '',\n alignItems: '',\n justifyContent: ''\n });\n }\n if (this._pane) {\n this._resetOverlayElementStyles();\n }\n if (this._overlayRef) {\n this._overlayRef.hostElement.classList.remove(boundingBoxClass);\n }\n this.detach();\n this._positionChanges.complete();\n this._overlayRef = this._boundingBox = null;\n this._isDisposed = true;\n }\n /**\n * This re-aligns the overlay element with the trigger in its last calculated position,\n * even if a position higher in the \"preferred positions\" list would now fit. This\n * allows one to re-align the panel without changing the orientation of the panel.\n */\n reapplyLastPosition() {\n if (this._isDisposed || !this._platform.isBrowser) {\n return;\n }\n const lastPosition = this._lastPosition;\n if (lastPosition) {\n this._originRect = this._getOriginRect();\n this._overlayRect = this._pane.getBoundingClientRect();\n this._viewportRect = this._getNarrowedViewportRect();\n this._containerRect = this._overlayContainer.getContainerElement().getBoundingClientRect();\n const originPoint = this._getOriginPoint(this._originRect, this._containerRect, lastPosition);\n this._applyPosition(lastPosition, originPoint);\n } else {\n this.apply();\n }\n }\n /**\n * Sets the list of Scrollable containers that host the origin element so that\n * on reposition we can evaluate if it or the overlay has been clipped or outside view. Every\n * Scrollable must be an ancestor element of the strategy's origin element.\n */\n withScrollableContainers(scrollables) {\n this._scrollables = scrollables;\n return this;\n }\n /**\n * Adds new preferred positions.\n * @param positions List of positions options for this overlay.\n */\n withPositions(positions) {\n this._preferredPositions = positions;\n // If the last calculated position object isn't part of the positions anymore, clear\n // it in order to avoid it being picked up if the consumer tries to re-apply.\n if (positions.indexOf(this._lastPosition) === -1) {\n this._lastPosition = null;\n }\n this._validatePositions();\n return this;\n }\n /**\n * Sets a minimum distance the overlay may be positioned to the edge of the viewport.\n * @param margin Required margin between the overlay and the viewport edge in pixels.\n */\n withViewportMargin(margin) {\n this._viewportMargin = margin;\n return this;\n }\n /** Sets whether the overlay's width and height can be constrained to fit within the viewport. */\n withFlexibleDimensions(flexibleDimensions = true) {\n this._hasFlexibleDimensions = flexibleDimensions;\n return this;\n }\n /** Sets whether the overlay can grow after the initial open via flexible width/height. */\n withGrowAfterOpen(growAfterOpen = true) {\n this._growAfterOpen = growAfterOpen;\n return this;\n }\n /** Sets whether the overlay can be pushed on-screen if none of the provided positions fit. */\n withPush(canPush = true) {\n this._canPush = canPush;\n return this;\n }\n /**\n * Sets whether the overlay's position should be locked in after it is positioned\n * initially. When an overlay is locked in, it won't attempt to reposition itself\n * when the position is re-applied (e.g. when the user scrolls away).\n * @param isLocked Whether the overlay should locked in.\n */\n withLockedPosition(isLocked = true) {\n this._positionLocked = isLocked;\n return this;\n }\n /**\n * Sets the origin, relative to which to position the overlay.\n * Using an element origin is useful for building components that need to be positioned\n * relatively to a trigger (e.g. dropdown menus or tooltips), whereas using a point can be\n * used for cases like contextual menus which open relative to the user's pointer.\n * @param origin Reference to the new origin.\n */\n setOrigin(origin) {\n this._origin = origin;\n return this;\n }\n /**\n * Sets the default offset for the overlay's connection point on the x-axis.\n * @param offset New offset in the X axis.\n */\n withDefaultOffsetX(offset) {\n this._offsetX = offset;\n return this;\n }\n /**\n * Sets the default offset for the overlay's connection point on the y-axis.\n * @param offset New offset in the Y axis.\n */\n withDefaultOffsetY(offset) {\n this._offsetY = offset;\n return this;\n }\n /**\n * Configures that the position strategy should set a `transform-origin` on some elements\n * inside the overlay, depending on the current position that is being applied. This is\n * useful for the cases where the origin of an animation can change depending on the\n * alignment of the overlay.\n * @param selector CSS selector that will be used to find the target\n * elements onto which to set the transform origin.\n */\n withTransformOriginOn(selector) {\n this._transformOriginSelector = selector;\n return this;\n }\n /**\n * Gets the (x, y) coordinate of a connection point on the origin based on a relative position.\n */\n _getOriginPoint(originRect, containerRect, pos) {\n let x;\n if (pos.originX == 'center') {\n // Note: when centering we should always use the `left`\n // offset, otherwise the position will be wrong in RTL.\n x = originRect.left + originRect.width / 2;\n } else {\n const startX = this._isRtl() ? originRect.right : originRect.left;\n const endX = this._isRtl() ? originRect.left : originRect.right;\n x = pos.originX == 'start' ? startX : endX;\n }\n // When zooming in Safari the container rectangle contains negative values for the position\n // and we need to re-add them to the calculated coordinates.\n if (containerRect.left < 0) {\n x -= containerRect.left;\n }\n let y;\n if (pos.originY == 'center') {\n y = originRect.top + originRect.height / 2;\n } else {\n y = pos.originY == 'top' ? originRect.top : originRect.bottom;\n }\n // Normally the containerRect's top value would be zero, however when the overlay is attached to an input\n // (e.g. in an autocomplete), mobile browsers will shift everything in order to put the input in the middle\n // of the screen and to make space for the virtual keyboard. We need to account for this offset,\n // otherwise our positioning will be thrown off.\n // Additionally, when zooming in Safari this fixes the vertical position.\n if (containerRect.top < 0) {\n y -= containerRect.top;\n }\n return {\n x,\n y\n };\n }\n /**\n * Gets the (x, y) coordinate of the top-left corner of the overlay given a given position and\n * origin point to which the overlay should be connected.\n */\n _getOverlayPoint(originPoint, overlayRect, pos) {\n // Calculate the (overlayStartX, overlayStartY), the start of the\n // potential overlay position relative to the origin point.\n let overlayStartX;\n if (pos.overlayX == 'center') {\n overlayStartX = -overlayRect.width / 2;\n } else if (pos.overlayX === 'start') {\n overlayStartX = this._isRtl() ? -overlayRect.width : 0;\n } else {\n overlayStartX = this._isRtl() ? 0 : -overlayRect.width;\n }\n let overlayStartY;\n if (pos.overlayY == 'center') {\n overlayStartY = -overlayRect.height / 2;\n } else {\n overlayStartY = pos.overlayY == 'top' ? 0 : -overlayRect.height;\n }\n // The (x, y) coordinates of the overlay.\n return {\n x: originPoint.x + overlayStartX,\n y: originPoint.y + overlayStartY\n };\n }\n /** Gets how well an overlay at the given point will fit within the viewport. */\n _getOverlayFit(point, rawOverlayRect, viewport, position) {\n // Round the overlay rect when comparing against the\n // viewport, because the viewport is always rounded.\n const overlay = getRoundedBoundingClientRect(rawOverlayRect);\n let {\n x,\n y\n } = point;\n let offsetX = this._getOffset(position, 'x');\n let offsetY = this._getOffset(position, 'y');\n // Account for the offsets since they could push the overlay out of the viewport.\n if (offsetX) {\n x += offsetX;\n }\n if (offsetY) {\n y += offsetY;\n }\n // How much the overlay would overflow at this position, on each side.\n let leftOverflow = 0 - x;\n let rightOverflow = x + overlay.width - viewport.width;\n let topOverflow = 0 - y;\n let bottomOverflow = y + overlay.height - viewport.height;\n // Visible parts of the element on each axis.\n let visibleWidth = this._subtractOverflows(overlay.width, leftOverflow, rightOverflow);\n let visibleHeight = this._subtractOverflows(overlay.height, topOverflow, bottomOverflow);\n let visibleArea = visibleWidth * visibleHeight;\n return {\n visibleArea,\n isCompletelyWithinViewport: overlay.width * overlay.height === visibleArea,\n fitsInViewportVertically: visibleHeight === overlay.height,\n fitsInViewportHorizontally: visibleWidth == overlay.width\n };\n }\n /**\n * Whether the overlay can fit within the viewport when it may resize either its width or height.\n * @param fit How well the overlay fits in the viewport at some position.\n * @param point The (x, y) coordinates of the overlay at some position.\n * @param viewport The geometry of the viewport.\n */\n _canFitWithFlexibleDimensions(fit, point, viewport) {\n if (this._hasFlexibleDimensions) {\n const availableHeight = viewport.bottom - point.y;\n const availableWidth = viewport.right - point.x;\n const minHeight = getPixelValue(this._overlayRef.getConfig().minHeight);\n const minWidth = getPixelValue(this._overlayRef.getConfig().minWidth);\n const verticalFit = fit.fitsInViewportVertically || minHeight != null && minHeight <= availableHeight;\n const horizontalFit = fit.fitsInViewportHorizontally || minWidth != null && minWidth <= availableWidth;\n return verticalFit && horizontalFit;\n }\n return false;\n }\n /**\n * Gets the point at which the overlay can be \"pushed\" on-screen. If the overlay is larger than\n * the viewport, the top-left corner will be pushed on-screen (with overflow occurring on the\n * right and bottom).\n *\n * @param start Starting point from which the overlay is pushed.\n * @param rawOverlayRect Dimensions of the overlay.\n * @param scrollPosition Current viewport scroll position.\n * @returns The point at which to position the overlay after pushing. This is effectively a new\n * originPoint.\n */\n _pushOverlayOnScreen(start, rawOverlayRect, scrollPosition) {\n // If the position is locked and we've pushed the overlay already, reuse the previous push\n // amount, rather than pushing it again. If we were to continue pushing, the element would\n // remain in the viewport, which goes against the expectations when position locking is enabled.\n if (this._previousPushAmount && this._positionLocked) {\n return {\n x: start.x + this._previousPushAmount.x,\n y: start.y + this._previousPushAmount.y\n };\n }\n // Round the overlay rect when comparing against the\n // viewport, because the viewport is always rounded.\n const overlay = getRoundedBoundingClientRect(rawOverlayRect);\n const viewport = this._viewportRect;\n // Determine how much the overlay goes outside the viewport on each\n // side, which we'll use to decide which direction to push it.\n const overflowRight = Math.max(start.x + overlay.width - viewport.width, 0);\n const overflowBottom = Math.max(start.y + overlay.height - viewport.height, 0);\n const overflowTop = Math.max(viewport.top - scrollPosition.top - start.y, 0);\n const overflowLeft = Math.max(viewport.left - scrollPosition.left - start.x, 0);\n // Amount by which to push the overlay in each axis such that it remains on-screen.\n let pushX = 0;\n let pushY = 0;\n // If the overlay fits completely within the bounds of the viewport, push it from whichever\n // direction is goes off-screen. Otherwise, push the top-left corner such that its in the\n // viewport and allow for the trailing end of the overlay to go out of bounds.\n if (overlay.width <= viewport.width) {\n pushX = overflowLeft || -overflowRight;\n } else {\n pushX = start.x < this._viewportMargin ? viewport.left - scrollPosition.left - start.x : 0;\n }\n if (overlay.height <= viewport.height) {\n pushY = overflowTop || -overflowBottom;\n } else {\n pushY = start.y < this._viewportMargin ? viewport.top - scrollPosition.top - start.y : 0;\n }\n this._previousPushAmount = {\n x: pushX,\n y: pushY\n };\n return {\n x: start.x + pushX,\n y: start.y + pushY\n };\n }\n /**\n * Applies a computed position to the overlay and emits a position change.\n * @param position The position preference\n * @param originPoint The point on the origin element where the overlay is connected.\n */\n _applyPosition(position, originPoint) {\n this._setTransformOrigin(position);\n this._setOverlayElementStyles(originPoint, position);\n this._setBoundingBoxStyles(originPoint, position);\n if (position.panelClass) {\n this._addPanelClasses(position.panelClass);\n }\n // Notify that the position has been changed along with its change properties.\n // We only emit if we've got any subscriptions, because the scroll visibility\n // calculations can be somewhat expensive.\n if (this._positionChanges.observers.length) {\n const scrollVisibility = this._getScrollVisibility();\n // We're recalculating on scroll, but we only want to emit if anything\n // changed since downstream code might be hitting the `NgZone`.\n if (position !== this._lastPosition || !this._lastScrollVisibility || !compareScrollVisibility(this._lastScrollVisibility, scrollVisibility)) {\n const changeEvent = new ConnectedOverlayPositionChange(position, scrollVisibility);\n this._positionChanges.next(changeEvent);\n }\n this._lastScrollVisibility = scrollVisibility;\n }\n // Save the last connected position in case the position needs to be re-calculated.\n this._lastPosition = position;\n this._isInitialRender = false;\n }\n /** Sets the transform origin based on the configured selector and the passed-in position. */\n _setTransformOrigin(position) {\n if (!this._transformOriginSelector) {\n return;\n }\n const elements = this._boundingBox.querySelectorAll(this._transformOriginSelector);\n let xOrigin;\n let yOrigin = position.overlayY;\n if (position.overlayX === 'center') {\n xOrigin = 'center';\n } else if (this._isRtl()) {\n xOrigin = position.overlayX === 'start' ? 'right' : 'left';\n } else {\n xOrigin = position.overlayX === 'start' ? 'left' : 'right';\n }\n for (let i = 0; i < elements.length; i++) {\n elements[i].style.transformOrigin = `${xOrigin} ${yOrigin}`;\n }\n }\n /**\n * Gets the position and size of the overlay's sizing container.\n *\n * This method does no measuring and applies no styles so that we can cheaply compute the\n * bounds for all positions and choose the best fit based on these results.\n */\n _calculateBoundingBoxRect(origin, position) {\n const viewport = this._viewportRect;\n const isRtl = this._isRtl();\n let height, top, bottom;\n if (position.overlayY === 'top') {\n // Overlay is opening \"downward\" and thus is bound by the bottom viewport edge.\n top = origin.y;\n height = viewport.height - top + this._viewportMargin;\n } else if (position.overlayY === 'bottom') {\n // Overlay is opening \"upward\" and thus is bound by the top viewport edge. We need to add\n // the viewport margin back in, because the viewport rect is narrowed down to remove the\n // margin, whereas the `origin` position is calculated based on its `DOMRect`.\n bottom = viewport.height - origin.y + this._viewportMargin * 2;\n height = viewport.height - bottom + this._viewportMargin;\n } else {\n // If neither top nor bottom, it means that the overlay is vertically centered on the\n // origin point. Note that we want the position relative to the viewport, rather than\n // the page, which is why we don't use something like `viewport.bottom - origin.y` and\n // `origin.y - viewport.top`.\n const smallestDistanceToViewportEdge = Math.min(viewport.bottom - origin.y + viewport.top, origin.y);\n const previousHeight = this._lastBoundingBoxSize.height;\n height = smallestDistanceToViewportEdge * 2;\n top = origin.y - smallestDistanceToViewportEdge;\n if (height > previousHeight && !this._isInitialRender && !this._growAfterOpen) {\n top = origin.y - previousHeight / 2;\n }\n }\n // The overlay is opening 'right-ward' (the content flows to the right).\n const isBoundedByRightViewportEdge = position.overlayX === 'start' && !isRtl || position.overlayX === 'end' && isRtl;\n // The overlay is opening 'left-ward' (the content flows to the left).\n const isBoundedByLeftViewportEdge = position.overlayX === 'end' && !isRtl || position.overlayX === 'start' && isRtl;\n let width, left, right;\n if (isBoundedByLeftViewportEdge) {\n right = viewport.width - origin.x + this._viewportMargin * 2;\n width = origin.x - this._viewportMargin;\n } else if (isBoundedByRightViewportEdge) {\n left = origin.x;\n width = viewport.right - origin.x;\n } else {\n // If neither start nor end, it means that the overlay is horizontally centered on the\n // origin point. Note that we want the position relative to the viewport, rather than\n // the page, which is why we don't use something like `viewport.right - origin.x` and\n // `origin.x - viewport.left`.\n const smallestDistanceToViewportEdge = Math.min(viewport.right - origin.x + viewport.left, origin.x);\n const previousWidth = this._lastBoundingBoxSize.width;\n width = smallestDistanceToViewportEdge * 2;\n left = origin.x - smallestDistanceToViewportEdge;\n if (width > previousWidth && !this._isInitialRender && !this._growAfterOpen) {\n left = origin.x - previousWidth / 2;\n }\n }\n return {\n top: top,\n left: left,\n bottom: bottom,\n right: right,\n width,\n height\n };\n }\n /**\n * Sets the position and size of the overlay's sizing wrapper. The wrapper is positioned on the\n * origin's connection point and stretches to the bounds of the viewport.\n *\n * @param origin The point on the origin element where the overlay is connected.\n * @param position The position preference\n */\n _setBoundingBoxStyles(origin, position) {\n const boundingBoxRect = this._calculateBoundingBoxRect(origin, position);\n // It's weird if the overlay *grows* while scrolling, so we take the last size into account\n // when applying a new size.\n if (!this._isInitialRender && !this._growAfterOpen) {\n boundingBoxRect.height = Math.min(boundingBoxRect.height, this._lastBoundingBoxSize.height);\n boundingBoxRect.width = Math.min(boundingBoxRect.width, this._lastBoundingBoxSize.width);\n }\n const styles = {};\n if (this._hasExactPosition()) {\n styles.top = styles.left = '0';\n styles.bottom = styles.right = styles.maxHeight = styles.maxWidth = '';\n styles.width = styles.height = '100%';\n } else {\n const maxHeight = this._overlayRef.getConfig().maxHeight;\n const maxWidth = this._overlayRef.getConfig().maxWidth;\n styles.height = coerceCssPixelValue(boundingBoxRect.height);\n styles.top = coerceCssPixelValue(boundingBoxRect.top);\n styles.bottom = coerceCssPixelValue(boundingBoxRect.bottom);\n styles.width = coerceCssPixelValue(boundingBoxRect.width);\n styles.left = coerceCssPixelValue(boundingBoxRect.left);\n styles.right = coerceCssPixelValue(boundingBoxRect.right);\n // Push the pane content towards the proper direction.\n if (position.overlayX === 'center') {\n styles.alignItems = 'center';\n } else {\n styles.alignItems = position.overlayX === 'end' ? 'flex-end' : 'flex-start';\n }\n if (position.overlayY === 'center') {\n styles.justifyContent = 'center';\n } else {\n styles.justifyContent = position.overlayY === 'bottom' ? 'flex-end' : 'flex-start';\n }\n if (maxHeight) {\n styles.maxHeight = coerceCssPixelValue(maxHeight);\n }\n if (maxWidth) {\n styles.maxWidth = coerceCssPixelValue(maxWidth);\n }\n }\n this._lastBoundingBoxSize = boundingBoxRect;\n extendStyles(this._boundingBox.style, styles);\n }\n /** Resets the styles for the bounding box so that a new positioning can be computed. */\n _resetBoundingBoxStyles() {\n extendStyles(this._boundingBox.style, {\n top: '0',\n left: '0',\n right: '0',\n bottom: '0',\n height: '',\n width: '',\n alignItems: '',\n justifyContent: ''\n });\n }\n /** Resets the styles for the overlay pane so that a new positioning can be computed. */\n _resetOverlayElementStyles() {\n extendStyles(this._pane.style, {\n top: '',\n left: '',\n bottom: '',\n right: '',\n position: '',\n transform: ''\n });\n }\n /** Sets positioning styles to the overlay element. */\n _setOverlayElementStyles(originPoint, position) {\n const styles = {};\n const hasExactPosition = this._hasExactPosition();\n const hasFlexibleDimensions = this._hasFlexibleDimensions;\n const config = this._overlayRef.getConfig();\n if (hasExactPosition) {\n const scrollPosition = this._viewportRuler.getViewportScrollPosition();\n extendStyles(styles, this._getExactOverlayY(position, originPoint, scrollPosition));\n extendStyles(styles, this._getExactOverlayX(position, originPoint, scrollPosition));\n } else {\n styles.position = 'static';\n }\n // Use a transform to apply the offsets. We do this because the `center` positions rely on\n // being in the normal flex flow and setting a `top` / `left` at all will completely throw\n // off the position. We also can't use margins, because they won't have an effect in some\n // cases where the element doesn't have anything to \"push off of\". Finally, this works\n // better both with flexible and non-flexible positioning.\n let transformString = '';\n let offsetX = this._getOffset(position, 'x');\n let offsetY = this._getOffset(position, 'y');\n if (offsetX) {\n transformString += `translateX(${offsetX}px) `;\n }\n if (offsetY) {\n transformString += `translateY(${offsetY}px)`;\n }\n styles.transform = transformString.trim();\n // If a maxWidth or maxHeight is specified on the overlay, we remove them. We do this because\n // we need these values to both be set to \"100%\" for the automatic flexible sizing to work.\n // The maxHeight and maxWidth are set on the boundingBox in order to enforce the constraint.\n // Note that this doesn't apply when we have an exact position, in which case we do want to\n // apply them because they'll be cleared from the bounding box.\n if (config.maxHeight) {\n if (hasExactPosition) {\n styles.maxHeight = coerceCssPixelValue(config.maxHeight);\n } else if (hasFlexibleDimensions) {\n styles.maxHeight = '';\n }\n }\n if (config.maxWidth) {\n if (hasExactPosition) {\n styles.maxWidth = coerceCssPixelValue(config.maxWidth);\n } else if (hasFlexibleDimensions) {\n styles.maxWidth = '';\n }\n }\n extendStyles(this._pane.style, styles);\n }\n /** Gets the exact top/bottom for the overlay when not using flexible sizing or when pushing. */\n _getExactOverlayY(position, originPoint, scrollPosition) {\n // Reset any existing styles. This is necessary in case the\n // preferred position has changed since the last `apply`.\n let styles = {\n top: '',\n bottom: ''\n };\n let overlayPoint = this._getOverlayPoint(originPoint, this._overlayRect, position);\n if (this._isPushed) {\n overlayPoint = this._pushOverlayOnScreen(overlayPoint, this._overlayRect, scrollPosition);\n }\n // We want to set either `top` or `bottom` based on whether the overlay wants to appear\n // above or below the origin and the direction in which the element will expand.\n if (position.overlayY === 'bottom') {\n // When using `bottom`, we adjust the y position such that it is the distance\n // from the bottom of the viewport rather than the top.\n const documentHeight = this._document.documentElement.clientHeight;\n styles.bottom = `${documentHeight - (overlayPoint.y + this._overlayRect.height)}px`;\n } else {\n styles.top = coerceCssPixelValue(overlayPoint.y);\n }\n return styles;\n }\n /** Gets the exact left/right for the overlay when not using flexible sizing or when pushing. */\n _getExactOverlayX(position, originPoint, scrollPosition) {\n // Reset any existing styles. This is necessary in case the preferred position has\n // changed since the last `apply`.\n let styles = {\n left: '',\n right: ''\n };\n let overlayPoint = this._getOverlayPoint(originPoint, this._overlayRect, position);\n if (this._isPushed) {\n overlayPoint = this._pushOverlayOnScreen(overlayPoint, this._overlayRect, scrollPosition);\n }\n // We want to set either `left` or `right` based on whether the overlay wants to appear \"before\"\n // or \"after\" the origin, which determines the direction in which the element will expand.\n // For the horizontal axis, the meaning of \"before\" and \"after\" change based on whether the\n // page is in RTL or LTR.\n let horizontalStyleProperty;\n if (this._isRtl()) {\n horizontalStyleProperty = position.overlayX === 'end' ? 'left' : 'right';\n } else {\n horizontalStyleProperty = position.overlayX === 'end' ? 'right' : 'left';\n }\n // When we're setting `right`, we adjust the x position such that it is the distance\n // from the right edge of the viewport rather than the left edge.\n if (horizontalStyleProperty === 'right') {\n const documentWidth = this._document.documentElement.clientWidth;\n styles.right = `${documentWidth - (overlayPoint.x + this._overlayRect.width)}px`;\n } else {\n styles.left = coerceCssPixelValue(overlayPoint.x);\n }\n return styles;\n }\n /**\n * Gets the view properties of the trigger and overlay, including whether they are clipped\n * or completely outside the view of any of the strategy's scrollables.\n */\n _getScrollVisibility() {\n // Note: needs fresh rects since the position could've changed.\n const originBounds = this._getOriginRect();\n const overlayBounds = this._pane.getBoundingClientRect();\n // TODO(jelbourn): instead of needing all of the client rects for these scrolling containers\n // every time, we should be able to use the scrollTop of the containers if the size of those\n // containers hasn't changed.\n const scrollContainerBounds = this._scrollables.map(scrollable => {\n return scrollable.getElementRef().nativeElement.getBoundingClientRect();\n });\n return {\n isOriginClipped: isElementClippedByScrolling(originBounds, scrollContainerBounds),\n isOriginOutsideView: isElementScrolledOutsideView(originBounds, scrollContainerBounds),\n isOverlayClipped: isElementClippedByScrolling(overlayBounds, scrollContainerBounds),\n isOverlayOutsideView: isElementScrolledOutsideView(overlayBounds, scrollContainerBounds)\n };\n }\n /** Subtracts the amount that an element is overflowing on an axis from its length. */\n _subtractOverflows(length, ...overflows) {\n return overflows.reduce((currentValue, currentOverflow) => {\n return currentValue - Math.max(currentOverflow, 0);\n }, length);\n }\n /** Narrows the given viewport rect by the current _viewportMargin. */\n _getNarrowedViewportRect() {\n // We recalculate the viewport rect here ourselves, rather than using the ViewportRuler,\n // because we want to use the `clientWidth` and `clientHeight` as the base. The difference\n // being that the client properties don't include the scrollbar, as opposed to `innerWidth`\n // and `innerHeight` that do. This is necessary, because the overlay container uses\n // 100% `width` and `height` which don't include the scrollbar either.\n const width = this._document.documentElement.clientWidth;\n const height = this._document.documentElement.clientHeight;\n const scrollPosition = this._viewportRuler.getViewportScrollPosition();\n return {\n top: scrollPosition.top + this._viewportMargin,\n left: scrollPosition.left + this._viewportMargin,\n right: scrollPosition.left + width - this._viewportMargin,\n bottom: scrollPosition.top + height - this._viewportMargin,\n width: width - 2 * this._viewportMargin,\n height: height - 2 * this._viewportMargin\n };\n }\n /** Whether the we're dealing with an RTL context */\n _isRtl() {\n return this._overlayRef.getDirection() === 'rtl';\n }\n /** Determines whether the overlay uses exact or flexible positioning. */\n _hasExactPosition() {\n return !this._hasFlexibleDimensions || this._isPushed;\n }\n /** Retrieves the offset of a position along the x or y axis. */\n _getOffset(position, axis) {\n if (axis === 'x') {\n // We don't do something like `position['offset' + axis]` in\n // order to avoid breaking minifiers that rename properties.\n return position.offsetX == null ? this._offsetX : position.offsetX;\n }\n return position.offsetY == null ? this._offsetY : position.offsetY;\n }\n /** Validates that the current position match the expected values. */\n _validatePositions() {\n if (typeof ngDevMode === 'undefined' || ngDevMode) {\n if (!this._preferredPositions.length) {\n throw Error('FlexibleConnectedPositionStrategy: At least one position is required.');\n }\n // TODO(crisbeto): remove these once Angular's template type\n // checking is advanced enough to catch these cases.\n this._preferredPositions.forEach(pair => {\n validateHorizontalPosition('originX', pair.originX);\n validateVerticalPosition('originY', pair.originY);\n validateHorizontalPosition('overlayX', pair.overlayX);\n validateVerticalPosition('overlayY', pair.overlayY);\n });\n }\n }\n /** Adds a single CSS class or an array of classes on the overlay panel. */\n _addPanelClasses(cssClasses) {\n if (this._pane) {\n coerceArray(cssClasses).forEach(cssClass => {\n if (cssClass !== '' && this._appliedPanelClasses.indexOf(cssClass) === -1) {\n this._appliedPanelClasses.push(cssClass);\n this._pane.classList.add(cssClass);\n }\n });\n }\n }\n /** Clears the classes that the position strategy has applied from the overlay panel. */\n _clearPanelClasses() {\n if (this._pane) {\n this._appliedPanelClasses.forEach(cssClass => {\n this._pane.classList.remove(cssClass);\n });\n this._appliedPanelClasses = [];\n }\n }\n /** Returns the DOMRect of the current origin. */\n _getOriginRect() {\n const origin = this._origin;\n if (origin instanceof ElementRef) {\n return origin.nativeElement.getBoundingClientRect();\n }\n // Check for Element so SVG elements are also supported.\n if (origin instanceof Element) {\n return origin.getBoundingClientRect();\n }\n const width = origin.width || 0;\n const height = origin.height || 0;\n // If the origin is a point, return a client rect as if it was a 0x0 element at the point.\n return {\n top: origin.y,\n bottom: origin.y + height,\n left: origin.x,\n right: origin.x + width,\n height,\n width\n };\n }\n}\n/** Shallow-extends a stylesheet object with another stylesheet object. */\nfunction extendStyles(destination, source) {\n for (let key in source) {\n if (source.hasOwnProperty(key)) {\n destination[key] = source[key];\n }\n }\n return destination;\n}\n/**\n * Extracts the pixel value as a number from a value, if it's a number\n * or a CSS pixel string (e.g. `1337px`). Otherwise returns null.\n */\nfunction getPixelValue(input) {\n if (typeof input !== 'number' && input != null) {\n const [value, units] = input.split(cssUnitPattern);\n return !units || units === 'px' ? parseFloat(value) : null;\n }\n return input || null;\n}\n/**\n * Gets a version of an element's bounding `DOMRect` where all the values are rounded down to\n * the nearest pixel. This allows us to account for the cases where there may be sub-pixel\n * deviations in the `DOMRect` returned by the browser (e.g. when zoomed in with a percentage\n * size, see #21350).\n */\nfunction getRoundedBoundingClientRect(clientRect) {\n return {\n top: Math.floor(clientRect.top),\n right: Math.floor(clientRect.right),\n bottom: Math.floor(clientRect.bottom),\n left: Math.floor(clientRect.left),\n width: Math.floor(clientRect.width),\n height: Math.floor(clientRect.height)\n };\n}\n/** Returns whether two `ScrollingVisibility` objects are identical. */\nfunction compareScrollVisibility(a, b) {\n if (a === b) {\n return true;\n }\n return a.isOriginClipped === b.isOriginClipped && a.isOriginOutsideView === b.isOriginOutsideView && a.isOverlayClipped === b.isOverlayClipped && a.isOverlayOutsideView === b.isOverlayOutsideView;\n}\nconst STANDARD_DROPDOWN_BELOW_POSITIONS = [{\n originX: 'start',\n originY: 'bottom',\n overlayX: 'start',\n overlayY: 'top'\n}, {\n originX: 'start',\n originY: 'top',\n overlayX: 'start',\n overlayY: 'bottom'\n}, {\n originX: 'end',\n originY: 'bottom',\n overlayX: 'end',\n overlayY: 'top'\n}, {\n originX: 'end',\n originY: 'top',\n overlayX: 'end',\n overlayY: 'bottom'\n}];\nconst STANDARD_DROPDOWN_ADJACENT_POSITIONS = [{\n originX: 'end',\n originY: 'top',\n overlayX: 'start',\n overlayY: 'top'\n}, {\n originX: 'end',\n originY: 'bottom',\n overlayX: 'start',\n overlayY: 'bottom'\n}, {\n originX: 'start',\n originY: 'top',\n overlayX: 'end',\n overlayY: 'top'\n}, {\n originX: 'start',\n originY: 'bottom',\n overlayX: 'end',\n overlayY: 'bottom'\n}];\n\n/** Class to be added to the overlay pane wrapper. */\nconst wrapperClass = 'cdk-global-overlay-wrapper';\n/**\n * A strategy for positioning overlays. Using this strategy, an overlay is given an\n * explicit position relative to the browser's viewport. We use flexbox, instead of\n * transforms, in order to avoid issues with subpixel rendering which can cause the\n * element to become blurry.\n */\nclass GlobalPositionStrategy {\n constructor() {\n this._cssPosition = 'static';\n this._topOffset = '';\n this._bottomOffset = '';\n this._alignItems = '';\n this._xPosition = '';\n this._xOffset = '';\n this._width = '';\n this._height = '';\n this._isDisposed = false;\n }\n attach(overlayRef) {\n const config = overlayRef.getConfig();\n this._overlayRef = overlayRef;\n if (this._width && !config.width) {\n overlayRef.updateSize({\n width: this._width\n });\n }\n if (this._height && !config.height) {\n overlayRef.updateSize({\n height: this._height\n });\n }\n overlayRef.hostElement.classList.add(wrapperClass);\n this._isDisposed = false;\n }\n /**\n * Sets the top position of the overlay. Clears any previously set vertical position.\n * @param value New top offset.\n */\n top(value = '') {\n this._bottomOffset = '';\n this._topOffset = value;\n this._alignItems = 'flex-start';\n return this;\n }\n /**\n * Sets the left position of the overlay. Clears any previously set horizontal position.\n * @param value New left offset.\n */\n left(value = '') {\n this._xOffset = value;\n this._xPosition = 'left';\n return this;\n }\n /**\n * Sets the bottom position of the overlay. Clears any previously set vertical position.\n * @param value New bottom offset.\n */\n bottom(value = '') {\n this._topOffset = '';\n this._bottomOffset = value;\n this._alignItems = 'flex-end';\n return this;\n }\n /**\n * Sets the right position of the overlay. Clears any previously set horizontal position.\n * @param value New right offset.\n */\n right(value = '') {\n this._xOffset = value;\n this._xPosition = 'right';\n return this;\n }\n /**\n * Sets the overlay to the start of the viewport, depending on the overlay direction.\n * This will be to the left in LTR layouts and to the right in RTL.\n * @param offset Offset from the edge of the screen.\n */\n start(value = '') {\n this._xOffset = value;\n this._xPosition = 'start';\n return this;\n }\n /**\n * Sets the overlay to the end of the viewport, depending on the overlay direction.\n * This will be to the right in LTR layouts and to the left in RTL.\n * @param offset Offset from the edge of the screen.\n */\n end(value = '') {\n this._xOffset = value;\n this._xPosition = 'end';\n return this;\n }\n /**\n * Sets the overlay width and clears any previously set width.\n * @param value New width for the overlay\n * @deprecated Pass the `width` through the `OverlayConfig`.\n * @breaking-change 8.0.0\n */\n width(value = '') {\n if (this._overlayRef) {\n this._overlayRef.updateSize({\n width: value\n });\n } else {\n this._width = value;\n }\n return this;\n }\n /**\n * Sets the overlay height and clears any previously set height.\n * @param value New height for the overlay\n * @deprecated Pass the `height` through the `OverlayConfig`.\n * @breaking-change 8.0.0\n */\n height(value = '') {\n if (this._overlayRef) {\n this._overlayRef.updateSize({\n height: value\n });\n } else {\n this._height = value;\n }\n return this;\n }\n /**\n * Centers the overlay horizontally with an optional offset.\n * Clears any previously set horizontal position.\n *\n * @param offset Overlay offset from the horizontal center.\n */\n centerHorizontally(offset = '') {\n this.left(offset);\n this._xPosition = 'center';\n return this;\n }\n /**\n * Centers the overlay vertically with an optional offset.\n * Clears any previously set vertical position.\n *\n * @param offset Overlay offset from the vertical center.\n */\n centerVertically(offset = '') {\n this.top(offset);\n this._alignItems = 'center';\n return this;\n }\n /**\n * Apply the position to the element.\n * @docs-private\n */\n apply() {\n // Since the overlay ref applies the strategy asynchronously, it could\n // have been disposed before it ends up being applied. If that is the\n // case, we shouldn't do anything.\n if (!this._overlayRef || !this._overlayRef.hasAttached()) {\n return;\n }\n const styles = this._overlayRef.overlayElement.style;\n const parentStyles = this._overlayRef.hostElement.style;\n const config = this._overlayRef.getConfig();\n const {\n width,\n height,\n maxWidth,\n maxHeight\n } = config;\n const shouldBeFlushHorizontally = (width === '100%' || width === '100vw') && (!maxWidth || maxWidth === '100%' || maxWidth === '100vw');\n const shouldBeFlushVertically = (height === '100%' || height === '100vh') && (!maxHeight || maxHeight === '100%' || maxHeight === '100vh');\n const xPosition = this._xPosition;\n const xOffset = this._xOffset;\n const isRtl = this._overlayRef.getConfig().direction === 'rtl';\n let marginLeft = '';\n let marginRight = '';\n let justifyContent = '';\n if (shouldBeFlushHorizontally) {\n justifyContent = 'flex-start';\n } else if (xPosition === 'center') {\n justifyContent = 'center';\n if (isRtl) {\n marginRight = xOffset;\n } else {\n marginLeft = xOffset;\n }\n } else if (isRtl) {\n if (xPosition === 'left' || xPosition === 'end') {\n justifyContent = 'flex-end';\n marginLeft = xOffset;\n } else if (xPosition === 'right' || xPosition === 'start') {\n justifyContent = 'flex-start';\n marginRight = xOffset;\n }\n } else if (xPosition === 'left' || xPosition === 'start') {\n justifyContent = 'flex-start';\n marginLeft = xOffset;\n } else if (xPosition === 'right' || xPosition === 'end') {\n justifyContent = 'flex-end';\n marginRight = xOffset;\n }\n styles.position = this._cssPosition;\n styles.marginLeft = shouldBeFlushHorizontally ? '0' : marginLeft;\n styles.marginTop = shouldBeFlushVertically ? '0' : this._topOffset;\n styles.marginBottom = this._bottomOffset;\n styles.marginRight = shouldBeFlushHorizontally ? '0' : marginRight;\n parentStyles.justifyContent = justifyContent;\n parentStyles.alignItems = shouldBeFlushVertically ? 'flex-start' : this._alignItems;\n }\n /**\n * Cleans up the DOM changes from the position strategy.\n * @docs-private\n */\n dispose() {\n if (this._isDisposed || !this._overlayRef) {\n return;\n }\n const styles = this._overlayRef.overlayElement.style;\n const parent = this._overlayRef.hostElement;\n const parentStyles = parent.style;\n parent.classList.remove(wrapperClass);\n parentStyles.justifyContent = parentStyles.alignItems = styles.marginTop = styles.marginBottom = styles.marginLeft = styles.marginRight = styles.position = '';\n this._overlayRef = null;\n this._isDisposed = true;\n }\n}\n\n/** Builder for overlay position strategy. */\nlet OverlayPositionBuilder = /*#__PURE__*/(() => {\n class OverlayPositionBuilder {\n constructor(_viewportRuler, _document, _platform, _overlayContainer) {\n this._viewportRuler = _viewportRuler;\n this._document = _document;\n this._platform = _platform;\n this._overlayContainer = _overlayContainer;\n }\n /**\n * Creates a global position strategy.\n */\n global() {\n return new GlobalPositionStrategy();\n }\n /**\n * Creates a flexible position strategy.\n * @param origin Origin relative to which to position the overlay.\n */\n flexibleConnectedTo(origin) {\n return new FlexibleConnectedPositionStrategy(origin, this._viewportRuler, this._document, this._platform, this._overlayContainer);\n }\n static {\n this.ɵfac = function OverlayPositionBuilder_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || OverlayPositionBuilder)(i0.ɵɵinject(i1.ViewportRuler), i0.ɵɵinject(DOCUMENT), i0.ɵɵinject(i1$1.Platform), i0.ɵɵinject(OverlayContainer));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: OverlayPositionBuilder,\n factory: OverlayPositionBuilder.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return OverlayPositionBuilder;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** Next overlay unique ID. */\nlet nextUniqueId = 0;\n// Note that Overlay is *not* scoped to the app root because of the ComponentFactoryResolver\n// which needs to be different depending on where OverlayModule is imported.\n/**\n * Service to create Overlays. Overlays are dynamically added pieces of floating UI, meant to be\n * used as a low-level building block for other components. Dialogs, tooltips, menus,\n * selects, etc. can all be built using overlays. The service should primarily be used by authors\n * of re-usable components rather than developers building end-user applications.\n *\n * An overlay *is* a PortalOutlet, so any kind of Portal can be loaded into one.\n */\nlet Overlay = /*#__PURE__*/(() => {\n class Overlay {\n constructor(/** Scrolling strategies that can be used when creating an overlay. */\n scrollStrategies, _overlayContainer, _componentFactoryResolver, _positionBuilder, _keyboardDispatcher, _injector, _ngZone, _document, _directionality, _location, _outsideClickDispatcher, _animationsModuleType) {\n this.scrollStrategies = scrollStrategies;\n this._overlayContainer = _overlayContainer;\n this._componentFactoryResolver = _componentFactoryResolver;\n this._positionBuilder = _positionBuilder;\n this._keyboardDispatcher = _keyboardDispatcher;\n this._injector = _injector;\n this._ngZone = _ngZone;\n this._document = _document;\n this._directionality = _directionality;\n this._location = _location;\n this._outsideClickDispatcher = _outsideClickDispatcher;\n this._animationsModuleType = _animationsModuleType;\n }\n /**\n * Creates an overlay.\n * @param config Configuration applied to the overlay.\n * @returns Reference to the created overlay.\n */\n create(config) {\n const host = this._createHostElement();\n const pane = this._createPaneElement(host);\n const portalOutlet = this._createPortalOutlet(pane);\n const overlayConfig = new OverlayConfig(config);\n overlayConfig.direction = overlayConfig.direction || this._directionality.value;\n return new OverlayRef(portalOutlet, host, pane, overlayConfig, this._ngZone, this._keyboardDispatcher, this._document, this._location, this._outsideClickDispatcher, this._animationsModuleType === 'NoopAnimations', this._injector.get(EnvironmentInjector));\n }\n /**\n * Gets a position builder that can be used, via fluent API,\n * to construct and configure a position strategy.\n * @returns An overlay position builder.\n */\n position() {\n return this._positionBuilder;\n }\n /**\n * Creates the DOM element for an overlay and appends it to the overlay container.\n * @returns Newly-created pane element\n */\n _createPaneElement(host) {\n const pane = this._document.createElement('div');\n pane.id = `cdk-overlay-${nextUniqueId++}`;\n pane.classList.add('cdk-overlay-pane');\n host.appendChild(pane);\n return pane;\n }\n /**\n * Creates the host element that wraps around an overlay\n * and can be used for advanced positioning.\n * @returns Newly-create host element.\n */\n _createHostElement() {\n const host = this._document.createElement('div');\n this._overlayContainer.getContainerElement().appendChild(host);\n return host;\n }\n /**\n * Create a DomPortalOutlet into which the overlay content can be loaded.\n * @param pane The DOM element to turn into a portal outlet.\n * @returns A portal outlet for the given DOM element.\n */\n _createPortalOutlet(pane) {\n // We have to resolve the ApplicationRef later in order to allow people\n // to use overlay-based providers during app initialization.\n if (!this._appRef) {\n this._appRef = this._injector.get(ApplicationRef);\n }\n return new DomPortalOutlet(pane, this._componentFactoryResolver, this._appRef, this._injector, this._document);\n }\n static {\n this.ɵfac = function Overlay_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || Overlay)(i0.ɵɵinject(ScrollStrategyOptions), i0.ɵɵinject(OverlayContainer), i0.ɵɵinject(i0.ComponentFactoryResolver), i0.ɵɵinject(OverlayPositionBuilder), i0.ɵɵinject(OverlayKeyboardDispatcher), i0.ɵɵinject(i0.Injector), i0.ɵɵinject(i0.NgZone), i0.ɵɵinject(DOCUMENT), i0.ɵɵinject(i5.Directionality), i0.ɵɵinject(i6.Location), i0.ɵɵinject(OverlayOutsideClickDispatcher), i0.ɵɵinject(ANIMATION_MODULE_TYPE, 8));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: Overlay,\n factory: Overlay.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return Overlay;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** Default set of positions for the overlay. Follows the behavior of a dropdown. */\nconst defaultPositionList = [{\n originX: 'start',\n originY: 'bottom',\n overlayX: 'start',\n overlayY: 'top'\n}, {\n originX: 'start',\n originY: 'top',\n overlayX: 'start',\n overlayY: 'bottom'\n}, {\n originX: 'end',\n originY: 'top',\n overlayX: 'end',\n overlayY: 'bottom'\n}, {\n originX: 'end',\n originY: 'bottom',\n overlayX: 'end',\n overlayY: 'top'\n}];\n/** Injection token that determines the scroll handling while the connected overlay is open. */\nconst CDK_CONNECTED_OVERLAY_SCROLL_STRATEGY = /*#__PURE__*/new InjectionToken('cdk-connected-overlay-scroll-strategy', {\n providedIn: 'root',\n factory: () => {\n const overlay = inject(Overlay);\n return () => overlay.scrollStrategies.reposition();\n }\n});\n/**\n * Directive applied to an element to make it usable as an origin for an Overlay using a\n * ConnectedPositionStrategy.\n */\nlet CdkOverlayOrigin = /*#__PURE__*/(() => {\n class CdkOverlayOrigin {\n constructor(/** Reference to the element on which the directive is applied. */\n elementRef) {\n this.elementRef = elementRef;\n }\n static {\n this.ɵfac = function CdkOverlayOrigin_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || CdkOverlayOrigin)(i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: CdkOverlayOrigin,\n selectors: [[\"\", \"cdk-overlay-origin\", \"\"], [\"\", \"overlay-origin\", \"\"], [\"\", \"cdkOverlayOrigin\", \"\"]],\n exportAs: [\"cdkOverlayOrigin\"],\n standalone: true\n });\n }\n }\n return CdkOverlayOrigin;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Directive to facilitate declarative creation of an\n * Overlay using a FlexibleConnectedPositionStrategy.\n */\nlet CdkConnectedOverlay = /*#__PURE__*/(() => {\n class CdkConnectedOverlay {\n /** The offset in pixels for the overlay connection point on the x-axis */\n get offsetX() {\n return this._offsetX;\n }\n set offsetX(offsetX) {\n this._offsetX = offsetX;\n if (this._position) {\n this._updatePositionStrategy(this._position);\n }\n }\n /** The offset in pixels for the overlay connection point on the y-axis */\n get offsetY() {\n return this._offsetY;\n }\n set offsetY(offsetY) {\n this._offsetY = offsetY;\n if (this._position) {\n this._updatePositionStrategy(this._position);\n }\n }\n /** Whether the overlay should be disposed of when the user goes backwards/forwards in history. */\n get disposeOnNavigation() {\n return this._disposeOnNavigation;\n }\n set disposeOnNavigation(value) {\n this._disposeOnNavigation = value;\n }\n // TODO(jelbourn): inputs for size, scroll behavior, animation, etc.\n constructor(_overlay, templateRef, viewContainerRef, scrollStrategyFactory, _dir) {\n this._overlay = _overlay;\n this._dir = _dir;\n this._backdropSubscription = Subscription.EMPTY;\n this._attachSubscription = Subscription.EMPTY;\n this._detachSubscription = Subscription.EMPTY;\n this._positionSubscription = Subscription.EMPTY;\n this._disposeOnNavigation = false;\n this._ngZone = inject(NgZone);\n /** Margin between the overlay and the viewport edges. */\n this.viewportMargin = 0;\n /** Whether the overlay is open. */\n this.open = false;\n /** Whether the overlay can be closed by user interaction. */\n this.disableClose = false;\n /** Whether or not the overlay should attach a backdrop. */\n this.hasBackdrop = false;\n /** Whether or not the overlay should be locked when scrolling. */\n this.lockPosition = false;\n /** Whether the overlay's width and height can be constrained to fit within the viewport. */\n this.flexibleDimensions = false;\n /** Whether the overlay can grow after the initial open when flexible positioning is turned on. */\n this.growAfterOpen = false;\n /** Whether the overlay can be pushed on-screen if none of the provided positions fit. */\n this.push = false;\n /** Event emitted when the backdrop is clicked. */\n this.backdropClick = new EventEmitter();\n /** Event emitted when the position has changed. */\n this.positionChange = new EventEmitter();\n /** Event emitted when the overlay has been attached. */\n this.attach = new EventEmitter();\n /** Event emitted when the overlay has been detached. */\n this.detach = new EventEmitter();\n /** Emits when there are keyboard events that are targeted at the overlay. */\n this.overlayKeydown = new EventEmitter();\n /** Emits when there are mouse outside click events that are targeted at the overlay. */\n this.overlayOutsideClick = new EventEmitter();\n this._templatePortal = new TemplatePortal(templateRef, viewContainerRef);\n this._scrollStrategyFactory = scrollStrategyFactory;\n this.scrollStrategy = this._scrollStrategyFactory();\n }\n /** The associated overlay reference. */\n get overlayRef() {\n return this._overlayRef;\n }\n /** The element's layout direction. */\n get dir() {\n return this._dir ? this._dir.value : 'ltr';\n }\n ngOnDestroy() {\n this._attachSubscription.unsubscribe();\n this._detachSubscription.unsubscribe();\n this._backdropSubscription.unsubscribe();\n this._positionSubscription.unsubscribe();\n if (this._overlayRef) {\n this._overlayRef.dispose();\n }\n }\n ngOnChanges(changes) {\n if (this._position) {\n this._updatePositionStrategy(this._position);\n this._overlayRef.updateSize({\n width: this.width,\n minWidth: this.minWidth,\n height: this.height,\n minHeight: this.minHeight\n });\n if (changes['origin'] && this.open) {\n this._position.apply();\n }\n }\n if (changes['open']) {\n this.open ? this._attachOverlay() : this._detachOverlay();\n }\n }\n /** Creates an overlay */\n _createOverlay() {\n if (!this.positions || !this.positions.length) {\n this.positions = defaultPositionList;\n }\n const overlayRef = this._overlayRef = this._overlay.create(this._buildConfig());\n this._attachSubscription = overlayRef.attachments().subscribe(() => this.attach.emit());\n this._detachSubscription = overlayRef.detachments().subscribe(() => this.detach.emit());\n overlayRef.keydownEvents().subscribe(event => {\n this.overlayKeydown.next(event);\n if (event.keyCode === ESCAPE && !this.disableClose && !hasModifierKey(event)) {\n event.preventDefault();\n this._detachOverlay();\n }\n });\n this._overlayRef.outsidePointerEvents().subscribe(event => {\n const origin = this._getOriginElement();\n const target = _getEventTarget(event);\n if (!origin || origin !== target && !origin.contains(target)) {\n this.overlayOutsideClick.next(event);\n }\n });\n }\n /** Builds the overlay config based on the directive's inputs */\n _buildConfig() {\n const positionStrategy = this._position = this.positionStrategy || this._createPositionStrategy();\n const overlayConfig = new OverlayConfig({\n direction: this._dir,\n positionStrategy,\n scrollStrategy: this.scrollStrategy,\n hasBackdrop: this.hasBackdrop,\n disposeOnNavigation: this.disposeOnNavigation\n });\n if (this.width || this.width === 0) {\n overlayConfig.width = this.width;\n }\n if (this.height || this.height === 0) {\n overlayConfig.height = this.height;\n }\n if (this.minWidth || this.minWidth === 0) {\n overlayConfig.minWidth = this.minWidth;\n }\n if (this.minHeight || this.minHeight === 0) {\n overlayConfig.minHeight = this.minHeight;\n }\n if (this.backdropClass) {\n overlayConfig.backdropClass = this.backdropClass;\n }\n if (this.panelClass) {\n overlayConfig.panelClass = this.panelClass;\n }\n return overlayConfig;\n }\n /** Updates the state of a position strategy, based on the values of the directive inputs. */\n _updatePositionStrategy(positionStrategy) {\n const positions = this.positions.map(currentPosition => ({\n originX: currentPosition.originX,\n originY: currentPosition.originY,\n overlayX: currentPosition.overlayX,\n overlayY: currentPosition.overlayY,\n offsetX: currentPosition.offsetX || this.offsetX,\n offsetY: currentPosition.offsetY || this.offsetY,\n panelClass: currentPosition.panelClass || undefined\n }));\n return positionStrategy.setOrigin(this._getOrigin()).withPositions(positions).withFlexibleDimensions(this.flexibleDimensions).withPush(this.push).withGrowAfterOpen(this.growAfterOpen).withViewportMargin(this.viewportMargin).withLockedPosition(this.lockPosition).withTransformOriginOn(this.transformOriginSelector);\n }\n /** Returns the position strategy of the overlay to be set on the overlay config */\n _createPositionStrategy() {\n const strategy = this._overlay.position().flexibleConnectedTo(this._getOrigin());\n this._updatePositionStrategy(strategy);\n return strategy;\n }\n _getOrigin() {\n if (this.origin instanceof CdkOverlayOrigin) {\n return this.origin.elementRef;\n } else {\n return this.origin;\n }\n }\n _getOriginElement() {\n if (this.origin instanceof CdkOverlayOrigin) {\n return this.origin.elementRef.nativeElement;\n }\n if (this.origin instanceof ElementRef) {\n return this.origin.nativeElement;\n }\n if (typeof Element !== 'undefined' && this.origin instanceof Element) {\n return this.origin;\n }\n return null;\n }\n /** Attaches the overlay and subscribes to backdrop clicks if backdrop exists */\n _attachOverlay() {\n if (!this._overlayRef) {\n this._createOverlay();\n } else {\n // Update the overlay size, in case the directive's inputs have changed\n this._overlayRef.getConfig().hasBackdrop = this.hasBackdrop;\n }\n if (!this._overlayRef.hasAttached()) {\n this._overlayRef.attach(this._templatePortal);\n }\n if (this.hasBackdrop) {\n this._backdropSubscription = this._overlayRef.backdropClick().subscribe(event => {\n this.backdropClick.emit(event);\n });\n } else {\n this._backdropSubscription.unsubscribe();\n }\n this._positionSubscription.unsubscribe();\n // Only subscribe to `positionChanges` if requested, because putting\n // together all the information for it can be expensive.\n if (this.positionChange.observers.length > 0) {\n this._positionSubscription = this._position.positionChanges.pipe(takeWhile(() => this.positionChange.observers.length > 0)).subscribe(position => {\n this._ngZone.run(() => this.positionChange.emit(position));\n if (this.positionChange.observers.length === 0) {\n this._positionSubscription.unsubscribe();\n }\n });\n }\n }\n /** Detaches the overlay and unsubscribes to backdrop clicks if backdrop exists */\n _detachOverlay() {\n if (this._overlayRef) {\n this._overlayRef.detach();\n }\n this._backdropSubscription.unsubscribe();\n this._positionSubscription.unsubscribe();\n }\n static {\n this.ɵfac = function CdkConnectedOverlay_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || CdkConnectedOverlay)(i0.ɵɵdirectiveInject(Overlay), i0.ɵɵdirectiveInject(i0.TemplateRef), i0.ɵɵdirectiveInject(i0.ViewContainerRef), i0.ɵɵdirectiveInject(CDK_CONNECTED_OVERLAY_SCROLL_STRATEGY), i0.ɵɵdirectiveInject(i5.Directionality, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: CdkConnectedOverlay,\n selectors: [[\"\", \"cdk-connected-overlay\", \"\"], [\"\", \"connected-overlay\", \"\"], [\"\", \"cdkConnectedOverlay\", \"\"]],\n inputs: {\n origin: [0, \"cdkConnectedOverlayOrigin\", \"origin\"],\n positions: [0, \"cdkConnectedOverlayPositions\", \"positions\"],\n positionStrategy: [0, \"cdkConnectedOverlayPositionStrategy\", \"positionStrategy\"],\n offsetX: [0, \"cdkConnectedOverlayOffsetX\", \"offsetX\"],\n offsetY: [0, \"cdkConnectedOverlayOffsetY\", \"offsetY\"],\n width: [0, \"cdkConnectedOverlayWidth\", \"width\"],\n height: [0, \"cdkConnectedOverlayHeight\", \"height\"],\n minWidth: [0, \"cdkConnectedOverlayMinWidth\", \"minWidth\"],\n minHeight: [0, \"cdkConnectedOverlayMinHeight\", \"minHeight\"],\n backdropClass: [0, \"cdkConnectedOverlayBackdropClass\", \"backdropClass\"],\n panelClass: [0, \"cdkConnectedOverlayPanelClass\", \"panelClass\"],\n viewportMargin: [0, \"cdkConnectedOverlayViewportMargin\", \"viewportMargin\"],\n scrollStrategy: [0, \"cdkConnectedOverlayScrollStrategy\", \"scrollStrategy\"],\n open: [0, \"cdkConnectedOverlayOpen\", \"open\"],\n disableClose: [0, \"cdkConnectedOverlayDisableClose\", \"disableClose\"],\n transformOriginSelector: [0, \"cdkConnectedOverlayTransformOriginOn\", \"transformOriginSelector\"],\n hasBackdrop: [2, \"cdkConnectedOverlayHasBackdrop\", \"hasBackdrop\", booleanAttribute],\n lockPosition: [2, \"cdkConnectedOverlayLockPosition\", \"lockPosition\", booleanAttribute],\n flexibleDimensions: [2, \"cdkConnectedOverlayFlexibleDimensions\", \"flexibleDimensions\", booleanAttribute],\n growAfterOpen: [2, \"cdkConnectedOverlayGrowAfterOpen\", \"growAfterOpen\", booleanAttribute],\n push: [2, \"cdkConnectedOverlayPush\", \"push\", booleanAttribute],\n disposeOnNavigation: [2, \"cdkConnectedOverlayDisposeOnNavigation\", \"disposeOnNavigation\", booleanAttribute]\n },\n outputs: {\n backdropClick: \"backdropClick\",\n positionChange: \"positionChange\",\n attach: \"attach\",\n detach: \"detach\",\n overlayKeydown: \"overlayKeydown\",\n overlayOutsideClick: \"overlayOutsideClick\"\n },\n exportAs: [\"cdkConnectedOverlay\"],\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵNgOnChangesFeature]\n });\n }\n }\n return CdkConnectedOverlay;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/** @docs-private */\nfunction CDK_CONNECTED_OVERLAY_SCROLL_STRATEGY_PROVIDER_FACTORY(overlay) {\n return () => overlay.scrollStrategies.reposition();\n}\n/** @docs-private */\nconst CDK_CONNECTED_OVERLAY_SCROLL_STRATEGY_PROVIDER = {\n provide: CDK_CONNECTED_OVERLAY_SCROLL_STRATEGY,\n deps: [Overlay],\n useFactory: CDK_CONNECTED_OVERLAY_SCROLL_STRATEGY_PROVIDER_FACTORY\n};\nlet OverlayModule = /*#__PURE__*/(() => {\n class OverlayModule {\n static {\n this.ɵfac = function OverlayModule_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || OverlayModule)();\n };\n }\n static {\n this.ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: OverlayModule\n });\n }\n static {\n this.ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({\n providers: [Overlay, CDK_CONNECTED_OVERLAY_SCROLL_STRATEGY_PROVIDER],\n imports: [BidiModule, PortalModule, ScrollingModule, ScrollingModule]\n });\n }\n }\n return OverlayModule;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Alternative to OverlayContainer that supports correct displaying of overlay elements in\n * Fullscreen mode\n * https://developer.mozilla.org/en-US/docs/Web/API/Element/requestFullScreen\n *\n * Should be provided in the root component.\n */\nlet FullscreenOverlayContainer = /*#__PURE__*/(() => {\n class FullscreenOverlayContainer extends OverlayContainer {\n constructor(_document, platform) {\n super(_document, platform);\n }\n ngOnDestroy() {\n super.ngOnDestroy();\n if (this._fullScreenEventName && this._fullScreenListener) {\n this._document.removeEventListener(this._fullScreenEventName, this._fullScreenListener);\n }\n }\n _createContainer() {\n super._createContainer();\n this._adjustParentForFullscreenChange();\n this._addFullscreenChangeListener(() => this._adjustParentForFullscreenChange());\n }\n _adjustParentForFullscreenChange() {\n if (!this._containerElement) {\n return;\n }\n const fullscreenElement = this.getFullscreenElement();\n const parent = fullscreenElement || this._document.body;\n parent.appendChild(this._containerElement);\n }\n _addFullscreenChangeListener(fn) {\n const eventName = this._getEventName();\n if (eventName) {\n if (this._fullScreenListener) {\n this._document.removeEventListener(eventName, this._fullScreenListener);\n }\n this._document.addEventListener(eventName, fn);\n this._fullScreenListener = fn;\n }\n }\n _getEventName() {\n if (!this._fullScreenEventName) {\n const _document = this._document;\n if (_document.fullscreenEnabled) {\n this._fullScreenEventName = 'fullscreenchange';\n } else if (_document.webkitFullscreenEnabled) {\n this._fullScreenEventName = 'webkitfullscreenchange';\n } else if (_document.mozFullScreenEnabled) {\n this._fullScreenEventName = 'mozfullscreenchange';\n } else if (_document.msFullscreenEnabled) {\n this._fullScreenEventName = 'MSFullscreenChange';\n }\n }\n return this._fullScreenEventName;\n }\n /**\n * When the page is put into fullscreen mode, a specific element is specified.\n * Only that element and its children are visible when in fullscreen mode.\n */\n getFullscreenElement() {\n const _document = this._document;\n return _document.fullscreenElement || _document.webkitFullscreenElement || _document.mozFullScreenElement || _document.msFullscreenElement || null;\n }\n static {\n this.ɵfac = function FullscreenOverlayContainer_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || FullscreenOverlayContainer)(i0.ɵɵinject(DOCUMENT), i0.ɵɵinject(i1$1.Platform));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: FullscreenOverlayContainer,\n factory: FullscreenOverlayContainer.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return FullscreenOverlayContainer;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Generated bundle index. Do not edit.\n */\n\nexport { BlockScrollStrategy, CdkConnectedOverlay, CdkOverlayOrigin, CloseScrollStrategy, ConnectedOverlayPositionChange, ConnectionPositionPair, FlexibleConnectedPositionStrategy, FullscreenOverlayContainer, GlobalPositionStrategy, NoopScrollStrategy, Overlay, OverlayConfig, OverlayContainer, OverlayKeyboardDispatcher, OverlayModule, OverlayOutsideClickDispatcher, OverlayPositionBuilder, OverlayRef, RepositionScrollStrategy, STANDARD_DROPDOWN_ADJACENT_POSITIONS, STANDARD_DROPDOWN_BELOW_POSITIONS, ScrollStrategyOptions, ScrollingVisibility, validateHorizontalPosition, validateVerticalPosition };\n","import * as i1 from '@angular/cdk/a11y';\nimport { A11yModule } from '@angular/cdk/a11y';\nimport * as i1$1 from '@angular/cdk/overlay';\nimport { Overlay, OverlayConfig, OverlayRef, OverlayModule } from '@angular/cdk/overlay';\nimport { Platform, _getFocusedElementPierceShadowDom } from '@angular/cdk/platform';\nimport { BasePortalOutlet, CdkPortalOutlet, ComponentPortal, TemplatePortal, PortalModule } from '@angular/cdk/portal';\nimport { DOCUMENT } from '@angular/common';\nimport * as i0 from '@angular/core';\nimport { inject, ChangeDetectorRef, Injector, afterNextRender, Component, ViewEncapsulation, ChangeDetectionStrategy, Optional, Inject, ViewChild, InjectionToken, TemplateRef, Injectable, SkipSelf, NgModule } from '@angular/core';\nimport { ESCAPE, hasModifierKey } from '@angular/cdk/keycodes';\nimport { Subject, defer, of } from 'rxjs';\nimport { Directionality } from '@angular/cdk/bidi';\nimport { startWith } from 'rxjs/operators';\n\n/** Configuration for opening a modal dialog. */\nfunction CdkDialogContainer_ng_template_0_Template(rf, ctx) {}\nclass DialogConfig {\n constructor() {\n /** The ARIA role of the dialog element. */\n this.role = 'dialog';\n /** Optional CSS class or classes applied to the overlay panel. */\n this.panelClass = '';\n /** Whether the dialog has a backdrop. */\n this.hasBackdrop = true;\n /** Optional CSS class or classes applied to the overlay backdrop. */\n this.backdropClass = '';\n /** Whether the dialog closes with the escape key or pointer events outside the panel element. */\n this.disableClose = false;\n /** Width of the dialog. */\n this.width = '';\n /** Height of the dialog. */\n this.height = '';\n /** Data being injected into the child component. */\n this.data = null;\n /** ID of the element that describes the dialog. */\n this.ariaDescribedBy = null;\n /** ID of the element that labels the dialog. */\n this.ariaLabelledBy = null;\n /** Dialog label applied via `aria-label` */\n this.ariaLabel = null;\n /** Whether this is a modal dialog. Used to set the `aria-modal` attribute. */\n this.ariaModal = true;\n /**\n * Where the dialog should focus on open.\n * @breaking-change 14.0.0 Remove boolean option from autoFocus. Use string or\n * AutoFocusTarget instead.\n */\n this.autoFocus = 'first-tabbable';\n /**\n * Whether the dialog should restore focus to the previously-focused element upon closing.\n * Has the following behavior based on the type that is passed in:\n * - `boolean` - when true, will return focus to the element that was focused before the dialog\n * was opened, otherwise won't restore focus at all.\n * - `string` - focus will be restored to the first element that matches the CSS selector.\n * - `HTMLElement` - focus will be restored to the specific element.\n */\n this.restoreFocus = true;\n /**\n * Whether the dialog should close when the user navigates backwards or forwards through browser\n * history. This does not apply to navigation via anchor element unless using URL-hash based\n * routing (`HashLocationStrategy` in the Angular router).\n */\n this.closeOnNavigation = true;\n /**\n * Whether the dialog should close when the dialog service is destroyed. This is useful if\n * another service is wrapping the dialog and is managing the destruction instead.\n */\n this.closeOnDestroy = true;\n /**\n * Whether the dialog should close when the underlying overlay is detached. This is useful if\n * another service is wrapping the dialog and is managing the destruction instead. E.g. an\n * external detachment can happen as a result of a scroll strategy triggering it or when the\n * browser location changes.\n */\n this.closeOnOverlayDetachments = true;\n }\n}\nfunction throwDialogContentAlreadyAttachedError() {\n throw Error('Attempting to attach dialog content after content is already attached');\n}\n/**\n * Internal component that wraps user-provided dialog content.\n * @docs-private\n */\nlet CdkDialogContainer = /*#__PURE__*/(() => {\n class CdkDialogContainer extends BasePortalOutlet {\n constructor(_elementRef, _focusTrapFactory, _document, _config, _interactivityChecker, _ngZone, _overlayRef, _focusMonitor) {\n super();\n this._elementRef = _elementRef;\n this._focusTrapFactory = _focusTrapFactory;\n this._config = _config;\n this._interactivityChecker = _interactivityChecker;\n this._ngZone = _ngZone;\n this._overlayRef = _overlayRef;\n this._focusMonitor = _focusMonitor;\n this._platform = inject(Platform);\n /** The class that traps and manages focus within the dialog. */\n this._focusTrap = null;\n /** Element that was focused before the dialog was opened. Save this to restore upon close. */\n this._elementFocusedBeforeDialogWasOpened = null;\n /**\n * Type of interaction that led to the dialog being closed. This is used to determine\n * whether the focus style will be applied when returning focus to its original location\n * after the dialog is closed.\n */\n this._closeInteractionType = null;\n /**\n * Queue of the IDs of the dialog's label element, based on their definition order. The first\n * ID will be used as the `aria-labelledby` value. We use a queue here to handle the case\n * where there are two or more titles in the DOM at a time and the first one is destroyed while\n * the rest are present.\n */\n this._ariaLabelledByQueue = [];\n this._changeDetectorRef = inject(ChangeDetectorRef);\n this._injector = inject(Injector);\n this._isDestroyed = false;\n /**\n * Attaches a DOM portal to the dialog container.\n * @param portal Portal to be attached.\n * @deprecated To be turned into a method.\n * @breaking-change 10.0.0\n */\n this.attachDomPortal = portal => {\n if (this._portalOutlet.hasAttached() && (typeof ngDevMode === 'undefined' || ngDevMode)) {\n throwDialogContentAlreadyAttachedError();\n }\n const result = this._portalOutlet.attachDomPortal(portal);\n this._contentAttached();\n return result;\n };\n this._document = _document;\n if (this._config.ariaLabelledBy) {\n this._ariaLabelledByQueue.push(this._config.ariaLabelledBy);\n }\n }\n _addAriaLabelledBy(id) {\n this._ariaLabelledByQueue.push(id);\n this._changeDetectorRef.markForCheck();\n }\n _removeAriaLabelledBy(id) {\n const index = this._ariaLabelledByQueue.indexOf(id);\n if (index > -1) {\n this._ariaLabelledByQueue.splice(index, 1);\n this._changeDetectorRef.markForCheck();\n }\n }\n _contentAttached() {\n this._initializeFocusTrap();\n this._handleBackdropClicks();\n this._captureInitialFocus();\n }\n /**\n * Can be used by child classes to customize the initial focus\n * capturing behavior (e.g. if it's tied to an animation).\n */\n _captureInitialFocus() {\n this._trapFocus();\n }\n ngOnDestroy() {\n this._isDestroyed = true;\n this._restoreFocus();\n }\n /**\n * Attach a ComponentPortal as content to this dialog container.\n * @param portal Portal to be attached as the dialog content.\n */\n attachComponentPortal(portal) {\n if (this._portalOutlet.hasAttached() && (typeof ngDevMode === 'undefined' || ngDevMode)) {\n throwDialogContentAlreadyAttachedError();\n }\n const result = this._portalOutlet.attachComponentPortal(portal);\n this._contentAttached();\n return result;\n }\n /**\n * Attach a TemplatePortal as content to this dialog container.\n * @param portal Portal to be attached as the dialog content.\n */\n attachTemplatePortal(portal) {\n if (this._portalOutlet.hasAttached() && (typeof ngDevMode === 'undefined' || ngDevMode)) {\n throwDialogContentAlreadyAttachedError();\n }\n const result = this._portalOutlet.attachTemplatePortal(portal);\n this._contentAttached();\n return result;\n }\n // TODO(crisbeto): this shouldn't be exposed, but there are internal references to it.\n /** Captures focus if it isn't already inside the dialog. */\n _recaptureFocus() {\n if (!this._containsFocus()) {\n this._trapFocus();\n }\n }\n /**\n * Focuses the provided element. If the element is not focusable, it will add a tabIndex\n * attribute to forcefully focus it. The attribute is removed after focus is moved.\n * @param element The element to focus.\n */\n _forceFocus(element, options) {\n if (!this._interactivityChecker.isFocusable(element)) {\n element.tabIndex = -1;\n // The tabindex attribute should be removed to avoid navigating to that element again\n this._ngZone.runOutsideAngular(() => {\n const callback = () => {\n element.removeEventListener('blur', callback);\n element.removeEventListener('mousedown', callback);\n element.removeAttribute('tabindex');\n };\n element.addEventListener('blur', callback);\n element.addEventListener('mousedown', callback);\n });\n }\n element.focus(options);\n }\n /**\n * Focuses the first element that matches the given selector within the focus trap.\n * @param selector The CSS selector for the element to set focus to.\n */\n _focusByCssSelector(selector, options) {\n let elementToFocus = this._elementRef.nativeElement.querySelector(selector);\n if (elementToFocus) {\n this._forceFocus(elementToFocus, options);\n }\n }\n /**\n * Moves the focus inside the focus trap. When autoFocus is not set to 'dialog', if focus\n * cannot be moved then focus will go to the dialog container.\n */\n _trapFocus() {\n if (this._isDestroyed) {\n return;\n }\n // If were to attempt to focus immediately, then the content of the dialog would not yet be\n // ready in instances where change detection has to run first. To deal with this, we simply\n // wait until after the next render.\n afterNextRender(() => {\n const element = this._elementRef.nativeElement;\n switch (this._config.autoFocus) {\n case false:\n case 'dialog':\n // Ensure that focus is on the dialog container. It's possible that a different\n // component tried to move focus while the open animation was running. See:\n // https://github.com/angular/components/issues/16215. Note that we only want to do this\n // if the focus isn't inside the dialog already, because it's possible that the consumer\n // turned off `autoFocus` in order to move focus themselves.\n if (!this._containsFocus()) {\n element.focus();\n }\n break;\n case true:\n case 'first-tabbable':\n const focusedSuccessfully = this._focusTrap?.focusInitialElement();\n // If we weren't able to find a focusable element in the dialog, then focus the dialog\n // container instead.\n if (!focusedSuccessfully) {\n this._focusDialogContainer();\n }\n break;\n case 'first-heading':\n this._focusByCssSelector('h1, h2, h3, h4, h5, h6, [role=\"heading\"]');\n break;\n default:\n this._focusByCssSelector(this._config.autoFocus);\n break;\n }\n }, {\n injector: this._injector\n });\n }\n /** Restores focus to the element that was focused before the dialog opened. */\n _restoreFocus() {\n const focusConfig = this._config.restoreFocus;\n let focusTargetElement = null;\n if (typeof focusConfig === 'string') {\n focusTargetElement = this._document.querySelector(focusConfig);\n } else if (typeof focusConfig === 'boolean') {\n focusTargetElement = focusConfig ? this._elementFocusedBeforeDialogWasOpened : null;\n } else if (focusConfig) {\n focusTargetElement = focusConfig;\n }\n // We need the extra check, because IE can set the `activeElement` to null in some cases.\n if (this._config.restoreFocus && focusTargetElement && typeof focusTargetElement.focus === 'function') {\n const activeElement = _getFocusedElementPierceShadowDom();\n const element = this._elementRef.nativeElement;\n // Make sure that focus is still inside the dialog or is on the body (usually because a\n // non-focusable element like the backdrop was clicked) before moving it. It's possible that\n // the consumer moved it themselves before the animation was done, in which case we shouldn't\n // do anything.\n if (!activeElement || activeElement === this._document.body || activeElement === element || element.contains(activeElement)) {\n if (this._focusMonitor) {\n this._focusMonitor.focusVia(focusTargetElement, this._closeInteractionType);\n this._closeInteractionType = null;\n } else {\n focusTargetElement.focus();\n }\n }\n }\n if (this._focusTrap) {\n this._focusTrap.destroy();\n }\n }\n /** Focuses the dialog container. */\n _focusDialogContainer() {\n // Note that there is no focus method when rendering on the server.\n if (this._elementRef.nativeElement.focus) {\n this._elementRef.nativeElement.focus();\n }\n }\n /** Returns whether focus is inside the dialog. */\n _containsFocus() {\n const element = this._elementRef.nativeElement;\n const activeElement = _getFocusedElementPierceShadowDom();\n return element === activeElement || element.contains(activeElement);\n }\n /** Sets up the focus trap. */\n _initializeFocusTrap() {\n if (this._platform.isBrowser) {\n this._focusTrap = this._focusTrapFactory.create(this._elementRef.nativeElement);\n // Save the previously focused element. This element will be re-focused\n // when the dialog closes.\n if (this._document) {\n this._elementFocusedBeforeDialogWasOpened = _getFocusedElementPierceShadowDom();\n }\n }\n }\n /** Sets up the listener that handles clicks on the dialog backdrop. */\n _handleBackdropClicks() {\n // Clicking on the backdrop will move focus out of dialog.\n // Recapture it if closing via the backdrop is disabled.\n this._overlayRef.backdropClick().subscribe(() => {\n if (this._config.disableClose) {\n this._recaptureFocus();\n }\n });\n }\n static {\n this.ɵfac = function CdkDialogContainer_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || CdkDialogContainer)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i1.FocusTrapFactory), i0.ɵɵdirectiveInject(DOCUMENT, 8), i0.ɵɵdirectiveInject(DialogConfig), i0.ɵɵdirectiveInject(i1.InteractivityChecker), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(i1$1.OverlayRef), i0.ɵɵdirectiveInject(i1.FocusMonitor));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: CdkDialogContainer,\n selectors: [[\"cdk-dialog-container\"]],\n viewQuery: function CdkDialogContainer_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(CdkPortalOutlet, 7);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._portalOutlet = _t.first);\n }\n },\n hostAttrs: [\"tabindex\", \"-1\", 1, \"cdk-dialog-container\"],\n hostVars: 6,\n hostBindings: function CdkDialogContainer_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx._config.id || null)(\"role\", ctx._config.role)(\"aria-modal\", ctx._config.ariaModal)(\"aria-labelledby\", ctx._config.ariaLabel ? null : ctx._ariaLabelledByQueue[0])(\"aria-label\", ctx._config.ariaLabel)(\"aria-describedby\", ctx._config.ariaDescribedBy || null);\n }\n },\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n decls: 1,\n vars: 0,\n consts: [[\"cdkPortalOutlet\", \"\"]],\n template: function CdkDialogContainer_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵtemplate(0, CdkDialogContainer_ng_template_0_Template, 0, 0, \"ng-template\", 0);\n }\n },\n dependencies: [CdkPortalOutlet],\n styles: [\".cdk-dialog-container{display:block;width:100%;height:100%;min-height:inherit;max-height:inherit}\"],\n encapsulation: 2\n });\n }\n }\n return CdkDialogContainer;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Reference to a dialog opened via the Dialog service.\n */\nclass DialogRef {\n constructor(overlayRef, config) {\n this.overlayRef = overlayRef;\n this.config = config;\n /** Emits when the dialog has been closed. */\n this.closed = new Subject();\n this.disableClose = config.disableClose;\n this.backdropClick = overlayRef.backdropClick();\n this.keydownEvents = overlayRef.keydownEvents();\n this.outsidePointerEvents = overlayRef.outsidePointerEvents();\n this.id = config.id; // By the time the dialog is created we are guaranteed to have an ID.\n this.keydownEvents.subscribe(event => {\n if (event.keyCode === ESCAPE && !this.disableClose && !hasModifierKey(event)) {\n event.preventDefault();\n this.close(undefined, {\n focusOrigin: 'keyboard'\n });\n }\n });\n this.backdropClick.subscribe(() => {\n if (!this.disableClose) {\n this.close(undefined, {\n focusOrigin: 'mouse'\n });\n }\n });\n this._detachSubscription = overlayRef.detachments().subscribe(() => {\n // Check specifically for `false`, because we want `undefined` to be treated like `true`.\n if (config.closeOnOverlayDetachments !== false) {\n this.close();\n }\n });\n }\n /**\n * Close the dialog.\n * @param result Optional result to return to the dialog opener.\n * @param options Additional options to customize the closing behavior.\n */\n close(result, options) {\n if (this.containerInstance) {\n const closedSubject = this.closed;\n this.containerInstance._closeInteractionType = options?.focusOrigin || 'program';\n // Drop the detach subscription first since it can be triggered by the\n // `dispose` call and override the result of this closing sequence.\n this._detachSubscription.unsubscribe();\n this.overlayRef.dispose();\n closedSubject.next(result);\n closedSubject.complete();\n this.componentInstance = this.containerInstance = null;\n }\n }\n /** Updates the position of the dialog based on the current position strategy. */\n updatePosition() {\n this.overlayRef.updatePosition();\n return this;\n }\n /**\n * Updates the dialog's width and height.\n * @param width New width of the dialog.\n * @param height New height of the dialog.\n */\n updateSize(width = '', height = '') {\n this.overlayRef.updateSize({\n width,\n height\n });\n return this;\n }\n /** Add a CSS class or an array of classes to the overlay pane. */\n addPanelClass(classes) {\n this.overlayRef.addPanelClass(classes);\n return this;\n }\n /** Remove a CSS class or an array of classes from the overlay pane. */\n removePanelClass(classes) {\n this.overlayRef.removePanelClass(classes);\n return this;\n }\n}\n\n/** Injection token for the Dialog's ScrollStrategy. */\nconst DIALOG_SCROLL_STRATEGY = /*#__PURE__*/new InjectionToken('DialogScrollStrategy', {\n providedIn: 'root',\n factory: () => {\n const overlay = inject(Overlay);\n return () => overlay.scrollStrategies.block();\n }\n});\n/** Injection token for the Dialog's Data. */\nconst DIALOG_DATA = /*#__PURE__*/new InjectionToken('DialogData');\n/** Injection token that can be used to provide default options for the dialog module. */\nconst DEFAULT_DIALOG_CONFIG = /*#__PURE__*/new InjectionToken('DefaultDialogConfig');\n/**\n * @docs-private\n * @deprecated No longer used. To be removed.\n * @breaking-change 19.0.0\n */\nfunction DIALOG_SCROLL_STRATEGY_PROVIDER_FACTORY(overlay) {\n return () => overlay.scrollStrategies.block();\n}\n/**\n * @docs-private\n * @deprecated No longer used. To be removed.\n * @breaking-change 19.0.0\n */\nconst DIALOG_SCROLL_STRATEGY_PROVIDER = {\n provide: DIALOG_SCROLL_STRATEGY,\n deps: [Overlay],\n useFactory: DIALOG_SCROLL_STRATEGY_PROVIDER_FACTORY\n};\n\n/** Unique id for the created dialog. */\nlet uniqueId = 0;\nlet Dialog = /*#__PURE__*/(() => {\n class Dialog {\n /** Keeps track of the currently-open dialogs. */\n get openDialogs() {\n return this._parentDialog ? this._parentDialog.openDialogs : this._openDialogsAtThisLevel;\n }\n /** Stream that emits when a dialog has been opened. */\n get afterOpened() {\n return this._parentDialog ? this._parentDialog.afterOpened : this._afterOpenedAtThisLevel;\n }\n constructor(_overlay, _injector, _defaultOptions, _parentDialog, _overlayContainer, scrollStrategy) {\n this._overlay = _overlay;\n this._injector = _injector;\n this._defaultOptions = _defaultOptions;\n this._parentDialog = _parentDialog;\n this._overlayContainer = _overlayContainer;\n this._openDialogsAtThisLevel = [];\n this._afterAllClosedAtThisLevel = new Subject();\n this._afterOpenedAtThisLevel = new Subject();\n this._ariaHiddenElements = new Map();\n /**\n * Stream that emits when all open dialog have finished closing.\n * Will emit on subscribe if there are no open dialogs to begin with.\n */\n this.afterAllClosed = defer(() => this.openDialogs.length ? this._getAfterAllClosed() : this._getAfterAllClosed().pipe(startWith(undefined)));\n this._scrollStrategy = scrollStrategy;\n }\n open(componentOrTemplateRef, config) {\n const defaults = this._defaultOptions || new DialogConfig();\n config = {\n ...defaults,\n ...config\n };\n config.id = config.id || `cdk-dialog-${uniqueId++}`;\n if (config.id && this.getDialogById(config.id) && (typeof ngDevMode === 'undefined' || ngDevMode)) {\n throw Error(`Dialog with id \"${config.id}\" exists already. The dialog id must be unique.`);\n }\n const overlayConfig = this._getOverlayConfig(config);\n const overlayRef = this._overlay.create(overlayConfig);\n const dialogRef = new DialogRef(overlayRef, config);\n const dialogContainer = this._attachContainer(overlayRef, dialogRef, config);\n dialogRef.containerInstance = dialogContainer;\n this._attachDialogContent(componentOrTemplateRef, dialogRef, dialogContainer, config);\n // If this is the first dialog that we're opening, hide all the non-overlay content.\n if (!this.openDialogs.length) {\n this._hideNonDialogContentFromAssistiveTechnology();\n }\n this.openDialogs.push(dialogRef);\n dialogRef.closed.subscribe(() => this._removeOpenDialog(dialogRef, true));\n this.afterOpened.next(dialogRef);\n return dialogRef;\n }\n /**\n * Closes all of the currently-open dialogs.\n */\n closeAll() {\n reverseForEach(this.openDialogs, dialog => dialog.close());\n }\n /**\n * Finds an open dialog by its id.\n * @param id ID to use when looking up the dialog.\n */\n getDialogById(id) {\n return this.openDialogs.find(dialog => dialog.id === id);\n }\n ngOnDestroy() {\n // Make one pass over all the dialogs that need to be untracked, but should not be closed. We\n // want to stop tracking the open dialog even if it hasn't been closed, because the tracking\n // determines when `aria-hidden` is removed from elements outside the dialog.\n reverseForEach(this._openDialogsAtThisLevel, dialog => {\n // Check for `false` specifically since we want `undefined` to be interpreted as `true`.\n if (dialog.config.closeOnDestroy === false) {\n this._removeOpenDialog(dialog, false);\n }\n });\n // Make a second pass and close the remaining dialogs. We do this second pass in order to\n // correctly dispatch the `afterAllClosed` event in case we have a mixed array of dialogs\n // that should be closed and dialogs that should not.\n reverseForEach(this._openDialogsAtThisLevel, dialog => dialog.close());\n this._afterAllClosedAtThisLevel.complete();\n this._afterOpenedAtThisLevel.complete();\n this._openDialogsAtThisLevel = [];\n }\n /**\n * Creates an overlay config from a dialog config.\n * @param config The dialog configuration.\n * @returns The overlay configuration.\n */\n _getOverlayConfig(config) {\n const state = new OverlayConfig({\n positionStrategy: config.positionStrategy || this._overlay.position().global().centerHorizontally().centerVertically(),\n scrollStrategy: config.scrollStrategy || this._scrollStrategy(),\n panelClass: config.panelClass,\n hasBackdrop: config.hasBackdrop,\n direction: config.direction,\n minWidth: config.minWidth,\n minHeight: config.minHeight,\n maxWidth: config.maxWidth,\n maxHeight: config.maxHeight,\n width: config.width,\n height: config.height,\n disposeOnNavigation: config.closeOnNavigation\n });\n if (config.backdropClass) {\n state.backdropClass = config.backdropClass;\n }\n return state;\n }\n /**\n * Attaches a dialog container to a dialog's already-created overlay.\n * @param overlay Reference to the dialog's underlying overlay.\n * @param config The dialog configuration.\n * @returns A promise resolving to a ComponentRef for the attached container.\n */\n _attachContainer(overlay, dialogRef, config) {\n const userInjector = config.injector || config.viewContainerRef?.injector;\n const providers = [{\n provide: DialogConfig,\n useValue: config\n }, {\n provide: DialogRef,\n useValue: dialogRef\n }, {\n provide: OverlayRef,\n useValue: overlay\n }];\n let containerType;\n if (config.container) {\n if (typeof config.container === 'function') {\n containerType = config.container;\n } else {\n containerType = config.container.type;\n providers.push(...config.container.providers(config));\n }\n } else {\n containerType = CdkDialogContainer;\n }\n const containerPortal = new ComponentPortal(containerType, config.viewContainerRef, Injector.create({\n parent: userInjector || this._injector,\n providers\n }), config.componentFactoryResolver);\n const containerRef = overlay.attach(containerPortal);\n return containerRef.instance;\n }\n /**\n * Attaches the user-provided component to the already-created dialog container.\n * @param componentOrTemplateRef The type of component being loaded into the dialog,\n * or a TemplateRef to instantiate as the content.\n * @param dialogRef Reference to the dialog being opened.\n * @param dialogContainer Component that is going to wrap the dialog content.\n * @param config Configuration used to open the dialog.\n */\n _attachDialogContent(componentOrTemplateRef, dialogRef, dialogContainer, config) {\n if (componentOrTemplateRef instanceof TemplateRef) {\n const injector = this._createInjector(config, dialogRef, dialogContainer, undefined);\n let context = {\n $implicit: config.data,\n dialogRef\n };\n if (config.templateContext) {\n context = {\n ...context,\n ...(typeof config.templateContext === 'function' ? config.templateContext() : config.templateContext)\n };\n }\n dialogContainer.attachTemplatePortal(new TemplatePortal(componentOrTemplateRef, null, context, injector));\n } else {\n const injector = this._createInjector(config, dialogRef, dialogContainer, this._injector);\n const contentRef = dialogContainer.attachComponentPortal(new ComponentPortal(componentOrTemplateRef, config.viewContainerRef, injector, config.componentFactoryResolver));\n dialogRef.componentRef = contentRef;\n dialogRef.componentInstance = contentRef.instance;\n }\n }\n /**\n * Creates a custom injector to be used inside the dialog. This allows a component loaded inside\n * of a dialog to close itself and, optionally, to return a value.\n * @param config Config object that is used to construct the dialog.\n * @param dialogRef Reference to the dialog being opened.\n * @param dialogContainer Component that is going to wrap the dialog content.\n * @param fallbackInjector Injector to use as a fallback when a lookup fails in the custom\n * dialog injector, if the user didn't provide a custom one.\n * @returns The custom injector that can be used inside the dialog.\n */\n _createInjector(config, dialogRef, dialogContainer, fallbackInjector) {\n const userInjector = config.injector || config.viewContainerRef?.injector;\n const providers = [{\n provide: DIALOG_DATA,\n useValue: config.data\n }, {\n provide: DialogRef,\n useValue: dialogRef\n }];\n if (config.providers) {\n if (typeof config.providers === 'function') {\n providers.push(...config.providers(dialogRef, config, dialogContainer));\n } else {\n providers.push(...config.providers);\n }\n }\n if (config.direction && (!userInjector || !userInjector.get(Directionality, null, {\n optional: true\n }))) {\n providers.push({\n provide: Directionality,\n useValue: {\n value: config.direction,\n change: of()\n }\n });\n }\n return Injector.create({\n parent: userInjector || fallbackInjector,\n providers\n });\n }\n /**\n * Removes a dialog from the array of open dialogs.\n * @param dialogRef Dialog to be removed.\n * @param emitEvent Whether to emit an event if this is the last dialog.\n */\n _removeOpenDialog(dialogRef, emitEvent) {\n const index = this.openDialogs.indexOf(dialogRef);\n if (index > -1) {\n this.openDialogs.splice(index, 1);\n // If all the dialogs were closed, remove/restore the `aria-hidden`\n // to a the siblings and emit to the `afterAllClosed` stream.\n if (!this.openDialogs.length) {\n this._ariaHiddenElements.forEach((previousValue, element) => {\n if (previousValue) {\n element.setAttribute('aria-hidden', previousValue);\n } else {\n element.removeAttribute('aria-hidden');\n }\n });\n this._ariaHiddenElements.clear();\n if (emitEvent) {\n this._getAfterAllClosed().next();\n }\n }\n }\n }\n /** Hides all of the content that isn't an overlay from assistive technology. */\n _hideNonDialogContentFromAssistiveTechnology() {\n const overlayContainer = this._overlayContainer.getContainerElement();\n // Ensure that the overlay container is attached to the DOM.\n if (overlayContainer.parentElement) {\n const siblings = overlayContainer.parentElement.children;\n for (let i = siblings.length - 1; i > -1; i--) {\n const sibling = siblings[i];\n if (sibling !== overlayContainer && sibling.nodeName !== 'SCRIPT' && sibling.nodeName !== 'STYLE' && !sibling.hasAttribute('aria-live')) {\n this._ariaHiddenElements.set(sibling, sibling.getAttribute('aria-hidden'));\n sibling.setAttribute('aria-hidden', 'true');\n }\n }\n }\n }\n _getAfterAllClosed() {\n const parent = this._parentDialog;\n return parent ? parent._getAfterAllClosed() : this._afterAllClosedAtThisLevel;\n }\n static {\n this.ɵfac = function Dialog_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || Dialog)(i0.ɵɵinject(i1$1.Overlay), i0.ɵɵinject(i0.Injector), i0.ɵɵinject(DEFAULT_DIALOG_CONFIG, 8), i0.ɵɵinject(Dialog, 12), i0.ɵɵinject(i1$1.OverlayContainer), i0.ɵɵinject(DIALOG_SCROLL_STRATEGY));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: Dialog,\n factory: Dialog.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return Dialog;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Executes a callback against all elements in an array while iterating in reverse.\n * Useful if the array is being modified as it is being iterated.\n */\nfunction reverseForEach(items, callback) {\n let i = items.length;\n while (i--) {\n callback(items[i]);\n }\n}\nlet DialogModule = /*#__PURE__*/(() => {\n class DialogModule {\n static {\n this.ɵfac = function DialogModule_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || DialogModule)();\n };\n }\n static {\n this.ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: DialogModule\n });\n }\n static {\n this.ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({\n providers: [Dialog],\n imports: [OverlayModule, PortalModule, A11yModule,\n // Re-export the PortalModule so that people extending the `CdkDialogContainer`\n // don't have to remember to import it or be faced with an unhelpful error.\n PortalModule]\n });\n }\n }\n return DialogModule;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Generated bundle index. Do not edit.\n */\n\nexport { CdkDialogContainer, DEFAULT_DIALOG_CONFIG, DIALOG_DATA, DIALOG_SCROLL_STRATEGY, DIALOG_SCROLL_STRATEGY_PROVIDER, DIALOG_SCROLL_STRATEGY_PROVIDER_FACTORY, Dialog, DialogConfig, DialogModule, DialogRef, throwDialogContentAlreadyAttachedError };\n","import * as i1$1 from '@angular/cdk/overlay';\nimport { Overlay, OverlayModule } from '@angular/cdk/overlay';\nimport * as i2 from '@angular/common';\nimport { DOCUMENT } from '@angular/common';\nimport * as i0 from '@angular/core';\nimport { EventEmitter, ANIMATION_MODULE_TYPE, Component, ViewEncapsulation, ChangeDetectionStrategy, Optional, Inject, InjectionToken, inject, Injectable, SkipSelf, Directive, Input, NgModule } from '@angular/core';\nimport * as i1 from '@angular/cdk/a11y';\nimport { CdkDialogContainer, Dialog, DialogConfig, DialogModule } from '@angular/cdk/dialog';\nimport { coerceNumberProperty } from '@angular/cdk/coercion';\nimport { CdkPortalOutlet, PortalModule } from '@angular/cdk/portal';\nimport { Subject, merge, defer } from 'rxjs';\nimport { filter, take, startWith } from 'rxjs/operators';\nimport { ESCAPE, hasModifierKey } from '@angular/cdk/keycodes';\nimport * as i3 from '@angular/cdk/scrolling';\nimport { CdkScrollable } from '@angular/cdk/scrolling';\nimport { MatCommonModule } from '@angular/material/core';\nimport { trigger, state, style, transition, group, animate, query, animateChild } from '@angular/animations';\n\n/**\n * Configuration for opening a modal dialog with the MatDialog service.\n */\nfunction MatDialogContainer_ng_template_2_Template(rf, ctx) {}\nclass MatDialogConfig {\n constructor() {\n /** The ARIA role of the dialog element. */\n this.role = 'dialog';\n /** Custom class for the overlay pane. */\n this.panelClass = '';\n /** Whether the dialog has a backdrop. */\n this.hasBackdrop = true;\n /** Custom class for the backdrop. */\n this.backdropClass = '';\n /** Whether the user can use escape or clicking on the backdrop to close the modal. */\n this.disableClose = false;\n /** Width of the dialog. */\n this.width = '';\n /** Height of the dialog. */\n this.height = '';\n /** Data being injected into the child component. */\n this.data = null;\n /** ID of the element that describes the dialog. */\n this.ariaDescribedBy = null;\n /** ID of the element that labels the dialog. */\n this.ariaLabelledBy = null;\n /** Aria label to assign to the dialog element. */\n this.ariaLabel = null;\n /** Whether this is a modal dialog. Used to set the `aria-modal` attribute. */\n this.ariaModal = true;\n /**\n * Where the dialog should focus on open.\n * @breaking-change 14.0.0 Remove boolean option from autoFocus. Use string or\n * AutoFocusTarget instead.\n */\n this.autoFocus = 'first-tabbable';\n /**\n * Whether the dialog should restore focus to the\n * previously-focused element, after it's closed.\n */\n this.restoreFocus = true;\n /** Whether to wait for the opening animation to finish before trapping focus. */\n this.delayFocusTrap = true;\n /**\n * Whether the dialog should close when the user goes backwards/forwards in history.\n * Note that this usually doesn't include clicking on links (unless the user is using\n * the `HashLocationStrategy`).\n */\n this.closeOnNavigation = true;\n // TODO(jelbourn): add configuration for lifecycle hooks, ARIA labelling.\n }\n}\n\n/** Class added when the dialog is open. */\nconst OPEN_CLASS = 'mdc-dialog--open';\n/** Class added while the dialog is opening. */\nconst OPENING_CLASS = 'mdc-dialog--opening';\n/** Class added while the dialog is closing. */\nconst CLOSING_CLASS = 'mdc-dialog--closing';\n/** Duration of the opening animation in milliseconds. */\nconst OPEN_ANIMATION_DURATION = 150;\n/** Duration of the closing animation in milliseconds. */\nconst CLOSE_ANIMATION_DURATION = 75;\nlet MatDialogContainer = /*#__PURE__*/(() => {\n class MatDialogContainer extends CdkDialogContainer {\n constructor(elementRef, focusTrapFactory, _document, dialogConfig, interactivityChecker, ngZone, overlayRef, _animationMode, focusMonitor) {\n super(elementRef, focusTrapFactory, _document, dialogConfig, interactivityChecker, ngZone, overlayRef, focusMonitor);\n this._animationMode = _animationMode;\n /** Emits when an animation state changes. */\n this._animationStateChanged = new EventEmitter();\n /** Whether animations are enabled. */\n this._animationsEnabled = this._animationMode !== 'NoopAnimations';\n /** Number of actions projected in the dialog. */\n this._actionSectionCount = 0;\n /** Host element of the dialog container component. */\n this._hostElement = this._elementRef.nativeElement;\n /** Duration of the dialog open animation. */\n this._enterAnimationDuration = this._animationsEnabled ? parseCssTime(this._config.enterAnimationDuration) ?? OPEN_ANIMATION_DURATION : 0;\n /** Duration of the dialog close animation. */\n this._exitAnimationDuration = this._animationsEnabled ? parseCssTime(this._config.exitAnimationDuration) ?? CLOSE_ANIMATION_DURATION : 0;\n /** Current timer for dialog animations. */\n this._animationTimer = null;\n /**\n * Completes the dialog open by clearing potential animation classes, trapping\n * focus and emitting an opened event.\n */\n this._finishDialogOpen = () => {\n this._clearAnimationClasses();\n this._openAnimationDone(this._enterAnimationDuration);\n };\n /**\n * Completes the dialog close by clearing potential animation classes, restoring\n * focus and emitting a closed event.\n */\n this._finishDialogClose = () => {\n this._clearAnimationClasses();\n this._animationStateChanged.emit({\n state: 'closed',\n totalTime: this._exitAnimationDuration\n });\n };\n }\n _contentAttached() {\n // Delegate to the original dialog-container initialization (i.e. saving the\n // previous element, setting up the focus trap and moving focus to the container).\n super._contentAttached();\n // Note: Usually we would be able to use the MDC dialog foundation here to handle\n // the dialog animation for us, but there are a few reasons why we just leverage\n // their styles and not use the runtime foundation code:\n // 1. Foundation does not allow us to disable animations.\n // 2. Foundation contains unnecessary features we don't need and aren't\n // tree-shakeable. e.g. background scrim, keyboard event handlers for ESC button.\n this._startOpenAnimation();\n }\n /** Starts the dialog open animation if enabled. */\n _startOpenAnimation() {\n this._animationStateChanged.emit({\n state: 'opening',\n totalTime: this._enterAnimationDuration\n });\n if (this._animationsEnabled) {\n this._hostElement.style.setProperty(TRANSITION_DURATION_PROPERTY, `${this._enterAnimationDuration}ms`);\n // We need to give the `setProperty` call from above some time to be applied.\n // One would expect that the open class is added once the animation finished, but MDC\n // uses the open class in combination with the opening class to start the animation.\n this._requestAnimationFrame(() => this._hostElement.classList.add(OPENING_CLASS, OPEN_CLASS));\n this._waitForAnimationToComplete(this._enterAnimationDuration, this._finishDialogOpen);\n } else {\n this._hostElement.classList.add(OPEN_CLASS);\n // Note: We could immediately finish the dialog opening here with noop animations,\n // but we defer until next tick so that consumers can subscribe to `afterOpened`.\n // Executing this immediately would mean that `afterOpened` emits synchronously\n // on `dialog.open` before the consumer had a change to subscribe to `afterOpened`.\n Promise.resolve().then(() => this._finishDialogOpen());\n }\n }\n /**\n * Starts the exit animation of the dialog if enabled. This method is\n * called by the dialog ref.\n */\n _startExitAnimation() {\n this._animationStateChanged.emit({\n state: 'closing',\n totalTime: this._exitAnimationDuration\n });\n this._hostElement.classList.remove(OPEN_CLASS);\n if (this._animationsEnabled) {\n this._hostElement.style.setProperty(TRANSITION_DURATION_PROPERTY, `${this._exitAnimationDuration}ms`);\n // We need to give the `setProperty` call from above some time to be applied.\n this._requestAnimationFrame(() => this._hostElement.classList.add(CLOSING_CLASS));\n this._waitForAnimationToComplete(this._exitAnimationDuration, this._finishDialogClose);\n } else {\n // This subscription to the `OverlayRef#backdropClick` observable in the `DialogRef` is\n // set up before any user can subscribe to the backdrop click. The subscription triggers\n // the dialog close and this method synchronously. If we'd synchronously emit the `CLOSED`\n // animation state event if animations are disabled, the overlay would be disposed\n // immediately and all other subscriptions to `DialogRef#backdropClick` would be silently\n // skipped. We work around this by waiting with the dialog close until the next tick when\n // all subscriptions have been fired as expected. This is not an ideal solution, but\n // there doesn't seem to be any other good way. Alternatives that have been considered:\n // 1. Deferring `DialogRef.close`. This could be a breaking change due to a new microtask.\n // Also this issue is specific to the MDC implementation where the dialog could\n // technically be closed synchronously. In the non-MDC one, Angular animations are used\n // and closing always takes at least a tick.\n // 2. Ensuring that user subscriptions to `backdropClick`, `keydownEvents` in the dialog\n // ref are first. This would solve the issue, but has the risk of memory leaks and also\n // doesn't solve the case where consumers call `DialogRef.close` in their subscriptions.\n // Based on the fact that this is specific to the MDC-based implementation of the dialog\n // animations, the defer is applied here.\n Promise.resolve().then(() => this._finishDialogClose());\n }\n }\n /**\n * Updates the number action sections.\n * @param delta Increase/decrease in the number of sections.\n */\n _updateActionSectionCount(delta) {\n this._actionSectionCount += delta;\n this._changeDetectorRef.markForCheck();\n }\n /** Clears all dialog animation classes. */\n _clearAnimationClasses() {\n this._hostElement.classList.remove(OPENING_CLASS, CLOSING_CLASS);\n }\n _waitForAnimationToComplete(duration, callback) {\n if (this._animationTimer !== null) {\n clearTimeout(this._animationTimer);\n }\n // Note that we want this timer to run inside the NgZone, because we want\n // the related events like `afterClosed` to be inside the zone as well.\n this._animationTimer = setTimeout(callback, duration);\n }\n /** Runs a callback in `requestAnimationFrame`, if available. */\n _requestAnimationFrame(callback) {\n this._ngZone.runOutsideAngular(() => {\n if (typeof requestAnimationFrame === 'function') {\n requestAnimationFrame(callback);\n } else {\n callback();\n }\n });\n }\n _captureInitialFocus() {\n if (!this._config.delayFocusTrap) {\n this._trapFocus();\n }\n }\n /**\n * Callback for when the open dialog animation has finished. Intended to\n * be called by sub-classes that use different animation implementations.\n */\n _openAnimationDone(totalTime) {\n if (this._config.delayFocusTrap) {\n this._trapFocus();\n }\n this._animationStateChanged.next({\n state: 'opened',\n totalTime\n });\n }\n ngOnDestroy() {\n super.ngOnDestroy();\n if (this._animationTimer !== null) {\n clearTimeout(this._animationTimer);\n }\n }\n attachComponentPortal(portal) {\n // When a component is passed into the dialog, the host element interrupts\n // the `display:flex` from affecting the dialog title, content, and\n // actions. To fix this, we make the component host `display: contents` by\n // marking its host with the `mat-mdc-dialog-component-host` class.\n //\n // Note that this problem does not exist when a template ref is used since\n // the title, contents, and actions are then nested directly under the\n // dialog surface.\n const ref = super.attachComponentPortal(portal);\n ref.location.nativeElement.classList.add('mat-mdc-dialog-component-host');\n return ref;\n }\n static {\n this.ɵfac = function MatDialogContainer_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || MatDialogContainer)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i1.FocusTrapFactory), i0.ɵɵdirectiveInject(DOCUMENT, 8), i0.ɵɵdirectiveInject(MatDialogConfig), i0.ɵɵdirectiveInject(i1.InteractivityChecker), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(i1$1.OverlayRef), i0.ɵɵdirectiveInject(ANIMATION_MODULE_TYPE, 8), i0.ɵɵdirectiveInject(i1.FocusMonitor));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: MatDialogContainer,\n selectors: [[\"mat-dialog-container\"]],\n hostAttrs: [\"tabindex\", \"-1\", 1, \"mat-mdc-dialog-container\", \"mdc-dialog\"],\n hostVars: 10,\n hostBindings: function MatDialogContainer_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵhostProperty(\"id\", ctx._config.id);\n i0.ɵɵattribute(\"aria-modal\", ctx._config.ariaModal)(\"role\", ctx._config.role)(\"aria-labelledby\", ctx._config.ariaLabel ? null : ctx._ariaLabelledByQueue[0])(\"aria-label\", ctx._config.ariaLabel)(\"aria-describedby\", ctx._config.ariaDescribedBy || null);\n i0.ɵɵclassProp(\"_mat-animation-noopable\", !ctx._animationsEnabled)(\"mat-mdc-dialog-container-with-actions\", ctx._actionSectionCount > 0);\n }\n },\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n decls: 3,\n vars: 0,\n consts: [[1, \"mat-mdc-dialog-inner-container\", \"mdc-dialog__container\"], [1, \"mat-mdc-dialog-surface\", \"mdc-dialog__surface\"], [\"cdkPortalOutlet\", \"\"]],\n template: function MatDialogContainer_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵelementStart(0, \"div\", 0)(1, \"div\", 1);\n i0.ɵɵtemplate(2, MatDialogContainer_ng_template_2_Template, 0, 0, \"ng-template\", 2);\n i0.ɵɵelementEnd()();\n }\n },\n dependencies: [CdkPortalOutlet],\n styles: [\".mat-mdc-dialog-container{width:100%;height:100%;display:block;box-sizing:border-box;max-height:inherit;min-height:inherit;min-width:inherit;max-width:inherit;outline:0}.cdk-overlay-pane.mat-mdc-dialog-panel{max-width:var(--mat-dialog-container-max-width, 80vw);min-width:var(--mat-dialog-container-min-width, 0)}@media(max-width: 599px){.cdk-overlay-pane.mat-mdc-dialog-panel{max-width:var(--mat-dialog-container-small-max-width, 80vw)}}.mat-mdc-dialog-inner-container{display:flex;flex-direction:row;align-items:center;justify-content:space-around;box-sizing:border-box;height:100%;opacity:0;transition:opacity linear var(--mat-dialog-transition-duration, 0ms);max-height:inherit;min-height:inherit;min-width:inherit;max-width:inherit}.mdc-dialog--closing .mat-mdc-dialog-inner-container{transition:opacity 75ms linear;transform:none}.mdc-dialog--open .mat-mdc-dialog-inner-container{opacity:1}._mat-animation-noopable .mat-mdc-dialog-inner-container{transition:none}.mat-mdc-dialog-surface{display:flex;flex-direction:column;flex-grow:0;flex-shrink:0;box-sizing:border-box;width:100%;height:100%;position:relative;overflow-y:auto;outline:0;transform:scale(0.8);transition:transform var(--mat-dialog-transition-duration, 0ms) cubic-bezier(0, 0, 0.2, 1);max-height:inherit;min-height:inherit;min-width:inherit;max-width:inherit;box-shadow:var(--mat-dialog-container-elevation-shadow, 0px 11px 15px -7px rgba(0, 0, 0, 0.2), 0px 24px 38px 3px rgba(0, 0, 0, 0.14), 0px 9px 46px 8px rgba(0, 0, 0, 0.12));border-radius:var(--mdc-dialog-container-shape, var(--mat-app-corner-extra-large, 4px));background-color:var(--mdc-dialog-container-color, var(--mat-app-surface, white))}[dir=rtl] .mat-mdc-dialog-surface{text-align:right}.mdc-dialog--open .mat-mdc-dialog-surface,.mdc-dialog--closing .mat-mdc-dialog-surface{transform:none}._mat-animation-noopable .mat-mdc-dialog-surface{transition:none}.mat-mdc-dialog-surface::before{position:absolute;box-sizing:border-box;width:100%;height:100%;top:0;left:0;border:2px solid rgba(0,0,0,0);border-radius:inherit;content:\\\"\\\";pointer-events:none}.mat-mdc-dialog-title{display:block;position:relative;flex-shrink:0;box-sizing:border-box;margin:0 0 1px;padding:var(--mat-dialog-headline-padding, 0 24px 9px)}.mat-mdc-dialog-title::before{display:inline-block;width:0;height:40px;content:\\\"\\\";vertical-align:0}[dir=rtl] .mat-mdc-dialog-title{text-align:right}.mat-mdc-dialog-container .mat-mdc-dialog-title{color:var(--mdc-dialog-subhead-color, var(--mat-app-on-surface, rgba(0, 0, 0, 0.87)));font-family:var(--mdc-dialog-subhead-font, var(--mat-app-headline-small-font, inherit));line-height:var(--mdc-dialog-subhead-line-height, var(--mat-app-headline-small-line-height, 1.5rem));font-size:var(--mdc-dialog-subhead-size, var(--mat-app-headline-small-size, 1rem));font-weight:var(--mdc-dialog-subhead-weight, var(--mat-app-headline-small-weight, 400));letter-spacing:var(--mdc-dialog-subhead-tracking, var(--mat-app-headline-small-tracking, 0.03125em))}.mat-mdc-dialog-content{display:block;flex-grow:1;box-sizing:border-box;margin:0;overflow:auto;max-height:65vh}.mat-mdc-dialog-content>:first-child{margin-top:0}.mat-mdc-dialog-content>:last-child{margin-bottom:0}.mat-mdc-dialog-container .mat-mdc-dialog-content{color:var(--mdc-dialog-supporting-text-color, var(--mat-app-on-surface-variant, rgba(0, 0, 0, 0.6)));font-family:var(--mdc-dialog-supporting-text-font, var(--mat-app-body-medium-font, inherit));line-height:var(--mdc-dialog-supporting-text-line-height, var(--mat-app-body-medium-line-height, 1.5rem));font-size:var(--mdc-dialog-supporting-text-size, var(--mat-app-body-medium-size, 1rem));font-weight:var(--mdc-dialog-supporting-text-weight, var(--mat-app-body-medium-weight, 400));letter-spacing:var(--mdc-dialog-supporting-text-tracking, var(--mat-app-body-medium-tracking, 0.03125em))}.mat-mdc-dialog-container .mat-mdc-dialog-content{padding:var(--mat-dialog-content-padding, 20px 24px)}.mat-mdc-dialog-container-with-actions .mat-mdc-dialog-content{padding:var(--mat-dialog-with-actions-content-padding, 20px 24px)}.mat-mdc-dialog-container .mat-mdc-dialog-title+.mat-mdc-dialog-content{padding-top:0}.mat-mdc-dialog-actions{display:flex;position:relative;flex-shrink:0;flex-wrap:wrap;align-items:center;justify-content:flex-end;box-sizing:border-box;min-height:52px;margin:0;padding:8px;border-top:1px solid rgba(0,0,0,0);padding:var(--mat-dialog-actions-padding, 8px);justify-content:var(--mat-dialog-actions-alignment, start)}.cdk-high-contrast-active .mat-mdc-dialog-actions{border-top-color:CanvasText}.mat-mdc-dialog-actions.mat-mdc-dialog-actions-align-start,.mat-mdc-dialog-actions[align=start]{justify-content:start}.mat-mdc-dialog-actions.mat-mdc-dialog-actions-align-center,.mat-mdc-dialog-actions[align=center]{justify-content:center}.mat-mdc-dialog-actions.mat-mdc-dialog-actions-align-end,.mat-mdc-dialog-actions[align=end]{justify-content:flex-end}.mat-mdc-dialog-actions .mat-button-base+.mat-button-base,.mat-mdc-dialog-actions .mat-mdc-button-base+.mat-mdc-button-base{margin-left:8px}[dir=rtl] .mat-mdc-dialog-actions .mat-button-base+.mat-button-base,[dir=rtl] .mat-mdc-dialog-actions .mat-mdc-button-base+.mat-mdc-button-base{margin-left:0;margin-right:8px}.mat-mdc-dialog-component-host{display:contents}\"],\n encapsulation: 2\n });\n }\n }\n return MatDialogContainer;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst TRANSITION_DURATION_PROPERTY = '--mat-dialog-transition-duration';\n// TODO(mmalerba): Remove this function after animation durations are required\n// to be numbers.\n/**\n * Converts a CSS time string to a number in ms. If the given time is already a\n * number, it is assumed to be in ms.\n */\nfunction parseCssTime(time) {\n if (time == null) {\n return null;\n }\n if (typeof time === 'number') {\n return time;\n }\n if (time.endsWith('ms')) {\n return coerceNumberProperty(time.substring(0, time.length - 2));\n }\n if (time.endsWith('s')) {\n return coerceNumberProperty(time.substring(0, time.length - 1)) * 1000;\n }\n if (time === '0') {\n return 0;\n }\n return null; // anything else is invalid.\n}\nvar MatDialogState = /*#__PURE__*/function (MatDialogState) {\n MatDialogState[MatDialogState[\"OPEN\"] = 0] = \"OPEN\";\n MatDialogState[MatDialogState[\"CLOSING\"] = 1] = \"CLOSING\";\n MatDialogState[MatDialogState[\"CLOSED\"] = 2] = \"CLOSED\";\n return MatDialogState;\n}(MatDialogState || {});\n/**\n * Reference to a dialog opened via the MatDialog service.\n */\nclass MatDialogRef {\n constructor(_ref, config, _containerInstance) {\n this._ref = _ref;\n this._containerInstance = _containerInstance;\n /** Subject for notifying the user that the dialog has finished opening. */\n this._afterOpened = new Subject();\n /** Subject for notifying the user that the dialog has started closing. */\n this._beforeClosed = new Subject();\n /** Current state of the dialog. */\n this._state = MatDialogState.OPEN;\n this.disableClose = config.disableClose;\n this.id = _ref.id;\n // Used to target panels specifically tied to dialogs.\n _ref.addPanelClass('mat-mdc-dialog-panel');\n // Emit when opening animation completes\n _containerInstance._animationStateChanged.pipe(filter(event => event.state === 'opened'), take(1)).subscribe(() => {\n this._afterOpened.next();\n this._afterOpened.complete();\n });\n // Dispose overlay when closing animation is complete\n _containerInstance._animationStateChanged.pipe(filter(event => event.state === 'closed'), take(1)).subscribe(() => {\n clearTimeout(this._closeFallbackTimeout);\n this._finishDialogClose();\n });\n _ref.overlayRef.detachments().subscribe(() => {\n this._beforeClosed.next(this._result);\n this._beforeClosed.complete();\n this._finishDialogClose();\n });\n merge(this.backdropClick(), this.keydownEvents().pipe(filter(event => event.keyCode === ESCAPE && !this.disableClose && !hasModifierKey(event)))).subscribe(event => {\n if (!this.disableClose) {\n event.preventDefault();\n _closeDialogVia(this, event.type === 'keydown' ? 'keyboard' : 'mouse');\n }\n });\n }\n /**\n * Close the dialog.\n * @param dialogResult Optional result to return to the dialog opener.\n */\n close(dialogResult) {\n this._result = dialogResult;\n // Transition the backdrop in parallel to the dialog.\n this._containerInstance._animationStateChanged.pipe(filter(event => event.state === 'closing'), take(1)).subscribe(event => {\n this._beforeClosed.next(dialogResult);\n this._beforeClosed.complete();\n this._ref.overlayRef.detachBackdrop();\n // The logic that disposes of the overlay depends on the exit animation completing, however\n // it isn't guaranteed if the parent view is destroyed while it's running. Add a fallback\n // timeout which will clean everything up if the animation hasn't fired within the specified\n // amount of time plus 100ms. We don't need to run this outside the NgZone, because for the\n // vast majority of cases the timeout will have been cleared before it has the chance to fire.\n this._closeFallbackTimeout = setTimeout(() => this._finishDialogClose(), event.totalTime + 100);\n });\n this._state = MatDialogState.CLOSING;\n this._containerInstance._startExitAnimation();\n }\n /**\n * Gets an observable that is notified when the dialog is finished opening.\n */\n afterOpened() {\n return this._afterOpened;\n }\n /**\n * Gets an observable that is notified when the dialog is finished closing.\n */\n afterClosed() {\n return this._ref.closed;\n }\n /**\n * Gets an observable that is notified when the dialog has started closing.\n */\n beforeClosed() {\n return this._beforeClosed;\n }\n /**\n * Gets an observable that emits when the overlay's backdrop has been clicked.\n */\n backdropClick() {\n return this._ref.backdropClick;\n }\n /**\n * Gets an observable that emits when keydown events are targeted on the overlay.\n */\n keydownEvents() {\n return this._ref.keydownEvents;\n }\n /**\n * Updates the dialog's position.\n * @param position New dialog position.\n */\n updatePosition(position) {\n let strategy = this._ref.config.positionStrategy;\n if (position && (position.left || position.right)) {\n position.left ? strategy.left(position.left) : strategy.right(position.right);\n } else {\n strategy.centerHorizontally();\n }\n if (position && (position.top || position.bottom)) {\n position.top ? strategy.top(position.top) : strategy.bottom(position.bottom);\n } else {\n strategy.centerVertically();\n }\n this._ref.updatePosition();\n return this;\n }\n /**\n * Updates the dialog's width and height.\n * @param width New width of the dialog.\n * @param height New height of the dialog.\n */\n updateSize(width = '', height = '') {\n this._ref.updateSize(width, height);\n return this;\n }\n /** Add a CSS class or an array of classes to the overlay pane. */\n addPanelClass(classes) {\n this._ref.addPanelClass(classes);\n return this;\n }\n /** Remove a CSS class or an array of classes from the overlay pane. */\n removePanelClass(classes) {\n this._ref.removePanelClass(classes);\n return this;\n }\n /** Gets the current state of the dialog's lifecycle. */\n getState() {\n return this._state;\n }\n /**\n * Finishes the dialog close by updating the state of the dialog\n * and disposing the overlay.\n */\n _finishDialogClose() {\n this._state = MatDialogState.CLOSED;\n this._ref.close(this._result, {\n focusOrigin: this._closeInteractionType\n });\n this.componentInstance = null;\n }\n}\n/**\n * Closes the dialog with the specified interaction type. This is currently not part of\n * `MatDialogRef` as that would conflict with custom dialog ref mocks provided in tests.\n * More details. See: https://github.com/angular/components/pull/9257#issuecomment-651342226.\n */\n// TODO: Move this back into `MatDialogRef` when we provide an official mock dialog ref.\nfunction _closeDialogVia(ref, interactionType, result) {\n ref._closeInteractionType = interactionType;\n return ref.close(result);\n}\n\n/** Injection token that can be used to access the data that was passed in to a dialog. */\nconst MAT_DIALOG_DATA = /*#__PURE__*/new InjectionToken('MatMdcDialogData');\n/** Injection token that can be used to specify default dialog options. */\nconst MAT_DIALOG_DEFAULT_OPTIONS = /*#__PURE__*/new InjectionToken('mat-mdc-dialog-default-options');\n/** Injection token that determines the scroll handling while the dialog is open. */\nconst MAT_DIALOG_SCROLL_STRATEGY = /*#__PURE__*/new InjectionToken('mat-mdc-dialog-scroll-strategy', {\n providedIn: 'root',\n factory: () => {\n const overlay = inject(Overlay);\n return () => overlay.scrollStrategies.block();\n }\n});\n/**\n * @docs-private\n * @deprecated No longer used. To be removed.\n * @breaking-change 19.0.0\n */\nfunction MAT_DIALOG_SCROLL_STRATEGY_PROVIDER_FACTORY(overlay) {\n return () => overlay.scrollStrategies.block();\n}\n/**\n * @docs-private\n * @deprecated No longer used. To be removed.\n * @breaking-change 19.0.0\n */\nconst MAT_DIALOG_SCROLL_STRATEGY_PROVIDER = {\n provide: MAT_DIALOG_SCROLL_STRATEGY,\n deps: [Overlay],\n useFactory: MAT_DIALOG_SCROLL_STRATEGY_PROVIDER_FACTORY\n};\n// Counter for unique dialog ids.\nlet uniqueId = 0;\n/**\n * Service to open Material Design modal dialogs.\n */\nlet MatDialog = /*#__PURE__*/(() => {\n class MatDialog {\n /** Keeps track of the currently-open dialogs. */\n get openDialogs() {\n return this._parentDialog ? this._parentDialog.openDialogs : this._openDialogsAtThisLevel;\n }\n /** Stream that emits when a dialog has been opened. */\n get afterOpened() {\n return this._parentDialog ? this._parentDialog.afterOpened : this._afterOpenedAtThisLevel;\n }\n _getAfterAllClosed() {\n const parent = this._parentDialog;\n return parent ? parent._getAfterAllClosed() : this._afterAllClosedAtThisLevel;\n }\n constructor(_overlay, injector,\n /**\n * @deprecated `_location` parameter to be removed.\n * @breaking-change 10.0.0\n */\n location, _defaultOptions, _scrollStrategy, _parentDialog,\n /**\n * @deprecated No longer used. To be removed.\n * @breaking-change 15.0.0\n */\n _overlayContainer,\n /**\n * @deprecated No longer used. To be removed.\n * @breaking-change 14.0.0\n */\n _animationMode) {\n this._overlay = _overlay;\n this._defaultOptions = _defaultOptions;\n this._scrollStrategy = _scrollStrategy;\n this._parentDialog = _parentDialog;\n this._openDialogsAtThisLevel = [];\n this._afterAllClosedAtThisLevel = new Subject();\n this._afterOpenedAtThisLevel = new Subject();\n this.dialogConfigClass = MatDialogConfig;\n /**\n * Stream that emits when all open dialog have finished closing.\n * Will emit on subscribe if there are no open dialogs to begin with.\n */\n this.afterAllClosed = defer(() => this.openDialogs.length ? this._getAfterAllClosed() : this._getAfterAllClosed().pipe(startWith(undefined)));\n this._dialog = injector.get(Dialog);\n this._dialogRefConstructor = MatDialogRef;\n this._dialogContainerType = MatDialogContainer;\n this._dialogDataToken = MAT_DIALOG_DATA;\n }\n open(componentOrTemplateRef, config) {\n let dialogRef;\n config = {\n ...(this._defaultOptions || new MatDialogConfig()),\n ...config\n };\n config.id = config.id || `mat-mdc-dialog-${uniqueId++}`;\n config.scrollStrategy = config.scrollStrategy || this._scrollStrategy();\n const cdkRef = this._dialog.open(componentOrTemplateRef, {\n ...config,\n positionStrategy: this._overlay.position().global().centerHorizontally().centerVertically(),\n // Disable closing since we need to sync it up to the animation ourselves.\n disableClose: true,\n // Disable closing on destroy, because this service cleans up its open dialogs as well.\n // We want to do the cleanup here, rather than the CDK service, because the CDK destroys\n // the dialogs immediately whereas we want it to wait for the animations to finish.\n closeOnDestroy: false,\n // Disable closing on detachments so that we can sync up the animation.\n // The Material dialog ref handles this manually.\n closeOnOverlayDetachments: false,\n container: {\n type: this._dialogContainerType,\n providers: () => [\n // Provide our config as the CDK config as well since it has the same interface as the\n // CDK one, but it contains the actual values passed in by the user for things like\n // `disableClose` which we disable for the CDK dialog since we handle it ourselves.\n {\n provide: this.dialogConfigClass,\n useValue: config\n }, {\n provide: DialogConfig,\n useValue: config\n }]\n },\n templateContext: () => ({\n dialogRef\n }),\n providers: (ref, cdkConfig, dialogContainer) => {\n dialogRef = new this._dialogRefConstructor(ref, config, dialogContainer);\n dialogRef.updatePosition(config?.position);\n return [{\n provide: this._dialogContainerType,\n useValue: dialogContainer\n }, {\n provide: this._dialogDataToken,\n useValue: cdkConfig.data\n }, {\n provide: this._dialogRefConstructor,\n useValue: dialogRef\n }];\n }\n });\n // This can't be assigned in the `providers` callback, because\n // the instance hasn't been assigned to the CDK ref yet.\n dialogRef.componentRef = cdkRef.componentRef;\n dialogRef.componentInstance = cdkRef.componentInstance;\n this.openDialogs.push(dialogRef);\n this.afterOpened.next(dialogRef);\n dialogRef.afterClosed().subscribe(() => {\n const index = this.openDialogs.indexOf(dialogRef);\n if (index > -1) {\n this.openDialogs.splice(index, 1);\n if (!this.openDialogs.length) {\n this._getAfterAllClosed().next();\n }\n }\n });\n return dialogRef;\n }\n /**\n * Closes all of the currently-open dialogs.\n */\n closeAll() {\n this._closeDialogs(this.openDialogs);\n }\n /**\n * Finds an open dialog by its id.\n * @param id ID to use when looking up the dialog.\n */\n getDialogById(id) {\n return this.openDialogs.find(dialog => dialog.id === id);\n }\n ngOnDestroy() {\n // Only close the dialogs at this level on destroy\n // since the parent service may still be active.\n this._closeDialogs(this._openDialogsAtThisLevel);\n this._afterAllClosedAtThisLevel.complete();\n this._afterOpenedAtThisLevel.complete();\n }\n _closeDialogs(dialogs) {\n let i = dialogs.length;\n while (i--) {\n dialogs[i].close();\n }\n }\n static {\n this.ɵfac = function MatDialog_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || MatDialog)(i0.ɵɵinject(i1$1.Overlay), i0.ɵɵinject(i0.Injector), i0.ɵɵinject(i2.Location, 8), i0.ɵɵinject(MAT_DIALOG_DEFAULT_OPTIONS, 8), i0.ɵɵinject(MAT_DIALOG_SCROLL_STRATEGY), i0.ɵɵinject(MatDialog, 12), i0.ɵɵinject(i1$1.OverlayContainer), i0.ɵɵinject(ANIMATION_MODULE_TYPE, 8));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: MatDialog,\n factory: MatDialog.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return MatDialog;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** Counter used to generate unique IDs for dialog elements. */\nlet dialogElementUid = 0;\n/**\n * Button that will close the current dialog.\n */\nlet MatDialogClose = /*#__PURE__*/(() => {\n class MatDialogClose {\n constructor(\n // The dialog title directive is always used in combination with a `MatDialogRef`.\n // tslint:disable-next-line: lightweight-tokens\n dialogRef, _elementRef, _dialog) {\n this.dialogRef = dialogRef;\n this._elementRef = _elementRef;\n this._dialog = _dialog;\n /** Default to \"button\" to prevents accidental form submits. */\n this.type = 'button';\n }\n ngOnInit() {\n if (!this.dialogRef) {\n // When this directive is included in a dialog via TemplateRef (rather than being\n // in a Component), the DialogRef isn't available via injection because embedded\n // views cannot be given a custom injector. Instead, we look up the DialogRef by\n // ID. This must occur in `onInit`, as the ID binding for the dialog container won't\n // be resolved at constructor time.\n this.dialogRef = getClosestDialog(this._elementRef, this._dialog.openDialogs);\n }\n }\n ngOnChanges(changes) {\n const proxiedChange = changes['_matDialogClose'] || changes['_matDialogCloseResult'];\n if (proxiedChange) {\n this.dialogResult = proxiedChange.currentValue;\n }\n }\n _onButtonClick(event) {\n // Determinate the focus origin using the click event, because using the FocusMonitor will\n // result in incorrect origins. Most of the time, close buttons will be auto focused in the\n // dialog, and therefore clicking the button won't result in a focus change. This means that\n // the FocusMonitor won't detect any origin change, and will always output `program`.\n _closeDialogVia(this.dialogRef, event.screenX === 0 && event.screenY === 0 ? 'keyboard' : 'mouse', this.dialogResult);\n }\n static {\n this.ɵfac = function MatDialogClose_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || MatDialogClose)(i0.ɵɵdirectiveInject(MatDialogRef, 8), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(MatDialog));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: MatDialogClose,\n selectors: [[\"\", \"mat-dialog-close\", \"\"], [\"\", \"matDialogClose\", \"\"]],\n hostVars: 2,\n hostBindings: function MatDialogClose_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"click\", function MatDialogClose_click_HostBindingHandler($event) {\n return ctx._onButtonClick($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"aria-label\", ctx.ariaLabel || null)(\"type\", ctx.type);\n }\n },\n inputs: {\n ariaLabel: [0, \"aria-label\", \"ariaLabel\"],\n type: \"type\",\n dialogResult: [0, \"mat-dialog-close\", \"dialogResult\"],\n _matDialogClose: [0, \"matDialogClose\", \"_matDialogClose\"]\n },\n exportAs: [\"matDialogClose\"],\n standalone: true,\n features: [i0.ɵɵNgOnChangesFeature]\n });\n }\n }\n return MatDialogClose;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet MatDialogLayoutSection = /*#__PURE__*/(() => {\n class MatDialogLayoutSection {\n constructor(\n // The dialog title directive is always used in combination with a `MatDialogRef`.\n // tslint:disable-next-line: lightweight-tokens\n _dialogRef, _elementRef, _dialog) {\n this._dialogRef = _dialogRef;\n this._elementRef = _elementRef;\n this._dialog = _dialog;\n }\n ngOnInit() {\n if (!this._dialogRef) {\n this._dialogRef = getClosestDialog(this._elementRef, this._dialog.openDialogs);\n }\n if (this._dialogRef) {\n Promise.resolve().then(() => {\n this._onAdd();\n });\n }\n }\n ngOnDestroy() {\n // Note: we null check because there are some internal\n // tests that are mocking out `MatDialogRef` incorrectly.\n const instance = this._dialogRef?._containerInstance;\n if (instance) {\n Promise.resolve().then(() => {\n this._onRemove();\n });\n }\n }\n static {\n this.ɵfac = function MatDialogLayoutSection_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || MatDialogLayoutSection)(i0.ɵɵdirectiveInject(MatDialogRef, 8), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(MatDialog));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: MatDialogLayoutSection,\n standalone: true\n });\n }\n }\n return MatDialogLayoutSection;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Title of a dialog element. Stays fixed to the top of the dialog when scrolling.\n */\nlet MatDialogTitle = /*#__PURE__*/(() => {\n class MatDialogTitle extends MatDialogLayoutSection {\n constructor() {\n super(...arguments);\n this.id = `mat-mdc-dialog-title-${dialogElementUid++}`;\n }\n _onAdd() {\n // Note: we null check the queue, because there are some internal\n // tests that are mocking out `MatDialogRef` incorrectly.\n this._dialogRef._containerInstance?._addAriaLabelledBy?.(this.id);\n }\n _onRemove() {\n this._dialogRef?._containerInstance?._removeAriaLabelledBy?.(this.id);\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵMatDialogTitle_BaseFactory;\n return function MatDialogTitle_Factory(__ngFactoryType__) {\n return (ɵMatDialogTitle_BaseFactory || (ɵMatDialogTitle_BaseFactory = i0.ɵɵgetInheritedFactory(MatDialogTitle)))(__ngFactoryType__ || MatDialogTitle);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: MatDialogTitle,\n selectors: [[\"\", \"mat-dialog-title\", \"\"], [\"\", \"matDialogTitle\", \"\"]],\n hostAttrs: [1, \"mat-mdc-dialog-title\", \"mdc-dialog__title\"],\n hostVars: 1,\n hostBindings: function MatDialogTitle_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵhostProperty(\"id\", ctx.id);\n }\n },\n inputs: {\n id: \"id\"\n },\n exportAs: [\"matDialogTitle\"],\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return MatDialogTitle;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Scrollable content container of a dialog.\n */\nlet MatDialogContent = /*#__PURE__*/(() => {\n class MatDialogContent {\n static {\n this.ɵfac = function MatDialogContent_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || MatDialogContent)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: MatDialogContent,\n selectors: [[\"\", \"mat-dialog-content\", \"\"], [\"mat-dialog-content\"], [\"\", \"matDialogContent\", \"\"]],\n hostAttrs: [1, \"mat-mdc-dialog-content\", \"mdc-dialog__content\"],\n standalone: true,\n features: [i0.ɵɵHostDirectivesFeature([i3.CdkScrollable])]\n });\n }\n }\n return MatDialogContent;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Container for the bottom action buttons in a dialog.\n * Stays fixed to the bottom when scrolling.\n */\nlet MatDialogActions = /*#__PURE__*/(() => {\n class MatDialogActions extends MatDialogLayoutSection {\n _onAdd() {\n this._dialogRef._containerInstance?._updateActionSectionCount?.(1);\n }\n _onRemove() {\n this._dialogRef._containerInstance?._updateActionSectionCount?.(-1);\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵMatDialogActions_BaseFactory;\n return function MatDialogActions_Factory(__ngFactoryType__) {\n return (ɵMatDialogActions_BaseFactory || (ɵMatDialogActions_BaseFactory = i0.ɵɵgetInheritedFactory(MatDialogActions)))(__ngFactoryType__ || MatDialogActions);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: MatDialogActions,\n selectors: [[\"\", \"mat-dialog-actions\", \"\"], [\"mat-dialog-actions\"], [\"\", \"matDialogActions\", \"\"]],\n hostAttrs: [1, \"mat-mdc-dialog-actions\", \"mdc-dialog__actions\"],\n hostVars: 6,\n hostBindings: function MatDialogActions_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"mat-mdc-dialog-actions-align-start\", ctx.align === \"start\")(\"mat-mdc-dialog-actions-align-center\", ctx.align === \"center\")(\"mat-mdc-dialog-actions-align-end\", ctx.align === \"end\");\n }\n },\n inputs: {\n align: \"align\"\n },\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return MatDialogActions;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Finds the closest MatDialogRef to an element by looking at the DOM.\n * @param element Element relative to which to look for a dialog.\n * @param openDialogs References to the currently-open dialogs.\n */\nfunction getClosestDialog(element, openDialogs) {\n let parent = element.nativeElement.parentElement;\n while (parent && !parent.classList.contains('mat-mdc-dialog-container')) {\n parent = parent.parentElement;\n }\n return parent ? openDialogs.find(dialog => dialog.id === parent.id) : null;\n}\nconst DIRECTIVES = [MatDialogContainer, MatDialogClose, MatDialogTitle, MatDialogActions, MatDialogContent];\nlet MatDialogModule = /*#__PURE__*/(() => {\n class MatDialogModule {\n static {\n this.ɵfac = function MatDialogModule_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || MatDialogModule)();\n };\n }\n static {\n this.ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: MatDialogModule\n });\n }\n static {\n this.ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({\n providers: [MatDialog],\n imports: [DialogModule, OverlayModule, PortalModule, MatCommonModule, MatCommonModule]\n });\n }\n }\n return MatDialogModule;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Default parameters for the animation for backwards compatibility.\n * @docs-private\n */\nconst _defaultParams = {\n params: {\n enterAnimationDuration: '150ms',\n exitAnimationDuration: '75ms'\n }\n};\n/**\n * Animations used by MatDialog.\n * @docs-private\n */\nconst matDialogAnimations = {\n /** Animation that is applied on the dialog container by default. */\n dialogContainer: /*#__PURE__*/trigger('dialogContainer', [\n /*#__PURE__*/\n // Note: The `enter` animation transitions to `transform: none`, because for some reason\n // specifying the transform explicitly, causes IE both to blur the dialog content and\n // decimate the animation performance. Leaving it as `none` solves both issues.\n state('void, exit', /*#__PURE__*/style({\n opacity: 0,\n transform: 'scale(0.7)'\n })), /*#__PURE__*/state('enter', /*#__PURE__*/style({\n transform: 'none'\n })), /*#__PURE__*/transition('* => enter', /*#__PURE__*/group([/*#__PURE__*/animate('{{enterAnimationDuration}} cubic-bezier(0, 0, 0.2, 1)', /*#__PURE__*/style({\n transform: 'none',\n opacity: 1\n })), /*#__PURE__*/query('@*', /*#__PURE__*/animateChild(), {\n optional: true\n })]), _defaultParams), /*#__PURE__*/transition('* => void, * => exit', /*#__PURE__*/group([/*#__PURE__*/animate('{{exitAnimationDuration}} cubic-bezier(0.4, 0.0, 0.2, 1)', /*#__PURE__*/style({\n opacity: 0\n })), /*#__PURE__*/query('@*', /*#__PURE__*/animateChild(), {\n optional: true\n })]), _defaultParams)])\n};\n\n/**\n * Generated bundle index. Do not edit.\n */\n\nexport { MAT_DIALOG_DATA, MAT_DIALOG_DEFAULT_OPTIONS, MAT_DIALOG_SCROLL_STRATEGY, MAT_DIALOG_SCROLL_STRATEGY_PROVIDER, MAT_DIALOG_SCROLL_STRATEGY_PROVIDER_FACTORY, MatDialog, MatDialogActions, MatDialogClose, MatDialogConfig, MatDialogContainer, MatDialogContent, MatDialogModule, MatDialogRef, MatDialogState, MatDialogTitle, _closeDialogVia, _defaultParams, matDialogAnimations };\n","import * as i0 from '@angular/core';\nimport { SecurityContext, Injectable, Optional, Inject, SkipSelf, ErrorHandler, InjectionToken, inject, booleanAttribute, Component, ViewEncapsulation, ChangeDetectionStrategy, Attribute, Input, NgModule } from '@angular/core';\nimport { MatCommonModule } from '@angular/material/core';\nimport { DOCUMENT } from '@angular/common';\nimport { of, throwError, forkJoin, Subscription } from 'rxjs';\nimport { tap, map, catchError, finalize, share, take } from 'rxjs/operators';\nimport * as i1 from '@angular/common/http';\nimport { HttpClient } from '@angular/common/http';\nimport * as i2 from '@angular/platform-browser';\nimport { DomSanitizer } from '@angular/platform-browser';\n\n/**\n * The Trusted Types policy, or null if Trusted Types are not\n * enabled/supported, or undefined if the policy has not been created yet.\n */\nconst _c0 = [\"*\"];\nlet policy;\n/**\n * Returns the Trusted Types policy, or null if Trusted Types are not\n * enabled/supported. The first call to this function will create the policy.\n */\nfunction getPolicy() {\n if (policy === undefined) {\n policy = null;\n if (typeof window !== 'undefined') {\n const ttWindow = window;\n if (ttWindow.trustedTypes !== undefined) {\n policy = ttWindow.trustedTypes.createPolicy('angular#components', {\n createHTML: s => s\n });\n }\n }\n }\n return policy;\n}\n/**\n * Unsafely promote a string to a TrustedHTML, falling back to strings when\n * Trusted Types are not available.\n * @security This is a security-sensitive function; any use of this function\n * must go through security review. In particular, it must be assured that the\n * provided string will never cause an XSS vulnerability if used in a context\n * that will be interpreted as HTML by a browser, e.g. when assigning to\n * element.innerHTML.\n */\nfunction trustedHTMLFromString(html) {\n return getPolicy()?.createHTML(html) || html;\n}\n\n/**\n * Returns an exception to be thrown in the case when attempting to\n * load an icon with a name that cannot be found.\n * @docs-private\n */\nfunction getMatIconNameNotFoundError(iconName) {\n return Error(`Unable to find icon with the name \"${iconName}\"`);\n}\n/**\n * Returns an exception to be thrown when the consumer attempts to use\n * `` without including @angular/common/http.\n * @docs-private\n */\nfunction getMatIconNoHttpProviderError() {\n return Error('Could not find HttpClient for use with Angular Material icons. ' + 'Please add provideHttpClient() to your providers.');\n}\n/**\n * Returns an exception to be thrown when a URL couldn't be sanitized.\n * @param url URL that was attempted to be sanitized.\n * @docs-private\n */\nfunction getMatIconFailedToSanitizeUrlError(url) {\n return Error(`The URL provided to MatIconRegistry was not trusted as a resource URL ` + `via Angular's DomSanitizer. Attempted URL was \"${url}\".`);\n}\n/**\n * Returns an exception to be thrown when a HTML string couldn't be sanitized.\n * @param literal HTML that was attempted to be sanitized.\n * @docs-private\n */\nfunction getMatIconFailedToSanitizeLiteralError(literal) {\n return Error(`The literal provided to MatIconRegistry was not trusted as safe HTML by ` + `Angular's DomSanitizer. Attempted literal was \"${literal}\".`);\n}\n/**\n * Configuration for an icon, including the URL and possibly the cached SVG element.\n * @docs-private\n */\nclass SvgIconConfig {\n constructor(url, svgText, options) {\n this.url = url;\n this.svgText = svgText;\n this.options = options;\n }\n}\n/**\n * Service to register and display icons used by the `` component.\n * - Registers icon URLs by namespace and name.\n * - Registers icon set URLs by namespace.\n * - Registers aliases for CSS classes, for use with icon fonts.\n * - Loads icons from URLs and extracts individual icons from icon sets.\n */\nlet MatIconRegistry = /*#__PURE__*/(() => {\n class MatIconRegistry {\n constructor(_httpClient, _sanitizer, document, _errorHandler) {\n this._httpClient = _httpClient;\n this._sanitizer = _sanitizer;\n this._errorHandler = _errorHandler;\n /**\n * URLs and cached SVG elements for individual icons. Keys are of the format \"[namespace]:[icon]\".\n */\n this._svgIconConfigs = new Map();\n /**\n * SvgIconConfig objects and cached SVG elements for icon sets, keyed by namespace.\n * Multiple icon sets can be registered under the same namespace.\n */\n this._iconSetConfigs = new Map();\n /** Cache for icons loaded by direct URLs. */\n this._cachedIconsByUrl = new Map();\n /** In-progress icon fetches. Used to coalesce multiple requests to the same URL. */\n this._inProgressUrlFetches = new Map();\n /** Map from font identifiers to their CSS class names. Used for icon fonts. */\n this._fontCssClassesByAlias = new Map();\n /** Registered icon resolver functions. */\n this._resolvers = [];\n /**\n * The CSS classes to apply when an `` component has no icon name, url, or font\n * specified. The default 'material-icons' value assumes that the material icon font has been\n * loaded as described at https://google.github.io/material-design-icons/#icon-font-for-the-web\n */\n this._defaultFontSetClass = ['material-icons', 'mat-ligature-font'];\n this._document = document;\n }\n /**\n * Registers an icon by URL in the default namespace.\n * @param iconName Name under which the icon should be registered.\n * @param url\n */\n addSvgIcon(iconName, url, options) {\n return this.addSvgIconInNamespace('', iconName, url, options);\n }\n /**\n * Registers an icon using an HTML string in the default namespace.\n * @param iconName Name under which the icon should be registered.\n * @param literal SVG source of the icon.\n */\n addSvgIconLiteral(iconName, literal, options) {\n return this.addSvgIconLiteralInNamespace('', iconName, literal, options);\n }\n /**\n * Registers an icon by URL in the specified namespace.\n * @param namespace Namespace in which the icon should be registered.\n * @param iconName Name under which the icon should be registered.\n * @param url\n */\n addSvgIconInNamespace(namespace, iconName, url, options) {\n return this._addSvgIconConfig(namespace, iconName, new SvgIconConfig(url, null, options));\n }\n /**\n * Registers an icon resolver function with the registry. The function will be invoked with the\n * name and namespace of an icon when the registry tries to resolve the URL from which to fetch\n * the icon. The resolver is expected to return a `SafeResourceUrl` that points to the icon,\n * an object with the icon URL and icon options, or `null` if the icon is not supported. Resolvers\n * will be invoked in the order in which they have been registered.\n * @param resolver Resolver function to be registered.\n */\n addSvgIconResolver(resolver) {\n this._resolvers.push(resolver);\n return this;\n }\n /**\n * Registers an icon using an HTML string in the specified namespace.\n * @param namespace Namespace in which the icon should be registered.\n * @param iconName Name under which the icon should be registered.\n * @param literal SVG source of the icon.\n */\n addSvgIconLiteralInNamespace(namespace, iconName, literal, options) {\n const cleanLiteral = this._sanitizer.sanitize(SecurityContext.HTML, literal);\n // TODO: add an ngDevMode check\n if (!cleanLiteral) {\n throw getMatIconFailedToSanitizeLiteralError(literal);\n }\n // Security: The literal is passed in as SafeHtml, and is thus trusted.\n const trustedLiteral = trustedHTMLFromString(cleanLiteral);\n return this._addSvgIconConfig(namespace, iconName, new SvgIconConfig('', trustedLiteral, options));\n }\n /**\n * Registers an icon set by URL in the default namespace.\n * @param url\n */\n addSvgIconSet(url, options) {\n return this.addSvgIconSetInNamespace('', url, options);\n }\n /**\n * Registers an icon set using an HTML string in the default namespace.\n * @param literal SVG source of the icon set.\n */\n addSvgIconSetLiteral(literal, options) {\n return this.addSvgIconSetLiteralInNamespace('', literal, options);\n }\n /**\n * Registers an icon set by URL in the specified namespace.\n * @param namespace Namespace in which to register the icon set.\n * @param url\n */\n addSvgIconSetInNamespace(namespace, url, options) {\n return this._addSvgIconSetConfig(namespace, new SvgIconConfig(url, null, options));\n }\n /**\n * Registers an icon set using an HTML string in the specified namespace.\n * @param namespace Namespace in which to register the icon set.\n * @param literal SVG source of the icon set.\n */\n addSvgIconSetLiteralInNamespace(namespace, literal, options) {\n const cleanLiteral = this._sanitizer.sanitize(SecurityContext.HTML, literal);\n if (!cleanLiteral) {\n throw getMatIconFailedToSanitizeLiteralError(literal);\n }\n // Security: The literal is passed in as SafeHtml, and is thus trusted.\n const trustedLiteral = trustedHTMLFromString(cleanLiteral);\n return this._addSvgIconSetConfig(namespace, new SvgIconConfig('', trustedLiteral, options));\n }\n /**\n * Defines an alias for CSS class names to be used for icon fonts. Creating an matIcon\n * component with the alias as the fontSet input will cause the class name to be applied\n * to the `` element.\n *\n * If the registered font is a ligature font, then don't forget to also include the special\n * class `mat-ligature-font` to allow the usage via attribute. So register like this:\n *\n * ```ts\n * iconRegistry.registerFontClassAlias('f1', 'font1 mat-ligature-font');\n * ```\n *\n * And use like this:\n *\n * ```html\n * \n * ```\n *\n * @param alias Alias for the font.\n * @param classNames Class names override to be used instead of the alias.\n */\n registerFontClassAlias(alias, classNames = alias) {\n this._fontCssClassesByAlias.set(alias, classNames);\n return this;\n }\n /**\n * Returns the CSS class name associated with the alias by a previous call to\n * registerFontClassAlias. If no CSS class has been associated, returns the alias unmodified.\n */\n classNameForFontAlias(alias) {\n return this._fontCssClassesByAlias.get(alias) || alias;\n }\n /**\n * Sets the CSS classes to be used for icon fonts when an `` component does not\n * have a fontSet input value, and is not loading an icon by name or URL.\n */\n setDefaultFontSetClass(...classNames) {\n this._defaultFontSetClass = classNames;\n return this;\n }\n /**\n * Returns the CSS classes to be used for icon fonts when an `` component does not\n * have a fontSet input value, and is not loading an icon by name or URL.\n */\n getDefaultFontSetClass() {\n return this._defaultFontSetClass;\n }\n /**\n * Returns an Observable that produces the icon (as an `` DOM element) from the given URL.\n * The response from the URL may be cached so this will not always cause an HTTP request, but\n * the produced element will always be a new copy of the originally fetched icon. (That is,\n * it will not contain any modifications made to elements previously returned).\n *\n * @param safeUrl URL from which to fetch the SVG icon.\n */\n getSvgIconFromUrl(safeUrl) {\n const url = this._sanitizer.sanitize(SecurityContext.RESOURCE_URL, safeUrl);\n if (!url) {\n throw getMatIconFailedToSanitizeUrlError(safeUrl);\n }\n const cachedIcon = this._cachedIconsByUrl.get(url);\n if (cachedIcon) {\n return of(cloneSvg(cachedIcon));\n }\n return this._loadSvgIconFromConfig(new SvgIconConfig(safeUrl, null)).pipe(tap(svg => this._cachedIconsByUrl.set(url, svg)), map(svg => cloneSvg(svg)));\n }\n /**\n * Returns an Observable that produces the icon (as an `` DOM element) with the given name\n * and namespace. The icon must have been previously registered with addIcon or addIconSet;\n * if not, the Observable will throw an error.\n *\n * @param name Name of the icon to be retrieved.\n * @param namespace Namespace in which to look for the icon.\n */\n getNamedSvgIcon(name, namespace = '') {\n const key = iconKey(namespace, name);\n let config = this._svgIconConfigs.get(key);\n // Return (copy of) cached icon if possible.\n if (config) {\n return this._getSvgFromConfig(config);\n }\n // Otherwise try to resolve the config from one of the resolver functions.\n config = this._getIconConfigFromResolvers(namespace, name);\n if (config) {\n this._svgIconConfigs.set(key, config);\n return this._getSvgFromConfig(config);\n }\n // See if we have any icon sets registered for the namespace.\n const iconSetConfigs = this._iconSetConfigs.get(namespace);\n if (iconSetConfigs) {\n return this._getSvgFromIconSetConfigs(name, iconSetConfigs);\n }\n return throwError(getMatIconNameNotFoundError(key));\n }\n ngOnDestroy() {\n this._resolvers = [];\n this._svgIconConfigs.clear();\n this._iconSetConfigs.clear();\n this._cachedIconsByUrl.clear();\n }\n /**\n * Returns the cached icon for a SvgIconConfig if available, or fetches it from its URL if not.\n */\n _getSvgFromConfig(config) {\n if (config.svgText) {\n // We already have the SVG element for this icon, return a copy.\n return of(cloneSvg(this._svgElementFromConfig(config)));\n } else {\n // Fetch the icon from the config's URL, cache it, and return a copy.\n return this._loadSvgIconFromConfig(config).pipe(map(svg => cloneSvg(svg)));\n }\n }\n /**\n * Attempts to find an icon with the specified name in any of the SVG icon sets.\n * First searches the available cached icons for a nested element with a matching name, and\n * if found copies the element to a new `` element. If not found, fetches all icon sets\n * that have not been cached, and searches again after all fetches are completed.\n * The returned Observable produces the SVG element if possible, and throws\n * an error if no icon with the specified name can be found.\n */\n _getSvgFromIconSetConfigs(name, iconSetConfigs) {\n // For all the icon set SVG elements we've fetched, see if any contain an icon with the\n // requested name.\n const namedIcon = this._extractIconWithNameFromAnySet(name, iconSetConfigs);\n if (namedIcon) {\n // We could cache namedIcon in _svgIconConfigs, but since we have to make a copy every\n // time anyway, there's probably not much advantage compared to just always extracting\n // it from the icon set.\n return of(namedIcon);\n }\n // Not found in any cached icon sets. If there are icon sets with URLs that we haven't\n // fetched, fetch them now and look for iconName in the results.\n const iconSetFetchRequests = iconSetConfigs.filter(iconSetConfig => !iconSetConfig.svgText).map(iconSetConfig => {\n return this._loadSvgIconSetFromConfig(iconSetConfig).pipe(catchError(err => {\n const url = this._sanitizer.sanitize(SecurityContext.RESOURCE_URL, iconSetConfig.url);\n // Swallow errors fetching individual URLs so the\n // combined Observable won't necessarily fail.\n const errorMessage = `Loading icon set URL: ${url} failed: ${err.message}`;\n this._errorHandler.handleError(new Error(errorMessage));\n return of(null);\n }));\n });\n // Fetch all the icon set URLs. When the requests complete, every IconSet should have a\n // cached SVG element (unless the request failed), and we can check again for the icon.\n return forkJoin(iconSetFetchRequests).pipe(map(() => {\n const foundIcon = this._extractIconWithNameFromAnySet(name, iconSetConfigs);\n // TODO: add an ngDevMode check\n if (!foundIcon) {\n throw getMatIconNameNotFoundError(name);\n }\n return foundIcon;\n }));\n }\n /**\n * Searches the cached SVG elements for the given icon sets for a nested icon element whose \"id\"\n * tag matches the specified name. If found, copies the nested element to a new SVG element and\n * returns it. Returns null if no matching element is found.\n */\n _extractIconWithNameFromAnySet(iconName, iconSetConfigs) {\n // Iterate backwards, so icon sets added later have precedence.\n for (let i = iconSetConfigs.length - 1; i >= 0; i--) {\n const config = iconSetConfigs[i];\n // Parsing the icon set's text into an SVG element can be expensive. We can avoid some of\n // the parsing by doing a quick check using `indexOf` to see if there's any chance for the\n // icon to be in the set. This won't be 100% accurate, but it should help us avoid at least\n // some of the parsing.\n if (config.svgText && config.svgText.toString().indexOf(iconName) > -1) {\n const svg = this._svgElementFromConfig(config);\n const foundIcon = this._extractSvgIconFromSet(svg, iconName, config.options);\n if (foundIcon) {\n return foundIcon;\n }\n }\n }\n return null;\n }\n /**\n * Loads the content of the icon URL specified in the SvgIconConfig and creates an SVG element\n * from it.\n */\n _loadSvgIconFromConfig(config) {\n return this._fetchIcon(config).pipe(tap(svgText => config.svgText = svgText), map(() => this._svgElementFromConfig(config)));\n }\n /**\n * Loads the content of the icon set URL specified in the\n * SvgIconConfig and attaches it to the config.\n */\n _loadSvgIconSetFromConfig(config) {\n if (config.svgText) {\n return of(null);\n }\n return this._fetchIcon(config).pipe(tap(svgText => config.svgText = svgText));\n }\n /**\n * Searches the cached element of the given SvgIconConfig for a nested icon element whose \"id\"\n * tag matches the specified name. If found, copies the nested element to a new SVG element and\n * returns it. Returns null if no matching element is found.\n */\n _extractSvgIconFromSet(iconSet, iconName, options) {\n // Use the `id=\"iconName\"` syntax in order to escape special\n // characters in the ID (versus using the #iconName syntax).\n const iconSource = iconSet.querySelector(`[id=\"${iconName}\"]`);\n if (!iconSource) {\n return null;\n }\n // Clone the element and remove the ID to prevent multiple elements from being added\n // to the page with the same ID.\n const iconElement = iconSource.cloneNode(true);\n iconElement.removeAttribute('id');\n // If the icon node is itself an node, clone and return it directly. If not, set it as\n // the content of a new node.\n if (iconElement.nodeName.toLowerCase() === 'svg') {\n return this._setSvgAttributes(iconElement, options);\n }\n // If the node is a , it won't be rendered so we have to convert it into . Note\n // that the same could be achieved by referring to it via , however the \n // tag is problematic on Firefox, because it needs to include the current page path.\n if (iconElement.nodeName.toLowerCase() === 'symbol') {\n return this._setSvgAttributes(this._toSvgElement(iconElement), options);\n }\n // createElement('SVG') doesn't work as expected; the DOM ends up with\n // the correct nodes, but the SVG content doesn't render. Instead we\n // have to create an empty SVG node using innerHTML and append its content.\n // Elements created using DOMParser.parseFromString have the same problem.\n // http://stackoverflow.com/questions/23003278/svg-innerhtml-in-firefox-can-not-display\n const svg = this._svgElementFromString(trustedHTMLFromString(''));\n // Clone the node so we don't remove it from the parent icon set element.\n svg.appendChild(iconElement);\n return this._setSvgAttributes(svg, options);\n }\n /**\n * Creates a DOM element from the given SVG string.\n */\n _svgElementFromString(str) {\n const div = this._document.createElement('DIV');\n div.innerHTML = str;\n const svg = div.querySelector('svg');\n // TODO: add an ngDevMode check\n if (!svg) {\n throw Error(' tag not found');\n }\n return svg;\n }\n /**\n * Converts an element into an SVG node by cloning all of its children.\n */\n _toSvgElement(element) {\n const svg = this._svgElementFromString(trustedHTMLFromString(''));\n const attributes = element.attributes;\n // Copy over all the attributes from the `symbol` to the new SVG, except the id.\n for (let i = 0; i < attributes.length; i++) {\n const {\n name,\n value\n } = attributes[i];\n if (name !== 'id') {\n svg.setAttribute(name, value);\n }\n }\n for (let i = 0; i < element.childNodes.length; i++) {\n if (element.childNodes[i].nodeType === this._document.ELEMENT_NODE) {\n svg.appendChild(element.childNodes[i].cloneNode(true));\n }\n }\n return svg;\n }\n /**\n * Sets the default attributes for an SVG element to be used as an icon.\n */\n _setSvgAttributes(svg, options) {\n svg.setAttribute('fit', '');\n svg.setAttribute('height', '100%');\n svg.setAttribute('width', '100%');\n svg.setAttribute('preserveAspectRatio', 'xMidYMid meet');\n svg.setAttribute('focusable', 'false'); // Disable IE11 default behavior to make SVGs focusable.\n if (options && options.viewBox) {\n svg.setAttribute('viewBox', options.viewBox);\n }\n return svg;\n }\n /**\n * Returns an Observable which produces the string contents of the given icon. Results may be\n * cached, so future calls with the same URL may not cause another HTTP request.\n */\n _fetchIcon(iconConfig) {\n const {\n url: safeUrl,\n options\n } = iconConfig;\n const withCredentials = options?.withCredentials ?? false;\n if (!this._httpClient) {\n throw getMatIconNoHttpProviderError();\n }\n // TODO: add an ngDevMode check\n if (safeUrl == null) {\n throw Error(`Cannot fetch icon from URL \"${safeUrl}\".`);\n }\n const url = this._sanitizer.sanitize(SecurityContext.RESOURCE_URL, safeUrl);\n // TODO: add an ngDevMode check\n if (!url) {\n throw getMatIconFailedToSanitizeUrlError(safeUrl);\n }\n // Store in-progress fetches to avoid sending a duplicate request for a URL when there is\n // already a request in progress for that URL. It's necessary to call share() on the\n // Observable returned by http.get() so that multiple subscribers don't cause multiple XHRs.\n const inProgressFetch = this._inProgressUrlFetches.get(url);\n if (inProgressFetch) {\n return inProgressFetch;\n }\n const req = this._httpClient.get(url, {\n responseType: 'text',\n withCredentials\n }).pipe(map(svg => {\n // Security: This SVG is fetched from a SafeResourceUrl, and is thus\n // trusted HTML.\n return trustedHTMLFromString(svg);\n }), finalize(() => this._inProgressUrlFetches.delete(url)), share());\n this._inProgressUrlFetches.set(url, req);\n return req;\n }\n /**\n * Registers an icon config by name in the specified namespace.\n * @param namespace Namespace in which to register the icon config.\n * @param iconName Name under which to register the config.\n * @param config Config to be registered.\n */\n _addSvgIconConfig(namespace, iconName, config) {\n this._svgIconConfigs.set(iconKey(namespace, iconName), config);\n return this;\n }\n /**\n * Registers an icon set config in the specified namespace.\n * @param namespace Namespace in which to register the icon config.\n * @param config Config to be registered.\n */\n _addSvgIconSetConfig(namespace, config) {\n const configNamespace = this._iconSetConfigs.get(namespace);\n if (configNamespace) {\n configNamespace.push(config);\n } else {\n this._iconSetConfigs.set(namespace, [config]);\n }\n return this;\n }\n /** Parses a config's text into an SVG element. */\n _svgElementFromConfig(config) {\n if (!config.svgElement) {\n const svg = this._svgElementFromString(config.svgText);\n this._setSvgAttributes(svg, config.options);\n config.svgElement = svg;\n }\n return config.svgElement;\n }\n /** Tries to create an icon config through the registered resolver functions. */\n _getIconConfigFromResolvers(namespace, name) {\n for (let i = 0; i < this._resolvers.length; i++) {\n const result = this._resolvers[i](name, namespace);\n if (result) {\n return isSafeUrlWithOptions(result) ? new SvgIconConfig(result.url, null, result.options) : new SvgIconConfig(result, null);\n }\n }\n return undefined;\n }\n static {\n this.ɵfac = function MatIconRegistry_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || MatIconRegistry)(i0.ɵɵinject(i1.HttpClient, 8), i0.ɵɵinject(i2.DomSanitizer), i0.ɵɵinject(DOCUMENT, 8), i0.ɵɵinject(i0.ErrorHandler));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: MatIconRegistry,\n factory: MatIconRegistry.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return MatIconRegistry;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/** @docs-private */\nfunction ICON_REGISTRY_PROVIDER_FACTORY(parentRegistry, httpClient, sanitizer, errorHandler, document) {\n return parentRegistry || new MatIconRegistry(httpClient, sanitizer, document, errorHandler);\n}\n/** @docs-private */\nconst ICON_REGISTRY_PROVIDER = {\n // If there is already an MatIconRegistry available, use that. Otherwise, provide a new one.\n provide: MatIconRegistry,\n deps: [[/*#__PURE__*/new Optional(), /*#__PURE__*/new SkipSelf(), MatIconRegistry], [/*#__PURE__*/new Optional(), HttpClient], DomSanitizer, ErrorHandler, [/*#__PURE__*/new Optional(), DOCUMENT]],\n useFactory: ICON_REGISTRY_PROVIDER_FACTORY\n};\n/** Clones an SVGElement while preserving type information. */\nfunction cloneSvg(svg) {\n return svg.cloneNode(true);\n}\n/** Returns the cache key to use for an icon namespace and name. */\nfunction iconKey(namespace, name) {\n return namespace + ':' + name;\n}\nfunction isSafeUrlWithOptions(value) {\n return !!(value.url && value.options);\n}\n\n/** Injection token to be used to override the default options for `mat-icon`. */\nconst MAT_ICON_DEFAULT_OPTIONS = /*#__PURE__*/new InjectionToken('MAT_ICON_DEFAULT_OPTIONS');\n/**\n * Injection token used to provide the current location to `MatIcon`.\n * Used to handle server-side rendering and to stub out during unit tests.\n * @docs-private\n */\nconst MAT_ICON_LOCATION = /*#__PURE__*/new InjectionToken('mat-icon-location', {\n providedIn: 'root',\n factory: MAT_ICON_LOCATION_FACTORY\n});\n/** @docs-private */\nfunction MAT_ICON_LOCATION_FACTORY() {\n const _document = inject(DOCUMENT);\n const _location = _document ? _document.location : null;\n return {\n // Note that this needs to be a function, rather than a property, because Angular\n // will only resolve it once, but we want the current path on each call.\n getPathname: () => _location ? _location.pathname + _location.search : ''\n };\n}\n/** SVG attributes that accept a FuncIRI (e.g. `url()`). */\nconst funcIriAttributes = ['clip-path', 'color-profile', 'src', 'cursor', 'fill', 'filter', 'marker', 'marker-start', 'marker-mid', 'marker-end', 'mask', 'stroke'];\n/** Selector that can be used to find all elements that are using a `FuncIRI`. */\nconst funcIriAttributeSelector = /*#__PURE__*/ /*#__PURE__*/funcIriAttributes.map(attr => `[${attr}]`).join(', ');\n/** Regex that can be used to extract the id out of a FuncIRI. */\nconst funcIriPattern = /^url\\(['\"]?#(.*?)['\"]?\\)$/;\n/**\n * Component to display an icon. It can be used in the following ways:\n *\n * - Specify the svgIcon input to load an SVG icon from a URL previously registered with the\n * addSvgIcon, addSvgIconInNamespace, addSvgIconSet, or addSvgIconSetInNamespace methods of\n * MatIconRegistry. If the svgIcon value contains a colon it is assumed to be in the format\n * \"[namespace]:[name]\", if not the value will be the name of an icon in the default namespace.\n * Examples:\n * `\n * `\n *\n * - Use a font ligature as an icon by putting the ligature text in the `fontIcon` attribute or the\n * content of the `` component. If you register a custom font class, don't forget to also\n * include the special class `mat-ligature-font`. It is recommended to use the attribute alternative\n * to prevent the ligature text to be selectable and to appear in search engine results.\n * By default, the Material icons font is used as described at\n * http://google.github.io/material-design-icons/#icon-font-for-the-web. You can specify an\n * alternate font by setting the fontSet input to either the CSS class to apply to use the\n * desired font, or to an alias previously registered with MatIconRegistry.registerFontClassAlias.\n * Examples:\n * `\n * home\n * \n * sun`\n *\n * - Specify a font glyph to be included via CSS rules by setting the fontSet input to specify the\n * font, and the fontIcon input to specify the icon. Typically the fontIcon will specify a\n * CSS class which causes the glyph to be displayed via a :before selector, as in\n * https://fontawesome-v4.github.io/examples/\n * Example:\n * ``\n */\nlet MatIcon = /*#__PURE__*/(() => {\n class MatIcon {\n /**\n * Theme color of the icon. This API is supported in M2 themes only, it\n * has no effect in M3 themes.\n *\n * For information on applying color variants in M3, see\n * https://material.angular.io/guide/theming#using-component-color-variants.\n */\n get color() {\n return this._color || this._defaultColor;\n }\n set color(value) {\n this._color = value;\n }\n /** Name of the icon in the SVG icon set. */\n get svgIcon() {\n return this._svgIcon;\n }\n set svgIcon(value) {\n if (value !== this._svgIcon) {\n if (value) {\n this._updateSvgIcon(value);\n } else if (this._svgIcon) {\n this._clearSvgElement();\n }\n this._svgIcon = value;\n }\n }\n /** Font set that the icon is a part of. */\n get fontSet() {\n return this._fontSet;\n }\n set fontSet(value) {\n const newValue = this._cleanupFontValue(value);\n if (newValue !== this._fontSet) {\n this._fontSet = newValue;\n this._updateFontIconClasses();\n }\n }\n /** Name of an icon within a font set. */\n get fontIcon() {\n return this._fontIcon;\n }\n set fontIcon(value) {\n const newValue = this._cleanupFontValue(value);\n if (newValue !== this._fontIcon) {\n this._fontIcon = newValue;\n this._updateFontIconClasses();\n }\n }\n constructor(_elementRef, _iconRegistry, ariaHidden, _location, _errorHandler, defaults) {\n this._elementRef = _elementRef;\n this._iconRegistry = _iconRegistry;\n this._location = _location;\n this._errorHandler = _errorHandler;\n /**\n * Whether the icon should be inlined, automatically sizing the icon to match the font size of\n * the element the icon is contained in.\n */\n this.inline = false;\n this._previousFontSetClass = [];\n /** Subscription to the current in-progress SVG icon request. */\n this._currentIconFetch = Subscription.EMPTY;\n if (defaults) {\n if (defaults.color) {\n this.color = this._defaultColor = defaults.color;\n }\n if (defaults.fontSet) {\n this.fontSet = defaults.fontSet;\n }\n }\n // If the user has not explicitly set aria-hidden, mark the icon as hidden, as this is\n // the right thing to do for the majority of icon use-cases.\n if (!ariaHidden) {\n _elementRef.nativeElement.setAttribute('aria-hidden', 'true');\n }\n }\n /**\n * Splits an svgIcon binding value into its icon set and icon name components.\n * Returns a 2-element array of [(icon set), (icon name)].\n * The separator for the two fields is ':'. If there is no separator, an empty\n * string is returned for the icon set and the entire value is returned for\n * the icon name. If the argument is falsy, returns an array of two empty strings.\n * Throws an error if the name contains two or more ':' separators.\n * Examples:\n * `'social:cake' -> ['social', 'cake']\n * 'penguin' -> ['', 'penguin']\n * null -> ['', '']\n * 'a:b:c' -> (throws Error)`\n */\n _splitIconName(iconName) {\n if (!iconName) {\n return ['', ''];\n }\n const parts = iconName.split(':');\n switch (parts.length) {\n case 1:\n return ['', parts[0]];\n // Use default namespace.\n case 2:\n return parts;\n default:\n throw Error(`Invalid icon name: \"${iconName}\"`);\n // TODO: add an ngDevMode check\n }\n }\n ngOnInit() {\n // Update font classes because ngOnChanges won't be called if none of the inputs are present,\n // e.g. arrow In this case we need to add a CSS class for the default font.\n this._updateFontIconClasses();\n }\n ngAfterViewChecked() {\n const cachedElements = this._elementsWithExternalReferences;\n if (cachedElements && cachedElements.size) {\n const newPath = this._location.getPathname();\n // We need to check whether the URL has changed on each change detection since\n // the browser doesn't have an API that will let us react on link clicks and\n // we can't depend on the Angular router. The references need to be updated,\n // because while most browsers don't care whether the URL is correct after\n // the first render, Safari will break if the user navigates to a different\n // page and the SVG isn't re-rendered.\n if (newPath !== this._previousPath) {\n this._previousPath = newPath;\n this._prependPathToReferences(newPath);\n }\n }\n }\n ngOnDestroy() {\n this._currentIconFetch.unsubscribe();\n if (this._elementsWithExternalReferences) {\n this._elementsWithExternalReferences.clear();\n }\n }\n _usingFontIcon() {\n return !this.svgIcon;\n }\n _setSvgElement(svg) {\n this._clearSvgElement();\n // Note: we do this fix here, rather than the icon registry, because the\n // references have to point to the URL at the time that the icon was created.\n const path = this._location.getPathname();\n this._previousPath = path;\n this._cacheChildrenWithExternalReferences(svg);\n this._prependPathToReferences(path);\n this._elementRef.nativeElement.appendChild(svg);\n }\n _clearSvgElement() {\n const layoutElement = this._elementRef.nativeElement;\n let childCount = layoutElement.childNodes.length;\n if (this._elementsWithExternalReferences) {\n this._elementsWithExternalReferences.clear();\n }\n // Remove existing non-element child nodes and SVGs, and add the new SVG element. Note that\n // we can't use innerHTML, because IE will throw if the element has a data binding.\n while (childCount--) {\n const child = layoutElement.childNodes[childCount];\n // 1 corresponds to Node.ELEMENT_NODE. We remove all non-element nodes in order to get rid\n // of any loose text nodes, as well as any SVG elements in order to remove any old icons.\n if (child.nodeType !== 1 || child.nodeName.toLowerCase() === 'svg') {\n child.remove();\n }\n }\n }\n _updateFontIconClasses() {\n if (!this._usingFontIcon()) {\n return;\n }\n const elem = this._elementRef.nativeElement;\n const fontSetClasses = (this.fontSet ? this._iconRegistry.classNameForFontAlias(this.fontSet).split(/ +/) : this._iconRegistry.getDefaultFontSetClass()).filter(className => className.length > 0);\n this._previousFontSetClass.forEach(className => elem.classList.remove(className));\n fontSetClasses.forEach(className => elem.classList.add(className));\n this._previousFontSetClass = fontSetClasses;\n if (this.fontIcon !== this._previousFontIconClass && !fontSetClasses.includes('mat-ligature-font')) {\n if (this._previousFontIconClass) {\n elem.classList.remove(this._previousFontIconClass);\n }\n if (this.fontIcon) {\n elem.classList.add(this.fontIcon);\n }\n this._previousFontIconClass = this.fontIcon;\n }\n }\n /**\n * Cleans up a value to be used as a fontIcon or fontSet.\n * Since the value ends up being assigned as a CSS class, we\n * have to trim the value and omit space-separated values.\n */\n _cleanupFontValue(value) {\n return typeof value === 'string' ? value.trim().split(' ')[0] : value;\n }\n /**\n * Prepends the current path to all elements that have an attribute pointing to a `FuncIRI`\n * reference. This is required because WebKit browsers require references to be prefixed with\n * the current path, if the page has a `base` tag.\n */\n _prependPathToReferences(path) {\n const elements = this._elementsWithExternalReferences;\n if (elements) {\n elements.forEach((attrs, element) => {\n attrs.forEach(attr => {\n element.setAttribute(attr.name, `url('${path}#${attr.value}')`);\n });\n });\n }\n }\n /**\n * Caches the children of an SVG element that have `url()`\n * references that we need to prefix with the current path.\n */\n _cacheChildrenWithExternalReferences(element) {\n const elementsWithFuncIri = element.querySelectorAll(funcIriAttributeSelector);\n const elements = this._elementsWithExternalReferences = this._elementsWithExternalReferences || new Map();\n for (let i = 0; i < elementsWithFuncIri.length; i++) {\n funcIriAttributes.forEach(attr => {\n const elementWithReference = elementsWithFuncIri[i];\n const value = elementWithReference.getAttribute(attr);\n const match = value ? value.match(funcIriPattern) : null;\n if (match) {\n let attributes = elements.get(elementWithReference);\n if (!attributes) {\n attributes = [];\n elements.set(elementWithReference, attributes);\n }\n attributes.push({\n name: attr,\n value: match[1]\n });\n }\n });\n }\n }\n /** Sets a new SVG icon with a particular name. */\n _updateSvgIcon(rawName) {\n this._svgNamespace = null;\n this._svgName = null;\n this._currentIconFetch.unsubscribe();\n if (rawName) {\n const [namespace, iconName] = this._splitIconName(rawName);\n if (namespace) {\n this._svgNamespace = namespace;\n }\n if (iconName) {\n this._svgName = iconName;\n }\n this._currentIconFetch = this._iconRegistry.getNamedSvgIcon(iconName, namespace).pipe(take(1)).subscribe(svg => this._setSvgElement(svg), err => {\n const errorMessage = `Error retrieving icon ${namespace}:${iconName}! ${err.message}`;\n this._errorHandler.handleError(new Error(errorMessage));\n });\n }\n }\n static {\n this.ɵfac = function MatIcon_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || MatIcon)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(MatIconRegistry), i0.ɵɵinjectAttribute('aria-hidden'), i0.ɵɵdirectiveInject(MAT_ICON_LOCATION), i0.ɵɵdirectiveInject(i0.ErrorHandler), i0.ɵɵdirectiveInject(MAT_ICON_DEFAULT_OPTIONS, 8));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: MatIcon,\n selectors: [[\"mat-icon\"]],\n hostAttrs: [\"role\", \"img\", 1, \"mat-icon\", \"notranslate\"],\n hostVars: 10,\n hostBindings: function MatIcon_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"data-mat-icon-type\", ctx._usingFontIcon() ? \"font\" : \"svg\")(\"data-mat-icon-name\", ctx._svgName || ctx.fontIcon)(\"data-mat-icon-namespace\", ctx._svgNamespace || ctx.fontSet)(\"fontIcon\", ctx._usingFontIcon() ? ctx.fontIcon : null);\n i0.ɵɵclassMap(ctx.color ? \"mat-\" + ctx.color : \"\");\n i0.ɵɵclassProp(\"mat-icon-inline\", ctx.inline)(\"mat-icon-no-color\", ctx.color !== \"primary\" && ctx.color !== \"accent\" && ctx.color !== \"warn\");\n }\n },\n inputs: {\n color: \"color\",\n inline: [2, \"inline\", \"inline\", booleanAttribute],\n svgIcon: \"svgIcon\",\n fontSet: \"fontSet\",\n fontIcon: \"fontIcon\"\n },\n exportAs: [\"matIcon\"],\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c0,\n decls: 1,\n vars: 0,\n template: function MatIcon_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵprojection(0);\n }\n },\n styles: [\"mat-icon,mat-icon.mat-primary,mat-icon.mat-accent,mat-icon.mat-warn{color:var(--mat-icon-color)}.mat-icon{-webkit-user-select:none;user-select:none;background-repeat:no-repeat;display:inline-block;fill:currentColor;height:24px;width:24px;overflow:hidden}.mat-icon.mat-icon-inline{font-size:inherit;height:inherit;line-height:inherit;width:inherit}.mat-icon.mat-ligature-font[fontIcon]::before{content:attr(fontIcon)}[dir=rtl] .mat-icon-rtl-mirror{transform:scale(-1, 1)}.mat-form-field:not(.mat-form-field-appearance-legacy) .mat-form-field-prefix .mat-icon,.mat-form-field:not(.mat-form-field-appearance-legacy) .mat-form-field-suffix .mat-icon{display:block}.mat-form-field:not(.mat-form-field-appearance-legacy) .mat-form-field-prefix .mat-icon-button .mat-icon,.mat-form-field:not(.mat-form-field-appearance-legacy) .mat-form-field-suffix .mat-icon-button .mat-icon{margin:auto}\"],\n encapsulation: 2,\n changeDetection: 0\n });\n }\n }\n return MatIcon;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet MatIconModule = /*#__PURE__*/(() => {\n class MatIconModule {\n static {\n this.ɵfac = function MatIconModule_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || MatIconModule)();\n };\n }\n static {\n this.ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: MatIconModule\n });\n }\n static {\n this.ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({\n imports: [MatCommonModule, MatCommonModule]\n });\n }\n }\n return MatIconModule;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Generated bundle index. Do not edit.\n */\n\nexport { ICON_REGISTRY_PROVIDER, ICON_REGISTRY_PROVIDER_FACTORY, MAT_ICON_DEFAULT_OPTIONS, MAT_ICON_LOCATION, MAT_ICON_LOCATION_FACTORY, MatIcon, MatIconModule, MatIconRegistry, getMatIconFailedToSanitizeLiteralError, getMatIconFailedToSanitizeUrlError, getMatIconNameNotFoundError, getMatIconNoHttpProviderError };\n","import { DatumEither, map, sequenceTuple } from \"@nll/datum/DatumEither\";\n\nimport { pipe } from \"fp-ts/es6/pipeable\";\nimport { Lens } from \"./Optics\";\n\n/**\n * Lens within a datumEither\n */\nexport const mapLens = (\n lens: Lens\n): Lens, DatumEither> =>\n new Lens(map(lens.get), (a) => (s) =>\n pipe(\n sequenceTuple(a, s),\n map(([o, d]) => lens.set(o)(d))\n )\n );\n","import { pipe } from \"fp-ts/es6/pipeable\";\nimport { Lens } from \"src/app/shared/utilities/state/Optics\";\nimport * as DE from \"@nll/datum/DatumEither\";\nimport { notNil } from \"@qqcw/qqsystem-util\";\nimport { GetProfileResponse } from \"src/app/core/services/myqq\";\n\nimport { MyQQState } from \"./myqq.models\";\nimport { mapLens } from \"src/app/shared/utilities/state/DatumEither\";\n\n/**\n * Lenses are functional getter/setters against a known data structure.\n * Here we use a helper function called 'fromProp' and give it an interface.\n * fromProp returns a function that takes a key from the interface and returns\n * a new lens for that key. In this example the personLens can take a MyQQState\n * object and get, set, or modify the value at the 'person' key without changing\n * the rest of the object.\n *\n * @example\n * // personLens has type Lens\n * const personLens = Lens.fromProp()('person');\n *\n * You use a lens in three ways:\n * 1. Get: personLens.get({ person: initial }) will return initial\n * 2. Set: personLens.set(pending)({ person: initial }) will return { person: pending }\n * 3. Modify:\n * personLens\n * .modify(person => isRefreshing(person) ? person : toRefresh(person))\n * ({ person: initial })\n * will return { person: pending }\n *\n * The real power in using lenses is that they are composable. If you have a lens from\n * MyQQState to person and a lens from DatumEither to personId you can\n * compose them:\n *\n * @example\n * const MyQQStateToPersonIdLens = personLens.composeOptional(personIdOptional);\n *\n * Here we used a special type of lens called an Optional. Since data might not be\n * populated, we might not have a personId yet, so an Optional lens signifies data\n * that may or may not exist. It has the same set, and modify methods but in the\n * case of get it instead has getOption, which returns an Option type.\n */\nconst myqqStateProps = Lens.fromProp();\n\n/**\n * Profile Helper Lenses\n */\ntype Membership = GetProfileResponse[\"membership\"];\n\n/**\n * Maps Valued to Valued if membership is non-null.\n * Otherwise it returns failure. This is a somewhat interesting pattern that should\n * be revisited later.\n */\nconst membershipL = new Lens<\n DE.DatumEither<{ error: string }, GetProfileResponse>,\n DE.DatumEither<{ error: string }, Membership>\n>(\n DE.chain((profile) =>\n notNil(profile.membership)\n ? DE.success(profile.membership)\n : DE.failure({ error: \"No membership exists on this account.\" })\n ),\n (membershipDE) => (profileDE) =>\n pipe(\n DE.sequenceTuple(membershipDE, profileDE),\n DE.map(([membership, profile]) => ({ ...profile, membership }))\n )\n);\nconst membershipProps = Lens.fromProp();\nconst accountL = membershipProps(\"account\");\nconst vehiclesL = membershipProps(\"vehicles\");\nconst activeCouponsL = membershipProps(\"activeCoupons\");\n\n/**\n * Selector Lenses\n */\nexport const initialLoadLens = myqqStateProps(\"initialLoad\");\n\nexport const accountInfoLens = myqqStateProps(\"accountInfo\");\nexport const profileLens = myqqStateProps(\"profile\");\nexport const membershipLens = profileLens.compose(membershipL);\nexport const accountLens = membershipLens.compose(mapLens(accountL));\nexport const newAccountLens = myqqStateProps(\"newAccount\");\nexport const updateAccountLens = myqqStateProps(\"updateAccount\");\nexport const vehiclesLens = membershipLens.compose(mapLens(vehiclesL));\nexport const couponsLens = membershipLens.compose(mapLens(activeCouponsL));\nexport const newGuestAccountLens = myqqStateProps(\"newGuestAccount\");\nexport const addGuestVehicleLens = myqqStateProps(\"addGuestVehicle\");\nexport const storesLens = myqqStateProps(\"stores\");\nexport const regionsLens = myqqStateProps(\"regions\");\nexport const subscriptionLens = myqqStateProps(\"subscription\");\nexport const ordersLens = myqqStateProps(\"orders\");\nexport const paymentMethodsLens = myqqStateProps(\"paymentMethods\");\nexport const priceTableLens = myqqStateProps(\"priceTable\");\nexport const postPaymentMethodLens = myqqStateProps(\"postPaymentMethod\");\nexport const payInvoiceLens = myqqStateProps(\"payInvoice\");\n\nexport const addVehicleLens = myqqStateProps(\"addVehicle\");\nexport const getVehiclesLens = myqqStateProps(\"getVehicles\");\nexport const editVehicleLens = myqqStateProps(\"editVehicle\");\nexport const removeVehicleLens = myqqStateProps(\"removeVehicle\");\n\nexport const accountLookupLens = myqqStateProps(\"accountLookupResponse\");\nexport const linkAccountLens = myqqStateProps(\"accountLinkResponse\");\n\nexport const getOrderByIdLens = myqqStateProps(\"getOrder\");\nexport const pendingOrderLens = myqqStateProps(\"pendingOrder\");\nexport const calculateOrderLens = myqqStateProps(\"calculateOrder\");\nexport const submitOrderLens = myqqStateProps(\"submitOrder\");\nexport const checkPromoCodeLens = myqqStateProps(\"checkPromo\");\nexport const modifySubscriptionPlanLens = myqqStateProps(\n \"modifySubscriptionPlan\"\n);\nexport const membershipPurchaseLens = myqqStateProps(\"membershipPurchase\");\nexport const promoDetailsLens = myqqStateProps(\"promoDetails\");\nexport const companyWidePromoDetailsLens = myqqStateProps(\n \"companyWidePromoDetails\"\n);\nexport const swapReasonsLens = myqqStateProps(\"swapReasons\");\nexport const accountQuotaLens = myqqStateProps(\"accountQuota\");\nexport const swapMembershipLens = myqqStateProps(\"swapMembership\");\nexport const editVehicleIdentifierLens = myqqStateProps(\n \"editVehicleIdentifier\"\n);\nexport const cancelMembershipLens = myqqStateProps(\"cancelMembership\");\nexport const checkEligibilityForRetentionOfferLens = myqqStateProps(\n \"checkEligibilityForRetentionOffer\"\n);\nexport const acceptRetentionOfferLens = myqqStateProps(\"acceptRetentionOffer\");\nexport const cancelReasonsLens = myqqStateProps(\"cancelReasons\");\nexport const b2bBenefitLens = myqqStateProps(\"b2bBenefit\");\nexport const linkB2CLens = myqqStateProps(\"linkB2C\");\n\n/**\n * Id Lenses\n */\nexport const getOrderIdLens = new Lens(\n (s: string) => s,\n (s) => (_) => s\n);\n\nexport const appMinVersionLens = myqqStateProps(\"appMinVersion\");\nexport const vehiclesOnOrderLens = myqqStateProps(\"vehiclesOnOrder\");\n\nexport const marketingContentLens = myqqStateProps(\"marketingContent\");\n","import * as O from \"fp-ts/es6/Option\";\nimport { v4 as uuid } from \"uuid\";\n\nimport { actionCreatorFactory } from \"src/app/shared/utilities/state/Actions\";\nimport * as DE from \"@nll/datum/DatumEither\";\nimport * as MS from \"src/app/core/services/myqq\";\nimport {\n asyncEntityFactory,\n asyncReducerFactory,\n caseFn,\n reducerDefaultFn,\n} from \"src/app/shared/utilities/state/Reducers\";\n\nimport {\n MyQQState,\n AddFlockOrder,\n RemoveFlockOrder,\n ChangeMembershipOrder,\n AddMembershipOrder,\n} from \"./myqq.models\";\nimport * as LS from \"./myqq.lenses\";\nimport { notNil, RequireSome } from \"@qqcw/qqsystem-util\";\nimport { ResultsPage } from \"src/app/shared/utilities/types\";\n\nexport const myqqFeatureKey = \"MYQQ\";\n\nexport const myqqAction = actionCreatorFactory(myqqFeatureKey);\n\nexport const INITIAL_STATE: MyQQState = {\n initialLoad: true,\n accountInfo: DE.initial,\n profile: DE.initial,\n stores: DE.initial,\n regions: DE.initial,\n subscription: DE.initial,\n orders: DE.initial,\n paymentMethods: DE.initial,\n priceTable: DE.initial,\n\n postPaymentMethod: DE.initial,\n payInvoice: DE.initial,\n\n getVehicles: DE.initial,\n addVehicle: DE.initial,\n editVehicle: DE.initial,\n removeVehicle: DE.initial,\n\n accountLookupResponse: DE.initial,\n accountLinkResponse: DE.initial,\n\n newAccount: DE.initial,\n updateAccount: DE.initial,\n newGuestAccount: DE.initial,\n addGuestVehicle: DE.initial,\n getOrder: {},\n\n pendingOrder: O.none,\n calculateOrder: DE.initial,\n submitOrder: DE.initial,\n checkPromo: DE.initial,\n modifySubscriptionPlan: null,\n membershipPurchase: O.none,\n\n promoDetails: DE.initial,\n companyWidePromoDetails: DE.initial,\n accountQuota: DE.initial,\n swapReasons: DE.initial,\n swapMembership: DE.initial,\n editVehicleIdentifier: DE.initial,\n cancelMembership: DE.initial,\n checkEligibilityForRetentionOffer: DE.initial,\n acceptRetentionOffer: DE.initial,\n cancelReasons: DE.initial,\n\n appMinVersion: DE.initial,\n vehiclesOnOrder: [],\n marketingContent: DE.initial,\n b2bBenefit: DE.initial,\n linkB2C: DE.initial,\n};\n/**\n * Track if this is the first route load. Used to handle redirects by InitialRouteGuard\n */\nexport const setInitialLoad = myqqAction.simple(\"SET_INITIAL_LOAD_FLAG\");\nconst setInitialLoadReducer = caseFn(\n setInitialLoad,\n LS.initialLoadLens.set(false)\n);\n/**\n * Get AccountInfo\n */\nexport const getAccountInfo = myqqAction.async(\n \"GET_ACCOUNT_INFO\"\n);\nconst getAccountInfoReducer = asyncReducerFactory(\n getAccountInfo,\n LS.accountInfoLens\n);\n\nexport const clearAccountInfo = myqqAction.simple(\n \"CLEAR_ACCOUNT_INFO\"\n);\n\nconst clearAccountInfoReducer = caseFn(\n clearAccountInfo,\n LS.accountInfoLens.set(DE.initial)\n);\n\n/**\n * Get Profile\n */\nexport const getProfile = myqqAction.async<\n { track: boolean } | null,\n MS.GetProfileResponse\n>(\"GET_PROFILE\");\nconst getProfileReducer = asyncReducerFactory(getProfile, LS.profileLens);\n\nexport const clearProfile = myqqAction.simple(\"CLEAR_PROFILE\");\nconst clearProfileReducer = caseFn(\n clearProfile,\n LS.accountLens.set(DE.initial)\n);\n\n/**\n * New Account\n */\nexport const newAccount = myqqAction.async(\n \"NEW_ACCOUNT\"\n);\nconst newAccountReducer = asyncReducerFactory(newAccount, LS.newAccountLens);\n\nexport const clearNewAccount = myqqAction.simple(\"CLEAR_NEW_ACCOUNT\");\nconst clearNewAccountReducer = caseFn(\n clearNewAccount,\n LS.newAccountLens.set(DE.initial)\n);\n\n/**\n * Update Account\n */\nexport const updateAccount = myqqAction.async(\n \"UPDATE_ACCOUNT\"\n);\nconst updateAccountReducer = asyncReducerFactory(\n updateAccount,\n LS.updateAccountLens\n);\n\nexport const clearUpdateAccount = myqqAction.simple(\"CLEAR_UPDATE_ACCOUNT\");\nconst clearUpdateAccountReducer = caseFn(\n clearUpdateAccount,\n LS.updateAccountLens.set(DE.initial)\n);\n\n/**\n * New Guest Account\n */\nexport const newGuestAccount = myqqAction.async(\n \"NEW_GUEST_ACCOUNT\"\n);\nconst newGuestAccountReducer = asyncReducerFactory(\n newGuestAccount,\n LS.newGuestAccountLens\n);\n\nexport const clearGuestNewAccount = myqqAction.simple(\n \"CLEAR_GUEST_NEW_ACCOUNT\"\n);\nconst clearGuestNewAccountReducer = caseFn(\n clearGuestNewAccount,\n LS.newGuestAccountLens.set(DE.initial)\n);\n\n/**\n * New Guest Vehicle\n */\nexport const addGuestVehicle = myqqAction.async(\n \"NEW_GUEST_VEHICLE\"\n);\nconst addGuestVehicleReducer = asyncReducerFactory(\n addGuestVehicle,\n LS.addGuestVehicleLens\n);\n\nexport const clearAddGuestVehicle = myqqAction.simple(\n \"CLEAR_NEW_GUEST_VEHICLE\"\n);\nconst clearAddGuestVehicleReducer = caseFn(\n clearAddGuestVehicle,\n LS.addGuestVehicleLens.set(DE.initial)\n);\n\n/**\n * Get All Regions\n */\nexport const getAllRegions = myqqAction.async(\n \"GET_ALL_REGIONS\"\n);\nconst getAllRegionsReducer = asyncReducerFactory(getAllRegions, LS.regionsLens);\n\n/**\n * Add Vehicle\n */\nexport const getVehicles = myqqAction.async(\"GET_VEHICLES\");\nconst getVehiclesReducer = asyncReducerFactory(getVehicles, LS.getVehiclesLens);\n\nexport const addVehicle = myqqAction.async, MS.Vehicle>(\n \"ADD_VEHICLE\"\n);\nconst addVehicleReducer = asyncReducerFactory(addVehicle, LS.addVehicleLens);\n// Adds vehicle to vehicles cache on add success (instead of chaining another call)\n// const addVehicleSuccessReducer = caseFn(\n// addVehicle.success,\n// (state: MyQQState, { value: { result } }) =>\n// LS.vehiclesLens.modify(DE.map((vs) => vs.concat(result)))(state)\n// );\nexport const clearAddVehicle = myqqAction.simple(\"CLEAR_ADD_VEHICLE\");\nconst clearAddVehicleReducer = caseFn(\n clearAddVehicle,\n LS.addVehicleLens.set(DE.initial)\n);\n/**\n * Edit Vehicle\n */\nexport const editVehicle = myqqAction.async(\n \"EDIT_VEHICLE\"\n);\nconst editVehicleReducer = asyncReducerFactory(editVehicle, LS.editVehicleLens);\n\nexport const clearEditVehicle = myqqAction.simple(\"CLEAR_EDIT_VEHICLE\");\nconst clearEditVehicleReducer = caseFn(\n clearEditVehicle,\n LS.editVehicleLens.set(DE.initial)\n);\n\n/**\n * Remove Vehicle\n */\nexport const removeVehicle = myqqAction.async(\n \"REMOVE_VEHICLE\"\n);\nconst removeVehicleReduce = asyncReducerFactory(\n removeVehicle,\n LS.removeVehicleLens\n);\n\n/**\n * Clear post/put calls for vehicle\n */\nexport const clearVehiclePostPut = myqqAction.simple(\"CLEAR_VEHICLE_POST_PUT\");\nconst clearVehiclePostPutReducer = caseFn(\n clearVehiclePostPut,\n (state: MyQQState) => ({\n ...state,\n addVehicle: DE.initial,\n editVehicle: DE.initial,\n })\n);\n\n/**\n * Get Orders By Person Id\n */\nexport const getMyOrders = myqqAction.async(\n \"GET_ORDERS_BY_PERSON_ID\"\n);\nconst getMyOrdersReducer = asyncReducerFactory(getMyOrders, LS.ordersLens);\n\n/**\n * Get Order\n */\nexport const getOrderById = myqqAction.async(\"GET_ORDER\");\nconst getOrderByIdReducer = asyncEntityFactory(\n getOrderById,\n LS.getOrderByIdLens,\n LS.getOrderIdLens\n);\n\n/**\n * Get Payment Methods By Person Id\n */\nexport const getMyPaymentMethods = myqqAction.async<\n void,\n MS.CustomerPaymentMethod[]\n>(\"GET_PAYMENT_METHODS\");\nconst getMyPaymentMethodsReducer = asyncReducerFactory(\n getMyPaymentMethods,\n LS.paymentMethodsLens\n);\n\n/**\n * Account Linking Calls\n */\nexport const accountLookup = myqqAction.async<\n MS.AccountCheckRequest,\n MS.AccountCheckResponse\n>(\"ACCOUNT_LOOKUP\");\nconst accountLookupReducer = asyncReducerFactory(\n accountLookup,\n LS.accountLookupLens\n);\n\nexport const accountLookupLast4Plate = myqqAction.async<\n MS.AccountCheckLast4PlateRequest,\n MS.AccountCheckResponse\n>(\"ACCOUNT_LOOKUP_LAST4\");\nconst accountLookupLast4PlateReducer = asyncReducerFactory(\n accountLookupLast4Plate,\n LS.accountLookupLens\n);\n\nexport const clearAccountLookup = myqqAction.simple(\"CLEAR_ACCOUNT_LOOKUP\");\nconst clearAccountLookupReducer = caseFn(\n clearAccountLookup,\n LS.accountLookupLens.set(DE.initial)\n);\n\nexport const accountRelink = myqqAction.async(\n \"ACCOUNT_RELINK\"\n);\nconst accountRelinkReducer = asyncReducerFactory(\n accountRelink,\n LS.linkAccountLens\n);\n\nexport const accountLink = myqqAction.async(\n \"ACCOUNT_LINK\"\n);\nconst accountLinkReducer = asyncReducerFactory(accountLink, LS.linkAccountLens);\n\nexport const getAllStores = myqqAction.async(\n \"GET_ALL_STORES\"\n);\nconst getAllStoresReducer = asyncReducerFactory(getAllStores, LS.storesLens);\n\n/**\n * Pricing Endpoint\n */\nexport const getPriceTable = myqqAction.async(\n \"PRICE_TABLE_LOOKUP\"\n);\nconst getPriceTableReducer = asyncReducerFactory(\n getPriceTable,\n LS.priceTableLens\n);\n\nexport const getPriceTableByZip = myqqAction.async(\n \"PRICE_TABLE_LOOKUP_BY_ZIP\"\n);\nconst getPriceTableByZipReducer = asyncReducerFactory(\n getPriceTableByZip,\n LS.priceTableLens\n);\n\nexport const clearPriceTable = myqqAction.simple(\"CLEAR_PRICE_TABLE_LOOKUP\");\nconst clearPriceTableByZipReducer = caseFn(\n clearPriceTable,\n LS.priceTableLens.set(DE.initial)\n);\n\n/**\n * Order Calculate\n */\nexport const calculateOrder = myqqAction.async<\n MS.PostCalculateOrderRequest,\n MS.PostCalculateOrderResponse\n>(\"CALCULATE_ORDER\");\nconst calculateOrderReducer = asyncReducerFactory(\n calculateOrder,\n LS.calculateOrderLens\n);\n\n/**\n * Order Submt\n */\nexport const submitOrder = myqqAction.async<\n MS.PostSubmitOrderRequest,\n MS.PostSubmitOrderResponse\n>(\"SUBMIT_ORDER\");\nconst submitOrderReducer = asyncReducerFactory(submitOrder, LS.submitOrderLens);\n\n/**\n * Clear submit order\n */\nexport const clearSubmitOrder = myqqAction.simple(\"CLEAR_SUBMIT_ORDER\");\nconst clearSubmitOrderReducer = caseFn(\n clearSubmitOrder,\n LS.submitOrderLens.set(DE.initial)\n);\n\n/**\n * Clear submit order and generate newOrderId for new order\n */\nexport const clearSubmitOrderAndGenerateNewOrderId = myqqAction.simple(\n \"CLEAR_SUBMIT_ORDER_GENERATE_NEW_ID\"\n);\nconst clearSubmitOrderAndGenerateNewOrderIdReducer = caseFn(\n clearSubmitOrderAndGenerateNewOrderId,\n (s: MyQQState) => ({\n ...s,\n pendingOrder: O.isSome(s.pendingOrder)\n ? O.some({ ...s.pendingOrder.value, orderId: uuid() })\n : O.none,\n submitOrder: DE.initial,\n })\n);\n\n/**\n * Clear Order Slices\n */\nexport const clearOrderProgress = myqqAction.simple(\"CLEAR_ORDER\");\nconst clearOrderProgressReducer = caseFn(\n clearOrderProgress,\n (s: MyQQState) => ({\n ...s,\n pendingOrder: O.none,\n calculateOrder: DE.initial,\n submitOrder: DE.initial,\n })\n);\n\n/**\n * Get Subscriptions By Person Id\n */\nexport const getMySubscriptions = myqqAction.async<\n void,\n MS.GetSubscriptionResponse\n>(\"GET_SUBSCRIPTION\");\nconst getMySubscriptionReducer = asyncReducerFactory(\n getMySubscriptions,\n LS.subscriptionLens\n);\n// This is used to clear subscription for return to membership after purchase\nexport const clearMySubscription = myqqAction.simple(\"CLEAR_SUBSCRIPTION\");\nconst clearMySubscriptionReducer = caseFn(\n clearMySubscription,\n LS.subscriptionLens.set(DE.initial)\n);\n\n/**\n * Add Payment Method\n */\nexport const postPaymentMethod = myqqAction.async<\n string,\n [MS.CustomerPaymentMethod]\n>(\"POST_PAYMENT_METHOD\");\nconst postPaymentMethodReducer = asyncReducerFactory(\n postPaymentMethod,\n LS.postPaymentMethodLens\n);\n\nexport const clearPostPaymentMethod = myqqAction.simple(\n \"CLEAR_POST_PAYMENT_METHOD\"\n);\nconst clearPostPaymentMethodReducer = caseFn(\n clearPostPaymentMethod,\n LS.postPaymentMethodLens.set(DE.initial)\n);\n\n/**\n * Pending Order actions\n *\n * Helper actions for set/clear pending Order, Promo Code, and Payment Method\n */\nexport const setPendingOrder = myqqAction.simple<\n RequireSome\n>(\"SET_PENDING_ORDER\");\nconst setPendingOrderReducer = caseFn(\n setPendingOrder,\n (s: MyQQState, { value }) =>\n // Populate pending order with a new orderId (if necessary) and a customerId if we have one\n LS.pendingOrderLens.set(\n O.some({\n ...value,\n submissionAt: new Date().toISOString(), // TODO REMOVE\n orderId: notNil(value.orderId) ? value.orderId : uuid(),\n customerId: DE.isSuccess(s.profile)\n ? s.profile.value.right.membership?.account.personId\n : DE.isSuccess(s.accountInfo)\n ? s.accountInfo.value.right.profile.info.qsysAccount\n : null,\n })\n )(s)\n);\n\nexport const clearPendingOrder = myqqAction.simple(\"CLEAR_PENDING_ORDER\");\nconst clearPendingOrderReducer = caseFn(\n clearPendingOrder,\n LS.pendingOrderLens.set(O.none)\n);\n\n/**\n * Pending Order actions\n *\n * Helper actions for set/clear pending Order, Promo Code, and Payment Method\n */\nexport const setModifySubscriptionPlan = myqqAction.simple(\n \"SET_MODIFY_SUBSCRIPTION_TYPE\"\n);\nconst setModifySubscriptionPlanReducer = caseFn(\n setModifySubscriptionPlan,\n (currentState: MyQQState, { value }) =>\n LS.modifySubscriptionPlanLens.set(value)(currentState)\n);\n\nexport const clearModifySubscriptionPlan = myqqAction.simple(\n \"CLEAR_MODIFY_SUBSCRIPTION_TYPE\"\n);\nconst clearModifySubscriptionPlanReducer = caseFn(\n clearModifySubscriptionPlan,\n LS.modifySubscriptionPlanLens.set(null)\n);\n\nexport const setMembershipPurchase = myqqAction.simple<\n O.Option\n>(\"SET_MEMBERSHIP_PURCHASE\");\nconst setMembershipPurchaseReducer = caseFn(\n setMembershipPurchase,\n (currentState: MyQQState, { value }) =>\n LS.membershipPurchaseLens.set(value)(currentState)\n);\n\nexport const clearMembershipPurchase = myqqAction.simple(\n \"CLEAR_MEMBERSHIP_PURCHASE\"\n);\nconst clearMembershipPurchaseReducer = caseFn(\n clearMembershipPurchase,\n LS.membershipPurchaseLens.set(O.none)\n);\n\nexport const setPaymentMethod = myqqAction.simple(\n \"SET_PAYMENT_METHOD\"\n);\nconst setPaymentMethodReducer = caseFn(\n setPaymentMethod,\n (s: MyQQState, { value }) =>\n LS.pendingOrderLens.modify(\n O.map((order) => ({ ...order, payments: [value] }))\n )(s)\n);\n\nexport const clearPaymentMethod = myqqAction.simple(\"CLEAR_PAYMENT_METHOD\");\nconst clearPaymentMethodReducer = caseFn(\n clearPaymentMethod,\n LS.pendingOrderLens.modify(O.map((order) => ({ ...order, payments: [] })))\n);\n\nexport const setPendingOrderPromoCode = myqqAction.simple<\n Partial\n>(\"SET_PENDING_ORDER_PROMO_CODE\");\nconst setPendingPromoCodeReducer = caseFn(\n setPendingOrderPromoCode,\n (s: MyQQState, { value }) =>\n LS.pendingOrderLens.modify(\n O.map((order) => ({ ...order, markDowns: [value] }))\n )(s)\n);\n\nexport const clearPromoCode = myqqAction.simple(\"CLEAR_PROMO_CODE\");\nconst clearPromoCodeReducer = caseFn(\n clearPromoCode,\n LS.pendingOrderLens.modify(\n O.map((order) => ({ ...order, waiveUpgradeFee: false, markDowns: [] }))\n )\n);\n\nexport const setOrderReason = myqqAction.simple(\"SET_ORDER_REASON\");\nconst setOrderReasonReducer = caseFn(\n setOrderReason,\n (s: MyQQState, { value }) =>\n LS.pendingOrderLens.modify(\n O.map((order) => ({ ...order, createReasonCode: value }))\n )(s)\n);\n\n/**\n * Order Builder Actions\n * These actions are chained to setPendingOrder actions via chain effects\n * in myqq.chains.ts\n */\nexport const addFlockOrder = myqqAction.simple(\"ADD_FLOCK\");\nexport const removeFlockOrder = myqqAction.simple(\n \"REMOVE_FLOCK\"\n);\nexport const changeMembershipOrder = myqqAction.simple(\n \"CHANGE_MEMBERSHIP\"\n);\nexport const addMembershipOrder = myqqAction.simple(\n \"ADD_MEMBERSHIP\"\n);\n\n/**\n * Promo code check\n */\nexport const checkPromoCode = myqqAction.async(\n \"CHECK_PROMO_CODE\"\n);\nconst checkPromoCodeReducer = asyncReducerFactory(\n checkPromoCode,\n LS.checkPromoCodeLens\n);\n\n/**\n * Pay Invoice\n */\nexport interface PayFailedInvoice {\n paymentMethodId: string;\n invoiceId: string;\n}\n\nexport const payFailedInvoice = myqqAction.async<\n PayFailedInvoice,\n MS.PayInvoiceResponse\n>(\"PAY_FAILED_INVOICE\");\nconst payInvoiceReducer = asyncReducerFactory(\n payFailedInvoice,\n LS.payInvoiceLens\n);\n\nexport const clearPayFailedInvoice = myqqAction.simple(\n \"CLEAR_PAY_FAILED_INVOICE\"\n);\nconst clearPayFailedInvoiceReducer = caseFn(\n clearPayFailedInvoice,\n LS.payInvoiceLens.set(DE.initial)\n);\n\nexport const getPromoDetails = myqqAction.async(\n \"PROMO_DETAILS\"\n);\nconst getPromoDetailsReducer = asyncReducerFactory(\n getPromoDetails,\n LS.promoDetailsLens\n);\n\nexport const getCompanyWidePromoDetails = myqqAction.async<\n null,\n MS.PromoDetails\n>(\"COMPANY_WIDE_PROMO_CODE\");\nconst getCompanyWidePromoDetailsReducer = asyncReducerFactory(\n getCompanyWidePromoDetails,\n LS.companyWidePromoDetailsLens\n);\n\nexport const emptyPromoDetails = myqqAction.simple(\"CLEAR_PROMO_DETAILS\");\nconst emptyPromoDetailsReducer = caseFn(\n emptyPromoDetails,\n LS.promoDetailsLens.set(DE.success({} as MS.PromoDetails))\n);\n\nexport const clearFailedPromoCheck = myqqAction.simple(\n \"CLEAR_FAILED_PROMO_CHECK\"\n);\nconst clearFailedPromoCheckReducer = caseFn(\n clearFailedPromoCheck,\n LS.checkPromoCodeLens.set(DE.initial)\n);\n\n/**\n * Swap membership or edit license plate or VIN\n */\nexport const getAccountQuota = myqqAction.async(\n \"GET_ACCOUNT_QUOTA\"\n);\nconst getAccountQuotaReducer = asyncReducerFactory(\n getAccountQuota,\n LS.accountQuotaLens\n);\n\nexport const clearAccountQuota = myqqAction.simple(\"CLEAR_ACCOUNT_QUOTA\");\nconst clearAccountQuotaReducer = caseFn(\n clearAccountQuota,\n LS.accountQuotaLens.set(DE.initial)\n);\n\nexport const getSwapReasons = myqqAction.async(\n \"GET_SWAP_REASONS\"\n);\nconst getSwapReasonsReducer = asyncReducerFactory(\n getSwapReasons,\n LS.swapReasonsLens\n);\n\nexport const swapMembership = myqqAction.async<\n MS.VehicleSwapRequest,\n MS.VehicleSwapResponse\n>(\"SWAP_MEMBERSHIP\");\nconst swapMembershipReducer = asyncReducerFactory(\n swapMembership,\n LS.swapMembershipLens\n);\n\nexport const clearSwapMembership = myqqAction.simple(\"CLEAR_SWAP_MEMBERSHIP\");\nconst clearSwapMembershipReducer = caseFn(\n clearSwapMembership,\n LS.swapMembershipLens.set(DE.initial)\n);\n\nexport const editVehicleIdentifier = myqqAction.async(\n \"EDIT_VEHICLE_IDENTIFIER\"\n);\nconst editVehicleIdentifierReducer = asyncReducerFactory(\n editVehicleIdentifier,\n LS.editVehicleIdentifierLens\n);\n\nexport const clearEditVehicleIdentifier = myqqAction.simple(\n \"CLEAR_EDIT_VEHICLE_IDENTIFIER\"\n);\nconst clearEditVehicleIdentifierReducer = caseFn(\n clearEditVehicleIdentifier,\n LS.editVehicleIdentifierLens.set(DE.initial)\n);\n\n/**\n * Cancel Membership\n */\nexport const cancelMembership = myqqAction.async<\n MS.CancelMembershipRequest,\n MS.CancelMembershipResponse\n>(\"CANCEL_MEMBERSHIP\");\nconst cancelMembershipReducer = asyncReducerFactory(\n cancelMembership,\n LS.cancelMembershipLens\n);\n\nexport const clearCancelMembership = myqqAction.simple(\n \"CLEAR_CANCEL_MEMBERSHIP\"\n);\nconst clearCancelMembershipReducer = caseFn(\n clearCancelMembership,\n LS.cancelMembershipLens.set(DE.initial)\n);\n\nexport const checkEligibilityForRetentionOffer = myqqAction.async<\n number,\n MS.CheckEligibilityForRetentionOfferResponse\n>(\"CHECK_ELIGIBILITY_FOR_RETENTION_OFFER\");\n\nconst checkEligibilityForRetentionOfferReducer = asyncReducerFactory(\n checkEligibilityForRetentionOffer,\n LS.checkEligibilityForRetentionOfferLens\n);\n\nexport const clearCheckEligibilityForRetentionOffer = myqqAction.simple(\n \"CLEAR_CHECK_ELIGIBILITY_FOR_RETENTION_OFFER\"\n);\nconst clearCheckEligibilityForRetentionOfferReducer = caseFn(\n clearCheckEligibilityForRetentionOffer,\n LS.checkEligibilityForRetentionOfferLens.set(DE.initial)\n);\n\nexport const acceptRetentionOffer = myqqAction.async<\n null,\n MS.AcceptRetentionOfferResponse\n>(\"ACCEPT_RETENTION_OFFER\");\nconst acceptRetentionOfferReducer = asyncReducerFactory(\n acceptRetentionOffer,\n LS.acceptRetentionOfferLens\n);\n\nexport const getCancelReasons = myqqAction.async(\n \"GET_CANCEL_REASONS\"\n);\nconst getCancelReasonsReducer = asyncReducerFactory(\n getCancelReasons,\n LS.cancelReasonsLens\n);\n\nexport const getAppMinVersion = myqqAction.async(\n \"GET_APP_MIN_VERSION\"\n);\nconst getAppMinVersionReducer = asyncReducerFactory(\n getAppMinVersion,\n LS.appMinVersionLens\n);\n\nexport const setVehiclesOnOrder = myqqAction.simple(\n \"SET_VEHICLES_ON_ORDER\"\n);\nconst setVehiclesOnOrderReducer = caseFn(\n setVehiclesOnOrder,\n (s: MyQQState, { value }) => LS.vehiclesOnOrderLens.set(value)(s)\n);\n\nexport const getMarketingContent = myqqAction.async<\n null,\n MS.MarketingContent[]\n>(\"GET_MARKETING_CONTENT\");\nconst getMarketingContentReducer = asyncReducerFactory(\n getMarketingContent,\n LS.marketingContentLens\n);\n\n/**\n * B2B\n */\n\nexport const getB2bBenefit = myqqAction.async(\n \"GET_B2B_BENEFIT\"\n);\nconst getB2bReducer = asyncReducerFactory(getB2bBenefit, LS.b2bBenefitLens);\n\nexport const linkB2C = myqqAction.async<\n MS.LinkB2CAccountRequest,\n MS.LinkB2CAccountResponse\n>(\"LINK_B2C\");\nconst linkB2CReducer = asyncReducerFactory(linkB2C, LS.linkB2CLens);\n\n/**\n * MyQQ Reducer\n *\n * This composes all of the individual reducers with each other.\n */\n\nexport const myqqReducer = reducerDefaultFn(\n INITIAL_STATE,\n setInitialLoadReducer,\n\n getAccountInfoReducer,\n clearAccountInfoReducer,\n getProfileReducer,\n clearProfileReducer,\n newAccountReducer,\n clearNewAccountReducer,\n updateAccountReducer,\n clearUpdateAccountReducer,\n clearAccountLookupReducer,\n newGuestAccountReducer,\n clearGuestNewAccountReducer,\n addGuestVehicleReducer,\n clearAddGuestVehicleReducer,\n getAllRegionsReducer,\n\n getMyOrdersReducer,\n getMyPaymentMethodsReducer,\n getMySubscriptionReducer,\n clearMySubscriptionReducer,\n getPriceTableReducer,\n getPriceTableByZipReducer,\n clearPriceTableByZipReducer,\n\n postPaymentMethodReducer,\n clearPostPaymentMethodReducer,\n payInvoiceReducer,\n clearPayFailedInvoiceReducer,\n\n getVehiclesReducer,\n addVehicleReducer,\n editVehicleReducer,\n clearAddVehicleReducer,\n clearEditVehicleReducer,\n removeVehicleReduce,\n\n clearVehiclePostPutReducer,\n accountLookupReducer,\n accountLookupLast4PlateReducer,\n accountLinkReducer,\n accountRelinkReducer,\n getAllStoresReducer,\n\n getOrderByIdReducer,\n calculateOrderReducer,\n submitOrderReducer,\n clearSubmitOrderReducer,\n clearSubmitOrderAndGenerateNewOrderIdReducer,\n clearOrderProgressReducer,\n\n setPendingOrderReducer,\n clearPendingOrderReducer,\n setPaymentMethodReducer,\n clearPaymentMethodReducer,\n setPendingPromoCodeReducer,\n clearPromoCodeReducer,\n checkPromoCodeReducer,\n setOrderReasonReducer,\n setModifySubscriptionPlanReducer,\n clearModifySubscriptionPlanReducer,\n setMembershipPurchaseReducer,\n clearMembershipPurchaseReducer,\n\n getPromoDetailsReducer,\n getCompanyWidePromoDetailsReducer,\n emptyPromoDetailsReducer,\n\n clearFailedPromoCheckReducer,\n\n getAccountQuotaReducer,\n clearAccountQuotaReducer,\n getSwapReasonsReducer,\n swapMembershipReducer,\n clearSwapMembershipReducer,\n\n editVehicleIdentifierReducer,\n clearEditVehicleIdentifierReducer,\n\n cancelMembershipReducer,\n clearCancelMembershipReducer,\n checkEligibilityForRetentionOfferReducer,\n clearCheckEligibilityForRetentionOfferReducer,\n acceptRetentionOfferReducer,\n getCancelReasonsReducer,\n\n getAppMinVersionReducer,\n setVehiclesOnOrderReducer,\n getMarketingContentReducer,\n getB2bReducer,\n linkB2CReducer\n);\n","import { createFeatureSelector, createSelector } from \"@ngrx/store\";\nimport { notNil } from \"@qqcw/qqsystem-util\";\nimport * as O from \"fp-ts/es6/Option\";\nimport * as DE from \"@nll/datum/DatumEither\";\n\nimport { StripeStatusEnum, Vehicle } from \"src/app/core/services/myqq\";\n\nimport { AccountAndMembershipStatus, MyQQState } from \"./myqq.models\";\nimport { myqqFeatureKey } from \"./myqq.reducers\";\nimport * as LS from \"./myqq.lenses\";\nimport { environment } from \"src/environments/environment\";\n\nexport const selectMyQQState = createFeatureSelector(myqqFeatureKey);\n\n/**\n * This are selectors. They are effectively just the get part of a lens. The use\n * of createSelector is for memoization purposes. It's likely not necessary, but\n * can be considered good practice.\n */\nexport const selectInitialLoad = createSelector(\n selectMyQQState,\n LS.initialLoadLens.get\n);\n\nexport const selectAccountInfo = createSelector(\n selectMyQQState,\n LS.accountInfoLens.get\n);\nexport const selectProfile = createSelector(\n selectMyQQState,\n LS.profileLens.get\n);\nexport const selectMembership = createSelector(\n selectMyQQState,\n LS.membershipLens.get\n);\nexport const selectMembershipVehicles = createSelector(\n selectMembership,\n DE.map((membership) => membership.vehicles)\n);\nexport const selectAccount = createSelector(\n selectMyQQState,\n LS.accountLens.get\n);\nexport const selectNewAccount = createSelector(\n selectMyQQState,\n LS.newAccountLens.get\n);\nexport const selectUpdateAccount = createSelector(\n selectMyQQState,\n LS.updateAccountLens.get\n);\nexport const selectNewGuestAccount = createSelector(\n selectMyQQState,\n LS.newGuestAccountLens.get\n);\nexport const selectAddGuestVehicle = createSelector(\n selectMyQQState,\n LS.addGuestVehicleLens.get\n);\nexport const selectStores = createSelector(selectMyQQState, LS.storesLens.get);\nexport const selectRegions = createSelector(\n selectMyQQState,\n LS.regionsLens.get\n);\nexport const selectMySubscription = createSelector(\n selectMyQQState,\n LS.subscriptionLens.get\n);\nexport const selectOrders = createSelector(selectMyQQState, LS.ordersLens.get);\nexport const selectPriceTable = createSelector(\n selectMyQQState,\n LS.priceTableLens.get\n);\n\nexport const selectPaymentMethods = createSelector(\n selectMyQQState,\n LS.paymentMethodsLens.get\n);\nexport const selectPostPaymentMethod = createSelector(\n selectMyQQState,\n LS.postPaymentMethodLens.get\n);\nexport const selectVehicles = createSelector(\n selectMyQQState,\n LS.getVehiclesLens.get\n);\n\nexport const selectVehiclesWithTemporaryIdentifier = createSelector(\n selectVehicles,\n DE.map((vehicles) =>\n vehicles.filter((vehicle) => vehicle.isTemporaryIdentifier)\n )\n);\n\nexport const selectAddVehicle = createSelector(\n selectMyQQState,\n LS.addVehicleLens.get\n);\nexport const selectEditVehicle = createSelector(\n selectMyQQState,\n LS.editVehicleLens.get\n);\n\nexport const selectGetOrderById = createSelector(\n selectMyQQState,\n LS.getOrderByIdLens.get\n);\n\nexport const selectOrderById = (id: string) =>\n createSelector(selectGetOrderById, (record) => record[id] ?? DE.initial);\n\nexport const selectAccountLookup = createSelector(\n selectMyQQState,\n LS.accountLookupLens.get\n);\n\nexport const selectLinkAccount = createSelector(\n selectMyQQState,\n LS.linkAccountLens.get\n);\n\nexport const selectCalculateOrder = createSelector(\n selectMyQQState,\n LS.calculateOrderLens.get\n);\n\nexport const selectSubmitOrder = createSelector(\n selectMyQQState,\n LS.submitOrderLens.get\n);\n\nexport const selectPendingOrder = createSelector(\n selectMyQQState,\n LS.pendingOrderLens.get\n);\n\nexport const selectModifySubscriptionPlan = createSelector(\n selectMyQQState,\n LS.modifySubscriptionPlanLens.get\n);\n\nexport const selectMembershipPurchase = createSelector(\n selectMyQQState,\n LS.membershipPurchaseLens.get\n);\n\nexport const selectCheckPromo = createSelector(\n selectMyQQState,\n LS.checkPromoCodeLens.get\n);\n\nexport const selectPayFailedInvoice = createSelector(\n selectMyQQState,\n LS.payInvoiceLens.get\n);\n\n/**\n * Select Stripe Subscription\n */\nexport const selectStripeSubscription = createSelector(\n selectAccountInfo,\n DE.map((accountInfo) =>\n O.fromNullable(accountInfo?.account?.stripeSubscription)\n )\n);\n\n/**\n * Regions, Stores, and LookupByZip\n */\n\n/**\n * Combines the asynchronous calls for person, vehicles, and coupons.\n */\nexport const selectPersonData = createSelector(\n selectProfile,\n selectOrders,\n selectPaymentMethods,\n selectMySubscription,\n (profile, orders, paymentMethods, subscription) =>\n DE.sequenceStruct({ profile, orders, paymentMethods, subscription })\n);\n\n/**\n * Combines MyProfile and MySubscriptions\n */\nexport const selectProfileAndSubscription = createSelector(\n selectProfile,\n selectMySubscription,\n (profile, subscription) => DE.sequenceStruct({ profile, subscription })\n);\n\n/**\n * Gets a vehicle by id from the vehicle array\n */\nexport const selectVehicleById = (id: string) =>\n createSelector(selectMembershipVehicles, (vehiclesDatumEither) => {\n return DE.chain((vehicles: Vehicle[]) => {\n const foundVehicle = vehicles.find((v) => v.vehicleId === id);\n if (notNil(foundVehicle)) {\n return DE.success(foundVehicle);\n }\n return DE.failure({\n error: `Vehicle with id ${id} does not exist in account.`,\n } as any);\n })(vehiclesDatumEither);\n });\n\n/**\n * Gets the user's first and/or last name\n */\nexport const selectUserFullName = createSelector(\n selectProfile,\n DE.map(({ profile, membership }) => {\n if (\n notNil(membership?.account?.firstName) ||\n notNil(membership?.account?.lastName)\n ) {\n return [membership.account.firstName, membership.account.lastName].join(\n \" \"\n );\n }\n return profile.name;\n })\n);\n\n/**\n * Gets some sort of name for the user\n */\n\nexport const selectUsername = createSelector(\n selectProfile,\n DE.map(({ profile, membership }) => {\n if (notNil(membership?.account?.firstName)) {\n return membership?.account.firstName;\n }\n\n if (notNil(membership?.account?.lastName)) {\n return membership.account.lastName;\n }\n\n return profile.name;\n })\n);\n\n/**\n * Select default payment method\n *\n * Tries to find payment method with isDefault true, otherwise chooses\n * the first payment method in the list, if none exists defaults to undefined.\n * DatumEither\n * => DatumEither\n */\nexport const selectDefaultPaymentMethod = createSelector(\n selectPaymentMethods,\n DE.map(\n (paymentMethods) =>\n paymentMethods.find((pm) => pm.isDefault) ?? paymentMethods[0]\n )\n);\n\n/**\n * Select Membership Information\n */\nexport const selectMembershipInfo = createSelector(\n selectMySubscription,\n selectAccountInfo,\n selectPriceTable,\n (subscription, account, menu) =>\n DE.sequenceStruct({\n subscription,\n account,\n menu,\n })\n);\n\n/**\n * Select accountLinked is used to determine if a qsys account\n * has been linked to a keycloak account. Only returns true\n * if the geteMyProfile request is complete and the membership\n * property is defined.\n */\nexport const selectAccountLinked = createSelector(\n selectMembership,\n DE.squash(\n () => false,\n () => false,\n () => true\n )\n);\n\n/**\n * Select failed invoice information\n */\nexport const selectFailedInvoice = createSelector(\n selectAccountInfo,\n DE.map((account) => {\n const stripeSubscription = account?.account?.stripeSubscription;\n return stripeSubscription?.status === StripeStatusEnum.PAST_DUE\n ? {\n title: \"Failed Payment\",\n description: `We tried to charge your card for $${stripeSubscription?.invoiceAmount} but failed. Would you like to tap here to update your payment method?`,\n amount: stripeSubscription.invoiceAmount,\n invoiceId: stripeSubscription.invoiceId,\n route: [{ outlets: { modal: \"failed-payment-method\" } }],\n }\n : null;\n })\n);\n\n/**\n * Select soft cancel status information\n */\nexport const selectSoftCancel = createSelector(\n selectAccountInfo,\n DE.map((account) =>\n !!account?.account?.stripeSubscription?.cancelAtPeriodEnd\n ? {\n title: \"Cancellation Pending\",\n description: `Your membership is expiring soon. Please click here to contact us via ${environment.supportEmail} if you wish to reactivate.`,\n }\n : null\n )\n);\n\nexport const selectAllStores = createSelector(\n selectMyQQState,\n LS.storesLens.get\n);\n\nexport const selectPromoDetails = createSelector(\n selectMyQQState,\n LS.promoDetailsLens.get\n);\n\nexport const selectCompanyWidePromo = createSelector(\n selectMyQQState,\n LS.companyWidePromoDetailsLens.get\n);\n\nexport const selectAccountAndMembershipStatus = createSelector(\n selectAccountInfo,\n DE.map((profileAndAccount) => {\n let status: AccountAndMembershipStatus = {\n hasAccount: false,\n hasMembership: false,\n };\n if (!!profileAndAccount?.profile?.info?.qsysAccount) {\n status.hasAccount = true;\n }\n const stripeStatus = profileAndAccount?.account?.stripeSubscription?.status;\n if (\n stripeStatus === StripeStatusEnum.ACTIVE ||\n stripeStatus === StripeStatusEnum.PAST_DUE ||\n stripeStatus === StripeStatusEnum.TRIALING\n ) {\n status.hasMembership = true;\n }\n return status;\n })\n);\n\nexport const selectStayAndSaveSubscriptionDiscount = createSelector(\n selectAccountInfo,\n DE.map((profileAndAccount) => {\n const discount = profileAndAccount?.subscription?.discount?.stayAndSave;\n return !!discount ? discount : null;\n })\n);\n/**\n * Swap membership\n */\nexport const selectAccountQuota = createSelector(\n selectMyQQState,\n LS.accountQuotaLens.get\n);\n\nexport const selectSwapReasons = createSelector(\n selectMyQQState,\n LS.swapReasonsLens.get\n);\n\nexport const selectSwapMembership = createSelector(\n selectMyQQState,\n LS.swapMembershipLens.get\n);\n\nexport const selectNonMemberVehicles = createSelector(\n selectVehicles,\n DE.map((vehicles) =>\n vehicles.filter((vehicle) => !vehicle.hasMembership && !vehicle.expiring)\n )\n);\n\nexport const selectEditVehicleIdentifier = createSelector(\n selectMyQQState,\n LS.editVehicleIdentifierLens.get\n);\n\n/**\n * Cancel membership\n */\n\nexport const selectCancelMembership = createSelector(\n selectMyQQState,\n LS.cancelMembershipLens.get\n);\n\nexport const selectIsEligibleForRetentionOffer = createSelector(\n selectMyQQState,\n LS.checkEligibilityForRetentionOfferLens.get\n);\n\nexport const selectRetentionOfferAcceptance = createSelector(\n selectMyQQState,\n LS.acceptRetentionOfferLens.get\n);\n\nexport const selectCancelReasons = createSelector(\n selectMyQQState,\n LS.cancelReasonsLens.get\n);\n\nexport const selectAppMinVersion = createSelector(\n selectMyQQState,\n LS.appMinVersionLens.get\n);\n\nexport const selectVehiclesOnOrder = createSelector(\n selectMyQQState,\n LS.vehiclesOnOrderLens.get\n);\n\nexport const selectMarketingContents = createSelector(\n selectMyQQState,\n LS.marketingContentLens.get\n);\n\nexport const selectB2bBenefit = createSelector(\n selectMyQQState,\n LS.b2bBenefitLens.get\n);\n\nexport const selectLinkB2C = createSelector(\n selectMyQQState,\n LS.linkB2CLens.get\n);\n","import { fromPairs as _fromPairs, pick as _pick, zip as _zip } from \"lodash-es\";\nimport { Replete } from \"@nll/datum/Datum\";\nimport {\n datumEither,\n DatumEither,\n failure,\n isSuccess,\n pending,\n success,\n toRefresh,\n} from \"@nll/datum/DatumEither\";\nimport { sequenceS, sequenceT } from \"fp-ts/es6/Apply\";\nimport { Either } from \"fp-ts/es6/Either\";\nimport { combineLatest, isObservable, Observable, of } from \"rxjs\";\nimport {\n catchError,\n distinctUntilChanged,\n filter,\n map,\n startWith,\n switchMap,\n} from \"rxjs/operators\";\n\nexport const withDatumEither = (\n start?: Replete>\n): ((obs: Observable) => Observable>) => (\n obs: Observable\n) =>\n obs.pipe(\n map((result) => success(result)),\n startWith(start ? toRefresh(start) : pending),\n catchError((e: E) => of(failure(e)))\n );\n\nexport const filterSuccessMapToRightValue = (\n obs: Observable>\n) =>\n obs.pipe(\n filter(isSuccess),\n map((de) => de.value.right)\n );\n\nexport const chainSwitchMap = (\n fn: (a: A) => Observable>\n) => (obs: Observable>): Observable> =>\n obs.pipe(\n switchMap((de) =>\n isSuccess(de) ? fn(de.value.right) : of(de as DatumEither)\n )\n );\n\nexport const sequenceDES = sequenceS(datumEither);\nexport const sequenceDET = sequenceT(datumEither);\n\ntype ToResult = T extends Observable>\n ? R\n : never;\n\nexport const combineS = <\n T extends Record>>\n>(\n data: T\n) =>\n }>>>(\n combineLatest(\n Object.values(data).filter((value) => isObservable(value))\n ).pipe(map((DEs) => sequenceDES(_fromPairs(_zip(Object.keys(data), DEs)))))\n );\n\nexport type PickAndCombine<\n T extends Record>>,\n K extends keyof T\n> = Observable }, K>>>;\n\nexport const pickAndCombineS = <\n T extends Record>>,\n K extends keyof T\n>(\n data: T,\n ...fields: K[]\n): PickAndCombine =>\n combineS(_pick(data, ...fields)).pipe(distinctUntilChanged());\n","import { Observable, throwError } from \"rxjs\";\nimport { catchError } from \"rxjs/operators\";\n\nexport const mapError = (fn: (error: unknown) => unknown) => (\n obs: Observable\n): Observable =>\n obs.pipe(\n catchError((error) => {\n return throwError(fn(error));\n })\n );\n","import { Injectable } from \"@angular/core\";\nimport { Actions, createEffect } from \"@ngrx/effects\";\nimport { catchError, filter, switchMap, map, tap } from \"rxjs/operators\";\nimport { of } from \"rxjs\";\n\nimport { asyncExhaustMap } from \"src/app/shared/utilities/state/Operators\";\nimport { MyQQService } from \"src/app/core/services/myqq/myqq.service\";\n\nimport * as crm from \"./myqq.reducers\";\nimport { mapError } from \"src/app/shared/utilities/rxjs\";\n/**\n * This service encapsulates \"side effects\". This is to say that events that\n * are not synchronous, rely on data outside of the app, or can fail are linked\n * up here.\n *\n * The asyncExhaustMap rxjs operator effectively bookends asynchronous events.\n * For example, the crm.updatePerson async action package has pending, success, and\n * failure actions. asyncExhaustMap will listen for updatePerson.pending, when that\n * action happens it will pull out the value inside the action (in this case a person\n * object) and pass it to the http service that updates a person on the backend. If\n * the http call is successful it will take the result and wrap it in\n * updatePerson.success and pass it back into the application. If an error is thrown\n * in the observable error channel (ie. 404, 503, or anything else) it will\n * wrap the error in updatePerson.failure and pass it back into the applcation.\n *\n * In this way the beginning and end of each request becomes a single action\n * in the application.\n */\n@Injectable()\nexport class MyQQEffects {\n /**\n * Person Effects\n */\n getAccountInfo$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getAccountInfo, () => this.myqqSvc.accountInfo())\n )\n );\n\n getProfile$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getProfile, () => this.myqqSvc.getMyProfile())\n )\n );\n\n newAccount$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.newAccount, (person) =>\n this.myqqSvc.newAccount(person)\n )\n )\n );\n\n updateAccount$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.updateAccount, (person) =>\n this.myqqSvc.updateAccount(person)\n )\n )\n );\n\n /**\n * Guest Effects\n */\n\n newGuestAccount$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.newGuestAccount, (person) =>\n this.myqqSvc.newGuestAccount(person)\n )\n )\n );\n\n addGuestVehicle$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.addGuestVehicle, (vehicle) =>\n this.myqqSvc.postGuestVehicle(vehicle)\n )\n )\n );\n\n /**\n * Region Effects\n */\n getAllRegions$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getAllRegions, () => this.myqqSvc.getAllRegions())\n )\n );\n\n /**\n * Vehicle Effects\n */\n getVehicles$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getVehicles, () => this.myqqSvc.getVehicles())\n )\n );\n addVehicle$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.addVehicle, (vehicle) =>\n this.myqqSvc.postVehicle(vehicle)\n )\n )\n );\n editVehicle$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.editVehicle, (vehicle) =>\n this.myqqSvc.patchVehicle(vehicle)\n )\n )\n );\n\n removeVehicle$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.removeVehicle, (req) =>\n this.myqqSvc.removeVehicle(req)\n )\n )\n );\n /**\n * Order Effects\n */\n getMyOrders$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getMyOrders, (page) => this.myqqSvc.getMyOrders(page))\n )\n );\n\n getOrderById$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getOrderById, (orderId) =>\n this.myqqSvc.getOrderById(orderId)\n )\n )\n );\n\n /**\n * Payment Method Effects\n */\n getMyPaymentMethods$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getMyPaymentMethods, () =>\n this.myqqSvc.getMyPaymentMethods()\n )\n )\n );\n\n /**\n * Post Payment Method Effects\n */\n postPaymentMethod$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.postPaymentMethod, (paymentMethodId) =>\n this.myqqSvc.newPaymentMethod({ paymentMethodId })\n )\n )\n );\n\n /**\n * Account Linking Effects\n */\n accountLookup$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.accountLookup, (token) =>\n this.myqqSvc.accountLookup(token)\n )\n )\n );\n\n accountLookupLast4Plate = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.accountLookupLast4Plate, (token) =>\n this.myqqSvc.accountLookupLast4Plate(token)\n )\n )\n );\n\n accountLink$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.accountLink, (personId) =>\n this.myqqSvc.linkAccount(personId)\n )\n )\n );\n accountRelink$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.accountRelink, (personId) =>\n this.myqqSvc.relinkAccount(personId)\n )\n )\n );\n /**\n * Get Price Table Effects\n */\n getPriceTable$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getPriceTable, () => this.myqqSvc.getPriceTable())\n )\n );\n\n getPriceTableByZip$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getPriceTableByZip, (zip) =>\n this.myqqSvc.getPriceTableByZip(zip)\n )\n )\n );\n\n /**\n * Calculate Order Effect\n */\n calculateOrder$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.calculateOrder, (order) =>\n this.myqqSvc.calculateOrder(order).pipe(\n tap((result) => {\n result.items = result.items.filter(\n (item) => item.sku !== \"FLOCK-PRORATION\"\n );\n })\n )\n )\n )\n );\n\n /**\n * Submit Order Effect\n */\n submitOrder$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.submitOrder, (order) =>\n this.myqqSvc.submitOrder(order)\n )\n )\n );\n\n /**\n * Check Promo Code Effect\n */\n checkPromo$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.checkPromoCode, (serialNum) =>\n this.myqqSvc.checkPromoCode(serialNum)\n )\n )\n );\n\n /**\n * Subscriptions Effects\n */\n getMySubscriptions$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getMySubscriptions, () =>\n this.myqqSvc.getMySubscriptions()\n )\n )\n );\n\n /**\n * Pay Failed Invoice Effects\n *\n * This is a compound action that is composed of first updating\n * the payment method on the account and then asking myqq-api to\n * retry the stripe payment with the new payment method.\n */\n payFailedInvoice$ = createEffect(() =>\n this.actions$.pipe(\n filter(crm.payFailedInvoice.pending.match),\n switchMap(({ value: params }) =>\n this.myqqSvc\n .newPaymentMethod({\n paymentMethodId: params.paymentMethodId,\n createReason: \"FAILEDINVOICE\",\n })\n .pipe(\n mapError((error) => ({\n message: \"Unable to add new payment method\",\n error,\n })),\n switchMap(() => this.myqqSvc.payInvoice(params.invoiceId)),\n mapError((error) => ({\n message: \"Unable to pay invoice with new paymentMethod\",\n error,\n })),\n map(() => crm.payFailedInvoice.success({ params, result: null })),\n catchError((error) =>\n of(crm.payFailedInvoice.failure({ params, error }))\n )\n )\n )\n )\n );\n\n /**\n * Store Effects\n */\n getAllStores$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getAllStores, () => this.myqqSvc.getAllStores())\n )\n );\n\n /**\n * Get details about promotions from myqq-api\n */\n getPromoDetails$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getPromoDetails, (promoCode) =>\n this.myqqSvc.getPromoDetails(promoCode)\n )\n )\n );\n\n /**\n * Get details about autoapply promotions from myqq-api\n */\n getCompanyWidePromoDetails$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getCompanyWidePromoDetails, () =>\n this.myqqSvc.getCompanyWidePromoDetails()\n )\n )\n );\n\n /**\n * Swap/Edit LP Effects\n */\n\n getAccountQuota$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getAccountQuota, () => this.myqqSvc.getAccountQuota())\n )\n );\n getSwapReasons$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getSwapReasons, () => this.myqqSvc.getSwapReasons())\n )\n );\n swapVehicle$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.swapMembership, (swapRequest) =>\n this.myqqSvc.swapVehicleOnMembership(swapRequest)\n )\n )\n );\n editVehicleIdentifier$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.editVehicleIdentifier, (vehicle) =>\n this.myqqSvc.patchVehicle(vehicle)\n )\n )\n );\n\n /**\n * Cancel membership effects\n */\n cancelMembership$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.cancelMembership, (cancelRequest) =>\n this.myqqSvc.cancelMembership(cancelRequest)\n )\n )\n );\n\n checkEligibityForRetentionOffer$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(\n crm.checkEligibilityForRetentionOffer,\n (createTimestamp) =>\n this.myqqSvc.checkEligibilityForRetentionOffer(createTimestamp)\n )\n )\n );\n\n acceptRetentionOffer$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.acceptRetentionOffer, () =>\n this.myqqSvc.acceptRetentionOffer()\n )\n )\n );\n\n getCancelReasons$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getCancelReasons, () =>\n this.myqqSvc.getCancelReasons()\n )\n )\n );\n\n getAppMinVersion$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getAppMinVersion, () =>\n this.myqqSvc.getAppMinVersion()\n )\n )\n );\n\n getMarketingContent$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getMarketingContent, () =>\n this.myqqSvc.getMarketingContents()\n )\n )\n );\n\n /**\n * B2b Effects\n */\n\n getB2bBenefit$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.getB2bBenefit, () => this.myqqSvc.getB2bBenefit())\n )\n );\n\n linkB2CEffects$ = createEffect(() =>\n this.actions$.pipe(\n asyncExhaustMap(crm.linkB2C, (linkRequest) =>\n this.myqqSvc.linkB2cWithCode(linkRequest)\n )\n )\n );\n\n constructor(private actions$: Actions, private myqqSvc: MyQQService) {}\n}\n","import { take as _take, sortBy as _sortBy } from \"lodash-es\";\nimport { Injectable } from \"@angular/core\";\nimport { Actions, createEffect } from \"@ngrx/effects\";\nimport { distinctUntilChanged, filter, map } from \"rxjs/operators\";\nimport * as O from \"fp-ts/es6/Option\";\n\nimport { notNil } from \"@qqcw/qqsystem-util\";\n\nimport { filterActions } from \"src/app/shared/utilities/state/Operators\";\nimport {\n accountLink,\n addVehicle,\n cancelMembership,\n clearAccountQuota,\n editVehicle,\n editVehicleIdentifier,\n getAccountInfo,\n getMarketingContent,\n getMyPaymentMethods,\n getMySubscriptions,\n getPriceTableByZip,\n getProfile,\n getVehicles,\n newAccount,\n postPaymentMethod,\n removeVehicle,\n setVehiclesOnOrder,\n submitOrder,\n swapMembership,\n updateAccount,\n} from \"./myqq.reducers\";\n\nimport { setDefaultPlans } from \"../ui\";\nimport { UnleashService } from \"src/app/shared/services/unleash.service\";\n\n/**\n * This service contains chaining side effects. For example, when we get a profile we\n * might also want to get the persons vehicles and coupons from other endpoints without\n * explicitely chaining those calls in the ui. This service contains those cascading\n * events.\n */\n@Injectable()\nexport class MyQQChainEffects {\n /**\n * Refresh profile data after:\n * * Creating a new account\n * * Adding new vehicle\n */\n refreshProfileChains$ = createEffect(() =>\n this.actions$.pipe(\n filterActions(\n addVehicle.success,\n editVehicle.success,\n updateAccount.success,\n cancelMembership.success\n ),\n map(() => getProfile.pending(null))\n )\n );\n refreshProfileChainsNewAccount$ = createEffect(() =>\n this.actions$.pipe(\n filterActions(newAccount.success, accountLink.success),\n map(() => getProfile.pending({ track: true }))\n )\n );\n\n updateUnleashOnAccountInfoChange$ = createEffect(\n () =>\n this.actions$.pipe(\n filter(getAccountInfo.success.match),\n map(({ value: { result } }) => result),\n distinctUntilChanged(),\n map((accountInfo) =>\n this.unleashService.updateUnleashContextOnGetAccount(accountInfo)\n )\n ),\n { dispatch: false }\n );\n\n updateUnleashOnSubscriptionSuccess$ = createEffect(\n () =>\n this.actions$.pipe(\n filter(getMySubscriptions.success.match),\n map(({ value: { result } }) => result),\n filter(O.isSome),\n map(({ value }) => value),\n distinctUntilChanged(),\n map((subscription) =>\n this.unleashService.updateUnleashContextOnGetSubscription(\n subscription\n )\n )\n ),\n { dispatch: false }\n );\n\n refreshAccountChain$ = createEffect(() =>\n this.actions$.pipe(\n filterActions(\n newAccount.success,\n accountLink.success,\n cancelMembership.success\n ),\n map(() => {\n return getAccountInfo.pending(null);\n })\n )\n );\n\n /**\n * Get payment methods after postPaymentMethod success\n */\n getPaymentMethodsOnPostSuccess$ = createEffect(() =>\n this.actions$.pipe(\n filter(postPaymentMethod.success.match),\n map(() => getMyPaymentMethods.pending(null))\n )\n );\n\n /**\n * Currently, orders always affect the subscription object so\n * we should refresh the subscription state whenever a submit\n * order completes successfully.\n */\n refreshSubscriptionChains$ = createEffect(() =>\n this.actions$.pipe(\n filterActions(\n submitOrder.success,\n cancelMembership.success,\n accountLink.success\n ),\n map(() => getMySubscriptions.pending(null))\n )\n );\n\n refreshAccountOnOrderComplete$ = createEffect(() =>\n this.actions$.pipe(\n filter(submitOrder.success.match),\n map(() => getAccountInfo.pending(null))\n )\n );\n\n /**\n * Refresh vehicle list when one is added, edited, removed from the account or the membership\n */\n refreshVehiclesOnVehiclesAndMembershipChange$ = createEffect(() =>\n this.actions$.pipe(\n filterActions(\n removeVehicle.success,\n addVehicle.success,\n editVehicle.success,\n submitOrder.success,\n swapMembership.success,\n editVehicleIdentifier.success\n ),\n map(() => getVehicles.pending(null))\n )\n );\n\n clearAccountQuotaOnSwapAndEditLPVIN$ = createEffect(() =>\n this.actions$.pipe(\n filterActions(swapMembership.success, editVehicleIdentifier.success),\n map(() => clearAccountQuota(null))\n )\n );\n\n // temp workaround for handling cases where we don't want to initiate an order right after adding a vehicle\n // need to figure out how pass in more params in\n clearVehiclesOnOrderOnSwapSuccess$ = createEffect(() =>\n this.actions$.pipe(\n filterActions(swapMembership.success),\n map(() => setVehiclesOnOrder([]))\n )\n );\n\n setDefaultPlansOnGetPriceSuccess$ = createEffect(() =>\n this.actions$.pipe(\n filterActions(getPriceTableByZip.success),\n map(({ value: { result: value } }) => value),\n filter(notNil),\n map((value) => {\n return setDefaultPlans(value);\n })\n )\n );\n\n refreshMarketingContent$ = createEffect(() =>\n this.actions$.pipe(\n filterActions(\n submitOrder.success,\n cancelMembership.success,\n accountLink.success\n ),\n map(() => getMarketingContent.pending(null))\n )\n );\n\n constructor(\n readonly actions$: Actions,\n readonly unleashService: UnleashService\n ) {}\n}\n","import { StoreAndMarker } from \"src/app/pages/locations/locations.models\";\nimport Stripe from \"stripe\";\nimport {\n Account,\n AccountCheckResponse,\n AccountInfoResponse,\n AccountQuota,\n CancelReason,\n CustomerPaymentMethod,\n GetProfileResponse,\n Order,\n OrderHeader,\n OrderItem,\n OrderTypesEnum,\n PromoDetails,\n QsysProfile,\n Store,\n RegionMenu,\n StripeStatusEnum,\n SubscriptionDetail,\n SubscriptionItemTypeEnum,\n SwapReason,\n Vehicle,\n VehicleSwapResponse,\n} from \"./myqq.models\";\nexport const MockGoodWashLevelName = \"good\";\nexport const MockBetterWashLevelName = \"better\";\nexport const MockBestWashLevelName = \"best\";\nexport const MockCeramicWashLevelName = \"ceramic\";\n\nexport const MockPlansPromoSvg = `\n\n\n\n\n\n\n\n\n`;\n\nexport const MOCK_STORE: Store = {\n storeId: \"MOCK_STORE_ID\",\n regionId: \"MOCK_REGION_ID\",\n regionNumber: \"0\",\n storeNumber: \"0\",\n name: \"West Sacramento\",\n addressLine1: \"111 West Sac Drive\",\n city: \"West Sacramento\",\n state: \"CA\",\n zipCode: \"95616\",\n phoneNumber: \"5308675309\",\n defaultLaneNumber: 1,\n timeZone: \"PST\",\n connectAccountId: \"MOCK_CONNECT_ACCOUNT_ID\",\n};\n\nexport const MOCK_STOREANDMARKER: StoreAndMarker = [\n {\n storeId: \"MOCK_STORE_ID\",\n regionId: \"MOCK_REGION_ID\",\n regionNumber: \"0\",\n storeNumber: \"0\",\n name: \"West Sacramento\",\n addressLine1: \"111 West Sac Drive\",\n city: \"West Sacramento\",\n state: \"CA\",\n zipCode: \"95616\",\n phoneNumber: \"5308675309\",\n defaultLaneNumber: 1,\n timeZone: \"PST\",\n connectAccountId: \"MOCK_CONNECT_ACCOUNT_ID\",\n },\n null,\n];\n\nexport const MOCK_VEHICLES: Vehicle[] = [\n {\n vehicleId: \"f43bf551-a149-4dc0-9790-ab58758f5317\",\n personId: \"d92c06bf-af49-48c3-9550-cfc5c7aceabd\",\n license: \"YMENT\",\n state: \"PA\",\n createdBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n createdIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n createdAt: \"2020-06-23T20:17:15.381719Z\",\n updatedBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n updatedIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n updatedAt: \"2020-06-23T20:17:15.431017Z\",\n make: \"FORD\",\n model: \"RANGER\",\n year: \"2020\",\n vin: \"WP0AB2A86EK190719\",\n hasMembership: true,\n expiring: false,\n isVerified: true,\n isTemporaryIdentifier: true,\n verificationCode: \"\",\n },\n {\n vehicleId: \"92a7c406-7ded-4fee-8b69-0c8ae8ce5745\",\n personId: \"d92c06bf-af49-48c3-9550-cfc5c7aceabd\",\n license: \"YPAL\",\n state: \"PA\",\n createdBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n createdIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n createdAt: \"2020-06-23T20:15:09.822015Z\",\n updatedBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n updatedIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n updatedAt: \"2020-06-23T20:15:11.418668Z\",\n hasMembership: false,\n isVerified: false,\n isTemporaryIdentifier: false,\n verificationCode: \"\",\n },\n {\n vehicleId: \"f43bf551-a149-4dc0-9790-ab58758f5319\",\n personId: \"d92c06bf-af49-48c3-9550-cfc5c7aceabd\",\n license: \"\",\n state: \"\",\n createdBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n createdIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n createdAt: \"2020-06-23T20:17:15.381719Z\",\n updatedBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n updatedIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n updatedAt: \"2020-06-23T20:17:15.431017Z\",\n make: \"Ram\",\n model: \"1500 Laramie Longhorn Crew Cab\",\n year: \"2013\",\n vin: \"WP0AB2A86QZ120783\",\n hasMembership: true,\n isVerified: false,\n isTemporaryIdentifier: true,\n verificationCode: \"\",\n },\n {\n vehicleId: \"0BAC7999-C921-4DE1-9F8E-4BD6546D98FA\",\n personId: \"d92c06bf-af49-48c3-9550-cfc5c7aceabd\",\n license: \"12345\",\n state: \"TN\",\n createdBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n createdIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n createdAt: \"2020-06-23T20:17:15.381719Z\",\n updatedBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n updatedIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n updatedAt: \"2020-06-23T20:17:15.431017Z\",\n hasMembership: true,\n isVerified: true,\n isTemporaryIdentifier: false,\n verificationCode: \"\",\n },\n];\n\nexport const MOCK_ACCOUNT: Account = {\n personId: \"d92c06bf-af49-48c3-9550-cfc5c7aceabd\",\n xrefId: null,\n firstName: null,\n lastName: null,\n memberSince: null,\n birthDate: null,\n gender: null,\n email: null,\n primaryPh: null,\n secondaryPh: null,\n stripeCustomer: \"cus_HWLEyB0xAiQLjj\",\n homeStoreId: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n street1: null,\n street2: null,\n city: null,\n state: null,\n countryId: null,\n zipCode: null,\n createdBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n createdIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n createdAt: \"2020-06-23T20:15:10.635814Z\",\n updatedBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n updatedIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n updatedAt: \"2020-06-23T20:16:33.964509Z\",\n regionNumber: \"72\",\n};\n\nexport const MOCK_QSYS_ACCOUNT: QsysProfile = {\n userName: \"awesometest@gmail.com\",\n name: \"Awesome Test\",\n info: {\n address: \"5001 Lexington Street\",\n gender: \"∅\",\n height: 187,\n qsysAccount: \"d92c06bf-af49-48c3-9550-cfc5c7aceabd\",\n },\n};\n\nexport const MOCK_ACTIVE_COUPONS = [\n {\n couponIssuedId: \"a8525ef8-050c-4a6d-b4d7-2ccae34ff91c\",\n orderItemId: \"64c014ee-1028-4bd3-a8ea-65ccc81542fa\",\n couponId: \"3e184456-fe92-527b-8af2-fad8ea8f9c56\",\n personId: \"d92c06bf-af49-48c3-9550-cfc5c7aceabd\",\n vehicleId: \"92a7c406-7ded-4fee-8b69-0c8ae8ce5745\",\n storeId: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n employeeId: \"29421a23-1403-404e-8669-f6b53c55563f\",\n stripePlanId: \"plan_HKJFyx1A1Jf9uG\",\n isActive: true,\n effectiveAt: \"2020-06-23T20:16:26Z\",\n expiresAt: \"2020-07-24T07:00:00Z\",\n createdBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n createdIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n createdAt: \"2020-06-23T20:16:33.411979Z\",\n updatedBy: \"29421a23-1403-404e-8669-f6b53c55563f\",\n updatedIn: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n updatedAt: \"2020-06-23T20:16:33.471662Z\",\n },\n];\n\nexport const MOCK_PROFILE: GetProfileResponse = {\n profile: MOCK_QSYS_ACCOUNT,\n membership: {\n account: MOCK_ACCOUNT,\n vehicles: MOCK_VEHICLES,\n activeCoupons: MOCK_ACTIVE_COUPONS,\n },\n};\n\nexport const MOCK_ORDER_HEADER_1: OrderHeader = {\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n storeId: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n storeNumber: \"0701\",\n storeState: \"CO\",\n storeCity: \"Colorado Springs\",\n regionId: \"2cbc6b9c-d22f-5c12-a509-682e77c6f8d4\",\n regionNumber: \"07\",\n customerId: \"9ee34fbe-8a3f-4b81-b042-afc7dfa3001f\",\n custFirstName: \"Sub\",\n custLastName: \"1 flock\",\n cashierId: \"f0a218b7-6ac4-57ca-ad99-997f707e353b\",\n cashierFirstName: \"Admin\",\n cashierLastName: \"Site Master\",\n deviceId: \"f4d55b53-ee4d-42bc-8361-bc1b2a719fc8\",\n lane: 1,\n orderType: OrderTypesEnum.STORE,\n orderStatus: \"COMPLETED\",\n isNewCustomer: false,\n isEmployee: false,\n totalTaxable: \"0\",\n totalMarkDowns: \"0\",\n totalMarkUps: \"0\",\n subTotal: \"21.49\",\n orderTotal: \"21.49\",\n submissionAt: \"2020-06-16T00:00:00Z\",\n submissionTime: \"2020-06-16T17:29:04Z\",\n vehicleVin: \"\",\n vehicleState: \"TN\",\n vehicleLicense: \"ABC123\",\n laneType: \"\",\n washType: MockGoodWashLevelName,\n description: \"Carwash Purchase\",\n};\n\nexport const MOCK_ORDER_HEADER_2: OrderHeader = {\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n storeId: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n storeNumber: \"0701\",\n storeState: \"CO\",\n storeCity: \"Colorado Springs\",\n regionId: \"2cbc6b9c-d22f-5c12-a509-682e77c6f8d4\",\n regionNumber: \"07\",\n customerId: \"9ee34fbe-8a3f-4b81-b042-afc7dfa3001f\",\n custFirstName: \"Sub\",\n custLastName: \"1 flock\",\n cashierId: \"f0a218b7-6ac4-57ca-ad99-997f707e353b\",\n cashierFirstName: \"Admin\",\n cashierLastName: \"Site Master\",\n deviceId: \"f4d55b53-ee4d-42bc-8361-bc1b2a719fc8\",\n lane: 1,\n orderType: OrderTypesEnum.STORE,\n orderStatus: \"COMPLETED\",\n isNewCustomer: false,\n isEmployee: false,\n totalTaxable: \"0\",\n totalMarkDowns: \"0\",\n totalMarkUps: \"0\",\n subTotal: \"21.49\",\n orderTotal: \"21.49\",\n submissionAt: \"2020-06-16T00:00:00Z\",\n submissionTime: \"2020-06-16T17:29:04Z\",\n laneType: \"\",\n washType: MockBetterWashLevelName,\n description: \"Carwash Purchase\",\n};\n\nexport const MOCK_ORDER_HEADER_3: OrderHeader = {\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n storeId: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n storeNumber: \"0701\",\n storeState: \"CO\",\n storeCity: \"Colorado Springs\",\n regionId: \"2cbc6b9c-d22f-5c12-a509-682e77c6f8d4\",\n regionNumber: \"07\",\n customerId: \"9ee34fbe-8a3f-4b81-b042-afc7dfa3001f\",\n custFirstName: \"Sub\",\n custLastName: \"1 flock\",\n cashierId: \"f0a218b7-6ac4-57ca-ad99-997f707e353b\",\n cashierFirstName: \"Admin\",\n cashierLastName: \"Site Master\",\n deviceId: \"f4d55b53-ee4d-42bc-8361-bc1b2a719fc8\",\n lane: 1,\n orderType: OrderTypesEnum.STORE,\n orderStatus: \"COMPLETED\",\n isNewCustomer: false,\n isEmployee: false,\n totalTaxable: \"0\",\n totalMarkDowns: \"0\",\n totalMarkUps: \"0\",\n subTotal: \"21.49\",\n orderTotal: \"21.49\",\n submissionAt: \"2020-06-16T00:00:00Z\",\n submissionTime: \"2020-06-16T17:29:04Z\",\n laneType: \"\",\n washType: MockBestWashLevelName,\n description: \"Carwash Purchase\",\n};\n\nexport const MOCK_ORDER_HEADER_4: OrderHeader = {\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n storeId: \"7c411b5e-9d3f-50b5-9c28-62096e41c4ed\",\n storeNumber: \"0701\",\n storeState: \"CO\",\n storeCity: \"Colorado Springs\",\n regionId: \"2cbc6b9c-d22f-5c12-a509-682e77c6f8d4\",\n regionNumber: \"07\",\n customerId: \"9ee34fbe-8a3f-4b81-b042-afc7dfa3001f\",\n custFirstName: \"Sub\",\n custLastName: \"1 flock\",\n cashierId: \"f0a218b7-6ac4-57ca-ad99-997f707e353b\",\n cashierFirstName: \"Admin\",\n cashierLastName: \"Site Master\",\n deviceId: \"f4d55b53-ee4d-42bc-8361-bc1b2a719fc8\",\n lane: 1,\n orderType: OrderTypesEnum.STORE,\n orderStatus: \"COMPLETED\",\n isNewCustomer: false,\n isEmployee: false,\n totalTaxable: \"0\",\n totalMarkDowns: \"0\",\n totalMarkUps: \"0\",\n subTotal: \"21.49\",\n orderTotal: \"21.49\",\n submissionAt: \"2020-06-16T00:00:00Z\",\n submissionTime: \"2020-06-16T17:29:04Z\",\n laneType: \"\",\n description: \"Carwash Purchase\",\n};\n\nexport const MOCK_ORDER_ITEM_1: OrderItem = {\n orderItemId: \"3ff77ab8-ee67-4454-9471-a3aa7b38c306\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n itemId: \"adde9d6f-0e5d-52d9-bd2a-8738f8e157b5\",\n name: \"Clean Membership Flock - Auto Pay\",\n sku: \"SUB-FLOCK-MB-C-030\",\n vehicleId: \"f43bf551-a149-4dc0-9790-ab58758f5317\",\n orderedQty: \"1\",\n unitPrice: \"15\",\n totalTaxable: \"0\",\n taxRate: \"0\",\n priceInclTax: false,\n totalMarkDowns: \"0\",\n subTotal: \"15\",\n grossTotal: \"15\",\n taxTotal: \"0\",\n lineTotal: \"15\",\n};\n\nexport const MOCK_ORDER_ITEM_2 = {\n orderItemId: \"6c99cc19-7d5e-4782-aa16-e28790506599\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n itemId: \"adde9d6f-0e5d-52d9-bd2a-8738f8e157b5\",\n name: \"Clean Membership Flock - Auto Pay\",\n sku: \"SUB-FLOCK-MB-C-030\",\n vehicleId: \"92a7c406-7ded-4fee-8b69-0c8ae8ce5745\",\n orderedQty: \"1\",\n unitPrice: \"15\",\n totalTaxable: \"0\",\n taxRate: \"0\",\n priceInclTax: false,\n totalMarkDowns: \"0\",\n subTotal: \"15\",\n grossTotal: \"15\",\n taxTotal: \"0\",\n lineTotal: \"15\",\n};\n\nexport const MOCK_ORDER_ITEM_3: OrderItem = {\n orderItemId: \"6f18a66c-8937-4536-9eb0-fd2f43b194e8\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n itemId: \"adde9d6f-0e5d-52d9-bd2a-8738f8e157b5\",\n name: \"Clean Membership Flock - Auto Pay\",\n sku: \"SUB-FLOCK-MB-C-030\",\n vehicleId: \"f43bf551-a149-4dc0-9790-ab58758f5319\",\n orderedQty: \"1\",\n totalTaxable: \"0\",\n taxRate: \"0\",\n priceInclTax: false,\n totalMarkDowns: \"0\",\n subTotal: \"15\",\n grossTotal: \"15\",\n taxTotal: \"0\",\n lineTotal: \"15\",\n};\n\nexport const MOCK_ORDER_ITEM_4: OrderItem = {\n orderItemId: \"1642a9e7-63d1-4f60-9416-78b259df985d\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n itemId: \"9a3f1c27-6dac-574e-bec2-2579e8920fcb\",\n name: \"Clean Membership - Auto Pay\",\n sku: \"SUB-MB-C-030\",\n vehicleId: \"0BAC7999-C921-4DE1-9F8E-4BD6546D98FA\",\n orderedQty: \"1\",\n unitPrice: \"22.99\",\n totalTaxable: \"0\",\n taxRate: \"0\",\n priceInclTax: false,\n totalMarkDowns: \"0\",\n subTotal: \"22.99\",\n grossTotal: \"22.99\",\n taxTotal: \"0\",\n lineTotal: \"22.99\",\n};\n\nexport const MOCK_ORDER_1: Order = {\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n storeId: \"4b166dbe-d99d-5091-abdd-95b83330ed3a\",\n regionId: \"408e52a1-b0bc-5dcc-a589-5ea95caf56dc\",\n customerId: \"ae648167-a7c0-429e-b06b-cba9166a9c35\",\n cashierId: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n deviceId: \"96897aa3-94e3-42e3-823f-be2dadb361e0\",\n membershipId: \"6777bdcb-4ae8-5cc2-a995-02d7c3271509\",\n stripeCustomerId: \"cus_H5gU3Y4wKYA2sj\",\n mbrCouponIssuedId: \"5914ad0c-007a-4241-a657-eb9c04f43282\",\n nextBillingAmount: \"67.99\",\n createReasonCode: \"SALES\",\n lane: 1,\n laneType: \"\",\n vehicleId: \"3143854b-8808-43ce-8d4a-ae30843500ed\",\n orderType: OrderTypesEnum.NEWMEMBERSHIP,\n orderStatus: \"COMPLETED\",\n isNewCustomer: false,\n isNewMember: false,\n isNewVehicle: true,\n isEmployee: false,\n isRewash: false,\n totalManualDiscount: \"0\",\n totalTaxable: \"0\",\n totalMarkDowns: \"0\",\n totalMarkUps: \"0\",\n subTotal: \"67.99\",\n taxTotal: \"0\",\n orderTotal: \"67.99\",\n submissionAt: \"2020-07-22T16:37:53.586-06:00\",\n submissionTime: \"2020-07-22T16:37:53.586-06:00\",\n createdBy: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n createdIn: \"005694ea-dc67-67e6-fa8b-b05759853830\",\n createdAt: \"2020-07-22T15:37:58.71368645-07:00\",\n updatedBy: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n updatedIn: \"005694ea-dc67-67e6-fa8b-b05759853830\",\n updatedAt: \"2020-07-22T15:37:58.713686377-07:00\",\n holds: [],\n items: [\n MOCK_ORDER_ITEM_1,\n MOCK_ORDER_ITEM_2,\n MOCK_ORDER_ITEM_3,\n MOCK_ORDER_ITEM_4,\n ],\n markDowns: [],\n markUps: [],\n payments: [\n {\n orderPaymentId: \"2f9da02f-6fce-48c5-80ba-7854b2678d3d\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n paymentAmount: 1,\n paymentStatus: \"PAID\",\n paymentId: \"pi_1HAJcWD1Fv1TB63CckfJzeEY\",\n paymentType: \"CREDIT\",\n last4: \"4444\",\n expiresMonth: \"12\",\n expiresYear: \"2022\",\n },\n {\n orderPaymentId: \"ee8af4f1-e409-446b-adb9-5d0a33023d53\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n paymentAmount: 0,\n paymentStatus: \"PAID\",\n paymentId: \"pm_1HAJcSD1Fv1TB63C1UD5WqD8\",\n paymentType: \"CREDIT\",\n last4: \"4444\",\n expiresMonth: \"12\",\n expiresYear: \"2022\",\n },\n ],\n};\n\nexport const MOCK_ORDER_2: Order = {\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n storeId: \"4b166dbe-d99d-5091-abdd-95b83330ed3a\",\n regionId: \"408e52a1-b0bc-5dcc-a589-5ea95caf56dc\",\n customerId: \"ae648167-a7c0-429e-b06b-cba9166a9c35\",\n cashierId: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n deviceId: \"96897aa3-94e3-42e3-823f-be2dadb361e0\",\n membershipId: \"6777bdcb-4ae8-5cc2-a995-02d7c3271509\",\n stripeCustomerId: \"cus_H5gU3Y4wKYA2sj\",\n mbrCouponIssuedId: \"5914ad0c-007a-4241-a657-eb9c04f43282\",\n nextBillingAmount: \"67.99\",\n createReasonCode: \"SALES\",\n lane: 1,\n laneType: \"\",\n vehicleId: \"3143854b-8808-43ce-8d4a-ae30843500ed\",\n orderType: OrderTypesEnum.NEWMEMBERSHIP,\n orderStatus: \"COMPLETED\",\n isNewCustomer: false,\n isNewMember: false,\n isNewVehicle: true,\n isEmployee: false,\n isRewash: false,\n totalManualDiscount: \"0\",\n totalTaxable: \"0\",\n totalMarkDowns: \"0\",\n totalMarkUps: \"0\",\n subTotal: \"67.99\",\n taxTotal: \"0\",\n orderTotal: \"67.99\",\n submissionAt: \"2020-07-22T16:37:53.586-06:00\",\n submissionTime: \"2020-07-22T16:37:53.586-06:00\",\n createdBy: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n createdIn: \"005694ea-dc67-67e6-fa8b-b05759853830\",\n createdAt: \"2020-07-22T15:37:58.71368645-07:00\",\n updatedBy: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n updatedIn: \"005694ea-dc67-67e6-fa8b-b05759853830\",\n updatedAt: \"2020-07-22T15:37:58.713686377-07:00\",\n holds: [],\n items: [\n MOCK_ORDER_ITEM_1,\n MOCK_ORDER_ITEM_2,\n MOCK_ORDER_ITEM_3,\n MOCK_ORDER_ITEM_4,\n ],\n markDowns: [],\n markUps: [],\n payments: [\n {\n orderPaymentId: \"2f9da02f-6fce-48c5-80ba-7854b2678d3d\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n paymentAmount: 1,\n paymentStatus: \"PAID\",\n paymentId: \"pi_1HAJcWD1Fv1TB63CckfJzeEY\",\n paymentType: \"CREDIT\",\n last4: \"4444\",\n expiresMonth: \"12\",\n expiresYear: \"2022\",\n },\n {\n orderPaymentId: \"ee8af4f1-e409-446b-adb9-5d0a33023d53\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n paymentAmount: 0,\n paymentStatus: \"PAID\",\n paymentId: \"pm_1HAJcSD1Fv1TB63C1UD5WqD8\",\n paymentType: \"CREDIT\",\n last4: \"4444\",\n expiresMonth: \"12\",\n expiresYear: \"2022\",\n },\n ],\n};\n\nexport const MOCK_ORDER_3: Order = {\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n storeId: \"4b166dbe-d99d-5091-abdd-95b83330ed3a\",\n regionId: \"408e52a1-b0bc-5dcc-a589-5ea95caf56dc\",\n customerId: \"ae648167-a7c0-429e-b06b-cba9166a9c35\",\n cashierId: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n deviceId: \"96897aa3-94e3-42e3-823f-be2dadb361e0\",\n membershipId: \"6777bdcb-4ae8-5cc2-a995-02d7c3271509\",\n stripeCustomerId: \"cus_H5gU3Y4wKYA2sj\",\n mbrCouponIssuedId: \"5914ad0c-007a-4241-a657-eb9c04f43282\",\n nextBillingAmount: \"67.99\",\n createReasonCode: \"SALES\",\n lane: 1,\n laneType: \"\",\n vehicleId: \"3143854b-8808-43ce-8d4a-ae30843500ed\",\n orderType: OrderTypesEnum.NEWMEMBERSHIP,\n orderStatus: \"COMPLETED\",\n isNewCustomer: false,\n isNewMember: false,\n isNewVehicle: true,\n isEmployee: false,\n isRewash: false,\n totalManualDiscount: \"0\",\n totalTaxable: \"0\",\n totalMarkDowns: \"0\",\n totalMarkUps: \"0\",\n subTotal: \"67.99\",\n taxTotal: \"0\",\n orderTotal: \"67.99\",\n submissionAt: \"2020-07-22T16:37:53.586-06:00\",\n submissionTime: \"2020-07-22T16:37:53.586-06:00\",\n createdBy: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n createdIn: \"005694ea-dc67-67e6-fa8b-b05759853830\",\n createdAt: \"2020-07-22T15:37:58.71368645-07:00\",\n updatedBy: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n updatedIn: \"005694ea-dc67-67e6-fa8b-b05759853830\",\n updatedAt: \"2020-07-22T15:37:58.713686377-07:00\",\n holds: [],\n items: [\n MOCK_ORDER_ITEM_1,\n MOCK_ORDER_ITEM_2,\n MOCK_ORDER_ITEM_3,\n MOCK_ORDER_ITEM_4,\n ],\n markDowns: [],\n markUps: [],\n payments: [\n {\n orderPaymentId: \"2f9da02f-6fce-48c5-80ba-7854b2678d3d\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n paymentAmount: 1,\n paymentStatus: \"PAID\",\n paymentId: \"pi_1HAJcWD1Fv1TB63CckfJzeEY\",\n paymentType: \"CREDIT\",\n last4: \"4444\",\n expiresMonth: \"12\",\n expiresYear: \"2022\",\n },\n {\n orderPaymentId: \"ee8af4f1-e409-446b-adb9-5d0a33023d53\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n paymentAmount: 0,\n paymentStatus: \"PAID\",\n paymentId: \"pm_1HAJcSD1Fv1TB63C1UD5WqD8\",\n paymentType: \"CREDIT\",\n last4: \"4444\",\n expiresMonth: \"12\",\n expiresYear: \"2022\",\n },\n ],\n};\n\nexport const MOCK_ORDER_4: Order = {\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n storeId: \"4b166dbe-d99d-5091-abdd-95b83330ed3a\",\n regionId: \"408e52a1-b0bc-5dcc-a589-5ea95caf56dc\",\n customerId: \"ae648167-a7c0-429e-b06b-cba9166a9c35\",\n cashierId: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n deviceId: \"96897aa3-94e3-42e3-823f-be2dadb361e0\",\n membershipId: \"6777bdcb-4ae8-5cc2-a995-02d7c3271509\",\n stripeCustomerId: \"cus_H5gU3Y4wKYA2sj\",\n mbrCouponIssuedId: \"5914ad0c-007a-4241-a657-eb9c04f43282\",\n nextBillingAmount: \"67.99\",\n createReasonCode: \"SALES\",\n lane: 1,\n laneType: \"\",\n vehicleId: \"3143854b-8808-43ce-8d4a-ae30843500ed\",\n orderType: OrderTypesEnum.NEWMEMBERSHIP,\n orderStatus: \"COMPLETED\",\n isNewCustomer: false,\n isNewMember: false,\n isNewVehicle: true,\n isEmployee: false,\n isRewash: false,\n totalManualDiscount: \"0\",\n totalTaxable: \"0\",\n totalMarkDowns: \"0\",\n totalMarkUps: \"0\",\n subTotal: \"67.99\",\n taxTotal: \"0\",\n orderTotal: \"67.99\",\n submissionAt: \"2020-07-22T16:37:53.586-06:00\",\n submissionTime: \"2020-07-22T16:37:53.586-06:00\",\n createdBy: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n createdIn: \"005694ea-dc67-67e6-fa8b-b05759853830\",\n createdAt: \"2020-07-22T15:37:58.71368645-07:00\",\n updatedBy: \"f5dcc5f3-502e-5801-9e47-cdbfb972080c\",\n updatedIn: \"005694ea-dc67-67e6-fa8b-b05759853830\",\n updatedAt: \"2020-07-22T15:37:58.713686377-07:00\",\n holds: [],\n items: [\n MOCK_ORDER_ITEM_1,\n MOCK_ORDER_ITEM_2,\n MOCK_ORDER_ITEM_3,\n MOCK_ORDER_ITEM_4,\n ],\n markDowns: [],\n markUps: [],\n payments: [\n {\n orderPaymentId: \"2f9da02f-6fce-48c5-80ba-7854b2678d3d\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n paymentAmount: 1,\n paymentStatus: \"PAID\",\n paymentId: \"pi_1HAJcWD1Fv1TB63CckfJzeEY\",\n paymentType: \"CREDIT\",\n last4: \"4444\",\n expiresMonth: \"12\",\n expiresYear: \"2022\",\n },\n {\n orderPaymentId: \"ee8af4f1-e409-446b-adb9-5d0a33023d53\",\n orderId: \"e22d16b6-e3ca-453c-88a4-d1f3087f2bd2\",\n paymentAmount: 0,\n paymentStatus: \"PAID\",\n paymentId: \"pm_1HAJcSD1Fv1TB63C1UD5WqD8\",\n paymentType: \"CREDIT\",\n last4: \"4444\",\n expiresMonth: \"12\",\n expiresYear: \"2022\",\n },\n ],\n};\n\nexport const MOCK_CUSTOMER_PAYMENT_METHOD: CustomerPaymentMethod = {\n customerPaymentId: \"B1751D64-5F9B-49F8-B24E-5E9453C0BDA7\",\n // id: \"B1751D64-5F9B-49F8-B24E-5E9453C0BDA7\",\n brand: \"visa\",\n expMonth: \"04\",\n expYear: \"2024\",\n last4: \"0987\",\n isDefault: true,\n};\n\nexport const MOCK_PRICE_TABLE: RegionMenu = {\n storeId: \"MOCK_STORE_ID\",\n plans: [\n {\n base: {\n itemId: \"GOOD_BASE_ID\",\n myQQName: \"Good - Auto Renew\",\n sku: \"GOOD_SKU\",\n price: \"19.99\",\n },\n flock: {\n itemId: \"GOOD_FLOCK_ID\",\n myQQName: \"Good - Flock Auto Renew\",\n sku: \"GOOD_FLOCK_SKU\",\n },\n myQQShortDisplayName: MockGoodWashLevelName,\n features: [\"Bug Breakdown\", \"Foam Wash\", \"Power Blow Dry\"],\n position: 3,\n washHierarchy: 100,\n availableForPurchase: true,\n washLevelId: \"\",\n backgroundImageUrl: \"\",\n washLevelImageUrl: \"\",\n },\n {\n base: {\n itemId: \"BETTER_BASE_ID\",\n myQQName: \"Better - Auto Renew\",\n sku: \"BETTER_SKU\",\n price: \"29.99\",\n },\n flock: {\n itemId: \"BETTER_FLOCK_ID\",\n myQQName: \"Better - Flock Auto Renew\",\n sku: \"BETTER_FLOCK_SKU\",\n },\n myQQShortDisplayName: MockBetterWashLevelName,\n features: [\n \"Bug Breakdown\",\n \"Foam Wash\",\n \"Power Blow Dry\",\n \"Triple Foam Wash\",\n \"Rain Repellent\",\n \"Wheel Bright & Tire Shine\",\n \"Undercarriage Rust Inhibitor\",\n ],\n position: 2,\n washHierarchy: 200,\n availableForPurchase: false,\n washLevelId: \"65c60175-f52b-47a7-8260-a614f9584d8b\",\n backgroundImageUrl: \"\",\n washLevelImageUrl: \"\",\n },\n {\n base: {\n itemId: \"BEST_BASE_ID\",\n myQQName: \"Best - Auto Renew\",\n sku: \"BEST_SKU\",\n price: \"39.99\",\n },\n flock: {\n itemId: \"BEST_FLOCK_ID\",\n name: \"Best Flock- Auto Renew\",\n myQQName: \"Best Flock - Auto Renew\",\n sku: \"BEST_FLOCK_SKU\",\n price: \"19.99\",\n },\n myQQShortDisplayName: MockBestWashLevelName,\n features: [\n \"Bug Breakdown\",\n \"Foam Wash\",\n \"Power Blow Dry\",\n \"Triple Foam Wash\",\n \"Rain Repellent\",\n \"Wheel Bright & Tire Shine\",\n \"Undercarriage Rust Inhibitor\",\n \"3-Step Paint Sealant Process\",\n \"Duck Bath\",\n \"Ultra Shine\",\n \"Wax to seal\",\n ],\n position: 1,\n washHierarchy: 300,\n availableForPurchase: true,\n washLevelId: \"\",\n backgroundImageUrl: \"\",\n washLevelImageUrl: \"\",\n },\n {\n base: {\n itemId: \"CERAMIC_BASE_ID\",\n myQQName: \"Ceramic - Auto Renew\",\n sku: \"CERAMIC_SKU\",\n price: \"49.99\",\n },\n flock: {\n itemId: \"CERAMIC_FLOCK_ID\",\n name: \"CERAMIC Flock- Auto Renew\",\n myQQName: \"Ceramic Flock - Auto Renew\",\n sku: \"CERAMIC_FLOCK_SKU\",\n price: \"19.99\",\n },\n myQQShortDisplayName: MockCeramicWashLevelName,\n features: [\n \"Bug Breakdown\",\n \"Foam Wash\",\n \"Power Blow Dry\",\n \"Triple Foam Wash\",\n \"Rain Repellent\",\n \"Wheel Bright & Tire Shine\",\n \"Undercarriage Rust Inhibitor\",\n \"3-Step Paint Sealant Process\",\n \"Duck Bath\",\n \"Ultra Shine\",\n \"Wax to seal\",\n \"Ceramic\",\n ],\n position: 0,\n washHierarchy: 400,\n availableForPurchase: true,\n washLevelId: \"\",\n backgroundImageUrl: \"\",\n washLevelImageUrl: \"\",\n },\n ],\n};\n\nexport const MOCK_PRICE_TABLE_WITHOUT_PRICE: RegionMenu = {\n storeId: \"MOCK_STORE_ID\",\n plans: [\n {\n base: {\n itemId: \"GOOD_BASE_ID\",\n myQQName: \"Good - Auto Renew\",\n sku: \"GOOD_SKU\",\n },\n flock: {\n itemId: \"GOOD_FLOCK_ID\",\n myQQName: \"Good - Flock Auto Renew\",\n sku: \"GOOD_FLOCK_SKU\",\n },\n myQQShortDisplayName: MockGoodWashLevelName,\n features: [\"Bug Breakdown\", \"Foam Wash\", \"Power Blow Dry\"],\n position: 3,\n washHierarchy: 100,\n availableForPurchase: true,\n washLevelId: \"\",\n backgroundImageUrl: \"\",\n washLevelImageUrl: \"\",\n },\n {\n base: {\n itemId: \"BETTER_BASE_ID\",\n myQQName: \"Better - Auto Renew\",\n sku: \"BETTER_SKU\",\n },\n flock: {\n itemId: \"BETTER_FLOCK_ID\",\n myQQName: \"Better - Flock Auto Renew\",\n sku: \"BETTER_FLOCK_SKU\",\n },\n myQQShortDisplayName: MockBetterWashLevelName,\n features: [\n \"Bug Breakdown\",\n \"Foam Wash\",\n \"Power Blow Dry\",\n \"Triple Foam Wash\",\n \"Rain Repellent\",\n \"Wheel Bright & Tire Shine\",\n \"Undercarriage Rust Inhibitor\",\n ],\n position: 2,\n washHierarchy: 200,\n availableForPurchase: false,\n washLevelId: \"65c60175-f52b-47a7-8260-a614f9584d8b\",\n backgroundImageUrl: \"\",\n washLevelImageUrl: \"\",\n },\n {\n base: {\n itemId: \"BEST_BASE_ID\",\n myQQName: \"Best - Auto Renew\",\n sku: \"BEST_SKU\",\n },\n flock: {\n itemId: \"BEST_FLOCK_ID\",\n name: \"Best Flock- Auto Renew\",\n myQQName: \"Best Flock - Auto Renew\",\n sku: \"BEST_FLOCK_SKU\",\n },\n myQQShortDisplayName: MockBestWashLevelName,\n features: [\n \"Bug Breakdown\",\n \"Foam Wash\",\n \"Power Blow Dry\",\n \"Triple Foam Wash\",\n \"Rain Repellent\",\n \"Wheel Bright & Tire Shine\",\n \"Undercarriage Rust Inhibitor\",\n \"3-Step Paint Sealant Process\",\n \"Duck Bath\",\n \"Ultra Shine\",\n \"Wax to seal\",\n ],\n position: 1,\n washHierarchy: 300,\n availableForPurchase: true,\n washLevelId: \"\",\n backgroundImageUrl: \"\",\n washLevelImageUrl: \"\",\n },\n {\n base: {\n itemId: \"CERAMIC_BASE_ID\",\n myQQName: \"Ceramic - Auto Renew\",\n sku: \"CERAMIC_SKU\",\n },\n flock: {\n itemId: \"CERAMIC_FLOCK_ID\",\n name: \"CERAMIC Flock- Auto Renew\",\n myQQName: \"Ceramic Flock - Auto Renew\",\n sku: \"CERAMIC_FLOCK_SKU\",\n },\n myQQShortDisplayName: MockCeramicWashLevelName,\n features: [\n \"Bug Breakdown\",\n \"Foam Wash\",\n \"Power Blow Dry\",\n \"Triple Foam Wash\",\n \"Rain Repellent\",\n \"Wheel Bright & Tire Shine\",\n \"Undercarriage Rust Inhibitor\",\n \"3-Step Paint Sealant Process\",\n \"Duck Bath\",\n \"Ultra Shine\",\n \"Wax to seal\",\n \"Ceramic\",\n ],\n position: 0,\n washHierarchy: 400,\n availableForPurchase: true,\n washLevelId: \"\",\n backgroundImageUrl: \"\",\n washLevelImageUrl: \"\",\n },\n ],\n};\n\nexport const MOCK_PROMO = {\n couponId: \"d6766937-f0e9-408c-a7d5-ae78a59f6c02\",\n couponType: \"TRIAL SUBSCRIPTION\",\n serialNo: \"8001739\",\n name: \"600 | Entertainment Book Offer (Half Off ANY Single)\",\n markDownId: \"487277fa-ade7-4fd1-af7e-5d297a51853b\",\n singleUse: false,\n totalIssued: 0,\n maxRedemptions: 0,\n remainingRedemptions: 0,\n limitRedemptions: false,\n durationQty: 30,\n isActive: true,\n effectiveAt: \"2020-06-02T17:00:00-07:00\",\n expiresAt: \"2020-09-01T01:00:00-07:00\",\n};\n\nexport const MOCK_SUBSCRIPTION: SubscriptionDetail = {\n renewalDate: \"2020-07-21T01:06:52.783Z\",\n renewalAmount: \"19.99\",\n discountAmount: \"0.00\",\n renewalAmountBeforeDiscount: \"19.99\",\n subscriptionItems: [\n {\n itemId: \"3368999f-28e4-5c19-bc60-98c6a24f71cd\",\n name: \"Better 30 Day Subscription\",\n sku: \"SUB-MB-P-030\",\n amount: \"24.99\",\n quantity: 1,\n itemType: SubscriptionItemTypeEnum.base,\n },\n {\n itemId: \"0f64bb6c-325e-5c7f-a0bc-335e60c938d1\",\n name: \"Better 30 Day Subscription Flock\",\n sku: \"SUB-FLOCK-MB-P-030\",\n amount: \"15\",\n quantity: 1,\n itemType: SubscriptionItemTypeEnum.flock,\n },\n ],\n vehicles: MOCK_VEHICLES,\n status: \"past_due\",\n stripeSubscription: {\n cancel_at_period_end: false,\n cancel_at: null,\n } as Stripe.Subscription,\n washLevelId: \"65c60175-f52b-47a7-8260-a614f9584d8b\",\n myQQShortDisplayName: \"better\",\n regionNumber: \"72\",\n};\n\nexport const MOCK_REGIONS = [\n {\n regionId: \"e8497eef-cd28-5a60-ba47-6ec9531e2025\",\n regionNumber: \"06\",\n name: \"CA - Sacramento\",\n state: \"CA\",\n timeZone: \"America/Los_Angeles\",\n createdAt: \"2019-05-24T05:29:44.686118Z\",\n updatedAt: \"2019-05-24T05:29:44.686118Z\",\n },\n {\n regionId: \"5fd2aa8a-71f5-5f40-993c-c41d79ac2ed8\",\n regionNumber: \"99\",\n name: \"Service Center\",\n state: \"CA\",\n timeZone: \"America/Los_Angeles\",\n createdAt: \"2019-05-24T05:29:44.616884Z\",\n updatedAt: \"2019-05-24T05:29:44.616884Z\",\n },\n {\n regionId: \"7f6d7bae-f35d-5846-9f0f-5b87644b6a94\",\n regionNumber: \"03\",\n name: \"CA - Coachella Valley\",\n state: \"CA\",\n timeZone: \"America/Los_Angeles\",\n createdAt: \"2019-05-24T05:29:44.686094Z\",\n updatedAt: \"2019-05-24T05:29:44.686094Z\",\n },\n {\n regionId: \"408e52a1-b0bc-5dcc-a589-5ea95caf56dc\",\n regionNumber: \"01\",\n name: \"TX - Amarillo\",\n state: \"TX\",\n timeZone: \"America/Chicago\",\n createdAt: \"2019-05-24T05:29:44.686056Z\",\n updatedAt: \"2019-05-24T05:29:44.686056Z\",\n },\n {\n regionId: \"ca5b1793-e4e1-524d-bc76-e3938ec24601\",\n regionNumber: \"02\",\n name: \"TX - Houston\",\n state: \"TX\",\n timeZone: \"America/Chicago\",\n createdAt: \"2019-05-24T05:29:44.686031Z\",\n updatedAt: \"2019-05-24T05:29:44.686031Z\",\n },\n {\n regionId: \"52d1a192-8401-5400-96e8-3012cc81865c\",\n regionNumber: \"04\",\n name: \"CA - Inland Empire\",\n state: \"CA\",\n timeZone: \"America/Los_Angeles\",\n createdAt: \"2019-05-24T05:29:44.686212Z\",\n updatedAt: \"2019-05-24T05:29:44.686212Z\",\n },\n {\n regionId: \"e16d92de-07ad-53f2-8ec1-9838dd12205d\",\n regionNumber: \"05\",\n name: \"UT - Utah\",\n state: \"UT\",\n timeZone: \"America/Denver\",\n createdAt: \"2019-05-24T05:29:44.68616Z\",\n updatedAt: \"2019-05-24T05:29:44.686161Z\",\n },\n {\n regionId: \"2cbc6b9c-d22f-5c12-a509-682e77c6f8d4\",\n regionNumber: \"07\",\n name: \"CO - Colorado Springs\",\n state: \"CO\",\n timeZone: \"America/Denver\",\n createdAt: \"2019-05-24T05:29:44.686072Z\",\n updatedAt: \"2019-05-24T05:29:44.686072Z\",\n },\n {\n regionId: \"bc6141e0-8428-5f97-a237-b5e237bb41b5\",\n regionNumber: \"08\",\n name: \"CA - Bay Area\",\n state: \"CA\",\n timeZone: \"America/Los_Angeles\",\n createdAt: \"2019-05-24T05:29:44.686197Z\",\n updatedAt: \"2019-05-24T05:29:44.686197Z\",\n },\n {\n regionId: \"8e96af37-2996-5471-a339-aeb81ebe90fd\",\n regionNumber: \"11\",\n name: \"TX - Lubbock\",\n state: \"TX\",\n timeZone: \"America/Chicago\",\n createdAt: \"2019-05-24T05:29:44.686008Z\",\n updatedAt: \"2019-05-24T05:29:44.686008Z\",\n },\n {\n regionId: \"1d2f37a3-973f-5dc8-8e67-5b715d74ff99\",\n regionNumber: \"09\",\n name: \"AZ - Arizona\",\n state: \"AZ\",\n timeZone: \"America/Chicago\",\n createdAt: \"2019-05-24T05:29:44.686176Z\",\n updatedAt: \"2019-05-24T05:29:44.686176Z\",\n },\n {\n regionId: \"a8f37ee3-f2c0-02bf-e67e-7d5892ed171a\",\n regionNumber: \"12\",\n name: \"Corpus Christi\",\n state: \"TX\",\n timeZone: \"America/Chicago\",\n createdBy: \"8afb0866-19f1-4691-a302-78c64781c459\",\n createdAt: \"2020-01-30T21:23:55.031658Z\",\n updatedBy: \"8afb0866-19f1-4691-a302-78c64781c459\",\n updatedAt: \"2020-01-30T21:23:55.039514Z\",\n },\n];\n\nexport const MOCK_ACCOUNT_CHECK: AccountCheckResponse = {\n type: \"found_one_no_link\",\n ...MOCK_PROFILE,\n stripeSubscription: MOCK_SUBSCRIPTION,\n};\n\n/**\n * Account Info\n */\nexport const MOCK_ACCOUNT_INFO: AccountInfoResponse = {\n account: {\n account: MOCK_ACCOUNT,\n activeCoupons: MOCK_ACTIVE_COUPONS,\n vehicles: MOCK_VEHICLES,\n stripeSubscription: {\n currentPeriodEnd: \"0\",\n currentPeriodStart: \"0\",\n invoiceAmount: \"19.99\",\n invoiceId: \"FAKE\",\n status: StripeStatusEnum.ACTIVE,\n stripeVehicles: MOCK_VEHICLES,\n upcomingInvoice: null,\n cancelAtPeriodEnd: false,\n },\n },\n profile: MOCK_PROFILE.profile,\n};\n\n// URI prefixes for social media sites\nexport const SOCIAL_MEDIA_LINKS = {\n instagram: \"https://www.instagram.com/\",\n facebook: \"https://www.facebook.com/\",\n snapchat: \"https://www.snapchat.com/add/\",\n twitter: \"https://www.twitter.com/\",\n youtube: \"https://www.youtube.com/user/\",\n};\n\nexport const MOCK_PROMO_DETAILS = {\n code: \"promo\",\n} as PromoDetails;\n\nexport const MOCK_PLAN_SPECIFIC_UPGRADE_DETAILS = {\n code: \"\",\n autoApplyOrderTypes: [\"UPGRADESUBSCRIPTION\"],\n planSpecificOverride: [\n {\n position: 0,\n type: \"CERAMIC\",\n svg: MockPlansPromoSvg,\n serialNo: \"FREECERAMICUPGRADE\",\n sku: \"SUB-MB-R-030\",\n },\n ],\n companyWidePromo: true,\n autoApplyEffectiveAt: \"2023-05-01T00:00:00-07:00\",\n autoApplyExpiresAt: \"2023-08-14T23:59:59-07:00\",\n};\n\nexport const MOCK_ACCOUNT_QUOTA: AccountQuota = {\n quotaAllowed: 2,\n quotaConsumed: 0,\n};\n\nexport const MOCK_SWAP_REASONS: SwapReason[] = [\n {\n id: \"f30a2a23-6918-4575-9cac-b2c2710c6fbc\",\n name: \"Received new plates\",\n description: \"\",\n quotaConsumed: 1,\n },\n {\n id: \"b1e59eea-6a9a-4fd7-887c-1b265daf0c1f\",\n name: \"Bought new car\",\n description: \"\",\n quotaConsumed: 1,\n },\n {\n id: \"8c9c36c7-4ec9-4526-abc9-dc7430a08618\",\n name: \"Transfer membership to another car\",\n description: \"\",\n quotaConsumed: 1,\n },\n];\n\nexport const MOCK_VEHICLE_SWAP_RESPONSE: VehicleSwapResponse = {\n currentVehicleId: \"f43bf551-a149-4dc0-9790-ab58758f5317\",\n newVehicleId: \"92a7c406-7ded-4fee-8b69-0c8ae8ce5745\",\n quotaConsumed: {\n quotaAllowed: 2,\n quotaConsumed: 1,\n },\n};\n\nexport const MOCK_CANCEL_REASONS: CancelReason[] = [\n { message: \"I moved\", code: \"MOVED\" },\n { message: \"I no longer use the membership on this car\", code: \"NONUSE\" },\n { message: \"I sold this car\", code: \"SOLDCAR\" },\n { message: \"This car is damaged\", code: \"DAMAGED\" },\n { message: \"This car has been modified \", code: \"INCOMPATIBLE\" },\n { message: \"Weather has kept me from using the wash\", code: \"WEATHER\" },\n { message: \"I’m unsatisfied with my wash experience\", code: \"UNSATISFIED\" },\n { message: \"This is too expensive\", code: \"FINANCIAL\" },\n { message: \"I added this car by mistake\", code: \"SIGNUPERROR\" },\n { message: \"Other\", code: \"OTHER\" },\n];\n\nexport const MOCK_GRANDOPENING_PROMO = {\n code: \"COSPRINGS\",\n disclaimer:\n \"Requires $1 activation fee. Valid at participating locations only. Requires autopay. After 30 days, card will be charged regular membership rate based on the plan selected. Early termination fee may apply. Offer subject to change, see email for expiration date.\",\n customOverride: MockPlansPromoSvg,\n grandOpening: true,\n grandOpeningHomeStoreId: \"3817533e-1950-4636-982b-f8972b52e7bb\",\n autoApplyOrderTypes: [OrderTypesEnum.NEWMEMBERSHIP],\n crossOutDefaultPrice: true,\n planSpecificOverride: [\n {\n position: 0,\n type: \"good\",\n serialNo: \"COSPRINGS\",\n fixedBasePrice: \"1\",\n fixedFlockPrice: \"1\",\n sku: \"SUB-MB-S-030\",\n },\n {\n position: 0,\n type: \"better\",\n serialNo: \"COSPRINGS\",\n fixedBasePrice: \"1\",\n fixedFlockPrice: \"1\",\n sku: \"SUB-MB-P-030\",\n },\n {\n position: 0,\n type: \"best\",\n serialNo: \"COSPRINGS\",\n fixedBasePrice: \"1\",\n fixedFlockPrice: \"1\",\n sku: \"SUB-MB-T-030\",\n },\n {\n position: 0,\n type: \"ceramic\",\n serialNo: \"COSPRINGS\",\n fixedBasePrice: \"1\",\n fixedFlockPrice: \"1\",\n sku: \"SUB-MB-R-030\",\n },\n ],\n companyWidePromo: true,\n autoApplyEffectiveAt: null,\n autoApplyExpiresAt: null,\n};\n\nexport const MOCK_FLOCK_ONLY_PROMO = {\n code: \"QQFAST\",\n disclaimer: \"\",\n autoApplyOrderTypes: [OrderTypesEnum.ADDMEMBERSHIP],\n crossOutDefaultPrice: false,\n VehiclePageSvg: MockPlansPromoSvg,\n planSpecificOverride: [\n {\n position: 0,\n type: \"good\",\n serialNo: \"QQFAST\",\n sku: \"SUB-MB-S-030\",\n },\n {\n position: 0,\n type: \"better\",\n serialNo: \"QQFAST\",\n\n sku: \"SUB-MB-P-030\",\n },\n {\n position: 0,\n type: \"best\",\n serialNo: \"QQFAST\",\n sku: \"SUB-MB-T-030\",\n },\n {\n position: 0,\n type: \"ceramic\",\n serialNo: \"QQFAST\",\n sku: \"SUB-MB-R-030\",\n },\n ],\n companyWidePromo: true,\n autoApplyEffectiveAt: null,\n autoApplyExpiresAt: null,\n};\n\nexport const MOCK_FLOCK_AND_NEW_MEMBERSHIP_PROMO = {\n code: \"QQFAST\",\n disclaimer: \"\",\n customOverride: MockPlansPromoSvg,\n autoApplyOrderTypes: [OrderTypesEnum.ADDMEMBERSHIP],\n crossOutDefaultPrice: false,\n VehiclePageSvg: MockPlansPromoSvg,\n planSpecificOverride: [\n {\n position: 0,\n type: \"good\",\n serialNo: \"QQFAST\",\n sku: \"SUB-MB-S-030\",\n },\n {\n position: 0,\n type: \"better\",\n serialNo: \"QQFAST\",\n\n sku: \"SUB-MB-P-030\",\n },\n {\n position: 0,\n type: \"best\",\n serialNo: \"QQFAST\",\n sku: \"SUB-MB-T-030\",\n },\n {\n position: 0,\n type: \"ceramic\",\n serialNo: \"QQFAST\",\n sku: \"SUB-MB-R-030\",\n },\n ],\n companyWidePromo: true,\n autoApplyEffectiveAt: null,\n autoApplyExpiresAt: null,\n};\n\nexport const MOCK_B2B_BENEFIT = {\n companyName: \"Corwin Inc\",\n contractDescription: \"50% off 1 vehicle\",\n planSpecificBenefit: [\n {\n benefitDescription: \"\",\n contractId: \"\",\n crossOutBasePrice: true,\n itemId: \"\",\n sku: \"\",\n },\n ],\n};\n","function e(e) {\n this.message = e;\n}\ne.prototype = new Error(), e.prototype.name = \"InvalidCharacterError\";\nvar r = \"undefined\" != typeof window && window.atob && window.atob.bind(window) || function (r) {\n var t = String(r).replace(/=+$/, \"\");\n if (t.length % 4 == 1) throw new e(\"'atob' failed: The string to be decoded is not correctly encoded.\");\n for (var n, o, a = 0, i = 0, c = \"\"; o = t.charAt(i++); ~o && (n = a % 4 ? 64 * n + o : o, a++ % 4) ? c += String.fromCharCode(255 & n >> (-2 * a & 6)) : 0) o = \"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=\".indexOf(o);\n return c;\n};\nfunction t(e) {\n var t = e.replace(/-/g, \"+\").replace(/_/g, \"/\");\n switch (t.length % 4) {\n case 0:\n break;\n case 2:\n t += \"==\";\n break;\n case 3:\n t += \"=\";\n break;\n default:\n throw \"Illegal base64url string!\";\n }\n try {\n return function (e) {\n return decodeURIComponent(r(e).replace(/(.)/g, function (e, r) {\n var t = r.charCodeAt(0).toString(16).toUpperCase();\n return t.length < 2 && (t = \"0\" + t), \"%\" + t;\n }));\n }(t);\n } catch (e) {\n return r(t);\n }\n}\nfunction n(e) {\n this.message = e;\n}\nfunction o(e, r) {\n if (\"string\" != typeof e) throw new n(\"Invalid token specified\");\n var o = !0 === (r = r || {}).header ? 0 : 1;\n try {\n return JSON.parse(t(e.split(\".\")[o]));\n } catch (e) {\n throw new n(\"Invalid token specified: \" + e.message);\n }\n}\nn.prototype = new Error(), n.prototype.name = \"InvalidTokenError\";\nexport default o;\nexport { n as InvalidTokenError };\n","import { Inject, Injectable } from \"@angular/core\";\nimport { Router, RouterStateSnapshot } from \"@angular/router\";\nimport { Store } from \"@ngrx/store\";\nimport { BehaviorSubject, fromEvent, merge, of, timer } from \"rxjs\";\nimport {\n distinctUntilChanged,\n filter,\n map,\n mapTo,\n skip,\n switchMap,\n take,\n} from \"rxjs/operators\";\n\nimport jwt_decode from \"jwt-decode\";\nimport { KeycloakTokenParsed, KeycloakInstance } from \"keycloak-js\";\nimport { KeycloakService } from \"keycloak-angular\";\n\nimport { environment } from \"src/environments/environment\";\nimport { WINDOW } from \"./window.service\";\nimport { selectKeycloakInitialized } from \"../ngrx/ui\";\n\nconst refreshTokenKey = environment.refreshTokenKey;\ntype Status = \"online\" | \"offline\" | \"login\" | \"logout\";\n\n@Injectable({\n providedIn: \"root\",\n})\nexport class OfflineAuthService {\n private _online$: BehaviorSubject = new BehaviorSubject(\n this.window?.navigator?.onLine\n );\n private _access$: BehaviorSubject = new BehaviorSubject(null);\n private _auth$: BehaviorSubject = new BehaviorSubject(null).pipe(\n skip(1)\n ) as BehaviorSubject;\n state: RouterStateSnapshot;\n\n keycloakInstance: KeycloakInstance;\n\n private keycloakInitialized = true;\n\n constructor(\n private keycloak: KeycloakService,\n private router: Router,\n private store$: Store,\n @Inject(WINDOW) private window: Window\n ) {\n merge(\n this.store$.select(selectKeycloakInitialized).pipe(\n filter((init) => init !== null),\n take(1)\n ),\n timer(5000).pipe(mapTo(false))\n )\n .pipe(take(1))\n .subscribe((init) => {\n this.keycloakInstance = keycloak.getKeycloakInstance();\n this.keycloakInitialized = init || !!this.keycloakInstance;\n if (this.keycloakInitialized) {\n this.afterGettingKeycloakInstance();\n } else {\n // handle rare case where keycloak is not fully initialized before this service is created.\n let timeout = 1;\n let retries = 0;\n const retryKeycloak = () =>\n setTimeout(() => {\n this.keycloakInstance = keycloak.getKeycloakInstance();\n if (this.keycloakInstance) {\n this.keycloakInitialized = true;\n this.afterGettingKeycloakInstance();\n } else if (retries++ < 3) {\n timeout *= 10;\n retryKeycloak();\n }\n }, timeout);\n\n retryKeycloak();\n }\n });\n this.state = this.router.routerState.snapshot;\n\n // Monitor online status\n merge(\n fromEvent(this.window, \"online\").pipe(mapTo(true)),\n fromEvent(this.window, \"offline\").pipe(mapTo(false))\n ).subscribe((online) => this._online$.next(online));\n\n // Monitor keycloak & online status changes\n merge(\n this.store$.select(selectKeycloakInitialized).pipe(\n filter((init) => init),\n switchMap(() =>\n of(this.keycloak.isLoggedIn()).pipe(\n map((loggedIn) => (loggedIn ? \"login\" : \"logout\"))\n )\n )\n ),\n\n this._auth$.pipe(\n distinctUntilChanged(),\n map((loggedIn) => (loggedIn ? \"login\" : \"logout\"))\n ),\n this._online$.pipe(\n skip(1),\n distinctUntilChanged(),\n map((online) => (online ? \"online\" : \"offline\"))\n )\n ).subscribe((status: Status) => this.handleAllowAccessStatusChange(status));\n }\n\n afterGettingKeycloakInstance() {\n if (this.keycloakInstance.authenticated) {\n this._auth$.next(true);\n }\n this.handleKeycloakCallbacks();\n }\n\n handleKeycloakCallbacks() {\n // onAuthRefreshError was already assigned in keycloak init\n // override but keep base function.\n const baseOnAuthRefreshError = this.keycloakInstance.onAuthRefreshError;\n this.keycloakInstance.onAuthRefreshError = () => {\n this.handleAuthRefreshFailure();\n\n return baseOnAuthRefreshError();\n };\n this.keycloakInstance.onAuthSuccess = () => this._auth$.next(true);\n this.keycloakInstance.onAuthError = () => this._auth$.next(false);\n this.keycloakInstance.onAuthLogout = () => this._auth$.next(false);\n }\n\n handleAllowAccessStatusChange(status: Status) {\n // When online status changes or a login/logout event happens, reset allowAccess$ accordingly`\n if (!this.keycloakInitialized) {\n // Handle the case where we skipped keycloak initialization because the app was offline\n this.attemptReauth();\n }\n if (status === \"login\") {\n this._access$.next(true);\n\n return;\n }\n this.loggedIn\n .then((loggedIn) => {\n if (loggedIn) {\n this._access$.next(true);\n\n return;\n }\n\n switch (status) {\n case \"offline\":\n this._access$.next(\n this.savedRefreshToken.exists &&\n !this.isRefreshTokenExpired(this.savedRefreshToken.parsed)\n );\n\n break;\n case \"online\":\n this.attemptReauth().then(() => {\n this._access$.next(this.keycloak.isLoggedIn());\n });\n\n break;\n case \"logout\":\n this._access$.next(false);\n\n break;\n }\n })\n .catch((e) => {\n this._access$.next(\n !this._online$.value &&\n this.savedRefreshToken.exists &&\n !this.isRefreshTokenExpired(this.savedRefreshToken.parsed)\n );\n });\n }\n\n handleAuthRefreshFailure() {\n if (\n !this._online$.value &&\n this.keycloakInstance?.refreshToken &&\n !this.isRefreshTokenExpired(this.keycloakInstance?.refreshTokenParsed)\n ) {\n this.window.sessionStorage?.setItem?.(\n refreshTokenKey,\n this.keycloakInstance.refreshToken\n );\n }\n }\n\n get online$(): BehaviorSubject {\n return this._online$;\n }\n\n get loggedIn(): Promise {\n return new Promise(() => {\n this.keycloak.isLoggedIn();\n });\n }\n\n get allowAccess$(): BehaviorSubject {\n return this._access$;\n }\n\n get savedRefreshToken() {\n const rt: string = this.window?.sessionStorage?.getItem?.(refreshTokenKey);\n\n const ret: {\n exists: boolean;\n raw?: string;\n parsed?: KeycloakTokenParsed;\n } = { exists: !!rt };\n\n if (ret.exists) {\n ret.raw = rt;\n ret.parsed = jwt_decode(rt);\n }\n\n return ret;\n }\n\n async attemptReauth(): Promise {\n if (this._online$.value || !this.keycloakInitialized) {\n const updated = await this.keycloak.updateToken(-1).catch(() => false);\n return !!updated;\n }\n\n return false;\n }\n\n isRefreshTokenExpired(parsedToken: KeycloakTokenParsed) {\n if (!parsedToken?.iat) {\n return true;\n }\n\n const issued = new Date(parsedToken.iat);\n const expires = new Date();\n expires.setDate(\n issued.getDate() + environment.keycloak.offlineTokenDuration\n );\n\n const expired = expires < new Date();\n\n if (expired) {\n this.window?.sessionStorage?.removeItem(refreshTokenKey);\n }\n\n return expired;\n }\n\n isSavedTokenValid() {\n return (\n this.savedRefreshToken.exists &&\n !this.isRefreshTokenExpired(this.savedRefreshToken.parsed)\n );\n }\n}\n","import { Inject, Injectable } from \"@angular/core\";\nimport { HttpClient } from \"@angular/common/http\";\nimport { MatDialog } from \"@angular/material/dialog\";\nimport { Router } from \"@angular/router\";\n\nimport { Store as NgrxStore } from \"@ngrx/store\";\n\nimport { EMPTY, Observable, of, throwError } from \"rxjs\";\nimport { delay } from \"rxjs/operators\";\nimport { some, none } from \"fp-ts/es6/Option\";\nimport { Decoder } from \"io-ts/lib/Decoder\";\n\nimport { environment } from \"src/environments/environment\";\nimport { shortid } from \"@qqcw/qqsystem-util\";\n\nimport { MyQQService } from \"./myqq.service\";\nimport {\n Vehicle,\n Order,\n OrderHeader,\n CustomerPaymentMethod,\n GetProfileResponse,\n QsysProfile,\n Account,\n PostCalculateOrderRequest,\n PostCalculateOrderResponse,\n PostSubmitOrderRequest,\n PostSubmitOrderResponse,\n GetSubscriptionResponse,\n Promo,\n Region,\n AccountCheckResponse,\n AccountInfoResponse,\n PayInvoiceResponse,\n PostPaymentMethodResponse,\n PostPaymentMethodRequest,\n AccountCheckLast4PlateRequest,\n Store,\n PromoDetails,\n AccountQuota,\n SwapReason,\n VehicleSwapRequest,\n VehicleSwapResponse,\n RegionMenu,\n AppVersion,\n OrderSearchResult,\n MarketingContent,\n B2bBenefit,\n KustomerResponse,\n FriendBuyAuthResponse,\n} from \"./myqq.models\";\nimport {\n MOCK_STORE,\n MOCK_ORDER_HEADER_1,\n MOCK_ORDER_HEADER_2,\n MOCK_ORDER_HEADER_3,\n MOCK_ORDER_HEADER_4,\n MOCK_ORDER_1,\n MOCK_CUSTOMER_PAYMENT_METHOD,\n MOCK_VEHICLES,\n MOCK_ACCOUNT,\n MOCK_QSYS_ACCOUNT,\n MOCK_PRICE_TABLE,\n MOCK_SUBSCRIPTION,\n MOCK_PROMO,\n MOCK_REGIONS,\n MOCK_ACCOUNT_INFO,\n MOCK_PROMO_DETAILS,\n MOCK_ACCOUNT_QUOTA,\n MOCK_SWAP_REASONS,\n MOCK_VEHICLE_SWAP_RESPONSE,\n MOCK_CANCEL_REASONS,\n MOCK_PRICE_TABLE_WITHOUT_PRICE,\n MOCK_GRANDOPENING_PROMO,\n MOCK_B2B_BENEFIT,\n} from \"./myqq.consts\";\nimport { PaymentMethod } from \"src/app/shared/modules/stripe/stripe-definitions/payment-method\";\nimport { WINDOW } from \"../window.service\";\nimport { OfflineAuthService } from \"../offline-auth.service\";\n\n/**\n * Local Cache\n */\nconst orders: OrderHeader[] = [\n MOCK_ORDER_HEADER_1,\n MOCK_ORDER_HEADER_2,\n MOCK_ORDER_HEADER_3,\n MOCK_ORDER_HEADER_4,\n MOCK_ORDER_HEADER_1,\n MOCK_ORDER_HEADER_2,\n {\n ...MOCK_ORDER_HEADER_1,\n submissionAt: \"2020-07-16T00:00:00Z\",\n submissionTime: \"2020-07-16T17:29:04Z\",\n },\n {\n ...MOCK_ORDER_HEADER_2,\n submissionAt: \"2020-07-16T00:00:00Z\",\n submissionTime: \"2020-07-16T17:29:04Z\",\n },\n {\n ...MOCK_ORDER_HEADER_3,\n submissionAt: \"2020-07-16T00:00:00Z\",\n submissionTime: \"2020-07-16T17:29:04Z\",\n },\n {\n ...MOCK_ORDER_HEADER_4,\n submissionAt: \"2020-07-16T00:00:00Z\",\n submissionTime: \"2020-07-16T17:29:04Z\",\n },\n {\n ...MOCK_ORDER_HEADER_1,\n submissionAt: \"2020-08-16T00:00:00Z\",\n submissionTime: \"2020-08-16T17:29:04Z\",\n },\n {\n ...MOCK_ORDER_HEADER_2,\n submissionAt: \"2020-08-16T00:00:00Z\",\n submissionTime: \"2020-08-16T17:29:04Z\",\n },\n {\n ...MOCK_ORDER_HEADER_3,\n submissionAt: \"2020-08-16T00:00:00Z\",\n submissionTime: \"2020-08-16T17:29:04Z\",\n },\n {\n ...MOCK_ORDER_HEADER_4,\n submissionAt: \"2020-08-16T00:00:00Z\",\n submissionTime: \"2020-08-16T17:29:04Z\",\n },\n {\n ...MOCK_ORDER_HEADER_1,\n submissionAt: \"2020-10-16T00:00:00Z\",\n submissionTime: \"2020-10-16T17:29:04Z\",\n },\n {\n ...MOCK_ORDER_HEADER_2,\n submissionAt: \"2020-10-16T00:00:00Z\",\n submissionTime: \"2020-10-16T17:29:04Z\",\n },\n {\n ...MOCK_ORDER_HEADER_3,\n submissionAt: \"2020-10-16T00:00:00Z\",\n submissionTime: \"2020-10-16T17:29:04Z\",\n },\n {\n ...MOCK_ORDER_HEADER_4,\n submissionAt: \"2020-10-16T00:00:00Z\",\n submissionTime: \"2020-10-16T17:29:04Z\",\n },\n];\n\nconst profile: QsysProfile = MOCK_QSYS_ACCOUNT;\nlet account: Account = MOCK_ACCOUNT;\nlet vehicles: Vehicle[] = MOCK_VEHICLES;\nlet b2bBenefit: B2bBenefit = MOCK_B2B_BENEFIT;\nlet paymentMethods: CustomerPaymentMethod[] = [MOCK_CUSTOMER_PAYMENT_METHOD];\n// let paymentMethods: CustomerPaymentMethod[] = [];\nlet linked = true;\nconst hasMembership = true;\n\nconst getMembership = () =>\n linked\n ? {\n account,\n vehicles,\n activeCoupons: [],\n }\n : undefined;\n\nconst getProfile: () => GetProfileResponse = () => ({\n profile,\n membership: getMembership(),\n});\n\nfunction ofDelay(t: T, delayTimeInMs: number = 500) {\n return of(t).pipe(delay(delayTimeInMs));\n}\n\n/**\n * A Mock Service to Test against\n */\n@Injectable()\nexport class MyQQMockService implements MyQQService {\n readonly url = environment.URLs.MyQQ;\n decodeMap: ({\n decode,\n }: Decoder) => (obs: Observable) => Observable;\n throwAndLogError = (err: any) => err;\n\n handleOfflineGet = () => EMPTY;\n async offlineError() {\n return Promise.resolve();\n }\n\n constructor(\n readonly http: HttpClient,\n readonly router: Router,\n readonly dialogController: MatDialog,\n readonly offlineAuth: OfflineAuthService,\n readonly store$: NgrxStore,\n @Inject(WINDOW) readonly window: Window\n ) {}\n\n /**\n * Profile Endpoints\n */\n getMyProfile(): Observable {\n return ofDelay(getProfile());\n }\n\n newAccount(p: Account) {\n account = p;\n return ofDelay(account);\n }\n\n updateAccount(p: Account): Observable {\n account = { ...account, ...p };\n return ofDelay(account);\n }\n\n /**\n * Guest Account Endpoints\n */\n\n newGuestAccount(p: Account) {\n account = p;\n return ofDelay(account);\n }\n\n postGuestVehicle(vehicle: Partial): Observable {\n const newGuestVehicle = {\n ...vehicle,\n isActive: false,\n vehicleId: shortid(),\n hasMembership: false,\n isTemporaryIdentifier: false,\n verificationCode: \"\",\n };\n vehicles = vehicles.concat(newGuestVehicle);\n return ofDelay(newGuestVehicle);\n }\n\n /**\n * Region Endpoints\n */\n getAllRegions(): Observable[]> {\n return ofDelay(MOCK_REGIONS);\n }\n\n /**\n * Vehicle Endpoints\n */\n getVehicles(): Observable {\n return ofDelay(vehicles);\n }\n\n postVehicle(vehicle: Partial): Observable {\n const newVehicle = {\n ...vehicle,\n isActive: false,\n vehicleId: shortid(),\n hasMembership: false,\n isTemporaryIdentifier: false,\n verificationCode: \"\",\n };\n vehicles = vehicles.concat(newVehicle);\n return ofDelay(newVehicle);\n }\n\n removeVehicle(req: Vehicle): Observable {\n vehicles = vehicles.filter(({ vehicleId }) => vehicleId !== req.vehicleId);\n return ofDelay(undefined);\n }\n\n /**\n * Stripe Subscription\n */\n getMySubscriptions(): Observable {\n return ofDelay(hasMembership ? some(MOCK_SUBSCRIPTION) : none);\n }\n\n /**\n * Orders\n */\n getMyOrders(): Observable {\n return ofDelay({\n orders: [...orders],\n recordCount: 1,\n offset: 0,\n pageSize: 20,\n pageCount: 1,\n pageNo: 1,\n });\n }\n\n getOrderById(orderId: string): Observable {\n return orderId === MOCK_ORDER_1.orderId\n ? ofDelay(MOCK_ORDER_1)\n : throwError(new Error(\"Bad Request\"));\n }\n\n /**\n * Payment Methods\n */\n getMyPaymentMethods(): Observable {\n return ofDelay(paymentMethods);\n }\n postPaymentMethod(\n method: CustomerPaymentMethod\n ): Observable {\n paymentMethods = paymentMethods.concat(method);\n return ofDelay(method);\n }\n newPaymentMethod(\n _: PostPaymentMethodRequest\n ): Observable {\n throw new Error(\"Not Implemented\");\n }\n\n /**\n * Account Linking Methods\n */\n accountLookup(_: PaymentMethod): Observable {\n linked = true;\n return ofDelay({ type: \"found_one_no_link\", ...getProfile() });\n }\n accountLookupLast4Plate(\n _: AccountCheckLast4PlateRequest\n ): Observable {\n linked = true;\n return ofDelay({ type: \"found_one_no_link\", ...getProfile() });\n }\n\n linkAccount(): Observable {\n throw new Error(\"Not implemented!\");\n }\n\n relinkAccount(): Observable {\n throw new Error(\"Not implemented!\");\n }\n /**\n * Get price table\n */\n getPriceTable(): Observable {\n return ofDelay(MOCK_PRICE_TABLE);\n }\n getPriceTableByZip(zip: string): Observable {\n if (!zip || zip == \"\") {\n zip = \"default\";\n return ofDelay(MOCK_PRICE_TABLE_WITHOUT_PRICE);\n }\n return ofDelay(MOCK_PRICE_TABLE);\n }\n\n /**\n * Check if promo code exists\n */\n checkPromoCode(serialNo: string): Observable {\n return ofDelay(serialNo === \"12345\" ? (MOCK_PROMO as Promo) : null);\n }\n\n /**\n * Order Calculate\n */\n calculateOrder(\n _: PostCalculateOrderRequest\n ): Observable {\n return ofDelay(MOCK_ORDER_1);\n }\n\n /**\n * Order Submit\n */\n submitOrder(_: PostSubmitOrderRequest): Observable {\n return throwError(\n new Error(\"Not Implemented: MyQQMockService#submitOrder\")\n );\n }\n\n /**\n * Get AccountInfo New\n */\n accountInfo(): Observable {\n return ofDelay(MOCK_ACCOUNT_INFO);\n }\n\n /*\n * Pay invoice\n */\n payInvoice(_: string): Observable {\n return throwError(new Error(\"Not Implemented: MyQQMockService#payInvoice\"));\n }\n\n /**\n * Store Endpoints\n */\n getAllStores(): Observable {\n return ofDelay([MOCK_STORE]);\n }\n\n /**\n * Promo code Endpoint\n */\n getPromoDetails(_: string): Observable {\n return ofDelay(MOCK_PROMO_DETAILS);\n }\n\n getCompanyWidePromoDetails(): Observable {\n return ofDelay(MOCK_GRANDOPENING_PROMO);\n }\n\n getAccountQuota(): Observable {\n return ofDelay(MOCK_ACCOUNT_QUOTA);\n }\n\n getSwapReasons(): Observable {\n return ofDelay(MOCK_SWAP_REASONS);\n }\n\n swapVehicleOnMembership(\n swapRequest: VehicleSwapRequest\n ): Observable {\n return ofDelay(MOCK_VEHICLE_SWAP_RESPONSE);\n }\n\n patchVehicle(vehicle: Vehicle): Observable {\n return ofDelay(vehicle);\n }\n\n cancelMembership(cancelRequest: {\n cancelReason: \"BLAH\";\n }): Observable<{ subscriptionId: string }> {\n return ofDelay({ subscriptionId: \"e7c95c4d-1845-4447-9e2d-31d4637ba1a5\" });\n }\n\n checkEligibilityForRetentionOffer(\n startTimestamp: number\n ): Observable<{ eligible: boolean }> {\n return ofDelay({ eligible: true });\n }\n\n acceptRetentionOffer(): Observable<{ success: boolean }> {\n return ofDelay({ success: true });\n }\n\n getCancelReasons(): Observable<{ message: string; code: string }[]> {\n return ofDelay(MOCK_CANCEL_REASONS);\n }\n\n getAppMinVersion(): Observable {\n return ofDelay({\n api: \"MISSING\",\n ios: {\n minimum: \"1.0.0\",\n },\n android: {\n minimum: \"1.0.0\",\n },\n web: {\n minimum: \"1.0.0\",\n },\n });\n }\n\n getMarketingContents(): Observable {\n return ofDelay([\n {\n vehiclesPageCardImage:\n \"https://cdn.sanity.io/images/srielb7g/production/4c9aee2de2a39f8226231b87c053adc2bffe6907-680x96.png\",\n isDismissable: true,\n showIfUnauth: false,\n link: \"/vehicles\",\n layout: \"Layout 1\",\n homePageCardImage:\n \"https://cdn.sanity.io/images/srielb7g/production/46421bf45b75997adc1e33f775b202662e801abd-1435x1256.png\",\n },\n ]);\n }\n\n /**\n * B2B Endpoints\n */\n\n getB2bBenefit(): Observable {\n return ofDelay(b2bBenefit);\n }\n\n linkB2cWithCode(): Observable {\n return ofDelay({\n personId: \"1231654\",\n signUpCode: \"33333\",\n });\n }\n\n /**\n * Kustomer Endpoints\n */\n\n sendContactForm(): Observable {\n return ofDelay({\n data: { id: \"\", type: \"\" },\n });\n }\n\n getFriendbuyAuth(): Observable {\n return throwError(new Error(\"Not Implemented: MyQQMockService#payInvoice\"));\n }\n}\n","import { NgModule } from \"@angular/core\";\nimport {\n provideHttpClient,\n withInterceptorsFromDi,\n} from \"@angular/common/http\";\n\nimport { MyQQService } from \"./myqq.service\";\nimport { environment } from \"src/environments/environment\";\nimport { MyQQMockService } from \"./myqq.service.mock\";\n\n/**\n * This module provides the raw http calls to the myqq api microservice.\n */\n@NgModule({\n exports: [],\n declarations: [],\n imports: [],\n providers: [\n {\n provide: MyQQService,\n useClass: environment.useMockHttpServices ? MyQQMockService : MyQQService,\n },\n provideHttpClient(withInterceptorsFromDi()),\n ],\n})\nexport class MyQQServiceModule {}\n","import { RequireSome } from \"@qqcw/qqsystem-util\";\nimport {\n MenuPair,\n MenuItem,\n OrderItem,\n PostCalculateOrderRequest,\n Order,\n OrderTypesEnum,\n Vehicle,\n SubscriptionPlan,\n} from \"src/app/core/services/myqq\";\n\n/**\n * Given a subscription detail and a price menu, return the price menu for\n * the current subscription.\n */\nexport const findMenuPair = (subscriptionPlan: SubscriptionPlan): MenuPair => {\n return {\n base: subscriptionPlan.base,\n flock: subscriptionPlan.flock,\n };\n};\n\n/**\n * Creates order items from a menuItem and a list of vehicles\n */\nexport const vehiclesToOrderItems = (\n { itemId }: MenuItem,\n vehicles: { vehicleId: string }[],\n orderedQty: number = 1\n): RequireSome[] =>\n vehicles.map(({ vehicleId }) => ({ itemId, orderedQty, vehicleId }));\n\n/**\n * Compares current and target subscription type and returns\n * the appropriate orderType\n */\nexport const getOrderType = (\n currentSubscription: SubscriptionPlan,\n targetSubscription: SubscriptionPlan\n): Order[\"orderType\"] => {\n return targetSubscription.washHierarchy > currentSubscription.washHierarchy\n ? OrderTypesEnum.UPGRADESUBSCRIPTION\n : OrderTypesEnum.DOWNGRADESUBSCRIPTION;\n};\n\n/**\n * Build Membership Items from menuPair and vehicle list.\n * Optionally set orderedQty (for removals with value -1)\n */\nexport const buildMembershipItems = (\n { base, flock }: MenuPair,\n vehicles: { vehicleId: string }[],\n orderedQty: number = 1\n): RequireSome[] => {\n const clone = [...vehicles]; // Clone array since we mutate it.\n const baseItems = vehiclesToOrderItems(base, [clone.shift()], orderedQty);\n const flockItems = vehiclesToOrderItems(flock, clone, orderedQty);\n return [...baseItems, ...flockItems];\n};\n\n/**\n * Creates a pending order from a current subscription, the price menu,\n * and a target subscription type\n */\nexport const buildChangeOrder = (\n vehicles: Vehicle[],\n currentSubscription: SubscriptionPlan,\n targetSubscription: SubscriptionPlan\n): RequireSome => {\n const current = findMenuPair(currentSubscription);\n const target = findMenuPair(targetSubscription);\n const orderType = getOrderType(currentSubscription, targetSubscription);\n const removedItems = buildMembershipItems(current, vehicles, -1);\n const addedItems = buildMembershipItems(target, vehicles);\n\n const items = [...removedItems, ...addedItems];\n return { orderType, items };\n};\n","import { Pipe, PipeTransform } from \"@angular/core\";\nimport { Vehicle } from \"src/app/core/services/myqq\";\n\n// todo: replace with actual enum\ntype StateCode = string;\n\nexport interface VehiclePlate {\n license?: string;\n state?: StateCode;\n vin?: string;\n}\n\nexport interface OrderVehiclePlate {\n vehicleLicense?: string;\n vehicleState?: StateCode;\n vehicleVin?: string;\n}\n\n@Pipe({\n name: \"displayVehiclePlate\",\n})\nexport class DisplayVehiclePlatePipe implements PipeTransform {\n transform(vehicleInfo: Vehicle): any {\n return displayVehiclePlate(vehicleInfo as VehiclePlate);\n }\n}\n\n// tslint:disable-next-line: max-classes-per-file\n@Pipe({\n name: \"displayOrderVehiclePlate\",\n})\nexport class DisplayOrderVehiclePlatePipe implements PipeTransform {\n transform(vehicleInfo: Vehicle): any {\n return displayVehiclePlate(vehicleInfo as VehiclePlate);\n }\n}\n\nexport function displayVehiclePlate(\n vehicle: VehiclePlate & { vehicleKey?: string },\n { separator = \" · \" } = {}\n): string {\n return vehicle?.state && vehicle?.license\n ? `${vehicle.state}${separator}${vehicle.license}`\n : vehicle?.vin\n ? `VIN${separator}${vehicle.vin}`\n : reformatVehicleKey(vehicle?.vehicleKey) || \"\";\n}\n\nexport function displayOrderVehiclePlate(\n order: OrderVehiclePlate & { vehicleKey?: string },\n { separator = \" · \" } = {}\n): string {\n return order?.vehicleState && order?.vehicleLicense\n ? `${order.vehicleState}${separator}${order.vehicleLicense}`\n : order?.vehicleVin\n ? `VIN${separator}${order.vehicleVin}`\n : reformatVehicleKey(order?.vehicleKey) || \"\";\n}\n\nexport function reformatVehicleKey(\n vehicleKey: string,\n separator = \" · \"\n): string {\n if (vehicleKey && vehicleKey.includes(\"-\")) {\n return vehicleKey.replace(/-/gi, separator);\n } else {\n return vehicleKey;\n }\n}\n","import { take as _take, sortBy as _sortBy } from \"lodash-es\";\nimport { Injectable } from \"@angular/core\";\nimport { Store } from \"@ngrx/store\";\nimport { Actions, createEffect } from \"@ngrx/effects\";\nimport { Router } from \"@angular/router\";\nimport {\n distinctUntilChanged,\n distinctUntilKeyChanged,\n filter,\n map,\n delay,\n switchMap,\n first,\n tap,\n} from \"rxjs/operators\";\nimport * as O from \"fp-ts/es6/Option\";\nimport { combineLatest } from \"rxjs\";\nimport { getSpecificWashLevel } from \"src/lib/util\";\n\nimport {\n addFlockOrder,\n addMembershipOrder,\n addVehicle,\n calculateOrder,\n changeMembershipOrder,\n checkPromoCode,\n getMySubscriptions,\n getPriceTable,\n getVehicles,\n removeFlockOrder,\n setMembershipPurchase,\n setModifySubscriptionPlan,\n setPendingOrder,\n setPendingOrderPromoCode,\n setVehiclesOnOrder,\n} from \"../myqq.reducers\";\nimport {\n selectCompanyWidePromo,\n selectMembershipPurchase,\n selectMySubscription,\n selectPendingOrder,\n selectPriceTable,\n selectPromoDetails,\n selectVehicles,\n selectVehiclesOnOrder,\n} from \"../myqq.selectors\";\nimport {\n findMenuPair,\n vehiclesToOrderItems,\n buildChangeOrder,\n buildMembershipItems,\n} from \"../myqq.utilities\";\nimport {\n MembershipPurchase,\n MenuPair,\n OrderTypesEnum,\n PostCalculateOrderRequest,\n PromoDetails,\n SubscriptionDetail,\n SubscriptionPlan,\n Vehicle,\n} from \"../../../services/myqq\";\nimport { environment } from \"src/environments/environment\";\nimport {\n displayOrderVehiclePlate,\n displayVehiclePlate,\n} from \"src/app/shared/pipes/display-vehicle-plate.pipe\";\nimport { isInitial, isSuccess } from \"@nll/datum/DatumEither\";\nimport { getSpecificPlanOverride } from \"src/lib/util\";\nimport { filterSuccessMapToRightValue } from \"src/lib/datum-either\";\nimport { notNil } from \"@qqcw/qqsystem-util\";\nimport { selectPromoCode } from \"../../ui\";\n\n/**\n * This service contains chaining side effects. For example, when we get a profile we\n * might also want to get the persons vehicles and coupons from other endpoints without\n * explicitely chaining those calls in the ui. This service contains those cascading\n * events.\n */\n@Injectable()\nexport class MyQQOrderChainEffects {\n /**\n * Set promo code on promo code valid response\n */\n setPendingOrderPromoCodeOnCheckPromoSuccess$ = createEffect(() =>\n this.actions$.pipe(\n filter(checkPromoCode.success.match),\n filter(\n ({\n value: {\n result: { expiresAt },\n },\n }) => new Date(expiresAt) > new Date()\n ),\n filter(\n ({\n value: {\n result: { effectiveAt },\n },\n }) => new Date(effectiveAt) < new Date()\n ),\n map(({ value: { params } }) =>\n setPendingOrderPromoCode({ serialNo: params })\n )\n )\n );\n\n setPendingOrderOnAddVehicleSuccess$ = createEffect(() =>\n this.actions$.pipe(\n filter(addVehicle.success.match),\n map(({ value: { result } }) => result),\n switchMap((newVehicle) => {\n const orderInfo = combineLatest([\n this.store$.select(selectPendingOrder),\n this.store$.select(selectMembershipPurchase),\n this.store$.select(selectVehiclesOnOrder),\n this.store$.select(selectMySubscription).pipe(\n tap((subscription) => {\n if (isInitial(subscription)) {\n this.store$.dispatch(getMySubscriptions.pending());\n }\n }),\n filterSuccessMapToRightValue\n ),\n\n this.store$.select(selectPriceTable).pipe(\n tap((priceTable) => {\n if (isInitial(priceTable)) {\n this.store$.dispatch(getPriceTable.pending(null));\n }\n }),\n filterSuccessMapToRightValue\n ),\n this.store$.select(selectVehicles).pipe(\n tap((vehicles) => {\n if (isInitial(vehicles)) {\n this.store$.dispatch(getVehicles.pending(null));\n }\n }),\n filterSuccessMapToRightValue\n ),\n ]);\n return orderInfo.pipe(\n first(),\n map(\n ([\n pendingOrderOption,\n membershipPurchaseOption,\n vehiclesOnOrder,\n subscriptionOption,\n priceTable,\n vehicles,\n ]) =>\n this.handleAddVehicleToOrder(\n pendingOrderOption,\n membershipPurchaseOption,\n vehiclesOnOrder,\n subscriptionOption,\n priceTable,\n vehicles,\n newVehicle\n )\n )\n );\n }),\n filter(notNil),\n distinctUntilKeyChanged(\"vehicles\"),\n map(({ orderType, wash, subscriptionPlan, vehicles }) => {\n return orderType === OrderTypesEnum.NEWMEMBERSHIP\n ? addMembershipOrder({ wash, vehicles })\n : addFlockOrder({ subscriptionPlan, vehicles });\n })\n )\n );\n\n setVehiclesOnOrderOnAddFlockOrder$ = createEffect(() =>\n this.actions$.pipe(\n filter(addFlockOrder.match),\n map(({ value: { vehicles } }) => {\n return setVehiclesOnOrder(vehicles);\n })\n )\n );\n\n setVehiclesOnOrderOnAddmembershipOrder$ = createEffect(() =>\n this.actions$.pipe(\n filter(addMembershipOrder.match),\n map(({ value: { vehicles } }) => {\n return setVehiclesOnOrder(vehicles);\n })\n )\n );\n\n /**\n * Submit calculate order when pendingOrder changes; apply any promos returned by\n */\n i = 0;\n calculateOrderOnPendingOrderChange$ = createEffect(() =>\n this.store$.select(selectPendingOrder).pipe(\n filter(O.isSome), // Only emit if order is not none\n distinctUntilChanged(), // Only emit when order object changes\n\n delay(0), // Prevents order from being stuck in Refresh when recalculating immediately after deleting a promo\n map((order) => calculateOrder.pending(order.value)) // Map to calculateOrder pending action\n )\n );\n\n /**\n * Set Order Chains\n */\n public deletedPromo: boolean; // Flag so we don't immediately reapply the promo when user removes it.\n\n addFlockOrder$ = createEffect(() =>\n this.actions$.pipe(\n filter(addFlockOrder.match),\n switchMap((val) => {\n const orderPromo = val.value.promo;\n const orderType = OrderTypesEnum.ADDMEMBERSHIP;\n return combineLatest([\n this.store$.select(selectPromoDetails),\n this.store$.select(selectCompanyWidePromo),\n this.store$.select(selectPromoCode),\n ]).pipe(\n map(([specificPromoDetail, companyWidePromo, urlPromo]) => {\n if (\n isSuccess(specificPromoDetail) &&\n !!specificPromoDetail.value.right.code\n ) {\n return specificPromoDetail.value.right;\n } else if (!!urlPromo && urlPromo !== \"\") {\n return { code: urlPromo } as PromoDetails;\n } else if (isSuccess(companyWidePromo)) {\n return companyWidePromo.value.right;\n } else {\n return {} as PromoDetails;\n }\n }),\n first(),\n map((promoDetails) => {\n return {\n ...val,\n value: {\n ...val.value,\n promo: this.autoApplyPromo(\n promoDetails,\n orderPromo,\n val.value.subscriptionPlan.base.sku,\n orderType\n ),\n },\n };\n })\n );\n }),\n map(({ value: { subscriptionPlan, vehicles, promo } }) => {\n const menuPair = findMenuPair(subscriptionPlan);\n const items = vehiclesToOrderItems(menuPair.flock, vehicles);\n return setPendingOrder({\n items,\n orderType: OrderTypesEnum.ADDMEMBERSHIP,\n markDowns: promo ? [{ serialNo: promo }] : [],\n });\n })\n )\n );\n\n removeFlockOrder$ = createEffect(() =>\n this.actions$.pipe(\n filter(removeFlockOrder.match),\n map(({ value: { subscriptionPlan, vehicles, reasonCode } }) => {\n const menuPair = findMenuPair(subscriptionPlan);\n const items = vehiclesToOrderItems(menuPair.flock, vehicles, -1);\n return setPendingOrder({\n items,\n orderType: OrderTypesEnum.REMOVESUBVEHICLE,\n createReasonCode: reasonCode,\n });\n })\n )\n );\n\n setModifySubscriptionPlan$ = createEffect(() =>\n this.actions$.pipe(\n filter(changeMembershipOrder.match),\n map(({ value: { targetSubscription } }) =>\n setModifySubscriptionPlan(targetSubscription)\n )\n )\n );\n\n changeMembershipOrder$ = createEffect(() =>\n this.actions$.pipe(\n filter(changeMembershipOrder.match),\n switchMap((val) => {\n const orderType = OrderTypesEnum.UPGRADESUBSCRIPTION;\n return combineLatest([\n this.store$.select(selectPromoDetails),\n this.store$.select(selectCompanyWidePromo),\n ]).pipe(\n map(([specificPromoDetail, companyWidePromo]) => {\n if (\n isSuccess(specificPromoDetail) &&\n !!specificPromoDetail.value.right.code\n ) {\n return specificPromoDetail.value.right;\n } else if (isSuccess(companyWidePromo)) {\n return companyWidePromo.value.right;\n } else {\n return {} as PromoDetails;\n }\n }),\n first(),\n map((promoDetails) => {\n const promo = this.autoApplyPromo(\n promoDetails,\n null,\n val.value.targetSubscription.base.sku,\n orderType\n );\n return {\n ...val,\n value: {\n ...val.value,\n promo,\n },\n };\n })\n );\n }),\n map(\n ({\n value: { vehicles, targetSubscription, currentSubscription, promo },\n }) =>\n setPendingOrder({\n ...buildChangeOrder(\n vehicles,\n currentSubscription,\n targetSubscription\n ),\n waiveUpgradeFee: !!promo,\n })\n )\n )\n );\n\n setMembershipPurchase$ = createEffect(() =>\n this.actions$.pipe(\n filter(addMembershipOrder.match),\n map(({ value: { wash, vehicles } }) =>\n setMembershipPurchase(O.some({ wash, vehicles }))\n )\n )\n );\n\n addMembership$ = createEffect(() =>\n this.actions$.pipe(\n filter(addMembershipOrder.match),\n switchMap((val) => {\n const orderPromo = val.value.promo;\n const sku = val.value.wash?.base?.sku;\n const orderType = OrderTypesEnum.NEWMEMBERSHIP;\n return combineLatest([\n this.store$.select(selectPromoDetails),\n this.store$.select(selectCompanyWidePromo),\n this.store$.select(selectPromoCode),\n ]).pipe(\n map(([specificPromoDetail, companyWidePromo, urlPromo]) => {\n if (\n isSuccess(specificPromoDetail) &&\n !!specificPromoDetail.value.right.code\n ) {\n return specificPromoDetail.value.right;\n } else if (!!urlPromo && urlPromo !== \"\") {\n return { code: urlPromo } as PromoDetails;\n } else if (isSuccess(companyWidePromo)) {\n return companyWidePromo.value.right;\n } else {\n return {} as PromoDetails;\n }\n }),\n first(),\n map((promoDetails) => {\n return {\n ...val,\n value: {\n ...val.value,\n promo: this.autoApplyPromo(\n promoDetails,\n orderPromo,\n sku,\n orderType\n ),\n },\n };\n })\n );\n }),\n map(({ value: { wash, vehicles, promo } }) => {\n const menuPair: MenuPair = {\n base: wash.base,\n flock: wash.flock,\n };\n return setPendingOrder({\n orderType: OrderTypesEnum.NEWMEMBERSHIP,\n items: buildMembershipItems(\n menuPair,\n _take(\n _sortBy(vehicles, displayOrderVehiclePlate),\n environment.limits.maxVehiclesOnSubscription\n )\n ),\n markDowns: promo ? [{ serialNo: promo }] : [],\n });\n })\n )\n );\n\n private autoApplyPromo(\n promoDetails: PromoDetails,\n orderPromo: string | null,\n sku: string,\n orderType: OrderTypesEnum\n ): string | null {\n let finalPromoCode = orderPromo;\n if (!environment.unleash.enable || this.deletedPromo) {\n return null;\n }\n // promo exists in order, promo could be user override, or auto applied promo\n if (\n promoDetails?.planSpecificOverride?.length > 0 &&\n ![\n OrderTypesEnum.DOWNGRADESUBSCRIPTION,\n OrderTypesEnum.REMOVESUBVEHICLE,\n ].includes(orderType) &&\n (!promoDetails.autoApplyOrderTypes?.length || // No whitelist of order types => apply to all\n promoDetails.autoApplyOrderTypes?.includes(orderType)) // Whitelist of order types => only apply if order type is in whitelist\n ) {\n const planSpecificPromoCode = getSpecificPlanOverride(\n sku,\n promoDetails?.planSpecificOverride\n )?.serialNo;\n finalPromoCode = orderPromo || planSpecificPromoCode;\n } else if (\n !!promoDetails.code &&\n (!promoDetails?.planSpecificOverride ||\n promoDetails?.planSpecificOverride?.length == 0)\n ) {\n finalPromoCode = promoDetails.code;\n }\n return finalPromoCode;\n }\n\n private handleAddVehicleToOrder(\n pendingOrderOption: O.Option,\n membershipPurchaseOption: O.Option,\n vehiclesOnOrder: Vehicle[],\n subscriptionOption: O.Option,\n priceTable,\n vehicles: Vehicle[],\n newVehicle: Vehicle\n ) {\n const currentSubscriptionPlan: SubscriptionPlan = O.isSome(\n subscriptionOption\n )\n ? getSpecificWashLevel(\n subscriptionOption.value.washLevelId,\n priceTable.plans\n )\n : null;\n\n const pendingOrderPromo: string =\n O.isSome(pendingOrderOption) &&\n pendingOrderOption.value?.markDowns?.length > 0\n ? pendingOrderOption.value?.markDowns[0]?.serialNo\n : null;\n // handle max vehicles subscription for existing and new membership: don't do anything.\n const vehiclesWithExistingMembership = vehicles?.filter(\n (v) => v.hasMembership\n );\n if (\n vehiclesWithExistingMembership?.length + vehiclesOnOrder?.length >=\n environment.limits.maxVehiclesOnSubscription\n ) {\n return;\n }\n // handle existing pending order is upgrade, downgrade, removeVehicle: create add flock order\n // also handle existing pending order is addmembership: add vehicle to flock order\n if (\n O.isSome(pendingOrderOption) &&\n [\n OrderTypesEnum.DOWNGRADESUBSCRIPTION,\n OrderTypesEnum.UPGRADESUBSCRIPTION,\n OrderTypesEnum.REMOVESUBVEHICLE,\n OrderTypesEnum.ADDMEMBERSHIP,\n ].includes(pendingOrderOption.value.orderType) &&\n O.isSome(subscriptionOption)\n ) {\n return {\n orderType: OrderTypesEnum.ADDMEMBERSHIP,\n vehicles: _sortBy(\n [...vehiclesOnOrder, newVehicle],\n displayVehiclePlate\n ),\n subscriptionPlan: currentSubscriptionPlan,\n promo: pendingOrderPromo,\n };\n }\n // handle existing pending order is newMembership: add vehicle to new membership order\n if (\n O.isSome(pendingOrderOption) &&\n pendingOrderOption.value.orderType == OrderTypesEnum.NEWMEMBERSHIP &&\n O.isSome(membershipPurchaseOption)\n ) {\n return {\n orderType: OrderTypesEnum.NEWMEMBERSHIP,\n wash: membershipPurchaseOption.value.wash,\n vehicles: _sortBy(\n [...vehiclesOnOrder, newVehicle],\n displayVehiclePlate\n ),\n promo: pendingOrderPromo,\n };\n }\n // handle add vehicle to existing membership\n if (O.isNone(pendingOrderOption) && O.isSome(subscriptionOption)) {\n return {\n orderType: OrderTypesEnum.ADDMEMBERSHIP,\n vehicles: [newVehicle],\n subscriptionPlan: currentSubscriptionPlan,\n promo: pendingOrderPromo,\n };\n }\n //handle new membership order\n if (\n O.isNone(pendingOrderOption) &&\n O.isNone(subscriptionOption) &&\n O.isSome(membershipPurchaseOption)\n ) {\n return {\n orderType: OrderTypesEnum.NEWMEMBERSHIP,\n wash: membershipPurchaseOption.value.wash,\n vehicles: _sortBy(\n [...vehiclesOnOrder, newVehicle],\n displayVehiclePlate\n ),\n promo: pendingOrderPromo,\n };\n }\n }\n constructor(\n readonly actions$: Actions,\n readonly store$: Store,\n readonly router: Router\n ) {}\n}\n","import { take as _take, sortBy as _sortBy } from \"lodash-es\";\nimport { Injectable } from \"@angular/core\";\nimport { Actions, createEffect } from \"@ngrx/effects\";\nimport { Router } from \"@angular/router\";\nimport { filter, map, distinctUntilKeyChanged } from \"rxjs/operators\";\n\nimport { notNil } from \"@qqcw/qqsystem-util\";\n\nimport { filterActions } from \"src/app/shared/utilities/state/Operators\";\nimport {\n clearFailedPromoCheck,\n clearPromoCode,\n getPromoDetails,\n} from \"./myqq.reducers\";\n\nimport { setLocation, setUIPromoCode } from \"../ui\";\n\n/**\n * This service contains chaining side effects. For example, when we get a profile we\n * might also want to get the persons vehicles and coupons from other endpoints without\n * explicitely chaining those calls in the ui. This service contains those cascading\n * events.\n */\n@Injectable()\nexport class MyQQPromoChainEffects {\n setLocationOnGetPromoDetails$ = createEffect(() =>\n this.actions$.pipe(\n filter(getPromoDetails.success.match),\n map(\n ({\n value: {\n result: { location },\n },\n }) => location\n ),\n filter(notNil),\n map((location) => setLocation(location))\n )\n );\n\n removePromoOnPromoDetailsFailure$ = createEffect(() =>\n this.actions$.pipe(\n filterActions(getPromoDetails.failure),\n map(() => setUIPromoCode(null))\n )\n );\n\n getPromoDetailsOnSetUIPromo$ = createEffect(() =>\n this.actions$.pipe(\n filter(setUIPromoCode.match),\n distinctUntilKeyChanged(\"value\"),\n map(({ value }) => getPromoDetails.pending(value))\n )\n );\n\n clearCheckedPromoOnClearPromoFromOrder$ = createEffect(() =>\n this.actions$.pipe(\n filter(clearPromoCode.match),\n map(() => clearFailedPromoCheck(null))\n )\n );\n\n constructor(readonly actions$: Actions, readonly router: Router) {}\n}\n","import { NgModule } from \"@angular/core\";\nimport { StoreModule } from \"@ngrx/store\";\nimport { EffectsModule } from \"@ngrx/effects\";\n\nimport { MyQQEffects } from \"./myqq.effects\";\nimport { MyQQChainEffects } from \"./myqq.chains\";\nimport { myqqFeatureKey, myqqReducer } from \"./myqq.reducers\";\nimport { MyQQServiceModule } from \"../../services/myqq/myqq.module\";\nimport { MyQQOrderChainEffects } from \"./cart/myqq-cart.chains\";\nimport { MyQQPromoChainEffects } from \"./promo.chains\";\n\n@NgModule({\n imports: [\n StoreModule.forFeature(myqqFeatureKey, myqqReducer),\n EffectsModule.forFeature([\n MyQQEffects,\n MyQQChainEffects,\n MyQQOrderChainEffects,\n MyQQPromoChainEffects,\n ]),\n MyQQServiceModule,\n ],\n})\nexport class NgrxMyQQModule {}\n"],"mappings":"wrDAcA,IAAMA,GAAM,CAAC,gBAAgB,EACvBC,GAAM,CAAC,GAAG,EACVC,GAAuC,IAAIC,EAAe,yBAAyB,EAGnFC,GAAN,KAAqC,CAMnC,YAAYC,EAAUC,EAAaC,EAAa,CAC9C,KAAK,qBAAuB,IAAIC,EAEhC,KAAK,oBAAsB,KAAK,qBAAqB,KAAKC,GAAqB,CAAC,EAEhF,KAAK,UAAY,KACjB,KAAK,UAAYJ,EACjB,KAAK,aAAeC,EACpB,KAAK,aAAeC,CACtB,CAKA,OAAOG,EAAU,CACf,KAAK,UAAYA,EACjB,KAAK,wBAAwB,EAC7B,KAAK,qBAAqB,CAC5B,CAEA,QAAS,CACP,KAAK,qBAAqB,SAAS,EACnC,KAAK,UAAY,IACnB,CAOA,wBAAwBL,EAAUC,EAAaC,EAAa,CACtDA,EAAcD,EAGlB,KAAK,UAAYD,EACjB,KAAK,aAAeC,EACpB,KAAK,aAAeC,EACpB,KAAK,wBAAwB,EAC7B,KAAK,qBAAqB,CAC5B,CAEA,mBAAoB,CAClB,KAAK,qBAAqB,CAC5B,CAEA,qBAAsB,CACpB,KAAK,wBAAwB,EAC7B,KAAK,qBAAqB,CAC5B,CAEA,mBAAoB,CAEpB,CAEA,yBAA0B,CAE1B,CAMA,cAAcI,EAAOC,EAAU,CACzB,KAAK,WACP,KAAK,UAAU,eAAeD,EAAQ,KAAK,UAAWC,CAAQ,CAElE,CAEA,yBAA0B,CACnB,KAAK,WAGV,KAAK,UAAU,oBAAoB,KAAK,UAAU,cAAc,EAAI,KAAK,SAAS,CACpF,CAEA,sBAAuB,CACrB,GAAI,CAAC,KAAK,UACR,OAEF,IAAMC,EAAgB,KAAK,UAAU,iBAAiB,EAChDC,EAAW,CACf,MAAOD,EAAc,MACrB,IAAKA,EAAc,GACrB,EACME,EAAe,KAAK,UAAU,gBAAgB,EAC9CC,EAAa,KAAK,UAAU,cAAc,EAC5CC,EAAe,KAAK,UAAU,oBAAoB,EAElDC,EAAoB,KAAK,UAAY,EAAID,EAAe,KAAK,UAAY,EAE7E,GAAIH,EAAS,IAAME,EAAY,CAE7B,IAAMG,EAAkB,KAAK,KAAKJ,EAAe,KAAK,SAAS,EACzDK,EAAkB,KAAK,IAAI,EAAG,KAAK,IAAIF,EAAmBF,EAAaG,CAAe,CAAC,EAGzFD,GAAqBE,IACvBF,EAAoBE,EACpBH,EAAeG,EAAkB,KAAK,UACtCN,EAAS,MAAQ,KAAK,MAAMI,CAAiB,GAE/CJ,EAAS,IAAM,KAAK,IAAI,EAAG,KAAK,IAAIE,EAAYF,EAAS,MAAQK,CAAe,CAAC,CACnF,CACA,IAAME,EAAcJ,EAAeH,EAAS,MAAQ,KAAK,UACzD,GAAIO,EAAc,KAAK,cAAgBP,EAAS,OAAS,EAAG,CAC1D,IAAMQ,EAAc,KAAK,MAAM,KAAK,aAAeD,GAAe,KAAK,SAAS,EAChFP,EAAS,MAAQ,KAAK,IAAI,EAAGA,EAAS,MAAQQ,CAAW,EACzDR,EAAS,IAAM,KAAK,IAAIE,EAAY,KAAK,KAAKE,GAAqBH,EAAe,KAAK,cAAgB,KAAK,SAAS,CAAC,CACxH,KAAO,CACL,IAAMQ,EAAYT,EAAS,IAAM,KAAK,WAAaG,EAAeF,GAClE,GAAIQ,EAAY,KAAK,cAAgBT,EAAS,KAAOE,EAAY,CAC/D,IAAMQ,EAAY,KAAK,MAAM,KAAK,aAAeD,GAAa,KAAK,SAAS,EACxEC,EAAY,IACdV,EAAS,IAAM,KAAK,IAAIE,EAAYF,EAAS,IAAMU,CAAS,EAC5DV,EAAS,MAAQ,KAAK,IAAI,EAAG,KAAK,MAAMI,EAAoB,KAAK,aAAe,KAAK,SAAS,CAAC,EAEnG,CACF,CACA,KAAK,UAAU,iBAAiBJ,CAAQ,EACxC,KAAK,UAAU,yBAAyB,KAAK,UAAYA,EAAS,KAAK,EACvE,KAAK,qBAAqB,KAAK,KAAK,MAAMI,CAAiB,CAAC,CAC9D,CACF,EAOA,SAASO,GAAuCC,EAAc,CAC5D,OAAOA,EAAa,eACtB,CAEA,IAAIC,IAA0C,IAAM,CAClD,IAAMC,EAAN,MAAMA,CAA0B,CAC9B,aAAc,CACZ,KAAK,UAAY,GACjB,KAAK,aAAe,IACpB,KAAK,aAAe,IAEpB,KAAK,gBAAkB,IAAIxB,GAA+B,KAAK,SAAU,KAAK,YAAa,KAAK,WAAW,CAC7G,CAEA,IAAI,UAAW,CACb,OAAO,KAAK,SACd,CACA,IAAI,SAASyB,EAAO,CAClB,KAAK,UAAYC,GAAqBD,CAAK,CAC7C,CAKA,IAAI,aAAc,CAChB,OAAO,KAAK,YACd,CACA,IAAI,YAAYA,EAAO,CACrB,KAAK,aAAeC,GAAqBD,CAAK,CAChD,CAIA,IAAI,aAAc,CAChB,OAAO,KAAK,YACd,CACA,IAAI,YAAYA,EAAO,CACrB,KAAK,aAAeC,GAAqBD,CAAK,CAChD,CACA,aAAc,CACZ,KAAK,gBAAgB,wBAAwB,KAAK,SAAU,KAAK,YAAa,KAAK,WAAW,CAChG,CAuBF,EArBID,EAAK,UAAO,SAA2CG,EAAmB,CACxE,OAAO,IAAKA,GAAqBH,EACnC,EAGAA,EAAK,UAAyBI,EAAkB,CAC9C,KAAMJ,EACN,UAAW,CAAC,CAAC,8BAA+B,WAAY,EAAE,CAAC,EAC3D,OAAQ,CACN,SAAU,WACV,YAAa,cACb,YAAa,aACf,EACA,WAAY,GACZ,SAAU,CAAIK,GAAmB,CAAC,CAChC,QAAS/B,GACT,WAAYuB,GACZ,KAAM,CAACS,GAAW,IAAMN,CAAyB,CAAC,CACpD,CAAC,CAAC,EAAMO,EAAoB,CAC9B,CAAC,EAzDL,IAAMR,EAANC,EA4DA,OAAOD,CACT,GAAG,EAMGS,GAAsB,GAKxBC,IAAiC,IAAM,CACzC,IAAMC,EAAN,MAAMA,CAAiB,CACrB,YAAYC,EAASC,EAAWC,EAAU,CACxC,KAAK,QAAUF,EACf,KAAK,UAAYC,EAEjB,KAAK,UAAY,IAAIhC,EAErB,KAAK,oBAAsB,KAE3B,KAAK,eAAiB,EAKtB,KAAK,iBAAmB,IAAI,IAC5B,KAAK,UAAYiC,CACnB,CAMA,SAASC,EAAY,CACd,KAAK,iBAAiB,IAAIA,CAAU,GACvC,KAAK,iBAAiB,IAAIA,EAAYA,EAAW,gBAAgB,EAAE,UAAU,IAAM,KAAK,UAAU,KAAKA,CAAU,CAAC,CAAC,CAEvH,CAKA,WAAWA,EAAY,CACrB,IAAMC,EAAsB,KAAK,iBAAiB,IAAID,CAAU,EAC5DC,IACFA,EAAoB,YAAY,EAChC,KAAK,iBAAiB,OAAOD,CAAU,EAE3C,CAWA,SAASE,EAAgBR,GAAqB,CAC5C,OAAK,KAAK,UAAU,UAGb,IAAIS,GAAWC,GAAY,CAC3B,KAAK,qBACR,KAAK,mBAAmB,EAI1B,IAAMC,EAAeH,EAAgB,EAAI,KAAK,UAAU,KAAKI,GAAUJ,CAAa,CAAC,EAAE,UAAUE,CAAQ,EAAI,KAAK,UAAU,UAAUA,CAAQ,EAC9I,YAAK,iBACE,IAAM,CACXC,EAAa,YAAY,EACzB,KAAK,iBACA,KAAK,gBACR,KAAK,sBAAsB,CAE/B,CACF,CAAC,EAjBQE,EAAG,CAkBd,CACA,aAAc,CACZ,KAAK,sBAAsB,EAC3B,KAAK,iBAAiB,QAAQ,CAACC,EAAGC,IAAc,KAAK,WAAWA,CAAS,CAAC,EAC1E,KAAK,UAAU,SAAS,CAC1B,CAOA,iBAAiBC,EAAqBR,EAAe,CACnD,IAAMS,EAAY,KAAK,4BAA4BD,CAAmB,EACtE,OAAO,KAAK,SAASR,CAAa,EAAE,KAAKU,EAAOC,GACvC,CAACA,GAAUF,EAAU,QAAQE,CAAM,EAAI,EAC/C,CAAC,CACJ,CAEA,4BAA4BH,EAAqB,CAC/C,IAAMI,EAAsB,CAAC,EAC7B,YAAK,iBAAiB,QAAQ,CAACC,EAAef,IAAe,CACvD,KAAK,2BAA2BA,EAAYU,CAAmB,GACjEI,EAAoB,KAAKd,CAAU,CAEvC,CAAC,EACMc,CACT,CAEA,YAAa,CACX,OAAO,KAAK,UAAU,aAAe,MACvC,CAEA,2BAA2Bd,EAAYU,EAAqB,CAC1D,IAAIM,EAAUC,GAAcP,CAAmB,EAC3CQ,EAAoBlB,EAAW,cAAc,EAAE,cAGnD,EACE,IAAIgB,GAAWE,EACb,MAAO,SAEFF,EAAUA,EAAQ,eAC3B,MAAO,EACT,CAEA,oBAAqB,CACnB,KAAK,oBAAsB,KAAK,QAAQ,kBAAkB,IAAM,CAC9D,IAAMG,EAAS,KAAK,WAAW,EAC/B,OAAOC,GAAUD,EAAO,SAAU,QAAQ,EAAE,UAAU,IAAM,KAAK,UAAU,KAAK,CAAC,CACnF,CAAC,CACH,CAEA,uBAAwB,CAClB,KAAK,sBACP,KAAK,oBAAoB,YAAY,EACrC,KAAK,oBAAsB,KAE/B,CAaF,EAXIvB,EAAK,UAAO,SAAkCP,EAAmB,CAC/D,OAAO,IAAKA,GAAqBO,GAAqByB,EAAYC,CAAM,EAAMD,EAAYE,EAAQ,EAAMF,EAASG,EAAU,CAAC,CAAC,CAC/H,EAGA5B,EAAK,WAA0B6B,EAAmB,CAChD,MAAO7B,EACP,QAASA,EAAiB,UAC1B,WAAY,MACd,CAAC,EAzIL,IAAMD,EAANC,EA4IA,OAAOD,CACT,GAAG,EAUC+B,IAA8B,IAAM,CACtC,IAAMC,EAAN,MAAMA,CAAc,CAClB,YAAYC,EAAYC,EAAkBC,EAAQC,EAAK,CACrD,KAAK,WAAaH,EAClB,KAAK,iBAAmBC,EACxB,KAAK,OAASC,EACd,KAAK,IAAMC,EACX,KAAK,WAAa,IAAIjE,EACtB,KAAK,iBAAmB,IAAIqC,GAAWC,GAAY,KAAK,OAAO,kBAAkB,IAAMgB,GAAU,KAAK,WAAW,cAAe,QAAQ,EAAE,KAAKY,GAAU,KAAK,UAAU,CAAC,EAAE,UAAU5B,CAAQ,CAAC,CAAC,CACjM,CACA,UAAW,CACT,KAAK,iBAAiB,SAAS,IAAI,CACrC,CACA,aAAc,CACZ,KAAK,iBAAiB,WAAW,IAAI,EACrC,KAAK,WAAW,KAAK,EACrB,KAAK,WAAW,SAAS,CAC3B,CAEA,iBAAkB,CAChB,OAAO,KAAK,gBACd,CAEA,eAAgB,CACd,OAAO,KAAK,UACd,CASA,SAAS6B,EAAS,CAChB,IAAMC,EAAK,KAAK,WAAW,cACrBC,EAAQ,KAAK,KAAO,KAAK,IAAI,OAAS,MAExCF,EAAQ,MAAQ,OAClBA,EAAQ,KAAOE,EAAQF,EAAQ,IAAMA,EAAQ,OAE3CA,EAAQ,OAAS,OACnBA,EAAQ,MAAQE,EAAQF,EAAQ,MAAQA,EAAQ,KAG9CA,EAAQ,QAAU,OACpBA,EAAQ,IAAMC,EAAG,aAAeA,EAAG,aAAeD,EAAQ,QAGxDE,GAASC,GAAqB,GAAKC,GAAkB,QACnDJ,EAAQ,MAAQ,OAClBA,EAAQ,MAAQC,EAAG,YAAcA,EAAG,YAAcD,EAAQ,MAExDG,GAAqB,GAAKC,GAAkB,SAC9CJ,EAAQ,KAAOA,EAAQ,MACdG,GAAqB,GAAKC,GAAkB,UACrDJ,EAAQ,KAAOA,EAAQ,MAAQ,CAACA,EAAQ,MAAQA,EAAQ,QAGtDA,EAAQ,OAAS,OACnBA,EAAQ,KAAOC,EAAG,YAAcA,EAAG,YAAcD,EAAQ,OAG7D,KAAK,sBAAsBA,CAAO,CACpC,CACA,sBAAsBA,EAAS,CAC7B,IAAMC,EAAK,KAAK,WAAW,cACvBI,GAAuB,EACzBJ,EAAG,SAASD,CAAO,GAEfA,EAAQ,KAAO,OACjBC,EAAG,UAAYD,EAAQ,KAErBA,EAAQ,MAAQ,OAClBC,EAAG,WAAaD,EAAQ,MAG9B,CAUA,oBAAoBM,EAAM,CACxB,IAAMC,EAAO,OACPC,EAAQ,QACRP,EAAK,KAAK,WAAW,cAC3B,GAAIK,GAAQ,MACV,OAAOL,EAAG,UAEZ,GAAIK,GAAQ,SACV,OAAOL,EAAG,aAAeA,EAAG,aAAeA,EAAG,UAGhD,IAAMC,EAAQ,KAAK,KAAO,KAAK,IAAI,OAAS,MAM5C,OALII,GAAQ,QACVA,EAAOJ,EAAQM,EAAQD,EACdD,GAAQ,QACjBA,EAAOJ,EAAQK,EAAOC,GAEpBN,GAASC,GAAqB,GAAKC,GAAkB,SAGnDE,GAAQC,EACHN,EAAG,YAAcA,EAAG,YAAcA,EAAG,WAErCA,EAAG,WAEHC,GAASC,GAAqB,GAAKC,GAAkB,QAG1DE,GAAQC,EACHN,EAAG,WAAaA,EAAG,YAAcA,EAAG,YAEpC,CAACA,EAAG,WAKTK,GAAQC,EACHN,EAAG,WAEHA,EAAG,YAAcA,EAAG,YAAcA,EAAG,UAGlD,CAaF,EAXIP,EAAK,UAAO,SAA+BtC,EAAmB,CAC5D,OAAO,IAAKA,GAAqBsC,GAAkBe,EAAqBC,CAAU,EAAMD,EAAkB/C,EAAgB,EAAM+C,EAAqBpB,CAAM,EAAMoB,EAAqBE,GAAgB,CAAC,CAAC,CAC1M,EAGAjB,EAAK,UAAyBrC,EAAkB,CAC9C,KAAMqC,EACN,UAAW,CAAC,CAAC,GAAI,iBAAkB,EAAE,EAAG,CAAC,GAAI,gBAAiB,EAAE,CAAC,EACjE,WAAY,EACd,CAAC,EA3IL,IAAMD,EAANC,EA8IA,OAAOD,CACT,GAAG,EAMGmB,GAAsB,GAKxBC,IAA8B,IAAM,CACtC,IAAMC,EAAN,MAAMA,CAAc,CAClB,YAAYjD,EAAWgC,EAAQ/B,EAAU,CACvC,KAAK,UAAYD,EAEjB,KAAK,QAAU,IAAIhC,EAEnB,KAAK,gBAAkBkF,GAAS,CAC9B,KAAK,QAAQ,KAAKA,CAAK,CACzB,EACA,KAAK,UAAYjD,EACjB+B,EAAO,kBAAkB,IAAM,CAC7B,GAAIhC,EAAU,UAAW,CACvB,IAAMqB,EAAS,KAAK,WAAW,EAG/BA,EAAO,iBAAiB,SAAU,KAAK,eAAe,EACtDA,EAAO,iBAAiB,oBAAqB,KAAK,eAAe,CACnE,CAGA,KAAK,OAAO,EAAE,UAAU,IAAM,KAAK,cAAgB,IAAI,CACzD,CAAC,CACH,CACA,aAAc,CACZ,GAAI,KAAK,UAAU,UAAW,CAC5B,IAAMA,EAAS,KAAK,WAAW,EAC/BA,EAAO,oBAAoB,SAAU,KAAK,eAAe,EACzDA,EAAO,oBAAoB,oBAAqB,KAAK,eAAe,CACtE,CACA,KAAK,QAAQ,SAAS,CACxB,CAEA,iBAAkB,CACX,KAAK,eACR,KAAK,oBAAoB,EAE3B,IAAM8B,EAAS,CACb,MAAO,KAAK,cAAc,MAC1B,OAAQ,KAAK,cAAc,MAC7B,EAEA,OAAK,KAAK,UAAU,YAClB,KAAK,cAAgB,MAEhBA,CACT,CAEA,iBAAkB,CAUhB,IAAMC,EAAiB,KAAK,0BAA0B,EAChD,CACJ,MAAAC,EACA,OAAAC,CACF,EAAI,KAAK,gBAAgB,EACzB,MAAO,CACL,IAAKF,EAAe,IACpB,KAAMA,EAAe,KACrB,OAAQA,EAAe,IAAME,EAC7B,MAAOF,EAAe,KAAOC,EAC7B,OAAAC,EACA,MAAAD,CACF,CACF,CAEA,2BAA4B,CAG1B,GAAI,CAAC,KAAK,UAAU,UAClB,MAAO,CACL,IAAK,EACL,KAAM,CACR,EAQF,IAAMpD,EAAW,KAAK,UAChBoB,EAAS,KAAK,WAAW,EACzBkC,EAAkBtD,EAAS,gBAC3BuD,EAAeD,EAAgB,sBAAsB,EACrDE,EAAM,CAACD,EAAa,KAAOvD,EAAS,KAAK,WAAaoB,EAAO,SAAWkC,EAAgB,WAAa,EACrGG,EAAO,CAACF,EAAa,MAAQvD,EAAS,KAAK,YAAcoB,EAAO,SAAWkC,EAAgB,YAAc,EAC/G,MAAO,CACL,IAAAE,EACA,KAAAC,CACF,CACF,CAMA,OAAOC,EAAeZ,GAAqB,CACzC,OAAOY,EAAe,EAAI,KAAK,QAAQ,KAAKnD,GAAUmD,CAAY,CAAC,EAAI,KAAK,OAC9E,CAEA,YAAa,CACX,OAAO,KAAK,UAAU,aAAe,MACvC,CAEA,qBAAsB,CACpB,IAAMtC,EAAS,KAAK,WAAW,EAC/B,KAAK,cAAgB,KAAK,UAAU,UAAY,CAC9C,MAAOA,EAAO,WACd,OAAQA,EAAO,WACjB,EAAI,CACF,MAAO,EACP,OAAQ,CACV,CACF,CAaF,EAXI4B,EAAK,UAAO,SAA+B1D,EAAmB,CAC5D,OAAO,IAAKA,GAAqB0D,GAAkB1B,EAAYE,EAAQ,EAAMF,EAAYC,CAAM,EAAMD,EAASG,EAAU,CAAC,CAAC,CAC5H,EAGAuB,EAAK,WAA0BtB,EAAmB,CAChD,MAAOsB,EACP,QAASA,EAAc,UACvB,WAAY,MACd,CAAC,EAnIL,IAAMD,EAANC,EAsIA,OAAOD,CACT,GAAG,EAIGY,GAAkC,IAAIjG,EAAe,oBAAoB,EAI3EkG,IAAqC,IAAM,CAC7C,IAAMC,EAAN,MAAMA,UAA6BlC,EAAc,CAC/C,YAAYE,EAAYC,EAAkBC,EAAQC,EAAK,CACrD,MAAMH,EAAYC,EAAkBC,EAAQC,CAAG,CACjD,CAMA,oBAAoB8B,EAAa,CAC/B,IAAMC,EAAa,KAAK,WAAW,cACnC,OAAOD,IAAgB,aAAeC,EAAW,YAAcA,EAAW,YAC5E,CAYF,EAVIF,EAAK,UAAO,SAAsCvE,EAAmB,CACnE,OAAO,IAAKA,GAAqBuE,GAAyBlB,EAAqBC,CAAU,EAAMD,EAAkB/C,EAAgB,EAAM+C,EAAqBpB,CAAM,EAAMoB,EAAqBE,GAAgB,CAAC,CAAC,CACjN,EAGAgB,EAAK,UAAyBtE,EAAkB,CAC9C,KAAMsE,EACN,SAAU,CAAIG,EAA0B,CAC1C,CAAC,EAtBL,IAAMJ,EAANC,EAyBA,OAAOD,CACT,GAAG,EAMH,SAASK,GAAYC,EAAIC,EAAI,CAC3B,OAAOD,EAAG,OAASC,EAAG,OAASD,EAAG,KAAOC,EAAG,GAC9C,CAMA,IAAMC,GAAmB,OAAO,sBAA0B,IAAcC,GAA0BC,GAE9FC,IAAyC,IAAM,CACjD,IAAMC,EAAN,MAAMA,UAAiCZ,EAAqB,CAE1D,IAAI,aAAc,CAChB,OAAO,KAAK,YACd,CACA,IAAI,YAAYE,EAAa,CACvB,KAAK,eAAiBA,IACxB,KAAK,aAAeA,EACpB,KAAK,qBAAqB,EAE9B,CACA,YAAYjC,EAAY4C,EAAoB1C,EAAQ2C,EAAiB1C,EAAKF,EAAkB6C,EAAe1E,EAAY,CACrH,MAAM4B,EAAYC,EAAkBC,EAAQC,CAAG,EAC/C,KAAK,WAAaH,EAClB,KAAK,mBAAqB4C,EAC1B,KAAK,gBAAkBC,EACvB,KAAK,WAAazE,EAClB,KAAK,UAAY2E,EAAOpD,EAAQ,EAEhC,KAAK,iBAAmB,IAAIzD,EAE5B,KAAK,sBAAwB,IAAIA,EACjC,KAAK,aAAe,WAKpB,KAAK,WAAa,GAMlB,KAAK,oBAAsB,IAAIqC,GAAWC,GAAY,KAAK,gBAAgB,oBAAoB,UAAUnC,GAAS,QAAQ,QAAQ,EAAE,KAAK,IAAM,KAAK,OAAO,IAAI,IAAMmC,EAAS,KAAKnC,CAAK,CAAC,CAAC,CAAC,CAAC,EAE5L,KAAK,oBAAsB,KAAK,sBAIhC,KAAK,kBAAoB,EAEzB,KAAK,mBAAqB,GAE1B,KAAK,oBAAsB,GAE3B,KAAK,eAAiB,CACpB,MAAO,EACP,IAAK,CACP,EAEA,KAAK,YAAc,EAEnB,KAAK,cAAgB,EAErB,KAAK,uBAAyB,EAK9B,KAAK,mCAAqC,GAE1C,KAAK,0BAA4B,GAEjC,KAAK,yBAA2B,CAAC,EAEjC,KAAK,iBAAmB2G,GAAa,MACrC,KAAK,UAAYD,EAAOE,CAAQ,EAChC,KAAK,aAAe,GAIpB,KAAK,iBAAmBH,EAAc,OAAO,EAAE,UAAU,IAAM,CAC7D,KAAK,kBAAkB,CACzB,CAAC,EACI,KAAK,aAER,KAAK,WAAW,cAAc,UAAU,IAAI,wBAAwB,EACpE,KAAK,WAAa,KAEtB,CACA,UAAW,CAEJ,KAAK,UAAU,YAGhB,KAAK,aAAe,MACtB,MAAM,SAAS,EAMjB,KAAK,OAAO,kBAAkB,IAAM,QAAQ,QAAQ,EAAE,KAAK,IAAM,CAC/D,KAAK,qBAAqB,EAC1B,KAAK,gBAAgB,OAAO,IAAI,EAChC,KAAK,WAAW,gBAAgB,EAAE,KAElCI,GAAU,IAAI,EAIdxE,GAAU,EAAG6D,EAAgB,EAI7BnC,GAAU,KAAK,UAAU,CAAC,EAAE,UAAU,IAAM,KAAK,gBAAgB,kBAAkB,CAAC,EACpF,KAAK,2BAA2B,CAClC,CAAC,CAAC,EACJ,CACA,aAAc,CACZ,KAAK,OAAO,EACZ,KAAK,gBAAgB,OAAO,EAE5B,KAAK,sBAAsB,SAAS,EACpC,KAAK,iBAAiB,SAAS,EAC/B,KAAK,iBAAiB,YAAY,EAClC,KAAK,aAAe,GACpB,MAAM,YAAY,CACpB,CAEA,OAAO+C,EAAO,CACR,KAAK,OAMT,KAAK,OAAO,kBAAkB,IAAM,CAClC,KAAK,OAASA,EACd,KAAK,OAAO,WAAW,KAAK/C,GAAU,KAAK,gBAAgB,CAAC,EAAE,UAAUgD,GAAQ,CAC9E,IAAMC,EAAYD,EAAK,OACnBC,IAAc,KAAK,cACrB,KAAK,YAAcA,EACnB,KAAK,gBAAgB,oBAAoB,GAE3C,KAAK,mBAAmB,CAC1B,CAAC,CACH,CAAC,CACH,CAEA,QAAS,CACP,KAAK,OAAS,KACd,KAAK,iBAAiB,KAAK,CAC7B,CAEA,eAAgB,CACd,OAAO,KAAK,WACd,CAEA,iBAAkB,CAChB,OAAO,KAAK,aACd,CAMA,kBAAmB,CACjB,OAAO,KAAK,cACd,CACA,0CAA0C1C,EAAM,CAC9C,OAAO,KAAK,cAAc,EAAE,cAAc,sBAAsB,EAAEA,CAAI,CACxE,CAKA,oBAAoB2C,EAAM,CACpB,KAAK,oBAAsBA,IAC7B,KAAK,kBAAoBA,EACzB,KAAK,qBAAqB,EAC1B,KAAK,2BAA2B,EAEpC,CAEA,iBAAiBC,EAAO,CACjBnB,GAAY,KAAK,eAAgBmB,CAAK,IACrC,KAAK,aACPA,EAAQ,CACN,MAAO,EACP,IAAK,KAAK,IAAI,KAAK,eAAe,IAAKA,EAAM,GAAG,CAClD,GAEF,KAAK,sBAAsB,KAAK,KAAK,eAAiBA,CAAK,EAC3D,KAAK,2BAA2B,IAAM,KAAK,gBAAgB,kBAAkB,CAAC,EAElF,CAIA,iCAAkC,CAChC,OAAO,KAAK,mCAAqC,KAAO,KAAK,sBAC/D,CAKA,yBAAyBC,EAAQC,EAAK,WAAY,CAEhDD,EAAS,KAAK,YAAcC,IAAO,WAAa,EAAID,EAGpD,IAAMjD,EAAQ,KAAK,KAAO,KAAK,IAAI,OAAS,MACtCmD,EAAe,KAAK,aAAe,aACnCC,EAAOD,EAAe,IAAM,IAE9BE,EAAY,YAAYD,CAAI,IAAI,QADdD,GAAgBnD,EAAQ,GAAK,GACQiD,CAAM,CAAC,MAClE,KAAK,uBAAyBA,EAC1BC,IAAO,WACTG,GAAa,aAAaD,CAAI,UAI9B,KAAK,mCAAqC,IAExC,KAAK,2BAA6BC,IAGpC,KAAK,0BAA4BA,EACjC,KAAK,2BAA2B,IAAM,CAChC,KAAK,oCACP,KAAK,wBAA0B,KAAK,2BAA2B,EAC/D,KAAK,mCAAqC,GAC1C,KAAK,yBAAyB,KAAK,sBAAsB,GAEzD,KAAK,gBAAgB,wBAAwB,CAEjD,CAAC,EAEL,CAQA,eAAeJ,EAAQlH,EAAW,OAAQ,CACxC,IAAM+D,EAAU,CACd,SAAA/D,CACF,EACI,KAAK,cAAgB,aACvB+D,EAAQ,MAAQmD,EAEhBnD,EAAQ,IAAMmD,EAEhB,KAAK,WAAW,SAASnD,CAAO,CAClC,CAMA,cAAchE,EAAOC,EAAW,OAAQ,CACtC,KAAK,gBAAgB,cAAcD,EAAOC,CAAQ,CACpD,CAMA,oBAAoBqE,EAAM,CAExB,IAAIkD,EACJ,OAAI,KAAK,YAAc,KACrBA,EAAsBC,GAAS,MAAM,oBAAoBA,CAAK,EAE9DD,EAAsBC,GAAS,KAAK,WAAW,oBAAoBA,CAAK,EAEnE,KAAK,IAAI,EAAGD,EAAoBlD,IAAS,KAAK,cAAgB,aAAe,QAAU,MAAM,EAAI,KAAK,sBAAsB,CAAC,CACtI,CAKA,sBAAsBA,EAAM,CAC1B,IAAIoD,EACEnD,EAAO,OACPC,EAAQ,QACRN,EAAQ,KAAK,KAAK,OAAS,MAC7BI,GAAQ,QACVoD,EAAWxD,EAAQM,EAAQD,EAClBD,GAAQ,MACjBoD,EAAWxD,EAAQK,EAAOC,EACjBF,EACToD,EAAWpD,EAEXoD,EAAW,KAAK,cAAgB,aAAe,OAAS,MAE1D,IAAMC,EAAqB,KAAK,WAAW,0CAA0CD,CAAQ,EAE7F,OAD2B,KAAK,WAAW,cAAc,sBAAsB,EAAEA,CAAQ,EAC7DC,CAC9B,CAEA,4BAA6B,CAC3B,IAAMC,EAAY,KAAK,gBAAgB,cACvC,OAAO,KAAK,cAAgB,aAAeA,EAAU,YAAcA,EAAU,YAC/E,CAKA,iBAAiBV,EAAO,CACtB,OAAK,KAAK,OAGH,KAAK,OAAO,iBAAiBA,EAAO,KAAK,WAAW,EAFlD,CAGX,CAEA,mBAAoB,CAElB,KAAK,qBAAqB,EAC1B,KAAK,gBAAgB,oBAAoB,CAC3C,CAEA,sBAAuB,CACrB,KAAK,cAAgB,KAAK,WAAW,oBAAoB,KAAK,WAAW,CAC3E,CAEA,2BAA2BW,EAAU,CAC/BA,GACF,KAAK,yBAAyB,KAAKA,CAAQ,EAIxC,KAAK,4BACR,KAAK,0BAA4B,GACjC,KAAK,OAAO,kBAAkB,IAAM,QAAQ,QAAQ,EAAE,KAAK,IAAM,CAC/D,KAAK,mBAAmB,CAC1B,CAAC,CAAC,EAEN,CAEA,oBAAqB,CACf,KAAK,cAGT,KAAK,OAAO,IAAI,IAAM,CAIpB,KAAK,mBAAmB,aAAa,EAKrC,KAAK,gBAAgB,cAAc,MAAM,UAAY,KAAK,0BAC1DC,GAAgB,IAAM,CACpB,KAAK,0BAA4B,GACjC,IAAMC,EAA0B,KAAK,yBACrC,KAAK,yBAA2B,CAAC,EACjC,QAAWC,KAAMD,EACfC,EAAG,CAEP,EAAG,CACD,SAAU,KAAK,SACjB,CAAC,CACH,CAAC,CACH,CAEA,sBAAuB,CACrB,KAAK,oBAAsB,KAAK,cAAgB,aAAe,GAAK,GAAG,KAAK,iBAAiB,KAC7F,KAAK,mBAAqB,KAAK,cAAgB,aAAe,GAAG,KAAK,iBAAiB,KAAO,EAChG,CA6DF,EA3DI1B,EAAK,UAAO,SAA0ClF,EAAmB,CACvE,OAAO,IAAKA,GAAqBkF,GAA6B7B,EAAqBC,CAAU,EAAMD,EAAqBwD,EAAiB,EAAMxD,EAAqBpB,CAAM,EAAMoB,EAAkBlF,GAAyB,CAAC,EAAMkF,EAAqBE,GAAgB,CAAC,EAAMF,EAAkB/C,EAAgB,EAAM+C,EAAkBI,EAAa,EAAMJ,EAAkBgB,GAAoB,CAAC,CAAC,CACrY,EAGAa,EAAK,UAAyB4B,GAAkB,CAC9C,KAAM5B,EACN,UAAW,CAAC,CAAC,6BAA6B,CAAC,EAC3C,UAAW,SAAwC6B,EAAIC,EAAK,CAI1D,GAHID,EAAK,GACJE,GAAYhJ,GAAK,CAAC,EAEnB8I,EAAK,EAAG,CACV,IAAIG,EACDC,GAAeD,EAAQE,GAAY,CAAC,IAAMJ,EAAI,gBAAkBE,EAAG,MACxE,CACF,EACA,UAAW,CAAC,EAAG,6BAA6B,EAC5C,SAAU,EACV,aAAc,SAA+CH,EAAIC,EAAK,CAChED,EAAK,GACJM,GAAY,4CAA6CL,EAAI,cAAgB,YAAY,EAAE,0CAA2CA,EAAI,cAAgB,YAAY,CAE7K,EACA,OAAQ,CACN,YAAa,cACb,WAAY,CAAC,EAAG,aAAc,aAAcM,EAAgB,CAC9D,EACA,QAAS,CACP,oBAAqB,qBACvB,EACA,WAAY,GACZ,SAAU,CAAIpH,GAAmB,CAAC,CAChC,QAASmC,GACT,WAAY,CAACkF,EAAmB5I,IAAa4I,GAAqB5I,EAClE,KAAM,CAAC,CAAC,IAAI6I,GAAY,IAAIC,GAAOpD,EAAkB,CAAC,EAAGa,CAAwB,CACnF,CAAC,CAAC,EAAMwC,GAA6BhD,GAA+BiD,EAAmB,EACvF,mBAAoBzJ,GACpB,MAAO,EACP,KAAM,EACN,OAAQ,CAAC,CAAC,iBAAkB,EAAE,EAAG,CAAC,EAAG,oCAAoC,EAAG,CAAC,EAAG,2BAA2B,CAAC,EAC5G,SAAU,SAA2C6I,EAAIC,EAAK,CACxDD,EAAK,IACJa,GAAgB,EAChBC,GAAe,EAAG,MAAO,EAAG,CAAC,EAC7BC,GAAa,CAAC,EACdC,GAAa,EACbC,GAAU,EAAG,MAAO,CAAC,GAEtBjB,EAAK,IACJkB,GAAU,CAAC,EACXC,GAAY,QAASlB,EAAI,kBAAkB,EAAE,SAAUA,EAAI,mBAAmB,EAErF,EACA,OAAQ,CAAC,srDAAsrD,EAC/rD,cAAe,EACf,gBAAiB,CACnB,CAAC,EAtaL,IAAM/B,EAANC,EAyaA,OAAOD,CACT,GAAG,EAMH,SAASkD,GAAU3D,EAAa4D,EAAWC,EAAM,CAC/C,IAAMxF,EAAKwF,EACX,GAAI,CAACxF,EAAG,sBACN,MAAO,GAET,IAAMyF,EAAOzF,EAAG,sBAAsB,EACtC,OAAI2B,IAAgB,aACX4D,IAAc,QAAUE,EAAK,KAAOA,EAAK,MAE3CF,IAAc,QAAUE,EAAK,IAAMA,EAAK,MACjD,CAKA,IAAIC,IAAgC,IAAM,CACxC,IAAMC,EAAN,MAAMA,CAAgB,CAEpB,IAAI,iBAAkB,CACpB,OAAO,KAAK,gBACd,CACA,IAAI,gBAAgB1I,EAAO,CACzB,KAAK,iBAAmBA,EACpB2I,GAAa3I,CAAK,EACpB,KAAK,mBAAmB,KAAKA,CAAK,EAGlC,KAAK,mBAAmB,KAAK,IAAI4I,GAAgBC,GAAa7I,CAAK,EAAIA,EAAQ,MAAM,KAAKA,GAAS,CAAC,CAAC,CAAC,CAAC,CAE3G,CAKA,IAAI,sBAAuB,CACzB,OAAO,KAAK,qBACd,CACA,IAAI,qBAAqB8G,EAAI,CAC3B,KAAK,aAAe,GACpB,KAAK,sBAAwBA,EAAK,CAAChI,EAAOgK,IAAShC,EAAGhI,GAAS,KAAK,eAAiB,KAAK,eAAe,MAAQ,GAAIgK,CAAI,EAAI,MAC/H,CAEA,IAAI,sBAAsB9I,EAAO,CAC3BA,IACF,KAAK,aAAe,GACpB,KAAK,UAAYA,EAErB,CAKA,IAAI,gCAAiC,CACnC,OAAO,KAAK,cAAc,aAC5B,CACA,IAAI,+BAA+B+F,EAAM,CACvC,KAAK,cAAc,cAAgB9F,GAAqB8F,CAAI,CAC9D,CACA,YACAgD,EACAC,EACAC,EACAC,EACAC,EAAWxG,EAAQ,CACjB,KAAK,kBAAoBoG,EACzB,KAAK,UAAYC,EACjB,KAAK,SAAWC,EAChB,KAAK,cAAgBC,EACrB,KAAK,UAAYC,EAEjB,KAAK,WAAa,IAAIxK,EAEtB,KAAK,mBAAqB,IAAIA,EAE9B,KAAK,WAAa,KAAK,mBAAmB,KAE1CgH,GAAU,IAAI,EAEdyD,GAAS,EAITC,EAAU,CAAC,CAACC,EAAMC,CAAG,IAAM,KAAK,kBAAkBD,EAAMC,CAAG,CAAC,EAE5DC,GAAY,CAAC,CAAC,EAEd,KAAK,QAAU,KAEf,KAAK,aAAe,GACpB,KAAK,WAAa,IAAI7K,EACtB,KAAK,WAAW,UAAUkH,GAAQ,CAChC,KAAK,MAAQA,EACb,KAAK,sBAAsB,CAC7B,CAAC,EACD,KAAK,UAAU,oBAAoB,KAAKhD,GAAU,KAAK,UAAU,CAAC,EAAE,UAAUmD,GAAS,CACrF,KAAK,eAAiBA,EAClB,KAAK,WAAW,UAAU,QAC5BrD,EAAO,IAAI,IAAM,KAAK,WAAW,KAAK,KAAK,cAAc,CAAC,EAE5D,KAAK,sBAAsB,CAC7B,CAAC,EACD,KAAK,UAAU,OAAO,IAAI,CAC5B,CAMA,iBAAiBqD,EAAOtB,EAAa,CACnC,GAAIsB,EAAM,OAASA,EAAM,IACvB,MAAO,GAEJA,EAAM,MAAQ,KAAK,eAAe,OAASA,EAAM,IAAM,KAAK,eAAe,IAIhF,IAAMyD,EAAqBzD,EAAM,MAAQ,KAAK,eAAe,MAEvD0D,EAAW1D,EAAM,IAAMA,EAAM,MAG/B2D,EACAC,EAEJ,QAASC,EAAI,EAAGA,EAAIH,EAAUG,IAAK,CACjC,IAAMC,EAAO,KAAK,kBAAkB,IAAID,EAAIJ,CAAkB,EAC9D,GAAIK,GAAQA,EAAK,UAAU,OAAQ,CACjCH,EAAYC,EAAWE,EAAK,UAAU,CAAC,EACvC,KACF,CACF,CAEA,QAASD,EAAIH,EAAW,EAAGG,EAAI,GAAIA,IAAK,CACtC,IAAMC,EAAO,KAAK,kBAAkB,IAAID,EAAIJ,CAAkB,EAC9D,GAAIK,GAAQA,EAAK,UAAU,OAAQ,CACjCF,EAAWE,EAAK,UAAUA,EAAK,UAAU,OAAS,CAAC,EACnD,KACF,CACF,CACA,OAAOH,GAAaC,EAAWvB,GAAU3D,EAAa,MAAOkF,CAAQ,EAAIvB,GAAU3D,EAAa,QAASiF,CAAS,EAAI,CACxH,CACA,WAAY,CACV,GAAI,KAAK,SAAW,KAAK,aAAc,CAIrC,IAAMI,EAAU,KAAK,QAAQ,KAAK,KAAK,cAAc,EAChDA,EAGH,KAAK,cAAcA,CAAO,EAF1B,KAAK,eAAe,EAItB,KAAK,aAAe,EACtB,CACF,CACA,aAAc,CACZ,KAAK,UAAU,OAAO,EACtB,KAAK,mBAAmB,KAAK,MAAS,EACtC,KAAK,mBAAmB,SAAS,EACjC,KAAK,WAAW,SAAS,EACzB,KAAK,WAAW,KAAK,EACrB,KAAK,WAAW,SAAS,EACzB,KAAK,cAAc,OAAO,CAC5B,CAEA,uBAAwB,CACjB,KAAK,iBAGV,KAAK,eAAiB,KAAK,MAAM,MAAM,KAAK,eAAe,MAAO,KAAK,eAAe,GAAG,EACpF,KAAK,UAGR,KAAK,QAAU,KAAK,SAAS,KAAK,KAAK,cAAc,EAAE,OAAO,CAACjL,EAAOgK,IAC7D,KAAK,qBAAuB,KAAK,qBAAqBhK,EAAOgK,CAAI,EAAIA,CAC7E,GAEH,KAAK,aAAe,GACtB,CAEA,kBAAkBkB,EAAOC,EAAO,CAC9B,OAAID,GACFA,EAAM,WAAW,IAAI,EAEvB,KAAK,aAAe,GACbC,EAAQA,EAAM,QAAQ,IAAI,EAAI7I,EAAG,CAC1C,CAEA,gBAAiB,CACf,IAAM8I,EAAQ,KAAK,MAAM,OACrB,EAAI,KAAK,kBAAkB,OAC/B,KAAO,KAAK,CACV,IAAMJ,EAAO,KAAK,kBAAkB,IAAI,CAAC,EACzCA,EAAK,QAAQ,MAAQ,KAAK,eAAe,MAAQ,EACjDA,EAAK,QAAQ,MAAQI,EACrB,KAAK,iCAAiCJ,EAAK,OAAO,EAClDA,EAAK,cAAc,CACrB,CACF,CAEA,cAAcC,EAAS,CACrB,KAAK,cAAc,aAAaA,EAAS,KAAK,kBAAmB,CAACI,EAAQC,EAAwBC,IAAiB,KAAK,qBAAqBF,EAAQE,CAAY,EAAGF,GAAUA,EAAO,IAAI,EAEzLJ,EAAQ,sBAAsBI,GAAU,CACtC,IAAML,EAAO,KAAK,kBAAkB,IAAIK,EAAO,YAAY,EAC3DL,EAAK,QAAQ,UAAYK,EAAO,IAClC,CAAC,EAED,IAAMD,EAAQ,KAAK,MAAM,OACrBL,EAAI,KAAK,kBAAkB,OAC/B,KAAOA,KAAK,CACV,IAAMC,EAAO,KAAK,kBAAkB,IAAID,CAAC,EACzCC,EAAK,QAAQ,MAAQ,KAAK,eAAe,MAAQD,EACjDC,EAAK,QAAQ,MAAQI,EACrB,KAAK,iCAAiCJ,EAAK,OAAO,CACpD,CACF,CAEA,iCAAiCQ,EAAS,CACxCA,EAAQ,MAAQA,EAAQ,QAAU,EAClCA,EAAQ,KAAOA,EAAQ,QAAUA,EAAQ,MAAQ,EACjDA,EAAQ,KAAOA,EAAQ,MAAQ,IAAM,EACrCA,EAAQ,IAAM,CAACA,EAAQ,IACzB,CACA,qBAAqBH,EAAQrL,EAAO,CAKlC,MAAO,CACL,YAAa,KAAK,UAClB,QAAS,CACP,UAAWqL,EAAO,KAGlB,gBAAiB,KAAK,iBACtB,MAAO,GACP,MAAO,GACP,MAAO,GACP,KAAM,GACN,IAAK,GACL,KAAM,EACR,EACA,MAAArL,CACF,CACF,CAuBF,EArBI4J,EAAK,UAAO,SAAiCxI,EAAmB,CAC9D,OAAO,IAAKA,GAAqBwI,GAAoBnF,EAAqBgH,EAAgB,EAAMhH,EAAqBiH,EAAW,EAAMjH,EAAqBkH,EAAe,EAAMlH,EAAkBmH,EAAuB,EAAMnH,EAAkB4B,GAA0B,CAAC,EAAM5B,EAAqBpB,CAAM,CAAC,CAChT,EAGAuG,EAAK,UAAyBvI,EAAkB,CAC9C,KAAMuI,EACN,UAAW,CAAC,CAAC,GAAI,gBAAiB,GAAI,kBAAmB,EAAE,CAAC,EAC5D,OAAQ,CACN,gBAAiB,kBACjB,qBAAsB,uBACtB,sBAAuB,wBACvB,+BAAgC,gCAClC,EACA,WAAY,GACZ,SAAU,CAAItI,GAAmB,CAAC,CAChC,QAASsK,GACT,SAAUC,EACZ,CAAC,CAAC,CAAC,CACL,CAAC,EA1PL,IAAMlC,EAANC,EA6PA,OAAOD,CACT,GAAG,EA0EH,IAAImC,IAAoC,IAAM,CAC5C,IAAMC,EAAN,MAAMA,CAAoB,CAc1B,EAZIA,EAAK,UAAO,SAAqCC,EAAmB,CAClE,OAAO,IAAKA,GAAqBD,EACnC,EAGAA,EAAK,UAAyBE,EAAiB,CAC7C,KAAMF,CACR,CAAC,EAGDA,EAAK,UAAyBG,EAAiB,CAAC,CAAC,EAZrD,IAAMJ,EAANC,EAeA,OAAOD,CACT,GAAG,EAOCK,IAAgC,IAAM,CACxC,IAAMC,EAAN,MAAMA,CAAgB,CAgBtB,EAdIA,EAAK,UAAO,SAAiCJ,EAAmB,CAC9D,OAAO,IAAKA,GAAqBI,EACnC,EAGAA,EAAK,UAAyBH,EAAiB,CAC7C,KAAMG,CACR,CAAC,EAGDA,EAAK,UAAyBF,EAAiB,CAC7C,QAAS,CAACG,GAAYP,GAAqBO,GAAYP,EAAmB,CAC5E,CAAC,EAdL,IAAMK,EAANC,EAiBA,OAAOD,CACT,GAAG,ECz/CH,IAAMG,GAAuCC,GAAuB,EAI9DC,GAAN,KAA0B,CACxB,YAAYC,EAAgBC,EAAU,CACpC,KAAK,eAAiBD,EACtB,KAAK,oBAAsB,CACzB,IAAK,GACL,KAAM,EACR,EACA,KAAK,WAAa,GAClB,KAAK,UAAYC,CACnB,CAEA,QAAS,CAAC,CAEV,QAAS,CACP,GAAI,KAAK,cAAc,EAAG,CACxB,IAAMC,EAAO,KAAK,UAAU,gBAC5B,KAAK,wBAA0B,KAAK,eAAe,0BAA0B,EAE7E,KAAK,oBAAoB,KAAOA,EAAK,MAAM,MAAQ,GACnD,KAAK,oBAAoB,IAAMA,EAAK,MAAM,KAAO,GAGjDA,EAAK,MAAM,KAAOC,EAAoB,CAAC,KAAK,wBAAwB,IAAI,EACxED,EAAK,MAAM,IAAMC,EAAoB,CAAC,KAAK,wBAAwB,GAAG,EACtED,EAAK,UAAU,IAAI,wBAAwB,EAC3C,KAAK,WAAa,EACpB,CACF,CAEA,SAAU,CACR,GAAI,KAAK,WAAY,CACnB,IAAME,EAAO,KAAK,UAAU,gBACtBC,EAAO,KAAK,UAAU,KACtBC,EAAYF,EAAK,MACjBG,EAAYF,EAAK,MACjBG,EAA6BF,EAAU,gBAAkB,GACzDG,EAA6BF,EAAU,gBAAkB,GAC/D,KAAK,WAAa,GAClBD,EAAU,KAAO,KAAK,oBAAoB,KAC1CA,EAAU,IAAM,KAAK,oBAAoB,IACzCF,EAAK,UAAU,OAAO,wBAAwB,EAM1CP,KACFS,EAAU,eAAiBC,EAAU,eAAiB,QAExD,OAAO,OAAO,KAAK,wBAAwB,KAAM,KAAK,wBAAwB,GAAG,EAC7EV,KACFS,EAAU,eAAiBE,EAC3BD,EAAU,eAAiBE,EAE/B,CACF,CACA,eAAgB,CAKd,GADa,KAAK,UAAU,gBACnB,UAAU,SAAS,wBAAwB,GAAK,KAAK,WAC5D,MAAO,GAET,IAAMJ,EAAO,KAAK,UAAU,KACtBK,EAAW,KAAK,eAAe,gBAAgB,EACrD,OAAOL,EAAK,aAAeK,EAAS,QAAUL,EAAK,YAAcK,EAAS,KAC5E,CACF,EAYA,IAAMC,GAAN,KAA0B,CACxB,YAAYC,EAAmBC,EAASC,EAAgBC,EAAS,CAC/D,KAAK,kBAAoBH,EACzB,KAAK,QAAUC,EACf,KAAK,eAAiBC,EACtB,KAAK,QAAUC,EACf,KAAK,oBAAsB,KAE3B,KAAK,QAAU,IAAM,CACnB,KAAK,QAAQ,EACT,KAAK,YAAY,YAAY,GAC/B,KAAK,QAAQ,IAAI,IAAM,KAAK,YAAY,OAAO,CAAC,CAEpD,CACF,CAEA,OAAOC,EAAY,CACb,KAAK,YAGT,KAAK,YAAcA,CACrB,CAEA,QAAS,CACP,GAAI,KAAK,oBACP,OAEF,IAAMC,EAAS,KAAK,kBAAkB,SAAS,CAAC,EAAE,KAAKC,EAAOC,GACrD,CAACA,GAAc,CAAC,KAAK,YAAY,eAAe,SAASA,EAAW,cAAc,EAAE,aAAa,CACzG,CAAC,EACE,KAAK,SAAW,KAAK,QAAQ,WAAa,KAAK,QAAQ,UAAY,GACrE,KAAK,uBAAyB,KAAK,eAAe,0BAA0B,EAAE,IAC9E,KAAK,oBAAsBF,EAAO,UAAU,IAAM,CAChD,IAAMG,EAAiB,KAAK,eAAe,0BAA0B,EAAE,IACnE,KAAK,IAAIA,EAAiB,KAAK,sBAAsB,EAAI,KAAK,QAAQ,UACxE,KAAK,QAAQ,EAEb,KAAK,YAAY,eAAe,CAEpC,CAAC,GAED,KAAK,oBAAsBH,EAAO,UAAU,KAAK,OAAO,CAE5D,CAEA,SAAU,CACJ,KAAK,sBACP,KAAK,oBAAoB,YAAY,EACrC,KAAK,oBAAsB,KAE/B,CACA,QAAS,CACP,KAAK,QAAQ,EACb,KAAK,YAAc,IACrB,CACF,EAGMI,GAAN,KAAyB,CAEvB,QAAS,CAAC,CAEV,SAAU,CAAC,CAEX,QAAS,CAAC,CACZ,EASA,SAASC,GAA6BC,EAASC,EAAkB,CAC/D,OAAOA,EAAiB,KAAKC,GAAmB,CAC9C,IAAMC,EAAeH,EAAQ,OAASE,EAAgB,IAChDE,EAAeJ,EAAQ,IAAME,EAAgB,OAC7CG,EAAcL,EAAQ,MAAQE,EAAgB,KAC9CI,EAAeN,EAAQ,KAAOE,EAAgB,MACpD,OAAOC,GAAgBC,GAAgBC,GAAeC,CACxD,CAAC,CACH,CAQA,SAASC,GAA4BP,EAASC,EAAkB,CAC9D,OAAOA,EAAiB,KAAKO,GAAuB,CAClD,IAAMC,EAAeT,EAAQ,IAAMQ,EAAoB,IACjDE,EAAeV,EAAQ,OAASQ,EAAoB,OACpDG,EAAcX,EAAQ,KAAOQ,EAAoB,KACjDI,EAAeZ,EAAQ,MAAQQ,EAAoB,MACzD,OAAOC,GAAgBC,GAAgBC,GAAeC,CACxD,CAAC,CACH,CAKA,IAAMC,GAAN,KAA+B,CAC7B,YAAYxB,EAAmBE,EAAgBD,EAASE,EAAS,CAC/D,KAAK,kBAAoBH,EACzB,KAAK,eAAiBE,EACtB,KAAK,QAAUD,EACf,KAAK,QAAUE,EACf,KAAK,oBAAsB,IAC7B,CAEA,OAAOC,EAAY,CACb,KAAK,YAGT,KAAK,YAAcA,CACrB,CAEA,QAAS,CACP,GAAI,CAAC,KAAK,oBAAqB,CAC7B,IAAMqB,EAAW,KAAK,QAAU,KAAK,QAAQ,eAAiB,EAC9D,KAAK,oBAAsB,KAAK,kBAAkB,SAASA,CAAQ,EAAE,UAAU,IAAM,CAGnF,GAFA,KAAK,YAAY,eAAe,EAE5B,KAAK,SAAW,KAAK,QAAQ,UAAW,CAC1C,IAAMC,EAAc,KAAK,YAAY,eAAe,sBAAsB,EACpE,CACJ,MAAAC,EACA,OAAAC,CACF,EAAI,KAAK,eAAe,gBAAgB,EAWpClB,GAA6BgB,EARb,CAAC,CACnB,MAAAC,EACA,OAAAC,EACA,OAAQA,EACR,MAAOD,EACP,IAAK,EACL,KAAM,CACR,CAAC,CACwD,IACvD,KAAK,QAAQ,EACb,KAAK,QAAQ,IAAI,IAAM,KAAK,YAAY,OAAO,CAAC,EAEpD,CACF,CAAC,CACH,CACF,CAEA,SAAU,CACJ,KAAK,sBACP,KAAK,oBAAoB,YAAY,EACrC,KAAK,oBAAsB,KAE/B,CACA,QAAS,CACP,KAAK,QAAQ,EACb,KAAK,YAAc,IACrB,CACF,EAQIE,IAAsC,IAAM,CAC9C,IAAMC,EAAN,MAAMA,CAAsB,CAC1B,YAAY9B,EAAmBE,EAAgBD,EAAS8B,EAAU,CAChE,KAAK,kBAAoB/B,EACzB,KAAK,eAAiBE,EACtB,KAAK,QAAUD,EAEf,KAAK,KAAO,IAAM,IAAIQ,GAKtB,KAAK,MAAQuB,GAAU,IAAIjC,GAAoB,KAAK,kBAAmB,KAAK,QAAS,KAAK,eAAgBiC,CAAM,EAEhH,KAAK,MAAQ,IAAM,IAAIC,GAAoB,KAAK,eAAgB,KAAK,SAAS,EAM9E,KAAK,WAAaD,GAAU,IAAIR,GAAyB,KAAK,kBAAmB,KAAK,eAAgB,KAAK,QAASQ,CAAM,EAC1H,KAAK,UAAYD,CACnB,CAaF,EAXID,EAAK,UAAO,SAAuCI,EAAmB,CACpE,OAAO,IAAKA,GAAqBJ,GAA0BK,EAAYC,EAAgB,EAAMD,EAAYE,EAAa,EAAMF,EAAYG,CAAM,EAAMH,EAASI,CAAQ,CAAC,CACxK,EAGAT,EAAK,WAA0BU,EAAmB,CAChD,MAAOV,EACP,QAASA,EAAsB,UAC/B,WAAY,MACd,CAAC,EAhCL,IAAMD,EAANC,EAmCA,OAAOD,CACT,GAAG,EAMGY,GAAN,KAAoB,CAClB,YAAYT,EAAQ,CAelB,GAbA,KAAK,eAAiB,IAAIvB,GAE1B,KAAK,WAAa,GAElB,KAAK,YAAc,GAEnB,KAAK,cAAgB,4BAMrB,KAAK,oBAAsB,GACvBuB,EAAQ,CAIV,IAAMU,EAAa,OAAO,KAAKV,CAAM,EACrC,QAAWW,KAAOD,EACZV,EAAOW,CAAG,IAAM,SAOlB,KAAKA,CAAG,EAAIX,EAAOW,CAAG,EAG5B,CACF,CACF,EA4CA,IAAMC,GAAN,KAAqC,CACnC,YACAC,EACAC,EAA0B,CACxB,KAAK,eAAiBD,EACtB,KAAK,yBAA2BC,CAClC,CACF,EA6BA,IAAIC,IAAsC,IAAM,CAC9C,IAAMC,EAAN,MAAMA,CAAsB,CAC1B,YAAYC,EAAU,CAEpB,KAAK,kBAAoB,CAAC,EAC1B,KAAK,UAAYA,CACnB,CACA,aAAc,CACZ,KAAK,OAAO,CACd,CAEA,IAAIC,EAAY,CAEd,KAAK,OAAOA,CAAU,EACtB,KAAK,kBAAkB,KAAKA,CAAU,CACxC,CAEA,OAAOA,EAAY,CACjB,IAAMC,EAAQ,KAAK,kBAAkB,QAAQD,CAAU,EACnDC,EAAQ,IACV,KAAK,kBAAkB,OAAOA,EAAO,CAAC,EAGpC,KAAK,kBAAkB,SAAW,GACpC,KAAK,OAAO,CAEhB,CAaF,EAXIH,EAAK,UAAO,SAAuCI,EAAmB,CACpE,OAAO,IAAKA,GAAqBJ,GAA0BK,EAASC,CAAQ,CAAC,CAC/E,EAGAN,EAAK,WAA0BO,EAAmB,CAChD,MAAOP,EACP,QAASA,EAAsB,UAC/B,WAAY,MACd,CAAC,EApCL,IAAMD,EAANC,EAuCA,OAAOD,CACT,GAAG,EAUCS,IAA0C,IAAM,CAClD,IAAMC,EAAN,MAAMA,UAAkCV,EAAsB,CAC5D,YAAYE,EACZS,EAAS,CACP,MAAMT,CAAQ,EACd,KAAK,QAAUS,EAEf,KAAK,iBAAmBC,GAAS,CAC/B,IAAMC,EAAW,KAAK,kBACtB,QAASC,EAAID,EAAS,OAAS,EAAGC,EAAI,GAAIA,IAOxC,GAAID,EAASC,CAAC,EAAE,eAAe,UAAU,OAAS,EAAG,CACnD,IAAMC,EAAgBF,EAASC,CAAC,EAAE,eAE9B,KAAK,QACP,KAAK,QAAQ,IAAI,IAAMC,EAAc,KAAKH,CAAK,CAAC,EAEhDG,EAAc,KAAKH,CAAK,EAE1B,KACF,CAEJ,CACF,CAEA,IAAIT,EAAY,CACd,MAAM,IAAIA,CAAU,EAEf,KAAK,cAEJ,KAAK,QACP,KAAK,QAAQ,kBAAkB,IAAM,KAAK,UAAU,KAAK,iBAAiB,UAAW,KAAK,gBAAgB,CAAC,EAE3G,KAAK,UAAU,KAAK,iBAAiB,UAAW,KAAK,gBAAgB,EAEvE,KAAK,YAAc,GAEvB,CAEA,QAAS,CACH,KAAK,cACP,KAAK,UAAU,KAAK,oBAAoB,UAAW,KAAK,gBAAgB,EACxE,KAAK,YAAc,GAEvB,CAaF,EAXIO,EAAK,UAAO,SAA2CL,EAAmB,CACxE,OAAO,IAAKA,GAAqBK,GAA8BJ,EAASC,CAAQ,EAAMD,EAAYU,EAAQ,CAAC,CAAC,CAC9G,EAGAN,EAAK,WAA0BF,EAAmB,CAChD,MAAOE,EACP,QAASA,EAA0B,UACnC,WAAY,MACd,CAAC,EA3DL,IAAMD,EAANC,EA8DA,OAAOD,CACT,GAAG,EAUCQ,IAA8C,IAAM,CACtD,IAAMC,EAAN,MAAMA,UAAsClB,EAAsB,CAChE,YAAYE,EAAUiB,EACtBR,EAAS,CACP,MAAMT,CAAQ,EACd,KAAK,UAAYiB,EACjB,KAAK,QAAUR,EACf,KAAK,kBAAoB,GAEzB,KAAK,qBAAuBC,GAAS,CACnC,KAAK,wBAA0BQ,GAAgBR,CAAK,CACtD,EAEA,KAAK,eAAiBA,GAAS,CAC7B,IAAMS,EAASD,GAAgBR,CAAK,EAO9BU,EAASV,EAAM,OAAS,SAAW,KAAK,wBAA0B,KAAK,wBAA0BS,EAGvG,KAAK,wBAA0B,KAI/B,IAAMR,EAAW,KAAK,kBAAkB,MAAM,EAK9C,QAASC,EAAID,EAAS,OAAS,EAAGC,EAAI,GAAIA,IAAK,CAC7C,IAAMX,EAAaU,EAASC,CAAC,EAC7B,GAAIX,EAAW,sBAAsB,UAAU,OAAS,GAAK,CAACA,EAAW,YAAY,EACnF,SAKF,GAAIoB,GAAwBpB,EAAW,eAAgBkB,CAAM,GAAKE,GAAwBpB,EAAW,eAAgBmB,CAAM,EACzH,MAEF,IAAME,EAAuBrB,EAAW,sBAEpC,KAAK,QACP,KAAK,QAAQ,IAAI,IAAMqB,EAAqB,KAAKZ,CAAK,CAAC,EAEvDY,EAAqB,KAAKZ,CAAK,CAEnC,CACF,CACF,CAEA,IAAIT,EAAY,CAQd,GAPA,MAAM,IAAIA,CAAU,EAOhB,CAAC,KAAK,YAAa,CACrB,IAAMsB,EAAO,KAAK,UAAU,KAExB,KAAK,QACP,KAAK,QAAQ,kBAAkB,IAAM,KAAK,mBAAmBA,CAAI,CAAC,EAElE,KAAK,mBAAmBA,CAAI,EAI1B,KAAK,UAAU,KAAO,CAAC,KAAK,oBAC9B,KAAK,qBAAuBA,EAAK,MAAM,OACvCA,EAAK,MAAM,OAAS,UACpB,KAAK,kBAAoB,IAE3B,KAAK,YAAc,EACrB,CACF,CAEA,QAAS,CACP,GAAI,KAAK,YAAa,CACpB,IAAMA,EAAO,KAAK,UAAU,KAC5BA,EAAK,oBAAoB,cAAe,KAAK,qBAAsB,EAAI,EACvEA,EAAK,oBAAoB,QAAS,KAAK,eAAgB,EAAI,EAC3DA,EAAK,oBAAoB,WAAY,KAAK,eAAgB,EAAI,EAC9DA,EAAK,oBAAoB,cAAe,KAAK,eAAgB,EAAI,EAC7D,KAAK,UAAU,KAAO,KAAK,oBAC7BA,EAAK,MAAM,OAAS,KAAK,qBACzB,KAAK,kBAAoB,IAE3B,KAAK,YAAc,EACrB,CACF,CACA,mBAAmBA,EAAM,CACvBA,EAAK,iBAAiB,cAAe,KAAK,qBAAsB,EAAI,EACpEA,EAAK,iBAAiB,QAAS,KAAK,eAAgB,EAAI,EACxDA,EAAK,iBAAiB,WAAY,KAAK,eAAgB,EAAI,EAC3DA,EAAK,iBAAiB,cAAe,KAAK,eAAgB,EAAI,CAChE,CAaF,EAXIP,EAAK,UAAO,SAA+Cb,EAAmB,CAC5E,OAAO,IAAKA,GAAqBa,GAAkCZ,EAASC,CAAQ,EAAMD,EAAcoB,EAAQ,EAAMpB,EAAYU,EAAQ,CAAC,CAAC,CAC9I,EAGAE,EAAK,WAA0BV,EAAmB,CAChD,MAAOU,EACP,QAASA,EAA8B,UACvC,WAAY,MACd,CAAC,EA/GL,IAAMD,EAANC,EAkHA,OAAOD,CACT,GAAG,EAKH,SAASM,GAAwBI,EAAQC,EAAO,CAC9C,IAAMC,EAAqB,OAAO,WAAe,KAAe,WAC5DC,EAAUF,EACd,KAAOE,GAAS,CACd,GAAIA,IAAYH,EACd,MAAO,GAETG,EAAUD,GAAsBC,aAAmB,WAAaA,EAAQ,KAAOA,EAAQ,UACzF,CACA,MAAO,EACT,CAGA,IAAIC,IAAiC,IAAM,CACzC,IAAMC,EAAN,MAAMA,CAAiB,CACrB,YAAY9B,EAAUiB,EAAW,CAC/B,KAAK,UAAYA,EACjB,KAAK,UAAYjB,CACnB,CACA,aAAc,CACZ,KAAK,mBAAmB,OAAO,CACjC,CAOA,qBAAsB,CACpB,OAAK,KAAK,mBACR,KAAK,iBAAiB,EAEjB,KAAK,iBACd,CAKA,kBAAmB,CACjB,IAAM+B,EAAiB,wBAIvB,GAAI,KAAK,UAAU,WAAaC,GAAmB,EAAG,CACpD,IAAMC,EAA6B,KAAK,UAAU,iBAAiB,IAAIF,CAAc,yBAA8BA,CAAc,mBAAmB,EAGpJ,QAASnB,EAAI,EAAGA,EAAIqB,EAA2B,OAAQrB,IACrDqB,EAA2BrB,CAAC,EAAE,OAAO,CAEzC,CACA,IAAMsB,EAAY,KAAK,UAAU,cAAc,KAAK,EACpDA,EAAU,UAAU,IAAIH,CAAc,EAUlCC,GAAmB,EACrBE,EAAU,aAAa,WAAY,MAAM,EAC/B,KAAK,UAAU,WACzBA,EAAU,aAAa,WAAY,QAAQ,EAE7C,KAAK,UAAU,KAAK,YAAYA,CAAS,EACzC,KAAK,kBAAoBA,CAC3B,CAaF,EAXIJ,EAAK,UAAO,SAAkC3B,EAAmB,CAC/D,OAAO,IAAKA,GAAqB2B,GAAqB1B,EAASC,CAAQ,EAAMD,EAAcoB,EAAQ,CAAC,CACtG,EAGAM,EAAK,WAA0BxB,EAAmB,CAChD,MAAOwB,EACP,QAASA,EAAiB,UAC1B,WAAY,MACd,CAAC,EAlEL,IAAMD,EAANC,EAqEA,OAAOD,CACT,GAAG,EASGM,GAAN,KAAiB,CACf,YAAYC,EAAeC,EAAOC,EAAOC,EAAS9B,EAAS+B,EAAqBC,EAAWC,EAAWC,EAAyBC,EAAsB,GAAOC,EAAW,CACrK,KAAK,cAAgBT,EACrB,KAAK,MAAQC,EACb,KAAK,MAAQC,EACb,KAAK,QAAUC,EACf,KAAK,QAAU9B,EACf,KAAK,oBAAsB+B,EAC3B,KAAK,UAAYC,EACjB,KAAK,UAAYC,EACjB,KAAK,wBAA0BC,EAC/B,KAAK,oBAAsBC,EAC3B,KAAK,UAAYC,EACjB,KAAK,iBAAmB,KACxB,KAAK,eAAiB,IAAIC,EAC1B,KAAK,aAAe,IAAIA,EACxB,KAAK,aAAe,IAAIA,EACxB,KAAK,iBAAmBC,GAAa,MACrC,KAAK,sBAAwBrC,GAAS,KAAK,eAAe,KAAKA,CAAK,EACpE,KAAK,8BAAgCA,GAAS,CAC5C,KAAK,iBAAiBA,EAAM,MAAM,CACpC,EAEA,KAAK,eAAiB,IAAIoC,EAE1B,KAAK,sBAAwB,IAAIA,EACjC,KAAK,SAAW,IAAIA,EAChBP,EAAQ,iBACV,KAAK,gBAAkBA,EAAQ,eAC/B,KAAK,gBAAgB,OAAO,IAAI,GAElC,KAAK,kBAAoBA,EAAQ,iBAIjC,KAAK,gBAAkBS,GAAU,IAAMC,GAAY,IAAM,CACvD,KAAK,SAAS,KAAK,CACrB,EAAG,CACD,SAAU,KAAK,SACjB,CAAC,CAAC,CACJ,CAEA,IAAI,gBAAiB,CACnB,OAAO,KAAK,KACd,CAEA,IAAI,iBAAkB,CACpB,OAAO,KAAK,gBACd,CAMA,IAAI,aAAc,CAChB,OAAO,KAAK,KACd,CAQA,OAAOC,EAAQ,CAGT,CAAC,KAAK,MAAM,eAAiB,KAAK,qBACpC,KAAK,oBAAoB,YAAY,KAAK,KAAK,EAEjD,IAAMC,EAAe,KAAK,cAAc,OAAOD,CAAM,EACrD,OAAI,KAAK,mBACP,KAAK,kBAAkB,OAAO,IAAI,EAEpC,KAAK,qBAAqB,EAC1B,KAAK,mBAAmB,EACxB,KAAK,wBAAwB,EACzB,KAAK,iBACP,KAAK,gBAAgB,OAAO,EAK9B,KAAK,qBAAqB,QAAQ,EAGlC,KAAK,oBAAsBE,GAAgB,IAAM,CAE3C,KAAK,YAAY,GACnB,KAAK,eAAe,CAExB,EAAG,CACD,SAAU,KAAK,SACjB,CAAC,EAED,KAAK,qBAAqB,EAAI,EAC1B,KAAK,QAAQ,aACf,KAAK,gBAAgB,EAEnB,KAAK,QAAQ,YACf,KAAK,eAAe,KAAK,MAAO,KAAK,QAAQ,WAAY,EAAI,EAG/D,KAAK,aAAa,KAAK,EAEvB,KAAK,oBAAoB,IAAI,IAAI,EAC7B,KAAK,QAAQ,sBACf,KAAK,iBAAmB,KAAK,UAAU,UAAU,IAAM,KAAK,QAAQ,CAAC,GAEvE,KAAK,wBAAwB,IAAI,IAAI,EAIjC,OAAOD,GAAc,WAAc,YAMrCA,EAAa,UAAU,IAAM,CACvB,KAAK,YAAY,GAInB,KAAK,QAAQ,kBAAkB,IAAM,QAAQ,QAAQ,EAAE,KAAK,IAAM,KAAK,OAAO,CAAC,CAAC,CAEpF,CAAC,EAEIA,CACT,CAKA,QAAS,CACP,GAAI,CAAC,KAAK,YAAY,EACpB,OAEF,KAAK,eAAe,EAIpB,KAAK,qBAAqB,EAAK,EAC3B,KAAK,mBAAqB,KAAK,kBAAkB,QACnD,KAAK,kBAAkB,OAAO,EAE5B,KAAK,iBACP,KAAK,gBAAgB,QAAQ,EAE/B,IAAME,EAAmB,KAAK,cAAc,OAAO,EAEnD,YAAK,aAAa,KAAK,EAEvB,KAAK,oBAAoB,OAAO,IAAI,EAGpC,KAAK,wBAAwB,EAC7B,KAAK,iBAAiB,YAAY,EAClC,KAAK,wBAAwB,OAAO,IAAI,EACjCA,CACT,CAEA,SAAU,CACR,IAAMC,EAAa,KAAK,YAAY,EAChC,KAAK,mBACP,KAAK,kBAAkB,QAAQ,EAEjC,KAAK,uBAAuB,EAC5B,KAAK,iBAAiB,KAAK,gBAAgB,EAC3C,KAAK,iBAAiB,YAAY,EAClC,KAAK,oBAAoB,OAAO,IAAI,EACpC,KAAK,cAAc,QAAQ,EAC3B,KAAK,aAAa,SAAS,EAC3B,KAAK,eAAe,SAAS,EAC7B,KAAK,eAAe,SAAS,EAC7B,KAAK,sBAAsB,SAAS,EACpC,KAAK,wBAAwB,OAAO,IAAI,EACxC,KAAK,OAAO,OAAO,EACnB,KAAK,qBAAqB,QAAQ,EAClC,KAAK,oBAAsB,KAAK,MAAQ,KAAK,MAAQ,KACjDA,GACF,KAAK,aAAa,KAAK,EAEzB,KAAK,aAAa,SAAS,EAC3B,KAAK,gBAAgB,QAAQ,EAC7B,KAAK,SAAS,SAAS,CACzB,CAEA,aAAc,CACZ,OAAO,KAAK,cAAc,YAAY,CACxC,CAEA,eAAgB,CACd,OAAO,KAAK,cACd,CAEA,aAAc,CACZ,OAAO,KAAK,YACd,CAEA,aAAc,CACZ,OAAO,KAAK,YACd,CAEA,eAAgB,CACd,OAAO,KAAK,cACd,CAEA,sBAAuB,CACrB,OAAO,KAAK,qBACd,CAEA,WAAY,CACV,OAAO,KAAK,OACd,CAEA,gBAAiB,CACX,KAAK,mBACP,KAAK,kBAAkB,MAAM,CAEjC,CAEA,uBAAuBC,EAAU,CAC3BA,IAAa,KAAK,oBAGlB,KAAK,mBACP,KAAK,kBAAkB,QAAQ,EAEjC,KAAK,kBAAoBA,EACrB,KAAK,YAAY,IACnBA,EAAS,OAAO,IAAI,EACpB,KAAK,eAAe,GAExB,CAEA,WAAWC,EAAY,CACrB,KAAK,QAAUC,IAAA,GACV,KAAK,SACLD,GAEL,KAAK,mBAAmB,CAC1B,CAEA,aAAaE,EAAK,CAChB,KAAK,QAAUC,EAAAF,EAAA,GACV,KAAK,SADK,CAEb,UAAWC,CACb,GACA,KAAK,wBAAwB,CAC/B,CAEA,cAAcE,EAAS,CACjB,KAAK,OACP,KAAK,eAAe,KAAK,MAAOA,EAAS,EAAI,CAEjD,CAEA,iBAAiBA,EAAS,CACpB,KAAK,OACP,KAAK,eAAe,KAAK,MAAOA,EAAS,EAAK,CAElD,CAIA,cAAe,CACb,IAAMC,EAAY,KAAK,QAAQ,UAC/B,OAAKA,EAGE,OAAOA,GAAc,SAAWA,EAAYA,EAAU,MAFpD,KAGX,CAEA,qBAAqBN,EAAU,CACzBA,IAAa,KAAK,kBAGtB,KAAK,uBAAuB,EAC5B,KAAK,gBAAkBA,EACnB,KAAK,YAAY,IACnBA,EAAS,OAAO,IAAI,EACpBA,EAAS,OAAO,GAEpB,CAEA,yBAA0B,CACxB,KAAK,MAAM,aAAa,MAAO,KAAK,aAAa,CAAC,CACpD,CAEA,oBAAqB,CACnB,GAAI,CAAC,KAAK,MACR,OAEF,IAAMO,EAAQ,KAAK,MAAM,MACzBA,EAAM,MAAQC,EAAoB,KAAK,QAAQ,KAAK,EACpDD,EAAM,OAASC,EAAoB,KAAK,QAAQ,MAAM,EACtDD,EAAM,SAAWC,EAAoB,KAAK,QAAQ,QAAQ,EAC1DD,EAAM,UAAYC,EAAoB,KAAK,QAAQ,SAAS,EAC5DD,EAAM,SAAWC,EAAoB,KAAK,QAAQ,QAAQ,EAC1DD,EAAM,UAAYC,EAAoB,KAAK,QAAQ,SAAS,CAC9D,CAEA,qBAAqBC,EAAe,CAClC,KAAK,MAAM,MAAM,cAAgBA,EAAgB,GAAK,MACxD,CAEA,iBAAkB,CAChB,IAAMC,EAAe,+BACrB,KAAK,iBAAmB,KAAK,UAAU,cAAc,KAAK,EAC1D,KAAK,iBAAiB,UAAU,IAAI,sBAAsB,EACtD,KAAK,qBACP,KAAK,iBAAiB,UAAU,IAAI,qCAAqC,EAEvE,KAAK,QAAQ,eACf,KAAK,eAAe,KAAK,iBAAkB,KAAK,QAAQ,cAAe,EAAI,EAI7E,KAAK,MAAM,cAAc,aAAa,KAAK,iBAAkB,KAAK,KAAK,EAGvE,KAAK,iBAAiB,iBAAiB,QAAS,KAAK,qBAAqB,EAEtE,CAAC,KAAK,qBAAuB,OAAO,sBAA0B,IAChE,KAAK,QAAQ,kBAAkB,IAAM,CACnC,sBAAsB,IAAM,CACtB,KAAK,kBACP,KAAK,iBAAiB,UAAU,IAAIA,CAAY,CAEpD,CAAC,CACH,CAAC,EAED,KAAK,iBAAiB,UAAU,IAAIA,CAAY,CAEpD,CAQA,sBAAuB,CACjB,KAAK,MAAM,aACb,KAAK,MAAM,WAAW,YAAY,KAAK,KAAK,CAEhD,CAEA,gBAAiB,CACf,IAAMC,EAAmB,KAAK,iBAC9B,GAAKA,EAGL,IAAI,KAAK,oBAAqB,CAC5B,KAAK,iBAAiBA,CAAgB,EACtC,MACF,CACAA,EAAiB,UAAU,OAAO,8BAA8B,EAChE,KAAK,QAAQ,kBAAkB,IAAM,CACnCA,EAAiB,iBAAiB,gBAAiB,KAAK,6BAA6B,CACvF,CAAC,EAGDA,EAAiB,MAAM,cAAgB,OAIvC,KAAK,iBAAmB,KAAK,QAAQ,kBAAkB,IAAM,WAAW,IAAM,CAC5E,KAAK,iBAAiBA,CAAgB,CACxC,EAAG,GAAG,CAAC,EACT,CAEA,eAAeC,EAASC,EAAYC,EAAO,CACzC,IAAMT,EAAUU,GAAYF,GAAc,CAAC,CAAC,EAAE,OAAOG,GAAK,CAAC,CAACA,CAAC,EACzDX,EAAQ,SACVS,EAAQF,EAAQ,UAAU,IAAI,GAAGP,CAAO,EAAIO,EAAQ,UAAU,OAAO,GAAGP,CAAO,EAEnF,CAEA,yBAA0B,CAIxB,KAAK,QAAQ,kBAAkB,IAAM,CAInC,IAAMY,EAAe,KAAK,SAAS,KAAKC,GAAUC,GAAM,KAAK,aAAc,KAAK,YAAY,CAAC,CAAC,EAAE,UAAU,IAAM,EAG1G,CAAC,KAAK,OAAS,CAAC,KAAK,OAAS,KAAK,MAAM,SAAS,SAAW,KAC3D,KAAK,OAAS,KAAK,QAAQ,YAC7B,KAAK,eAAe,KAAK,MAAO,KAAK,QAAQ,WAAY,EAAK,EAE5D,KAAK,OAAS,KAAK,MAAM,gBAC3B,KAAK,oBAAsB,KAAK,MAAM,cACtC,KAAK,MAAM,OAAO,GAEpBF,EAAa,YAAY,EAE7B,CAAC,CACH,CAAC,CACH,CAEA,wBAAyB,CACvB,IAAMG,EAAiB,KAAK,gBACxBA,IACFA,EAAe,QAAQ,EACnBA,EAAe,QACjBA,EAAe,OAAO,EAG5B,CAEA,iBAAiBC,EAAU,CACrBA,IACFA,EAAS,oBAAoB,QAAS,KAAK,qBAAqB,EAChEA,EAAS,oBAAoB,gBAAiB,KAAK,6BAA6B,EAChFA,EAAS,OAAO,EAIZ,KAAK,mBAAqBA,IAC5B,KAAK,iBAAmB,OAGxB,KAAK,mBACP,aAAa,KAAK,gBAAgB,EAClC,KAAK,iBAAmB,OAE5B,CACF,EAKMC,GAAmB,8CAEnBC,GAAiB,gBAQjBC,GAAN,KAAwC,CAEtC,IAAI,WAAY,CACd,OAAO,KAAK,mBACd,CACA,YAAYC,EAAaC,EAAgBxC,EAAWxB,EAAWiE,EAAmB,CAChF,KAAK,eAAiBD,EACtB,KAAK,UAAYxC,EACjB,KAAK,UAAYxB,EACjB,KAAK,kBAAoBiE,EAEzB,KAAK,qBAAuB,CAC1B,MAAO,EACP,OAAQ,CACV,EAEA,KAAK,UAAY,GAEjB,KAAK,SAAW,GAEhB,KAAK,eAAiB,GAEtB,KAAK,uBAAyB,GAE9B,KAAK,gBAAkB,GAEvB,KAAK,gBAAkB,EAEvB,KAAK,aAAe,CAAC,EAErB,KAAK,oBAAsB,CAAC,EAE5B,KAAK,iBAAmB,IAAIpC,EAE5B,KAAK,oBAAsBC,GAAa,MAExC,KAAK,SAAW,EAEhB,KAAK,SAAW,EAEhB,KAAK,qBAAuB,CAAC,EAE7B,KAAK,gBAAkB,KAAK,iBAC5B,KAAK,UAAUiC,CAAW,CAC5B,CAEA,OAAO/E,EAAY,CACb,KAAK,aAA8B,KAAK,YAG5C,KAAK,mBAAmB,EACxBA,EAAW,YAAY,UAAU,IAAI4E,EAAgB,EACrD,KAAK,YAAc5E,EACnB,KAAK,aAAeA,EAAW,YAC/B,KAAK,MAAQA,EAAW,eACxB,KAAK,YAAc,GACnB,KAAK,iBAAmB,GACxB,KAAK,cAAgB,KACrB,KAAK,oBAAoB,YAAY,EACrC,KAAK,oBAAsB,KAAK,eAAe,OAAO,EAAE,UAAU,IAAM,CAItE,KAAK,iBAAmB,GACxB,KAAK,MAAM,CACb,CAAC,CACH,CAeA,OAAQ,CAEN,GAAI,KAAK,aAAe,CAAC,KAAK,UAAU,UACtC,OAKF,GAAI,CAAC,KAAK,kBAAoB,KAAK,iBAAmB,KAAK,cAAe,CACxE,KAAK,oBAAoB,EACzB,MACF,CACA,KAAK,mBAAmB,EACxB,KAAK,2BAA2B,EAChC,KAAK,wBAAwB,EAI7B,KAAK,cAAgB,KAAK,yBAAyB,EACnD,KAAK,YAAc,KAAK,eAAe,EACvC,KAAK,aAAe,KAAK,MAAM,sBAAsB,EACrD,KAAK,eAAiB,KAAK,kBAAkB,oBAAoB,EAAE,sBAAsB,EACzF,IAAMkF,EAAa,KAAK,YAClBC,EAAc,KAAK,aACnBC,EAAe,KAAK,cACpBC,EAAgB,KAAK,eAErBC,EAAe,CAAC,EAElBC,EAGJ,QAASC,KAAO,KAAK,oBAAqB,CAExC,IAAIC,EAAc,KAAK,gBAAgBP,EAAYG,EAAeG,CAAG,EAIjEE,EAAe,KAAK,iBAAiBD,EAAaN,EAAaK,CAAG,EAElEG,EAAa,KAAK,eAAeD,EAAcP,EAAaC,EAAcI,CAAG,EAEjF,GAAIG,EAAW,2BAA4B,CACzC,KAAK,UAAY,GACjB,KAAK,eAAeH,EAAKC,CAAW,EACpC,MACF,CAGA,GAAI,KAAK,8BAA8BE,EAAYD,EAAcN,CAAY,EAAG,CAG9EE,EAAa,KAAK,CAChB,SAAUE,EACV,OAAQC,EACR,YAAAN,EACA,gBAAiB,KAAK,0BAA0BM,EAAaD,CAAG,CAClE,CAAC,EACD,QACF,EAII,CAACD,GAAYA,EAAS,WAAW,YAAcI,EAAW,eAC5DJ,EAAW,CACT,WAAAI,EACA,aAAAD,EACA,YAAAD,EACA,SAAUD,EACV,YAAAL,CACF,EAEJ,CAGA,GAAIG,EAAa,OAAQ,CACvB,IAAIM,EAAU,KACVC,EAAY,GAChB,QAAWC,KAAOR,EAAc,CAC9B,IAAMS,EAAQD,EAAI,gBAAgB,MAAQA,EAAI,gBAAgB,QAAUA,EAAI,SAAS,QAAU,GAC3FC,EAAQF,IACVA,EAAYE,EACZH,EAAUE,EAEd,CACA,KAAK,UAAY,GACjB,KAAK,eAAeF,EAAQ,SAAUA,EAAQ,MAAM,EACpD,MACF,CAGA,GAAI,KAAK,SAAU,CAEjB,KAAK,UAAY,GACjB,KAAK,eAAeL,EAAS,SAAUA,EAAS,WAAW,EAC3D,MACF,CAGA,KAAK,eAAeA,EAAS,SAAUA,EAAS,WAAW,CAC7D,CACA,QAAS,CACP,KAAK,mBAAmB,EACxB,KAAK,cAAgB,KACrB,KAAK,oBAAsB,KAC3B,KAAK,oBAAoB,YAAY,CACvC,CAEA,SAAU,CACJ,KAAK,cAKL,KAAK,cACPS,GAAa,KAAK,aAAa,MAAO,CACpC,IAAK,GACL,KAAM,GACN,MAAO,GACP,OAAQ,GACR,OAAQ,GACR,MAAO,GACP,WAAY,GACZ,eAAgB,EAClB,CAAC,EAEC,KAAK,OACP,KAAK,2BAA2B,EAE9B,KAAK,aACP,KAAK,YAAY,YAAY,UAAU,OAAOpB,EAAgB,EAEhE,KAAK,OAAO,EACZ,KAAK,iBAAiB,SAAS,EAC/B,KAAK,YAAc,KAAK,aAAe,KACvC,KAAK,YAAc,GACrB,CAMA,qBAAsB,CACpB,GAAI,KAAK,aAAe,CAAC,KAAK,UAAU,UACtC,OAEF,IAAMqB,EAAe,KAAK,cAC1B,GAAIA,EAAc,CAChB,KAAK,YAAc,KAAK,eAAe,EACvC,KAAK,aAAe,KAAK,MAAM,sBAAsB,EACrD,KAAK,cAAgB,KAAK,yBAAyB,EACnD,KAAK,eAAiB,KAAK,kBAAkB,oBAAoB,EAAE,sBAAsB,EACzF,IAAMR,EAAc,KAAK,gBAAgB,KAAK,YAAa,KAAK,eAAgBQ,CAAY,EAC5F,KAAK,eAAeA,EAAcR,CAAW,CAC/C,MACE,KAAK,MAAM,CAEf,CAMA,yBAAyBS,EAAa,CACpC,YAAK,aAAeA,EACb,IACT,CAKA,cAAcC,EAAW,CACvB,YAAK,oBAAsBA,EAGvBA,EAAU,QAAQ,KAAK,aAAa,IAAM,KAC5C,KAAK,cAAgB,MAEvB,KAAK,mBAAmB,EACjB,IACT,CAKA,mBAAmBC,EAAQ,CACzB,YAAK,gBAAkBA,EAChB,IACT,CAEA,uBAAuBC,EAAqB,GAAM,CAChD,YAAK,uBAAyBA,EACvB,IACT,CAEA,kBAAkBC,EAAgB,GAAM,CACtC,YAAK,eAAiBA,EACf,IACT,CAEA,SAASC,EAAU,GAAM,CACvB,YAAK,SAAWA,EACT,IACT,CAOA,mBAAmBC,EAAW,GAAM,CAClC,YAAK,gBAAkBA,EAChB,IACT,CAQA,UAAUrF,EAAQ,CAChB,YAAK,QAAUA,EACR,IACT,CAKA,mBAAmBsF,EAAQ,CACzB,YAAK,SAAWA,EACT,IACT,CAKA,mBAAmBA,EAAQ,CACzB,YAAK,SAAWA,EACT,IACT,CASA,sBAAsBC,EAAU,CAC9B,YAAK,yBAA2BA,EACzB,IACT,CAIA,gBAAgBxB,EAAYG,EAAeG,EAAK,CAC9C,IAAImB,EACJ,GAAInB,EAAI,SAAW,SAGjBmB,EAAIzB,EAAW,KAAOA,EAAW,MAAQ,MACpC,CACL,IAAM0B,EAAS,KAAK,OAAO,EAAI1B,EAAW,MAAQA,EAAW,KACvD2B,EAAO,KAAK,OAAO,EAAI3B,EAAW,KAAOA,EAAW,MAC1DyB,EAAInB,EAAI,SAAW,QAAUoB,EAASC,CACxC,CAGIxB,EAAc,KAAO,IACvBsB,GAAKtB,EAAc,MAErB,IAAIyB,EACJ,OAAItB,EAAI,SAAW,SACjBsB,EAAI5B,EAAW,IAAMA,EAAW,OAAS,EAEzC4B,EAAItB,EAAI,SAAW,MAAQN,EAAW,IAAMA,EAAW,OAOrDG,EAAc,IAAM,IACtByB,GAAKzB,EAAc,KAEd,CACL,EAAAsB,EACA,EAAAG,CACF,CACF,CAKA,iBAAiBrB,EAAaN,EAAaK,EAAK,CAG9C,IAAIuB,EACAvB,EAAI,UAAY,SAClBuB,EAAgB,CAAC5B,EAAY,MAAQ,EAC5BK,EAAI,WAAa,QAC1BuB,EAAgB,KAAK,OAAO,EAAI,CAAC5B,EAAY,MAAQ,EAErD4B,EAAgB,KAAK,OAAO,EAAI,EAAI,CAAC5B,EAAY,MAEnD,IAAI6B,EACJ,OAAIxB,EAAI,UAAY,SAClBwB,EAAgB,CAAC7B,EAAY,OAAS,EAEtC6B,EAAgBxB,EAAI,UAAY,MAAQ,EAAI,CAACL,EAAY,OAGpD,CACL,EAAGM,EAAY,EAAIsB,EACnB,EAAGtB,EAAY,EAAIuB,CACrB,CACF,CAEA,eAAeC,EAAOC,EAAgBC,EAAUC,EAAU,CAGxD,IAAMC,EAAUC,GAA6BJ,CAAc,EACvD,CACF,EAAAP,EACA,EAAAG,CACF,EAAIG,EACAM,EAAU,KAAK,WAAWH,EAAU,GAAG,EACvCI,EAAU,KAAK,WAAWJ,EAAU,GAAG,EAEvCG,IACFZ,GAAKY,GAEHC,IACFV,GAAKU,GAGP,IAAIC,EAAe,EAAId,EACnBe,EAAgBf,EAAIU,EAAQ,MAAQF,EAAS,MAC7CQ,EAAc,EAAIb,EAClBc,EAAiBd,EAAIO,EAAQ,OAASF,EAAS,OAE/CU,EAAe,KAAK,mBAAmBR,EAAQ,MAAOI,EAAcC,CAAa,EACjFI,GAAgB,KAAK,mBAAmBT,EAAQ,OAAQM,EAAaC,CAAc,EACnFG,GAAcF,EAAeC,GACjC,MAAO,CACL,YAAAC,GACA,2BAA4BV,EAAQ,MAAQA,EAAQ,SAAWU,GAC/D,yBAA0BD,KAAkBT,EAAQ,OACpD,2BAA4BQ,GAAgBR,EAAQ,KACtD,CACF,CAOA,8BAA8BvB,EAAKmB,EAAOE,EAAU,CAClD,GAAI,KAAK,uBAAwB,CAC/B,IAAMa,EAAkBb,EAAS,OAASF,EAAM,EAC1CgB,EAAiBd,EAAS,MAAQF,EAAM,EACxCiB,EAAYC,GAAc,KAAK,YAAY,UAAU,EAAE,SAAS,EAChEC,EAAWD,GAAc,KAAK,YAAY,UAAU,EAAE,QAAQ,EAC9DE,EAAcvC,EAAI,0BAA4BoC,GAAa,MAAQA,GAAaF,EAChFM,EAAgBxC,EAAI,4BAA8BsC,GAAY,MAAQA,GAAYH,EACxF,OAAOI,GAAeC,CACxB,CACA,MAAO,EACT,CAYA,qBAAqBC,EAAOrB,EAAgBsB,EAAgB,CAI1D,GAAI,KAAK,qBAAuB,KAAK,gBACnC,MAAO,CACL,EAAGD,EAAM,EAAI,KAAK,oBAAoB,EACtC,EAAGA,EAAM,EAAI,KAAK,oBAAoB,CACxC,EAIF,IAAMlB,EAAUC,GAA6BJ,CAAc,EACrDC,EAAW,KAAK,cAGhBsB,EAAgB,KAAK,IAAIF,EAAM,EAAIlB,EAAQ,MAAQF,EAAS,MAAO,CAAC,EACpEuB,EAAiB,KAAK,IAAIH,EAAM,EAAIlB,EAAQ,OAASF,EAAS,OAAQ,CAAC,EACvEwB,EAAc,KAAK,IAAIxB,EAAS,IAAMqB,EAAe,IAAMD,EAAM,EAAG,CAAC,EACrEK,EAAe,KAAK,IAAIzB,EAAS,KAAOqB,EAAe,KAAOD,EAAM,EAAG,CAAC,EAE1EM,EAAQ,EACRC,EAAQ,EAIZ,OAAIzB,EAAQ,OAASF,EAAS,MAC5B0B,EAAQD,GAAgB,CAACH,EAEzBI,EAAQN,EAAM,EAAI,KAAK,gBAAkBpB,EAAS,KAAOqB,EAAe,KAAOD,EAAM,EAAI,EAEvFlB,EAAQ,QAAUF,EAAS,OAC7B2B,EAAQH,GAAe,CAACD,EAExBI,EAAQP,EAAM,EAAI,KAAK,gBAAkBpB,EAAS,IAAMqB,EAAe,IAAMD,EAAM,EAAI,EAEzF,KAAK,oBAAsB,CACzB,EAAGM,EACHC,CACF,EACO,CACL,EAAGP,EAAM,EAAIM,EACb,EAAGN,EAAM,EAAIO,CACf,CACF,CAMA,eAAe1B,EAAU3B,EAAa,CAUpC,GATA,KAAK,oBAAoB2B,CAAQ,EACjC,KAAK,yBAAyB3B,EAAa2B,CAAQ,EACnD,KAAK,sBAAsB3B,EAAa2B,CAAQ,EAC5CA,EAAS,YACX,KAAK,iBAAiBA,EAAS,UAAU,EAKvC,KAAK,iBAAiB,UAAU,OAAQ,CAC1C,IAAM2B,EAAmB,KAAK,qBAAqB,EAGnD,GAAI3B,IAAa,KAAK,eAAiB,CAAC,KAAK,uBAAyB,CAAC4B,GAAwB,KAAK,sBAAuBD,CAAgB,EAAG,CAC5I,IAAME,EAAc,IAAIC,GAA+B9B,EAAU2B,CAAgB,EACjF,KAAK,iBAAiB,KAAKE,CAAW,CACxC,CACA,KAAK,sBAAwBF,CAC/B,CAEA,KAAK,cAAgB3B,EACrB,KAAK,iBAAmB,EAC1B,CAEA,oBAAoBA,EAAU,CAC5B,GAAI,CAAC,KAAK,yBACR,OAEF,IAAM+B,EAAW,KAAK,aAAa,iBAAiB,KAAK,wBAAwB,EAC7EC,EACAC,EAAUjC,EAAS,SACnBA,EAAS,WAAa,SACxBgC,EAAU,SACD,KAAK,OAAO,EACrBA,EAAUhC,EAAS,WAAa,QAAU,QAAU,OAEpDgC,EAAUhC,EAAS,WAAa,QAAU,OAAS,QAErD,QAASzG,EAAI,EAAGA,EAAIwI,EAAS,OAAQxI,IACnCwI,EAASxI,CAAC,EAAE,MAAM,gBAAkB,GAAGyI,CAAO,IAAIC,CAAO,EAE7D,CAOA,0BAA0BlI,EAAQiG,EAAU,CAC1C,IAAMD,EAAW,KAAK,cAChBmC,EAAQ,KAAK,OAAO,EACtBC,EAAQC,EAAKC,EACjB,GAAIrC,EAAS,WAAa,MAExBoC,EAAMrI,EAAO,EACboI,EAASpC,EAAS,OAASqC,EAAM,KAAK,wBAC7BpC,EAAS,WAAa,SAI/BqC,EAAStC,EAAS,OAAShG,EAAO,EAAI,KAAK,gBAAkB,EAC7DoI,EAASpC,EAAS,OAASsC,EAAS,KAAK,oBACpC,CAKL,IAAMC,EAAiC,KAAK,IAAIvC,EAAS,OAAShG,EAAO,EAAIgG,EAAS,IAAKhG,EAAO,CAAC,EAC7FwI,EAAiB,KAAK,qBAAqB,OACjDJ,EAASG,EAAiC,EAC1CF,EAAMrI,EAAO,EAAIuI,EACbH,EAASI,GAAkB,CAAC,KAAK,kBAAoB,CAAC,KAAK,iBAC7DH,EAAMrI,EAAO,EAAIwI,EAAiB,EAEtC,CAEA,IAAMC,EAA+BxC,EAAS,WAAa,SAAW,CAACkC,GAASlC,EAAS,WAAa,OAASkC,EAEzGO,EAA8BzC,EAAS,WAAa,OAAS,CAACkC,GAASlC,EAAS,WAAa,SAAWkC,EAC1GQ,EAAOC,EAAMC,EACjB,GAAIH,EACFG,EAAQ7C,EAAS,MAAQhG,EAAO,EAAI,KAAK,gBAAkB,EAC3D2I,EAAQ3I,EAAO,EAAI,KAAK,wBACfyI,EACTG,EAAO5I,EAAO,EACd2I,EAAQ3C,EAAS,MAAQhG,EAAO,MAC3B,CAKL,IAAMuI,EAAiC,KAAK,IAAIvC,EAAS,MAAQhG,EAAO,EAAIgG,EAAS,KAAMhG,EAAO,CAAC,EAC7F8I,EAAgB,KAAK,qBAAqB,MAChDH,EAAQJ,EAAiC,EACzCK,EAAO5I,EAAO,EAAIuI,EACdI,EAAQG,GAAiB,CAAC,KAAK,kBAAoB,CAAC,KAAK,iBAC3DF,EAAO5I,EAAO,EAAI8I,EAAgB,EAEtC,CACA,MAAO,CACL,IAAKT,EACL,KAAMO,EACN,OAAQN,EACR,MAAOO,EACP,MAAAF,EACA,OAAAP,CACF,CACF,CAQA,sBAAsBpI,EAAQiG,EAAU,CACtC,IAAM8C,EAAkB,KAAK,0BAA0B/I,EAAQiG,CAAQ,EAGnE,CAAC,KAAK,kBAAoB,CAAC,KAAK,iBAClC8C,EAAgB,OAAS,KAAK,IAAIA,EAAgB,OAAQ,KAAK,qBAAqB,MAAM,EAC1FA,EAAgB,MAAQ,KAAK,IAAIA,EAAgB,MAAO,KAAK,qBAAqB,KAAK,GAEzF,IAAMC,EAAS,CAAC,EAChB,GAAI,KAAK,kBAAkB,EACzBA,EAAO,IAAMA,EAAO,KAAO,IAC3BA,EAAO,OAASA,EAAO,MAAQA,EAAO,UAAYA,EAAO,SAAW,GACpEA,EAAO,MAAQA,EAAO,OAAS,WAC1B,CACL,IAAMC,EAAY,KAAK,YAAY,UAAU,EAAE,UACzCC,EAAW,KAAK,YAAY,UAAU,EAAE,SAC9CF,EAAO,OAASrG,EAAoBoG,EAAgB,MAAM,EAC1DC,EAAO,IAAMrG,EAAoBoG,EAAgB,GAAG,EACpDC,EAAO,OAASrG,EAAoBoG,EAAgB,MAAM,EAC1DC,EAAO,MAAQrG,EAAoBoG,EAAgB,KAAK,EACxDC,EAAO,KAAOrG,EAAoBoG,EAAgB,IAAI,EACtDC,EAAO,MAAQrG,EAAoBoG,EAAgB,KAAK,EAEpD9C,EAAS,WAAa,SACxB+C,EAAO,WAAa,SAEpBA,EAAO,WAAa/C,EAAS,WAAa,MAAQ,WAAa,aAE7DA,EAAS,WAAa,SACxB+C,EAAO,eAAiB,SAExBA,EAAO,eAAiB/C,EAAS,WAAa,SAAW,WAAa,aAEpEgD,IACFD,EAAO,UAAYrG,EAAoBsG,CAAS,GAE9CC,IACFF,EAAO,SAAWrG,EAAoBuG,CAAQ,EAElD,CACA,KAAK,qBAAuBH,EAC5BlE,GAAa,KAAK,aAAa,MAAOmE,CAAM,CAC9C,CAEA,yBAA0B,CACxBnE,GAAa,KAAK,aAAa,MAAO,CACpC,IAAK,IACL,KAAM,IACN,MAAO,IACP,OAAQ,IACR,OAAQ,GACR,MAAO,GACP,WAAY,GACZ,eAAgB,EAClB,CAAC,CACH,CAEA,4BAA6B,CAC3BA,GAAa,KAAK,MAAM,MAAO,CAC7B,IAAK,GACL,KAAM,GACN,OAAQ,GACR,MAAO,GACP,SAAU,GACV,UAAW,EACb,CAAC,CACH,CAEA,yBAAyBP,EAAa2B,EAAU,CAC9C,IAAM+C,EAAS,CAAC,EACVG,EAAmB,KAAK,kBAAkB,EAC1CC,EAAwB,KAAK,uBAC7BC,EAAS,KAAK,YAAY,UAAU,EAC1C,GAAIF,EAAkB,CACpB,IAAM9B,EAAiB,KAAK,eAAe,0BAA0B,EACrExC,GAAamE,EAAQ,KAAK,kBAAkB/C,EAAU3B,EAAa+C,CAAc,CAAC,EAClFxC,GAAamE,EAAQ,KAAK,kBAAkB/C,EAAU3B,EAAa+C,CAAc,CAAC,CACpF,MACE2B,EAAO,SAAW,SAOpB,IAAIM,EAAkB,GAClBlD,EAAU,KAAK,WAAWH,EAAU,GAAG,EACvCI,EAAU,KAAK,WAAWJ,EAAU,GAAG,EACvCG,IACFkD,GAAmB,cAAclD,CAAO,QAEtCC,IACFiD,GAAmB,cAAcjD,CAAO,OAE1C2C,EAAO,UAAYM,EAAgB,KAAK,EAMpCD,EAAO,YACLF,EACFH,EAAO,UAAYrG,EAAoB0G,EAAO,SAAS,EAC9CD,IACTJ,EAAO,UAAY,KAGnBK,EAAO,WACLF,EACFH,EAAO,SAAWrG,EAAoB0G,EAAO,QAAQ,EAC5CD,IACTJ,EAAO,SAAW,KAGtBnE,GAAa,KAAK,MAAM,MAAOmE,CAAM,CACvC,CAEA,kBAAkB/C,EAAU3B,EAAa+C,EAAgB,CAGvD,IAAI2B,EAAS,CACX,IAAK,GACL,OAAQ,EACV,EACIzE,EAAe,KAAK,iBAAiBD,EAAa,KAAK,aAAc2B,CAAQ,EAMjF,GALI,KAAK,YACP1B,EAAe,KAAK,qBAAqBA,EAAc,KAAK,aAAc8C,CAAc,GAItFpB,EAAS,WAAa,SAAU,CAGlC,IAAMsD,EAAiB,KAAK,UAAU,gBAAgB,aACtDP,EAAO,OAAS,GAAGO,GAAkBhF,EAAa,EAAI,KAAK,aAAa,OAAO,IACjF,MACEyE,EAAO,IAAMrG,EAAoB4B,EAAa,CAAC,EAEjD,OAAOyE,CACT,CAEA,kBAAkB/C,EAAU3B,EAAa+C,EAAgB,CAGvD,IAAI2B,EAAS,CACX,KAAM,GACN,MAAO,EACT,EACIzE,EAAe,KAAK,iBAAiBD,EAAa,KAAK,aAAc2B,CAAQ,EAC7E,KAAK,YACP1B,EAAe,KAAK,qBAAqBA,EAAc,KAAK,aAAc8C,CAAc,GAM1F,IAAImC,EAQJ,GAPI,KAAK,OAAO,EACdA,EAA0BvD,EAAS,WAAa,MAAQ,OAAS,QAEjEuD,EAA0BvD,EAAS,WAAa,MAAQ,QAAU,OAIhEuD,IAA4B,QAAS,CACvC,IAAMC,EAAgB,KAAK,UAAU,gBAAgB,YACrDT,EAAO,MAAQ,GAAGS,GAAiBlF,EAAa,EAAI,KAAK,aAAa,MAAM,IAC9E,MACEyE,EAAO,KAAOrG,EAAoB4B,EAAa,CAAC,EAElD,OAAOyE,CACT,CAKA,sBAAuB,CAErB,IAAMU,EAAe,KAAK,eAAe,EACnCC,EAAgB,KAAK,MAAM,sBAAsB,EAIjDC,EAAwB,KAAK,aAAa,IAAIC,GAC3CA,EAAW,cAAc,EAAE,cAAc,sBAAsB,CACvE,EACD,MAAO,CACL,gBAAiBC,GAA4BJ,EAAcE,CAAqB,EAChF,oBAAqBG,GAA6BL,EAAcE,CAAqB,EACrF,iBAAkBE,GAA4BH,EAAeC,CAAqB,EAClF,qBAAsBG,GAA6BJ,EAAeC,CAAqB,CACzF,CACF,CAEA,mBAAmBI,KAAWC,EAAW,CACvC,OAAOA,EAAU,OAAO,CAACC,EAAcC,IAC9BD,EAAe,KAAK,IAAIC,EAAiB,CAAC,EAChDH,CAAM,CACX,CAEA,0BAA2B,CAMzB,IAAMrB,EAAQ,KAAK,UAAU,gBAAgB,YACvCP,EAAS,KAAK,UAAU,gBAAgB,aACxCf,EAAiB,KAAK,eAAe,0BAA0B,EACrE,MAAO,CACL,IAAKA,EAAe,IAAM,KAAK,gBAC/B,KAAMA,EAAe,KAAO,KAAK,gBACjC,MAAOA,EAAe,KAAOsB,EAAQ,KAAK,gBAC1C,OAAQtB,EAAe,IAAMe,EAAS,KAAK,gBAC3C,MAAOO,EAAQ,EAAI,KAAK,gBACxB,OAAQP,EAAS,EAAI,KAAK,eAC5B,CACF,CAEA,QAAS,CACP,OAAO,KAAK,YAAY,aAAa,IAAM,KAC7C,CAEA,mBAAoB,CAClB,MAAO,CAAC,KAAK,wBAA0B,KAAK,SAC9C,CAEA,WAAWnC,EAAUmE,EAAM,CACzB,OAAIA,IAAS,IAGJnE,EAAS,SAAW,KAAO,KAAK,SAAWA,EAAS,QAEtDA,EAAS,SAAW,KAAO,KAAK,SAAWA,EAAS,OAC7D,CAEA,oBAAqB,CAcrB,CAEA,iBAAiBjD,EAAY,CACvB,KAAK,OACPE,GAAYF,CAAU,EAAE,QAAQqH,GAAY,CACtCA,IAAa,IAAM,KAAK,qBAAqB,QAAQA,CAAQ,IAAM,KACrE,KAAK,qBAAqB,KAAKA,CAAQ,EACvC,KAAK,MAAM,UAAU,IAAIA,CAAQ,EAErC,CAAC,CAEL,CAEA,oBAAqB,CACf,KAAK,QACP,KAAK,qBAAqB,QAAQA,GAAY,CAC5C,KAAK,MAAM,UAAU,OAAOA,CAAQ,CACtC,CAAC,EACD,KAAK,qBAAuB,CAAC,EAEjC,CAEA,gBAAiB,CACf,IAAMrK,EAAS,KAAK,QACpB,GAAIA,aAAkBsK,EACpB,OAAOtK,EAAO,cAAc,sBAAsB,EAGpD,GAAIA,aAAkB,QACpB,OAAOA,EAAO,sBAAsB,EAEtC,IAAM2I,EAAQ3I,EAAO,OAAS,EACxBoI,EAASpI,EAAO,QAAU,EAEhC,MAAO,CACL,IAAKA,EAAO,EACZ,OAAQA,EAAO,EAAIoI,EACnB,KAAMpI,EAAO,EACb,MAAOA,EAAO,EAAI2I,EAClB,OAAAP,EACA,MAAAO,CACF,CACF,CACF,EAEA,SAAS9D,GAAa0F,EAAaC,EAAQ,CACzC,QAASC,KAAOD,EACVA,EAAO,eAAeC,CAAG,IAC3BF,EAAYE,CAAG,EAAID,EAAOC,CAAG,GAGjC,OAAOF,CACT,CAKA,SAASvD,GAAc0D,EAAO,CAC5B,GAAI,OAAOA,GAAU,UAAYA,GAAS,KAAM,CAC9C,GAAM,CAACC,EAAOC,CAAK,EAAIF,EAAM,MAAMhH,EAAc,EACjD,MAAO,CAACkH,GAASA,IAAU,KAAO,WAAWD,CAAK,EAAI,IACxD,CACA,OAAOD,GAAS,IAClB,CAOA,SAASvE,GAA6B0E,EAAY,CAChD,MAAO,CACL,IAAK,KAAK,MAAMA,EAAW,GAAG,EAC9B,MAAO,KAAK,MAAMA,EAAW,KAAK,EAClC,OAAQ,KAAK,MAAMA,EAAW,MAAM,EACpC,KAAM,KAAK,MAAMA,EAAW,IAAI,EAChC,MAAO,KAAK,MAAMA,EAAW,KAAK,EAClC,OAAQ,KAAK,MAAMA,EAAW,MAAM,CACtC,CACF,CAEA,SAAShD,GAAwBiD,EAAGC,EAAG,CACrC,OAAID,IAAMC,EACD,GAEFD,EAAE,kBAAoBC,EAAE,iBAAmBD,EAAE,sBAAwBC,EAAE,qBAAuBD,EAAE,mBAAqBC,EAAE,kBAAoBD,EAAE,uBAAyBC,EAAE,oBACjL,CA6CA,IAAMC,GAAe,6BAOfC,GAAN,KAA6B,CAC3B,aAAc,CACZ,KAAK,aAAe,SACpB,KAAK,WAAa,GAClB,KAAK,cAAgB,GACrB,KAAK,YAAc,GACnB,KAAK,WAAa,GAClB,KAAK,SAAW,GAChB,KAAK,OAAS,GACd,KAAK,QAAU,GACf,KAAK,YAAc,EACrB,CACA,OAAOC,EAAY,CACjB,IAAMC,EAASD,EAAW,UAAU,EACpC,KAAK,YAAcA,EACf,KAAK,QAAU,CAACC,EAAO,OACzBD,EAAW,WAAW,CACpB,MAAO,KAAK,MACd,CAAC,EAEC,KAAK,SAAW,CAACC,EAAO,QAC1BD,EAAW,WAAW,CACpB,OAAQ,KAAK,OACf,CAAC,EAEHA,EAAW,YAAY,UAAU,IAAIF,EAAY,EACjD,KAAK,YAAc,EACrB,CAKA,IAAII,EAAQ,GAAI,CACd,YAAK,cAAgB,GACrB,KAAK,WAAaA,EAClB,KAAK,YAAc,aACZ,IACT,CAKA,KAAKA,EAAQ,GAAI,CACf,YAAK,SAAWA,EAChB,KAAK,WAAa,OACX,IACT,CAKA,OAAOA,EAAQ,GAAI,CACjB,YAAK,WAAa,GAClB,KAAK,cAAgBA,EACrB,KAAK,YAAc,WACZ,IACT,CAKA,MAAMA,EAAQ,GAAI,CAChB,YAAK,SAAWA,EAChB,KAAK,WAAa,QACX,IACT,CAMA,MAAMA,EAAQ,GAAI,CAChB,YAAK,SAAWA,EAChB,KAAK,WAAa,QACX,IACT,CAMA,IAAIA,EAAQ,GAAI,CACd,YAAK,SAAWA,EAChB,KAAK,WAAa,MACX,IACT,CAOA,MAAMA,EAAQ,GAAI,CAChB,OAAI,KAAK,YACP,KAAK,YAAY,WAAW,CAC1B,MAAOA,CACT,CAAC,EAED,KAAK,OAASA,EAET,IACT,CAOA,OAAOA,EAAQ,GAAI,CACjB,OAAI,KAAK,YACP,KAAK,YAAY,WAAW,CAC1B,OAAQA,CACV,CAAC,EAED,KAAK,QAAUA,EAEV,IACT,CAOA,mBAAmBC,EAAS,GAAI,CAC9B,YAAK,KAAKA,CAAM,EAChB,KAAK,WAAa,SACX,IACT,CAOA,iBAAiBA,EAAS,GAAI,CAC5B,YAAK,IAAIA,CAAM,EACf,KAAK,YAAc,SACZ,IACT,CAKA,OAAQ,CAIN,GAAI,CAAC,KAAK,aAAe,CAAC,KAAK,YAAY,YAAY,EACrD,OAEF,IAAMC,EAAS,KAAK,YAAY,eAAe,MACzCC,EAAe,KAAK,YAAY,YAAY,MAC5CJ,EAAS,KAAK,YAAY,UAAU,EACpC,CACJ,MAAAK,EACA,OAAAC,EACA,SAAAC,EACA,UAAAC,CACF,EAAIR,EACES,GAA6BJ,IAAU,QAAUA,IAAU,WAAa,CAACE,GAAYA,IAAa,QAAUA,IAAa,SACzHG,GAA2BJ,IAAW,QAAUA,IAAW,WAAa,CAACE,GAAaA,IAAc,QAAUA,IAAc,SAC5HG,EAAY,KAAK,WACjBC,EAAU,KAAK,SACfC,EAAQ,KAAK,YAAY,UAAU,EAAE,YAAc,MACrDC,EAAa,GACbC,EAAc,GACdC,GAAiB,GACjBP,EACFO,GAAiB,aACRL,IAAc,UACvBK,GAAiB,SACbH,EACFE,EAAcH,EAEdE,EAAaF,GAENC,EACLF,IAAc,QAAUA,IAAc,OACxCK,GAAiB,WACjBF,EAAaF,IACJD,IAAc,SAAWA,IAAc,WAChDK,GAAiB,aACjBD,EAAcH,GAEPD,IAAc,QAAUA,IAAc,SAC/CK,GAAiB,aACjBF,EAAaF,IACJD,IAAc,SAAWA,IAAc,SAChDK,GAAiB,WACjBD,EAAcH,GAEhBT,EAAO,SAAW,KAAK,aACvBA,EAAO,WAAaM,EAA4B,IAAMK,EACtDX,EAAO,UAAYO,EAA0B,IAAM,KAAK,WACxDP,EAAO,aAAe,KAAK,cAC3BA,EAAO,YAAcM,EAA4B,IAAMM,EACvDX,EAAa,eAAiBY,GAC9BZ,EAAa,WAAaM,EAA0B,aAAe,KAAK,WAC1E,CAKA,SAAU,CACR,GAAI,KAAK,aAAe,CAAC,KAAK,YAC5B,OAEF,IAAMP,EAAS,KAAK,YAAY,eAAe,MACzCc,EAAS,KAAK,YAAY,YAC1Bb,EAAea,EAAO,MAC5BA,EAAO,UAAU,OAAOpB,EAAY,EACpCO,EAAa,eAAiBA,EAAa,WAAaD,EAAO,UAAYA,EAAO,aAAeA,EAAO,WAAaA,EAAO,YAAcA,EAAO,SAAW,GAC5J,KAAK,YAAc,KACnB,KAAK,YAAc,EACrB,CACF,EAGIe,IAAuC,IAAM,CAC/C,IAAMC,EAAN,MAAMA,CAAuB,CAC3B,YAAYC,EAAgBC,EAAWC,EAAWC,EAAmB,CACnE,KAAK,eAAiBH,EACtB,KAAK,UAAYC,EACjB,KAAK,UAAYC,EACjB,KAAK,kBAAoBC,CAC3B,CAIA,QAAS,CACP,OAAO,IAAIzB,EACb,CAKA,oBAAoB0B,EAAQ,CAC1B,OAAO,IAAIC,GAAkCD,EAAQ,KAAK,eAAgB,KAAK,UAAW,KAAK,UAAW,KAAK,iBAAiB,CAClI,CAaF,EAXIL,EAAK,UAAO,SAAwCO,EAAmB,CACrE,OAAO,IAAKA,GAAqBP,GAA2BQ,EAAYC,EAAa,EAAMD,EAASE,CAAQ,EAAMF,EAAcG,EAAQ,EAAMH,EAASI,EAAgB,CAAC,CAC1K,EAGAZ,EAAK,WAA0Ba,EAAmB,CAChD,MAAOb,EACP,QAASA,EAAuB,UAChC,WAAY,MACd,CAAC,EA9BL,IAAMD,EAANC,EAiCA,OAAOD,CACT,GAAG,EAMCe,GAAe,EAWfC,GAAwB,IAAM,CAChC,IAAMC,EAAN,MAAMA,CAAQ,CACZ,YACAC,EAAkBb,EAAmBc,EAA2BC,EAAkBC,EAAqBC,EAAWC,EAASpB,EAAWqB,EAAiBC,EAAWC,EAAyBC,EAAuB,CAChN,KAAK,iBAAmBT,EACxB,KAAK,kBAAoBb,EACzB,KAAK,0BAA4Bc,EACjC,KAAK,iBAAmBC,EACxB,KAAK,oBAAsBC,EAC3B,KAAK,UAAYC,EACjB,KAAK,QAAUC,EACf,KAAK,UAAYpB,EACjB,KAAK,gBAAkBqB,EACvB,KAAK,UAAYC,EACjB,KAAK,wBAA0BC,EAC/B,KAAK,sBAAwBC,CAC/B,CAMA,OAAO7C,EAAQ,CACb,IAAM8C,EAAO,KAAK,mBAAmB,EAC/BC,EAAO,KAAK,mBAAmBD,CAAI,EACnCE,EAAe,KAAK,oBAAoBD,CAAI,EAC5CE,EAAgB,IAAIC,GAAclD,CAAM,EAC9C,OAAAiD,EAAc,UAAYA,EAAc,WAAa,KAAK,gBAAgB,MACnE,IAAIE,GAAWH,EAAcF,EAAMC,EAAME,EAAe,KAAK,QAAS,KAAK,oBAAqB,KAAK,UAAW,KAAK,UAAW,KAAK,wBAAyB,KAAK,wBAA0B,iBAAkB,KAAK,UAAU,IAAIG,EAAmB,CAAC,CAC/P,CAMA,UAAW,CACT,OAAO,KAAK,gBACd,CAKA,mBAAmBN,EAAM,CACvB,IAAMC,EAAO,KAAK,UAAU,cAAc,KAAK,EAC/C,OAAAA,EAAK,GAAK,eAAed,IAAc,GACvCc,EAAK,UAAU,IAAI,kBAAkB,EACrCD,EAAK,YAAYC,CAAI,EACdA,CACT,CAMA,oBAAqB,CACnB,IAAMD,EAAO,KAAK,UAAU,cAAc,KAAK,EAC/C,YAAK,kBAAkB,oBAAoB,EAAE,YAAYA,CAAI,EACtDA,CACT,CAMA,oBAAoBC,EAAM,CAGxB,OAAK,KAAK,UACR,KAAK,QAAU,KAAK,UAAU,IAAIM,EAAc,GAE3C,IAAIC,GAAgBP,EAAM,KAAK,0BAA2B,KAAK,QAAS,KAAK,UAAW,KAAK,SAAS,CAC/G,CAaF,EAXIZ,EAAK,UAAO,SAAyBT,EAAmB,CACtD,OAAO,IAAKA,GAAqBS,GAAYR,EAAS4B,EAAqB,EAAM5B,EAASI,EAAgB,EAAMJ,EAAY6B,EAAwB,EAAM7B,EAAST,EAAsB,EAAMS,EAAS8B,EAAyB,EAAM9B,EAAY+B,CAAQ,EAAM/B,EAAYgC,CAAM,EAAMhC,EAASE,CAAQ,EAAMF,EAAYiC,EAAc,EAAMjC,EAAYkC,EAAQ,EAAMlC,EAASmC,EAA6B,EAAMnC,EAASoC,GAAuB,CAAC,CAAC,CAC1b,EAGA5B,EAAK,WAA0BH,EAAmB,CAChD,MAAOG,EACP,QAASA,EAAQ,UACjB,WAAY,MACd,CAAC,EAjFL,IAAMD,EAANC,EAoFA,OAAOD,CACT,GAAG,EAMG8B,GAAsB,CAAC,CAC3B,QAAS,QACT,QAAS,SACT,SAAU,QACV,SAAU,KACZ,EAAG,CACD,QAAS,QACT,QAAS,MACT,SAAU,QACV,SAAU,QACZ,EAAG,CACD,QAAS,MACT,QAAS,MACT,SAAU,MACV,SAAU,QACZ,EAAG,CACD,QAAS,MACT,QAAS,SACT,SAAU,MACV,SAAU,KACZ,CAAC,EAEKC,GAAqD,IAAIC,EAAe,wCAAyC,CACrH,WAAY,OACZ,QAAS,IAAM,CACb,IAAMC,EAAUC,EAAOlC,CAAO,EAC9B,MAAO,IAAMiC,EAAQ,iBAAiB,WAAW,CACnD,CACF,CAAC,EAKGE,IAAiC,IAAM,CACzC,IAAMC,EAAN,MAAMA,CAAiB,CACrB,YACAC,EAAY,CACV,KAAK,WAAaA,CACpB,CAcF,EAZID,EAAK,UAAO,SAAkC5C,EAAmB,CAC/D,OAAO,IAAKA,GAAqB4C,GAAqBE,EAAqBC,CAAU,CAAC,CACxF,EAGAH,EAAK,UAAyBI,EAAkB,CAC9C,KAAMJ,EACN,UAAW,CAAC,CAAC,GAAI,qBAAsB,EAAE,EAAG,CAAC,GAAI,iBAAkB,EAAE,EAAG,CAAC,GAAI,mBAAoB,EAAE,CAAC,EACpG,SAAU,CAAC,kBAAkB,EAC7B,WAAY,EACd,CAAC,EAhBL,IAAMD,EAANC,EAmBA,OAAOD,CACT,GAAG,EAQCM,IAAoC,IAAM,CAC5C,IAAMC,EAAN,MAAMA,CAAoB,CAExB,IAAI,SAAU,CACZ,OAAO,KAAK,QACd,CACA,IAAI,QAAQC,EAAS,CACnB,KAAK,SAAWA,EACZ,KAAK,WACP,KAAK,wBAAwB,KAAK,SAAS,CAE/C,CAEA,IAAI,SAAU,CACZ,OAAO,KAAK,QACd,CACA,IAAI,QAAQC,EAAS,CACnB,KAAK,SAAWA,EACZ,KAAK,WACP,KAAK,wBAAwB,KAAK,SAAS,CAE/C,CAEA,IAAI,qBAAsB,CACxB,OAAO,KAAK,oBACd,CACA,IAAI,oBAAoB7E,EAAO,CAC7B,KAAK,qBAAuBA,CAC9B,CAEA,YAAY8E,EAAUC,EAAaC,EAAkBC,EAAuBC,EAAM,CAChF,KAAK,SAAWJ,EAChB,KAAK,KAAOI,EACZ,KAAK,sBAAwBC,GAAa,MAC1C,KAAK,oBAAsBA,GAAa,MACxC,KAAK,oBAAsBA,GAAa,MACxC,KAAK,sBAAwBA,GAAa,MAC1C,KAAK,qBAAuB,GAC5B,KAAK,QAAUhB,EAAOT,CAAM,EAE5B,KAAK,eAAiB,EAEtB,KAAK,KAAO,GAEZ,KAAK,aAAe,GAEpB,KAAK,YAAc,GAEnB,KAAK,aAAe,GAEpB,KAAK,mBAAqB,GAE1B,KAAK,cAAgB,GAErB,KAAK,KAAO,GAEZ,KAAK,cAAgB,IAAI0B,GAEzB,KAAK,eAAiB,IAAIA,GAE1B,KAAK,OAAS,IAAIA,GAElB,KAAK,OAAS,IAAIA,GAElB,KAAK,eAAiB,IAAIA,GAE1B,KAAK,oBAAsB,IAAIA,GAC/B,KAAK,gBAAkB,IAAIC,GAAeN,EAAaC,CAAgB,EACvE,KAAK,uBAAyBC,EAC9B,KAAK,eAAiB,KAAK,uBAAuB,CACpD,CAEA,IAAI,YAAa,CACf,OAAO,KAAK,WACd,CAEA,IAAI,KAAM,CACR,OAAO,KAAK,KAAO,KAAK,KAAK,MAAQ,KACvC,CACA,aAAc,CACZ,KAAK,oBAAoB,YAAY,EACrC,KAAK,oBAAoB,YAAY,EACrC,KAAK,sBAAsB,YAAY,EACvC,KAAK,sBAAsB,YAAY,EACnC,KAAK,aACP,KAAK,YAAY,QAAQ,CAE7B,CACA,YAAYK,EAAS,CACf,KAAK,YACP,KAAK,wBAAwB,KAAK,SAAS,EAC3C,KAAK,YAAY,WAAW,CAC1B,MAAO,KAAK,MACZ,SAAU,KAAK,SACf,OAAQ,KAAK,OACb,UAAW,KAAK,SAClB,CAAC,EACGA,EAAQ,QAAa,KAAK,MAC5B,KAAK,UAAU,MAAM,GAGrBA,EAAQ,OACV,KAAK,KAAO,KAAK,eAAe,EAAI,KAAK,eAAe,EAE5D,CAEA,gBAAiB,EACX,CAAC,KAAK,WAAa,CAAC,KAAK,UAAU,UACrC,KAAK,UAAYvB,IAEnB,IAAMjE,EAAa,KAAK,YAAc,KAAK,SAAS,OAAO,KAAK,aAAa,CAAC,EAC9E,KAAK,oBAAsBA,EAAW,YAAY,EAAE,UAAU,IAAM,KAAK,OAAO,KAAK,CAAC,EACtF,KAAK,oBAAsBA,EAAW,YAAY,EAAE,UAAU,IAAM,KAAK,OAAO,KAAK,CAAC,EACtFA,EAAW,cAAc,EAAE,UAAUyF,GAAS,CAC5C,KAAK,eAAe,KAAKA,CAAK,EAC1BA,EAAM,UAAY,IAAU,CAAC,KAAK,cAAgB,CAACC,GAAeD,CAAK,IACzEA,EAAM,eAAe,EACrB,KAAK,eAAe,EAExB,CAAC,EACD,KAAK,YAAY,qBAAqB,EAAE,UAAUA,GAAS,CACzD,IAAMhE,EAAS,KAAK,kBAAkB,EAChCkE,EAASC,GAAgBH,CAAK,GAChC,CAAChE,GAAUA,IAAWkE,GAAU,CAAClE,EAAO,SAASkE,CAAM,IACzD,KAAK,oBAAoB,KAAKF,CAAK,CAEvC,CAAC,CACH,CAEA,cAAe,CACb,IAAMI,EAAmB,KAAK,UAAY,KAAK,kBAAoB,KAAK,wBAAwB,EAC1F3C,EAAgB,IAAIC,GAAc,CACtC,UAAW,KAAK,KAChB,iBAAA0C,EACA,eAAgB,KAAK,eACrB,YAAa,KAAK,YAClB,oBAAqB,KAAK,mBAC5B,CAAC,EACD,OAAI,KAAK,OAAS,KAAK,QAAU,KAC/B3C,EAAc,MAAQ,KAAK,QAEzB,KAAK,QAAU,KAAK,SAAW,KACjCA,EAAc,OAAS,KAAK,SAE1B,KAAK,UAAY,KAAK,WAAa,KACrCA,EAAc,SAAW,KAAK,WAE5B,KAAK,WAAa,KAAK,YAAc,KACvCA,EAAc,UAAY,KAAK,WAE7B,KAAK,gBACPA,EAAc,cAAgB,KAAK,eAEjC,KAAK,aACPA,EAAc,WAAa,KAAK,YAE3BA,CACT,CAEA,wBAAwB2C,EAAkB,CACxC,IAAMC,EAAY,KAAK,UAAU,IAAIC,IAAoB,CACvD,QAASA,EAAgB,QACzB,QAASA,EAAgB,QACzB,SAAUA,EAAgB,SAC1B,SAAUA,EAAgB,SAC1B,QAASA,EAAgB,SAAW,KAAK,QACzC,QAASA,EAAgB,SAAW,KAAK,QACzC,WAAYA,EAAgB,YAAc,MAC5C,EAAE,EACF,OAAOF,EAAiB,UAAU,KAAK,WAAW,CAAC,EAAE,cAAcC,CAAS,EAAE,uBAAuB,KAAK,kBAAkB,EAAE,SAAS,KAAK,IAAI,EAAE,kBAAkB,KAAK,aAAa,EAAE,mBAAmB,KAAK,cAAc,EAAE,mBAAmB,KAAK,YAAY,EAAE,sBAAsB,KAAK,uBAAuB,CAC1T,CAEA,yBAA0B,CACxB,IAAME,EAAW,KAAK,SAAS,SAAS,EAAE,oBAAoB,KAAK,WAAW,CAAC,EAC/E,YAAK,wBAAwBA,CAAQ,EAC9BA,CACT,CACA,YAAa,CACX,OAAI,KAAK,kBAAkB1B,GAClB,KAAK,OAAO,WAEZ,KAAK,MAEhB,CACA,mBAAoB,CAClB,OAAI,KAAK,kBAAkBA,GAClB,KAAK,OAAO,WAAW,cAE5B,KAAK,kBAAkBI,EAClB,KAAK,OAAO,cAEjB,OAAO,QAAY,KAAe,KAAK,kBAAkB,QACpD,KAAK,OAEP,IACT,CAEA,gBAAiB,CACV,KAAK,YAIR,KAAK,YAAY,UAAU,EAAE,YAAc,KAAK,YAHhD,KAAK,eAAe,EAKjB,KAAK,YAAY,YAAY,GAChC,KAAK,YAAY,OAAO,KAAK,eAAe,EAE1C,KAAK,YACP,KAAK,sBAAwB,KAAK,YAAY,cAAc,EAAE,UAAUe,GAAS,CAC/E,KAAK,cAAc,KAAKA,CAAK,CAC/B,CAAC,EAED,KAAK,sBAAsB,YAAY,EAEzC,KAAK,sBAAsB,YAAY,EAGnC,KAAK,eAAe,UAAU,OAAS,IACzC,KAAK,sBAAwB,KAAK,UAAU,gBAAgB,KAAKQ,GAAU,IAAM,KAAK,eAAe,UAAU,OAAS,CAAC,CAAC,EAAE,UAAUC,GAAY,CAChJ,KAAK,QAAQ,IAAI,IAAM,KAAK,eAAe,KAAKA,CAAQ,CAAC,EACrD,KAAK,eAAe,UAAU,SAAW,GAC3C,KAAK,sBAAsB,YAAY,CAE3C,CAAC,EAEL,CAEA,gBAAiB,CACX,KAAK,aACP,KAAK,YAAY,OAAO,EAE1B,KAAK,sBAAsB,YAAY,EACvC,KAAK,sBAAsB,YAAY,CACzC,CA+CF,EA7CIrB,EAAK,UAAO,SAAqClD,EAAmB,CAClE,OAAO,IAAKA,GAAqBkD,GAAwBJ,EAAkBtC,CAAO,EAAMsC,EAAqB0B,EAAW,EAAM1B,EAAqB2B,EAAgB,EAAM3B,EAAkBP,EAAqC,EAAMO,EAAqBZ,GAAgB,CAAC,CAAC,CAC/Q,EAGAgB,EAAK,UAAyBF,EAAkB,CAC9C,KAAME,EACN,UAAW,CAAC,CAAC,GAAI,wBAAyB,EAAE,EAAG,CAAC,GAAI,oBAAqB,EAAE,EAAG,CAAC,GAAI,sBAAuB,EAAE,CAAC,EAC7G,OAAQ,CACN,OAAQ,CAAC,EAAG,4BAA6B,QAAQ,EACjD,UAAW,CAAC,EAAG,+BAAgC,WAAW,EAC1D,iBAAkB,CAAC,EAAG,sCAAuC,kBAAkB,EAC/E,QAAS,CAAC,EAAG,6BAA8B,SAAS,EACpD,QAAS,CAAC,EAAG,6BAA8B,SAAS,EACpD,MAAO,CAAC,EAAG,2BAA4B,OAAO,EAC9C,OAAQ,CAAC,EAAG,4BAA6B,QAAQ,EACjD,SAAU,CAAC,EAAG,8BAA+B,UAAU,EACvD,UAAW,CAAC,EAAG,+BAAgC,WAAW,EAC1D,cAAe,CAAC,EAAG,mCAAoC,eAAe,EACtE,WAAY,CAAC,EAAG,gCAAiC,YAAY,EAC7D,eAAgB,CAAC,EAAG,oCAAqC,gBAAgB,EACzE,eAAgB,CAAC,EAAG,oCAAqC,gBAAgB,EACzE,KAAM,CAAC,EAAG,0BAA2B,MAAM,EAC3C,aAAc,CAAC,EAAG,kCAAmC,cAAc,EACnE,wBAAyB,CAAC,EAAG,uCAAwC,yBAAyB,EAC9F,YAAa,CAAC,EAAG,iCAAkC,cAAewB,EAAgB,EAClF,aAAc,CAAC,EAAG,kCAAmC,eAAgBA,EAAgB,EACrF,mBAAoB,CAAC,EAAG,wCAAyC,qBAAsBA,EAAgB,EACvG,cAAe,CAAC,EAAG,mCAAoC,gBAAiBA,EAAgB,EACxF,KAAM,CAAC,EAAG,0BAA2B,OAAQA,EAAgB,EAC7D,oBAAqB,CAAC,EAAG,yCAA0C,sBAAuBA,EAAgB,CAC5G,EACA,QAAS,CACP,cAAe,gBACf,eAAgB,iBAChB,OAAQ,SACR,OAAQ,SACR,eAAgB,iBAChB,oBAAqB,qBACvB,EACA,SAAU,CAAC,qBAAqB,EAChC,WAAY,GACZ,SAAU,CAAIC,GAA6BC,EAAoB,CACjE,CAAC,EArRL,IAAM3B,EAANC,EAwRA,OAAOD,CACT,GAAG,EAKH,SAAS4B,GAAuDpC,EAAS,CACvE,MAAO,IAAMA,EAAQ,iBAAiB,WAAW,CACnD,CAEA,IAAMqC,GAAiD,CACrD,QAASvC,GACT,KAAM,CAAC/B,CAAO,EACd,WAAYqE,EACd,EACIE,IAA8B,IAAM,CACtC,IAAMC,EAAN,MAAMA,CAAc,CAiBpB,EAfIA,EAAK,UAAO,SAA+BhF,EAAmB,CAC5D,OAAO,IAAKA,GAAqBgF,EACnC,EAGAA,EAAK,UAAyBC,EAAiB,CAC7C,KAAMD,CACR,CAAC,EAGDA,EAAK,UAAyBE,EAAiB,CAC7C,UAAW,CAAC1E,EAASsE,EAA8C,EACnE,QAAS,CAACK,GAAYC,GAAcC,GAAiBA,EAAe,CACtE,CAAC,EAfL,IAAMN,EAANC,EAkBA,OAAOD,CACT,GAAG,ECz4FH,SAASO,GAA0CC,EAAIC,EAAK,CAAC,CAC7D,IAAMC,GAAN,KAAmB,CACjB,aAAc,CAEZ,KAAK,KAAO,SAEZ,KAAK,WAAa,GAElB,KAAK,YAAc,GAEnB,KAAK,cAAgB,GAErB,KAAK,aAAe,GAEpB,KAAK,MAAQ,GAEb,KAAK,OAAS,GAEd,KAAK,KAAO,KAEZ,KAAK,gBAAkB,KAEvB,KAAK,eAAiB,KAEtB,KAAK,UAAY,KAEjB,KAAK,UAAY,GAMjB,KAAK,UAAY,iBASjB,KAAK,aAAe,GAMpB,KAAK,kBAAoB,GAKzB,KAAK,eAAiB,GAOtB,KAAK,0BAA4B,EACnC,CACF,EAQA,IAAIC,IAAmC,IAAM,CAC3C,IAAMC,EAAN,MAAMA,UAA2BC,EAAiB,CAChD,YAAYC,EAAaC,EAAmBC,EAAWC,EAASC,EAAuBC,EAASC,EAAaC,EAAe,CAC1H,MAAM,EACN,KAAK,YAAcP,EACnB,KAAK,kBAAoBC,EACzB,KAAK,QAAUE,EACf,KAAK,sBAAwBC,EAC7B,KAAK,QAAUC,EACf,KAAK,YAAcC,EACnB,KAAK,cAAgBC,EACrB,KAAK,UAAYC,EAAOC,EAAQ,EAEhC,KAAK,WAAa,KAElB,KAAK,qCAAuC,KAM5C,KAAK,sBAAwB,KAO7B,KAAK,qBAAuB,CAAC,EAC7B,KAAK,mBAAqBD,EAAOE,EAAiB,EAClD,KAAK,UAAYF,EAAOG,CAAQ,EAChC,KAAK,aAAe,GAOpB,KAAK,gBAAkBC,GAAU,CAC3B,KAAK,cAAc,YAAY,EAGnC,IAAMC,EAAS,KAAK,cAAc,gBAAgBD,CAAM,EACxD,YAAK,iBAAiB,EACfC,CACT,EACA,KAAK,UAAYX,EACb,KAAK,QAAQ,gBACf,KAAK,qBAAqB,KAAK,KAAK,QAAQ,cAAc,CAE9D,CACA,mBAAmBY,EAAI,CACrB,KAAK,qBAAqB,KAAKA,CAAE,EACjC,KAAK,mBAAmB,aAAa,CACvC,CACA,sBAAsBA,EAAI,CACxB,IAAMC,EAAQ,KAAK,qBAAqB,QAAQD,CAAE,EAC9CC,EAAQ,KACV,KAAK,qBAAqB,OAAOA,EAAO,CAAC,EACzC,KAAK,mBAAmB,aAAa,EAEzC,CACA,kBAAmB,CACjB,KAAK,qBAAqB,EAC1B,KAAK,sBAAsB,EAC3B,KAAK,qBAAqB,CAC5B,CAKA,sBAAuB,CACrB,KAAK,WAAW,CAClB,CACA,aAAc,CACZ,KAAK,aAAe,GACpB,KAAK,cAAc,CACrB,CAKA,sBAAsBH,EAAQ,CACxB,KAAK,cAAc,YAAY,EAGnC,IAAMC,EAAS,KAAK,cAAc,sBAAsBD,CAAM,EAC9D,YAAK,iBAAiB,EACfC,CACT,CAKA,qBAAqBD,EAAQ,CACvB,KAAK,cAAc,YAAY,EAGnC,IAAMC,EAAS,KAAK,cAAc,qBAAqBD,CAAM,EAC7D,YAAK,iBAAiB,EACfC,CACT,CAGA,iBAAkB,CACX,KAAK,eAAe,GACvB,KAAK,WAAW,CAEpB,CAMA,YAAYG,EAASC,EAAS,CACvB,KAAK,sBAAsB,YAAYD,CAAO,IACjDA,EAAQ,SAAW,GAEnB,KAAK,QAAQ,kBAAkB,IAAM,CACnC,IAAME,EAAW,IAAM,CACrBF,EAAQ,oBAAoB,OAAQE,CAAQ,EAC5CF,EAAQ,oBAAoB,YAAaE,CAAQ,EACjDF,EAAQ,gBAAgB,UAAU,CACpC,EACAA,EAAQ,iBAAiB,OAAQE,CAAQ,EACzCF,EAAQ,iBAAiB,YAAaE,CAAQ,CAChD,CAAC,GAEHF,EAAQ,MAAMC,CAAO,CACvB,CAKA,oBAAoBE,EAAUF,EAAS,CACrC,IAAIG,EAAiB,KAAK,YAAY,cAAc,cAAcD,CAAQ,EACtEC,GACF,KAAK,YAAYA,EAAgBH,CAAO,CAE5C,CAKA,YAAa,CACP,KAAK,cAMTI,GAAgB,IAAM,CACpB,IAAML,EAAU,KAAK,YAAY,cACjC,OAAQ,KAAK,QAAQ,UAAW,CAC9B,IAAK,GACL,IAAK,SAME,KAAK,eAAe,GACvBA,EAAQ,MAAM,EAEhB,MACF,IAAK,GACL,IAAK,iBACyB,KAAK,YAAY,oBAAoB,GAI/D,KAAK,sBAAsB,EAE7B,MACF,IAAK,gBACH,KAAK,oBAAoB,0CAA0C,EACnE,MACF,QACE,KAAK,oBAAoB,KAAK,QAAQ,SAAS,EAC/C,KACJ,CACF,EAAG,CACD,SAAU,KAAK,SACjB,CAAC,CACH,CAEA,eAAgB,CACd,IAAMM,EAAc,KAAK,QAAQ,aAC7BC,EAAqB,KASzB,GARI,OAAOD,GAAgB,SACzBC,EAAqB,KAAK,UAAU,cAAcD,CAAW,EACpD,OAAOA,GAAgB,UAChCC,EAAqBD,EAAc,KAAK,qCAAuC,KACtEA,IACTC,EAAqBD,GAGnB,KAAK,QAAQ,cAAgBC,GAAsB,OAAOA,EAAmB,OAAU,WAAY,CACrG,IAAMC,EAAgBC,GAAkC,EAClDT,EAAU,KAAK,YAAY,eAK7B,CAACQ,GAAiBA,IAAkB,KAAK,UAAU,MAAQA,IAAkBR,GAAWA,EAAQ,SAASQ,CAAa,KACpH,KAAK,eACP,KAAK,cAAc,SAASD,EAAoB,KAAK,qBAAqB,EAC1E,KAAK,sBAAwB,MAE7BA,EAAmB,MAAM,EAG/B,CACI,KAAK,YACP,KAAK,WAAW,QAAQ,CAE5B,CAEA,uBAAwB,CAElB,KAAK,YAAY,cAAc,OACjC,KAAK,YAAY,cAAc,MAAM,CAEzC,CAEA,gBAAiB,CACf,IAAMP,EAAU,KAAK,YAAY,cAC3BQ,EAAgBC,GAAkC,EACxD,OAAOT,IAAYQ,GAAiBR,EAAQ,SAASQ,CAAa,CACpE,CAEA,sBAAuB,CACjB,KAAK,UAAU,YACjB,KAAK,WAAa,KAAK,kBAAkB,OAAO,KAAK,YAAY,aAAa,EAG1E,KAAK,YACP,KAAK,qCAAuCC,GAAkC,GAGpF,CAEA,uBAAwB,CAGtB,KAAK,YAAY,cAAc,EAAE,UAAU,IAAM,CAC3C,KAAK,QAAQ,cACf,KAAK,gBAAgB,CAEzB,CAAC,CACH,CAyCF,EAvCI3B,EAAK,UAAO,SAAoC4B,EAAmB,CACjE,OAAO,IAAKA,GAAqB5B,GAAuB6B,EAAqBC,CAAU,EAAMD,EAAqBE,EAAgB,EAAMF,EAAkBG,EAAU,CAAC,EAAMH,EAAkBI,EAAY,EAAMJ,EAAqBK,EAAoB,EAAML,EAAqBM,CAAM,EAAMN,EAAuBO,EAAU,EAAMP,EAAqBQ,EAAY,CAAC,CAC1W,EAGArC,EAAK,UAAyBsC,GAAkB,CAC9C,KAAMtC,EACN,UAAW,CAAC,CAAC,sBAAsB,CAAC,EACpC,UAAW,SAAkCuC,EAAIC,EAAK,CAIpD,GAHID,EAAK,GACJE,GAAYC,GAAiB,CAAC,EAE/BH,EAAK,EAAG,CACV,IAAII,EACDC,GAAeD,EAAQE,GAAY,CAAC,IAAML,EAAI,cAAgBG,EAAG,MACtE,CACF,EACA,UAAW,CAAC,WAAY,KAAM,EAAG,sBAAsB,EACvD,SAAU,EACV,aAAc,SAAyCJ,EAAIC,EAAK,CAC1DD,EAAK,GACJO,GAAY,KAAMN,EAAI,QAAQ,IAAM,IAAI,EAAE,OAAQA,EAAI,QAAQ,IAAI,EAAE,aAAcA,EAAI,QAAQ,SAAS,EAAE,kBAAmBA,EAAI,QAAQ,UAAY,KAAOA,EAAI,qBAAqB,CAAC,CAAC,EAAE,aAAcA,EAAI,QAAQ,SAAS,EAAE,mBAAoBA,EAAI,QAAQ,iBAAmB,IAAI,CAE3R,EACA,WAAY,GACZ,SAAU,CAAIO,GAA+BC,EAAmB,EAChE,MAAO,EACP,KAAM,EACN,OAAQ,CAAC,CAAC,kBAAmB,EAAE,CAAC,EAChC,SAAU,SAAqCT,EAAIC,EAAK,CAClDD,EAAK,GACJU,GAAW,EAAGC,GAA2C,EAAG,EAAG,cAAe,CAAC,CAEtF,EACA,aAAc,CAACR,EAAe,EAC9B,OAAQ,CAAC,mGAAmG,EAC5G,cAAe,CACjB,CAAC,EAhSL,IAAM3C,EAANC,EAmSA,OAAOD,CACT,GAAG,EAQGoD,GAAN,KAAgB,CACd,YAAYC,EAAYC,EAAQ,CAC9B,KAAK,WAAaD,EAClB,KAAK,OAASC,EAEd,KAAK,OAAS,IAAIC,EAClB,KAAK,aAAeD,EAAO,aAC3B,KAAK,cAAgBD,EAAW,cAAc,EAC9C,KAAK,cAAgBA,EAAW,cAAc,EAC9C,KAAK,qBAAuBA,EAAW,qBAAqB,EAC5D,KAAK,GAAKC,EAAO,GACjB,KAAK,cAAc,UAAUE,GAAS,CAChCA,EAAM,UAAY,IAAU,CAAC,KAAK,cAAgB,CAACC,GAAeD,CAAK,IACzEA,EAAM,eAAe,EACrB,KAAK,MAAM,OAAW,CACpB,YAAa,UACf,CAAC,EAEL,CAAC,EACD,KAAK,cAAc,UAAU,IAAM,CAC5B,KAAK,cACR,KAAK,MAAM,OAAW,CACpB,YAAa,OACf,CAAC,CAEL,CAAC,EACD,KAAK,oBAAsBH,EAAW,YAAY,EAAE,UAAU,IAAM,CAE9DC,EAAO,4BAA8B,IACvC,KAAK,MAAM,CAEf,CAAC,CACH,CAMA,MAAMtC,EAAQI,EAAS,CACrB,GAAI,KAAK,kBAAmB,CAC1B,IAAMsC,EAAgB,KAAK,OAC3B,KAAK,kBAAkB,sBAAwBtC,GAAS,aAAe,UAGvE,KAAK,oBAAoB,YAAY,EACrC,KAAK,WAAW,QAAQ,EACxBsC,EAAc,KAAK1C,CAAM,EACzB0C,EAAc,SAAS,EACvB,KAAK,kBAAoB,KAAK,kBAAoB,IACpD,CACF,CAEA,gBAAiB,CACf,YAAK,WAAW,eAAe,EACxB,IACT,CAMA,WAAWC,EAAQ,GAAIC,EAAS,GAAI,CAClC,YAAK,WAAW,WAAW,CACzB,MAAAD,EACA,OAAAC,CACF,CAAC,EACM,IACT,CAEA,cAAcC,EAAS,CACrB,YAAK,WAAW,cAAcA,CAAO,EAC9B,IACT,CAEA,iBAAiBA,EAAS,CACxB,YAAK,WAAW,iBAAiBA,CAAO,EACjC,IACT,CACF,EAGMC,GAAsC,IAAIC,EAAe,uBAAwB,CACrF,WAAY,OACZ,QAAS,IAAM,CACb,IAAMC,EAAUrD,EAAOsD,CAAO,EAC9B,MAAO,IAAMD,EAAQ,iBAAiB,MAAM,CAC9C,CACF,CAAC,EAEKE,GAA2B,IAAIH,EAAe,YAAY,EAE1DI,GAAqC,IAAIJ,EAAe,qBAAqB,EAqBnF,IAAIK,GAAW,EACXC,IAAuB,IAAM,CAC/B,IAAMC,EAAN,MAAMA,CAAO,CAEX,IAAI,aAAc,CAChB,OAAO,KAAK,cAAgB,KAAK,cAAc,YAAc,KAAK,uBACpE,CAEA,IAAI,aAAc,CAChB,OAAO,KAAK,cAAgB,KAAK,cAAc,YAAc,KAAK,uBACpE,CACA,YAAYC,EAAUC,EAAWC,EAAiBC,EAAeC,EAAmBC,EAAgB,CAClG,KAAK,SAAWL,EAChB,KAAK,UAAYC,EACjB,KAAK,gBAAkBC,EACvB,KAAK,cAAgBC,EACrB,KAAK,kBAAoBC,EACzB,KAAK,wBAA0B,CAAC,EAChC,KAAK,2BAA6B,IAAIE,EACtC,KAAK,wBAA0B,IAAIA,EACnC,KAAK,oBAAsB,IAAI,IAK/B,KAAK,eAAiBC,GAAM,IAAM,KAAK,YAAY,OAAS,KAAK,mBAAmB,EAAI,KAAK,mBAAmB,EAAE,KAAKC,GAAU,MAAS,CAAC,CAAC,EAC5I,KAAK,gBAAkBH,CACzB,CACA,KAAKI,EAAwBC,EAAQ,CACnC,IAAMC,EAAW,KAAK,iBAAmB,IAAIC,GAC7CF,EAASG,IAAA,GACJF,GACAD,GAELA,EAAO,GAAKA,EAAO,IAAM,cAAcb,IAAU,GAC7Ca,EAAO,IAAM,KAAK,cAAcA,EAAO,EAAE,EAG7C,IAAMI,EAAgB,KAAK,kBAAkBJ,CAAM,EAC7CK,EAAa,KAAK,SAAS,OAAOD,CAAa,EAC/CE,EAAY,IAAIC,GAAUF,EAAYL,CAAM,EAC5CQ,EAAkB,KAAK,iBAAiBH,EAAYC,EAAWN,CAAM,EAC3E,OAAAM,EAAU,kBAAoBE,EAC9B,KAAK,qBAAqBT,EAAwBO,EAAWE,EAAiBR,CAAM,EAE/E,KAAK,YAAY,QACpB,KAAK,6CAA6C,EAEpD,KAAK,YAAY,KAAKM,CAAS,EAC/BA,EAAU,OAAO,UAAU,IAAM,KAAK,kBAAkBA,EAAW,EAAI,CAAC,EACxE,KAAK,YAAY,KAAKA,CAAS,EACxBA,CACT,CAIA,UAAW,CACTG,GAAe,KAAK,YAAaC,GAAUA,EAAO,MAAM,CAAC,CAC3D,CAKA,cAAcC,EAAI,CAChB,OAAO,KAAK,YAAY,KAAKD,GAAUA,EAAO,KAAOC,CAAE,CACzD,CACA,aAAc,CAIZF,GAAe,KAAK,wBAAyBC,GAAU,CAEjDA,EAAO,OAAO,iBAAmB,IACnC,KAAK,kBAAkBA,EAAQ,EAAK,CAExC,CAAC,EAIDD,GAAe,KAAK,wBAAyBC,GAAUA,EAAO,MAAM,CAAC,EACrE,KAAK,2BAA2B,SAAS,EACzC,KAAK,wBAAwB,SAAS,EACtC,KAAK,wBAA0B,CAAC,CAClC,CAMA,kBAAkBV,EAAQ,CACxB,IAAMY,EAAQ,IAAIC,GAAc,CAC9B,iBAAkBb,EAAO,kBAAoB,KAAK,SAAS,SAAS,EAAE,OAAO,EAAE,mBAAmB,EAAE,iBAAiB,EACrH,eAAgBA,EAAO,gBAAkB,KAAK,gBAAgB,EAC9D,WAAYA,EAAO,WACnB,YAAaA,EAAO,YACpB,UAAWA,EAAO,UAClB,SAAUA,EAAO,SACjB,UAAWA,EAAO,UAClB,SAAUA,EAAO,SACjB,UAAWA,EAAO,UAClB,MAAOA,EAAO,MACd,OAAQA,EAAO,OACf,oBAAqBA,EAAO,iBAC9B,CAAC,EACD,OAAIA,EAAO,gBACTY,EAAM,cAAgBZ,EAAO,eAExBY,CACT,CAOA,iBAAiBE,EAASR,EAAWN,EAAQ,CAC3C,IAAMe,EAAef,EAAO,UAAYA,EAAO,kBAAkB,SAC3DgB,EAAY,CAAC,CACjB,QAASd,GACT,SAAUF,CACZ,EAAG,CACD,QAASO,GACT,SAAUD,CACZ,EAAG,CACD,QAASW,GACT,SAAUH,CACZ,CAAC,EACGI,EACAlB,EAAO,UACL,OAAOA,EAAO,WAAc,WAC9BkB,EAAgBlB,EAAO,WAEvBkB,EAAgBlB,EAAO,UAAU,KACjCgB,EAAU,KAAK,GAAGhB,EAAO,UAAU,UAAUA,CAAM,CAAC,GAGtDkB,EAAgBC,GAElB,IAAMC,EAAkB,IAAIC,GAAgBH,EAAelB,EAAO,iBAAkBsB,EAAS,OAAO,CAClG,OAAQP,GAAgB,KAAK,UAC7B,UAAAC,CACF,CAAC,EAAGhB,EAAO,wBAAwB,EAEnC,OADqBc,EAAQ,OAAOM,CAAe,EAC/B,QACtB,CASA,qBAAqBrB,EAAwBO,EAAWE,EAAiBR,EAAQ,CAC/E,GAAID,aAAkCwB,GAAa,CACjD,IAAMC,EAAW,KAAK,gBAAgBxB,EAAQM,EAAWE,EAAiB,MAAS,EAC/EiB,EAAU,CACZ,UAAWzB,EAAO,KAClB,UAAAM,CACF,EACIN,EAAO,kBACTyB,EAAUtB,IAAA,GACLsB,GACC,OAAOzB,EAAO,iBAAoB,WAAaA,EAAO,gBAAgB,EAAIA,EAAO,kBAGzFQ,EAAgB,qBAAqB,IAAIkB,GAAe3B,EAAwB,KAAM0B,EAASD,CAAQ,CAAC,CAC1G,KAAO,CACL,IAAMA,EAAW,KAAK,gBAAgBxB,EAAQM,EAAWE,EAAiB,KAAK,SAAS,EAClFmB,EAAanB,EAAgB,sBAAsB,IAAIa,GAAgBtB,EAAwBC,EAAO,iBAAkBwB,EAAUxB,EAAO,wBAAwB,CAAC,EACxKM,EAAU,aAAeqB,EACzBrB,EAAU,kBAAoBqB,EAAW,QAC3C,CACF,CAWA,gBAAgB3B,EAAQM,EAAWE,EAAiBoB,EAAkB,CACpE,IAAMb,EAAef,EAAO,UAAYA,EAAO,kBAAkB,SAC3DgB,EAAY,CAAC,CACjB,QAASa,GACT,SAAU7B,EAAO,IACnB,EAAG,CACD,QAASO,GACT,SAAUD,CACZ,CAAC,EACD,OAAIN,EAAO,YACL,OAAOA,EAAO,WAAc,WAC9BgB,EAAU,KAAK,GAAGhB,EAAO,UAAUM,EAAWN,EAAQQ,CAAe,CAAC,EAEtEQ,EAAU,KAAK,GAAGhB,EAAO,SAAS,GAGlCA,EAAO,YAAc,CAACe,GAAgB,CAACA,EAAa,IAAIe,GAAgB,KAAM,CAChF,SAAU,EACZ,CAAC,IACCd,EAAU,KAAK,CACb,QAASc,GACT,SAAU,CACR,MAAO9B,EAAO,UACd,OAAQ+B,EAAG,CACb,CACF,CAAC,EAEIT,EAAS,OAAO,CACrB,OAAQP,GAAgBa,EACxB,UAAAZ,CACF,CAAC,CACH,CAMA,kBAAkBV,EAAW0B,EAAW,CACtC,IAAMC,EAAQ,KAAK,YAAY,QAAQ3B,CAAS,EAC5C2B,EAAQ,KACV,KAAK,YAAY,OAAOA,EAAO,CAAC,EAG3B,KAAK,YAAY,SACpB,KAAK,oBAAoB,QAAQ,CAACC,EAAeC,IAAY,CACvDD,EACFC,EAAQ,aAAa,cAAeD,CAAa,EAEjDC,EAAQ,gBAAgB,aAAa,CAEzC,CAAC,EACD,KAAK,oBAAoB,MAAM,EAC3BH,GACF,KAAK,mBAAmB,EAAE,KAAK,GAIvC,CAEA,8CAA+C,CAC7C,IAAMI,EAAmB,KAAK,kBAAkB,oBAAoB,EAEpE,GAAIA,EAAiB,cAAe,CAClC,IAAMC,EAAWD,EAAiB,cAAc,SAChD,QAASE,EAAID,EAAS,OAAS,EAAGC,EAAI,GAAIA,IAAK,CAC7C,IAAMC,EAAUF,EAASC,CAAC,EACtBC,IAAYH,GAAoBG,EAAQ,WAAa,UAAYA,EAAQ,WAAa,SAAW,CAACA,EAAQ,aAAa,WAAW,IACpI,KAAK,oBAAoB,IAAIA,EAASA,EAAQ,aAAa,aAAa,CAAC,EACzEA,EAAQ,aAAa,cAAe,MAAM,EAE9C,CACF,CACF,CACA,oBAAqB,CACnB,IAAMC,EAAS,KAAK,cACpB,OAAOA,EAASA,EAAO,mBAAmB,EAAI,KAAK,0BACrD,CAaF,EAXInD,EAAK,UAAO,SAAwBoD,EAAmB,CACrD,OAAO,IAAKA,GAAqBpD,GAAWqD,EAAcC,CAAO,EAAMD,EAAYpB,CAAQ,EAAMoB,EAASE,GAAuB,CAAC,EAAMF,EAASrD,EAAQ,EAAE,EAAMqD,EAAcG,EAAgB,EAAMH,EAASI,EAAsB,CAAC,CACvO,EAGAzD,EAAK,WAA0B0D,EAAmB,CAChD,MAAO1D,EACP,QAASA,EAAO,UAChB,WAAY,MACd,CAAC,EA7QL,IAAMD,EAANC,EAgRA,OAAOD,CACT,GAAG,EAQH,SAASqB,GAAeuC,EAAOC,EAAU,CACvC,IAAIX,EAAIU,EAAM,OACd,KAAOV,KACLW,EAASD,EAAMV,CAAC,CAAC,CAErB,CACA,IAAIY,IAA6B,IAAM,CACrC,IAAMC,EAAN,MAAMA,CAAa,CAoBnB,EAlBIA,EAAK,UAAO,SAA8BV,EAAmB,CAC3D,OAAO,IAAKA,GAAqBU,EACnC,EAGAA,EAAK,UAAyBC,EAAiB,CAC7C,KAAMD,CACR,CAAC,EAGDA,EAAK,UAAyBE,EAAiB,CAC7C,UAAW,CAACjE,EAAM,EAClB,QAAS,CAACkE,GAAeC,GAAcC,GAGvCD,EAAY,CACd,CAAC,EAlBL,IAAML,EAANC,EAqBA,OAAOD,CACT,GAAG,ECpxBH,SAASO,GAA0CC,EAAIC,EAAK,CAAC,CAC7D,IAAMC,GAAN,KAAsB,CACpB,aAAc,CAEZ,KAAK,KAAO,SAEZ,KAAK,WAAa,GAElB,KAAK,YAAc,GAEnB,KAAK,cAAgB,GAErB,KAAK,aAAe,GAEpB,KAAK,MAAQ,GAEb,KAAK,OAAS,GAEd,KAAK,KAAO,KAEZ,KAAK,gBAAkB,KAEvB,KAAK,eAAiB,KAEtB,KAAK,UAAY,KAEjB,KAAK,UAAY,GAMjB,KAAK,UAAY,iBAKjB,KAAK,aAAe,GAEpB,KAAK,eAAiB,GAMtB,KAAK,kBAAoB,EAE3B,CACF,EAGMC,GAAa,mBAEbC,GAAgB,sBAEhBC,GAAgB,sBAEhBC,GAA0B,IAE1BC,GAA2B,GAC7BC,IAAmC,IAAM,CAC3C,IAAMC,EAAN,MAAMA,UAA2BC,EAAmB,CAClD,YAAYC,EAAYC,EAAkBC,EAAWC,EAAcC,EAAsBC,EAAQC,EAAYC,EAAgBC,EAAc,CACzI,MAAMR,EAAYC,EAAkBC,EAAWC,EAAcC,EAAsBC,EAAQC,EAAYE,CAAY,EACnH,KAAK,eAAiBD,EAEtB,KAAK,uBAAyB,IAAIE,GAElC,KAAK,mBAAqB,KAAK,iBAAmB,iBAElD,KAAK,oBAAsB,EAE3B,KAAK,aAAe,KAAK,YAAY,cAErC,KAAK,wBAA0B,KAAK,mBAAqBC,GAAa,KAAK,QAAQ,sBAAsB,GAAKf,GAA0B,EAExI,KAAK,uBAAyB,KAAK,mBAAqBe,GAAa,KAAK,QAAQ,qBAAqB,GAAKd,GAA2B,EAEvI,KAAK,gBAAkB,KAKvB,KAAK,kBAAoB,IAAM,CAC7B,KAAK,uBAAuB,EAC5B,KAAK,mBAAmB,KAAK,uBAAuB,CACtD,EAKA,KAAK,mBAAqB,IAAM,CAC9B,KAAK,uBAAuB,EAC5B,KAAK,uBAAuB,KAAK,CAC/B,MAAO,SACP,UAAW,KAAK,sBAClB,CAAC,CACH,CACF,CACA,kBAAmB,CAGjB,MAAM,iBAAiB,EAOvB,KAAK,oBAAoB,CAC3B,CAEA,qBAAsB,CACpB,KAAK,uBAAuB,KAAK,CAC/B,MAAO,UACP,UAAW,KAAK,uBAClB,CAAC,EACG,KAAK,oBACP,KAAK,aAAa,MAAM,YAAYe,GAA8B,GAAG,KAAK,uBAAuB,IAAI,EAIrG,KAAK,uBAAuB,IAAM,KAAK,aAAa,UAAU,IAAIlB,GAAeD,EAAU,CAAC,EAC5F,KAAK,4BAA4B,KAAK,wBAAyB,KAAK,iBAAiB,IAErF,KAAK,aAAa,UAAU,IAAIA,EAAU,EAK1C,QAAQ,QAAQ,EAAE,KAAK,IAAM,KAAK,kBAAkB,CAAC,EAEzD,CAKA,qBAAsB,CACpB,KAAK,uBAAuB,KAAK,CAC/B,MAAO,UACP,UAAW,KAAK,sBAClB,CAAC,EACD,KAAK,aAAa,UAAU,OAAOA,EAAU,EACzC,KAAK,oBACP,KAAK,aAAa,MAAM,YAAYmB,GAA8B,GAAG,KAAK,sBAAsB,IAAI,EAEpG,KAAK,uBAAuB,IAAM,KAAK,aAAa,UAAU,IAAIjB,EAAa,CAAC,EAChF,KAAK,4BAA4B,KAAK,uBAAwB,KAAK,kBAAkB,GAmBrF,QAAQ,QAAQ,EAAE,KAAK,IAAM,KAAK,mBAAmB,CAAC,CAE1D,CAKA,0BAA0BkB,EAAO,CAC/B,KAAK,qBAAuBA,EAC5B,KAAK,mBAAmB,aAAa,CACvC,CAEA,wBAAyB,CACvB,KAAK,aAAa,UAAU,OAAOnB,GAAeC,EAAa,CACjE,CACA,4BAA4BmB,EAAUC,EAAU,CAC1C,KAAK,kBAAoB,MAC3B,aAAa,KAAK,eAAe,EAInC,KAAK,gBAAkB,WAAWA,EAAUD,CAAQ,CACtD,CAEA,uBAAuBC,EAAU,CAC/B,KAAK,QAAQ,kBAAkB,IAAM,CAC/B,OAAO,uBAA0B,WACnC,sBAAsBA,CAAQ,EAE9BA,EAAS,CAEb,CAAC,CACH,CACA,sBAAuB,CAChB,KAAK,QAAQ,gBAChB,KAAK,WAAW,CAEpB,CAKA,mBAAmBC,EAAW,CACxB,KAAK,QAAQ,gBACf,KAAK,WAAW,EAElB,KAAK,uBAAuB,KAAK,CAC/B,MAAO,SACP,UAAAA,CACF,CAAC,CACH,CACA,aAAc,CACZ,MAAM,YAAY,EACd,KAAK,kBAAoB,MAC3B,aAAa,KAAK,eAAe,CAErC,CACA,sBAAsBC,EAAQ,CAS5B,IAAMC,EAAM,MAAM,sBAAsBD,CAAM,EAC9C,OAAAC,EAAI,SAAS,cAAc,UAAU,IAAI,+BAA+B,EACjEA,CACT,CAoCF,EAlCInB,EAAK,UAAO,SAAoCoB,EAAmB,CACjE,OAAO,IAAKA,GAAqBpB,GAAuBqB,EAAqBC,CAAU,EAAMD,EAAqBE,EAAgB,EAAMF,EAAkBG,EAAU,CAAC,EAAMH,EAAkB5B,EAAe,EAAM4B,EAAqBI,EAAoB,EAAMJ,EAAqBK,CAAM,EAAML,EAAuBM,EAAU,EAAMN,EAAkBO,GAAuB,CAAC,EAAMP,EAAqBQ,EAAY,CAAC,CAC7Z,EAGA7B,EAAK,UAAyB8B,GAAkB,CAC9C,KAAM9B,EACN,UAAW,CAAC,CAAC,sBAAsB,CAAC,EACpC,UAAW,CAAC,WAAY,KAAM,EAAG,2BAA4B,YAAY,EACzE,SAAU,GACV,aAAc,SAAyCT,EAAIC,EAAK,CAC1DD,EAAK,IACJwC,GAAe,KAAMvC,EAAI,QAAQ,EAAE,EACnCwC,GAAY,aAAcxC,EAAI,QAAQ,SAAS,EAAE,OAAQA,EAAI,QAAQ,IAAI,EAAE,kBAAmBA,EAAI,QAAQ,UAAY,KAAOA,EAAI,qBAAqB,CAAC,CAAC,EAAE,aAAcA,EAAI,QAAQ,SAAS,EAAE,mBAAoBA,EAAI,QAAQ,iBAAmB,IAAI,EACtPyC,GAAY,0BAA2B,CAACzC,EAAI,kBAAkB,EAAE,wCAAyCA,EAAI,oBAAsB,CAAC,EAE3I,EACA,WAAY,GACZ,SAAU,CAAI0C,GAA+BC,EAAmB,EAChE,MAAO,EACP,KAAM,EACN,OAAQ,CAAC,CAAC,EAAG,iCAAkC,uBAAuB,EAAG,CAAC,EAAG,yBAA0B,qBAAqB,EAAG,CAAC,kBAAmB,EAAE,CAAC,EACtJ,SAAU,SAAqC5C,EAAIC,EAAK,CAClDD,EAAK,IACJ6C,GAAe,EAAG,MAAO,CAAC,EAAE,EAAG,MAAO,CAAC,EACvCC,GAAW,EAAG/C,GAA2C,EAAG,EAAG,cAAe,CAAC,EAC/EgD,GAAa,EAAE,EAEtB,EACA,aAAc,CAACC,EAAe,EAC9B,OAAQ,CAAC,+pKAAmqK,EAC5qK,cAAe,CACjB,CAAC,EAhNL,IAAMxC,EAANC,EAmNA,OAAOD,CACT,GAAG,EAIGc,GAA+B,mCAOrC,SAASD,GAAa4B,EAAM,CAC1B,OAAIA,GAAQ,KACH,KAEL,OAAOA,GAAS,SACXA,EAELA,EAAK,SAAS,IAAI,EACbC,GAAqBD,EAAK,UAAU,EAAGA,EAAK,OAAS,CAAC,CAAC,EAE5DA,EAAK,SAAS,GAAG,EACZC,GAAqBD,EAAK,UAAU,EAAGA,EAAK,OAAS,CAAC,CAAC,EAAI,IAEhEA,IAAS,IACJ,EAEF,IACT,CACA,IAAIE,GAA8B,SAAUA,EAAgB,CAC1D,OAAAA,EAAeA,EAAe,KAAU,CAAC,EAAI,OAC7CA,EAAeA,EAAe,QAAa,CAAC,EAAI,UAChDA,EAAeA,EAAe,OAAY,CAAC,EAAI,SACxCA,CACT,EAAEA,IAAkB,CAAC,CAAC,EAIhBC,GAAN,KAAmB,CACjB,YAAYC,EAAMC,EAAQC,EAAoB,CAC5C,KAAK,KAAOF,EACZ,KAAK,mBAAqBE,EAE1B,KAAK,aAAe,IAAIC,EAExB,KAAK,cAAgB,IAAIA,EAEzB,KAAK,OAASL,GAAe,KAC7B,KAAK,aAAeG,EAAO,aAC3B,KAAK,GAAKD,EAAK,GAEfA,EAAK,cAAc,sBAAsB,EAEzCE,EAAmB,uBAAuB,KAAKE,EAAOC,GAASA,EAAM,QAAU,QAAQ,EAAGC,GAAK,CAAC,CAAC,EAAE,UAAU,IAAM,CACjH,KAAK,aAAa,KAAK,EACvB,KAAK,aAAa,SAAS,CAC7B,CAAC,EAEDJ,EAAmB,uBAAuB,KAAKE,EAAOC,GAASA,EAAM,QAAU,QAAQ,EAAGC,GAAK,CAAC,CAAC,EAAE,UAAU,IAAM,CACjH,aAAa,KAAK,qBAAqB,EACvC,KAAK,mBAAmB,CAC1B,CAAC,EACDN,EAAK,WAAW,YAAY,EAAE,UAAU,IAAM,CAC5C,KAAK,cAAc,KAAK,KAAK,OAAO,EACpC,KAAK,cAAc,SAAS,EAC5B,KAAK,mBAAmB,CAC1B,CAAC,EACDO,GAAM,KAAK,cAAc,EAAG,KAAK,cAAc,EAAE,KAAKH,EAAOC,GAASA,EAAM,UAAY,IAAU,CAAC,KAAK,cAAgB,CAACG,GAAeH,CAAK,CAAC,CAAC,CAAC,EAAE,UAAUA,GAAS,CAC9J,KAAK,eACRA,EAAM,eAAe,EACrBI,GAAgB,KAAMJ,EAAM,OAAS,UAAY,WAAa,OAAO,EAEzE,CAAC,CACH,CAKA,MAAMK,EAAc,CAClB,KAAK,QAAUA,EAEf,KAAK,mBAAmB,uBAAuB,KAAKN,EAAOC,GAASA,EAAM,QAAU,SAAS,EAAGC,GAAK,CAAC,CAAC,EAAE,UAAUD,GAAS,CAC1H,KAAK,cAAc,KAAKK,CAAY,EACpC,KAAK,cAAc,SAAS,EAC5B,KAAK,KAAK,WAAW,eAAe,EAMpC,KAAK,sBAAwB,WAAW,IAAM,KAAK,mBAAmB,EAAGL,EAAM,UAAY,GAAG,CAChG,CAAC,EACD,KAAK,OAASP,GAAe,QAC7B,KAAK,mBAAmB,oBAAoB,CAC9C,CAIA,aAAc,CACZ,OAAO,KAAK,YACd,CAIA,aAAc,CACZ,OAAO,KAAK,KAAK,MACnB,CAIA,cAAe,CACb,OAAO,KAAK,aACd,CAIA,eAAgB,CACd,OAAO,KAAK,KAAK,aACnB,CAIA,eAAgB,CACd,OAAO,KAAK,KAAK,aACnB,CAKA,eAAea,EAAU,CACvB,IAAIC,EAAW,KAAK,KAAK,OAAO,iBAChC,OAAID,IAAaA,EAAS,MAAQA,EAAS,OACzCA,EAAS,KAAOC,EAAS,KAAKD,EAAS,IAAI,EAAIC,EAAS,MAAMD,EAAS,KAAK,EAE5EC,EAAS,mBAAmB,EAE1BD,IAAaA,EAAS,KAAOA,EAAS,QACxCA,EAAS,IAAMC,EAAS,IAAID,EAAS,GAAG,EAAIC,EAAS,OAAOD,EAAS,MAAM,EAE3EC,EAAS,iBAAiB,EAE5B,KAAK,KAAK,eAAe,EAClB,IACT,CAMA,WAAWC,EAAQ,GAAIC,EAAS,GAAI,CAClC,YAAK,KAAK,WAAWD,EAAOC,CAAM,EAC3B,IACT,CAEA,cAAcC,EAAS,CACrB,YAAK,KAAK,cAAcA,CAAO,EACxB,IACT,CAEA,iBAAiBA,EAAS,CACxB,YAAK,KAAK,iBAAiBA,CAAO,EAC3B,IACT,CAEA,UAAW,CACT,OAAO,KAAK,MACd,CAKA,oBAAqB,CACnB,KAAK,OAASjB,GAAe,OAC7B,KAAK,KAAK,MAAM,KAAK,QAAS,CAC5B,YAAa,KAAK,qBACpB,CAAC,EACD,KAAK,kBAAoB,IAC3B,CACF,EAOA,SAASW,GAAgBlC,EAAKyC,EAAiBC,EAAQ,CACrD,OAAA1C,EAAI,sBAAwByC,EACrBzC,EAAI,MAAM0C,CAAM,CACzB,CAGA,IAAMC,GAA+B,IAAIC,EAAe,kBAAkB,EAEpEC,GAA0C,IAAID,EAAe,gCAAgC,EAE7FE,GAA0C,IAAIF,EAAe,iCAAkC,CACnG,WAAY,OACZ,QAAS,IAAM,CACb,IAAMG,EAAUC,EAAOC,CAAO,EAC9B,MAAO,IAAMF,EAAQ,iBAAiB,MAAM,CAC9C,CACF,CAAC,EAoBD,IAAIG,GAAW,EAIXC,IAA0B,IAAM,CAClC,IAAMC,EAAN,MAAMA,CAAU,CAEd,IAAI,aAAc,CAChB,OAAO,KAAK,cAAgB,KAAK,cAAc,YAAc,KAAK,uBACpE,CAEA,IAAI,aAAc,CAChB,OAAO,KAAK,cAAgB,KAAK,cAAc,YAAc,KAAK,uBACpE,CACA,oBAAqB,CACnB,IAAMC,EAAS,KAAK,cACpB,OAAOA,EAASA,EAAO,mBAAmB,EAAI,KAAK,0BACrD,CACA,YAAYC,EAAUC,EAKtBC,EAAUC,EAAiBC,EAAiBC,EAK5CC,EAKAC,EAAgB,CACd,KAAK,SAAWP,EAChB,KAAK,gBAAkBG,EACvB,KAAK,gBAAkBC,EACvB,KAAK,cAAgBC,EACrB,KAAK,wBAA0B,CAAC,EAChC,KAAK,2BAA6B,IAAIG,EACtC,KAAK,wBAA0B,IAAIA,EACnC,KAAK,kBAAoBC,GAKzB,KAAK,eAAiBC,GAAM,IAAM,KAAK,YAAY,OAAS,KAAK,mBAAmB,EAAI,KAAK,mBAAmB,EAAE,KAAKC,GAAU,MAAS,CAAC,CAAC,EAC5I,KAAK,QAAUV,EAAS,IAAIW,EAAM,EAClC,KAAK,sBAAwBC,GAC7B,KAAK,qBAAuBC,GAC5B,KAAK,iBAAmBC,EAC1B,CACA,KAAKC,EAAwBC,EAAQ,CACnC,IAAIC,EACJD,EAASE,IAAA,GACH,KAAK,iBAAmB,IAAIV,IAC7BQ,GAELA,EAAO,GAAKA,EAAO,IAAM,kBAAkBrB,IAAU,GACrDqB,EAAO,eAAiBA,EAAO,gBAAkB,KAAK,gBAAgB,EACtE,IAAMG,EAAS,KAAK,QAAQ,KAAKJ,EAAwBK,EAAAF,EAAA,GACpDF,GADoD,CAEvD,iBAAkB,KAAK,SAAS,SAAS,EAAE,OAAO,EAAE,mBAAmB,EAAE,iBAAiB,EAE1F,aAAc,GAId,eAAgB,GAGhB,0BAA2B,GAC3B,UAAW,CACT,KAAM,KAAK,qBACX,UAAW,IAAM,CAIjB,CACE,QAAS,KAAK,kBACd,SAAUA,CACZ,EAAG,CACD,QAASK,GACT,SAAUL,CACZ,CAAC,CACH,EACA,gBAAiB,KAAO,CACtB,UAAAC,CACF,GACA,UAAW,CAACK,EAAKC,EAAWC,KAC1BP,EAAY,IAAI,KAAK,sBAAsBK,EAAKN,EAAQQ,CAAe,EACvEP,EAAU,eAAeD,GAAQ,QAAQ,EAClC,CAAC,CACN,QAAS,KAAK,qBACd,SAAUQ,CACZ,EAAG,CACD,QAAS,KAAK,iBACd,SAAUD,EAAU,IACtB,EAAG,CACD,QAAS,KAAK,sBACd,SAAUN,CACZ,CAAC,EAEL,EAAC,EAGD,OAAAA,EAAU,aAAeE,EAAO,aAChCF,EAAU,kBAAoBE,EAAO,kBACrC,KAAK,YAAY,KAAKF,CAAS,EAC/B,KAAK,YAAY,KAAKA,CAAS,EAC/BA,EAAU,YAAY,EAAE,UAAU,IAAM,CACtC,IAAMQ,EAAQ,KAAK,YAAY,QAAQR,CAAS,EAC5CQ,EAAQ,KACV,KAAK,YAAY,OAAOA,EAAO,CAAC,EAC3B,KAAK,YAAY,QACpB,KAAK,mBAAmB,EAAE,KAAK,EAGrC,CAAC,EACMR,CACT,CAIA,UAAW,CACT,KAAK,cAAc,KAAK,WAAW,CACrC,CAKA,cAAcS,EAAI,CAChB,OAAO,KAAK,YAAY,KAAKC,GAAUA,EAAO,KAAOD,CAAE,CACzD,CACA,aAAc,CAGZ,KAAK,cAAc,KAAK,uBAAuB,EAC/C,KAAK,2BAA2B,SAAS,EACzC,KAAK,wBAAwB,SAAS,CACxC,CACA,cAAcE,EAAS,CACrB,IAAI,EAAIA,EAAQ,OAChB,KAAO,KACLA,EAAQ,CAAC,EAAE,MAAM,CAErB,CAaF,EAXI/B,EAAK,UAAO,SAA2BgC,EAAmB,CACxD,OAAO,IAAKA,GAAqBhC,GAAciC,EAAcC,CAAO,EAAMD,EAAYE,CAAQ,EAAMF,EAAYG,GAAU,CAAC,EAAMH,EAASI,GAA4B,CAAC,EAAMJ,EAASK,EAA0B,EAAML,EAASjC,EAAW,EAAE,EAAMiC,EAAcM,EAAgB,EAAMN,EAASO,GAAuB,CAAC,CAAC,CAC1T,EAGAxC,EAAK,WAA0ByC,EAAmB,CAChD,MAAOzC,EACP,QAASA,EAAU,UACnB,WAAY,MACd,CAAC,EAxJL,IAAMD,EAANC,EA2JA,OAAOD,CACT,GAAG,EAMC2C,GAAmB,EAInBC,IAA+B,IAAM,CACvC,IAAMC,EAAN,MAAMA,CAAe,CACnB,YAGAxB,EAAWyB,EAAaC,EAAS,CAC/B,KAAK,UAAY1B,EACjB,KAAK,YAAcyB,EACnB,KAAK,QAAUC,EAEf,KAAK,KAAO,QACd,CACA,UAAW,CACJ,KAAK,YAMR,KAAK,UAAYC,GAAiB,KAAK,YAAa,KAAK,QAAQ,WAAW,EAEhF,CACA,YAAYC,EAAS,CACnB,IAAMC,EAAgBD,EAAQ,iBAAsBA,EAAQ,sBACxDC,IACF,KAAK,aAAeA,EAAc,aAEtC,CACA,eAAeC,EAAO,CAKpBC,GAAgB,KAAK,UAAWD,EAAM,UAAY,GAAKA,EAAM,UAAY,EAAI,WAAa,QAAS,KAAK,YAAY,CACtH,CAgCF,EA9BIN,EAAK,UAAO,SAAgCZ,EAAmB,CAC7D,OAAO,IAAKA,GAAqBY,GAAmBQ,EAAkBrC,GAAc,CAAC,EAAMqC,EAAqBC,CAAU,EAAMD,EAAkBrD,EAAS,CAAC,CAC9J,EAGA6C,EAAK,UAAyBU,EAAkB,CAC9C,KAAMV,EACN,UAAW,CAAC,CAAC,GAAI,mBAAoB,EAAE,EAAG,CAAC,GAAI,iBAAkB,EAAE,CAAC,EACpE,SAAU,EACV,aAAc,SAAqCW,EAAIC,EAAK,CACtDD,EAAK,GACJE,GAAW,QAAS,SAAiDC,EAAQ,CAC9E,OAAOF,EAAI,eAAeE,CAAM,CAClC,CAAC,EAECH,EAAK,GACJI,GAAY,aAAcH,EAAI,WAAa,IAAI,EAAE,OAAQA,EAAI,IAAI,CAExE,EACA,OAAQ,CACN,UAAW,CAAC,EAAG,aAAc,WAAW,EACxC,KAAM,OACN,aAAc,CAAC,EAAG,mBAAoB,cAAc,EACpD,gBAAiB,CAAC,EAAG,iBAAkB,iBAAiB,CAC1D,EACA,SAAU,CAAC,gBAAgB,EAC3B,WAAY,GACZ,SAAU,CAAII,EAAoB,CACpC,CAAC,EA/DL,IAAMjB,EAANC,EAkEA,OAAOD,CACT,GAAG,EAICkB,IAAuC,IAAM,CAC/C,IAAMC,EAAN,MAAMA,CAAuB,CAC3B,YAGAC,EAAYlB,EAAaC,EAAS,CAChC,KAAK,WAAaiB,EAClB,KAAK,YAAclB,EACnB,KAAK,QAAUC,CACjB,CACA,UAAW,CACJ,KAAK,aACR,KAAK,WAAaC,GAAiB,KAAK,YAAa,KAAK,QAAQ,WAAW,GAE3E,KAAK,YACP,QAAQ,QAAQ,EAAE,KAAK,IAAM,CAC3B,KAAK,OAAO,CACd,CAAC,CAEL,CACA,aAAc,CAGK,KAAK,YAAY,oBAEhC,QAAQ,QAAQ,EAAE,KAAK,IAAM,CAC3B,KAAK,UAAU,CACjB,CAAC,CAEL,CAYF,EAVIe,EAAK,UAAO,SAAwC9B,EAAmB,CACrE,OAAO,IAAKA,GAAqB8B,GAA2BV,EAAkBrC,GAAc,CAAC,EAAMqC,EAAqBC,CAAU,EAAMD,EAAkBrD,EAAS,CAAC,CACtK,EAGA+D,EAAK,UAAyBR,EAAkB,CAC9C,KAAMQ,EACN,WAAY,EACd,CAAC,EAtCL,IAAMD,EAANC,EAyCA,OAAOD,CACT,GAAG,EAOCG,IAA+B,IAAM,CACvC,IAAMC,EAAN,MAAMA,UAAuBJ,EAAuB,CAClD,aAAc,CACZ,MAAM,GAAG,SAAS,EAClB,KAAK,GAAK,wBAAwBnB,IAAkB,EACtD,CACA,QAAS,CAGP,KAAK,WAAW,oBAAoB,qBAAqB,KAAK,EAAE,CAClE,CACA,WAAY,CACV,KAAK,YAAY,oBAAoB,wBAAwB,KAAK,EAAE,CACtE,CA4BF,EA1BIuB,EAAK,WAAuB,IAAM,CAChC,IAAIC,EACJ,OAAO,SAAgClC,EAAmB,CACxD,OAAQkC,IAAgCA,EAAiCC,GAAsBF,CAAc,IAAIjC,GAAqBiC,CAAc,CACtJ,CACF,GAAG,EAGHA,EAAK,UAAyBX,EAAkB,CAC9C,KAAMW,EACN,UAAW,CAAC,CAAC,GAAI,mBAAoB,EAAE,EAAG,CAAC,GAAI,iBAAkB,EAAE,CAAC,EACpE,UAAW,CAAC,EAAG,uBAAwB,mBAAmB,EAC1D,SAAU,EACV,aAAc,SAAqCV,EAAIC,EAAK,CACtDD,EAAK,GACJa,GAAe,KAAMZ,EAAI,EAAE,CAElC,EACA,OAAQ,CACN,GAAI,IACN,EACA,SAAU,CAAC,gBAAgB,EAC3B,WAAY,GACZ,SAAU,CAAIa,EAA0B,CAC1C,CAAC,EAtCL,IAAML,EAANC,EAyCA,OAAOD,CACT,GAAG,EAOCM,IAAiC,IAAM,CACzC,IAAMC,EAAN,MAAMA,CAAiB,CAevB,EAbIA,EAAK,UAAO,SAAkCvC,EAAmB,CAC/D,OAAO,IAAKA,GAAqBuC,EACnC,EAGAA,EAAK,UAAyBjB,EAAkB,CAC9C,KAAMiB,EACN,UAAW,CAAC,CAAC,GAAI,qBAAsB,EAAE,EAAG,CAAC,oBAAoB,EAAG,CAAC,GAAI,mBAAoB,EAAE,CAAC,EAChG,UAAW,CAAC,EAAG,yBAA0B,qBAAqB,EAC9D,WAAY,GACZ,SAAU,CAAIC,GAAwB,CAAIC,EAAa,CAAC,CAAC,CAC3D,CAAC,EAbL,IAAMH,EAANC,EAgBA,OAAOD,CACT,GAAG,EAQCI,IAAiC,IAAM,CACzC,IAAMC,EAAN,MAAMA,UAAyBd,EAAuB,CACpD,QAAS,CACP,KAAK,WAAW,oBAAoB,4BAA4B,CAAC,CACnE,CACA,WAAY,CACV,KAAK,WAAW,oBAAoB,4BAA4B,EAAE,CACpE,CA2BF,EAzBIc,EAAK,WAAuB,IAAM,CAChC,IAAIC,EACJ,OAAO,SAAkC5C,EAAmB,CAC1D,OAAQ4C,IAAkCA,EAAmCT,GAAsBQ,CAAgB,IAAI3C,GAAqB2C,CAAgB,CAC9J,CACF,GAAG,EAGHA,EAAK,UAAyBrB,EAAkB,CAC9C,KAAMqB,EACN,UAAW,CAAC,CAAC,GAAI,qBAAsB,EAAE,EAAG,CAAC,oBAAoB,EAAG,CAAC,GAAI,mBAAoB,EAAE,CAAC,EAChG,UAAW,CAAC,EAAG,yBAA0B,qBAAqB,EAC9D,SAAU,EACV,aAAc,SAAuCpB,EAAIC,EAAK,CACxDD,EAAK,GACJsB,GAAY,qCAAsCrB,EAAI,QAAU,OAAO,EAAE,sCAAuCA,EAAI,QAAU,QAAQ,EAAE,mCAAoCA,EAAI,QAAU,KAAK,CAEtM,EACA,OAAQ,CACN,MAAO,OACT,EACA,WAAY,GACZ,SAAU,CAAIa,EAA0B,CAC1C,CAAC,EA/BL,IAAMK,EAANC,EAkCA,OAAOD,CACT,GAAG,EASH,SAAS3B,GAAiB+B,EAASC,EAAa,CAC9C,IAAI9E,EAAS6E,EAAQ,cAAc,cACnC,KAAO7E,GAAU,CAACA,EAAO,UAAU,SAAS,0BAA0B,GACpEA,EAASA,EAAO,cAElB,OAAOA,EAAS8E,EAAY,KAAKjD,GAAUA,EAAO,KAAO7B,EAAO,EAAE,EAAI,IACxE,CAEA,IAAI+E,IAAgC,IAAM,CACxC,IAAMC,EAAN,MAAMA,CAAgB,CAiBtB,EAfIA,EAAK,UAAO,SAAiCC,EAAmB,CAC9D,OAAO,IAAKA,GAAqBD,EACnC,EAGAA,EAAK,UAAyBE,EAAiB,CAC7C,KAAMF,CACR,CAAC,EAGDA,EAAK,UAAyBG,EAAiB,CAC7C,UAAW,CAACC,EAAS,EACrB,QAAS,CAACC,GAAcC,GAAeC,GAAcC,GAAiBA,EAAe,CACvF,CAAC,EAfL,IAAMT,EAANC,EAkBA,OAAOD,CACT,GAAG,EC96BH,IAAMU,GAAM,CAAC,GAAG,EACZC,GAKJ,SAASC,IAAY,CACnB,GAAID,KAAW,SACbA,GAAS,KACL,OAAO,OAAW,KAAa,CACjC,IAAME,EAAW,OACbA,EAAS,eAAiB,SAC5BF,GAASE,EAAS,aAAa,aAAa,qBAAsB,CAChE,WAAYC,GAAKA,CACnB,CAAC,EAEL,CAEF,OAAOH,EACT,CAUA,SAASI,GAAsBC,EAAM,CACnC,OAAOJ,GAAU,GAAG,WAAWI,CAAI,GAAKA,CAC1C,CAOA,SAASC,GAA4BC,EAAU,CAC7C,OAAO,MAAM,sCAAsCA,CAAQ,GAAG,CAChE,CAMA,SAASC,IAAgC,CACvC,OAAO,MAAM,kHAAuH,CACtI,CAMA,SAASC,GAAmCC,EAAK,CAC/C,OAAO,MAAM,wHAA6HA,CAAG,IAAI,CACnJ,CAMA,SAASC,GAAuCC,EAAS,CACvD,OAAO,MAAM,0HAA+HA,CAAO,IAAI,CACzJ,CAKA,IAAMC,GAAN,KAAoB,CAClB,YAAYH,EAAKI,EAASC,EAAS,CACjC,KAAK,IAAML,EACX,KAAK,QAAUI,EACf,KAAK,QAAUC,CACjB,CACF,EAQIC,IAAgC,IAAM,CACxC,IAAMC,EAAN,MAAMA,CAAgB,CACpB,YAAYC,EAAaC,EAAYC,EAAUC,EAAe,CAC5D,KAAK,YAAcH,EACnB,KAAK,WAAaC,EAClB,KAAK,cAAgBE,EAIrB,KAAK,gBAAkB,IAAI,IAK3B,KAAK,gBAAkB,IAAI,IAE3B,KAAK,kBAAoB,IAAI,IAE7B,KAAK,sBAAwB,IAAI,IAEjC,KAAK,uBAAyB,IAAI,IAElC,KAAK,WAAa,CAAC,EAMnB,KAAK,qBAAuB,CAAC,iBAAkB,mBAAmB,EAClE,KAAK,UAAYD,CACnB,CAMA,WAAWb,EAAUG,EAAKK,EAAS,CACjC,OAAO,KAAK,sBAAsB,GAAIR,EAAUG,EAAKK,CAAO,CAC9D,CAMA,kBAAkBR,EAAUK,EAASG,EAAS,CAC5C,OAAO,KAAK,6BAA6B,GAAIR,EAAUK,EAASG,CAAO,CACzE,CAOA,sBAAsBO,EAAWf,EAAUG,EAAKK,EAAS,CACvD,OAAO,KAAK,kBAAkBO,EAAWf,EAAU,IAAIM,GAAcH,EAAK,KAAMK,CAAO,CAAC,CAC1F,CASA,mBAAmBQ,EAAU,CAC3B,YAAK,WAAW,KAAKA,CAAQ,EACtB,IACT,CAOA,6BAA6BD,EAAWf,EAAUK,EAASG,EAAS,CAClE,IAAMS,EAAe,KAAK,WAAW,SAASC,GAAgB,KAAMb,CAAO,EAE3E,GAAI,CAACY,EACH,MAAMb,GAAuCC,CAAO,EAGtD,IAAMc,EAAiBtB,GAAsBoB,CAAY,EACzD,OAAO,KAAK,kBAAkBF,EAAWf,EAAU,IAAIM,GAAc,GAAIa,EAAgBX,CAAO,CAAC,CACnG,CAKA,cAAcL,EAAKK,EAAS,CAC1B,OAAO,KAAK,yBAAyB,GAAIL,EAAKK,CAAO,CACvD,CAKA,qBAAqBH,EAASG,EAAS,CACrC,OAAO,KAAK,gCAAgC,GAAIH,EAASG,CAAO,CAClE,CAMA,yBAAyBO,EAAWZ,EAAKK,EAAS,CAChD,OAAO,KAAK,qBAAqBO,EAAW,IAAIT,GAAcH,EAAK,KAAMK,CAAO,CAAC,CACnF,CAMA,gCAAgCO,EAAWV,EAASG,EAAS,CAC3D,IAAMS,EAAe,KAAK,WAAW,SAASC,GAAgB,KAAMb,CAAO,EAC3E,GAAI,CAACY,EACH,MAAMb,GAAuCC,CAAO,EAGtD,IAAMc,EAAiBtB,GAAsBoB,CAAY,EACzD,OAAO,KAAK,qBAAqBF,EAAW,IAAIT,GAAc,GAAIa,EAAgBX,CAAO,CAAC,CAC5F,CAsBA,uBAAuBY,EAAOC,EAAaD,EAAO,CAChD,YAAK,uBAAuB,IAAIA,EAAOC,CAAU,EAC1C,IACT,CAKA,sBAAsBD,EAAO,CAC3B,OAAO,KAAK,uBAAuB,IAAIA,CAAK,GAAKA,CACnD,CAKA,0BAA0BC,EAAY,CACpC,YAAK,qBAAuBA,EACrB,IACT,CAKA,wBAAyB,CACvB,OAAO,KAAK,oBACd,CASA,kBAAkBC,EAAS,CACzB,IAAMnB,EAAM,KAAK,WAAW,SAASe,GAAgB,aAAcI,CAAO,EAC1E,GAAI,CAACnB,EACH,MAAMD,GAAmCoB,CAAO,EAElD,IAAMC,EAAa,KAAK,kBAAkB,IAAIpB,CAAG,EACjD,OAAIoB,EACKC,EAAGC,GAASF,CAAU,CAAC,EAEzB,KAAK,uBAAuB,IAAIjB,GAAcgB,EAAS,IAAI,CAAC,EAAE,KAAKI,GAAIC,GAAO,KAAK,kBAAkB,IAAIxB,EAAKwB,CAAG,CAAC,EAAGC,EAAID,GAAOF,GAASE,CAAG,CAAC,CAAC,CACvJ,CASA,gBAAgBE,EAAMd,EAAY,GAAI,CACpC,IAAMe,EAAMC,GAAQhB,EAAWc,CAAI,EAC/BG,EAAS,KAAK,gBAAgB,IAAIF,CAAG,EAEzC,GAAIE,EACF,OAAO,KAAK,kBAAkBA,CAAM,EAItC,GADAA,EAAS,KAAK,4BAA4BjB,EAAWc,CAAI,EACrDG,EACF,YAAK,gBAAgB,IAAIF,EAAKE,CAAM,EAC7B,KAAK,kBAAkBA,CAAM,EAGtC,IAAMC,EAAiB,KAAK,gBAAgB,IAAIlB,CAAS,EACzD,OAAIkB,EACK,KAAK,0BAA0BJ,EAAMI,CAAc,EAErDC,GAAWnC,GAA4B+B,CAAG,CAAC,CACpD,CACA,aAAc,CACZ,KAAK,WAAa,CAAC,EACnB,KAAK,gBAAgB,MAAM,EAC3B,KAAK,gBAAgB,MAAM,EAC3B,KAAK,kBAAkB,MAAM,CAC/B,CAIA,kBAAkBE,EAAQ,CACxB,OAAIA,EAAO,QAEFR,EAAGC,GAAS,KAAK,sBAAsBO,CAAM,CAAC,CAAC,EAG/C,KAAK,uBAAuBA,CAAM,EAAE,KAAKJ,EAAID,GAAOF,GAASE,CAAG,CAAC,CAAC,CAE7E,CASA,0BAA0BE,EAAMI,EAAgB,CAG9C,IAAME,EAAY,KAAK,+BAA+BN,EAAMI,CAAc,EAC1E,GAAIE,EAIF,OAAOX,EAAGW,CAAS,EAIrB,IAAMC,EAAuBH,EAAe,OAAOI,GAAiB,CAACA,EAAc,OAAO,EAAE,IAAIA,GACvF,KAAK,0BAA0BA,CAAa,EAAE,KAAKC,GAAWC,GAAO,CAI1E,IAAMC,EAAe,yBAHT,KAAK,WAAW,SAAStB,GAAgB,aAAcmB,EAAc,GAAG,CAGnC,YAAYE,EAAI,OAAO,GACxE,YAAK,cAAc,YAAY,IAAI,MAAMC,CAAY,CAAC,EAC/ChB,EAAG,IAAI,CAChB,CAAC,CAAC,CACH,EAGD,OAAOiB,GAASL,CAAoB,EAAE,KAAKR,EAAI,IAAM,CACnD,IAAMc,EAAY,KAAK,+BAA+Bb,EAAMI,CAAc,EAE1E,GAAI,CAACS,EACH,MAAM3C,GAA4B8B,CAAI,EAExC,OAAOa,CACT,CAAC,CAAC,CACJ,CAMA,+BAA+B1C,EAAUiC,EAAgB,CAEvD,QAASU,EAAIV,EAAe,OAAS,EAAGU,GAAK,EAAGA,IAAK,CACnD,IAAMX,EAASC,EAAeU,CAAC,EAK/B,GAAIX,EAAO,SAAWA,EAAO,QAAQ,SAAS,EAAE,QAAQhC,CAAQ,EAAI,GAAI,CACtE,IAAM2B,EAAM,KAAK,sBAAsBK,CAAM,EACvCU,EAAY,KAAK,uBAAuBf,EAAK3B,EAAUgC,EAAO,OAAO,EAC3E,GAAIU,EACF,OAAOA,CAEX,CACF,CACA,OAAO,IACT,CAKA,uBAAuBV,EAAQ,CAC7B,OAAO,KAAK,WAAWA,CAAM,EAAE,KAAKN,GAAInB,GAAWyB,EAAO,QAAUzB,CAAO,EAAGqB,EAAI,IAAM,KAAK,sBAAsBI,CAAM,CAAC,CAAC,CAC7H,CAKA,0BAA0BA,EAAQ,CAChC,OAAIA,EAAO,QACFR,EAAG,IAAI,EAET,KAAK,WAAWQ,CAAM,EAAE,KAAKN,GAAInB,GAAWyB,EAAO,QAAUzB,CAAO,CAAC,CAC9E,CAMA,uBAAuBqC,EAAS5C,EAAUQ,EAAS,CAGjD,IAAMqC,EAAaD,EAAQ,cAAc,QAAQ5C,CAAQ,IAAI,EAC7D,GAAI,CAAC6C,EACH,OAAO,KAIT,IAAMC,EAAcD,EAAW,UAAU,EAAI,EAI7C,GAHAC,EAAY,gBAAgB,IAAI,EAG5BA,EAAY,SAAS,YAAY,IAAM,MACzC,OAAO,KAAK,kBAAkBA,EAAatC,CAAO,EAKpD,GAAIsC,EAAY,SAAS,YAAY,IAAM,SACzC,OAAO,KAAK,kBAAkB,KAAK,cAAcA,CAAW,EAAGtC,CAAO,EAOxE,IAAMmB,EAAM,KAAK,sBAAsB9B,GAAsB,aAAa,CAAC,EAE3E,OAAA8B,EAAI,YAAYmB,CAAW,EACpB,KAAK,kBAAkBnB,EAAKnB,CAAO,CAC5C,CAIA,sBAAsBuC,EAAK,CACzB,IAAMC,EAAM,KAAK,UAAU,cAAc,KAAK,EAC9CA,EAAI,UAAYD,EAChB,IAAMpB,EAAMqB,EAAI,cAAc,KAAK,EAEnC,GAAI,CAACrB,EACH,MAAM,MAAM,qBAAqB,EAEnC,OAAOA,CACT,CAIA,cAAcsB,EAAS,CACrB,IAAMtB,EAAM,KAAK,sBAAsB9B,GAAsB,aAAa,CAAC,EACrEqD,EAAaD,EAAQ,WAE3B,QAASN,EAAI,EAAGA,EAAIO,EAAW,OAAQP,IAAK,CAC1C,GAAM,CACJ,KAAAd,EACA,MAAAsB,CACF,EAAID,EAAWP,CAAC,EACZd,IAAS,MACXF,EAAI,aAAaE,EAAMsB,CAAK,CAEhC,CACA,QAASR,EAAI,EAAGA,EAAIM,EAAQ,WAAW,OAAQN,IACzCM,EAAQ,WAAWN,CAAC,EAAE,WAAa,KAAK,UAAU,cACpDhB,EAAI,YAAYsB,EAAQ,WAAWN,CAAC,EAAE,UAAU,EAAI,CAAC,EAGzD,OAAOhB,CACT,CAIA,kBAAkBA,EAAKnB,EAAS,CAC9B,OAAAmB,EAAI,aAAa,MAAO,EAAE,EAC1BA,EAAI,aAAa,SAAU,MAAM,EACjCA,EAAI,aAAa,QAAS,MAAM,EAChCA,EAAI,aAAa,sBAAuB,eAAe,EACvDA,EAAI,aAAa,YAAa,OAAO,EACjCnB,GAAWA,EAAQ,SACrBmB,EAAI,aAAa,UAAWnB,EAAQ,OAAO,EAEtCmB,CACT,CAKA,WAAWyB,EAAY,CACrB,GAAM,CACJ,IAAK9B,EACL,QAAAd,CACF,EAAI4C,EACEC,EAAkB7C,GAAS,iBAAmB,GACpD,GAAI,CAAC,KAAK,YACR,MAAMP,GAA8B,EAGtC,GAAIqB,GAAW,KACb,MAAM,MAAM,+BAA+BA,CAAO,IAAI,EAExD,IAAMnB,EAAM,KAAK,WAAW,SAASe,GAAgB,aAAcI,CAAO,EAE1E,GAAI,CAACnB,EACH,MAAMD,GAAmCoB,CAAO,EAKlD,IAAMgC,EAAkB,KAAK,sBAAsB,IAAInD,CAAG,EAC1D,GAAImD,EACF,OAAOA,EAET,IAAMC,EAAM,KAAK,YAAY,IAAIpD,EAAK,CACpC,aAAc,OACd,gBAAAkD,CACF,CAAC,EAAE,KAAKzB,EAAID,GAGH9B,GAAsB8B,CAAG,CACjC,EAAG6B,GAAS,IAAM,KAAK,sBAAsB,OAAOrD,CAAG,CAAC,EAAGsD,GAAM,CAAC,EACnE,YAAK,sBAAsB,IAAItD,EAAKoD,CAAG,EAChCA,CACT,CAOA,kBAAkBxC,EAAWf,EAAUgC,EAAQ,CAC7C,YAAK,gBAAgB,IAAID,GAAQhB,EAAWf,CAAQ,EAAGgC,CAAM,EACtD,IACT,CAMA,qBAAqBjB,EAAWiB,EAAQ,CACtC,IAAM0B,EAAkB,KAAK,gBAAgB,IAAI3C,CAAS,EAC1D,OAAI2C,EACFA,EAAgB,KAAK1B,CAAM,EAE3B,KAAK,gBAAgB,IAAIjB,EAAW,CAACiB,CAAM,CAAC,EAEvC,IACT,CAEA,sBAAsBA,EAAQ,CAC5B,GAAI,CAACA,EAAO,WAAY,CACtB,IAAML,EAAM,KAAK,sBAAsBK,EAAO,OAAO,EACrD,KAAK,kBAAkBL,EAAKK,EAAO,OAAO,EAC1CA,EAAO,WAAaL,CACtB,CACA,OAAOK,EAAO,UAChB,CAEA,4BAA4BjB,EAAWc,EAAM,CAC3C,QAASc,EAAI,EAAGA,EAAI,KAAK,WAAW,OAAQA,IAAK,CAC/C,IAAMgB,EAAS,KAAK,WAAWhB,CAAC,EAAEd,EAAMd,CAAS,EACjD,GAAI4C,EACF,OAAOC,GAAqBD,CAAM,EAAI,IAAIrD,GAAcqD,EAAO,IAAK,KAAMA,EAAO,OAAO,EAAI,IAAIrD,GAAcqD,EAAQ,IAAI,CAE9H,CAEF,CAaF,EAXIjD,EAAK,UAAO,SAAiCmD,EAAmB,CAC9D,OAAO,IAAKA,GAAqBnD,GAAoBoD,EAAYC,GAAY,CAAC,EAAMD,EAAYE,EAAY,EAAMF,EAASG,EAAU,CAAC,EAAMH,EAAYI,EAAY,CAAC,CACvK,EAGAxD,EAAK,WAA0ByD,EAAmB,CAChD,MAAOzD,EACP,QAASA,EAAgB,UACzB,WAAY,MACd,CAAC,EA5eL,IAAMD,EAANC,EA+eA,OAAOD,CACT,GAAG,EAgBH,SAAS2D,GAASC,EAAK,CACrB,OAAOA,EAAI,UAAU,EAAI,CAC3B,CAEA,SAASC,GAAQC,EAAWC,EAAM,CAChC,OAAOD,EAAY,IAAMC,CAC3B,CACA,SAASC,GAAqBC,EAAO,CACnC,MAAO,CAAC,EAAEA,EAAM,KAAOA,EAAM,QAC/B,CAGA,IAAMC,GAAwC,IAAIC,EAAe,0BAA0B,EAMrFC,GAAiC,IAAID,EAAe,oBAAqB,CAC7E,WAAY,OACZ,QAASE,EACX,CAAC,EAED,SAASA,IAA4B,CACnC,IAAMC,EAAYC,EAAOC,CAAQ,EAC3BC,EAAYH,EAAYA,EAAU,SAAW,KACnD,MAAO,CAGL,YAAa,IAAMG,EAAYA,EAAU,SAAWA,EAAU,OAAS,EACzE,CACF,CAEA,IAAMC,GAAoB,CAAC,YAAa,gBAAiB,MAAO,SAAU,OAAQ,SAAU,SAAU,eAAgB,aAAc,aAAc,OAAQ,QAAQ,EAE5JC,GAAsDD,GAAkB,IAAIE,GAAQ,IAAIA,CAAI,GAAG,EAAE,KAAK,IAAI,EAE1GC,GAAiB,4BAiCnBC,IAAwB,IAAM,CAChC,IAAMC,EAAN,MAAMA,CAAQ,CAQZ,IAAI,OAAQ,CACV,OAAO,KAAK,QAAU,KAAK,aAC7B,CACA,IAAI,MAAMd,EAAO,CACf,KAAK,OAASA,CAChB,CAEA,IAAI,SAAU,CACZ,OAAO,KAAK,QACd,CACA,IAAI,QAAQA,EAAO,CACbA,IAAU,KAAK,WACbA,EACF,KAAK,eAAeA,CAAK,EAChB,KAAK,UACd,KAAK,iBAAiB,EAExB,KAAK,SAAWA,EAEpB,CAEA,IAAI,SAAU,CACZ,OAAO,KAAK,QACd,CACA,IAAI,QAAQA,EAAO,CACjB,IAAMe,EAAW,KAAK,kBAAkBf,CAAK,EACzCe,IAAa,KAAK,WACpB,KAAK,SAAWA,EAChB,KAAK,uBAAuB,EAEhC,CAEA,IAAI,UAAW,CACb,OAAO,KAAK,SACd,CACA,IAAI,SAASf,EAAO,CAClB,IAAMe,EAAW,KAAK,kBAAkBf,CAAK,EACzCe,IAAa,KAAK,YACpB,KAAK,UAAYA,EACjB,KAAK,uBAAuB,EAEhC,CACA,YAAYC,EAAaC,EAAeC,EAAYV,EAAWW,EAAeC,EAAU,CACtF,KAAK,YAAcJ,EACnB,KAAK,cAAgBC,EACrB,KAAK,UAAYT,EACjB,KAAK,cAAgBW,EAKrB,KAAK,OAAS,GACd,KAAK,sBAAwB,CAAC,EAE9B,KAAK,kBAAoBE,GAAa,MAClCD,IACEA,EAAS,QACX,KAAK,MAAQ,KAAK,cAAgBA,EAAS,OAEzCA,EAAS,UACX,KAAK,QAAUA,EAAS,UAKvBF,GACHF,EAAY,cAAc,aAAa,cAAe,MAAM,CAEhE,CAcA,eAAeM,EAAU,CACvB,GAAI,CAACA,EACH,MAAO,CAAC,GAAI,EAAE,EAEhB,IAAMC,EAAQD,EAAS,MAAM,GAAG,EAChC,OAAQC,EAAM,OAAQ,CACpB,IAAK,GACH,MAAO,CAAC,GAAIA,EAAM,CAAC,CAAC,EAEtB,IAAK,GACH,OAAOA,EACT,QACE,MAAM,MAAM,uBAAuBD,CAAQ,GAAG,CAElD,CACF,CACA,UAAW,CAGT,KAAK,uBAAuB,CAC9B,CACA,oBAAqB,CACnB,IAAME,EAAiB,KAAK,gCAC5B,GAAIA,GAAkBA,EAAe,KAAM,CACzC,IAAMC,EAAU,KAAK,UAAU,YAAY,EAOvCA,IAAY,KAAK,gBACnB,KAAK,cAAgBA,EACrB,KAAK,yBAAyBA,CAAO,EAEzC,CACF,CACA,aAAc,CACZ,KAAK,kBAAkB,YAAY,EAC/B,KAAK,iCACP,KAAK,gCAAgC,MAAM,CAE/C,CACA,gBAAiB,CACf,MAAO,CAAC,KAAK,OACf,CACA,eAAe9B,EAAK,CAClB,KAAK,iBAAiB,EAGtB,IAAM+B,EAAO,KAAK,UAAU,YAAY,EACxC,KAAK,cAAgBA,EACrB,KAAK,qCAAqC/B,CAAG,EAC7C,KAAK,yBAAyB+B,CAAI,EAClC,KAAK,YAAY,cAAc,YAAY/B,CAAG,CAChD,CACA,kBAAmB,CACjB,IAAMgC,EAAgB,KAAK,YAAY,cACnCC,EAAaD,EAAc,WAAW,OAM1C,IALI,KAAK,iCACP,KAAK,gCAAgC,MAAM,EAItCC,KAAc,CACnB,IAAMC,EAAQF,EAAc,WAAWC,CAAU,GAG7CC,EAAM,WAAa,GAAKA,EAAM,SAAS,YAAY,IAAM,QAC3DA,EAAM,OAAO,CAEjB,CACF,CACA,wBAAyB,CACvB,GAAI,CAAC,KAAK,eAAe,EACvB,OAEF,IAAMC,EAAO,KAAK,YAAY,cACxBC,GAAkB,KAAK,QAAU,KAAK,cAAc,sBAAsB,KAAK,OAAO,EAAE,MAAM,IAAI,EAAI,KAAK,cAAc,uBAAuB,GAAG,OAAOC,GAAaA,EAAU,OAAS,CAAC,EACjM,KAAK,sBAAsB,QAAQA,GAAaF,EAAK,UAAU,OAAOE,CAAS,CAAC,EAChFD,EAAe,QAAQC,GAAaF,EAAK,UAAU,IAAIE,CAAS,CAAC,EACjE,KAAK,sBAAwBD,EACzB,KAAK,WAAa,KAAK,wBAA0B,CAACA,EAAe,SAAS,mBAAmB,IAC3F,KAAK,wBACPD,EAAK,UAAU,OAAO,KAAK,sBAAsB,EAE/C,KAAK,UACPA,EAAK,UAAU,IAAI,KAAK,QAAQ,EAElC,KAAK,uBAAyB,KAAK,SAEvC,CAMA,kBAAkB9B,EAAO,CACvB,OAAO,OAAOA,GAAU,SAAWA,EAAM,KAAK,EAAE,MAAM,GAAG,EAAE,CAAC,EAAIA,CAClE,CAMA,yBAAyB0B,EAAM,CAC7B,IAAMO,EAAW,KAAK,gCAClBA,GACFA,EAAS,QAAQ,CAACC,EAAOC,IAAY,CACnCD,EAAM,QAAQvB,GAAQ,CACpBwB,EAAQ,aAAaxB,EAAK,KAAM,QAAQe,CAAI,IAAIf,EAAK,KAAK,IAAI,CAChE,CAAC,CACH,CAAC,CAEL,CAKA,qCAAqCwB,EAAS,CAC5C,IAAMC,EAAsBD,EAAQ,iBAAiBzB,EAAwB,EACvEuB,EAAW,KAAK,gCAAkC,KAAK,iCAAmC,IAAI,IACpG,QAASI,EAAI,EAAGA,EAAID,EAAoB,OAAQC,IAC9C5B,GAAkB,QAAQE,GAAQ,CAChC,IAAM2B,EAAuBF,EAAoBC,CAAC,EAC5CrC,EAAQsC,EAAqB,aAAa3B,CAAI,EAC9C4B,EAAQvC,EAAQA,EAAM,MAAMY,EAAc,EAAI,KACpD,GAAI2B,EAAO,CACT,IAAIC,EAAaP,EAAS,IAAIK,CAAoB,EAC7CE,IACHA,EAAa,CAAC,EACdP,EAAS,IAAIK,EAAsBE,CAAU,GAE/CA,EAAW,KAAK,CACd,KAAM7B,EACN,MAAO4B,EAAM,CAAC,CAChB,CAAC,CACH,CACF,CAAC,CAEL,CAEA,eAAeE,EAAS,CAItB,GAHA,KAAK,cAAgB,KACrB,KAAK,SAAW,KAChB,KAAK,kBAAkB,YAAY,EAC/BA,EAAS,CACX,GAAM,CAAC5C,EAAWyB,CAAQ,EAAI,KAAK,eAAemB,CAAO,EACrD5C,IACF,KAAK,cAAgBA,GAEnByB,IACF,KAAK,SAAWA,GAElB,KAAK,kBAAoB,KAAK,cAAc,gBAAgBA,EAAUzB,CAAS,EAAE,KAAK6C,GAAK,CAAC,CAAC,EAAE,UAAU/C,GAAO,KAAK,eAAeA,CAAG,EAAGgD,GAAO,CAC/I,IAAMC,EAAe,yBAAyB/C,CAAS,IAAIyB,CAAQ,KAAKqB,EAAI,OAAO,GACnF,KAAK,cAAc,YAAY,IAAI,MAAMC,CAAY,CAAC,CACxD,CAAC,CACH,CACF,CA2CF,EAzCI9B,EAAK,UAAO,SAAyB+B,EAAmB,CACtD,OAAO,IAAKA,GAAqB/B,GAAYgC,EAAqBC,CAAU,EAAMD,EAAkBE,EAAe,EAAMC,GAAkB,aAAa,EAAMH,EAAkB3C,EAAiB,EAAM2C,EAAqBI,EAAY,EAAMJ,EAAkB7C,GAA0B,CAAC,CAAC,CAC9R,EAGAa,EAAK,UAAyBqC,GAAkB,CAC9C,KAAMrC,EACN,UAAW,CAAC,CAAC,UAAU,CAAC,EACxB,UAAW,CAAC,OAAQ,MAAO,EAAG,WAAY,aAAa,EACvD,SAAU,GACV,aAAc,SAA8BsC,EAAIC,EAAK,CAC/CD,EAAK,IACJE,GAAY,qBAAsBD,EAAI,eAAe,EAAI,OAAS,KAAK,EAAE,qBAAsBA,EAAI,UAAYA,EAAI,QAAQ,EAAE,0BAA2BA,EAAI,eAAiBA,EAAI,OAAO,EAAE,WAAYA,EAAI,eAAe,EAAIA,EAAI,SAAW,IAAI,EAChPE,GAAWF,EAAI,MAAQ,OAASA,EAAI,MAAQ,EAAE,EAC9CG,GAAY,kBAAmBH,EAAI,MAAM,EAAE,oBAAqBA,EAAI,QAAU,WAAaA,EAAI,QAAU,UAAYA,EAAI,QAAU,MAAM,EAEhJ,EACA,OAAQ,CACN,MAAO,QACP,OAAQ,CAAC,EAAG,SAAU,SAAUI,EAAgB,EAChD,QAAS,UACT,QAAS,UACT,SAAU,UACZ,EACA,SAAU,CAAC,SAAS,EACpB,WAAY,GACZ,SAAU,CAAIC,GAA6BC,EAAmB,EAC9D,mBAAoBC,GACpB,MAAO,EACP,KAAM,EACN,SAAU,SAA0BR,EAAIC,EAAK,CACvCD,EAAK,IACJS,GAAgB,EAChBC,GAAa,CAAC,EAErB,EACA,OAAQ,CAAC,o3BAAo3B,EAC73B,cAAe,EACf,gBAAiB,CACnB,CAAC,EAlSL,IAAMjD,EAANC,EAqSA,OAAOD,CACT,GAAG,EAICkD,IAA8B,IAAM,CACtC,IAAMC,EAAN,MAAMA,CAAc,CAgBpB,EAdIA,EAAK,UAAO,SAA+BnB,EAAmB,CAC5D,OAAO,IAAKA,GAAqBmB,EACnC,EAGAA,EAAK,UAAyBC,EAAiB,CAC7C,KAAMD,CACR,CAAC,EAGDA,EAAK,UAAyBE,EAAiB,CAC7C,QAAS,CAACC,GAAiBA,EAAe,CAC5C,CAAC,EAdL,IAAMJ,EAANC,EAiBA,OAAOD,CACT,GAAG,EC/9BI,IAAMK,GACXC,GAEA,IAAIC,GAAKC,EAAIF,EAAKG,GAAG,EAAIC,GAAOC,GAC9BC,GACEC,GAAcH,EAAGC,CAAC,EAClBH,EAAI,CAAC,CAACM,EAAGC,CAAC,IAAMT,EAAKU,IAAIF,CAAC,EAAEC,CAAC,CAAC,CAAC,CAChC,EC2BL,IAAME,EAAiBC,GAAKC,SAAQ,EAY9BC,GAAc,IAAIF,GAInBG,GAAOC,GACRC,EAAOD,EAAQE,UAAU,EAClBC,GAAQH,EAAQE,UAAU,EAC1BE,GAAQ,CAAEC,MAAO,uCAAuC,CAAE,CAAC,EAEnEC,GAAkBC,GACjBC,GACKC,GAAcH,EAAcC,CAAS,EACrCG,EAAI,CAAC,CAACR,EAAYF,CAAO,IAAOW,EAAAC,EAAA,GAAKZ,GAAL,CAAcE,WAAAA,CAAU,EAAG,CAAC,CAChE,EAECW,GAAkBjB,GAAKC,SAAQ,EAC/BiB,GAAWD,GAAgB,SAAS,EACpCE,GAAYF,GAAgB,UAAU,EACtCG,GAAiBH,GAAgB,eAAe,EAKzCI,GAAkBtB,EAAe,aAAa,EAE9CuB,GAAkBvB,EAAe,aAAa,EAC9CwB,GAAcxB,EAAe,SAAS,EACtCyB,GAAiBD,GAAYE,QAAQvB,EAAW,EAChDwB,GAAcF,GAAeC,QAAQE,GAAQT,EAAQ,CAAC,EACtDU,GAAiB7B,EAAe,YAAY,EAC5C8B,GAAoB9B,EAAe,eAAe,EAClD+B,GAAeN,GAAeC,QAAQE,GAAQR,EAAS,CAAC,EACxDY,GAAcP,GAAeC,QAAQE,GAAQP,EAAc,CAAC,EAC5DY,GAAsBjC,EAAe,iBAAiB,EACtDkC,GAAsBlC,EAAe,iBAAiB,EACtDmC,GAAanC,EAAe,QAAQ,EACpCoC,GAAcpC,EAAe,SAAS,EACtCqC,GAAmBrC,EAAe,cAAc,EAChDsC,GAAatC,EAAe,QAAQ,EACpCuC,GAAqBvC,EAAe,gBAAgB,EACpDwC,GAAiBxC,EAAe,YAAY,EAC5CyC,GAAwBzC,EAAe,mBAAmB,EAC1D0C,GAAiB1C,EAAe,YAAY,EAE5C2C,GAAiB3C,EAAe,YAAY,EAC5C4C,GAAkB5C,EAAe,aAAa,EAC9C6C,GAAkB7C,EAAe,aAAa,EAC9C8C,GAAoB9C,EAAe,eAAe,EAElD+C,GAAoB/C,EAAe,uBAAuB,EAC1DgD,GAAkBhD,EAAe,qBAAqB,EAEtDiD,GAAmBjD,EAAe,UAAU,EAC5CkD,GAAmBlD,EAAe,cAAc,EAChDmD,GAAqBnD,EAAe,gBAAgB,EACpDoD,GAAkBpD,EAAe,aAAa,EAC9CqD,GAAqBrD,EAAe,YAAY,EAChDsD,GAA6BtD,EACxC,wBAAwB,EAEbuD,GAAyBvD,EAAe,oBAAoB,EAC5DwD,GAAmBxD,EAAe,cAAc,EAChDyD,GAA8BzD,EACzC,yBAAyB,EAEd0D,GAAkB1D,EAAe,aAAa,EAC9C2D,GAAmB3D,EAAe,cAAc,EAChD4D,GAAqB5D,EAAe,gBAAgB,EACpD6D,GAA4B7D,EACvC,uBAAuB,EAEZ8D,GAAuB9D,EAAe,kBAAkB,EACxD+D,GAAwC/D,EACnD,mCAAmC,EAExBgE,GAA2BhE,EAAe,sBAAsB,EAChEiE,GAAoBjE,EAAe,eAAe,EAClDkE,GAAiBlE,EAAe,YAAY,EAC5CmE,GAAcnE,EAAe,SAAS,EAKtCoE,GAAiB,IAAInE,GAC/BoE,GAAcA,EACdA,GAAOC,GAAMD,CAAC,EAGJE,GAAoBvE,EAAe,eAAe,EAClDwE,GAAsBxE,EAAe,iBAAiB,EAEtDyE,GAAuBzE,EAAe,kBAAkB,ECzH9D,IAAM0E,GAAiB,OAEjBC,EAAaC,GAAqBF,EAAc,EAEhDG,GAA2B,CACtCC,YAAa,GACbC,YAAgBC,EAChBC,QAAYD,EACZE,OAAWF,EACXG,QAAYH,EACZI,aAAiBJ,EACjBK,OAAWL,EACXM,eAAmBN,EACnBO,WAAeP,EAEfQ,kBAAsBR,EACtBS,WAAeT,EAEfU,YAAgBV,EAChBW,WAAeX,EACfY,YAAgBZ,EAChBa,cAAkBb,EAElBc,sBAA0Bd,EAC1Be,oBAAwBf,EAExBgB,WAAehB,EACfiB,cAAkBjB,EAClBkB,gBAAoBlB,EACpBmB,gBAAoBnB,EACpBoB,SAAU,CAAA,EAEVC,aAAgBC,GAChBC,eAAmBvB,EACnBwB,YAAgBxB,EAChByB,WAAezB,EACf0B,uBAAwB,KACxBC,mBAAsBL,GAEtBM,aAAiB5B,EACjB6B,wBAA4B7B,EAC5B8B,aAAiB9B,EACjB+B,YAAgB/B,EAChBgC,eAAmBhC,EACnBiC,sBAA0BjC,EAC1BkC,iBAAqBlC,EACrBmC,kCAAsCnC,EACtCoC,qBAAyBpC,EACzBqC,cAAkBrC,EAElBsC,cAAkBtC,EAClBuC,gBAAiB,CAAA,EACjBC,iBAAqBxC,EACrByC,WAAezC,EACf0C,QAAY1C,GAKD2C,GAAiBhD,EAAWiD,OAAO,uBAAuB,EACjEC,GAAwBC,EAC5BH,GACGI,GAAgBC,IAAI,EAAK,CAAC,EAKlBC,GAAiBtD,EAAWuD,MACvC,kBAAkB,EAEdC,GAAwBC,EAC5BH,GACGI,EAAe,EAGPC,GAAmB3D,EAAWiD,OACzC,oBAAoB,EAGhBW,GAA0BT,EAC9BQ,GACGD,GAAgBL,IAAOhD,CAAO,CAAC,EAMvBwD,GAAa7D,EAAWuD,MAGnC,aAAa,EACTO,GAAoBL,EAAoBI,GAAeE,EAAW,EAE3DC,GAAehE,EAAWiD,OAAO,eAAe,EACvDgB,GAAsBd,EAC1Ba,GACGE,GAAYb,IAAOhD,CAAO,CAAC,EAMnBgB,GAAarB,EAAWuD,MACnC,aAAa,EAETY,GAAoBV,EAAoBpC,GAAe+C,EAAc,EAE9DC,GAAkBrE,EAAWiD,OAAO,mBAAmB,EAC9DqB,GAAyBnB,EAC7BkB,GACGD,GAAef,IAAOhD,CAAO,CAAC,EAMtBiB,GAAgBtB,EAAWuD,MACtC,gBAAgB,EAEZgB,GAAuBd,EAC3BnC,GACGkD,EAAiB,EAGTC,GAAqBzE,EAAWiD,OAAO,sBAAsB,EACpEyB,GAA4BvB,EAChCsB,GACGD,GAAkBnB,IAAOhD,CAAO,CAAC,EAMzBkB,GAAkBvB,EAAWuD,MACxC,mBAAmB,EAEfoB,GAAyBlB,EAC7BlC,GACGqD,EAAmB,EAGXC,GAAuB7E,EAAWiD,OAC7C,yBAAyB,EAErB6B,GAA8B3B,EAClC0B,GACGD,GAAoBvB,IAAOhD,CAAO,CAAC,EAM3BmB,GAAkBxB,EAAWuD,MACxC,mBAAmB,EAEfwB,GAAyBtB,EAC7BjC,GACGwD,EAAmB,EAGXC,GAAuBjF,EAAWiD,OAC7C,yBAAyB,EAErBiC,GAA8B/B,EAClC8B,GACGD,GAAoB3B,IAAOhD,CAAO,CAAC,EAM3B8E,GAAgBnF,EAAWuD,MACtC,iBAAiB,EAEb6B,GAAuB3B,EAAoB0B,GAAkBE,EAAW,EAKjEtE,GAAcf,EAAWuD,MAA0B,cAAc,EACxE+B,GAAqB7B,EAAoB1C,GAAgBwE,EAAe,EAEjEvE,GAAahB,EAAWuD,MACnC,aAAa,EAETiC,GAAoB/B,EAAoBzC,GAAeyE,EAAc,EAO9DC,GAAkB1F,EAAWiD,OAAO,mBAAmB,EAC9D0C,GAAyBxC,EAC7BuC,GACGD,GAAepC,IAAOhD,CAAO,CAAC,EAKtBY,GAAcjB,EAAWuD,MACpC,cAAc,EAEVqC,GAAqBnC,EAAoBxC,GAAgB4E,EAAe,EAEjEC,GAAmB9F,EAAWiD,OAAO,oBAAoB,EAChE8C,GAA0B5C,EAC9B2C,GACGD,GAAgBxC,IAAOhD,CAAO,CAAC,EAMvBa,GAAgBlB,EAAWuD,MACtC,gBAAgB,EAEZyC,GAAsBvC,EAC1BvC,GACG+E,EAAiB,EAMTC,GAAsBlG,EAAWiD,OAAO,wBAAwB,EACvEkD,GAA6BhD,EACjC+C,GACCE,GAAsBC,EAAAC,EAAA,GAClBF,GADkB,CAErBpF,WAAeX,EACfY,YAAgBZ,GAChB,EAMSkG,GAAcvG,EAAWuD,MACpC,yBAAyB,EAErBiD,GAAqB/C,EAAoB8C,GAAgBE,EAAU,EAK5DC,GAAe1G,EAAWuD,MAAwB,WAAW,EACpEoD,GAAsBC,GAC1BF,GACGG,GACAC,EAAc,EAMNC,GAAsB/G,EAAWuD,MAG5C,qBAAqB,EACjByD,GAA6BvD,EACjCsD,GACGE,EAAkB,EAMVC,GAAgBlH,EAAWuD,MAGtC,gBAAgB,EACZ4D,GAAuB1D,EAC3ByD,GACGE,EAAiB,EAGTC,GAA0BrH,EAAWuD,MAGhD,sBAAsB,EAClB+D,GAAiC7D,EACrC4D,GACGD,EAAiB,EAGTG,GAAqBvH,EAAWiD,OAAO,sBAAsB,EACpEuE,GAA4BrE,EAChCoE,GACGH,GAAkB/D,IAAOhD,CAAO,CAAC,EAGzBoH,GAAgBzH,EAAWuD,MACtC,gBAAgB,EAEZmE,GAAuBjE,EAC3BgE,GACGE,EAAe,EAGPC,GAAc5H,EAAWuD,MACpC,cAAc,EAEVsE,GAAqBpE,EAAoBmE,GAAgBD,EAAe,EAEjEG,GAAe9H,EAAWuD,MACrC,gBAAgB,EAEZwE,GAAsBtE,EAAoBqE,GAAiBE,EAAU,EAK9DC,GAAgBjI,EAAWuD,MACtC,oBAAoB,EAEhB2E,GAAuBzE,EAC3BwE,GACGE,EAAc,EAGNC,GAAqBpI,EAAWuD,MAC3C,2BAA2B,EAEvB8E,GAA4B5E,EAChC2E,GACGD,EAAc,EAGNG,GAAkBtI,EAAWiD,OAAO,0BAA0B,EACrEsF,GAA8BpF,EAClCmF,GACGH,GAAe9E,IAAOhD,CAAO,CAAC,EAMtBuB,GAAiB5B,EAAWuD,MAGvC,iBAAiB,EACbiF,GAAwB/E,EAC5B7B,GACG6G,EAAkB,EAMV5G,GAAc7B,EAAWuD,MAGpC,cAAc,EACVmF,GAAqBjF,EAAoB5B,GAAgB8G,EAAe,EAKjEC,GAAmB5I,EAAWiD,OAAO,oBAAoB,EAChE4F,GAA0B1F,EAC9ByF,GACGD,GAAgBtF,IAAOhD,CAAO,CAAC,EAMvByI,GAAwC9I,EAAWiD,OAC9D,oCAAoC,EAEhC8F,GAA+C5F,EACnD2F,GACCE,GAAkB3C,EAAAC,EAAA,GACd0C,GADc,CAEjBtH,aAAgBuH,EAAOD,EAAEtH,YAAY,EAC/BwH,GAAK7C,EAAAC,EAAA,GAAK0C,EAAEtH,aAAayH,OAApB,CAA2BC,QAASC,GAAI,CAAE,EAAE,EACjD1H,GACNE,YAAgBxB,GAChB,EAMSiJ,GAAqBtJ,EAAWiD,OAAO,aAAa,EAC3DsG,GAA4BpG,EAChCmG,GACCN,GAAkB3C,EAAAC,EAAA,GACd0C,GADc,CAEjBtH,aAAgBC,GAChBC,eAAmBvB,EACnBwB,YAAgBxB,GAChB,EAMSmJ,GAAqBxJ,EAAWuD,MAG3C,kBAAkB,EACdkG,GAA2BhG,EAC/B+F,GACGE,EAAgB,EAGRC,GAAsB3J,EAAWiD,OAAO,oBAAoB,EACnE2G,GAA6BzG,EACjCwG,GACGD,GAAiBrG,IAAOhD,CAAO,CAAC,EAMxBQ,GAAoBb,EAAWuD,MAG1C,qBAAqB,EACjBsG,GAA2BpG,EAC/B5C,GACGiJ,EAAqB,EAGbC,GAAyB/J,EAAWiD,OAC/C,2BAA2B,EAEvB+G,GAAgC7G,EACpC4G,GACGD,GAAsBzG,IAAOhD,CAAO,CAAC,EAQ7B4J,GAAkBjK,EAAWiD,OAExC,mBAAmB,EACfiH,GAAyB/G,EAC7B8G,GACA,CAACjB,EAAc,CAAEG,MAAAA,CAAK,IAEjBgB,GAAiB9G,IAChB6F,GAAK7C,EAAAC,EAAA,GACF6C,GADE,CAELiB,aAAc,IAAIC,KAAI,EAAGC,YAAW,EACpClB,QAASmB,EAAOpB,EAAMC,OAAO,EAAID,EAAMC,QAAUC,GAAI,EACrDmB,WAAeC,EAAUzB,EAAE1I,OAAO,EAC9B0I,EAAE1I,QAAQ6I,MAAMuB,MAAMC,YAAYC,QAAQC,SACvCJ,EAAUzB,EAAE5I,WAAW,EAC1B4I,EAAE5I,YAAY+I,MAAMuB,MAAMpK,QAAQwK,KAAKC,YACvC,MACL,CAAC,EACF/B,CAAC,CAAC,EAGKgC,GAAoBhL,EAAWiD,OAAO,qBAAqB,EAClEgI,GAA2B9H,EAC/B6H,GACGb,GAAiB9G,IAAM1B,EAAI,CAAC,EAQpBuJ,GAA4BlL,EAAWiD,OAClD,8BAA8B,EAE1BkI,GAAmChI,EACvC+H,GACA,CAACE,EAAyB,CAAEjC,MAAAA,CAAK,IAC5BkC,GAA2BhI,IAAI8F,CAAK,EAAEiC,CAAY,CAAC,EAG7CE,GAA8BtL,EAAWiD,OACpD,gCAAgC,EAE5BsI,GAAqCpI,EACzCmI,GACGD,GAA2BhI,IAAI,IAAI,CAAC,EAG5BmI,GAAwBxL,EAAWiD,OAE9C,yBAAyB,EACrBwI,GAA+BtI,EACnCqI,GACA,CAACJ,EAAyB,CAAEjC,MAAAA,CAAK,IAC5BuC,GAAuBrI,IAAI8F,CAAK,EAAEiC,CAAY,CAAC,EAGzCO,GAA0B3L,EAAWiD,OAChD,2BAA2B,EAEvB2I,GAAiCzI,EACrCwI,GACGD,GAAuBrI,IAAM1B,EAAI,CAAC,EAG1BkK,GAAmB7L,EAAWiD,OACzC,oBAAoB,EAEhB6I,GAA0B3I,EAC9B0I,GACA,CAAC7C,EAAc,CAAEG,MAAAA,CAAK,IACjBgB,GAAiB4B,OAChBC,GAAKC,GAAW5F,EAAAC,EAAA,GAAK2F,GAAL,CAAYC,SAAU,CAAC/C,CAAK,CAAC,EAAG,CAAC,EACnDH,CAAC,CAAC,EAGKmD,GAAqBnM,EAAWiD,OAAO,sBAAsB,EACpEmJ,GAA4BjJ,EAChCgJ,GACGhC,GAAiB4B,OAASC,GAAKC,GAAW5F,EAAAC,EAAA,GAAK2F,GAAL,CAAYC,SAAU,CAAA,CAAE,EAAG,CAAC,CAAC,EAG/DG,GAA2BrM,EAAWiD,OAEjD,8BAA8B,EAC1BqJ,GAA6BnJ,EACjCkJ,GACA,CAACrD,EAAc,CAAEG,MAAAA,CAAK,IACjBgB,GAAiB4B,OAChBC,GAAKC,GAAW5F,EAAAC,EAAA,GAAK2F,GAAL,CAAYM,UAAW,CAACpD,CAAK,CAAC,EAAG,CAAC,EACpDH,CAAC,CAAC,EAGKwD,GAAiBxM,EAAWiD,OAAO,kBAAkB,EAC5DwJ,GAAwBtJ,EAC5BqJ,GACGrC,GAAiB4B,OAChBC,GAAKC,GAAW5F,EAAAC,EAAA,GAAK2F,GAAL,CAAYS,gBAAiB,GAAOH,UAAW,CAAA,CAAE,EAAG,CAAC,CACxE,EAGUI,GAAiB3M,EAAWiD,OAAe,kBAAkB,EACpE2J,GAAwBzJ,EAC5BwJ,GACA,CAAC3D,EAAc,CAAEG,MAAAA,CAAK,IACjBgB,GAAiB4B,OAChBC,GAAKC,GAAW5F,EAAAC,EAAA,GAAK2F,GAAL,CAAYY,iBAAkB1D,CAAK,EAAG,CAAC,EACzDH,CAAC,CAAC,EAQK8D,GAAgB9M,EAAWiD,OAAsB,WAAW,EAC5D8J,GAAmB/M,EAAWiD,OACzC,cAAc,EAEH+J,GAAwBhN,EAAWiD,OAC9C,mBAAmB,EAERgK,GAAqBjN,EAAWiD,OAC3C,gBAAgB,EAMLiK,GAAiBlN,EAAWuD,MACvC,kBAAkB,EAEd4J,GAAwB1J,EAC5ByJ,GACGE,EAAkB,EAWVC,GAAmBrN,EAAWuD,MAGzC,oBAAoB,EAChB+J,GAAoB7J,EACxB4J,GACGE,EAAc,EAGNC,GAAwBxN,EAAWiD,OAC9C,0BAA0B,EAEtBwK,GAA+BtK,EACnCqK,GACGD,GAAelK,IAAOhD,CAAO,CAAC,EAGtBqN,GAAkB1N,EAAWuD,MACxC,eAAe,EAEXoK,GAAyBlK,EAC7BiK,GACGE,EAAgB,EAGRC,GAA6B7N,EAAWuD,MAGnD,yBAAyB,EACrBuK,GAAoCrK,EACxCoK,GACGE,EAA2B,EAGnBC,GAAoBhO,EAAWiD,OAAO,qBAAqB,EAClEgL,GAA2B9K,EAC/B6K,GACGJ,GAAiBvK,IAAO6K,GAAQ,CAAA,CAAqB,CAAC,CAAC,EAG/CC,GAAwBnO,EAAWiD,OAC9C,0BAA0B,EAEtBmL,GAA+BjL,EACnCgL,GACGf,GAAmB/J,IAAOhD,CAAO,CAAC,EAM1BgO,GAAkBrO,EAAWuD,MACxC,mBAAmB,EAEf+K,GAAyB7K,EAC7B4K,GACGE,EAAgB,EAGRC,GAAoBxO,EAAWiD,OAAO,qBAAqB,EAClEwL,GAA2BtL,EAC/BqL,GACGD,GAAiBlL,IAAOhD,CAAO,CAAC,EAGxBqO,GAAiB1O,EAAWuD,MACvC,kBAAkB,EAEdoL,GAAwBlL,EAC5BiL,GACGE,EAAe,EAGPvM,GAAiBrC,EAAWuD,MAGvC,iBAAiB,EACbsL,GAAwBpL,EAC5BpB,GACGyM,EAAkB,EAGVC,GAAsB/O,EAAWiD,OAAO,uBAAuB,EACtE+L,GAA6B7L,EACjC4L,GACGD,GAAmBzL,IAAOhD,CAAO,CAAC,EAG1BiC,GAAwBtC,EAAWuD,MAC9C,yBAAyB,EAErB0L,GAA+BxL,EACnCnB,GACG4M,EAAyB,EAGjBC,GAA6BnP,EAAWiD,OACnD,+BAA+B,EAE3BmM,GAAoCjM,EACxCgM,GACGD,GAA0B7L,IAAOhD,CAAO,CAAC,EAMjCkC,GAAmBvC,EAAWuD,MAGzC,mBAAmB,EACf8L,GAA0B5L,EAC9BlB,GACG+M,EAAoB,EAGZC,GAAwBvP,EAAWiD,OAC9C,yBAAyB,EAErBuM,GAA+BrM,EACnCoM,GACGD,GAAqBjM,IAAOhD,CAAO,CAAC,EAG5BmC,GAAoCxC,EAAWuD,MAG1D,uCAAuC,EAEnCkM,GAA2ChM,EAC/CjB,GACGkN,EAAqC,EAG7BC,GAAyC3P,EAAWiD,OAC/D,6CAA6C,EAEzC2M,GAAgDzM,EACpDwM,GACGD,GAAsCrM,IAAOhD,CAAO,CAAC,EAG7CoC,GAAuBzC,EAAWuD,MAG7C,wBAAwB,EACpBsM,GAA8BpM,EAClChB,GACGqN,EAAwB,EAGhBC,GAAmB/P,EAAWuD,MACzC,oBAAoB,EAEhByM,GAA0BvM,EAC9BsM,GACGE,EAAiB,EAGTC,GAAmBlQ,EAAWuD,MACzC,qBAAqB,EAEjB4M,GAA0B1M,EAC9ByM,GACGE,EAAiB,EAGTC,GAAqBrQ,EAAWiD,OAC3C,uBAAuB,EAEnBqN,GAA4BnN,EAChCkN,GACA,CAACrH,EAAc,CAAEG,MAAAA,CAAK,IAAUoH,GAAoBlN,IAAI8F,CAAK,EAAEH,CAAC,CAAC,EAGtDwH,GAAsBxQ,EAAWuD,MAG5C,uBAAuB,EACnBkN,GAA6BhN,EACjC+M,GACGE,EAAoB,EAOZC,GAAgB3Q,EAAWuD,MACtC,iBAAiB,EAEbqN,GAAgBnN,EAAoBkN,GAAkBE,EAAc,EAE7D9N,GAAU/C,EAAWuD,MAGhC,UAAU,EACNuN,GAAiBrN,EAAoBV,GAAYgO,EAAW,EAQrDC,GAAcC,GACzB/Q,GACAgD,GAEAM,GACAI,GACAE,GACAG,GACAE,GACAG,GACAC,GACAG,GACA8C,GACA7C,GACAG,GACAC,GACAG,GACAE,GAEAoB,GACAQ,GACAyC,GACAG,GACA1B,GACAG,GACAE,GAEAsB,GACAG,GACAsD,GACAG,GAEAnI,GACAE,GACAI,GACAD,GACAI,GACAC,GAEAG,GACAgB,GACAG,GACAO,GACAH,GACAK,GAEApB,GACA6B,GACAE,GACAG,GACAE,GACAQ,GAEAW,GACAe,GACAa,GACAM,GACAE,GACAG,GACAU,GACAP,GACAzB,GACAI,GACAE,GACAG,GAEA+B,GACAG,GACAG,GAEAG,GAEAE,GACAG,GACAE,GACAE,GACAG,GAEAC,GACAG,GAEAC,GACAG,GACAC,GACAG,GACAC,GACAG,GAEAG,GACAG,GACAG,GACAG,GACAE,EAAc,EC93BT,IAAMI,EAAkBC,GAAiCC,EAAc,EAOjEC,GAAoBC,EAC/BJ,EACGK,GAAgBC,GAAG,EAGXC,GAAoBH,EAC/BJ,EACGQ,GAAgBF,GAAG,EAEXG,GAAgBL,EAC3BJ,EACGU,GAAYJ,GAAG,EAEPK,GAAmBP,EAC9BJ,EACGY,GAAeN,GAAG,EAEVO,GAA2BT,EACtCO,GACGG,EAAKC,GAAeA,EAAWC,QAAQ,CAAC,EAEhCC,GAAgBb,EAC3BJ,EACGkB,GAAYZ,GAAG,EAEPa,GAAmBf,EAC9BJ,EACGoB,GAAed,GAAG,EAEVe,GAAsBjB,EACjCJ,EACGsB,GAAkBhB,GAAG,EAEbiB,GAAwBnB,EACnCJ,EACGwB,GAAoBlB,GAAG,EAEfmB,GAAwBrB,EACnCJ,EACG0B,GAAoBpB,GAAG,EAEfqB,GAAevB,EAAeJ,EAAoB4B,GAAWtB,GAAG,EAChEuB,GAAgBzB,EAC3BJ,EACG8B,GAAYxB,GAAG,EAEPyB,GAAuB3B,EAClCJ,EACGgC,GAAiB1B,GAAG,EAEZ2B,GAAe7B,EAAeJ,EAAoBkC,GAAW5B,GAAG,EAChE6B,GAAmB/B,EAC9BJ,EACGoC,GAAe9B,GAAG,EAGV+B,GAAuBjC,EAClCJ,EACGsC,GAAmBhC,GAAG,EAEdiC,GAA0BnC,EACrCJ,EACGwC,GAAsBlC,GAAG,EAEjBmC,GAAiBrC,EAC5BJ,EACG0C,GAAgBpC,GAAG,EAGXqC,GAAwCvC,EACnDqC,GACG3B,EAAKE,GACNA,EAAS4B,OAAQC,GAAYA,EAAQC,qBAAqB,CAAC,CAC5D,EAGUC,GAAmB3C,EAC9BJ,EACGgD,GAAe1C,GAAG,EAEV2C,GAAoB7C,EAC/BJ,EACGkD,GAAgB5C,GAAG,EAGX6C,GAAqB/C,EAChCJ,EACGoD,GAAiB9C,GAAG,EAGZ+C,GAAmBC,GAC9BlD,EAAe+C,GAAqBI,GAAWA,EAAOD,CAAE,GAAQE,CAAO,EAE5DC,GAAsBrD,EACjCJ,EACG0D,GAAkBpD,GAAG,EAGbqD,GAAoBvD,EAC/BJ,EACG4D,GAAgBtD,GAAG,EAGXuD,GAAuBzD,EAClCJ,EACG8D,GAAmBxD,GAAG,EAGdyD,GAAoB3D,EAC/BJ,EACGgE,GAAgB1D,GAAG,EAGX2D,GAAqB7D,EAChCJ,EACGkE,GAAiB5D,GAAG,EAGZ6D,GAA+B/D,EAC1CJ,EACGoE,GAA2B9D,GAAG,EAGtB+D,GAA2BjE,EACtCJ,EACGsE,GAAuBhE,GAAG,EAGlBiE,GAAmBnE,EAC9BJ,EACGwE,GAAmBlE,GAAG,EAGdmE,GAAyBrE,EACpCJ,EACG0E,GAAepE,GAAG,EAMVqE,GAA2BvE,EACtCG,GACGO,EAAK8D,GACJC,GAAaD,GAAaE,SAASC,kBAAkB,CAAC,CACzD,EAUUC,GAAmB5E,EAC9BK,GACAwB,GACAI,GACAN,GACA,CAACkD,EAASC,EAAQC,EAAgBC,IAC7BC,GAAe,CAAEJ,QAAAA,EAASC,OAAAA,EAAQC,eAAAA,EAAgBC,aAAAA,CAAY,CAAE,CAAC,EAM3DE,GAA+BlF,EAC1CK,GACAsB,GACA,CAACkD,EAASG,IAAoBC,GAAe,CAAEJ,QAAAA,EAASG,aAAAA,CAAY,CAAE,CAAC,EAM5DG,GAAqBjC,GAChClD,EAAeS,GAA2B2E,GAC9BC,GAAOzE,GAAuB,CACtC,IAAM0E,EAAe1E,EAAS2E,KAAMC,GAAMA,EAAEC,YAAcvC,CAAE,EAC5D,OAAIwC,EAAOJ,CAAY,EACXK,GAAQL,CAAY,EAEtBM,GAAQ,CAChBC,MAAO,mBAAmB3C,CAAE,8BACtB,CACV,CAAC,EAAEkC,CAAmB,CACvB,EAKUU,GAAqB9F,EAChCK,GACGK,EAAI,CAAC,CAAEmE,QAAAA,EAASlE,WAAAA,CAAU,IAEzB+E,EAAO/E,GAAY+D,SAASqB,SAAS,GACrCL,EAAO/E,GAAY+D,SAASsB,QAAQ,EAE7B,CAACrF,EAAW+D,QAAQqB,UAAWpF,EAAW+D,QAAQsB,QAAQ,EAAEC,KACjE,GAAG,EAGApB,EAAQqB,IAChB,CAAC,EAOSC,GAAiBnG,EAC5BK,GACGK,EAAI,CAAC,CAAEmE,QAAAA,EAASlE,WAAAA,CAAU,IACvB+E,EAAO/E,GAAY+D,SAASqB,SAAS,EAChCpF,GAAY+D,QAAQqB,UAGzBL,EAAO/E,GAAY+D,SAASsB,QAAQ,EAC/BrF,EAAW+D,QAAQsB,SAGrBnB,EAAQqB,IAChB,CAAC,EAWSE,GAA6BpG,EACxCiC,GACGvB,EACAqE,GACCA,EAAeQ,KAAMc,GAAOA,EAAGC,SAAS,GAAKvB,EAAe,CAAC,CAAC,CACjE,EAMUwB,GAAuBvG,EAClC2B,GACAxB,GACA4B,GACA,CAACiD,EAAcN,EAAS8B,IACnBvB,GAAe,CAChBD,aAAAA,EACAN,QAAAA,EACA8B,KAAAA,EACD,CAAC,EASOC,GAAsBzG,EACjCO,GACGmG,GACD,IAAM,GACN,IAAM,GACN,IAAM,EAAI,CACX,EAMUC,GAAsB3G,EACjCG,GACGO,EAAKgE,GAAW,CACjB,IAAMC,EAAqBD,GAASA,SAASC,mBAC7C,OAAOA,GAAoBiC,SAAWC,GAAiBC,SACnD,CACEC,MAAO,iBACPC,YAAa,qCAAqCrC,GAAoBsC,aAAa,yEACnFC,OAAQvC,EAAmBsC,cAC3BE,UAAWxC,EAAmBwC,UAC9BC,MAAO,CAAC,CAAEC,QAAS,CAAEC,MAAO,uBAAuB,CAAE,CAAE,GAEzD,IACN,CAAC,CAAC,EAMSC,GAAmBvH,EAC9BG,GACGO,EAAKgE,GACJA,GAASA,SAASC,oBAAoB6C,kBACpC,CACET,MAAO,uBACPC,YAAa,yEAAyES,EAAYC,YAAY,+BAEhH,IAAI,CACT,EAGUC,GAAkB3H,EAC7BJ,EACG4B,GAAWtB,GAAG,EAGN0H,GAAqB5H,EAChCJ,EACGiI,GAAiB3H,GAAG,EAGZ4H,GAAyB9H,EACpCJ,EACGmI,GAA4B7H,GAAG,EAGvB8H,GAAmChI,EAC9CG,GACGO,EAAKuH,GAAqB,CAC3B,IAAIrB,EAAqC,CACvCsB,WAAY,GACZC,cAAe,IAEXF,GAAmBpD,SAASuD,MAAMC,cACtCzB,EAAOsB,WAAa,IAEtB,IAAMI,EAAeL,GAAmBvD,SAASC,oBAAoBiC,OACrE,OACE0B,IAAiBzB,GAAiB0B,QAClCD,IAAiBzB,GAAiBC,UAClCwB,IAAiBzB,GAAiB2B,YAElC5B,EAAOuB,cAAgB,IAElBvB,CACT,CAAC,CAAC,EAGS6B,GAAwCzI,EACnDG,GACGO,EAAKuH,GAAqB,CAC3B,IAAMS,EAAWT,GAAmBjD,cAAc0D,UAAUC,YAC5D,OAASD,GAAsB,IACjC,CAAC,CAAC,EAKSE,GAAqB5I,EAChCJ,EACGiJ,GAAiB3I,GAAG,EAGZ4I,GAAoB9I,EAC/BJ,EACGmJ,GAAgB7I,GAAG,EAGX8I,GAAuBhJ,EAClCJ,EACGqJ,GAAmB/I,GAAG,EAGdgJ,GAA0BlJ,EACrCqC,GACG3B,EAAKE,GACNA,EAAS4B,OAAQC,GAAY,CAACA,EAAQ0F,eAAiB,CAAC1F,EAAQ0G,QAAQ,CAAC,CAC1E,EAGUC,GAA8BpJ,EACzCJ,EACGyJ,GAA0BnJ,GAAG,EAOrBoJ,GAAyBtJ,EACpCJ,EACG2J,GAAqBrJ,GAAG,EAGhBsJ,GAAoCxJ,EAC/CJ,EACG6J,GAAsCvJ,GAAG,EAGjCwJ,GAAiC1J,EAC5CJ,EACG+J,GAAyBzJ,GAAG,EAGpB0J,GAAsB5J,EACjCJ,EACGiK,GAAkB3J,GAAG,EAGb4J,GAAsB9J,EACjCJ,EACGmK,GAAkB7J,GAAG,EAGb8J,GAAwBhK,EACnCJ,EACGqK,GAAoB/J,GAAG,EAGfgK,GAA0BlK,EACrCJ,EACGuK,GAAqBjK,GAAG,EAGhBkK,GAAmBpK,EAC9BJ,EACGyK,GAAenK,GAAG,EAGVoK,GAAgBtK,EAC3BJ,EACG2K,GAAYrK,GAAG,ECtab,IAAMsK,GACXC,GAEAC,GAEAA,EAAIC,KACFC,EAAKC,GAAWC,GAAQD,CAAM,CAAC,EAC/BE,GAAUN,EAAQO,GAAgBP,CAAK,EAAIQ,EAAO,EAClDC,GAAYC,GAASC,EAAGC,GAAQF,CAAC,CAAC,CAAC,CAAC,EAG3BG,GACXZ,GAEAA,EAAIC,KACFY,EAAOC,CAAS,EAChBZ,EAAKa,GAAOA,EAAGC,MAAMC,KAAK,CAAC,EAYxB,IAAMC,GAAcC,GAAUC,EAAW,EACnCC,GAAcC,GAAUF,EAAW,EAMnCG,GAGXC,GAGEC,GACEC,OAAOC,OAAOH,CAAI,EAAEI,OAAQC,GAAUC,GAAaD,CAAK,CAAC,CAAC,EAC1DE,KAAKC,EAAKC,GAAQf,GAAYgB,GAAWC,GAAKT,OAAOU,KAAKZ,CAAI,EAAGS,CAAG,CAAC,CAAC,CAAC,CAAC,EC/DvE,IAAMI,GAAYC,GACvBC,GAEAA,EAAIC,KACFC,GAAYC,GACHC,GAAWL,EAAGI,CAAK,CAAC,CAC5B,CAAC,ECoBN,IAAaE,IAAW,IAAA,CAAlB,IAAOA,EAAP,MAAOA,CAAW,CA4YtBC,YAAoBC,EAA2BC,EAAoB,CAA/C,KAAAD,SAAAA,EAA2B,KAAAC,QAAAA,EAxY/C,KAAAC,gBAAkBC,EAAa,IAC7B,KAAKH,SAASI,KACZC,EAAoBC,GAAgB,IAAM,KAAKL,QAAQM,YAAW,CAAE,CAAC,CACtE,EAGH,KAAAC,YAAcL,EAAa,IACzB,KAAKH,SAASI,KACZC,EAAoBI,GAAY,IAAM,KAAKR,QAAQS,aAAY,CAAE,CAAC,CACnE,EAGH,KAAAC,YAAcR,EAAa,IACzB,KAAKH,SAASI,KACZC,EAAoBO,GAAaC,GAC/B,KAAKZ,QAAQW,WAAWC,CAAM,CAAC,CAChC,CACF,EAGH,KAAAC,eAAiBX,EAAa,IAC5B,KAAKH,SAASI,KACZC,EAAoBU,GAAgBF,GAClC,KAAKZ,QAAQc,cAAcF,CAAM,CAAC,CACnC,CACF,EAOH,KAAAG,iBAAmBb,EAAa,IAC9B,KAAKH,SAASI,KACZC,EAAoBY,GAAkBJ,GACpC,KAAKZ,QAAQgB,gBAAgBJ,CAAM,CAAC,CACrC,CACF,EAGH,KAAAK,iBAAmBf,EAAa,IAC9B,KAAKH,SAASI,KACZC,EAAoBc,GAAkBC,GACpC,KAAKnB,QAAQoB,iBAAiBD,CAAO,CAAC,CACvC,CACF,EAMH,KAAAE,eAAiBnB,EAAa,IAC5B,KAAKH,SAASI,KACZC,EAAoBkB,GAAe,IAAM,KAAKtB,QAAQsB,cAAa,CAAE,CAAC,CACvE,EAMH,KAAAC,aAAerB,EAAa,IAC1B,KAAKH,SAASI,KACZC,EAAoBoB,GAAa,IAAM,KAAKxB,QAAQwB,YAAW,CAAE,CAAC,CACnE,EAEH,KAAAC,YAAcvB,EAAa,IACzB,KAAKH,SAASI,KACZC,EAAoBsB,GAAaP,GAC/B,KAAKnB,QAAQ2B,YAAYR,CAAO,CAAC,CAClC,CACF,EAEH,KAAAS,aAAe1B,EAAa,IAC1B,KAAKH,SAASI,KACZC,EAAoByB,GAAcV,GAChC,KAAKnB,QAAQ8B,aAAaX,CAAO,CAAC,CACnC,CACF,EAGH,KAAAY,eAAiB7B,EAAa,IAC5B,KAAKH,SAASI,KACZC,EAAoB4B,GAAgBC,GAClC,KAAKjC,QAAQgC,cAAcC,CAAG,CAAC,CAChC,CACF,EAKH,KAAAC,aAAehC,EAAa,IAC1B,KAAKH,SAASI,KACZC,EAAoB+B,GAAcC,GAAS,KAAKpC,QAAQmC,YAAYC,CAAI,CAAC,CAAC,CAC3E,EAGH,KAAAC,cAAgBnC,EAAa,IAC3B,KAAKH,SAASI,KACZC,EAAoBkC,GAAeC,GACjC,KAAKvC,QAAQsC,aAAaC,CAAO,CAAC,CACnC,CACF,EAMH,KAAAC,qBAAuBtC,EAAa,IAClC,KAAKH,SAASI,KACZC,EAAoBqC,GAAqB,IACvC,KAAKzC,QAAQyC,oBAAmB,CAAE,CACnC,CACF,EAMH,KAAAC,mBAAqBxC,EAAa,IAChC,KAAKH,SAASI,KACZC,EAAoBuC,GAAoBC,GACtC,KAAK5C,QAAQ6C,iBAAiB,CAAED,gBAAAA,CAAe,CAAE,CAAC,CACnD,CACF,EAMH,KAAAE,eAAiB5C,EAAa,IAC5B,KAAKH,SAASI,KACZC,EAAoB2C,GAAgBC,GAClC,KAAKhD,QAAQ+C,cAAcC,CAAK,CAAC,CAClC,CACF,EAGH,KAAAC,wBAA0B/C,EAAa,IACrC,KAAKH,SAASI,KACZC,EAAoB6C,GAA0BD,GAC5C,KAAKhD,QAAQiD,wBAAwBD,CAAK,CAAC,CAC5C,CACF,EAGH,KAAAE,aAAehD,EAAa,IAC1B,KAAKH,SAASI,KACZC,EAAoB+C,GAAcC,GAChC,KAAKpD,QAAQqD,YAAYD,CAAQ,CAAC,CACnC,CACF,EAEH,KAAAE,eAAiBpD,EAAa,IAC5B,KAAKH,SAASI,KACZC,EAAoBmD,GAAgBH,GAClC,KAAKpD,QAAQwD,cAAcJ,CAAQ,CAAC,CACrC,CACF,EAKH,KAAAK,eAAiBvD,EAAa,IAC5B,KAAKH,SAASI,KACZC,EAAoBsD,GAAe,IAAM,KAAK1D,QAAQ0D,cAAa,CAAE,CAAC,CACvE,EAGH,KAAAC,oBAAsBzD,EAAa,IACjC,KAAKH,SAASI,KACZC,EAAoBwD,GAAqBC,GACvC,KAAK7D,QAAQ4D,mBAAmBC,CAAG,CAAC,CACrC,CACF,EAMH,KAAAC,gBAAkB5D,EAAa,IAC7B,KAAKH,SAASI,KACZC,EAAoB2D,GAAiBC,GACnC,KAAKhE,QAAQ+D,eAAeC,CAAK,EAAE7D,KACjC8D,GAAKC,GAAU,CACbA,EAAOC,MAAQD,EAAOC,MAAMC,OACzBC,GAASA,EAAKC,MAAQ,iBAAiB,CAE5C,CAAC,CAAC,CACH,CACF,CACF,EAMH,KAAAC,aAAerE,EAAa,IAC1B,KAAKH,SAASI,KACZC,EAAoBoE,GAAcR,GAChC,KAAKhE,QAAQwE,YAAYR,CAAK,CAAC,CAChC,CACF,EAMH,KAAAS,YAAcvE,EAAa,IACzB,KAAKH,SAASI,KACZC,EAAoBsE,GAAiBC,GACnC,KAAK3E,QAAQ0E,eAAeC,CAAS,CAAC,CACvC,CACF,EAMH,KAAAC,oBAAsB1E,EAAa,IACjC,KAAKH,SAASI,KACZC,EAAoByE,GAAoB,IACtC,KAAK7E,QAAQ6E,mBAAkB,CAAE,CAClC,CACF,EAUH,KAAAC,kBAAoB5E,EAAa,IAC/B,KAAKH,SAASI,KACZiE,EAAWW,GAAiBC,QAAQC,KAAK,EACzCC,EAAU,CAAC,CAAEC,MAAOC,CAAM,IACxB,KAAKpF,QACF6C,iBAAiB,CAChBD,gBAAiBwC,EAAOxC,gBACxByC,aAAc,gBACf,EACAlF,KACCmF,GAAUC,IAAW,CACnBC,QAAS,mCACTD,MAAAA,GACA,EACFL,EAAU,IAAM,KAAKlF,QAAQyF,WAAWL,EAAOM,SAAS,CAAC,EACzDJ,GAAUC,IAAW,CACnBC,QAAS,+CACTD,MAAAA,GACA,EACFI,EAAI,IAAUZ,GAAiBa,QAAQ,CAAER,OAAAA,EAAQlB,OAAQ,IAAI,CAAE,CAAC,EAChE2B,GAAYN,GACVO,EAAOf,GAAiBgB,QAAQ,CAAEX,OAAAA,EAAQG,MAAAA,CAAK,CAAE,CAAC,CAAC,CACpD,CACF,CACJ,CACF,EAMH,KAAAS,cAAgB9F,EAAa,IAC3B,KAAKH,SAASI,KACZC,EAAoB6F,GAAc,IAAM,KAAKjG,QAAQiG,aAAY,CAAE,CAAC,CACrE,EAMH,KAAAC,iBAAmBhG,EAAa,IAC9B,KAAKH,SAASI,KACZC,EAAoB+F,GAAkBC,GACpC,KAAKpG,QAAQmG,gBAAgBC,CAAS,CAAC,CACxC,CACF,EAMH,KAAAC,4BAA8BnG,EAAa,IACzC,KAAKH,SAASI,KACZC,EAAoBkG,GAA4B,IAC9C,KAAKtG,QAAQsG,2BAA0B,CAAE,CAC1C,CACF,EAOH,KAAAC,iBAAmBrG,EAAa,IAC9B,KAAKH,SAASI,KACZC,EAAoBoG,GAAiB,IAAM,KAAKxG,QAAQwG,gBAAe,CAAE,CAAC,CAC3E,EAEH,KAAAC,gBAAkBvG,EAAa,IAC7B,KAAKH,SAASI,KACZC,EAAoBsG,GAAgB,IAAM,KAAK1G,QAAQ0G,eAAc,CAAE,CAAC,CACzE,EAEH,KAAAC,aAAezG,EAAa,IAC1B,KAAKH,SAASI,KACZC,EAAoBwG,GAAiBC,GACnC,KAAK7G,QAAQ8G,wBAAwBD,CAAW,CAAC,CAClD,CACF,EAEH,KAAAE,uBAAyB7G,EAAa,IACpC,KAAKH,SAASI,KACZC,EAAoB4G,GAAwB7F,GAC1C,KAAKnB,QAAQ8B,aAAaX,CAAO,CAAC,CACnC,CACF,EAMH,KAAA8F,kBAAoB/G,EAAa,IAC/B,KAAKH,SAASI,KACZC,EAAoB8G,GAAmBC,GACrC,KAAKnH,QAAQkH,iBAAiBC,CAAa,CAAC,CAC7C,CACF,EAGH,KAAAC,iCAAmClH,EAAa,IAC9C,KAAKH,SAASI,KACZC,EACMiH,GACHC,GACC,KAAKtH,QAAQqH,kCAAkCC,CAAe,CAAC,CAClE,CACF,EAGH,KAAAC,sBAAwBrH,EAAa,IACnC,KAAKH,SAASI,KACZC,EAAoBoH,GAAsB,IACxC,KAAKxH,QAAQwH,qBAAoB,CAAE,CACpC,CACF,EAGH,KAAAC,kBAAoBvH,EAAa,IAC/B,KAAKH,SAASI,KACZC,EAAoBsH,GAAkB,IACpC,KAAK1H,QAAQ0H,iBAAgB,CAAE,CAChC,CACF,EAGH,KAAAC,kBAAoBzH,EAAa,IAC/B,KAAKH,SAASI,KACZC,EAAoBwH,GAAkB,IACpC,KAAK5H,QAAQ4H,iBAAgB,CAAE,CAChC,CACF,EAGH,KAAAC,qBAAuB3H,EAAa,IAClC,KAAKH,SAASI,KACZC,EAAoB0H,GAAqB,IACvC,KAAK9H,QAAQ+H,qBAAoB,CAAE,CACpC,CACF,EAOH,KAAAC,eAAiB9H,EAAa,IAC5B,KAAKH,SAASI,KACZC,EAAoB6H,GAAe,IAAM,KAAKjI,QAAQiI,cAAa,CAAE,CAAC,CACvE,EAGH,KAAAC,gBAAkBhI,EAAa,IAC7B,KAAKH,SAASI,KACZC,EAAoB+H,GAAUC,GAC5B,KAAKpI,QAAQqI,gBAAgBD,CAAW,CAAC,CAC1C,CACF,CAGmE,yCA5Y3DvI,GAAWyI,EAAAC,EAAA,EAAAD,EAAAE,EAAA,CAAA,CAAA,wBAAX3I,EAAW4I,QAAX5I,EAAW6I,SAAA,CAAA,EAAlB,IAAO7I,EAAP8I,SAAO9I,CAAW,GAAA,ECaxB,IAAa+I,IAAgB,IAAA,CAAvB,IAAOA,EAAP,MAAOA,CAAgB,CA2J3BC,YACWC,EACAC,EAA8B,CAD9B,KAAAD,SAAAA,EACA,KAAAC,eAAAA,EAvJX,KAAAC,sBAAwBC,EAAa,IACnC,KAAKH,SAASI,KACZC,EACEC,GAAWC,QACXC,GAAYD,QACZE,GAAcF,QACdG,GAAiBH,OAAO,EAE1BI,EAAI,IAAMC,GAAWC,QAAQ,IAAI,CAAC,CAAC,CACpC,EAEH,KAAAC,gCAAkCX,EAAa,IAC7C,KAAKH,SAASI,KACZC,EAAcU,GAAWR,QAASS,GAAYT,OAAO,EACrDI,EAAI,IAAMC,GAAWC,QAAQ,CAAEI,MAAO,EAAI,CAAE,CAAC,CAAC,CAC/C,EAGH,KAAAC,kCAAoCf,EAClC,IACE,KAAKH,SAASI,KACZe,EAAOC,GAAeb,QAAQc,KAAK,EACnCV,EAAI,CAAC,CAAEW,MAAO,CAAEC,OAAAA,CAAM,CAAE,IAAOA,CAAM,EACrCC,GAAoB,EACpBb,EAAKc,GACH,KAAKxB,eAAeyB,iCAAiCD,CAAW,CAAC,CAClE,EAEL,CAAEE,SAAU,EAAK,CAAE,EAGrB,KAAAC,oCAAsCzB,EACpC,IACE,KAAKH,SAASI,KACZe,EAAOU,GAAmBtB,QAAQc,KAAK,EACvCV,EAAI,CAAC,CAAEW,MAAO,CAAEC,OAAAA,CAAM,CAAE,IAAOA,CAAM,EACrCJ,EAASW,CAAM,EACfnB,EAAI,CAAC,CAAEW,MAAAA,CAAK,IAAOA,CAAK,EACxBE,GAAoB,EACpBb,EAAKoB,GACH,KAAK9B,eAAe+B,sCAClBD,CAAY,CACb,CACF,EAEL,CAAEJ,SAAU,EAAK,CAAE,EAGrB,KAAAM,qBAAuB9B,EAAa,IAClC,KAAKH,SAASI,KACZC,EACEU,GAAWR,QACXS,GAAYT,QACZG,GAAiBH,OAAO,EAE1BI,EAAI,IACKS,GAAeP,QAAQ,IAAI,CACnC,CAAC,CACH,EAMH,KAAAqB,gCAAkC/B,EAAa,IAC7C,KAAKH,SAASI,KACZe,EAAOgB,GAAkB5B,QAAQc,KAAK,EACtCV,EAAI,IAAMyB,GAAoBvB,QAAQ,IAAI,CAAC,CAAC,CAC7C,EAQH,KAAAwB,2BAA6BlC,EAAa,IACxC,KAAKH,SAASI,KACZC,EACEiC,GAAY/B,QACZG,GAAiBH,QACjBS,GAAYT,OAAO,EAErBI,EAAI,IAAMkB,GAAmBhB,QAAQ,IAAI,CAAC,CAAC,CAC5C,EAGH,KAAA0B,+BAAiCpC,EAAa,IAC5C,KAAKH,SAASI,KACZe,EAAOmB,GAAY/B,QAAQc,KAAK,EAChCV,EAAI,IAAMS,GAAeP,QAAQ,IAAI,CAAC,CAAC,CACxC,EAMH,KAAA2B,8CAAgDrC,EAAa,IAC3D,KAAKH,SAASI,KACZC,EACEoC,GAAclC,QACdD,GAAWC,QACXC,GAAYD,QACZ+B,GAAY/B,QACZmC,GAAenC,QACfoC,GAAsBpC,OAAO,EAE/BI,EAAI,IAAMiC,GAAY/B,QAAQ,IAAI,CAAC,CAAC,CACrC,EAGH,KAAAgC,qCAAuC1C,EAAa,IAClD,KAAKH,SAASI,KACZC,EAAcqC,GAAenC,QAASoC,GAAsBpC,OAAO,EACnEI,EAAI,IAAMmC,GAAkB,IAAI,CAAC,CAAC,CACnC,EAKH,KAAAC,mCAAqC5C,EAAa,IAChD,KAAKH,SAASI,KACZC,EAAcqC,GAAenC,OAAO,EACpCI,EAAI,IAAMqC,GAAmB,CAAA,CAAE,CAAC,CAAC,CAClC,EAGH,KAAAC,kCAAoC9C,EAAa,IAC/C,KAAKH,SAASI,KACZC,EAAc6C,GAAmB3C,OAAO,EACxCI,EAAI,CAAC,CAAEW,MAAO,CAAEC,OAAQD,CAAK,CAAE,IAAOA,CAAK,EAC3CH,EAAOgC,CAAM,EACbxC,EAAKW,GACI8B,GAAgB9B,CAAK,CAC7B,CAAC,CACH,EAGH,KAAA+B,yBAA2BlD,EAAa,IACtC,KAAKH,SAASI,KACZC,EACEiC,GAAY/B,QACZG,GAAiBH,QACjBS,GAAYT,OAAO,EAErBI,EAAI,IAAM2C,GAAoBzC,QAAQ,IAAI,CAAC,CAAC,CAC7C,CAMA,yCA9JQf,GAAgByD,EAAAC,EAAA,EAAAD,EAAAE,EAAA,CAAA,CAAA,wBAAhB3D,EAAgB4D,QAAhB5D,EAAgB6D,SAAA,CAAA,EAAvB,IAAO7D,EAAP8D,SAAO9D,CAAgB,GAAA,ECjBtB,IAAM+D,GAAwB,OACxBC,GAA0B,SAC1BC,GAAwB,OACxBC,GAA2B,UAE3BC,GAAoB;;;;;;;;;EAWpBC,GAAoB,CAC/BC,QAAS,gBACTC,SAAU,iBACVC,aAAc,IACdC,YAAa,IACbC,KAAM,kBACNC,aAAc,qBACdC,KAAM,kBACNC,MAAO,KACPC,QAAS,QACTC,YAAa,aACbC,kBAAmB,EACnBC,SAAU,MACVC,iBAAkB,2BAsBb,IAAMC,GAA2B,CACtC,CACEC,UAAW,uCACXC,SAAU,uCACVC,QAAS,QACTC,MAAO,KACPC,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACXC,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACXC,KAAM,OACNC,MAAO,SACPC,KAAM,OACNC,IAAK,oBACLC,cAAe,GACfC,SAAU,GACVC,WAAY,GACZC,sBAAuB,GACvBC,iBAAkB,IAEpB,CACElB,UAAW,uCACXC,SAAU,uCACVC,QAAS,OACTC,MAAO,KACPC,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACXC,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACXK,cAAe,GACfE,WAAY,GACZC,sBAAuB,GACvBC,iBAAkB,IAEpB,CACElB,UAAW,uCACXC,SAAU,uCACVC,QAAS,GACTC,MAAO,GACPC,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACXC,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACXC,KAAM,MACNC,MAAO,iCACPC,KAAM,OACNC,IAAK,oBACLC,cAAe,GACfE,WAAY,GACZC,sBAAuB,GACvBC,iBAAkB,IAEpB,CACElB,UAAW,uCACXC,SAAU,uCACVC,QAAS,QACTC,MAAO,KACPC,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACXC,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACXK,cAAe,GACfE,WAAY,GACZC,sBAAuB,GACvBC,iBAAkB,GACnB,EAGUC,GAAwB,CACnClB,SAAU,uCACVmB,OAAQ,KACRC,UAAW,KACXC,SAAU,KACVC,YAAa,KACbC,UAAW,KACXC,OAAQ,KACRC,MAAO,KACPC,UAAW,KACXC,YAAa,KACbC,eAAgB,qBAChBC,YAAa,uCACbC,QAAS,KACTC,QAAS,KACTC,KAAM,KACN9B,MAAO,KACP+B,UAAW,KACXC,QAAS,KACT/B,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACXC,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACX2B,aAAc,MAGHC,GAAiC,CAC5CC,SAAU,wBACVC,KAAM,eACNC,KAAM,CACJC,QAAS,wBACThB,OAAQ,SACRiB,OAAQ,IACRC,YAAa,yCAIJC,GAAsB,CACjC,CACEC,eAAgB,uCAChBC,YAAa,uCACbC,SAAU,uCACV9C,SAAU,uCACVD,UAAW,uCACXgD,QAAS,uCACTC,WAAY,uCACZC,aAAc,sBACdC,SAAU,GACVC,YAAa,uBACbC,UAAW,uBACXjD,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACXC,UAAW,uCACXC,UAAW,uCACXC,UAAW,8BACZ,EAGU6C,GAAmC,CAC9CC,QAASlB,GACTmB,WAAY,CACVC,QAAStC,GACTuC,SAAU3D,GACV4D,cAAef,KAINgB,GAAmC,CAC9CC,QAAS,uCACTb,QAAS,uCACTc,YAAa,OACbC,WAAY,KACZC,UAAW,mBACXC,SAAU,uCACV7B,aAAc,KACd8B,WAAY,uCACZC,cAAe,MACfC,aAAc,UACdC,UAAW,uCACXC,iBAAkB,QAClBC,gBAAiB,cACjBC,SAAU,uCACVC,KAAM,EACNC,UAAWC,EAAeC,MAC1BC,YAAa,YACbC,cAAe,GACfC,WAAY,GACZC,aAAc,IACdC,eAAgB,IAChBC,aAAc,IACdC,SAAU,QACVC,WAAY,QACZC,aAAc,uBACdC,eAAgB,uBAChBC,WAAY,GACZC,aAAc,KACdC,eAAgB,SAChBC,SAAU,GACVC,SAAUC,GACVC,YAAa,oBAGFC,GAAmC,CAC9CjC,QAAS,uCACTb,QAAS,uCACTc,YAAa,OACbC,WAAY,KACZC,UAAW,mBACXC,SAAU,uCACV7B,aAAc,KACd8B,WAAY,uCACZC,cAAe,MACfC,aAAc,UACdC,UAAW,uCACXC,iBAAkB,QAClBC,gBAAiB,cACjBC,SAAU,uCACVC,KAAM,EACNC,UAAWC,EAAeC,MAC1BC,YAAa,YACbC,cAAe,GACfC,WAAY,GACZC,aAAc,IACdC,eAAgB,IAChBC,aAAc,IACdC,SAAU,QACVC,WAAY,QACZC,aAAc,uBACdC,eAAgB,uBAChBI,SAAU,GACVC,SAAUI,GACVF,YAAa,oBAGFG,GAAmC,CAC9CnC,QAAS,uCACTb,QAAS,uCACTc,YAAa,OACbC,WAAY,KACZC,UAAW,mBACXC,SAAU,uCACV7B,aAAc,KACd8B,WAAY,uCACZC,cAAe,MACfC,aAAc,UACdC,UAAW,uCACXC,iBAAkB,QAClBC,gBAAiB,cACjBC,SAAU,uCACVC,KAAM,EACNC,UAAWC,EAAeC,MAC1BC,YAAa,YACbC,cAAe,GACfC,WAAY,GACZC,aAAc,IACdC,eAAgB,IAChBC,aAAc,IACdC,SAAU,QACVC,WAAY,QACZC,aAAc,uBACdC,eAAgB,uBAChBI,SAAU,GACVC,SAAUM,GACVJ,YAAa,oBAGFK,GAAmC,CAC9CrC,QAAS,uCACTb,QAAS,uCACTc,YAAa,OACbC,WAAY,KACZC,UAAW,mBACXC,SAAU,uCACV7B,aAAc,KACd8B,WAAY,uCACZC,cAAe,MACfC,aAAc,UACdC,UAAW,uCACXC,iBAAkB,QAClBC,gBAAiB,cACjBC,SAAU,uCACVC,KAAM,EACNC,UAAWC,EAAeC,MAC1BC,YAAa,YACbC,cAAe,GACfC,WAAY,GACZC,aAAc,IACdC,eAAgB,IAChBC,aAAc,IACdC,SAAU,QACVC,WAAY,QACZC,aAAc,uBACdC,eAAgB,uBAChBI,SAAU,GACVG,YAAa,oBAGFM,GAA+B,CAC1CrD,YAAa,uCACbe,QAAS,uCACTuC,OAAQ,uCACR7D,KAAM,oCACN8D,IAAK,qBACLrG,UAAW,uCACXsG,WAAY,IACZC,UAAW,KACXvB,aAAc,IACdwB,QAAS,IACTC,aAAc,GACdxB,eAAgB,IAChBE,SAAU,KACVuB,WAAY,KACZC,SAAU,IACVC,UAAW,MAGAC,GAAoB,CAC/B/D,YAAa,uCACbe,QAAS,uCACTuC,OAAQ,uCACR7D,KAAM,oCACN8D,IAAK,qBACLrG,UAAW,uCACXsG,WAAY,IACZC,UAAW,KACXvB,aAAc,IACdwB,QAAS,IACTC,aAAc,GACdxB,eAAgB,IAChBE,SAAU,KACVuB,WAAY,KACZC,SAAU,IACVC,UAAW,MAGAE,GAA+B,CAC1ChE,YAAa,uCACbe,QAAS,uCACTuC,OAAQ,uCACR7D,KAAM,oCACN8D,IAAK,qBACLrG,UAAW,uCACXsG,WAAY,IACZtB,aAAc,IACdwB,QAAS,IACTC,aAAc,GACdxB,eAAgB,IAChBE,SAAU,KACVuB,WAAY,KACZC,SAAU,IACVC,UAAW,MAGAG,GAA+B,CAC1CjE,YAAa,uCACbe,QAAS,uCACTuC,OAAQ,uCACR7D,KAAM,8BACN8D,IAAK,eACLrG,UAAW,uCACXsG,WAAY,IACZC,UAAW,QACXvB,aAAc,IACdwB,QAAS,IACTC,aAAc,GACdxB,eAAgB,IAChBE,SAAU,QACVuB,WAAY,QACZC,SAAU,IACVC,UAAW,SAGAI,GAAsB,CACjCnD,QAAS,uCACTb,QAAS,uCACTiB,SAAU,uCACVC,WAAY,uCACZG,UAAW,uCACXG,SAAU,uCACVyC,aAAc,uCACdC,iBAAkB,qBAClBC,kBAAmB,uCACnBC,kBAAmB,QACnBC,iBAAkB,QAClB5C,KAAM,EACNiB,SAAU,GACV1F,UAAW,uCACX0E,UAAWC,EAAe2C,cAC1BzC,YAAa,YACbC,cAAe,GACfyC,YAAa,GACbC,aAAc,GACdzC,WAAY,GACZ0C,SAAU,GACVC,oBAAqB,IACrB1C,aAAc,IACdC,eAAgB,IAChBC,aAAc,IACdC,SAAU,QACVwB,SAAU,IACVvB,WAAY,QACZC,aAAc,gCACdC,eAAgB,gCAChBlF,UAAW,uCACXC,UAAW,uCACXC,UAAW,qCACXC,UAAW,uCACXC,UAAW,uCACXC,UAAW,sCACXkH,MAAO,CAAA,EACPC,MAAO,CACLzB,GACAU,GACAC,GACAC,EAAiB,EAEnBc,UAAW,CAAA,EACXC,QAAS,CAAA,EACTC,SAAU,CACR,CACEC,eAAgB,uCAChBnE,QAAS,uCACToE,cAAe,EACfC,cAAe,OACfC,UAAW,8BACXC,YAAa,SACbC,MAAO,OACPC,aAAc,KACdC,YAAa,QAEf,CACEP,eAAgB,uCAChBnE,QAAS,uCACToE,cAAe,EACfC,cAAe,OACfC,UAAW,8BACXC,YAAa,SACbC,MAAO,OACPC,aAAc,KACdC,YAAa,OACd,GAIQC,GAAsB,CACjC3E,QAAS,uCACTb,QAAS,uCACTiB,SAAU,uCACVC,WAAY,uCACZG,UAAW,uCACXG,SAAU,uCACVyC,aAAc,uCACdC,iBAAkB,qBAClBC,kBAAmB,uCACnBC,kBAAmB,QACnBC,iBAAkB,QAClB5C,KAAM,EACNiB,SAAU,GACV1F,UAAW,uCACX0E,UAAWC,EAAe2C,cAC1BzC,YAAa,YACbC,cAAe,GACfyC,YAAa,GACbC,aAAc,GACdzC,WAAY,GACZ0C,SAAU,GACVC,oBAAqB,IACrB1C,aAAc,IACdC,eAAgB,IAChBC,aAAc,IACdC,SAAU,QACVwB,SAAU,IACVvB,WAAY,QACZC,aAAc,gCACdC,eAAgB,gCAChBlF,UAAW,uCACXC,UAAW,uCACXC,UAAW,qCACXC,UAAW,uCACXC,UAAW,uCACXC,UAAW,sCACXkH,MAAO,CAAA,EACPC,MAAO,CACLzB,GACAU,GACAC,GACAC,EAAiB,EAEnBc,UAAW,CAAA,EACXC,QAAS,CAAA,EACTC,SAAU,CACR,CACEC,eAAgB,uCAChBnE,QAAS,uCACToE,cAAe,EACfC,cAAe,OACfC,UAAW,8BACXC,YAAa,SACbC,MAAO,OACPC,aAAc,KACdC,YAAa,QAEf,CACEP,eAAgB,uCAChBnE,QAAS,uCACToE,cAAe,EACfC,cAAe,OACfC,UAAW,8BACXC,YAAa,SACbC,MAAO,OACPC,aAAc,KACdC,YAAa,OACd,GAIQE,GAAsB,CACjC5E,QAAS,uCACTb,QAAS,uCACTiB,SAAU,uCACVC,WAAY,uCACZG,UAAW,uCACXG,SAAU,uCACVyC,aAAc,uCACdC,iBAAkB,qBAClBC,kBAAmB,uCACnBC,kBAAmB,QACnBC,iBAAkB,QAClB5C,KAAM,EACNiB,SAAU,GACV1F,UAAW,uCACX0E,UAAWC,EAAe2C,cAC1BzC,YAAa,YACbC,cAAe,GACfyC,YAAa,GACbC,aAAc,GACdzC,WAAY,GACZ0C,SAAU,GACVC,oBAAqB,IACrB1C,aAAc,IACdC,eAAgB,IAChBC,aAAc,IACdC,SAAU,QACVwB,SAAU,IACVvB,WAAY,QACZC,aAAc,gCACdC,eAAgB,gCAChBlF,UAAW,uCACXC,UAAW,uCACXC,UAAW,qCACXC,UAAW,uCACXC,UAAW,uCACXC,UAAW,sCACXkH,MAAO,CAAA,EACPC,MAAO,CACLzB,GACAU,GACAC,GACAC,EAAiB,EAEnBc,UAAW,CAAA,EACXC,QAAS,CAAA,EACTC,SAAU,CACR,CACEC,eAAgB,uCAChBnE,QAAS,uCACToE,cAAe,EACfC,cAAe,OACfC,UAAW,8BACXC,YAAa,SACbC,MAAO,OACPC,aAAc,KACdC,YAAa,QAEf,CACEP,eAAgB,uCAChBnE,QAAS,uCACToE,cAAe,EACfC,cAAe,OACfC,UAAW,8BACXC,YAAa,SACbC,MAAO,OACPC,aAAc,KACdC,YAAa,OACd,GAIQG,GAAsB,CACjC7E,QAAS,uCACTb,QAAS,uCACTiB,SAAU,uCACVC,WAAY,uCACZG,UAAW,uCACXG,SAAU,uCACVyC,aAAc,uCACdC,iBAAkB,qBAClBC,kBAAmB,uCACnBC,kBAAmB,QACnBC,iBAAkB,QAClB5C,KAAM,EACNiB,SAAU,GACV1F,UAAW,uCACX0E,UAAWC,EAAe2C,cAC1BzC,YAAa,YACbC,cAAe,GACfyC,YAAa,GACbC,aAAc,GACdzC,WAAY,GACZ0C,SAAU,GACVC,oBAAqB,IACrB1C,aAAc,IACdC,eAAgB,IAChBC,aAAc,IACdC,SAAU,QACVwB,SAAU,IACVvB,WAAY,QACZC,aAAc,gCACdC,eAAgB,gCAChBlF,UAAW,uCACXC,UAAW,uCACXC,UAAW,qCACXC,UAAW,uCACXC,UAAW,uCACXC,UAAW,sCACXkH,MAAO,CAAA,EACPC,MAAO,CACLzB,GACAU,GACAC,GACAC,EAAiB,EAEnBc,UAAW,CAAA,EACXC,QAAS,CAAA,EACTC,SAAU,CACR,CACEC,eAAgB,uCAChBnE,QAAS,uCACToE,cAAe,EACfC,cAAe,OACfC,UAAW,8BACXC,YAAa,SACbC,MAAO,OACPC,aAAc,KACdC,YAAa,QAEf,CACEP,eAAgB,uCAChBnE,QAAS,uCACToE,cAAe,EACfC,cAAe,OACfC,UAAW,8BACXC,YAAa,SACbC,MAAO,OACPC,aAAc,KACdC,YAAa,OACd,GAIQI,GAAsD,CACjEC,kBAAmB,uCAEnBC,MAAO,OACPC,SAAU,KACVC,QAAS,OACTV,MAAO,OACPW,UAAW,IAGAC,GAA+B,CAC1CjG,QAAS,gBACTkG,MAAO,CACL,CACEC,KAAM,CACJ/C,OAAQ,eACRgD,SAAU,oBACV/C,IAAK,WACLgD,MAAO,SAETC,MAAO,CACLlD,OAAQ,gBACRgD,SAAU,0BACV/C,IAAK,kBAEPkD,qBAAsB3D,GACtB4D,SAAU,CAAC,gBAAiB,YAAa,gBAAgB,EACzDC,SAAU,EACVC,cAAe,IACfC,qBAAsB,GACtBC,YAAa,GACbC,mBAAoB,GACpBC,kBAAmB,IAErB,CACEX,KAAM,CACJ/C,OAAQ,iBACRgD,SAAU,sBACV/C,IAAK,aACLgD,MAAO,SAETC,MAAO,CACLlD,OAAQ,kBACRgD,SAAU,4BACV/C,IAAK,oBAEPkD,qBAAsBxD,GACtByD,SAAU,CACR,gBACA,YACA,iBACA,mBACA,iBACA,4BACA,8BAA8B,EAEhCC,SAAU,EACVC,cAAe,IACfC,qBAAsB,GACtBC,YAAa,uCACbC,mBAAoB,GACpBC,kBAAmB,IAErB,CACEX,KAAM,CACJ/C,OAAQ,eACRgD,SAAU,oBACV/C,IAAK,WACLgD,MAAO,SAETC,MAAO,CACLlD,OAAQ,gBACR7D,KAAM,yBACN6G,SAAU,0BACV/C,IAAK,iBACLgD,MAAO,SAETE,qBAAsBtD,GACtBuD,SAAU,CACR,gBACA,YACA,iBACA,mBACA,iBACA,4BACA,+BACA,+BACA,YACA,cACA,aAAa,EAEfC,SAAU,EACVC,cAAe,IACfC,qBAAsB,GACtBC,YAAa,GACbC,mBAAoB,GACpBC,kBAAmB,IAErB,CACEX,KAAM,CACJ/C,OAAQ,kBACRgD,SAAU,uBACV/C,IAAK,cACLgD,MAAO,SAETC,MAAO,CACLlD,OAAQ,mBACR7D,KAAM,4BACN6G,SAAU,6BACV/C,IAAK,oBACLgD,MAAO,SAETE,qBAAsBQ,GACtBP,SAAU,CACR,gBACA,YACA,iBACA,mBACA,iBACA,4BACA,+BACA,+BACA,YACA,cACA,cACA,SAAS,EAEXC,SAAU,EACVC,cAAe,IACfC,qBAAsB,GACtBC,YAAa,GACbC,mBAAoB,GACpBC,kBAAmB,GACpB,GAIQE,GAA6C,CACxDhH,QAAS,gBACTkG,MAAO,CACL,CACEC,KAAM,CACJ/C,OAAQ,eACRgD,SAAU,oBACV/C,IAAK,YAEPiD,MAAO,CACLlD,OAAQ,gBACRgD,SAAU,0BACV/C,IAAK,kBAEPkD,qBAAsB3D,GACtB4D,SAAU,CAAC,gBAAiB,YAAa,gBAAgB,EACzDC,SAAU,EACVC,cAAe,IACfC,qBAAsB,GACtBC,YAAa,GACbC,mBAAoB,GACpBC,kBAAmB,IAErB,CACEX,KAAM,CACJ/C,OAAQ,iBACRgD,SAAU,sBACV/C,IAAK,cAEPiD,MAAO,CACLlD,OAAQ,kBACRgD,SAAU,4BACV/C,IAAK,oBAEPkD,qBAAsBxD,GACtByD,SAAU,CACR,gBACA,YACA,iBACA,mBACA,iBACA,4BACA,8BAA8B,EAEhCC,SAAU,EACVC,cAAe,IACfC,qBAAsB,GACtBC,YAAa,uCACbC,mBAAoB,GACpBC,kBAAmB,IAErB,CACEX,KAAM,CACJ/C,OAAQ,eACRgD,SAAU,oBACV/C,IAAK,YAEPiD,MAAO,CACLlD,OAAQ,gBACR7D,KAAM,yBACN6G,SAAU,0BACV/C,IAAK,kBAEPkD,qBAAsBtD,GACtBuD,SAAU,CACR,gBACA,YACA,iBACA,mBACA,iBACA,4BACA,+BACA,+BACA,YACA,cACA,aAAa,EAEfC,SAAU,EACVC,cAAe,IACfC,qBAAsB,GACtBC,YAAa,GACbC,mBAAoB,GACpBC,kBAAmB,IAErB,CACEX,KAAM,CACJ/C,OAAQ,kBACRgD,SAAU,uBACV/C,IAAK,eAEPiD,MAAO,CACLlD,OAAQ,mBACR7D,KAAM,4BACN6G,SAAU,6BACV/C,IAAK,qBAEPkD,qBAAsBQ,GACtBP,SAAU,CACR,gBACA,YACA,iBACA,mBACA,iBACA,4BACA,+BACA,+BACA,YACA,cACA,cACA,SAAS,EAEXC,SAAU,EACVC,cAAe,IACfC,qBAAsB,GACtBC,YAAa,GACbC,mBAAoB,GACpBC,kBAAmB,GACpB,GAIQG,GAAa,CACxBlH,SAAU,uCACVmH,WAAY,qBACZC,SAAU,UACV5H,KAAM,uDACN6H,WAAY,uCACZC,UAAW,GACXC,YAAa,EACbC,eAAgB,EAChBC,qBAAsB,EACtBC,iBAAkB,GAClBC,YAAa,GACbvH,SAAU,GACVC,YAAa,4BACbC,UAAW,6BAGAsH,GAAwC,CACnDC,YAAa,2BACbC,cAAe,QACfC,eAAgB,OAChBC,4BAA6B,QAC7BC,kBAAmB,CACjB,CACE5E,OAAQ,uCACR7D,KAAM,6BACN8D,IAAK,eACL4E,OAAQ,QACRC,SAAU,EACVC,SAAUC,GAAyBjC,MAErC,CACE/C,OAAQ,uCACR7D,KAAM,mCACN8D,IAAK,qBACL4E,OAAQ,KACRC,SAAU,EACVC,SAAUC,GAAyB9B,MACpC,EAEH5F,SAAU3D,GACVsL,OAAQ,WACRC,mBAAoB,CAClBC,qBAAsB,GACtBC,UAAW,MAEb5B,YAAa,uCACbL,qBAAsB,SACtBnH,aAAc,MAGHqJ,GAAe,CAC1B,CACExH,SAAU,uCACV7B,aAAc,KACdG,KAAM,kBACNpC,MAAO,KACPuL,SAAU,sBACVpL,UAAW,8BACXG,UAAW,+BAEb,CACEwD,SAAU,uCACV7B,aAAc,KACdG,KAAM,iBACNpC,MAAO,KACPuL,SAAU,sBACVpL,UAAW,8BACXG,UAAW,+BAEb,CACEwD,SAAU,uCACV7B,aAAc,KACdG,KAAM,wBACNpC,MAAO,KACPuL,SAAU,sBACVpL,UAAW,8BACXG,UAAW,+BAEb,CACEwD,SAAU,uCACV7B,aAAc,KACdG,KAAM,gBACNpC,MAAO,KACPuL,SAAU,kBACVpL,UAAW,8BACXG,UAAW,+BAEb,CACEwD,SAAU,uCACV7B,aAAc,KACdG,KAAM,eACNpC,MAAO,KACPuL,SAAU,kBACVpL,UAAW,8BACXG,UAAW,+BAEb,CACEwD,SAAU,uCACV7B,aAAc,KACdG,KAAM,qBACNpC,MAAO,KACPuL,SAAU,sBACVpL,UAAW,8BACXG,UAAW,+BAEb,CACEwD,SAAU,uCACV7B,aAAc,KACdG,KAAM,YACNpC,MAAO,KACPuL,SAAU,iBACVpL,UAAW,6BACXG,UAAW,+BAEb,CACEwD,SAAU,uCACV7B,aAAc,KACdG,KAAM,wBACNpC,MAAO,KACPuL,SAAU,iBACVpL,UAAW,8BACXG,UAAW,+BAEb,CACEwD,SAAU,uCACV7B,aAAc,KACdG,KAAM,gBACNpC,MAAO,KACPuL,SAAU,sBACVpL,UAAW,8BACXG,UAAW,+BAEb,CACEwD,SAAU,uCACV7B,aAAc,KACdG,KAAM,eACNpC,MAAO,KACPuL,SAAU,kBACVpL,UAAW,8BACXG,UAAW,+BAEb,CACEwD,SAAU,uCACV7B,aAAc,KACdG,KAAM,eACNpC,MAAO,KACPuL,SAAU,kBACVpL,UAAW,8BACXG,UAAW,+BAEb,CACEwD,SAAU,uCACV7B,aAAc,KACdG,KAAM,iBACNpC,MAAO,KACPuL,SAAU,kBACVtL,UAAW,uCACXE,UAAW,8BACXC,UAAW,uCACXE,UAAW,8BACZ,EAGUkL,GAA2CC,EAAAC,EAAA,CACtDC,KAAM,qBACHxI,IAFmD,CAGtDgI,mBAAoBX,KAMToB,GAAyC,CACpDtI,QAAS,CACPA,QAAStC,GACTwC,cAAef,GACfc,SAAU3D,GACVuL,mBAAoB,CAClBU,iBAAkB,IAClBC,mBAAoB,IACpBC,cAAe,QACfC,UAAW,OACXd,OAAQe,GAAiBC,OACzBC,eAAgBvM,GAChBwM,gBAAiB,KACjBC,kBAAmB,KAGvBjJ,QAASD,GAAaC,SAIXkJ,GAAqB,CAChCC,UAAW,6BACXC,SAAU,4BACVC,SAAU,gCACVC,QAAS,2BACTC,QAAS,iCAGEC,GAAqB,CAChCC,KAAM,SAoBD,IAAMC,GAAmC,CAC9CC,aAAc,EACdC,cAAe,GAGJC,GAAkC,CAC7C,CACEC,GAAI,uCACJC,KAAM,sBACNC,YAAa,GACbJ,cAAe,GAEjB,CACEE,GAAI,uCACJC,KAAM,iBACNC,YAAa,GACbJ,cAAe,GAEjB,CACEE,GAAI,uCACJC,KAAM,qCACNC,YAAa,GACbJ,cAAe,EAChB,EAGUK,GAAkD,CAC7DC,iBAAkB,uCAClBC,aAAc,uCACdP,cAAe,CACbD,aAAc,EACdC,cAAe,IAINQ,GAAsC,CACjD,CAAEC,QAAS,UAAWC,KAAM,OAAO,EACnC,CAAED,QAAS,6CAA8CC,KAAM,QAAQ,EACvE,CAAED,QAAS,kBAAmBC,KAAM,SAAS,EAC7C,CAAED,QAAS,sBAAuBC,KAAM,SAAS,EACjD,CAAED,QAAS,8BAA+BC,KAAM,cAAc,EAC9D,CAAED,QAAS,0CAA2CC,KAAM,SAAS,EACrE,CAAED,QAAS,+CAA2CC,KAAM,aAAa,EACzE,CAAED,QAAS,wBAAyBC,KAAM,WAAW,EACrD,CAAED,QAAS,8BAA+BC,KAAM,aAAa,EAC7D,CAAED,QAAS,QAASC,KAAM,OAAO,CAAE,EAGxBC,GAA0B,CACrCD,KAAM,YACNE,WACE,wQACFC,eAAgBC,GAChBC,aAAc,GACdC,wBAAyB,uCACzBC,oBAAqB,CAACC,EAAeC,aAAa,EAClDC,qBAAsB,GACtBC,qBAAsB,CACpB,CACEC,SAAU,EACVC,KAAM,OACNC,SAAU,YACVC,eAAgB,IAChBC,gBAAiB,IACjBC,IAAK,gBAEP,CACEL,SAAU,EACVC,KAAM,SACNC,SAAU,YACVC,eAAgB,IAChBC,gBAAiB,IACjBC,IAAK,gBAEP,CACEL,SAAU,EACVC,KAAM,OACNC,SAAU,YACVC,eAAgB,IAChBC,gBAAiB,IACjBC,IAAK,gBAEP,CACEL,SAAU,EACVC,KAAM,UACNC,SAAU,YACVC,eAAgB,IAChBC,gBAAiB,IACjBC,IAAK,eACN,EAEHC,iBAAkB,GAClBC,qBAAsB,KACtBC,mBAAoB,MAGTC,GAAwB,CACnCrB,KAAM,SACNE,WAAY,GACZK,oBAAqB,CAACC,EAAec,aAAa,EAClDZ,qBAAsB,GACtBa,eAAgBnB,GAChBO,qBAAsB,CACpB,CACEC,SAAU,EACVC,KAAM,OACNC,SAAU,SACVG,IAAK,gBAEP,CACEL,SAAU,EACVC,KAAM,SACNC,SAAU,SAEVG,IAAK,gBAEP,CACEL,SAAU,EACVC,KAAM,OACNC,SAAU,SACVG,IAAK,gBAEP,CACEL,SAAU,EACVC,KAAM,UACNC,SAAU,SACVG,IAAK,eACN,EAEHC,iBAAkB,GAClBC,qBAAsB,KACtBC,mBAAoB,MAGTI,GAAsC,CACjDxB,KAAM,SACNE,WAAY,GACZC,eAAgBC,GAChBG,oBAAqB,CAACC,EAAec,aAAa,EAClDZ,qBAAsB,GACtBa,eAAgBnB,GAChBO,qBAAsB,CACpB,CACEC,SAAU,EACVC,KAAM,OACNC,SAAU,SACVG,IAAK,gBAEP,CACEL,SAAU,EACVC,KAAM,SACNC,SAAU,SAEVG,IAAK,gBAEP,CACEL,SAAU,EACVC,KAAM,OACNC,SAAU,SACVG,IAAK,gBAEP,CACEL,SAAU,EACVC,KAAM,UACNC,SAAU,SACVG,IAAK,eACN,EAEHC,iBAAkB,GAClBC,qBAAsB,KACtBC,mBAAoB,MAGTK,GAAmB,CAC9BC,YAAa,aACbC,oBAAqB,oBACrBC,oBAAqB,CACnB,CACEC,mBAAoB,GACpBC,WAAY,GACZC,kBAAmB,GACnBC,OAAQ,GACRf,IAAK,GACN,GCl2CL,SAASgB,GAAEA,EAAG,CACZ,KAAK,QAAUA,CACjB,CACAA,GAAE,UAAY,IAAI,MAASA,GAAE,UAAU,KAAO,wBAC9C,IAAIC,GAAmB,OAAO,OAAtB,KAAgC,OAAO,MAAQ,OAAO,KAAK,KAAK,MAAM,GAAK,SAAUA,EAAG,CAC9F,IAAI,EAAI,OAAOA,CAAC,EAAE,QAAQ,MAAO,EAAE,EACnC,GAAI,EAAE,OAAS,GAAK,EAAG,MAAM,IAAID,GAAE,mEAAmE,EACtG,QAASE,EAAGC,EAAGC,EAAI,EAAGC,EAAI,EAAGC,EAAI,GAAIH,EAAI,EAAE,OAAOE,GAAG,EAAG,CAACF,IAAMD,EAAIE,EAAI,EAAI,GAAKF,EAAIC,EAAIA,EAAGC,IAAM,GAAKE,GAAK,OAAO,aAAa,IAAMJ,IAAM,GAAKE,EAAI,EAAE,EAAI,EAAGD,EAAI,oEAAoE,QAAQA,CAAC,EAC9O,OAAOG,CACT,EACA,SAASC,GAAEP,EAAG,CACZ,IAAI,EAAIA,EAAE,QAAQ,KAAM,GAAG,EAAE,QAAQ,KAAM,GAAG,EAC9C,OAAQ,EAAE,OAAS,EAAG,CACpB,IAAK,GACH,MACF,IAAK,GACH,GAAK,KACL,MACF,IAAK,GACH,GAAK,IACL,MACF,QACE,KAAM,2BACV,CACA,GAAI,CACF,OAAO,SAAUA,EAAG,CAClB,OAAO,mBAAmBC,GAAED,CAAC,EAAE,QAAQ,OAAQ,SAAU,EAAGC,EAAG,CAC7D,IAAIM,EAAIN,EAAE,WAAW,CAAC,EAAE,SAAS,EAAE,EAAE,YAAY,EACjD,OAAOM,EAAE,OAAS,IAAMA,EAAI,IAAMA,GAAI,IAAMA,CAC9C,CAAC,CAAC,CACJ,EAAE,CAAC,CACL,MAAY,CACV,OAAON,GAAE,CAAC,CACZ,CACF,CACA,SAASC,GAAEF,EAAG,CACZ,KAAK,QAAUA,CACjB,CACA,SAASG,GAAEH,EAAGC,EAAG,CACf,GAAgB,OAAOD,GAAnB,SAAsB,MAAM,IAAIE,GAAE,yBAAyB,EAC/D,IAAIC,GAAYF,EAAIA,GAAK,CAAC,GAAG,SAArB,GAA8B,EAAI,EAC1C,GAAI,CACF,OAAO,KAAK,MAAMM,GAAEP,EAAE,MAAM,GAAG,EAAEG,CAAC,CAAC,CAAC,CACtC,OAAS,EAAG,CACV,MAAM,IAAID,GAAE,4BAA8B,EAAE,OAAO,CACrD,CACF,CACAA,GAAE,UAAY,IAAI,MAASA,GAAE,UAAU,KAAO,oBAC9C,IAAOM,GAAQL,GC1Bf,IAAMM,GAAkBC,EAAYD,gBAMvBE,IAAkB,IAAA,CAAzB,IAAOA,EAAP,MAAOA,CAAkB,CAc7BC,YACUC,EACAC,EACAC,EACgBC,EAAc,CAH9B,KAAAH,SAAAA,EACA,KAAAC,OAAAA,EACA,KAAAC,OAAAA,EACgB,KAAAC,OAAAA,EAjBlB,KAAAC,SAAqC,IAAIC,GAC/C,KAAKF,QAAQG,WAAWC,MAAM,EAExB,KAAAC,SAAqC,IAAIH,GAAgB,IAAI,EAC7D,KAAAI,OAAmC,IAAIJ,GAAgB,IAAI,EAAEK,KACnEC,GAAK,CAAC,CAAC,EAMD,KAAAC,oBAAsB,GAQ5BC,GACE,KAAKX,OAAOY,OAAOC,EAAyB,EAAEL,KAC5CM,EAAQC,GAASA,IAAS,IAAI,EAC9BC,GAAK,CAAC,CAAC,EAETC,GAAM,GAAI,EAAET,KAAKU,GAAM,EAAK,CAAC,CAAC,EAE7BV,KAAKQ,GAAK,CAAC,CAAC,EACZG,UAAWJ,GAAQ,CAGlB,GAFA,KAAKK,iBAAmBtB,EAASuB,oBAAmB,EACpD,KAAKX,oBAAsBK,GAAQ,CAAC,CAAC,KAAKK,iBACtC,KAAKV,oBACP,KAAKY,6BAA4B,MAC5B,CAEL,IAAIC,EAAU,EACVC,EAAU,EACRC,EAAgBA,IACpBC,WAAW,IAAK,CACd,KAAKN,iBAAmBtB,EAASuB,oBAAmB,EAChD,KAAKD,kBACP,KAAKV,oBAAsB,GAC3B,KAAKY,6BAA4B,GACxBE,IAAY,IACrBD,GAAW,GACXE,EAAa,EAEjB,EAAGF,CAAO,EAEZE,EAAa,CACf,CACF,CAAC,EACH,KAAKE,MAAQ,KAAK5B,OAAO6B,YAAYC,SAGrClB,GACEmB,GAAU,KAAK7B,OAAQ,QAAQ,EAAEO,KAAKU,GAAM,EAAI,CAAC,EACjDY,GAAU,KAAK7B,OAAQ,SAAS,EAAEO,KAAKU,GAAM,EAAK,CAAC,CAAC,EACpDC,UAAWY,GAAW,KAAK7B,SAAS8B,KAAKD,CAAM,CAAC,EAGlDpB,GACE,KAAKX,OAAOY,OAAOC,EAAyB,EAAEL,KAC5CM,EAAQC,GAASA,CAAI,EACrBkB,EAAU,IACRC,EAAG,KAAKpC,SAASqC,WAAU,CAAE,EAAE3B,KAC7B4B,EAAKC,GAAcA,EAAW,QAAU,QAAS,CAAC,CACnD,CACF,EAGH,KAAK9B,OAAOC,KACV8B,GAAoB,EACpBF,EAAKC,GAAcA,EAAW,QAAU,QAAS,CAAC,EAEpD,KAAKnC,SAASM,KACZC,GAAK,CAAC,EACN6B,GAAoB,EACpBF,EAAKL,GAAYA,EAAS,SAAW,SAAU,CAAC,CACjD,EACDZ,UAAWoB,GAAmB,KAAKC,8BAA8BD,CAAM,CAAC,CAC5E,CAEAjB,8BAA4B,CACtB,KAAKF,iBAAiBqB,eACxB,KAAKlC,OAAOyB,KAAK,EAAI,EAEvB,KAAKU,wBAAuB,CAC9B,CAEAA,yBAAuB,CAGrB,IAAMC,EAAyB,KAAKvB,iBAAiBwB,mBACrD,KAAKxB,iBAAiBwB,mBAAqB,KACzC,KAAKC,yBAAwB,EAEtBF,EAAsB,GAE/B,KAAKvB,iBAAiB0B,cAAgB,IAAM,KAAKvC,OAAOyB,KAAK,EAAI,EACjE,KAAKZ,iBAAiB2B,YAAc,IAAM,KAAKxC,OAAOyB,KAAK,EAAK,EAChE,KAAKZ,iBAAiB4B,aAAe,IAAM,KAAKzC,OAAOyB,KAAK,EAAK,CACnE,CAEAQ,8BAA8BD,EAAc,CAM1C,GAJK,KAAK7B,qBAER,KAAKuC,cAAa,EAEhBV,IAAW,QAAS,CACtB,KAAKjC,SAAS0B,KAAK,EAAI,EAEvB,MACF,CACA,KAAKK,SACFa,KAAMb,GAAY,CACjB,GAAIA,EAAU,CACZ,KAAK/B,SAAS0B,KAAK,EAAI,EAEvB,MACF,CAEA,OAAQO,EAAM,CACZ,IAAK,UACH,KAAKjC,SAAS0B,KACZ,KAAKmB,kBAAkBC,QACrB,CAAC,KAAKC,sBAAsB,KAAKF,kBAAkBG,MAAM,CAAC,EAG9D,MACF,IAAK,SACH,KAAKL,cAAa,EAAGC,KAAK,IAAK,CAC7B,KAAK5C,SAAS0B,KAAK,KAAKlC,SAASqC,WAAU,CAAE,CAC/C,CAAC,EAED,MACF,IAAK,SACH,KAAK7B,SAAS0B,KAAK,EAAK,EAExB,KACJ,CACF,CAAC,EACAuB,MAAOC,GAAK,CACX,KAAKlD,SAAS0B,KACZ,CAAC,KAAK9B,SAASuD,OACb,KAAKN,kBAAkBC,QACvB,CAAC,KAAKC,sBAAsB,KAAKF,kBAAkBG,MAAM,CAAC,CAEhE,CAAC,CACL,CAEAT,0BAAwB,CAEpB,CAAC,KAAK3C,SAASuD,OACf,KAAKrC,kBAAkBsC,cACvB,CAAC,KAAKL,sBAAsB,KAAKjC,kBAAkBuC,kBAAkB,GAErE,KAAK1D,OAAO2D,gBAAgBC,UAC1BnE,GACA,KAAK0B,iBAAiBsC,YAAY,CAGxC,CAEA,IAAII,SAAO,CACT,OAAO,KAAK5D,QACd,CAEA,IAAImC,UAAQ,CACV,OAAO,IAAI0B,QAAQ,IAAK,CACtB,KAAKjE,SAASqC,WAAU,CAC1B,CAAC,CACH,CAEA,IAAI6B,cAAY,CACd,OAAO,KAAK1D,QACd,CAEA,IAAI6C,mBAAiB,CACnB,IAAMc,EAAa,KAAKhE,QAAQ2D,gBAAgBM,UAAUxE,EAAe,EAEnEyE,EAIF,CAAEf,OAAQ,CAAC,CAACa,CAAE,EAElB,OAAIE,EAAIf,SACNe,EAAIC,IAAMH,EACVE,EAAIb,OAASe,GAAWJ,CAAE,GAGrBE,CACT,CAEMlB,eAAa,QAAAqB,GAAA,sBACjB,OAAI,KAAKpE,SAASuD,OAAS,CAAC,KAAK/C,oBAExB,CAAC,EADQ,MAAM,KAAKZ,SAASyE,YAAY,EAAE,EAAEhB,MAAM,IAAM,EAAK,GAIhE,EACT,GAEAF,sBAAsBmB,EAAgC,CACpD,GAAI,CAACA,GAAaC,IAChB,MAAO,GAGT,IAAMC,EAAS,IAAIC,KAAKH,EAAYC,GAAG,EACjCG,EAAU,IAAID,KACpBC,EAAQC,QACNH,EAAOI,QAAO,EAAKnF,EAAYG,SAASiF,oBAAoB,EAG9D,IAAMC,EAAUJ,EAAU,IAAID,KAE9B,OAAIK,GACF,KAAK/E,QAAQ2D,gBAAgBqB,WAAWvF,EAAe,EAGlDsF,CACT,CAEAE,mBAAiB,CACf,OACE,KAAK/B,kBAAkBC,QACvB,CAAC,KAAKC,sBAAsB,KAAKF,kBAAkBG,MAAM,CAE7D,yCAtOW1D,GAAkBuF,EAAAC,EAAA,EAAAD,EAAAE,EAAA,EAAAF,EAAAG,EAAA,EAAAH,EAkBnBI,EAAM,CAAA,CAAA,wBAlBL3F,EAAkB4F,QAAlB5F,EAAkB6F,UAAAC,WAFjB,MAAM,CAAA,EAEd,IAAO9F,EAAP+F,SAAO/F,CAAkB,GAAA,ECuD/B,IAAMgG,GAAwB,CAC5BC,GACAC,GACAC,GACAC,GACAH,GACAC,GACAG,EAAAC,EAAA,GACKL,IADL,CAEEM,aAAc,uBACdC,eAAgB,yBAElBH,EAAAC,EAAA,GACKJ,IADL,CAEEK,aAAc,uBACdC,eAAgB,yBAElBH,EAAAC,EAAA,GACKH,IADL,CAEEI,aAAc,uBACdC,eAAgB,yBAElBH,EAAAC,EAAA,GACKF,IADL,CAEEG,aAAc,uBACdC,eAAgB,yBAElBH,EAAAC,EAAA,GACKL,IADL,CAEEM,aAAc,uBACdC,eAAgB,yBAElBH,EAAAC,EAAA,GACKJ,IADL,CAEEK,aAAc,uBACdC,eAAgB,yBAElBH,EAAAC,EAAA,GACKH,IADL,CAEEI,aAAc,uBACdC,eAAgB,yBAElBH,EAAAC,EAAA,GACKF,IADL,CAEEG,aAAc,uBACdC,eAAgB,yBAElBH,EAAAC,EAAA,GACKL,IADL,CAEEM,aAAc,uBACdC,eAAgB,yBAElBH,EAAAC,EAAA,GACKJ,IADL,CAEEK,aAAc,uBACdC,eAAgB,yBAElBH,EAAAC,EAAA,GACKH,IADL,CAEEI,aAAc,uBACdC,eAAgB,yBAElBH,EAAAC,EAAA,GACKF,IADL,CAEEG,aAAc,uBACdC,eAAgB,wBACjB,EAGGC,GAAuBC,GACzBC,GAAmBC,GACnBC,GAAsBC,GACtBC,GAAyBC,GACzBC,GAA0C,CAACC,EAA4B,EAEvEC,GAAS,GACPC,GAAgB,GAEhBC,GAAgBA,IACpBF,GACI,CACER,QAAAA,GACAE,SAAAA,GACAS,cAAe,CAAA,GAEjBC,OAEAC,GAAuCA,KAAO,CAClDf,QAAAA,GACAgB,WAAYJ,GAAa,IAG3B,SAASK,EAAWC,EAAMC,EAAwB,IAAG,CACnD,OAAOC,EAAGF,CAAC,EAAEG,KAAKC,GAAMH,CAAa,CAAC,CACxC,CAMA,IAAaI,IAAe,IAAA,CAAtB,IAAOA,EAAP,MAAOA,CAAe,CAQpBC,cAAY,QAAAC,GAAA,sBAChB,OAAOC,QAAQC,QAAO,CACxB,GAEAC,YACWC,EACAC,EACAC,EACAC,EACAC,EACgBC,EAAc,CAL9B,KAAAL,KAAAA,EACA,KAAAC,OAAAA,EACA,KAAAC,iBAAAA,EACA,KAAAC,YAAAA,EACA,KAAAC,OAAAA,EACgB,KAAAC,OAAAA,EAjBlB,KAAAC,IAAMC,EAAYC,KAAKC,KAIhC,KAAAC,iBAAoBC,GAAaA,EAEjC,KAAAC,iBAAmB,IAAMC,EAYtB,CAKHC,cAAY,CACV,OAAO1B,EAAQF,GAAU,CAAE,CAC7B,CAEA6B,WAAWC,EAAU,CACnB3C,OAAAA,GAAU2C,EACH5B,EAAQf,EAAO,CACxB,CAEA4C,cAAcD,EAAU,CACtB3C,OAAAA,GAAUL,IAAA,GAAKK,IAAY2C,GACpB5B,EAAQf,EAAO,CACxB,CAMA6C,gBAAgBF,EAAU,CACxB3C,OAAAA,GAAU2C,EACH5B,EAAQf,EAAO,CACxB,CAEA8C,iBAAiBC,EAAyB,CACxC,IAAMC,EAAkBtD,EAAAC,EAAA,GACnBoD,GADmB,CAEtBE,SAAU,GACVC,UAAWC,GAAO,EAClB1C,cAAe,GACf2C,sBAAuB,GACvBC,iBAAkB,KAEpBnD,OAAAA,GAAWA,GAASoD,OAAON,CAAe,EACnCjC,EAAQiC,CAAe,CAChC,CAKAO,eAAa,CACX,OAAOxC,EAAQyC,EAAY,CAC7B,CAKAC,aAAW,CACT,OAAO1C,EAAQb,EAAQ,CACzB,CAEAwD,YAAYX,EAAyB,CACnC,IAAMY,EAAajE,EAAAC,EAAA,GACdoD,GADc,CAEjBE,SAAU,GACVC,UAAWC,GAAO,EAClB1C,cAAe,GACf2C,sBAAuB,GACvBC,iBAAkB,KAEpBnD,OAAAA,GAAWA,GAASoD,OAAOK,CAAU,EAC9B5C,EAAQ4C,CAAU,CAC3B,CAEAC,cAAcC,EAAY,CACxB3D,OAAAA,GAAWA,GAAS4D,OAAO,CAAC,CAAEZ,UAAAA,CAAS,IAAOA,IAAcW,EAAIX,SAAS,EAClEnC,EAAQH,MAAS,CAC1B,CAKAmD,oBAAkB,CAChB,OAAOhD,EAAQN,GAAgBuD,GAAKC,EAAiB,EAAIC,EAAI,CAC/D,CAKAC,aAAW,CACT,OAAOpD,EAAQ,CACb1B,OAAQ,CAAC,GAAGA,EAAM,EAClB+E,YAAa,EACbC,OAAQ,EACRC,SAAU,GACVC,UAAW,EACXC,OAAQ,EACT,CACH,CAEAC,aAAaC,EAAe,CAC1B,OAAOA,IAAYC,GAAaD,QAC5B3D,EAAQ4D,EAAY,EACpBC,GAAW,IAAIC,MAAM,aAAa,CAAC,CACzC,CAKAC,qBAAmB,CACjB,OAAO/D,EAAQT,EAAc,CAC/B,CACAyE,kBACEC,EAA6B,CAE7B1E,OAAAA,GAAiBA,GAAegD,OAAO0B,CAAM,EACtCjE,EAAQiE,CAAM,CACvB,CACAC,iBACEC,EAA2B,CAE3B,MAAM,IAAIL,MAAM,iBAAiB,CACnC,CAKAM,cAAcD,EAAgB,CAC5B1E,OAAAA,GAAS,GACFO,EAAQpB,EAAA,CAAEyF,KAAM,qBAAwBvE,GAAU,EAAI,CAC/D,CACAwE,wBACEH,EAAgC,CAEhC1E,OAAAA,GAAS,GACFO,EAAQpB,EAAA,CAAEyF,KAAM,qBAAwBvE,GAAU,EAAI,CAC/D,CAEAyE,aAAW,CACT,MAAM,IAAIT,MAAM,kBAAkB,CACpC,CAEAU,eAAa,CACX,MAAM,IAAIV,MAAM,kBAAkB,CACpC,CAIAW,eAAa,CACX,OAAOzE,EAAQ0E,EAAgB,CACjC,CACAC,mBAAmBC,EAAW,CAC5B,MAAI,CAACA,GAAOA,GAAO,IACjBA,EAAM,UACC5E,EAAQ6E,EAA8B,GAExC7E,EAAQ0E,EAAgB,CACjC,CAKAI,eAAeC,EAAgB,CAC7B,OAAO/E,EAAQ+E,IAAa,QAAWC,GAAuB,IAAI,CACpE,CAKAC,eACEd,EAA4B,CAE5B,OAAOnE,EAAQ4D,EAAY,CAC7B,CAKAsB,YAAYf,EAAyB,CACnC,OAAON,GACL,IAAIC,MAAM,8CAA8C,CAAC,CAE7D,CAKAqB,aAAW,CACT,OAAOnF,EAAQoF,EAAiB,CAClC,CAKAC,WAAWlB,EAAS,CAClB,OAAON,GAAW,IAAIC,MAAM,6CAA6C,CAAC,CAC5E,CAKAwB,cAAY,CACV,OAAOtF,EAAQ,CAACuF,EAAU,CAAC,CAC7B,CAKAC,gBAAgBrB,EAAS,CACvB,OAAOnE,EAAQyF,EAAkB,CACnC,CAEAC,4BAA0B,CACxB,OAAO1F,EAAQ2F,EAAuB,CACxC,CAEAC,iBAAe,CACb,OAAO5F,EAAQ6F,EAAkB,CACnC,CAEAC,gBAAc,CACZ,OAAO9F,EAAQ+F,EAAiB,CAClC,CAEAC,wBACEC,EAA+B,CAE/B,OAAOjG,EAAQkG,EAA0B,CAC3C,CAEAC,aAAanE,EAAgB,CAC3B,OAAOhC,EAAQgC,CAAO,CACxB,CAEAoE,iBAAiBC,EAEhB,CACC,OAAOrG,EAAQ,CAAEsG,eAAgB,sCAAsC,CAAE,CAC3E,CAEAC,kCACEC,EAAsB,CAEtB,OAAOxG,EAAQ,CAAEyG,SAAU,EAAI,CAAE,CACnC,CAEAC,sBAAoB,CAClB,OAAO1G,EAAQ,CAAE2G,QAAS,EAAI,CAAE,CAClC,CAEAC,kBAAgB,CACd,OAAO5G,EAAQ6G,EAAmB,CACpC,CAEAC,kBAAgB,CACd,OAAO9G,EAAQ,CACb+G,IAAK,UACLC,IAAK,CACHC,QAAS,SAEXC,QAAS,CACPD,QAAS,SAEXE,IAAK,CACHF,QAAS,SAEZ,CACH,CAEAG,sBAAoB,CAClB,OAAOpH,EAAQ,CACb,CACEqH,sBACE,uGACFC,cAAe,GACfC,aAAc,GACdC,KAAM,YACNC,OAAQ,WACRC,kBACE,0GACH,CACF,CACH,CAMAC,eAAa,CACX,OAAO3H,EAAQX,EAAU,CAC3B,CAEAuI,iBAAe,CACb,OAAO5H,EAAQ,CACb6H,SAAU,UACVC,WAAY,QACb,CACH,CAMAC,iBAAe,CACb,OAAO/H,EAAQ,CACbgI,KAAM,CAAEC,GAAI,GAAI5D,KAAM,EAAE,EACzB,CACH,CAEA6D,kBAAgB,CACd,OAAOrE,GAAW,IAAIC,MAAM,6CAA6C,CAAC,CAC5E,yCApUWxD,GAAe6H,EAAAC,EAAA,EAAAD,EAAAE,EAAA,EAAAF,EAAAG,EAAA,EAAAH,EAAAI,EAAA,EAAAJ,EAAAK,EAAA,EAAAL,EAkBhBM,EAAM,CAAA,CAAA,wBAlBLnI,EAAeoI,QAAfpI,EAAeqI,SAAA,CAAA,EAAtB,IAAOrI,EAAPsI,SAAOtI,CAAe,GAAA,EC9J5B,IAAauI,IAAiB,IAAA,CAAxB,IAAOA,EAAP,MAAOA,CAAiB,yCAAjBA,EAAiB,sBAAjBA,CAAiB,CAAA,2BARjB,CACT,CACEC,QAASC,GACTC,SAAUC,EAAYC,oBAAsBC,GAAkBJ,IAEhEK,GAAkBC,GAAsB,CAAE,CAAC,CAC5C,CAAA,EAEG,IAAOR,EAAPS,SAAOT,CAAiB,GAAA,ECTvB,IAAMU,GAAgBC,IACpB,CACLC,KAAMD,EAAiBC,KACvBC,MAAOF,EAAiBE,QAOfC,GAAuBA,CAClC,CAAEC,OAAAA,CAAM,EACRC,EACAC,EAAqB,IAErBD,EAASE,IAAI,CAAC,CAAEC,UAAAA,CAAS,KAAQ,CAAEJ,OAAAA,EAAQE,WAAAA,EAAYE,UAAAA,CAAS,EAAG,EAMxDC,GAAeA,CAC1BC,EACAC,IAEOA,EAAmBC,cAAgBF,EAAoBE,cAC1DC,EAAeC,oBACfD,EAAeE,sBAORC,GAAuBA,CAClC,CAAEf,KAAAA,EAAMC,MAAAA,CAAK,EACbG,EACAC,EAAqB,IAC8C,CACnE,IAAMW,EAAQ,CAAC,GAAGZ,CAAQ,EACpBa,EAAYf,GAAqBF,EAAM,CAACgB,EAAME,MAAK,CAAE,EAAGb,CAAU,EAClEc,EAAajB,GAAqBD,EAAOe,EAAOX,CAAU,EAChE,MAAO,CAAC,GAAGY,EAAW,GAAGE,CAAU,CACrC,EAMaC,GAAmBA,CAC9BhB,EACAK,EACAC,IACiE,CACjE,IAAMW,EAAUvB,GAAaW,CAAmB,EAC1Ca,EAASxB,GAAaY,CAAkB,EACxCa,EAAYf,GAAaC,EAAqBC,CAAkB,EAChEc,EAAeT,GAAqBM,EAASjB,EAAU,EAAE,EACzDqB,EAAaV,GAAqBO,EAAQlB,CAAQ,EAElDsB,EAAQ,CAAC,GAAGF,EAAc,GAAGC,CAAU,EAC7C,MAAO,CAAEF,UAAAA,EAAWG,MAAAA,CAAK,CAC3B,ECzDA,IAAaC,IAAuB,IAAA,CAA9B,IAAOA,EAAP,MAAOA,CAAuB,CAClCC,UAAUC,EAAoB,CAC5B,OAAOC,GAAoBD,CAA2B,CACxD,yCAHWF,EAAuB,mDAAvBA,EAAuBI,KAAA,EAAA,CAAA,EAA9B,IAAOJ,EAAPK,SAAOL,CAAuB,GAAA,EAUvBM,IAA4B,IAAA,CAAnC,IAAOA,EAAP,MAAOA,CAA4B,CACvCL,UAAUC,EAAoB,CAC5B,OAAOC,GAAoBD,CAA2B,CACxD,yCAHWI,EAA4B,wDAA5BA,EAA4BF,KAAA,EAAA,CAAA,EAAnC,IAAOE,EAAPC,SAAOD,CAA4B,GAAA,EAMnC,SAAUH,GACdK,EACA,CAAEC,UAAAA,EAAY,QAAK,EAAK,CAAA,EAAE,CAE1B,OAAOD,GAASE,OAASF,GAASG,QAC9B,GAAGH,EAAQE,KAAK,GAAGD,CAAS,GAAGD,EAAQG,OAAO,GAC9CH,GAASI,IACT,MAAMH,CAAS,GAAGD,EAAQI,GAAG,GAC7BC,GAAmBL,GAASM,UAAU,GAAK,EACjD,CAEM,SAAUC,GACdC,EACA,CAAEP,UAAAA,EAAY,QAAK,EAAK,CAAA,EAAE,CAE1B,OAAOO,GAAOC,cAAgBD,GAAOE,eACjC,GAAGF,EAAMC,YAAY,GAAGR,CAAS,GAAGO,EAAME,cAAc,GACxDF,GAAOG,WACP,MAAMV,CAAS,GAAGO,EAAMG,UAAU,GAClCN,GAAmBG,GAAOF,UAAU,GAAK,EAC/C,CAEM,SAAUD,GACdC,EACAL,EAAY,SAAK,CAEjB,OAAIK,GAAcA,EAAWM,SAAS,GAAG,EAChCN,EAAWO,QAAQ,MAAOZ,CAAS,EAEnCK,CAEX,CCYA,IAAaQ,IAAqB,IAAA,CAA5B,IAAOA,EAAP,MAAOA,CAAqB,CAiVxBC,eACNC,EACAC,EACAC,EACAC,EAAyB,CAEzB,IAAIC,EAAiBH,EACrB,GAAI,CAACI,EAAYC,QAAQC,QAAU,KAAKC,aACtC,OAAO,KAGT,GACER,GAAcS,sBAAsBC,OAAS,GAC7C,CAAC,CACCC,EAAeC,sBACfD,EAAeE,gBAAgB,EAC/BC,SAASX,CAAS,IACnB,CAACH,EAAae,qBAAqBL,QAClCV,EAAae,qBAAqBD,SAASX,CAAS,GACtD,CACA,IAAMa,EAAwBC,GAC5Bf,EACAF,GAAcS,oBAAoB,GACjCS,SACHd,EAAiBH,GAAce,CACjC,MACIhB,EAAamB,OACd,CAACnB,GAAcS,sBACdT,GAAcS,sBAAsBC,QAAU,KAEhDN,EAAiBJ,EAAamB,MAEhC,OAAOf,CACT,CAEQgB,wBACNC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EAAmB,CAEnB,IAAMC,EAA8CC,EAClDL,CAAkB,EAEhBM,GACEN,EAAmBO,MAAMC,YACzBP,EAAWQ,KAAK,EAElB,KAEEC,EACFL,EAAOR,CAAkB,GAC3BA,EAAmBU,OAAOI,WAAWzB,OAAS,EAC1CW,EAAmBU,OAAOI,UAAU,CAAC,GAAGjB,SACxC,KAKN,GACEkB,EAJqCV,GAAUW,OAC9CC,GAAMA,EAAEC,aAAa,GAGU7B,OAASa,GAAiBb,QAC1DL,EAAYmC,OAAOC,2BAMrB,IACIZ,EAAOR,CAAkB,GAC3B,CACEV,EAAeC,sBACfD,EAAe+B,oBACf/B,EAAeE,iBACfF,EAAegC,aAAa,EAC5B7B,SAASO,EAAmBU,MAAM5B,SAAS,GAC3C0B,EAAOL,CAAkB,EAE3B,MAAO,CACLrB,UAAWQ,EAAegC,cAC1BjB,SAAUkB,GACR,CAAC,GAAGrB,EAAiBI,CAAU,EAC/BkB,EAAmB,EAErBC,iBAAkBlB,EAClBmB,MAAOb,GAIX,GACIL,EAAOR,CAAkB,GAC3BA,EAAmBU,MAAM5B,WAAaQ,EAAeqC,eACnDnB,EAAOP,CAAwB,EAEjC,MAAO,CACLnB,UAAWQ,EAAeqC,cAC1BC,KAAM3B,EAAyBS,MAAMkB,KACrCvB,SAAUkB,GACR,CAAC,GAAGrB,EAAiBI,CAAU,EAC/BkB,EAAmB,EAErBE,MAAOb,GAIX,GAAMgB,GAAO7B,CAAkB,GAAOQ,EAAOL,CAAkB,EAC7D,MAAO,CACLrB,UAAWQ,EAAegC,cAC1BjB,SAAU,CAACC,CAAU,EACrBmB,iBAAkBlB,EAClBmB,MAAOb,GAIX,GACIgB,GAAO7B,CAAkB,GACzB6B,GAAO1B,CAAkB,GACzBK,EAAOP,CAAwB,EAEjC,MAAO,CACLnB,UAAWQ,EAAeqC,cAC1BC,KAAM3B,EAAyBS,MAAMkB,KACrCvB,SAAUkB,GACR,CAAC,GAAGrB,EAAiBI,CAAU,EAC/BkB,EAAmB,EAErBE,MAAOb,GAGb,CACAiB,YACWC,EACAC,EACAC,EAAc,CAFd,KAAAF,SAAAA,EACA,KAAAC,OAAAA,EACA,KAAAC,OAAAA,EApdX,KAAAC,6CAA+CC,EAAa,IAC1D,KAAKJ,SAASK,KACZpB,EAAOqB,GAAeC,QAAQC,KAAK,EACnCvB,EACE,CAAC,CACCN,MAAO,CACL8B,OAAQ,CAAEC,UAAAA,CAAS,CAAE,CACtB,IACG,IAAIC,KAAKD,CAAS,EAAI,IAAIC,IAAM,EAExC1B,EACE,CAAC,CACCN,MAAO,CACL8B,OAAQ,CAAEG,YAAAA,CAAW,CAAE,CACxB,IACG,IAAID,KAAKC,CAAW,EAAI,IAAID,IAAM,EAE1CE,EAAI,CAAC,CAAElC,MAAO,CAAEmC,OAAAA,CAAM,CAAE,IACtBC,GAAyB,CAAEjD,SAAUgD,CAAM,CAAE,CAAC,CAC/C,CACF,EAGH,KAAAE,oCAAsCZ,EAAa,IACjD,KAAKJ,SAASK,KACZpB,EAAOgC,GAAWV,QAAQC,KAAK,EAC/BK,EAAI,CAAC,CAAElC,MAAO,CAAE8B,OAAAA,CAAM,CAAE,IAAOA,CAAM,EACrCS,EAAW3C,GACS4C,GAAc,CAC9B,KAAKlB,OAAOmB,OAAOC,EAAkB,EACrC,KAAKpB,OAAOmB,OAAOE,EAAwB,EAC3C,KAAKrB,OAAOmB,OAAOG,EAAqB,EACxC,KAAKtB,OAAOmB,OAAOI,EAAoB,EAAEnB,KACvCoB,GAAKC,GAAgB,CACfC,GAAUD,CAAY,GACxB,KAAKzB,OAAO2B,SAASC,GAAmBC,QAAO,CAAE,CAErD,CAAC,EACDC,EAA4B,EAG9B,KAAK9B,OAAOmB,OAAOY,EAAgB,EAAE3B,KACnCoB,GAAKpD,GAAc,CACbsD,GAAUtD,CAAU,GACtB,KAAK4B,OAAO2B,SAASK,GAAcH,QAAQ,IAAI,CAAC,CAEpD,CAAC,EACDC,EAA4B,EAE9B,KAAK9B,OAAOmB,OAAOc,EAAc,EAAE7B,KACjCoB,GAAKnD,GAAY,CACXqD,GAAUrD,CAAQ,GACpB,KAAK2B,OAAO2B,SAASO,GAAYL,QAAQ,IAAI,CAAC,CAElD,CAAC,EACDC,EAA4B,CAC7B,CACF,EACgB1B,KACf+B,GAAK,EACLvB,EACE,CAAC,CACC5C,EACAC,EACAC,EACAC,EACAC,EACAC,CAAQ,IAER,KAAKN,wBACHC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,CAAU,CACX,CACJ,CAEJ,EACDU,EAAOoD,CAAM,EACbC,GAAwB,UAAU,EAClCzB,EAAI,CAAC,CAAE9D,UAAAA,EAAW8C,KAAAA,EAAMH,iBAAAA,EAAkBpB,SAAAA,CAAQ,IACzCvB,IAAcQ,EAAeqC,cAChC2C,GAAmB,CAAE1C,KAAAA,EAAMvB,SAAAA,CAAQ,CAAE,EACrCkE,GAAc,CAAE9C,iBAAAA,EAAkBpB,SAAAA,CAAQ,CAAE,CACjD,CAAC,CACH,EAGH,KAAAmE,mCAAqCrC,EAAa,IAChD,KAAKJ,SAASK,KACZpB,EAAOuD,GAAchC,KAAK,EAC1BK,EAAI,CAAC,CAAElC,MAAO,CAAEL,SAAAA,CAAQ,CAAE,IACjBoE,GAAmBpE,CAAQ,CACnC,CAAC,CACH,EAGH,KAAAqE,wCAA0CvC,EAAa,IACrD,KAAKJ,SAASK,KACZpB,EAAOsD,GAAmB/B,KAAK,EAC/BK,EAAI,CAAC,CAAElC,MAAO,CAAEL,SAAAA,CAAQ,CAAE,IACjBoE,GAAmBpE,CAAQ,CACnC,CAAC,CACH,EAMH,KAAAsE,EAAI,EACJ,KAAAC,oCAAsCzC,EAAa,IACjD,KAAKH,OAAOmB,OAAOC,EAAkB,EAAEhB,KACrCpB,EAASR,CAAM,EACfqE,GAAoB,EAEpBC,GAAM,CAAC,EACPlC,EAAKmC,GAAUC,GAAenB,QAAQkB,EAAMrE,KAAK,CAAC,EACnD,EAQH,KAAAuE,eAAiB9C,EAAa,IAC5B,KAAKJ,SAASK,KACZpB,EAAOuD,GAAchC,KAAK,EAC1BU,EAAWiC,GAAO,CAChB,IAAMtG,EAAasG,EAAIxE,MAAMgB,MACvB5C,EAAYQ,EAAegC,cACjC,OAAO4B,GAAc,CACnB,KAAKlB,OAAOmB,OAAOgC,EAAkB,EACrC,KAAKnD,OAAOmB,OAAOiC,EAAsB,EACzC,KAAKpD,OAAOmB,OAAOkC,EAAe,CAAC,CACpC,EAAEjD,KACDQ,EAAI,CAAC,CAAC0C,EAAqBC,EAAkBC,CAAQ,IAEjDC,EAAUH,CAAmB,GAC3BA,EAAoB5E,MAAMgF,MAAM5F,KAE3BwF,EAAoB5E,MAAMgF,MACtBF,GAAYA,IAAa,GAC7B,CAAE1F,KAAM0F,CAAQ,EACdC,EAAUF,CAAgB,EAC5BA,EAAiB7E,MAAMgF,MAEvB,CAAA,CAEV,EACDvB,GAAK,EACLvB,EAAKjE,GACIgH,EAAAC,EAAA,GACFV,GADE,CAELxE,MAAOiF,EAAAC,EAAA,GACFV,EAAIxE,OADF,CAELgB,MAAO,KAAKhD,eACVC,EACAC,EACAsG,EAAIxE,MAAMe,iBAAiBoE,KAAKhH,IAChCC,CAAS,KAIhB,CAAC,CAEN,CAAC,EACD8D,EAAI,CAAC,CAAElC,MAAO,CAAEe,iBAAAA,EAAkBpB,SAAAA,EAAUqB,MAAAA,CAAK,CAAE,IAAM,CACvD,IAAMoE,EAAWC,GAAatE,CAAgB,EACxCuE,EAAQC,GAAqBH,EAASI,MAAO7F,CAAQ,EAC3D,OAAO8F,GAAgB,CACrBH,MAAAA,EACAlH,UAAWQ,EAAegC,cAC1BR,UAAWY,EAAQ,CAAC,CAAE7B,SAAU6B,CAAK,CAAE,EAAI,CAAA,EAC5C,CACH,CAAC,CAAC,CACH,EAGH,KAAA0E,kBAAoBjE,EAAa,IAC/B,KAAKJ,SAASK,KACZpB,EAAOqF,GAAiB9D,KAAK,EAC7BK,EAAI,CAAC,CAAElC,MAAO,CAAEe,iBAAAA,EAAkBpB,SAAAA,EAAUiG,WAAAA,CAAU,CAAE,IAAM,CAC5D,IAAMR,EAAWC,GAAatE,CAAgB,EACxCuE,EAAQC,GAAqBH,EAASI,MAAO7F,EAAU,EAAE,EAC/D,OAAO8F,GAAgB,CACrBH,MAAAA,EACAlH,UAAWQ,EAAeE,iBAC1B+G,iBAAkBD,EACnB,CACH,CAAC,CAAC,CACH,EAGH,KAAAE,2BAA6BrE,EAAa,IACxC,KAAKJ,SAASK,KACZpB,EAAOyF,GAAsBlE,KAAK,EAClCK,EAAI,CAAC,CAAElC,MAAO,CAAEgG,mBAAAA,CAAkB,CAAE,IAClCC,GAA0BD,CAAkB,CAAC,CAC9C,CACF,EAGH,KAAAE,uBAAyBzE,EAAa,IACpC,KAAKJ,SAASK,KACZpB,EAAOyF,GAAsBlE,KAAK,EAClCU,EAAWiC,GAAO,CAChB,IAAMpG,EAAYQ,EAAe+B,oBACjC,OAAO6B,GAAc,CACnB,KAAKlB,OAAOmB,OAAOgC,EAAkB,EACrC,KAAKnD,OAAOmB,OAAOiC,EAAsB,CAAC,CAC3C,EAAEhD,KACDQ,EAAI,CAAC,CAAC0C,EAAqBC,CAAgB,IAEvCE,EAAUH,CAAmB,GAC3BA,EAAoB5E,MAAMgF,MAAM5F,KAE3BwF,EAAoB5E,MAAMgF,MACxBD,EAAUF,CAAgB,EAC5BA,EAAiB7E,MAAMgF,MAEvB,CAAA,CAEV,EACDvB,GAAK,EACLvB,EAAKjE,GAAgB,CACnB,IAAM+C,EAAQ,KAAKhD,eACjBC,EACA,KACAuG,EAAIxE,MAAMgG,mBAAmBb,KAAKhH,IAClCC,CAAS,EAEX,OAAO6G,EAAAC,EAAA,GACFV,GADE,CAELxE,MAAOiF,EAAAC,EAAA,GACFV,EAAIxE,OADF,CAELgB,MAAAA,KAGN,CAAC,CAAC,CAEN,CAAC,EACDkB,EACE,CAAC,CACClC,MAAO,CAAEL,SAAAA,EAAUqG,mBAAAA,EAAoBG,oBAAAA,EAAqBnF,MAAAA,CAAK,CAAE,IAEnEyE,GAAgBR,EAAAC,EAAA,GACXkB,GACDzG,EACAwG,EACAH,CAAkB,GAJN,CAMdK,gBAAiB,CAAC,CAACrF,GACpB,CAAC,CACL,CACF,EAGH,KAAAsF,uBAAyB7E,EAAa,IACpC,KAAKJ,SAASK,KACZpB,EAAOsD,GAAmB/B,KAAK,EAC/BK,EAAI,CAAC,CAAElC,MAAO,CAAEkB,KAAAA,EAAMvB,SAAAA,CAAQ,CAAE,IAC9B4G,GAAwBC,GAAK,CAAEtF,KAAAA,EAAMvB,SAAAA,CAAQ,CAAE,CAAC,CAAC,CAClD,CACF,EAGH,KAAA8G,eAAiBhF,EAAa,IAC5B,KAAKJ,SAASK,KACZpB,EAAOsD,GAAmB/B,KAAK,EAC/BU,EAAWiC,GAAO,CAChB,IAAMtG,EAAasG,EAAIxE,MAAMgB,MACvB7C,EAAMqG,EAAIxE,MAAMkB,MAAMiE,MAAMhH,IAC5BC,EAAYQ,EAAeqC,cACjC,OAAOuB,GAAc,CACnB,KAAKlB,OAAOmB,OAAOgC,EAAkB,EACrC,KAAKnD,OAAOmB,OAAOiC,EAAsB,EACzC,KAAKpD,OAAOmB,OAAOkC,EAAe,CAAC,CACpC,EAAEjD,KACDQ,EAAI,CAAC,CAAC0C,EAAqBC,EAAkBC,CAAQ,IAEjDC,EAAUH,CAAmB,GAC3BA,EAAoB5E,MAAMgF,MAAM5F,KAE3BwF,EAAoB5E,MAAMgF,MACtBF,GAAYA,IAAa,GAC7B,CAAE1F,KAAM0F,CAAQ,EACdC,EAAUF,CAAgB,EAC5BA,EAAiB7E,MAAMgF,MAEvB,CAAA,CAEV,EACDvB,GAAK,EACLvB,EAAKjE,GACIgH,EAAAC,EAAA,GACFV,GADE,CAELxE,MAAOiF,EAAAC,EAAA,GACFV,EAAIxE,OADF,CAELgB,MAAO,KAAKhD,eACVC,EACAC,EACAC,EACAC,CAAS,KAIhB,CAAC,CAEN,CAAC,EACD8D,EAAI,CAAC,CAAElC,MAAO,CAAEkB,KAAAA,EAAMvB,SAAAA,EAAUqB,MAAAA,CAAK,CAAE,IAAM,CAC3C,IAAMoE,EAAqB,CACzBD,KAAMjE,EAAKiE,KACXK,MAAOtE,EAAKsE,OAEd,OAAOC,GAAgB,CACrBrH,UAAWQ,EAAeqC,cAC1BqE,MAAOoB,GACLtB,EACAuB,GACE9F,GAAQlB,EAAUiH,EAAwB,EAC1CtI,EAAYmC,OAAOC,yBAAyB,CAC7C,EAEHN,UAAWY,EAAQ,CAAC,CAAE7B,SAAU6B,CAAK,CAAE,EAAI,CAAA,EAC5C,CACH,CAAC,CAAC,CACH,CA2IA,yCAzdQjD,GAAqB8I,EAAAC,EAAA,EAAAD,EAAAE,EAAA,EAAAF,EAAAG,EAAA,CAAA,CAAA,wBAArBjJ,EAAqBkJ,QAArBlJ,EAAqBmJ,SAAA,CAAA,EAA5B,IAAOnJ,EAAPoJ,SAAOpJ,CAAqB,GAAA,ECxDlC,IAAaqJ,IAAqB,IAAA,CAA5B,IAAOA,EAAP,MAAOA,CAAqB,CAsChCC,YAAqBC,EAA4BC,EAAc,CAA1C,KAAAD,SAAAA,EAA4B,KAAAC,OAAAA,EArCjD,KAAAC,8BAAgCC,EAAa,IAC3C,KAAKH,SAASI,KACZC,EAAOC,GAAgBC,QAAQC,KAAK,EACpCC,EACE,CAAC,CACCC,MAAO,CACLC,OAAQ,CAAEC,SAAAA,CAAQ,CAAE,CACrB,IACGA,CAAQ,EAEhBP,EAAOQ,CAAM,EACbJ,EAAKG,GAAaE,GAAYF,CAAQ,CAAC,CAAC,CACzC,EAGH,KAAAG,kCAAoCZ,EAAa,IAC/C,KAAKH,SAASI,KACZY,EAAcV,GAAgBW,OAAO,EACrCR,EAAI,IAAMS,GAAe,IAAI,CAAC,CAAC,CAChC,EAGH,KAAAC,6BAA+BhB,EAAa,IAC1C,KAAKH,SAASI,KACZC,EAAOa,GAAeV,KAAK,EAC3BY,GAAwB,OAAO,EAC/BX,EAAI,CAAC,CAAEC,MAAAA,CAAK,IAAOJ,GAAgBe,QAAQX,CAAK,CAAC,CAAC,CACnD,EAGH,KAAAY,wCAA0CnB,EAAa,IACrD,KAAKH,SAASI,KACZC,EAAOkB,GAAef,KAAK,EAC3BC,EAAI,IAAMe,GAAsB,IAAI,CAAC,CAAC,CACvC,CAG+D,yCAtCvD1B,GAAqB2B,EAAAC,EAAA,EAAAD,EAAAE,EAAA,CAAA,CAAA,wBAArB7B,EAAqB8B,QAArB9B,EAAqB+B,SAAA,CAAA,EAA5B,IAAO/B,EAAPgC,SAAOhC,CAAqB,GAAA,ECDlC,IAAaiC,IAAc,IAAA,CAArB,IAAOA,EAAP,MAAOA,CAAc,yCAAdA,EAAc,sBAAdA,CAAc,CAAA,0BAVvBC,GAAYC,WAAWC,GAAgBC,EAAW,EAClDC,GAAcH,WAAW,CACvBI,GACAC,GACAC,GACAC,EAAqB,CACtB,EACDC,EAAiB,CAAA,CAAA,EAGf,IAAOV,EAAPW,SAAOX,CAAc,GAAA","names":["_c0","_c1","VIRTUAL_SCROLL_STRATEGY","InjectionToken","FixedSizeVirtualScrollStrategy","itemSize","minBufferPx","maxBufferPx","Subject","distinctUntilChanged","viewport","index","behavior","renderedRange","newRange","viewportSize","dataLength","scrollOffset","firstVisibleIndex","maxVisibleItems","newVisibleIndex","startBuffer","expandStart","endBuffer","expandEnd","_fixedSizeVirtualScrollStrategyFactory","fixedSizeDir","CdkFixedSizeVirtualScroll","_CdkFixedSizeVirtualScroll","value","coerceNumberProperty","__ngFactoryType__","ɵɵdefineDirective","ɵɵProvidersFeature","forwardRef","ɵɵNgOnChangesFeature","DEFAULT_SCROLL_TIME","ScrollDispatcher","_ScrollDispatcher","_ngZone","_platform","document","scrollable","scrollableReference","auditTimeInMs","Observable","observer","subscription","auditTime","of","_","container","elementOrElementRef","ancestors","filter","target","scrollingContainers","_subscription","element","coerceElement","scrollableElement","window","fromEvent","ɵɵinject","NgZone","Platform","DOCUMENT","ɵɵdefineInjectable","CdkScrollable","_CdkScrollable","elementRef","scrollDispatcher","ngZone","dir","takeUntil","options","el","isRtl","getRtlScrollAxisType","RtlScrollAxisType","supportsScrollBehavior","from","LEFT","RIGHT","ɵɵdirectiveInject","ElementRef","Directionality","DEFAULT_RESIZE_TIME","ViewportRuler","_ViewportRuler","event","output","scrollPosition","width","height","documentElement","documentRect","top","left","throttleTime","VIRTUAL_SCROLLABLE","CdkVirtualScrollable","_CdkVirtualScrollable","orientation","viewportEl","ɵɵInheritDefinitionFeature","rangesEqual","r1","r2","SCROLL_SCHEDULER","animationFrameScheduler","asapScheduler","CdkVirtualScrollViewport","_CdkVirtualScrollViewport","_changeDetectorRef","_scrollStrategy","viewportRuler","inject","Subscription","Injector","startWith","forOf","data","newLength","size","range","offset","to","isHorizontal","axis","transform","measureScrollOffset","_from","fromRect","scrollerClientRect","contentEl","runAfter","afterNextRender","runAfterChangeDetection","fn","ChangeDetectorRef","ɵɵdefineComponent","rf","ctx","ɵɵviewQuery","_t","ɵɵqueryRefresh","ɵɵloadQuery","ɵɵclassProp","booleanAttribute","virtualScrollable","Optional","Inject","ɵɵInputTransformsFeature","ɵɵStandaloneFeature","ɵɵprojectionDef","ɵɵelementStart","ɵɵprojection","ɵɵelementEnd","ɵɵelement","ɵɵadvance","ɵɵstyleProp","getOffset","direction","node","rect","CdkVirtualForOf","_CdkVirtualForOf","isDataSource","ArrayDataSource","isObservable","item","_viewContainerRef","_template","_differs","_viewRepeater","_viewport","pairwise","switchMap","prev","cur","shareReplay","renderedStartIndex","rangeLen","firstNode","lastNode","i","view","changes","oldDs","newDs","count","record","_adjustedPreviousIndex","currentIndex","context","ViewContainerRef","TemplateRef","IterableDiffers","_VIEW_REPEATER_STRATEGY","_RecycleViewRepeaterStrategy","CdkScrollableModule","_CdkScrollableModule","__ngFactoryType__","ɵɵdefineNgModule","ɵɵdefineInjector","ScrollingModule","_ScrollingModule","BidiModule","scrollBehaviorSupported","supportsScrollBehavior","BlockScrollStrategy","_viewportRuler","document","root","coerceCssPixelValue","html","body","htmlStyle","bodyStyle","previousHtmlScrollBehavior","previousBodyScrollBehavior","viewport","CloseScrollStrategy","_scrollDispatcher","_ngZone","_viewportRuler","_config","overlayRef","stream","filter","scrollable","scrollPosition","NoopScrollStrategy","isElementScrolledOutsideView","element","scrollContainers","containerBounds","outsideAbove","outsideBelow","outsideLeft","outsideRight","isElementClippedByScrolling","scrollContainerRect","clippedAbove","clippedBelow","clippedLeft","clippedRight","RepositionScrollStrategy","throttle","overlayRect","width","height","ScrollStrategyOptions","_ScrollStrategyOptions","document","config","BlockScrollStrategy","__ngFactoryType__","ɵɵinject","ScrollDispatcher","ViewportRuler","NgZone","DOCUMENT","ɵɵdefineInjectable","OverlayConfig","configKeys","key","ConnectedOverlayPositionChange","connectionPair","scrollableViewProperties","BaseOverlayDispatcher","_BaseOverlayDispatcher","document","overlayRef","index","__ngFactoryType__","ɵɵinject","DOCUMENT","ɵɵdefineInjectable","OverlayKeyboardDispatcher","_OverlayKeyboardDispatcher","_ngZone","event","overlays","i","keydownEvents","NgZone","OverlayOutsideClickDispatcher","_OverlayOutsideClickDispatcher","_platform","_getEventTarget","target","origin","containsPierceShadowDom","outsidePointerEvents","body","Platform","parent","child","supportsShadowRoot","current","OverlayContainer","_OverlayContainer","containerClass","_isTestEnvironment","oppositePlatformContainers","container","OverlayRef","_portalOutlet","_host","_pane","_config","_keyboardDispatcher","_document","_location","_outsideClickDispatcher","_animationsDisabled","_injector","Subject","Subscription","untracked","afterRender","portal","attachResult","afterNextRender","detachmentResult","isAttached","strategy","sizeConfig","__spreadValues","dir","__spreadProps","classes","direction","style","coerceCssPixelValue","enablePointer","showingClass","backdropToDetach","element","cssClasses","isAdd","coerceArray","c","subscription","takeUntil","merge","scrollStrategy","backdrop","boundingBoxClass","cssUnitPattern","FlexibleConnectedPositionStrategy","connectedTo","_viewportRuler","_overlayContainer","originRect","overlayRect","viewportRect","containerRect","flexibleFits","fallback","pos","originPoint","overlayPoint","overlayFit","bestFit","bestScore","fit","score","extendStyles","lastPosition","scrollables","positions","margin","flexibleDimensions","growAfterOpen","canPush","isLocked","offset","selector","x","startX","endX","y","overlayStartX","overlayStartY","point","rawOverlayRect","viewport","position","overlay","getRoundedBoundingClientRect","offsetX","offsetY","leftOverflow","rightOverflow","topOverflow","bottomOverflow","visibleWidth","visibleHeight","visibleArea","availableHeight","availableWidth","minHeight","getPixelValue","minWidth","verticalFit","horizontalFit","start","scrollPosition","overflowRight","overflowBottom","overflowTop","overflowLeft","pushX","pushY","scrollVisibility","compareScrollVisibility","changeEvent","ConnectedOverlayPositionChange","elements","xOrigin","yOrigin","isRtl","height","top","bottom","smallestDistanceToViewportEdge","previousHeight","isBoundedByRightViewportEdge","isBoundedByLeftViewportEdge","width","left","right","previousWidth","boundingBoxRect","styles","maxHeight","maxWidth","hasExactPosition","hasFlexibleDimensions","config","transformString","documentHeight","horizontalStyleProperty","documentWidth","originBounds","overlayBounds","scrollContainerBounds","scrollable","isElementClippedByScrolling","isElementScrolledOutsideView","length","overflows","currentValue","currentOverflow","axis","cssClass","ElementRef","destination","source","key","input","value","units","clientRect","a","b","wrapperClass","GlobalPositionStrategy","overlayRef","config","value","offset","styles","parentStyles","width","height","maxWidth","maxHeight","shouldBeFlushHorizontally","shouldBeFlushVertically","xPosition","xOffset","isRtl","marginLeft","marginRight","justifyContent","parent","OverlayPositionBuilder","_OverlayPositionBuilder","_viewportRuler","_document","_platform","_overlayContainer","origin","FlexibleConnectedPositionStrategy","__ngFactoryType__","ɵɵinject","ViewportRuler","DOCUMENT","Platform","OverlayContainer","ɵɵdefineInjectable","nextUniqueId","Overlay","_Overlay","scrollStrategies","_componentFactoryResolver","_positionBuilder","_keyboardDispatcher","_injector","_ngZone","_directionality","_location","_outsideClickDispatcher","_animationsModuleType","host","pane","portalOutlet","overlayConfig","OverlayConfig","OverlayRef","EnvironmentInjector","ApplicationRef","DomPortalOutlet","ScrollStrategyOptions","ComponentFactoryResolver$1","OverlayKeyboardDispatcher","Injector","NgZone","Directionality","Location","OverlayOutsideClickDispatcher","ANIMATION_MODULE_TYPE","defaultPositionList","CDK_CONNECTED_OVERLAY_SCROLL_STRATEGY","InjectionToken","overlay","inject","CdkOverlayOrigin","_CdkOverlayOrigin","elementRef","ɵɵdirectiveInject","ElementRef","ɵɵdefineDirective","CdkConnectedOverlay","_CdkConnectedOverlay","offsetX","offsetY","_overlay","templateRef","viewContainerRef","scrollStrategyFactory","_dir","Subscription","EventEmitter","TemplatePortal","changes","event","hasModifierKey","target","_getEventTarget","positionStrategy","positions","currentPosition","strategy","takeWhile","position","TemplateRef","ViewContainerRef","booleanAttribute","ɵɵInputTransformsFeature","ɵɵNgOnChangesFeature","CDK_CONNECTED_OVERLAY_SCROLL_STRATEGY_PROVIDER_FACTORY","CDK_CONNECTED_OVERLAY_SCROLL_STRATEGY_PROVIDER","OverlayModule","_OverlayModule","ɵɵdefineNgModule","ɵɵdefineInjector","BidiModule","PortalModule","ScrollingModule","CdkDialogContainer_ng_template_0_Template","rf","ctx","DialogConfig","CdkDialogContainer","_CdkDialogContainer","BasePortalOutlet","_elementRef","_focusTrapFactory","_document","_config","_interactivityChecker","_ngZone","_overlayRef","_focusMonitor","inject","Platform","ChangeDetectorRef","Injector","portal","result","id","index","element","options","callback","selector","elementToFocus","afterNextRender","focusConfig","focusTargetElement","activeElement","_getFocusedElementPierceShadowDom","__ngFactoryType__","ɵɵdirectiveInject","ElementRef","FocusTrapFactory","DOCUMENT","DialogConfig","InteractivityChecker","NgZone","OverlayRef","FocusMonitor","ɵɵdefineComponent","rf","ctx","ɵɵviewQuery","CdkPortalOutlet","_t","ɵɵqueryRefresh","ɵɵloadQuery","ɵɵattribute","ɵɵInheritDefinitionFeature","ɵɵStandaloneFeature","ɵɵtemplate","CdkDialogContainer_ng_template_0_Template","DialogRef","overlayRef","config","Subject","event","hasModifierKey","closedSubject","width","height","classes","DIALOG_SCROLL_STRATEGY","InjectionToken","overlay","Overlay","DIALOG_DATA","DEFAULT_DIALOG_CONFIG","uniqueId","Dialog","_Dialog","_overlay","_injector","_defaultOptions","_parentDialog","_overlayContainer","scrollStrategy","Subject","defer","startWith","componentOrTemplateRef","config","defaults","DialogConfig","__spreadValues","overlayConfig","overlayRef","dialogRef","DialogRef","dialogContainer","reverseForEach","dialog","id","state","OverlayConfig","overlay","userInjector","providers","OverlayRef","containerType","CdkDialogContainer","containerPortal","ComponentPortal","Injector","TemplateRef","injector","context","TemplatePortal","contentRef","fallbackInjector","DIALOG_DATA","Directionality","of","emitEvent","index","previousValue","element","overlayContainer","siblings","i","sibling","parent","__ngFactoryType__","ɵɵinject","Overlay","DEFAULT_DIALOG_CONFIG","OverlayContainer","DIALOG_SCROLL_STRATEGY","ɵɵdefineInjectable","items","callback","DialogModule","_DialogModule","ɵɵdefineNgModule","ɵɵdefineInjector","OverlayModule","PortalModule","A11yModule","MatDialogContainer_ng_template_2_Template","rf","ctx","MatDialogConfig","OPEN_CLASS","OPENING_CLASS","CLOSING_CLASS","OPEN_ANIMATION_DURATION","CLOSE_ANIMATION_DURATION","MatDialogContainer","_MatDialogContainer","CdkDialogContainer","elementRef","focusTrapFactory","_document","dialogConfig","interactivityChecker","ngZone","overlayRef","_animationMode","focusMonitor","EventEmitter","parseCssTime","TRANSITION_DURATION_PROPERTY","delta","duration","callback","totalTime","portal","ref","__ngFactoryType__","ɵɵdirectiveInject","ElementRef","FocusTrapFactory","DOCUMENT","InteractivityChecker","NgZone","OverlayRef","ANIMATION_MODULE_TYPE","FocusMonitor","ɵɵdefineComponent","ɵɵhostProperty","ɵɵattribute","ɵɵclassProp","ɵɵInheritDefinitionFeature","ɵɵStandaloneFeature","ɵɵelementStart","ɵɵtemplate","ɵɵelementEnd","CdkPortalOutlet","time","coerceNumberProperty","MatDialogState","MatDialogRef","_ref","config","_containerInstance","Subject","filter","event","take","merge","hasModifierKey","_closeDialogVia","dialogResult","position","strategy","width","height","classes","interactionType","result","MAT_DIALOG_DATA","InjectionToken","MAT_DIALOG_DEFAULT_OPTIONS","MAT_DIALOG_SCROLL_STRATEGY","overlay","inject","Overlay","uniqueId","MatDialog","_MatDialog","parent","_overlay","injector","location","_defaultOptions","_scrollStrategy","_parentDialog","_overlayContainer","_animationMode","Subject","MatDialogConfig","defer","startWith","Dialog","MatDialogRef","MatDialogContainer","MAT_DIALOG_DATA","componentOrTemplateRef","config","dialogRef","__spreadValues","cdkRef","__spreadProps","DialogConfig","ref","cdkConfig","dialogContainer","index","id","dialog","dialogs","__ngFactoryType__","ɵɵinject","Overlay","Injector","Location","MAT_DIALOG_DEFAULT_OPTIONS","MAT_DIALOG_SCROLL_STRATEGY","OverlayContainer","ANIMATION_MODULE_TYPE","ɵɵdefineInjectable","dialogElementUid","MatDialogClose","_MatDialogClose","_elementRef","_dialog","getClosestDialog","changes","proxiedChange","event","_closeDialogVia","ɵɵdirectiveInject","ElementRef","ɵɵdefineDirective","rf","ctx","ɵɵlistener","$event","ɵɵattribute","ɵɵNgOnChangesFeature","MatDialogLayoutSection","_MatDialogLayoutSection","_dialogRef","MatDialogTitle","_MatDialogTitle","ɵMatDialogTitle_BaseFactory","ɵɵgetInheritedFactory","ɵɵhostProperty","ɵɵInheritDefinitionFeature","MatDialogContent","_MatDialogContent","ɵɵHostDirectivesFeature","CdkScrollable","MatDialogActions","_MatDialogActions","ɵMatDialogActions_BaseFactory","ɵɵclassProp","element","openDialogs","MatDialogModule","_MatDialogModule","__ngFactoryType__","ɵɵdefineNgModule","ɵɵdefineInjector","MatDialog","DialogModule","OverlayModule","PortalModule","MatCommonModule","_c0","policy","getPolicy","ttWindow","s","trustedHTMLFromString","html","getMatIconNameNotFoundError","iconName","getMatIconNoHttpProviderError","getMatIconFailedToSanitizeUrlError","url","getMatIconFailedToSanitizeLiteralError","literal","SvgIconConfig","svgText","options","MatIconRegistry","_MatIconRegistry","_httpClient","_sanitizer","document","_errorHandler","namespace","resolver","cleanLiteral","SecurityContext","trustedLiteral","alias","classNames","safeUrl","cachedIcon","of","cloneSvg","tap","svg","map","name","key","iconKey","config","iconSetConfigs","throwError","namedIcon","iconSetFetchRequests","iconSetConfig","catchError","err","errorMessage","forkJoin","foundIcon","i","iconSet","iconSource","iconElement","str","div","element","attributes","value","iconConfig","withCredentials","inProgressFetch","req","finalize","share","configNamespace","result","isSafeUrlWithOptions","__ngFactoryType__","ɵɵinject","HttpClient","DomSanitizer","DOCUMENT","ErrorHandler","ɵɵdefineInjectable","cloneSvg","svg","iconKey","namespace","name","isSafeUrlWithOptions","value","MAT_ICON_DEFAULT_OPTIONS","InjectionToken","MAT_ICON_LOCATION","MAT_ICON_LOCATION_FACTORY","_document","inject","DOCUMENT","_location","funcIriAttributes","funcIriAttributeSelector","attr","funcIriPattern","MatIcon","_MatIcon","newValue","_elementRef","_iconRegistry","ariaHidden","_errorHandler","defaults","Subscription","iconName","parts","cachedElements","newPath","path","layoutElement","childCount","child","elem","fontSetClasses","className","elements","attrs","element","elementsWithFuncIri","i","elementWithReference","match","attributes","rawName","take","err","errorMessage","__ngFactoryType__","ɵɵdirectiveInject","ElementRef","MatIconRegistry","ɵɵinjectAttribute","ErrorHandler","ɵɵdefineComponent","rf","ctx","ɵɵattribute","ɵɵclassMap","ɵɵclassProp","booleanAttribute","ɵɵInputTransformsFeature","ɵɵStandaloneFeature","_c0","ɵɵprojectionDef","ɵɵprojection","MatIconModule","_MatIconModule","ɵɵdefineNgModule","ɵɵdefineInjector","MatCommonModule","mapLens","lens","Lens","map","get","a","s","pipe","sequenceTuple","o","d","set","myqqStateProps","Lens","fromProp","membershipL","chain","profile","notNil","membership","success","failure","error","membershipDE","profileDE","pipe","sequenceTuple","map","__spreadProps","__spreadValues","membershipProps","accountL","vehiclesL","activeCouponsL","initialLoadLens","accountInfoLens","profileLens","membershipLens","compose","accountLens","mapLens","newAccountLens","updateAccountLens","vehiclesLens","couponsLens","newGuestAccountLens","addGuestVehicleLens","storesLens","regionsLens","subscriptionLens","ordersLens","paymentMethodsLens","priceTableLens","postPaymentMethodLens","payInvoiceLens","addVehicleLens","getVehiclesLens","editVehicleLens","removeVehicleLens","accountLookupLens","linkAccountLens","getOrderByIdLens","pendingOrderLens","calculateOrderLens","submitOrderLens","checkPromoCodeLens","modifySubscriptionPlanLens","membershipPurchaseLens","promoDetailsLens","companyWidePromoDetailsLens","swapReasonsLens","accountQuotaLens","swapMembershipLens","editVehicleIdentifierLens","cancelMembershipLens","checkEligibilityForRetentionOfferLens","acceptRetentionOfferLens","cancelReasonsLens","b2bBenefitLens","linkB2CLens","getOrderIdLens","s","_","appMinVersionLens","vehiclesOnOrderLens","marketingContentLens","myqqFeatureKey","myqqAction","actionCreatorFactory","INITIAL_STATE","initialLoad","accountInfo","initial","profile","stores","regions","subscription","orders","paymentMethods","priceTable","postPaymentMethod","payInvoice","getVehicles","addVehicle","editVehicle","removeVehicle","accountLookupResponse","accountLinkResponse","newAccount","updateAccount","newGuestAccount","addGuestVehicle","getOrder","pendingOrder","none","calculateOrder","submitOrder","checkPromo","modifySubscriptionPlan","membershipPurchase","promoDetails","companyWidePromoDetails","accountQuota","swapReasons","swapMembership","editVehicleIdentifier","cancelMembership","checkEligibilityForRetentionOffer","acceptRetentionOffer","cancelReasons","appMinVersion","vehiclesOnOrder","marketingContent","b2bBenefit","linkB2C","setInitialLoad","simple","setInitialLoadReducer","caseFn","initialLoadLens","set","getAccountInfo","async","getAccountInfoReducer","asyncReducerFactory","accountInfoLens","clearAccountInfo","clearAccountInfoReducer","getProfile","getProfileReducer","profileLens","clearProfile","clearProfileReducer","accountLens","newAccountReducer","newAccountLens","clearNewAccount","clearNewAccountReducer","updateAccountReducer","updateAccountLens","clearUpdateAccount","clearUpdateAccountReducer","newGuestAccountReducer","newGuestAccountLens","clearGuestNewAccount","clearGuestNewAccountReducer","addGuestVehicleReducer","addGuestVehicleLens","clearAddGuestVehicle","clearAddGuestVehicleReducer","getAllRegions","getAllRegionsReducer","regionsLens","getVehiclesReducer","getVehiclesLens","addVehicleReducer","addVehicleLens","clearAddVehicle","clearAddVehicleReducer","editVehicleReducer","editVehicleLens","clearEditVehicle","clearEditVehicleReducer","removeVehicleReduce","removeVehicleLens","clearVehiclePostPut","clearVehiclePostPutReducer","state","__spreadProps","__spreadValues","getMyOrders","getMyOrdersReducer","ordersLens","getOrderById","getOrderByIdReducer","asyncEntityFactory","getOrderByIdLens","getOrderIdLens","getMyPaymentMethods","getMyPaymentMethodsReducer","paymentMethodsLens","accountLookup","accountLookupReducer","accountLookupLens","accountLookupLast4Plate","accountLookupLast4PlateReducer","clearAccountLookup","clearAccountLookupReducer","accountRelink","accountRelinkReducer","linkAccountLens","accountLink","accountLinkReducer","getAllStores","getAllStoresReducer","storesLens","getPriceTable","getPriceTableReducer","priceTableLens","getPriceTableByZip","getPriceTableByZipReducer","clearPriceTable","clearPriceTableByZipReducer","calculateOrderReducer","calculateOrderLens","submitOrderReducer","submitOrderLens","clearSubmitOrder","clearSubmitOrderReducer","clearSubmitOrderAndGenerateNewOrderId","clearSubmitOrderAndGenerateNewOrderIdReducer","s","isSome","some","value","orderId","uuid","clearOrderProgress","clearOrderProgressReducer","getMySubscriptions","getMySubscriptionReducer","subscriptionLens","clearMySubscription","clearMySubscriptionReducer","postPaymentMethodReducer","postPaymentMethodLens","clearPostPaymentMethod","clearPostPaymentMethodReducer","setPendingOrder","setPendingOrderReducer","pendingOrderLens","submissionAt","Date","toISOString","notNil","customerId","isSuccess","right","membership","account","personId","info","qsysAccount","clearPendingOrder","clearPendingOrderReducer","setModifySubscriptionPlan","setModifySubscriptionPlanReducer","currentState","modifySubscriptionPlanLens","clearModifySubscriptionPlan","clearModifySubscriptionPlanReducer","setMembershipPurchase","setMembershipPurchaseReducer","membershipPurchaseLens","clearMembershipPurchase","clearMembershipPurchaseReducer","setPaymentMethod","setPaymentMethodReducer","modify","map","order","payments","clearPaymentMethod","clearPaymentMethodReducer","setPendingOrderPromoCode","setPendingPromoCodeReducer","markDowns","clearPromoCode","clearPromoCodeReducer","waiveUpgradeFee","setOrderReason","setOrderReasonReducer","createReasonCode","addFlockOrder","removeFlockOrder","changeMembershipOrder","addMembershipOrder","checkPromoCode","checkPromoCodeReducer","checkPromoCodeLens","payFailedInvoice","payInvoiceReducer","payInvoiceLens","clearPayFailedInvoice","clearPayFailedInvoiceReducer","getPromoDetails","getPromoDetailsReducer","promoDetailsLens","getCompanyWidePromoDetails","getCompanyWidePromoDetailsReducer","companyWidePromoDetailsLens","emptyPromoDetails","emptyPromoDetailsReducer","success","clearFailedPromoCheck","clearFailedPromoCheckReducer","getAccountQuota","getAccountQuotaReducer","accountQuotaLens","clearAccountQuota","clearAccountQuotaReducer","getSwapReasons","getSwapReasonsReducer","swapReasonsLens","swapMembershipReducer","swapMembershipLens","clearSwapMembership","clearSwapMembershipReducer","editVehicleIdentifierReducer","editVehicleIdentifierLens","clearEditVehicleIdentifier","clearEditVehicleIdentifierReducer","cancelMembershipReducer","cancelMembershipLens","clearCancelMembership","clearCancelMembershipReducer","checkEligibilityForRetentionOfferReducer","checkEligibilityForRetentionOfferLens","clearCheckEligibilityForRetentionOffer","clearCheckEligibilityForRetentionOfferReducer","acceptRetentionOfferReducer","acceptRetentionOfferLens","getCancelReasons","getCancelReasonsReducer","cancelReasonsLens","getAppMinVersion","getAppMinVersionReducer","appMinVersionLens","setVehiclesOnOrder","setVehiclesOnOrderReducer","vehiclesOnOrderLens","getMarketingContent","getMarketingContentReducer","marketingContentLens","getB2bBenefit","getB2bReducer","b2bBenefitLens","linkB2CReducer","linkB2CLens","myqqReducer","reducerDefaultFn","selectMyQQState","createFeatureSelector","myqqFeatureKey","selectInitialLoad","createSelector","initialLoadLens","get","selectAccountInfo","accountInfoLens","selectProfile","profileLens","selectMembership","membershipLens","selectMembershipVehicles","map","membership","vehicles","selectAccount","accountLens","selectNewAccount","newAccountLens","selectUpdateAccount","updateAccountLens","selectNewGuestAccount","newGuestAccountLens","selectAddGuestVehicle","addGuestVehicleLens","selectStores","storesLens","selectRegions","regionsLens","selectMySubscription","subscriptionLens","selectOrders","ordersLens","selectPriceTable","priceTableLens","selectPaymentMethods","paymentMethodsLens","selectPostPaymentMethod","postPaymentMethodLens","selectVehicles","getVehiclesLens","selectVehiclesWithTemporaryIdentifier","filter","vehicle","isTemporaryIdentifier","selectAddVehicle","addVehicleLens","selectEditVehicle","editVehicleLens","selectGetOrderById","getOrderByIdLens","selectOrderById","id","record","initial","selectAccountLookup","accountLookupLens","selectLinkAccount","linkAccountLens","selectCalculateOrder","calculateOrderLens","selectSubmitOrder","submitOrderLens","selectPendingOrder","pendingOrderLens","selectModifySubscriptionPlan","modifySubscriptionPlanLens","selectMembershipPurchase","membershipPurchaseLens","selectCheckPromo","checkPromoCodeLens","selectPayFailedInvoice","payInvoiceLens","selectStripeSubscription","accountInfo","fromNullable","account","stripeSubscription","selectPersonData","profile","orders","paymentMethods","subscription","sequenceStruct","selectProfileAndSubscription","selectVehicleById","vehiclesDatumEither","chain","foundVehicle","find","v","vehicleId","notNil","success","failure","error","selectUserFullName","firstName","lastName","join","name","selectUsername","selectDefaultPaymentMethod","pm","isDefault","selectMembershipInfo","menu","selectAccountLinked","squash","selectFailedInvoice","status","StripeStatusEnum","PAST_DUE","title","description","invoiceAmount","amount","invoiceId","route","outlets","modal","selectSoftCancel","cancelAtPeriodEnd","environment","supportEmail","selectAllStores","selectPromoDetails","promoDetailsLens","selectCompanyWidePromo","companyWidePromoDetailsLens","selectAccountAndMembershipStatus","profileAndAccount","hasAccount","hasMembership","info","qsysAccount","stripeStatus","ACTIVE","TRIALING","selectStayAndSaveSubscriptionDiscount","discount","stayAndSave","selectAccountQuota","accountQuotaLens","selectSwapReasons","swapReasonsLens","selectSwapMembership","swapMembershipLens","selectNonMemberVehicles","expiring","selectEditVehicleIdentifier","editVehicleIdentifierLens","selectCancelMembership","cancelMembershipLens","selectIsEligibleForRetentionOffer","checkEligibilityForRetentionOfferLens","selectRetentionOfferAcceptance","acceptRetentionOfferLens","selectCancelReasons","cancelReasonsLens","selectAppMinVersion","appMinVersionLens","selectVehiclesOnOrder","vehiclesOnOrderLens","selectMarketingContents","marketingContentLens","selectB2bBenefit","b2bBenefitLens","selectLinkB2C","linkB2CLens","withDatumEither","start","obs","pipe","map","result","success","startWith","toRefresh","pending","catchError","e","of","failure","filterSuccessMapToRightValue","filter","isSuccess","de","value","right","sequenceDES","sequenceS","datumEither","sequenceDET","sequenceT","combineS","data","combineLatest","Object","values","filter","value","isObservable","pipe","map","DEs","_fromPairs","_zip","keys","mapError","fn","obs","pipe","catchError","error","throwError","MyQQEffects","constructor","actions$","myqqSvc","getAccountInfo$","createEffect","pipe","asyncExhaustMap","getAccountInfo","accountInfo","getProfile$","getProfile","getMyProfile","newAccount$","newAccount","person","updateAccount$","updateAccount","newGuestAccount$","newGuestAccount","addGuestVehicle$","addGuestVehicle","vehicle","postGuestVehicle","getAllRegions$","getAllRegions","getVehicles$","getVehicles","addVehicle$","addVehicle","postVehicle","editVehicle$","editVehicle","patchVehicle","removeVehicle$","removeVehicle","req","getMyOrders$","getMyOrders","page","getOrderById$","getOrderById","orderId","getMyPaymentMethods$","getMyPaymentMethods","postPaymentMethod$","postPaymentMethod","paymentMethodId","newPaymentMethod","accountLookup$","accountLookup","token","accountLookupLast4Plate","accountLink$","accountLink","personId","linkAccount","accountRelink$","accountRelink","relinkAccount","getPriceTable$","getPriceTable","getPriceTableByZip$","getPriceTableByZip","zip","calculateOrder$","calculateOrder","order","tap","result","items","filter","item","sku","submitOrder$","submitOrder","checkPromo$","checkPromoCode","serialNum","getMySubscriptions$","getMySubscriptions","payFailedInvoice$","payFailedInvoice","pending","match","switchMap","value","params","createReason","mapError","error","message","payInvoice","invoiceId","map","success","catchError","of","failure","getAllStores$","getAllStores","getPromoDetails$","getPromoDetails","promoCode","getCompanyWidePromoDetails$","getCompanyWidePromoDetails","getAccountQuota$","getAccountQuota","getSwapReasons$","getSwapReasons","swapVehicle$","swapMembership","swapRequest","swapVehicleOnMembership","editVehicleIdentifier$","editVehicleIdentifier","cancelMembership$","cancelMembership","cancelRequest","checkEligibityForRetentionOffer$","checkEligibilityForRetentionOffer","createTimestamp","acceptRetentionOffer$","acceptRetentionOffer","getCancelReasons$","getCancelReasons","getAppMinVersion$","getAppMinVersion","getMarketingContent$","getMarketingContent","getMarketingContents","getB2bBenefit$","getB2bBenefit","linkB2CEffects$","linkB2C","linkRequest","linkB2cWithCode","ɵɵinject","Actions","MyQQService","factory","ɵfac","_MyQQEffects","MyQQChainEffects","constructor","actions$","unleashService","refreshProfileChains$","createEffect","pipe","filterActions","addVehicle","success","editVehicle","updateAccount","cancelMembership","map","getProfile","pending","refreshProfileChainsNewAccount$","newAccount","accountLink","track","updateUnleashOnAccountInfoChange$","filter","getAccountInfo","match","value","result","distinctUntilChanged","accountInfo","updateUnleashContextOnGetAccount","dispatch","updateUnleashOnSubscriptionSuccess$","getMySubscriptions","isSome","subscription","updateUnleashContextOnGetSubscription","refreshAccountChain$","getPaymentMethodsOnPostSuccess$","postPaymentMethod","getMyPaymentMethods","refreshSubscriptionChains$","submitOrder","refreshAccountOnOrderComplete$","refreshVehiclesOnVehiclesAndMembershipChange$","removeVehicle","swapMembership","editVehicleIdentifier","getVehicles","clearAccountQuotaOnSwapAndEditLPVIN$","clearAccountQuota","clearVehiclesOnOrderOnSwapSuccess$","setVehiclesOnOrder","setDefaultPlansOnGetPriceSuccess$","getPriceTableByZip","notNil","setDefaultPlans","refreshMarketingContent$","getMarketingContent","ɵɵinject","Actions","UnleashService","factory","ɵfac","_MyQQChainEffects","MockGoodWashLevelName","MockBetterWashLevelName","MockBestWashLevelName","MockCeramicWashLevelName","MockPlansPromoSvg","MOCK_STORE","storeId","regionId","regionNumber","storeNumber","name","addressLine1","city","state","zipCode","phoneNumber","defaultLaneNumber","timeZone","connectAccountId","MOCK_VEHICLES","vehicleId","personId","license","state","createdBy","createdIn","createdAt","updatedBy","updatedIn","updatedAt","make","model","year","vin","hasMembership","expiring","isVerified","isTemporaryIdentifier","verificationCode","MOCK_ACCOUNT","xrefId","firstName","lastName","memberSince","birthDate","gender","email","primaryPh","secondaryPh","stripeCustomer","homeStoreId","street1","street2","city","countryId","zipCode","regionNumber","MOCK_QSYS_ACCOUNT","userName","name","info","address","height","qsysAccount","MOCK_ACTIVE_COUPONS","couponIssuedId","orderItemId","couponId","storeId","employeeId","stripePlanId","isActive","effectiveAt","expiresAt","MOCK_PROFILE","profile","membership","account","vehicles","activeCoupons","MOCK_ORDER_HEADER_1","orderId","storeNumber","storeState","storeCity","regionId","customerId","custFirstName","custLastName","cashierId","cashierFirstName","cashierLastName","deviceId","lane","orderType","OrderTypesEnum","STORE","orderStatus","isNewCustomer","isEmployee","totalTaxable","totalMarkDowns","totalMarkUps","subTotal","orderTotal","submissionAt","submissionTime","vehicleVin","vehicleState","vehicleLicense","laneType","washType","MockGoodWashLevelName","description","MOCK_ORDER_HEADER_2","MockBetterWashLevelName","MOCK_ORDER_HEADER_3","MockBestWashLevelName","MOCK_ORDER_HEADER_4","MOCK_ORDER_ITEM_1","itemId","sku","orderedQty","unitPrice","taxRate","priceInclTax","grossTotal","taxTotal","lineTotal","MOCK_ORDER_ITEM_2","MOCK_ORDER_ITEM_3","MOCK_ORDER_ITEM_4","MOCK_ORDER_1","membershipId","stripeCustomerId","mbrCouponIssuedId","nextBillingAmount","createReasonCode","NEWMEMBERSHIP","isNewMember","isNewVehicle","isRewash","totalManualDiscount","holds","items","markDowns","markUps","payments","orderPaymentId","paymentAmount","paymentStatus","paymentId","paymentType","last4","expiresMonth","expiresYear","MOCK_ORDER_2","MOCK_ORDER_3","MOCK_ORDER_4","MOCK_CUSTOMER_PAYMENT_METHOD","customerPaymentId","brand","expMonth","expYear","isDefault","MOCK_PRICE_TABLE","plans","base","myQQName","price","flock","myQQShortDisplayName","features","position","washHierarchy","availableForPurchase","washLevelId","backgroundImageUrl","washLevelImageUrl","MockCeramicWashLevelName","MOCK_PRICE_TABLE_WITHOUT_PRICE","MOCK_PROMO","couponType","serialNo","markDownId","singleUse","totalIssued","maxRedemptions","remainingRedemptions","limitRedemptions","durationQty","MOCK_SUBSCRIPTION","renewalDate","renewalAmount","discountAmount","renewalAmountBeforeDiscount","subscriptionItems","amount","quantity","itemType","SubscriptionItemTypeEnum","status","stripeSubscription","cancel_at_period_end","cancel_at","MOCK_REGIONS","timeZone","MOCK_ACCOUNT_CHECK","__spreadProps","__spreadValues","type","MOCK_ACCOUNT_INFO","currentPeriodEnd","currentPeriodStart","invoiceAmount","invoiceId","StripeStatusEnum","ACTIVE","stripeVehicles","upcomingInvoice","cancelAtPeriodEnd","SOCIAL_MEDIA_LINKS","instagram","facebook","snapchat","twitter","youtube","MOCK_PROMO_DETAILS","code","MOCK_ACCOUNT_QUOTA","quotaAllowed","quotaConsumed","MOCK_SWAP_REASONS","id","name","description","MOCK_VEHICLE_SWAP_RESPONSE","currentVehicleId","newVehicleId","MOCK_CANCEL_REASONS","message","code","MOCK_GRANDOPENING_PROMO","disclaimer","customOverride","MockPlansPromoSvg","grandOpening","grandOpeningHomeStoreId","autoApplyOrderTypes","OrderTypesEnum","NEWMEMBERSHIP","crossOutDefaultPrice","planSpecificOverride","position","type","serialNo","fixedBasePrice","fixedFlockPrice","sku","companyWidePromo","autoApplyEffectiveAt","autoApplyExpiresAt","MOCK_FLOCK_ONLY_PROMO","ADDMEMBERSHIP","VehiclePageSvg","MOCK_FLOCK_AND_NEW_MEMBERSHIP_PROMO","MOCK_B2B_BENEFIT","companyName","contractDescription","planSpecificBenefit","benefitDescription","contractId","crossOutBasePrice","itemId","e","r","n","o","a","i","c","t","jwt_decode_esm_default","refreshTokenKey","environment","OfflineAuthService","constructor","keycloak","router","store$","window","_online$","BehaviorSubject","navigator","onLine","_access$","_auth$","pipe","skip","keycloakInitialized","merge","select","selectKeycloakInitialized","filter","init","take","timer","mapTo","subscribe","keycloakInstance","getKeycloakInstance","afterGettingKeycloakInstance","timeout","retries","retryKeycloak","setTimeout","state","routerState","snapshot","fromEvent","online","next","switchMap","of","isLoggedIn","map","loggedIn","distinctUntilChanged","status","handleAllowAccessStatusChange","authenticated","handleKeycloakCallbacks","baseOnAuthRefreshError","onAuthRefreshError","handleAuthRefreshFailure","onAuthSuccess","onAuthError","onAuthLogout","attemptReauth","then","savedRefreshToken","exists","isRefreshTokenExpired","parsed","catch","e","value","refreshToken","refreshTokenParsed","sessionStorage","setItem","online$","Promise","allowAccess$","rt","getItem","ret","raw","jwt_decode","__async","updateToken","parsedToken","iat","issued","Date","expires","setDate","getDate","offlineTokenDuration","expired","removeItem","isSavedTokenValid","ɵɵinject","KeycloakService","Router","Store","WINDOW","factory","ɵfac","providedIn","_OfflineAuthService","orders","MOCK_ORDER_HEADER_1","MOCK_ORDER_HEADER_2","MOCK_ORDER_HEADER_3","MOCK_ORDER_HEADER_4","__spreadProps","__spreadValues","submissionAt","submissionTime","profile","MOCK_QSYS_ACCOUNT","account","MOCK_ACCOUNT","vehicles","MOCK_VEHICLES","b2bBenefit","MOCK_B2B_BENEFIT","paymentMethods","MOCK_CUSTOMER_PAYMENT_METHOD","linked","hasMembership","getMembership","activeCoupons","undefined","getProfile","membership","ofDelay","t","delayTimeInMs","of","pipe","delay","MyQQMockService","offlineError","__async","Promise","resolve","constructor","http","router","dialogController","offlineAuth","store$","window","url","environment","URLs","MyQQ","throwAndLogError","err","handleOfflineGet","EMPTY","getMyProfile","newAccount","p","updateAccount","newGuestAccount","postGuestVehicle","vehicle","newGuestVehicle","isActive","vehicleId","shortid","isTemporaryIdentifier","verificationCode","concat","getAllRegions","MOCK_REGIONS","getVehicles","postVehicle","newVehicle","removeVehicle","req","filter","getMySubscriptions","some","MOCK_SUBSCRIPTION","none","getMyOrders","recordCount","offset","pageSize","pageCount","pageNo","getOrderById","orderId","MOCK_ORDER_1","throwError","Error","getMyPaymentMethods","postPaymentMethod","method","newPaymentMethod","_","accountLookup","type","accountLookupLast4Plate","linkAccount","relinkAccount","getPriceTable","MOCK_PRICE_TABLE","getPriceTableByZip","zip","MOCK_PRICE_TABLE_WITHOUT_PRICE","checkPromoCode","serialNo","MOCK_PROMO","calculateOrder","submitOrder","accountInfo","MOCK_ACCOUNT_INFO","payInvoice","getAllStores","MOCK_STORE","getPromoDetails","MOCK_PROMO_DETAILS","getCompanyWidePromoDetails","MOCK_GRANDOPENING_PROMO","getAccountQuota","MOCK_ACCOUNT_QUOTA","getSwapReasons","MOCK_SWAP_REASONS","swapVehicleOnMembership","swapRequest","MOCK_VEHICLE_SWAP_RESPONSE","patchVehicle","cancelMembership","cancelRequest","subscriptionId","checkEligibilityForRetentionOffer","startTimestamp","eligible","acceptRetentionOffer","success","getCancelReasons","MOCK_CANCEL_REASONS","getAppMinVersion","api","ios","minimum","android","web","getMarketingContents","vehiclesPageCardImage","isDismissable","showIfUnauth","link","layout","homePageCardImage","getB2bBenefit","linkB2cWithCode","personId","signUpCode","sendContactForm","data","id","getFriendbuyAuth","ɵɵinject","HttpClient","Router","MatDialog","OfflineAuthService","Store","WINDOW","factory","ɵfac","_MyQQMockService","MyQQServiceModule","provide","MyQQService","useClass","environment","useMockHttpServices","MyQQMockService","provideHttpClient","withInterceptorsFromDi","_MyQQServiceModule","findMenuPair","subscriptionPlan","base","flock","vehiclesToOrderItems","itemId","vehicles","orderedQty","map","vehicleId","getOrderType","currentSubscription","targetSubscription","washHierarchy","OrderTypesEnum","UPGRADESUBSCRIPTION","DOWNGRADESUBSCRIPTION","buildMembershipItems","clone","baseItems","shift","flockItems","buildChangeOrder","current","target","orderType","removedItems","addedItems","items","DisplayVehiclePlatePipe","transform","vehicleInfo","displayVehiclePlate","pure","_DisplayVehiclePlatePipe","DisplayOrderVehiclePlatePipe","_DisplayOrderVehiclePlatePipe","vehicle","separator","state","license","vin","reformatVehicleKey","vehicleKey","displayOrderVehiclePlate","order","vehicleState","vehicleLicense","vehicleVin","includes","replace","MyQQOrderChainEffects","autoApplyPromo","promoDetails","orderPromo","sku","orderType","finalPromoCode","environment","unleash","enable","deletedPromo","planSpecificOverride","length","OrderTypesEnum","DOWNGRADESUBSCRIPTION","REMOVESUBVEHICLE","includes","autoApplyOrderTypes","planSpecificPromoCode","getSpecificPlanOverride","serialNo","code","handleAddVehicleToOrder","pendingOrderOption","membershipPurchaseOption","vehiclesOnOrder","subscriptionOption","priceTable","vehicles","newVehicle","currentSubscriptionPlan","isSome","getSpecificWashLevel","value","washLevelId","plans","pendingOrderPromo","markDowns","vehiclesWithExistingMembership","filter","v","hasMembership","limits","maxVehiclesOnSubscription","UPGRADESUBSCRIPTION","ADDMEMBERSHIP","_sortBy","displayVehiclePlate","subscriptionPlan","promo","NEWMEMBERSHIP","wash","isNone","constructor","actions$","store$","router","setPendingOrderPromoCodeOnCheckPromoSuccess$","createEffect","pipe","checkPromoCode","success","match","result","expiresAt","Date","effectiveAt","map","params","setPendingOrderPromoCode","setPendingOrderOnAddVehicleSuccess$","addVehicle","switchMap","combineLatest","select","selectPendingOrder","selectMembershipPurchase","selectVehiclesOnOrder","selectMySubscription","tap","subscription","isInitial","dispatch","getMySubscriptions","pending","filterSuccessMapToRightValue","selectPriceTable","getPriceTable","selectVehicles","getVehicles","first","notNil","distinctUntilKeyChanged","addMembershipOrder","addFlockOrder","setVehiclesOnOrderOnAddFlockOrder$","setVehiclesOnOrder","setVehiclesOnOrderOnAddmembershipOrder$","i","calculateOrderOnPendingOrderChange$","distinctUntilChanged","delay","order","calculateOrder","addFlockOrder$","val","selectPromoDetails","selectCompanyWidePromo","selectPromoCode","specificPromoDetail","companyWidePromo","urlPromo","isSuccess","right","__spreadProps","__spreadValues","base","menuPair","findMenuPair","items","vehiclesToOrderItems","flock","setPendingOrder","removeFlockOrder$","removeFlockOrder","reasonCode","createReasonCode","setModifySubscriptionPlan$","changeMembershipOrder","targetSubscription","setModifySubscriptionPlan","changeMembershipOrder$","currentSubscription","buildChangeOrder","waiveUpgradeFee","setMembershipPurchase$","setMembershipPurchase","some","addMembership$","buildMembershipItems","_take","displayOrderVehiclePlate","ɵɵinject","Actions","Store","Router","factory","ɵfac","_MyQQOrderChainEffects","MyQQPromoChainEffects","constructor","actions$","router","setLocationOnGetPromoDetails$","createEffect","pipe","filter","getPromoDetails","success","match","map","value","result","location","notNil","setLocation","removePromoOnPromoDetailsFailure$","filterActions","failure","setUIPromoCode","getPromoDetailsOnSetUIPromo$","distinctUntilKeyChanged","pending","clearCheckedPromoOnClearPromoFromOrder$","clearPromoCode","clearFailedPromoCheck","ɵɵinject","Actions","Router","factory","ɵfac","_MyQQPromoChainEffects","NgrxMyQQModule","StoreModule","forFeature","myqqFeatureKey","myqqReducer","EffectsModule","MyQQEffects","MyQQChainEffects","MyQQOrderChainEffects","MyQQPromoChainEffects","MyQQServiceModule","_NgrxMyQQModule"],"x_google_ignoreList":[0,1,2,3,4,14]}