{"version":3,"file":"_icon-registry-chunk.mjs","sources":["../../../../../darwin_arm64-fastbuild-ST-fdfa778d11ba/bin/src/material/icon/icon-registry.ts"],"sourcesContent":["/**\n * @license\n * Copyright Google LLC All Rights Reserved.\n *\n * Use of this source code is governed by an MIT-style license that can be\n * found in the LICENSE file at https://angular.dev/license\n */\n\nimport {TrustedHTML, trustedHTMLFromString} from '@angular/cdk/private';\nimport {HttpClient, HttpErrorResponse} from '@angular/common/http';\nimport {\n  ErrorHandler,\n  Inject,\n  Injectable,\n  OnDestroy,\n  Optional,\n  SecurityContext,\n  DOCUMENT,\n} from '@angular/core';\nimport {DomSanitizer, SafeHtml, SafeResourceUrl} from '@angular/platform-browser';\nimport {forkJoin, Observable, of as observableOf, throwError as observableThrow} from 'rxjs';\nimport {catchError, finalize, map, share, tap} from 'rxjs/operators';\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 */\nexport function getMatIconNameNotFoundError(iconName: string): Error {\n  return Error(`Unable to find icon with the name \"${iconName}\"`);\n}\n\n/**\n * Returns an exception to be thrown when the consumer attempts to use\n * `<mat-icon>` without including @angular/common/http.\n * @docs-private\n */\nexport function getMatIconNoHttpProviderError(): Error {\n  return Error(\n    'Could not find HttpClient for use with Angular Material icons. ' +\n      'Please add provideHttpClient() to your providers.',\n  );\n}\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 */\nexport function getMatIconFailedToSanitizeUrlError(url: SafeResourceUrl): Error {\n  return Error(\n    `The URL provided to MatIconRegistry was not trusted as a resource URL ` +\n      `via Angular's DomSanitizer. Attempted URL was \"${url}\".`,\n  );\n}\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 */\nexport function getMatIconFailedToSanitizeLiteralError(literal: SafeHtml): Error {\n  return Error(\n    `The literal provided to MatIconRegistry was not trusted as safe HTML by ` +\n      `Angular's DomSanitizer. Attempted literal was \"${literal}\".`,\n  );\n}\n\n/** Options that can be used to configure how an icon or the icons in an icon set are presented. */\nexport interface IconOptions {\n  /** View box to set on the icon. */\n  viewBox?: string;\n\n  /** Whether or not to fetch the icon or icon set using HTTP credentials. */\n  withCredentials?: boolean;\n}\n\n/**\n * Function that will be invoked by the icon registry when trying to resolve the\n * URL from which to fetch an icon. The returned URL will be used to make a request for the icon.\n */\nexport type IconResolver = (\n  name: string,\n  namespace: string,\n) => SafeResourceUrl | SafeResourceUrlWithIconOptions | null;\n\n/** Object that specifies a URL from which to fetch an icon and the options to use for it. */\nexport interface SafeResourceUrlWithIconOptions {\n  url: SafeResourceUrl;\n  options: IconOptions;\n}\n\n/**\n * Configuration for an icon, including the URL and possibly the cached SVG element.\n * @docs-private\n */\nclass SvgIconConfig {\n  svgElement: SVGElement | null = null;\n\n  constructor(\n    public url: SafeResourceUrl,\n    public svgText: TrustedHTML | null,\n    public options?: IconOptions,\n  ) {}\n}\n\n/** Icon configuration whose content has already been loaded. */\ntype LoadedSvgIconConfig = SvgIconConfig & {svgText: TrustedHTML};\n\n/**\n * Service to register and display icons used by the `<mat-icon>` 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 */\n@Injectable({providedIn: 'root'})\nexport class MatIconRegistry implements OnDestroy {\n  private _document: Document;\n\n  /**\n   * URLs and cached SVG elements for individual icons. Keys are of the format \"[namespace]:[icon]\".\n   */\n  private _svgIconConfigs = new Map<string, SvgIconConfig>();\n\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  private _iconSetConfigs = new Map<string, SvgIconConfig[]>();\n\n  /** Cache for icons loaded by direct URLs. */\n  private _cachedIconsByUrl = new Map<string, SVGElement>();\n\n  /** In-progress icon fetches. Used to coalesce multiple requests to the same URL. */\n  private _inProgressUrlFetches = new Map<string, Observable<TrustedHTML>>();\n\n  /** Map from font identifiers to their CSS class names. Used for icon fonts. */\n  private _fontCssClassesByAlias = new Map<string, string>();\n\n  /** Registered icon resolver functions. */\n  private _resolvers: IconResolver[] = [];\n\n  /**\n   * The CSS classes to apply when an `<mat-icon>` 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  private _defaultFontSetClass = ['material-icons', 'mat-ligature-font'];\n\n  constructor(\n    @Optional() private _httpClient: HttpClient,\n    private _sanitizer: DomSanitizer,\n    @Optional() @Inject(DOCUMENT) document: any,\n    private readonly _errorHandler: ErrorHandler,\n  ) {\n    this._document = document;\n  }\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: string, url: SafeResourceUrl, options?: IconOptions): this {\n    return this.addSvgIconInNamespace('', iconName, url, options);\n  }\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: string, literal: SafeHtml, options?: IconOptions): this {\n    return this.addSvgIconLiteralInNamespace('', iconName, literal, options);\n  }\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(\n    namespace: string,\n    iconName: string,\n    url: SafeResourceUrl,\n    options?: IconOptions,\n  ): this {\n    return this._addSvgIconConfig(namespace, iconName, new SvgIconConfig(url, null, options));\n  }\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: IconResolver): this {\n    this._resolvers.push(resolver);\n    return this;\n  }\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(\n    namespace: string,\n    iconName: string,\n    literal: SafeHtml,\n    options?: IconOptions,\n  ): this {\n    const cleanLiteral = this._sanitizer.sanitize(SecurityContext.HTML, literal);\n\n    // TODO: add an ngDevMode check\n    if (!cleanLiteral) {\n      throw getMatIconFailedToSanitizeLiteralError(literal);\n    }\n\n    // Security: The literal is passed in as SafeHtml, and is thus trusted.\n    const trustedLiteral = trustedHTMLFromString(cleanLiteral);\n    return this._addSvgIconConfig(\n      namespace,\n      iconName,\n      new SvgIconConfig('', trustedLiteral, options),\n    );\n  }\n\n  /**\n   * Registers an icon set by URL in the default namespace.\n   * @param url\n   */\n  addSvgIconSet(url: SafeResourceUrl, options?: IconOptions): this {\n    return this.addSvgIconSetInNamespace('', url, options);\n  }\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: SafeHtml, options?: IconOptions): this {\n    return this.addSvgIconSetLiteralInNamespace('', literal, options);\n  }\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: string, url: SafeResourceUrl, options?: IconOptions): this {\n    return this._addSvgIconSetConfig(namespace, new SvgIconConfig(url, null, options));\n  }\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(\n    namespace: string,\n    literal: SafeHtml,\n    options?: IconOptions,\n  ): this {\n    const cleanLiteral = this._sanitizer.sanitize(SecurityContext.HTML, literal);\n\n    if (!cleanLiteral) {\n      throw getMatIconFailedToSanitizeLiteralError(literal);\n    }\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  /**\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 `<mat-icon>` 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   * <mat-icon fontSet=\"f1\" fontIcon=\"home\"></mat-icon>\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: string, classNames: string = alias): this {\n    this._fontCssClassesByAlias.set(alias, classNames);\n    return this;\n  }\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: string): string {\n    return this._fontCssClassesByAlias.get(alias) || alias;\n  }\n\n  /**\n   * Sets the CSS classes to be used for icon fonts when an `<mat-icon>` component does not\n   * have a fontSet input value, and is not loading an icon by name or URL.\n   */\n  setDefaultFontSetClass(...classNames: string[]): this {\n    this._defaultFontSetClass = classNames;\n    return this;\n  }\n\n  /**\n   * Returns the CSS classes to be used for icon fonts when an `<mat-icon>` component does not\n   * have a fontSet input value, and is not loading an icon by name or URL.\n   */\n  getDefaultFontSetClass(): string[] {\n    return this._defaultFontSetClass;\n  }\n\n  /**\n   * Returns an Observable that produces the icon (as an `<svg>` 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: SafeResourceUrl): Observable<SVGElement> {\n    const url = this._sanitizer.sanitize(SecurityContext.RESOURCE_URL, safeUrl);\n\n    if (!url) {\n      throw getMatIconFailedToSanitizeUrlError(safeUrl);\n    }\n\n    const cachedIcon = this._cachedIconsByUrl.get(url);\n\n    if (cachedIcon) {\n      return observableOf(cloneSvg(cachedIcon));\n    }\n\n    return this._loadSvgIconFromConfig(new SvgIconConfig(safeUrl, null)).pipe(\n      tap(svg => this._cachedIconsByUrl.set(url!, svg)),\n      map(svg => cloneSvg(svg)),\n    );\n  }\n\n  /**\n   * Returns an Observable that produces the icon (as an `<svg>` 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: string, namespace: string = ''): Observable<SVGElement> {\n    const key = iconKey(namespace, name);\n    let config = this._svgIconConfigs.get(key);\n\n    // Return (copy of) cached icon if possible.\n    if (config) {\n      return this._getSvgFromConfig(config);\n    }\n\n    // Otherwise try to resolve the config from one of the resolver functions.\n    config = this._getIconConfigFromResolvers(namespace, name);\n\n    if (config) {\n      this._svgIconConfigs.set(key, config);\n      return this._getSvgFromConfig(config);\n    }\n\n    // See if we have any icon sets registered for the namespace.\n    const iconSetConfigs = this._iconSetConfigs.get(namespace);\n\n    if (iconSetConfigs) {\n      return this._getSvgFromIconSetConfigs(name, iconSetConfigs);\n    }\n\n    return observableThrow(getMatIconNameNotFoundError(key));\n  }\n\n  ngOnDestroy() {\n    this._resolvers = [];\n    this._svgIconConfigs.clear();\n    this._iconSetConfigs.clear();\n    this._cachedIconsByUrl.clear();\n  }\n\n  /**\n   * Returns the cached icon for a SvgIconConfig if available, or fetches it from its URL if not.\n   */\n  private _getSvgFromConfig(config: SvgIconConfig): Observable<SVGElement> {\n    if (config.svgText) {\n      // We already have the SVG element for this icon, return a copy.\n      return observableOf(cloneSvg(this._svgElementFromConfig(config as LoadedSvgIconConfig)));\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  /**\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 `<svg>` 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  private _getSvgFromIconSetConfigs(\n    name: string,\n    iconSetConfigs: SvgIconConfig[],\n  ): Observable<SVGElement> {\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\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 observableOf(namedIcon);\n    }\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: Observable<TrustedHTML | null>[] = iconSetConfigs\n      .filter(iconSetConfig => !iconSetConfig.svgText)\n      .map(iconSetConfig => {\n        return this._loadSvgIconSetFromConfig(iconSetConfig).pipe(\n          catchError((err: HttpErrorResponse) => {\n            const url = this._sanitizer.sanitize(SecurityContext.RESOURCE_URL, iconSetConfig.url);\n\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 observableOf(null);\n          }),\n        );\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(\n      map(() => {\n        const foundIcon = this._extractIconWithNameFromAnySet(name, iconSetConfigs);\n\n        // TODO: add an ngDevMode check\n        if (!foundIcon) {\n          throw getMatIconNameNotFoundError(name);\n        }\n\n        return foundIcon;\n      }),\n    );\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  private _extractIconWithNameFromAnySet(\n    iconName: string,\n    iconSetConfigs: SvgIconConfig[],\n  ): SVGElement | null {\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\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 as LoadedSvgIconConfig);\n        const foundIcon = this._extractSvgIconFromSet(svg, iconName, config.options);\n        if (foundIcon) {\n          return foundIcon;\n        }\n      }\n    }\n    return null;\n  }\n\n  /**\n   * Loads the content of the icon URL specified in the SvgIconConfig and creates an SVG element\n   * from it.\n   */\n  private _loadSvgIconFromConfig(config: SvgIconConfig): Observable<SVGElement> {\n    return this._fetchIcon(config).pipe(\n      tap(svgText => (config.svgText = svgText)),\n      map(() => this._svgElementFromConfig(config as LoadedSvgIconConfig)),\n    );\n  }\n\n  /**\n   * Loads the content of the icon set URL specified in the\n   * SvgIconConfig and attaches it to the config.\n   */\n  private _loadSvgIconSetFromConfig(config: SvgIconConfig): Observable<TrustedHTML | null> {\n    if (config.svgText) {\n      return observableOf(null);\n    }\n\n    return this._fetchIcon(config).pipe(tap(svgText => (config.svgText = svgText)));\n  }\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  private _extractSvgIconFromSet(\n    iconSet: SVGElement,\n    iconName: string,\n    options?: IconOptions,\n  ): SVGElement | null {\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\n    if (!iconSource) {\n      return null;\n    }\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) as Element;\n    iconElement.removeAttribute('id');\n\n    // If the icon node is itself an <svg> node, clone and return it directly. If not, set it as\n    // the content of a new <svg> node.\n    if (iconElement.nodeName.toLowerCase() === 'svg') {\n      return this._setSvgAttributes(iconElement as SVGElement, options);\n    }\n\n    // If the node is a <symbol>, it won't be rendered so we have to convert it into <svg>. Note\n    // that the same could be achieved by referring to it via <use href=\"#id\">, however the <use>\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\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('<svg></svg>'));\n    // Clone the node so we don't remove it from the parent icon set element.\n    svg.appendChild(iconElement);\n\n    return this._setSvgAttributes(svg, options);\n  }\n\n  /**\n   * Creates a DOM element from the given SVG string.\n   */\n  private _svgElementFromString(str: TrustedHTML): SVGElement {\n    const div = this._document.createElement('DIV');\n    div.innerHTML = str as unknown as string;\n    const svg = div.querySelector('svg') as SVGElement;\n\n    // TODO: add an ngDevMode check\n    if (!svg) {\n      throw Error('<svg> tag not found');\n    }\n\n    return svg;\n  }\n\n  /**\n   * Converts an element into an SVG node by cloning all of its children.\n   */\n  private _toSvgElement(element: Element): SVGElement {\n    const svg = this._svgElementFromString(trustedHTMLFromString('<svg></svg>'));\n    const attributes = element.attributes;\n\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 {name, value} = attributes[i];\n\n      if (name !== 'id') {\n        svg.setAttribute(name, value);\n      }\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\n    return svg;\n  }\n\n  /**\n   * Sets the default attributes for an SVG element to be used as an icon.\n   */\n  private _setSvgAttributes(svg: SVGElement, options?: IconOptions): SVGElement {\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\n    if (options && options.viewBox) {\n      svg.setAttribute('viewBox', options.viewBox);\n    }\n\n    return svg;\n  }\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  private _fetchIcon(iconConfig: SvgIconConfig): Observable<TrustedHTML> {\n    const {url: safeUrl, options} = iconConfig;\n    const withCredentials = options?.withCredentials ?? false;\n\n    if (!this._httpClient) {\n      throw getMatIconNoHttpProviderError();\n    }\n\n    // TODO: add an ngDevMode check\n    if (safeUrl == null) {\n      throw Error(`Cannot fetch icon from URL \"${safeUrl}\".`);\n    }\n\n    const url = this._sanitizer.sanitize(SecurityContext.RESOURCE_URL, safeUrl);\n\n    // TODO: add an ngDevMode check\n    if (!url) {\n      throw getMatIconFailedToSanitizeUrlError(safeUrl);\n    }\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\n    if (inProgressFetch) {\n      return inProgressFetch;\n    }\n\n    const req = this._httpClient.get(url, {responseType: 'text', withCredentials}).pipe(\n      map(svg => {\n        // Security: This SVG is fetched from a SafeResourceUrl, and is thus\n        // trusted HTML.\n        return trustedHTMLFromString(svg);\n      }),\n      finalize(() => this._inProgressUrlFetches.delete(url)),\n      share(),\n    );\n\n    this._inProgressUrlFetches.set(url, req);\n    return req;\n  }\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  private _addSvgIconConfig(namespace: string, iconName: string, config: SvgIconConfig): this {\n    this._svgIconConfigs.set(iconKey(namespace, iconName), config);\n    return this;\n  }\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  private _addSvgIconSetConfig(namespace: string, config: SvgIconConfig): this {\n    const configNamespace = this._iconSetConfigs.get(namespace);\n\n    if (configNamespace) {\n      configNamespace.push(config);\n    } else {\n      this._iconSetConfigs.set(namespace, [config]);\n    }\n\n    return this;\n  }\n\n  /** Parses a config's text into an SVG element. */\n  private _svgElementFromConfig(config: LoadedSvgIconConfig): SVGElement {\n    if (!config.svgElement) {\n      const svg = this._svgElementFromString(config.svgText);\n      this._setSvgAttributes(svg, config.options);\n      config.svgElement = svg;\n    }\n\n    return config.svgElement;\n  }\n\n  /** Tries to create an icon config through the registered resolver functions. */\n  private _getIconConfigFromResolvers(namespace: string, name: string): SvgIconConfig | undefined {\n    for (let i = 0; i < this._resolvers.length; i++) {\n      const result = this._resolvers[i](name, namespace);\n\n      if (result) {\n        return isSafeUrlWithOptions(result)\n          ? new SvgIconConfig(result.url, null, result.options)\n          : new SvgIconConfig(result, null);\n      }\n    }\n\n    return undefined;\n  }\n}\n\n/** Clones an SVGElement while preserving type information. */\nfunction cloneSvg(svg: SVGElement): SVGElement {\n  return svg.cloneNode(true) as SVGElement;\n}\n\n/** Returns the cache key to use for an icon namespace and name. */\nfunction iconKey(namespace: string, name: string) {\n  return namespace + ':' + name;\n}\n\nfunction isSafeUrlWithOptions(value: any): value is SafeResourceUrlWithIconOptions {\n  return !!(value.url && value.options);\n}\n"],"names":["getMatIconNameNotFoundError","iconName","Error","getMatIconNoHttpProviderError","getMatIconFailedToSanitizeUrlError","url","getMatIconFailedToSanitizeLiteralError","literal","SvgIconConfig","svgText","options","svgElement","constructor","MatIconRegistry","_httpClient","_sanitizer","_errorHandler","_document","_svgIconConfigs","Map","_iconSetConfigs","_cachedIconsByUrl","_inProgressUrlFetches","_fontCssClassesByAlias","_resolvers","_defaultFontSetClass","document","addSvgIcon","addSvgIconInNamespace","addSvgIconLiteral","addSvgIconLiteralInNamespace","namespace","_addSvgIconConfig","addSvgIconResolver","resolver","push","cleanLiteral","sanitize","SecurityContext","HTML","trustedLiteral","trustedHTMLFromString","addSvgIconSet","addSvgIconSetInNamespace","addSvgIconSetLiteral","addSvgIconSetLiteralInNamespace","_addSvgIconSetConfig","registerFontClassAlias","alias","classNames","set","classNameForFontAlias","get","setDefaultFontSetClass","getDefaultFontSetClass","getSvgIconFromUrl","safeUrl","RESOURCE_URL","cachedIcon","observableOf","cloneSvg","_loadSvgIconFromConfig","pipe","tap","svg","map","getNamedSvgIcon","name","key","iconKey","config","_getSvgFromConfig","_getIconConfigFromResolvers","iconSetConfigs","_getSvgFromIconSetConfigs","observableThrow","ngOnDestroy","clear","_svgElementFromConfig","namedIcon","_extractIconWithNameFromAnySet","iconSetFetchRequests","filter","iconSetConfig","_loadSvgIconSetFromConfig","catchError","err","errorMessage","message","handleError","forkJoin","foundIcon","i","length","toString","indexOf","_extractSvgIconFromSet","_fetchIcon","iconSet","iconSource","querySelector","iconElement","cloneNode","removeAttribute","nodeName","toLowerCase","_setSvgAttributes","_toSvgElement","_svgElementFromString","appendChild","str","div","createElement","innerHTML","element","attributes","value","setAttribute","childNodes","nodeType","ELEMENT_NODE","viewBox","iconConfig","withCredentials","inProgressFetch","req","responseType","finalize","delete","share","configNamespace","result","isSafeUrlWithOptions","undefined","ɵfac","i0","ɵɵngDeclareFactory","minVersion","version","ngImport","type","DOCUMENT","optional","token","ErrorHandler","target","ɵɵFactoryTarget","Injectable","ɵprov","ɵɵngDeclareInjectable","decorators","providedIn","Optional","Inject"],"mappings":";;;;;;;;AA4BM,SAAUA,2BAA2BA,CAACC,QAAgB,EAAA;AAC1D,EAAA,OAAOC,KAAK,CAAC,CAAA,mCAAA,EAAsCD,QAAQ,GAAG,CAAC;AACjE;SAOgBE,6BAA6BA,GAAA;AAC3C,EAAA,OAAOD,KAAK,CACV,iEAAiE,GAC/D,mDAAmD,CACtD;AACH;AAOM,SAAUE,kCAAkCA,CAACC,GAAoB,EAAA;AACrE,EAAA,OAAOH,KAAK,CACV,CAAA,sEAAA,CAAwE,GACtE,CAAA,+CAAA,EAAkDG,GAAG,IAAI,CAC5D;AACH;AAOM,SAAUC,sCAAsCA,CAACC,OAAiB,EAAA;AACtE,EAAA,OAAOL,KAAK,CACV,CAAA,wEAAA,CAA0E,GACxE,CAAA,+CAAA,EAAkDK,OAAO,IAAI,CAChE;AACH;AA8BA,MAAMC,aAAa,CAAA;EAIRH,GAAA;EACAI,OAAA;EACAC,OAAA;AALTC,EAAAA,UAAU,GAAsB,IAAI;AAEpCC,EAAAA,WAAAA,CACSP,GAAoB,EACpBI,OAA2B,EAC3BC,OAAqB,EAAA;IAFrB,IAAA,CAAAL,GAAG,GAAHA,GAAG;IACH,IAAA,CAAAI,OAAO,GAAPA,OAAO;IACP,IAAA,CAAAC,OAAO,GAAPA,OAAO;AACb,EAAA;AACJ;MAaYG,eAAe,CAAA;EAkCJC,WAAA;EACZC,UAAA;EAESC,aAAA;EApCXC,SAAS;AAKTC,EAAAA,eAAe,GAAG,IAAIC,GAAG,EAAyB;AAMlDC,EAAAA,eAAe,GAAG,IAAID,GAAG,EAA2B;AAGpDE,EAAAA,iBAAiB,GAAG,IAAIF,GAAG,EAAsB;AAGjDG,EAAAA,qBAAqB,GAAG,IAAIH,GAAG,EAAmC;AAGlEI,EAAAA,sBAAsB,GAAG,IAAIJ,GAAG,EAAkB;AAGlDK,EAAAA,UAAU,GAAmB,EAAE;AAO/BC,EAAAA,oBAAoB,GAAG,CAAC,gBAAgB,EAAE,mBAAmB,CAAC;EAEtEb,WAAAA,CACsBE,WAAuB,EACnCC,UAAwB,EACFW,QAAa,EAC1BV,aAA2B,EAAA;IAHxB,IAAA,CAAAF,WAAW,GAAXA,WAAW;IACvB,IAAA,CAAAC,UAAU,GAAVA,UAAU;IAED,IAAA,CAAAC,aAAa,GAAbA,aAAa;IAE9B,IAAI,CAACC,SAAS,GAAGS,QAAQ;AAC3B,EAAA;AAOAC,EAAAA,UAAUA,CAAC1B,QAAgB,EAAEI,GAAoB,EAAEK,OAAqB,EAAA;IACtE,OAAO,IAAI,CAACkB,qBAAqB,CAAC,EAAE,EAAE3B,QAAQ,EAAEI,GAAG,EAAEK,OAAO,CAAC;AAC/D,EAAA;AAOAmB,EAAAA,iBAAiBA,CAAC5B,QAAgB,EAAEM,OAAiB,EAAEG,OAAqB,EAAA;IAC1E,OAAO,IAAI,CAACoB,4BAA4B,CAAC,EAAE,EAAE7B,QAAQ,EAAEM,OAAO,EAAEG,OAAO,CAAC;AAC1E,EAAA;EAQAkB,qBAAqBA,CACnBG,SAAiB,EACjB9B,QAAgB,EAChBI,GAAoB,EACpBK,OAAqB,EAAA;AAErB,IAAA,OAAO,IAAI,CAACsB,iBAAiB,CAACD,SAAS,EAAE9B,QAAQ,EAAE,IAAIO,aAAa,CAACH,GAAG,EAAE,IAAI,EAAEK,OAAO,CAAC,CAAC;AAC3F,EAAA;EAUAuB,kBAAkBA,CAACC,QAAsB,EAAA;AACvC,IAAA,IAAI,CAACV,UAAU,CAACW,IAAI,CAACD,QAAQ,CAAC;AAC9B,IAAA,OAAO,IAAI;AACb,EAAA;EAQAJ,4BAA4BA,CAC1BC,SAAiB,EACjB9B,QAAgB,EAChBM,OAAiB,EACjBG,OAAqB,EAAA;AAErB,IAAA,MAAM0B,YAAY,GAAG,IAAI,CAACrB,UAAU,CAACsB,QAAQ,CAACC,eAAe,CAACC,IAAI,EAAEhC,OAAO,CAAC;IAG5E,IAAI,CAAC6B,YAAY,EAAE;MACjB,MAAM9B,sCAAsC,CAACC,OAAO,CAAC;AACvD,IAAA;AAGA,IAAA,MAAMiC,cAAc,GAAGC,qBAAqB,CAACL,YAAY,CAAC;AAC1D,IAAA,OAAO,IAAI,CAACJ,iBAAiB,CAC3BD,SAAS,EACT9B,QAAQ,EACR,IAAIO,aAAa,CAAC,EAAE,EAAEgC,cAAc,EAAE9B,OAAO,CAAC,CAC/C;AACH,EAAA;AAMAgC,EAAAA,aAAaA,CAACrC,GAAoB,EAAEK,OAAqB,EAAA;IACvD,OAAO,IAAI,CAACiC,wBAAwB,CAAC,EAAE,EAAEtC,GAAG,EAAEK,OAAO,CAAC;AACxD,EAAA;AAMAkC,EAAAA,oBAAoBA,CAACrC,OAAiB,EAAEG,OAAqB,EAAA;IAC3D,OAAO,IAAI,CAACmC,+BAA+B,CAAC,EAAE,EAAEtC,OAAO,EAAEG,OAAO,CAAC;AACnE,EAAA;AAOAiC,EAAAA,wBAAwBA,CAACZ,SAAiB,EAAE1B,GAAoB,EAAEK,OAAqB,EAAA;AACrF,IAAA,OAAO,IAAI,CAACoC,oBAAoB,CAACf,SAAS,EAAE,IAAIvB,aAAa,CAACH,GAAG,EAAE,IAAI,EAAEK,OAAO,CAAC,CAAC;AACpF,EAAA;AAOAmC,EAAAA,+BAA+BA,CAC7Bd,SAAiB,EACjBxB,OAAiB,EACjBG,OAAqB,EAAA;AAErB,IAAA,MAAM0B,YAAY,GAAG,IAAI,CAACrB,UAAU,CAACsB,QAAQ,CAACC,eAAe,CAACC,IAAI,EAAEhC,OAAO,CAAC;IAE5E,IAAI,CAAC6B,YAAY,EAAE;MACjB,MAAM9B,sCAAsC,CAACC,OAAO,CAAC;AACvD,IAAA;AAGA,IAAA,MAAMiC,cAAc,GAAGC,qBAAqB,CAACL,YAAY,CAAC;AAC1D,IAAA,OAAO,IAAI,CAACU,oBAAoB,CAACf,SAAS,EAAE,IAAIvB,aAAa,CAAC,EAAE,EAAEgC,cAAc,EAAE9B,OAAO,CAAC,CAAC;AAC7F,EAAA;AAuBAqC,EAAAA,sBAAsBA,CAACC,KAAa,EAAEC,UAAA,GAAqBD,KAAK,EAAA;IAC9D,IAAI,CAACzB,sBAAsB,CAAC2B,GAAG,CAACF,KAAK,EAAEC,UAAU,CAAC;AAClD,IAAA,OAAO,IAAI;AACb,EAAA;EAMAE,qBAAqBA,CAACH,KAAa,EAAA;IACjC,OAAO,IAAI,CAACzB,sBAAsB,CAAC6B,GAAG,CAACJ,KAAK,CAAC,IAAIA,KAAK;AACxD,EAAA;EAMAK,sBAAsBA,CAAC,GAAGJ,UAAoB,EAAA;IAC5C,IAAI,CAACxB,oBAAoB,GAAGwB,UAAU;AACtC,IAAA,OAAO,IAAI;AACb,EAAA;AAMAK,EAAAA,sBAAsBA,GAAA;IACpB,OAAO,IAAI,CAAC7B,oBAAoB;AAClC,EAAA;EAUA8B,iBAAiBA,CAACC,OAAwB,EAAA;AACxC,IAAA,MAAMnD,GAAG,GAAG,IAAI,CAACU,UAAU,CAACsB,QAAQ,CAACC,eAAe,CAACmB,YAAY,EAAED,OAAO,CAAC;IAE3E,IAAI,CAACnD,GAAG,EAAE;MACR,MAAMD,kCAAkC,CAACoD,OAAO,CAAC;AACnD,IAAA;IAEA,MAAME,UAAU,GAAG,IAAI,CAACrC,iBAAiB,CAAC+B,GAAG,CAAC/C,GAAG,CAAC;AAElD,IAAA,IAAIqD,UAAU,EAAE;AACd,MAAA,OAAOC,EAAY,CAACC,QAAQ,CAACF,UAAU,CAAC,CAAC;AAC3C,IAAA;AAEA,IAAA,OAAO,IAAI,CAACG,sBAAsB,CAAC,IAAIrD,aAAa,CAACgD,OAAO,EAAE,IAAI,CAAC,CAAC,CAACM,IAAI,CACvEC,GAAG,CAACC,GAAG,IAAI,IAAI,CAAC3C,iBAAiB,CAAC6B,GAAG,CAAC7C,GAAI,EAAE2D,GAAG,CAAC,CAAC,EACjDC,GAAG,CAACD,GAAG,IAAIJ,QAAQ,CAACI,GAAG,CAAC,CAAC,CAC1B;AACH,EAAA;AAUAE,EAAAA,eAAeA,CAACC,IAAY,EAAEpC,SAAA,GAAoB,EAAE,EAAA;AAClD,IAAA,MAAMqC,GAAG,GAAGC,OAAO,CAACtC,SAAS,EAAEoC,IAAI,CAAC;IACpC,IAAIG,MAAM,GAAG,IAAI,CAACpD,eAAe,CAACkC,GAAG,CAACgB,GAAG,CAAC;AAG1C,IAAA,IAAIE,MAAM,EAAE;AACV,MAAA,OAAO,IAAI,CAACC,iBAAiB,CAACD,MAAM,CAAC;AACvC,IAAA;IAGAA,MAAM,GAAG,IAAI,CAACE,2BAA2B,CAACzC,SAAS,EAAEoC,IAAI,CAAC;AAE1D,IAAA,IAAIG,MAAM,EAAE;MACV,IAAI,CAACpD,eAAe,CAACgC,GAAG,CAACkB,GAAG,EAAEE,MAAM,CAAC;AACrC,MAAA,OAAO,IAAI,CAACC,iBAAiB,CAACD,MAAM,CAAC;AACvC,IAAA;IAGA,MAAMG,cAAc,GAAG,IAAI,CAACrD,eAAe,CAACgC,GAAG,CAACrB,SAAS,CAAC;AAE1D,IAAA,IAAI0C,cAAc,EAAE;AAClB,MAAA,OAAO,IAAI,CAACC,yBAAyB,CAACP,IAAI,EAAEM,cAAc,CAAC;AAC7D,IAAA;AAEA,IAAA,OAAOE,UAAe,CAAC3E,2BAA2B,CAACoE,GAAG,CAAC,CAAC;AAC1D,EAAA;AAEAQ,EAAAA,WAAWA,GAAA;IACT,IAAI,CAACpD,UAAU,GAAG,EAAE;AACpB,IAAA,IAAI,CAACN,eAAe,CAAC2D,KAAK,EAAE;AAC5B,IAAA,IAAI,CAACzD,eAAe,CAACyD,KAAK,EAAE;AAC5B,IAAA,IAAI,CAACxD,iBAAiB,CAACwD,KAAK,EAAE;AAChC,EAAA;EAKQN,iBAAiBA,CAACD,MAAqB,EAAA;IAC7C,IAAIA,MAAM,CAAC7D,OAAO,EAAE;MAElB,OAAOkD,EAAY,CAACC,QAAQ,CAAC,IAAI,CAACkB,qBAAqB,CAACR,MAA6B,CAAC,CAAC,CAAC;AAC1F,IAAA,CAAA,MAAO;AAEL,MAAA,OAAO,IAAI,CAACT,sBAAsB,CAACS,MAAM,CAAC,CAACR,IAAI,CAACG,GAAG,CAACD,GAAG,IAAIJ,QAAQ,CAACI,GAAG,CAAC,CAAC,CAAC;AAC5E,IAAA;AACF,EAAA;AAUQU,EAAAA,yBAAyBA,CAC/BP,IAAY,EACZM,cAA+B,EAAA;IAI/B,MAAMM,SAAS,GAAG,IAAI,CAACC,8BAA8B,CAACb,IAAI,EAAEM,cAAc,CAAC;AAE3E,IAAA,IAAIM,SAAS,EAAE;MAIb,OAAOpB,EAAY,CAACoB,SAAS,CAAC;AAChC,IAAA;AAIA,IAAA,MAAME,oBAAoB,GAAqCR,cAAA,CAC5DS,MAAM,CAACC,aAAa,IAAI,CAACA,aAAa,CAAC1E,OAAO,CAAA,CAC9CwD,GAAG,CAACkB,aAAa,IAAG;AACnB,MAAA,OAAO,IAAI,CAACC,yBAAyB,CAACD,aAAa,CAAC,CAACrB,IAAI,CACvDuB,UAAU,CAAEC,GAAsB,IAAI;AACpC,QAAA,MAAMjF,GAAG,GAAG,IAAI,CAACU,UAAU,CAACsB,QAAQ,CAACC,eAAe,CAACmB,YAAY,EAAE0B,aAAa,CAAC9E,GAAG,CAAC;QAIrF,MAAMkF,YAAY,GAAG,CAAA,sBAAA,EAAyBlF,GAAG,YAAYiF,GAAG,CAACE,OAAO,CAAA,CAAE;QAC1E,IAAI,CAACxE,aAAa,CAACyE,WAAW,CAAC,IAAIvF,KAAK,CAACqF,YAAY,CAAC,CAAC;QACvD,OAAO5B,EAAY,CAAC,IAAI,CAAC;AAC3B,MAAA,CAAC,CAAC,CACH;AACH,IAAA,CAAC,CAAC;IAIJ,OAAO+B,QAAQ,CAACT,oBAAoB,CAAC,CAACnB,IAAI,CACxCG,GAAG,CAAC,MAAK;MACP,MAAM0B,SAAS,GAAG,IAAI,CAACX,8BAA8B,CAACb,IAAI,EAAEM,cAAc,CAAC;MAG3E,IAAI,CAACkB,SAAS,EAAE;QACd,MAAM3F,2BAA2B,CAACmE,IAAI,CAAC;AACzC,MAAA;AAEA,MAAA,OAAOwB,SAAS;AAClB,IAAA,CAAC,CAAC,CACH;AACH,EAAA;AAOQX,EAAAA,8BAA8BA,CACpC/E,QAAgB,EAChBwE,cAA+B,EAAA;AAG/B,IAAA,KAAK,IAAImB,CAAC,GAAGnB,cAAc,CAACoB,MAAM,GAAG,CAAC,EAAED,CAAC,IAAI,CAAC,EAAEA,CAAC,EAAE,EAAE;AACnD,MAAA,MAAMtB,MAAM,GAAGG,cAAc,CAACmB,CAAC,CAAC;AAMhC,MAAA,IAAItB,MAAM,CAAC7D,OAAO,IAAI6D,MAAM,CAAC7D,OAAO,CAACqF,QAAQ,EAAE,CAACC,OAAO,CAAC9F,QAAQ,CAAC,GAAG,EAAE,EAAE;AACtE,QAAA,MAAM+D,GAAG,GAAG,IAAI,CAACc,qBAAqB,CAACR,MAA6B,CAAC;AACrE,QAAA,MAAMqB,SAAS,GAAG,IAAI,CAACK,sBAAsB,CAAChC,GAAG,EAAE/D,QAAQ,EAAEqE,MAAM,CAAC5D,OAAO,CAAC;AAC5E,QAAA,IAAIiF,SAAS,EAAE;AACb,UAAA,OAAOA,SAAS;AAClB,QAAA;AACF,MAAA;AACF,IAAA;AACA,IAAA,OAAO,IAAI;AACb,EAAA;EAMQ9B,sBAAsBA,CAACS,MAAqB,EAAA;AAClD,IAAA,OAAO,IAAI,CAAC2B,UAAU,CAAC3B,MAAM,CAAC,CAACR,IAAI,CACjCC,GAAG,CAACtD,OAAO,IAAK6D,MAAM,CAAC7D,OAAO,GAAGA,OAAQ,CAAC,EAC1CwD,GAAG,CAAC,MAAM,IAAI,CAACa,qBAAqB,CAACR,MAA6B,CAAC,CAAC,CACrE;AACH,EAAA;EAMQc,yBAAyBA,CAACd,MAAqB,EAAA;IACrD,IAAIA,MAAM,CAAC7D,OAAO,EAAE;MAClB,OAAOkD,EAAY,CAAC,IAAI,CAAC;AAC3B,IAAA;AAEA,IAAA,OAAO,IAAI,CAACsC,UAAU,CAAC3B,MAAM,CAAC,CAACR,IAAI,CAACC,GAAG,CAACtD,OAAO,IAAK6D,MAAM,CAAC7D,OAAO,GAAGA,OAAQ,CAAC,CAAC;AACjF,EAAA;AAOQuF,EAAAA,sBAAsBA,CAC5BE,OAAmB,EACnBjG,QAAgB,EAChBS,OAAqB,EAAA;IAIrB,MAAMyF,UAAU,GAAGD,OAAO,CAACE,aAAa,CAAC,CAAA,KAAA,EAAQnG,QAAQ,CAAA,EAAA,CAAI,CAAC;IAE9D,IAAI,CAACkG,UAAU,EAAE;AACf,MAAA,OAAO,IAAI;AACb,IAAA;AAIA,IAAA,MAAME,WAAW,GAAGF,UAAU,CAACG,SAAS,CAAC,IAAI,CAAY;AACzDD,IAAAA,WAAW,CAACE,eAAe,CAAC,IAAI,CAAC;IAIjC,IAAIF,WAAW,CAACG,QAAQ,CAACC,WAAW,EAAE,KAAK,KAAK,EAAE;AAChD,MAAA,OAAO,IAAI,CAACC,iBAAiB,CAACL,WAAyB,EAAE3F,OAAO,CAAC;AACnE,IAAA;IAKA,IAAI2F,WAAW,CAACG,QAAQ,CAACC,WAAW,EAAE,KAAK,QAAQ,EAAE;AACnD,MAAA,OAAO,IAAI,CAACC,iBAAiB,CAAC,IAAI,CAACC,aAAa,CAACN,WAAW,CAAC,EAAE3F,OAAO,CAAC;AACzE,IAAA;IAOA,MAAMsD,GAAG,GAAG,IAAI,CAAC4C,qBAAqB,CAACnE,qBAAqB,CAAC,aAAa,CAAC,CAAC;AAE5EuB,IAAAA,GAAG,CAAC6C,WAAW,CAACR,WAAW,CAAC;AAE5B,IAAA,OAAO,IAAI,CAACK,iBAAiB,CAAC1C,GAAG,EAAEtD,OAAO,CAAC;AAC7C,EAAA;EAKQkG,qBAAqBA,CAACE,GAAgB,EAAA;IAC5C,MAAMC,GAAG,GAAG,IAAI,CAAC9F,SAAS,CAAC+F,aAAa,CAAC,KAAK,CAAC;IAC/CD,GAAG,CAACE,SAAS,GAAGH,GAAwB;AACxC,IAAA,MAAM9C,GAAG,GAAG+C,GAAG,CAACX,aAAa,CAAC,KAAK,CAAe;IAGlD,IAAI,CAACpC,GAAG,EAAE;MACR,MAAM9D,KAAK,CAAC,qBAAqB,CAAC;AACpC,IAAA;AAEA,IAAA,OAAO8D,GAAG;AACZ,EAAA;EAKQ2C,aAAaA,CAACO,OAAgB,EAAA;IACpC,MAAMlD,GAAG,GAAG,IAAI,CAAC4C,qBAAqB,CAACnE,qBAAqB,CAAC,aAAa,CAAC,CAAC;AAC5E,IAAA,MAAM0E,UAAU,GAAGD,OAAO,CAACC,UAAU;AAGrC,IAAA,KAAK,IAAIvB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGuB,UAAU,CAACtB,MAAM,EAAED,CAAC,EAAE,EAAE;MAC1C,MAAM;QAACzB,IAAI;AAAEiD,QAAAA;AAAK,OAAC,GAAGD,UAAU,CAACvB,CAAC,CAAC;MAEnC,IAAIzB,IAAI,KAAK,IAAI,EAAE;AACjBH,QAAAA,GAAG,CAACqD,YAAY,CAAClD,IAAI,EAAEiD,KAAK,CAAC;AAC/B,MAAA;AACF,IAAA;AAEA,IAAA,KAAK,IAAIxB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGsB,OAAO,CAACI,UAAU,CAACzB,MAAM,EAAED,CAAC,EAAE,EAAE;AAClD,MAAA,IAAIsB,OAAO,CAACI,UAAU,CAAC1B,CAAC,CAAC,CAAC2B,QAAQ,KAAK,IAAI,CAACtG,SAAS,CAACuG,YAAY,EAAE;AAClExD,QAAAA,GAAG,CAAC6C,WAAW,CAACK,OAAO,CAACI,UAAU,CAAC1B,CAAC,CAAC,CAACU,SAAS,CAAC,IAAI,CAAC,CAAC;AACxD,MAAA;AACF,IAAA;AAEA,IAAA,OAAOtC,GAAG;AACZ,EAAA;AAKQ0C,EAAAA,iBAAiBA,CAAC1C,GAAe,EAAEtD,OAAqB,EAAA;AAC9DsD,IAAAA,GAAG,CAACqD,YAAY,CAAC,KAAK,EAAE,EAAE,CAAC;AAC3BrD,IAAAA,GAAG,CAACqD,YAAY,CAAC,QAAQ,EAAE,MAAM,CAAC;AAClCrD,IAAAA,GAAG,CAACqD,YAAY,CAAC,OAAO,EAAE,MAAM,CAAC;AACjCrD,IAAAA,GAAG,CAACqD,YAAY,CAAC,qBAAqB,EAAE,eAAe,CAAC;AACxDrD,IAAAA,GAAG,CAACqD,YAAY,CAAC,WAAW,EAAE,OAAO,CAAC;AAEtC,IAAA,IAAI3G,OAAO,IAAIA,OAAO,CAAC+G,OAAO,EAAE;MAC9BzD,GAAG,CAACqD,YAAY,CAAC,SAAS,EAAE3G,OAAO,CAAC+G,OAAO,CAAC;AAC9C,IAAA;AAEA,IAAA,OAAOzD,GAAG;AACZ,EAAA;EAMQiC,UAAUA,CAACyB,UAAyB,EAAA;IAC1C,MAAM;AAACrH,MAAAA,GAAG,EAAEmD,OAAO;AAAE9C,MAAAA;AAAO,KAAC,GAAGgH,UAAU;AAC1C,IAAA,MAAMC,eAAe,GAAGjH,OAAO,EAAEiH,eAAe,IAAI,KAAK;AAEzD,IAAA,IAAI,CAAC,IAAI,CAAC7G,WAAW,EAAE;MACrB,MAAMX,6BAA6B,EAAE;AACvC,IAAA;IAGA,IAAIqD,OAAO,IAAI,IAAI,EAAE;AACnB,MAAA,MAAMtD,KAAK,CAAC,CAAA,4BAAA,EAA+BsD,OAAO,IAAI,CAAC;AACzD,IAAA;AAEA,IAAA,MAAMnD,GAAG,GAAG,IAAI,CAACU,UAAU,CAACsB,QAAQ,CAACC,eAAe,CAACmB,YAAY,EAAED,OAAO,CAAC;IAG3E,IAAI,CAACnD,GAAG,EAAE;MACR,MAAMD,kCAAkC,CAACoD,OAAO,CAAC;AACnD,IAAA;IAKA,MAAMoE,eAAe,GAAG,IAAI,CAACtG,qBAAqB,CAAC8B,GAAG,CAAC/C,GAAG,CAAC;AAE3D,IAAA,IAAIuH,eAAe,EAAE;AACnB,MAAA,OAAOA,eAAe;AACxB,IAAA;IAEA,MAAMC,GAAG,GAAG,IAAI,CAAC/G,WAAW,CAACsC,GAAG,CAAC/C,GAAG,EAAE;AAACyH,MAAAA,YAAY,EAAE,MAAM;AAAEH,MAAAA;AAAe,KAAC,CAAC,CAAC7D,IAAI,CACjFG,GAAG,CAACD,GAAG,IAAG;MAGR,OAAOvB,qBAAqB,CAACuB,GAAG,CAAC;AACnC,IAAA,CAAC,CAAC,EACF+D,QAAQ,CAAC,MAAM,IAAI,CAACzG,qBAAqB,CAAC0G,MAAM,CAAC3H,GAAG,CAAC,CAAC,EACtD4H,KAAK,EAAE,CACR;IAED,IAAI,CAAC3G,qBAAqB,CAAC4B,GAAG,CAAC7C,GAAG,EAAEwH,GAAG,CAAC;AACxC,IAAA,OAAOA,GAAG;AACZ,EAAA;AAQQ7F,EAAAA,iBAAiBA,CAACD,SAAiB,EAAE9B,QAAgB,EAAEqE,MAAqB,EAAA;AAClF,IAAA,IAAI,CAACpD,eAAe,CAACgC,GAAG,CAACmB,OAAO,CAACtC,SAAS,EAAE9B,QAAQ,CAAC,EAAEqE,MAAM,CAAC;AAC9D,IAAA,OAAO,IAAI;AACb,EAAA;AAOQxB,EAAAA,oBAAoBA,CAACf,SAAiB,EAAEuC,MAAqB,EAAA;IACnE,MAAM4D,eAAe,GAAG,IAAI,CAAC9G,eAAe,CAACgC,GAAG,CAACrB,SAAS,CAAC;AAE3D,IAAA,IAAImG,eAAe,EAAE;AACnBA,MAAAA,eAAe,CAAC/F,IAAI,CAACmC,MAAM,CAAC;AAC9B,IAAA,CAAA,MAAO;MACL,IAAI,CAAClD,eAAe,CAAC8B,GAAG,CAACnB,SAAS,EAAE,CAACuC,MAAM,CAAC,CAAC;AAC/C,IAAA;AAEA,IAAA,OAAO,IAAI;AACb,EAAA;EAGQQ,qBAAqBA,CAACR,MAA2B,EAAA;AACvD,IAAA,IAAI,CAACA,MAAM,CAAC3D,UAAU,EAAE;MACtB,MAAMqD,GAAG,GAAG,IAAI,CAAC4C,qBAAqB,CAACtC,MAAM,CAAC7D,OAAO,CAAC;MACtD,IAAI,CAACiG,iBAAiB,CAAC1C,GAAG,EAAEM,MAAM,CAAC5D,OAAO,CAAC;MAC3C4D,MAAM,CAAC3D,UAAU,GAAGqD,GAAG;AACzB,IAAA;IAEA,OAAOM,MAAM,CAAC3D,UAAU;AAC1B,EAAA;AAGQ6D,EAAAA,2BAA2BA,CAACzC,SAAiB,EAAEoC,IAAY,EAAA;AACjE,IAAA,KAAK,IAAIyB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,IAAI,CAACpE,UAAU,CAACqE,MAAM,EAAED,CAAC,EAAE,EAAE;AAC/C,MAAA,MAAMuC,MAAM,GAAG,IAAI,CAAC3G,UAAU,CAACoE,CAAC,CAAC,CAACzB,IAAI,EAAEpC,SAAS,CAAC;AAElD,MAAA,IAAIoG,MAAM,EAAE;QACV,OAAOC,oBAAoB,CAACD,MAAM,CAAA,GAC9B,IAAI3H,aAAa,CAAC2H,MAAM,CAAC9H,GAAG,EAAE,IAAI,EAAE8H,MAAM,CAACzH,OAAO,CAAA,GAClD,IAAIF,aAAa,CAAC2H,MAAM,EAAE,IAAI,CAAC;AACrC,MAAA;AACF,IAAA;AAEA,IAAA,OAAOE,SAAS;AAClB,EAAA;AAhmBW,EAAA,OAAAC,IAAA,GAAAC,EAAA,CAAAC,kBAAA,CAAA;AAAAC,IAAAA,UAAA,EAAA,QAAA;AAAAC,IAAAA,OAAA,EAAA,eAAA;AAAAC,IAAAA,QAAA,EAAAJ,EAAA;AAAAK,IAAAA,IAAA,EAAA/H,eAAe;;;;;;;aAoCJgI,QAAQ;AAAAC,MAAAA,QAAA,EAAA;AAAA,KAAA,EAAA;MAAAC,KAAA,EAAAR,EAAA,CAAAS;AAAA,KAAA,CAAA;AAAAC,IAAAA,MAAA,EAAAV,EAAA,CAAAW,eAAA,CAAAC;AAAA,GAAA,CAAA;AApCnB,EAAA,OAAAC,KAAA,GAAAb,EAAA,CAAAc,qBAAA,CAAA;AAAAZ,IAAAA,UAAA,EAAA,QAAA;AAAAC,IAAAA,OAAA,EAAA,eAAA;AAAAC,IAAAA,QAAA,EAAAJ,EAAA;AAAAK,IAAAA,IAAA,EAAA/H,eAAe;gBADH;AAAM,GAAA,CAAA;;;;;;QAClBA,eAAe;AAAAyI,EAAAA,UAAA,EAAA,CAAA;UAD3BH,UAAU;WAAC;AAACI,MAAAA,UAAU,EAAE;KAAO;;;;;YAmC3BC;;;;;;;YAEAA;;YAAYC,MAAM;aAACZ,QAAQ;;;;;;AAgkBhC,SAASjF,QAAQA,CAACI,GAAe,EAAA;AAC/B,EAAA,OAAOA,GAAG,CAACsC,SAAS,CAAC,IAAI,CAAe;AAC1C;AAGA,SAASjC,OAAOA,CAACtC,SAAiB,EAAEoC,IAAY,EAAA;AAC9C,EAAA,OAAOpC,SAAS,GAAG,GAAG,GAAGoC,IAAI;AAC/B;AAEA,SAASiE,oBAAoBA,CAAChB,KAAU,EAAA;EACtC,OAAO,CAAC,EAAEA,KAAK,CAAC/G,GAAG,IAAI+G,KAAK,CAAC1G,OAAO,CAAC;AACvC;;;;"}