(our hidden element)\n // react-dom in dev mode will warn about this. There doesn't seem to be a way to render arbitrary\n // user Head without hitting this issue (our hidden element could be just \"new Document()\", but\n // this can only have 1 child, and we don't control what is being rendered so that's not an option)\n // instead we continue to render to
, and just silence warnings for and elements\n // https://github.com/facebook/react/blob/e2424f33b3ad727321fc12e75c5e94838e84c2b5/packages/react-dom-bindings/src/client/validateDOMNesting.js#L498-L520\n const originalConsoleError = console.error.bind(console)\n console.error = (...args) => {\n if (\n Array.isArray(args) &&\n args.length >= 2 &&\n args[0]?.includes?.(`validateDOMNesting(...): %s cannot appear as`) &&\n (args[1] === `` || args[1] === ``)\n ) {\n return undefined\n }\n return originalConsoleError(...args)\n }\n\n /* We set up observer to be able to regenerate after react-refresh\n updates our hidden element.\n */\n const observer = new MutationObserver(onHeadRendered)\n observer.observe(hiddenRoot, {\n attributes: true,\n childList: true,\n characterData: true,\n subtree: true,\n })\n}\n\nexport function headHandlerForBrowser({\n pageComponent,\n staticQueryResults,\n pageComponentProps,\n}) {\n useEffect(() => {\n if (pageComponent?.Head) {\n headExportValidator(pageComponent.Head)\n\n const { render } = reactDOMUtils()\n\n const HeadElement = (\n
\n )\n\n const WrapHeadElement = apiRunner(\n `wrapRootElement`,\n { element: HeadElement },\n HeadElement,\n ({ result }) => {\n return { element: result }\n }\n ).pop()\n\n render(\n // just a hack to call the callback after react has done first render\n // Note: In dev, we call onHeadRendered twice( in FireCallbackInEffect and after mutualution observer dectects initail render into hiddenRoot) this is for hot reloading\n // In Prod we only call onHeadRendered in FireCallbackInEffect to render to head\n
\n \n {WrapHeadElement}\n \n ,\n hiddenRoot\n )\n }\n\n return () => {\n removePrevHeadElements()\n removeHtmlAndBodyAttributes(keysOfHtmlAndBodyAttributes)\n }\n })\n}\n","import React, { Suspense, createElement } from \"react\"\nimport PropTypes from \"prop-types\"\nimport { apiRunner } from \"./api-runner-browser\"\nimport { grabMatchParams } from \"./find-path\"\nimport { headHandlerForBrowser } from \"./head/head-export-handler-for-browser\"\n\n// Renders page\nfunction PageRenderer(props) {\n const pageComponentProps = {\n ...props,\n params: {\n ...grabMatchParams(props.location.pathname),\n ...props.pageResources.json.pageContext.__params,\n },\n }\n\n const preferDefault = m => (m && m.default) || m\n\n let pageElement\n if (props.pageResources.partialHydration) {\n pageElement = props.pageResources.partialHydration\n } else {\n pageElement = createElement(preferDefault(props.pageResources.component), {\n ...pageComponentProps,\n key: props.path || props.pageResources.page.path,\n })\n }\n\n const pageComponent = props.pageResources.head\n\n headHandlerForBrowser({\n pageComponent,\n staticQueryResults: props.pageResources.staticQueryResults,\n pageComponentProps,\n })\n\n const wrappedPage = apiRunner(\n `wrapPageElement`,\n {\n element: pageElement,\n props: pageComponentProps,\n },\n pageElement,\n ({ result }) => {\n return { element: result, props: pageComponentProps }\n }\n ).pop()\n\n return wrappedPage\n}\n\nPageRenderer.propTypes = {\n location: PropTypes.object.isRequired,\n pageResources: PropTypes.object.isRequired,\n data: PropTypes.object,\n pageContext: PropTypes.object.isRequired,\n}\n\nexport default PageRenderer\n","// This is extracted to separate module because it's shared\n// between browser and SSR code\nexport const RouteAnnouncerProps = {\n id: `gatsby-announcer`,\n style: {\n position: `absolute`,\n top: 0,\n width: 1,\n height: 1,\n padding: 0,\n overflow: `hidden`,\n clip: `rect(0, 0, 0, 0)`,\n whiteSpace: `nowrap`,\n border: 0,\n },\n \"aria-live\": `assertive`,\n \"aria-atomic\": `true`,\n}\n","import React from \"react\"\nimport PropTypes from \"prop-types\"\nimport loader, { PageResourceStatus } from \"./loader\"\nimport { maybeGetBrowserRedirect } from \"./redirect-utils.js\"\nimport { apiRunner } from \"./api-runner-browser\"\nimport emitter from \"./emitter\"\nimport { RouteAnnouncerProps } from \"./route-announcer-props\"\nimport {\n navigate as reachNavigate,\n globalHistory,\n} from \"@gatsbyjs/reach-router\"\nimport { parsePath } from \"gatsby-link\"\n\nfunction maybeRedirect(pathname) {\n const redirect = maybeGetBrowserRedirect(pathname)\n const { hash, search } = window.location\n\n if (redirect != null) {\n window.___replace(redirect.toPath + search + hash)\n return true\n } else {\n return false\n }\n}\n\n// Catch unhandled chunk loading errors and force a restart of the app.\nlet nextRoute = ``\n\nwindow.addEventListener(`unhandledrejection`, event => {\n if (/loading chunk \\d* failed./i.test(event.reason)) {\n if (nextRoute) {\n window.location.pathname = nextRoute\n }\n }\n})\n\nconst onPreRouteUpdate = (location, prevLocation) => {\n if (!maybeRedirect(location.pathname)) {\n nextRoute = location.pathname\n apiRunner(`onPreRouteUpdate`, { location, prevLocation })\n }\n}\n\nconst onRouteUpdate = (location, prevLocation) => {\n if (!maybeRedirect(location.pathname)) {\n apiRunner(`onRouteUpdate`, { location, prevLocation })\n if (\n process.env.GATSBY_QUERY_ON_DEMAND &&\n process.env.GATSBY_QUERY_ON_DEMAND_LOADING_INDICATOR === `true`\n ) {\n emitter.emit(`onRouteUpdate`, { location, prevLocation })\n }\n }\n}\n\nconst navigate = (to, options = {}) => {\n // Support forward/backward navigation with numbers\n // navigate(-2) (jumps back 2 history steps)\n // navigate(2) (jumps forward 2 history steps)\n if (typeof to === `number`) {\n globalHistory.navigate(to)\n return\n }\n\n const { pathname, search, hash } = parsePath(to)\n const redirect = maybeGetBrowserRedirect(pathname)\n\n // If we're redirecting, just replace the passed in pathname\n // to the one we want to redirect to.\n if (redirect) {\n to = redirect.toPath + search + hash\n }\n\n // If we had a service worker update, no matter the path, reload window and\n // reset the pathname whitelist\n if (window.___swUpdated) {\n window.location = pathname + search + hash\n return\n }\n\n // Start a timer to wait for a second before transitioning and showing a\n // loader in case resources aren't around yet.\n const timeoutId = setTimeout(() => {\n emitter.emit(`onDelayedLoadPageResources`, { pathname })\n apiRunner(`onRouteUpdateDelayed`, {\n location: window.location,\n })\n }, 1000)\n\n loader.loadPage(pathname + search).then(pageResources => {\n // If no page resources, then refresh the page\n // Do this, rather than simply `window.location.reload()`, so that\n // pressing the back/forward buttons work - otherwise when pressing\n // back, the browser will just change the URL and expect JS to handle\n // the change, which won't always work since it might not be a Gatsby\n // page.\n if (!pageResources || pageResources.status === PageResourceStatus.Error) {\n window.history.replaceState({}, ``, location.href)\n window.location = pathname\n clearTimeout(timeoutId)\n return\n }\n\n // If the loaded page has a different compilation hash to the\n // window, then a rebuild has occurred on the server. Reload.\n if (process.env.NODE_ENV === `production` && pageResources) {\n if (\n pageResources.page.webpackCompilationHash !==\n window.___webpackCompilationHash\n ) {\n // Purge plugin-offline cache\n if (\n `serviceWorker` in navigator &&\n navigator.serviceWorker.controller !== null &&\n navigator.serviceWorker.controller.state === `activated`\n ) {\n navigator.serviceWorker.controller.postMessage({\n gatsbyApi: `clearPathResources`,\n })\n }\n\n window.location = pathname + search + hash\n }\n }\n reachNavigate(to, options)\n clearTimeout(timeoutId)\n })\n}\n\nfunction shouldUpdateScroll(prevRouterProps, { location }) {\n const { pathname, hash } = location\n const results = apiRunner(`shouldUpdateScroll`, {\n prevRouterProps,\n // `pathname` for backwards compatibility\n pathname,\n routerProps: { location },\n getSavedScrollPosition: args => [\n 0,\n // FIXME this is actually a big code smell, we should fix this\n // eslint-disable-next-line @babel/no-invalid-this\n this._stateStorage.read(args, args.key),\n ],\n })\n if (results.length > 0) {\n // Use the latest registered shouldUpdateScroll result, this allows users to override plugin's configuration\n // @see https://github.com/gatsbyjs/gatsby/issues/12038\n return results[results.length - 1]\n }\n\n if (prevRouterProps) {\n const {\n location: { pathname: oldPathname },\n } = prevRouterProps\n if (oldPathname === pathname) {\n // Scroll to element if it exists, if it doesn't, or no hash is provided,\n // scroll to top.\n return hash ? decodeURI(hash.slice(1)) : [0, 0]\n }\n }\n return true\n}\n\nfunction init() {\n // The \"scroll-behavior\" package expects the \"action\" to be on the location\n // object so let's copy it over.\n globalHistory.listen(args => {\n args.location.action = args.action\n })\n\n window.___push = to => navigate(to, { replace: false })\n window.___replace = to => navigate(to, { replace: true })\n window.___navigate = (to, options) => navigate(to, options)\n}\n\nclass RouteAnnouncer extends React.Component {\n constructor(props) {\n super(props)\n this.announcementRef = React.createRef()\n }\n\n componentDidUpdate(prevProps, nextProps) {\n requestAnimationFrame(() => {\n let pageName = `new page at ${this.props.location.pathname}`\n if (document.title) {\n pageName = document.title\n }\n const pageHeadings = document.querySelectorAll(`#gatsby-focus-wrapper h1`)\n if (pageHeadings && pageHeadings.length) {\n pageName = pageHeadings[0].textContent\n }\n const newAnnouncement = `Navigated to ${pageName}`\n if (this.announcementRef.current) {\n const oldAnnouncement = this.announcementRef.current.innerText\n if (oldAnnouncement !== newAnnouncement) {\n this.announcementRef.current.innerText = newAnnouncement\n }\n }\n })\n }\n\n render() {\n return
\n }\n}\n\nconst compareLocationProps = (prevLocation, nextLocation) => {\n if (prevLocation.href !== nextLocation.href) {\n return true\n }\n\n if (prevLocation?.state?.key !== nextLocation?.state?.key) {\n return true\n }\n\n return false\n}\n\n// Fire on(Pre)RouteUpdate APIs\nclass RouteUpdates extends React.Component {\n constructor(props) {\n super(props)\n onPreRouteUpdate(props.location, null)\n }\n\n componentDidMount() {\n onRouteUpdate(this.props.location, null)\n }\n\n shouldComponentUpdate(nextProps) {\n if (compareLocationProps(this.props.location, nextProps.location)) {\n onPreRouteUpdate(nextProps.location, this.props.location)\n return true\n }\n return false\n }\n\n componentDidUpdate(prevProps) {\n if (compareLocationProps(prevProps.location, this.props.location)) {\n onRouteUpdate(this.props.location, prevProps.location)\n }\n }\n\n render() {\n return (\n
\n {this.props.children}\n \n \n )\n }\n}\n\nRouteUpdates.propTypes = {\n location: PropTypes.object.isRequired,\n}\n\nexport { init, shouldUpdateScroll, RouteUpdates, maybeGetBrowserRedirect }\n","// Pulled from react-compat\n// https://github.com/developit/preact-compat/blob/7c5de00e7c85e2ffd011bf3af02899b63f699d3a/src/index.js#L349\nfunction shallowDiffers(a, b) {\n for (var i in a) {\n if (!(i in b)) return true;\n }for (var _i in b) {\n if (a[_i] !== b[_i]) return true;\n }return false;\n}\n\nexport default (function (instance, nextProps, nextState) {\n return shallowDiffers(instance.props, nextProps) || shallowDiffers(instance.state, nextState);\n});","import React from \"react\"\nimport loader, { PageResourceStatus } from \"./loader\"\nimport shallowCompare from \"shallow-compare\"\n\nclass EnsureResources extends React.Component {\n constructor(props) {\n super()\n const { location, pageResources } = props\n this.state = {\n location: { ...location },\n pageResources:\n pageResources ||\n loader.loadPageSync(location.pathname + location.search, {\n withErrorDetails: true,\n }),\n }\n }\n\n static getDerivedStateFromProps({ location }, prevState) {\n if (prevState.location.href !== location.href) {\n const pageResources = loader.loadPageSync(\n location.pathname + location.search,\n {\n withErrorDetails: true,\n }\n )\n\n return {\n pageResources,\n location: { ...location },\n }\n }\n\n return {\n location: { ...location },\n }\n }\n\n loadResources(rawPath) {\n loader.loadPage(rawPath).then(pageResources => {\n if (pageResources && pageResources.status !== PageResourceStatus.Error) {\n this.setState({\n location: { ...window.location },\n pageResources,\n })\n } else {\n window.history.replaceState({}, ``, location.href)\n window.location = rawPath\n }\n })\n }\n\n shouldComponentUpdate(nextProps, nextState) {\n // Always return false if we're missing resources.\n if (!nextState.pageResources) {\n this.loadResources(\n nextProps.location.pathname + nextProps.location.search\n )\n return false\n }\n\n if (\n process.env.BUILD_STAGE === `develop` &&\n nextState.pageResources.stale\n ) {\n this.loadResources(\n nextProps.location.pathname + nextProps.location.search\n )\n return false\n }\n\n // Check if the component or json have changed.\n if (this.state.pageResources !== nextState.pageResources) {\n return true\n }\n if (\n this.state.pageResources.component !== nextState.pageResources.component\n ) {\n return true\n }\n\n if (this.state.pageResources.json !== nextState.pageResources.json) {\n return true\n }\n // Check if location has changed on a page using internal routing\n // via matchPath configuration.\n if (\n this.state.location.key !== nextState.location.key &&\n nextState.pageResources.page &&\n (nextState.pageResources.page.matchPath ||\n nextState.pageResources.page.path)\n ) {\n return true\n }\n return shallowCompare(this, nextProps, nextState)\n }\n\n render() {\n if (\n process.env.NODE_ENV !== `production` &&\n (!this.state.pageResources ||\n this.state.pageResources.status === PageResourceStatus.Error)\n ) {\n const message = `EnsureResources was not able to find resources for path: \"${this.props.location.pathname}\"\nThis typically means that an issue occurred building components for that path.\nRun \\`gatsby clean\\` to remove any cached elements.`\n if (this.state.pageResources?.error) {\n console.error(message)\n throw this.state.pageResources.error\n }\n\n throw new Error(message)\n }\n\n return this.props.children(this.state)\n }\n}\n\nexport default EnsureResources\n","import { apiRunner, apiRunnerAsync } from \"./api-runner-browser\"\nimport React from \"react\"\nimport { Router, navigate, Location, BaseContext } from \"@gatsbyjs/reach-router\"\nimport { ScrollContext } from \"gatsby-react-router-scroll\"\nimport { StaticQueryContext } from \"./static-query\"\nimport {\n SlicesMapContext,\n SlicesContext,\n SlicesResultsContext,\n} from \"./slice/context\"\nimport {\n shouldUpdateScroll,\n init as navigationInit,\n RouteUpdates,\n} from \"./navigation\"\nimport emitter from \"./emitter\"\nimport PageRenderer from \"./page-renderer\"\nimport asyncRequires from \"$virtual/async-requires\"\nimport {\n setLoader,\n ProdLoader,\n publicLoader,\n PageResourceStatus,\n getStaticQueryResults,\n getSliceResults,\n} from \"./loader\"\nimport EnsureResources from \"./ensure-resources\"\nimport stripPrefix from \"./strip-prefix\"\n\n// Generated during bootstrap\nimport matchPaths from \"$virtual/match-paths.json\"\nimport { reactDOMUtils } from \"./react-dom-utils\"\n\nconst loader = new ProdLoader(asyncRequires, matchPaths, window.pageData)\nsetLoader(loader)\nloader.setApiRunner(apiRunner)\n\nconst { render, hydrate } = reactDOMUtils()\n\nwindow.asyncRequires = asyncRequires\nwindow.___emitter = emitter\nwindow.___loader = publicLoader\n\nnavigationInit()\n\nconst reloadStorageKey = `gatsby-reload-compilation-hash-match`\n\napiRunnerAsync(`onClientEntry`).then(() => {\n // Let plugins register a service worker. The plugin just needs\n // to return true.\n if (apiRunner(`registerServiceWorker`).filter(Boolean).length > 0) {\n require(`./register-service-worker`)\n }\n\n // In gatsby v2 if Router is used in page using matchPaths\n // paths need to contain full path.\n // For example:\n // - page have `/app/*` matchPath\n // - inside template user needs to use `/app/xyz` as path\n // Resetting `basepath`/`baseuri` keeps current behaviour\n // to not introduce breaking change.\n // Remove this in v3\n const RouteHandler = props => (\n
\n \n \n )\n\n const DataContext = React.createContext({})\n\n const slicesContext = {\n renderEnvironment: `browser`,\n }\n\n class GatsbyRoot extends React.Component {\n render() {\n const { children } = this.props\n return (\n
\n {({ location }) => (\n \n {({ pageResources, location }) => {\n const staticQueryResults = getStaticQueryResults()\n const sliceResults = getSliceResults()\n\n return (\n \n \n \n \n \n {children}\n \n \n \n \n \n )\n }}\n \n )}\n \n )\n }\n }\n\n class LocationHandler extends React.Component {\n render() {\n return (\n
\n {({ pageResources, location }) => (\n \n \n \n \n \n \n \n )}\n \n )\n }\n }\n\n const { pagePath, location: browserLoc } = window\n\n // Explicitly call navigate if the canonical path (window.pagePath)\n // is different to the browser path (window.location.pathname). SSR\n // page paths might include search params, while SSG and DSG won't.\n // If page path include search params we also compare query params.\n // But only if NONE of the following conditions hold:\n //\n // - The url matches a client side route (page.matchPath)\n // - it's a 404 page\n // - it's the offline plugin shell (/offline-plugin-app-shell-fallback/)\n if (\n pagePath &&\n __BASE_PATH__ + pagePath !==\n browserLoc.pathname + (pagePath.includes(`?`) ? browserLoc.search : ``) &&\n !(\n loader.findMatchPath(stripPrefix(browserLoc.pathname, __BASE_PATH__)) ||\n pagePath.match(/^\\/(404|500)(\\/?|.html)$/) ||\n pagePath.match(/^\\/offline-plugin-app-shell-fallback\\/?$/)\n )\n ) {\n navigate(\n __BASE_PATH__ +\n pagePath +\n (!pagePath.includes(`?`) ? browserLoc.search : ``) +\n browserLoc.hash,\n {\n replace: true,\n }\n )\n }\n\n // It's possible that sessionStorage can throw an exception if access is not granted, see https://github.com/gatsbyjs/gatsby/issues/34512\n const getSessionStorage = () => {\n try {\n return sessionStorage\n } catch {\n return null\n }\n }\n\n publicLoader.loadPage(browserLoc.pathname + browserLoc.search).then(page => {\n const sessionStorage = getSessionStorage()\n\n if (\n page?.page?.webpackCompilationHash &&\n page.page.webpackCompilationHash !== window.___webpackCompilationHash\n ) {\n // Purge plugin-offline cache\n if (\n `serviceWorker` in navigator &&\n navigator.serviceWorker.controller !== null &&\n navigator.serviceWorker.controller.state === `activated`\n ) {\n navigator.serviceWorker.controller.postMessage({\n gatsbyApi: `clearPathResources`,\n })\n }\n\n // We have not matching html + js (inlined `window.___webpackCompilationHash`)\n // with our data (coming from `app-data.json` file). This can cause issues such as\n // errors trying to load static queries (as list of static queries is inside `page-data`\n // which might not match to currently loaded `.js` scripts).\n // We are making attempt to reload if hashes don't match, but we also have to handle case\n // when reload doesn't fix it (possibly broken deploy) so we don't end up in infinite reload loop\n if (sessionStorage) {\n const isReloaded = sessionStorage.getItem(reloadStorageKey) === `1`\n\n if (!isReloaded) {\n sessionStorage.setItem(reloadStorageKey, `1`)\n window.location.reload(true)\n return\n }\n }\n }\n\n if (sessionStorage) {\n sessionStorage.removeItem(reloadStorageKey)\n }\n\n if (!page || page.status === PageResourceStatus.Error) {\n const message = `page resources for ${browserLoc.pathname} not found. Not rendering React`\n\n // if the chunk throws an error we want to capture the real error\n // This should help with https://github.com/gatsbyjs/gatsby/issues/19618\n if (page && page.error) {\n console.error(message)\n throw page.error\n }\n\n throw new Error(message)\n }\n\n const SiteRoot = apiRunner(\n `wrapRootElement`,\n { element:
},\n
,\n ({ result }) => {\n return { element: result }\n }\n ).pop()\n\n const App = function App() {\n const onClientEntryRanRef = React.useRef(false)\n\n React.useEffect(() => {\n if (!onClientEntryRanRef.current) {\n onClientEntryRanRef.current = true\n if (performance.mark) {\n performance.mark(`onInitialClientRender`)\n }\n\n apiRunner(`onInitialClientRender`)\n }\n }, [])\n\n return
{SiteRoot}\n }\n\n const focusEl = document.getElementById(`gatsby-focus-wrapper`)\n\n // Client only pages have any empty body so we just do a normal\n // render to avoid React complaining about hydration mis-matches.\n let defaultRenderer = render\n if (focusEl && focusEl.children.length) {\n defaultRenderer = hydrate\n }\n\n const renderer = apiRunner(\n `replaceHydrateFunction`,\n undefined,\n defaultRenderer\n )[0]\n\n function runRender() {\n const rootElement =\n typeof window !== `undefined`\n ? document.getElementById(`___gatsby`)\n : null\n\n renderer(
, rootElement)\n }\n\n // https://github.com/madrobby/zepto/blob/b5ed8d607f67724788ec9ff492be297f64d47dfc/src/zepto.js#L439-L450\n // TODO remove IE 10 support\n const doc = document\n if (\n doc.readyState === `complete` ||\n (doc.readyState !== `loading` && !doc.documentElement.doScroll)\n ) {\n setTimeout(function () {\n runRender()\n }, 0)\n } else {\n const handler = function () {\n doc.removeEventListener(`DOMContentLoaded`, handler, false)\n window.removeEventListener(`load`, handler, false)\n\n runRender()\n }\n\n doc.addEventListener(`DOMContentLoaded`, handler, false)\n window.addEventListener(`load`, handler, false)\n }\n\n return\n })\n})\n","import React from \"react\"\nimport PropTypes from \"prop-types\"\n\nimport loader from \"./loader\"\nimport InternalPageRenderer from \"./page-renderer\"\n\nconst ProdPageRenderer = ({ location }) => {\n const pageResources = loader.loadPageSync(location.pathname)\n if (!pageResources) {\n return null\n }\n return React.createElement(InternalPageRenderer, {\n location,\n pageResources,\n ...pageResources.json,\n })\n}\n\nProdPageRenderer.propTypes = {\n location: PropTypes.shape({\n pathname: PropTypes.string.isRequired,\n }).isRequired,\n}\n\nexport default ProdPageRenderer\n","const preferDefault = m => (m && m.default) || m\n\nif (process.env.BUILD_STAGE === `develop`) {\n module.exports = preferDefault(require(`./public-page-renderer-dev`))\n} else if (process.env.BUILD_STAGE === `build-javascript`) {\n module.exports = preferDefault(require(`./public-page-renderer-prod`))\n} else {\n module.exports = () => null\n}\n","const map = new WeakMap()\n\nexport function reactDOMUtils() {\n const reactDomClient = require(`react-dom/client`)\n\n const render = (Component, el) => {\n let root = map.get(el)\n if (!root) {\n map.set(el, (root = reactDomClient.createRoot(el)))\n }\n root.render(Component)\n }\n\n const hydrate = (Component, el) => reactDomClient.hydrateRoot(el, Component)\n\n return { render, hydrate }\n}\n","import redirects from \"./redirects.json\"\n\n// Convert to a map for faster lookup in maybeRedirect()\n\nconst redirectMap = new Map()\nconst redirectIgnoreCaseMap = new Map()\n\nredirects.forEach(redirect => {\n if (redirect.ignoreCase) {\n redirectIgnoreCaseMap.set(redirect.fromPath, redirect)\n } else {\n redirectMap.set(redirect.fromPath, redirect)\n }\n})\n\nexport function maybeGetBrowserRedirect(pathname) {\n let redirect = redirectMap.get(pathname)\n if (!redirect) {\n redirect = redirectIgnoreCaseMap.get(pathname.toLowerCase())\n }\n return redirect\n}\n","import { apiRunner } from \"./api-runner-browser\"\n\nif (\n window.location.protocol !== `https:` &&\n window.location.hostname !== `localhost`\n) {\n console.error(\n `Service workers can only be used over HTTPS, or on localhost for development`\n )\n} else if (`serviceWorker` in navigator) {\n navigator.serviceWorker\n .register(`${__BASE_PATH__}/sw.js`)\n .then(function (reg) {\n reg.addEventListener(`updatefound`, () => {\n apiRunner(`onServiceWorkerUpdateFound`, { serviceWorker: reg })\n // The updatefound event implies that reg.installing is set; see\n // https://w3c.github.io/ServiceWorker/#service-worker-registration-updatefound-event\n const installingWorker = reg.installing\n console.log(`installingWorker`, installingWorker)\n installingWorker.addEventListener(`statechange`, () => {\n switch (installingWorker.state) {\n case `installed`:\n if (navigator.serviceWorker.controller) {\n // At this point, the old content will have been purged and the fresh content will\n // have been added to the cache.\n\n // We set a flag so Gatsby Link knows to refresh the page on next navigation attempt\n window.___swUpdated = true\n // We call the onServiceWorkerUpdateReady API so users can show update prompts.\n apiRunner(`onServiceWorkerUpdateReady`, { serviceWorker: reg })\n\n // If resources failed for the current page, reload.\n if (window.___failedResources) {\n console.log(`resources failed, SW updated - reloading`)\n window.location.reload()\n }\n } else {\n // At this point, everything has been precached.\n // It's the perfect time to display a \"Content is cached for offline use.\" message.\n console.log(`Content is now available offline!`)\n\n // Post to service worker that install is complete.\n // Delay to allow time for the event listener to be added --\n // otherwise fetch is called too soon and resources aren't cached.\n apiRunner(`onServiceWorkerInstalled`, { serviceWorker: reg })\n }\n break\n\n case `redundant`:\n console.error(`The installing service worker became redundant.`)\n apiRunner(`onServiceWorkerRedundant`, { serviceWorker: reg })\n break\n\n case `activated`:\n apiRunner(`onServiceWorkerActive`, { serviceWorker: reg })\n break\n }\n })\n })\n })\n .catch(function (e) {\n console.error(`Error during service worker registration:`, e)\n })\n}\n","import React from \"react\"\n\nconst SlicesResultsContext = React.createContext({})\nconst SlicesContext = React.createContext({})\nconst SlicesMapContext = React.createContext({})\nconst SlicesPropsContext = React.createContext({})\n\nexport {\n SlicesResultsContext,\n SlicesContext,\n SlicesMapContext,\n SlicesPropsContext,\n}\n","import React from \"react\"\nimport PropTypes from \"prop-types\"\nimport { createServerOrClientContext } from \"./context-utils\"\n\nconst StaticQueryContext = createServerOrClientContext(`StaticQuery`, {})\n\nfunction StaticQueryDataRenderer({ staticQueryData, data, query, render }) {\n const finalData = data\n ? data.data\n : staticQueryData[query] && staticQueryData[query].data\n\n return (\n
\n {finalData && render(finalData)}\n {!finalData && Loading (StaticQuery)
}\n \n )\n}\n\nlet warnedAboutStaticQuery = false\n\n// TODO(v6): Remove completely\nconst StaticQuery = props => {\n const { data, query, render, children } = props\n\n if (process.env.NODE_ENV === `development` && !warnedAboutStaticQuery) {\n console.warn(\n `The
component is deprecated and will be removed in Gatsby v6. Use useStaticQuery instead. Refer to the migration guide for more information: https://gatsby.dev/migrating-4-to-5/#staticquery--is-deprecated`\n )\n warnedAboutStaticQuery = true\n }\n\n return (\n
\n {staticQueryData => (\n \n )}\n \n )\n}\n\nStaticQuery.propTypes = {\n data: PropTypes.object,\n query: PropTypes.string.isRequired,\n render: PropTypes.func,\n children: PropTypes.func,\n}\n\nconst useStaticQuery = query => {\n if (\n typeof React.useContext !== `function` &&\n process.env.NODE_ENV === `development`\n ) {\n // TODO(v5): Remove since we require React >= 18\n throw new Error(\n `You're likely using a version of React that doesn't support Hooks\\n` +\n `Please update React and ReactDOM to 16.8.0 or later to use the useStaticQuery hook.`\n )\n }\n\n const context = React.useContext(StaticQueryContext)\n\n // query is a stringified number like `3303882` when wrapped with graphql, If a user forgets\n // to wrap the query in a grqphql, then casting it to a Number results in `NaN` allowing us to\n // catch the misuse of the API and give proper direction\n if (isNaN(Number(query))) {\n throw new Error(`useStaticQuery was called with a string but expects to be called using \\`graphql\\`. Try this:\n\nimport { useStaticQuery, graphql } from 'gatsby';\n\nuseStaticQuery(graphql\\`${query}\\`);\n`)\n }\n\n if (context[query]?.data) {\n return context[query].data\n } else {\n throw new Error(\n `The result of this StaticQuery could not be fetched.\\n\\n` +\n `This is likely a bug in Gatsby and if refreshing the page does not fix it, ` +\n `please open an issue in https://github.com/gatsbyjs/gatsby/issues`\n )\n }\n}\n\nexport { StaticQuery, StaticQueryContext, useStaticQuery }\n","import React from \"react\"\n\n// Ensure serverContext is not created more than once as React will throw when creating it more than once\n// https://github.com/facebook/react/blob/dd2d6522754f52c70d02c51db25eb7cbd5d1c8eb/packages/react/src/ReactServerContext.js#L101\nconst createServerContext = (name, defaultValue = null) => {\n /* eslint-disable no-undef */\n if (!globalThis.__SERVER_CONTEXT) {\n globalThis.__SERVER_CONTEXT = {}\n }\n\n if (!globalThis.__SERVER_CONTEXT[name]) {\n globalThis.__SERVER_CONTEXT[name] = React.createServerContext(\n name,\n defaultValue\n )\n }\n\n return globalThis.__SERVER_CONTEXT[name]\n}\n\nfunction createServerOrClientContext(name, defaultValue) {\n if (React.createServerContext) {\n return createServerContext(name, defaultValue)\n }\n\n return React.createContext(defaultValue)\n}\n\nexport { createServerOrClientContext }\n","/**\n * Remove a prefix from a string. Return the input string if the given prefix\n * isn't found.\n */\n\nexport default function stripPrefix(str, prefix = ``) {\n if (!prefix) {\n return str\n }\n\n if (str === prefix) {\n return `/`\n }\n\n if (str.startsWith(`${prefix}/`)) {\n return str.slice(prefix.length)\n }\n\n return str\n}\n","import { createSlice } from \"@reduxjs/toolkit\";\nimport { RootState } from \"../../store\";\n\nexport interface searchState {\n search: {\n query: string;\n results: any[];\n loading: boolean;\n error: string;\n };\n}\n\nconst initialState: searchState = {\n search: {\n query: \"\",\n results: [],\n loading: false,\n error: \"\",\n },\n};\n\nexport const searchSlice = createSlice({\n name: \"search\",\n initialState,\n reducers: {\n setQuery: (state: any, action: any) => {\n state.search.query = action.payload;\n },\n resetSearch: (state: any) => {\n state.search.query = \"\";\n state.search.results = [];\n state.search.loading = false;\n state.search.error = \"\";\n },\n setResults: (state: any, action: any) => {\n state.search.results = action.payload;\n },\n },\n extraReducers: (builder: any) => {},\n});\n\n// Selectors\n\nexport const selectQuery = (state: RootState) => state.search.search.query;\nexport const selectResults = (state: RootState) => state.search.search.results;\nexport const selectLoading = (state: RootState) => state.search.search.loading;\nexport const selectError = (state: RootState) => state.search.search.error;\n\n// Actions\nexport const { setQuery, resetSearch, setResults } = searchSlice.actions;\n\nexport default searchSlice.reducer;\n","import { configureStore } from \"@reduxjs/toolkit\";\nimport consentSlice from \"@slices/consentSlice\";\nimport contactSlice from \"@slices/contactSlice\";\nimport searchSlice from \"@slices/searchSlice\";\nimport uiSlice from \"@slices/uiSlice\";\n\nexport const store = configureStore({\n reducer: {\n ui: uiSlice,\n search: searchSlice,\n contact: contactSlice,\n consent: consentSlice,\n },\n middleware: (getDefaultMiddleware) =>\n getDefaultMiddleware({\n serializableCheck: {\n // Ignore these field paths in all actions\n ignoredActionPaths: [\"meta.arg\", \"payload.timestamp\"],\n // Ignore these paths in the state\n ignoredPaths: [\"items.dates\"],\n },\n }),\n});\n\nexport type RootState = ReturnType
;\n\nexport type AppDispatch = typeof store.dispatch;\n","import { globalHistory } from \"@reach/router\";\nimport { useState } from \"react\";\nimport {\n PartialLocation,\n QueryParamAdapterComponent,\n QueryParamAdapter,\n} from \"use-query-params\";\nimport { navigate } from \"gatsby\";\n\nexport const GatsbyAdapter: QueryParamAdapterComponent = ({ children }) => {\n const [adapter] = useState(() => ({\n get location() {\n return globalHistory.location;\n },\n push(location: PartialLocation) {\n navigate(location.search || \"?\", { replace: false });\n },\n replace(location: PartialLocation) {\n navigate(location.search || \"?\", { replace: true });\n },\n }));\n\n return children(adapter);\n};\n","import \"./src/styles/global.css\";\nimport Redux from \"@components/providers/Redux\";\nimport { pushToDataLayer, isSSR } from \"@utils/Helpers\";\n\nexport const wrapRootElement = Redux;\n\n!isSSR &&\n window.gtag !== undefined &&\n window.gtag(\"consent\", \"default\", {\n ad_storage: \"denied\",\n analytics_storage: \"denied\",\n functionality_storage: \"denied\",\n personalization_storage: \"denied\",\n security_storage: \"denied\",\n });\nexport const onRouteUpdate = () => {\n setTimeout(() => {\n pushToDataLayer({ event: \"aecom_route_change\" });\n }, 500);\n};\n","import React from \"react\";\nimport { Provider } from \"react-redux\";\nimport { store } from \"../../../store\";\nimport { Provider as WrapProvider } from \"react-wrap-balancer\";\nimport { QueryParamProvider } from \"use-query-params\";\nimport queryString from \"query-string\";\nimport { GatsbyAdapter } from \"./gatsbyadaptor\";\ntype Props = {\n element?: React.ReactNode;\n location: {\n pathname: string;\n };\n};\nexport default ({ element }: Props) => {\n // Instantiating store in `wrapRootElement` handler ensures:\n // - there is fresh store for each SSR page\n // - it will be called only once in browser, when React mounts\n return (\n \n \n {element}\n \n \n );\n};\n","/* global __MANIFEST_PLUGIN_HAS_LOCALISATION__ */\nimport { withPrefix } from \"gatsby\";\nimport getManifestForPathname from \"./get-manifest-pathname\";\n\n// when we don't have localisation in our manifest, we tree shake everything away\nexport const onRouteUpdate = function onRouteUpdate({\n location\n}, pluginOptions) {\n if (__MANIFEST_PLUGIN_HAS_LOCALISATION__) {\n const {\n localize\n } = pluginOptions;\n const manifestFilename = getManifestForPathname(location.pathname, localize, true);\n const manifestEl = document.head.querySelector(`link[rel=\"manifest\"]`);\n if (manifestEl) {\n manifestEl.setAttribute(`href`, withPrefix(manifestFilename));\n }\n }\n};","\"use strict\";\n\nexports.__esModule = true;\nexports.default = void 0;\nvar _gatsby = require(\"gatsby\");\n/**\n * Get a manifest filename depending on localized pathname\n *\n * @param {string} pathname\n * @param {Array<{start_url: string, lang: string}>} localizedManifests\n * @param {boolean} shouldPrependPathPrefix\n * @return string\n */\nvar _default = (pathname, localizedManifests, shouldPrependPathPrefix = false) => {\n const defaultFilename = `manifest.webmanifest`;\n if (!Array.isArray(localizedManifests)) {\n return defaultFilename;\n }\n const localizedManifest = localizedManifests.find(app => {\n let startUrl = app.start_url;\n if (shouldPrependPathPrefix) {\n startUrl = (0, _gatsby.withPrefix)(startUrl);\n }\n return pathname.startsWith(startUrl);\n });\n if (!localizedManifest) {\n return defaultFilename;\n }\n return `manifest_${localizedManifest.lang}.webmanifest`;\n};\nexports.default = _default;","import { isSSR } from \"@utils/Helpers\";\n\ninterface WindowDataLayer {\n push: (data: any) => void;\n}\ninterface Wistia {\n consent: (data: boolean) => void;\n [key: string]: any;\n}\n\ndeclare global {\n interface Window {\n dataLayer: WindowDataLayer;\n _wq: Wistia;\n clarity: (data: string) => void;\n }\n}\n\nexport const setDefaults = () => {\n if (!isSSR) {\n window._wq = window._wq || [];\n window._wq.push(function (W: any) {\n W.consent(false);\n });\n }\n};\n\nexport const setConsent = () => {\n if (!isSSR) {\n if (localStorage.getItem(\"SITAECOMConsent\") !== null) {\n const Settings = JSON.parse(\n localStorage.getItem(\"SITAECOMConsent\") || \"{}\"\n );\n try {\n function gtag(...args: any[]) {\n window.dataLayer.push(arguments);\n }\n gtag(\"consent\", \"update\", {\n functionality_storage: Settings.required ? \"granted\" : \"denied\",\n analytics_storage: Settings.general ? \"granted\" : \"denied\",\n personalization_storage: Settings.content ? \"granted\" : \"denied\",\n ad_storage: Settings.content ? \"granted\" : \"denied\",\n security_storage: Settings.security ? \"granted\" : \"denied\",\n });\n } catch (e) {\n console.log(e);\n }\n\n // setWistia(Settings.content);\n setClarity(Settings.general);\n }\n }\n};\n\nexport const checkConsent = (consent: any) => {\n if (typeof window !== \"undefined\") {\n if (localStorage.getItem(\"SITAECOMConsent\") !== null) {\n const Settings = JSON.parse(\n localStorage.getItem(\"SITAECOMConsent\") || \"{}\"\n );\n return Settings[consent];\n } else {\n return false;\n }\n }\n};\n\nexport const setClarity = (consent: any) => {\n if (consent) {\n typeof window !== \"undefined\" &&\n window.clarity !== undefined &&\n window.clarity(\"consent\");\n } else {\n }\n};\n\n// export function deleteCookie(cookie_name: any) {\n// document.cookie.split(\";\").forEach(function (cookie) {\n// var cookieName = cookie.trim().split(\"=\")[0];\n// // If the prefix of the cookie's name matches the one specified, remove it\n// if (cookieName !== null) {\n// if (cookieName.indexOf(cookie_name) === 0) {\n// document.cookie =\n// cookieName + \"=;expires=Thu, 01 Jan 1970 00:00:00 GMT\";\n// }\n// }\n// });\n// }\n","import { checkConsent } from \"@components/ui/consent/ConsentHelpers\";\nimport { createAsyncThunk, createSlice } from \"@reduxjs/toolkit\";\nimport { isSSR } from \"@utils/Helpers\";\n\nexport interface consentState {\n ManageCookies: {\n open: boolean;\n };\n}\n\nconst initialState: consentState = {\n ManageCookies: { open: false },\n};\n\nexport const consentSlice = createSlice({\n name: \"consent\",\n initialState,\n reducers: {\n setManageCookies: (state, action) => {\n state.ManageCookies.open = action.payload;\n },\n },\n extraReducers: (builder: any) => {\n builder.addCase(\n setCustomConsent.fulfilled,\n (state: any, action: any) => {}\n );\n builder.addCase(setConsent.fulfilled, (state: any, action: any) => {\n state.ManageCookies.open = action.payload;\n });\n },\n});\n\n// Async Thunks\n\nexport const setCustomConsent = createAsyncThunk(\n \"contact/setCustomConsent\",\n async (_, thunkAPI: any) => {\n if (typeof window !== \"undefined\") {\n if (\n thunkAPI.getState().contact.geo !== null &&\n localStorage.getItem(\"DigitalAECOM\") === null\n ) {\n checkConsent(\"general\") &&\n localStorage.setItem(\n \"DigitalAECOM\",\n JSON.stringify(thunkAPI.getState().contact.geo)\n );\n }\n }\n }\n) as any;\n\nexport const setConsent = createAsyncThunk(\n \"contact/setConsent\",\n async (_, { dispatch, getState }: any) => {\n if (typeof window !== \"undefined\") {\n if (localStorage.getItem(\"SITAECOMConsent\") !== null) {\n const Settings = JSON.parse(\n localStorage.getItem(\"SITAECOMConsent\") || \"{}\"\n );\n try {\n function gtag() {\n // @ts-ignore\n window.dataLayer.push(arguments);\n } // @ts-ignore\n gtag(\"consent\", \"default\", {\n analytics_storage: Settings.general ? \"granted\" : \"denied\",\n personalization_storage: Settings.content ? \"granted\" : \"denied\",\n ad_storage: Settings.content ? \"granted\" : \"denied\",\n security_storage: Settings.security ? \"granted\" : \"denied\",\n });\n } catch (error) {\n console.log(error);\n }\n } else {\n localStorage.setItem(\n \"SITAECOMConsent\",\n JSON.stringify({\n required: true,\n general: true,\n content: true,\n security: true,\n })\n );\n\n function gtag() {\n // @ts-ignore\n window.dataLayer.push(arguments);\n } // @ts-ignore\n gtag(\"consent\", \"default\", {\n analytics_storage: \"granted\",\n personalization_storage: \"granted\",\n ad_storage: \"granted\",\n security_storage: \"granted\",\n });\n return false;\n }\n }\n }\n) as any;\n\n// Selectors\n\nexport const selectManageCookies = (state: any) => state.consent.ManageCookies;\n\n// Actions\nexport const { setManageCookies } = consentSlice.actions;\n\nexport default consentSlice.reducer;\n","import { createAsyncThunk, createSlice } from \"@reduxjs/toolkit\";\nimport { consoleLog, isSSR, pushToDataLayer } from \"@utils/Helpers\";\nimport axios from \"axios\";\nlet LanguageCodes = require(\"@utils/languages/languageCodes.json\");\nlet Regions = require(\"@utils/languages/regions.json\");\nlet SubRegions = require(\"@utils/languages/sub_regions.json\");\n\nexport interface contactState {\n error: string;\n loading: string;\n geo: null | any;\n languageCodes: any;\n currentlocale: string;\n pageLocales: string;\n AECOMregions: any;\n Subregions: any;\n AECOMregion: null | any;\n id: null | any;\n countries: null | any;\n SiteName: null | any;\n source: any;\n AECOMContact: null | any;\n videoReady: boolean;\n aecom_meta_data: null | any;\n contacts: null | any;\n}\n\nconst initialState: contactState = {\n error: \"\",\n loading: \"\",\n geo: null,\n languageCodes: LanguageCodes,\n currentlocale: \"en\",\n pageLocales: \"\",\n AECOMregions: Regions,\n Subregions: SubRegions,\n AECOMregion: null,\n countries: null,\n id: null,\n SiteName: null,\n source: {},\n AECOMContact: null,\n videoReady: false,\n aecom_meta_data: null,\n contacts: null,\n};\n\nexport const contactSlice = createSlice({\n name: \"contact\",\n initialState,\n reducers: {\n setError: (state, action) => {\n state.error = action.payload;\n },\n setLoading: (state, action) => {\n state.loading = action.payload;\n },\n setGeo: (state, action) => {\n state.geo = action.payload;\n },\n setLanguageCodes: (state, action) => {\n state.languageCodes = action.payload;\n },\n setCurrentlocale: (state, action) => {\n state.currentlocale = action.payload;\n },\n setPageLocales: (state, action) => {\n state.pageLocales = action.payload;\n },\n setAECOMregions: (state, action) => {\n state.AECOMregions = action.payload;\n },\n setSubregions: (state, action) => {\n state.Subregions = action.payload;\n },\n setAECOMregion: (state, action) => {\n state.AECOMregion = action.payload;\n },\n setCountries: (state, action) => {\n state.countries = action.payload;\n },\n setId: (state, action) => {\n state.id = action.payload;\n },\n setSiteName: (state, action) => {\n state.SiteName = action.payload;\n },\n setSource: (state, action) => {\n state.source = action.payload;\n },\n setAECOMContact: (state, action) => {\n state.AECOMContact = action.payload;\n },\n setAecomMetaData: (state, action) => {\n state.aecom_meta_data = action.payload;\n },\n setContacts: (state, action) => {\n state.contacts = action.payload;\n },\n },\n extraReducers: (builder: any) => {\n builder.addCase(setTracking.pending, (state: any, action: any) => {\n state.loading = \"pending\";\n });\n builder.addCase(setTracking.rejected, (state: any, action: any) => {\n state.loading = \"rejected\";\n state.error = action.error.message;\n });\n builder.addCase(setTracking.fulfilled, (state: any, action: any) => {\n state.loading = \"fulfilled\";\n state.aecom_meta_data = action.payload;\n });\n builder.addCase(getLocation.pending, (state: any, action: any) => {\n state.loading = \"pending\";\n });\n builder.addCase(getLocation.rejected, (state: any, action: any) => {\n state.loading = \"rejected\";\n state.error = action.error.message;\n });\n builder.addCase(getLocation.fulfilled, (state: any, action: any) => {\n state.loading = \"fulfilled\";\n state.geo = action.payload;\n });\n builder.addCase(setPageData.pending, (state: any, action: any) => {\n state.loading = \"pending\";\n });\n builder.addCase(setPageData.rejected, (state: any, action: any) => {\n state.loading = \"rejected\";\n state.error = action.error.message;\n });\n builder.addCase(setPageData.fulfilled, (state: any, action: any) => {\n state.loading = \"fulfilled\";\n });\n },\n});\n\n// Async Thunks\n\ninterface PageData {\n contacts: [\n {\n name: string;\n Social: string[];\n email: string;\n position: string;\n image: string;\n }\n ];\n\n countries: [\n {\n Name: string;\n }\n ];\n\n site: {\n title: string;\n };\n}\n\ninterface Countries {\n title: string;\n}\ninterface Contacts {\n name: string;\n Social: string[];\n email: string;\n position: string;\n image: string;\n}\n\nexport const setPageData = createAsyncThunk(\n \"contact/setPageData\",\n async (pageData: PageData, { dispatch }: any) => {\n consoleLog(\"pageData\", pageData);\n let Contacts = [] as Contacts[];\n pageData.contacts.forEach((value, key) => {\n Contacts.push({\n name: value.name,\n Social: value.Social,\n email: value.email,\n position: value.position,\n image: value.image,\n });\n });\n\n dispatch(setContacts(Contacts));\n\n let Countries = [] as Countries[];\n pageData.countries.forEach((value, key) => {\n Countries.push({\n title: value.Name,\n });\n });\n dispatch(setCountries(Countries));\n\n dispatch(setSiteName(pageData.site.title));\n }\n) as any;\n\nexport const setTracking = createAsyncThunk(\n \"contact/setTracking\",\n async ({ data, markets, services, campaigns, products }: any, thunkAPI) => {\n // console.log(\"data\", data);\n\n //reset the object to send to GTM so anything missing is not included\n let MetaData = {\n aecom_meta_data: {\n campaigns: undefined,\n markets: undefined,\n services: undefined,\n products: undefined,\n all: [],\n },\n } as any;\n //check if page level market is set\n if (markets !== null && markets !== undefined) {\n //check if page level market is array\n if (Array.isArray(markets)) {\n //if it is push titles to an array\n let Markets = [];\n for (let market of markets) {\n Markets.push(market.short_title);\n }\n // set GTM object with values\n MetaData.aecom_meta_data.markets = Markets;\n MetaData.aecom_meta_data.all.push(Markets);\n } else {\n //if object is not an array just use the basic object - assuming this is just an title not an object\n MetaData.aecom_meta_data.markets = [markets];\n MetaData.aecom_meta_data.all.push(markets);\n }\n //if original metadata has not been set as 'null' for the purpose of graphql then use the original metadata\n } else if (data.market !== \"null\") {\n MetaData.aecom_meta_data.markets = [data.market];\n MetaData.aecom_meta_data.all.push(data.market);\n }\n\n //check if page level service is set\n if (services !== null && services !== undefined) {\n //check if page level service is array\n if (Array.isArray(services)) {\n //if it is push titles to an array\n let Services = [];\n for (let service of services) {\n Services.push(service.short_title);\n }\n // set GTM object with values\n MetaData.aecom_meta_data.services = Services;\n MetaData.aecom_meta_data.all.push(Services);\n } else {\n //if object is not an array just use the basic object - assuming this is just an title not an object\n MetaData.aecom_meta_data.services = [services];\n MetaData.aecom_meta_data.all.push(services);\n }\n } else if (data.service !== \"null\") {\n //if original metadata has not been set as 'null' for the purpose of graphql then use the original metadata\n MetaData.aecom_meta_data.services = [data.service];\n MetaData.aecom_meta_data.all.push(data.service);\n }\n\n if (campaigns !== null && campaigns !== undefined) {\n if (Array.isArray(campaigns)) {\n let Campaigns = [];\n for (let campaign of campaigns) {\n Campaigns.push(campaign);\n }\n MetaData.aecom_meta_data.campaigns = Campaigns;\n MetaData.aecom_meta_data.all = Campaigns;\n MetaData.aecom_meta_data.all.push(Campaigns);\n } else {\n MetaData.aecom_meta_data.campaigns = [campaigns];\n MetaData.aecom_meta_data.all.push(campaigns);\n }\n } else if (data.campaign !== \"null\") {\n MetaData.aecom_meta_data.campaigns = [data.campaign];\n MetaData.aecom_meta_data.all.push(data.campaign);\n }\n\n if (products !== null && products !== undefined) {\n if (Array.isArray(products)) {\n let Products = [];\n for (let product of products) {\n Products.push(product);\n }\n MetaData.aecom_meta_data.products = Products;\n MetaData.aecom_meta_data.all = Products;\n MetaData.aecom_meta_data.all.push(Products);\n } else {\n MetaData.aecom_meta_data.products = [products];\n MetaData.aecom_meta_data.all.push(products);\n }\n } else if (data.product !== \"null\") {\n MetaData.aecom_meta_data.products = [data.product];\n MetaData.aecom_meta_data.all.push(data.product);\n }\n\n return MetaData.aecom_meta_data;\n }\n) as any;\n\nexport const getLocation = createAsyncThunk(\n \"contact/getLocation\",\n async (_, { getState, dispatch }: any) => {\n const setAECOMregionHandler = async (region: string) => {\n consoleLog(\"setAECOMregionHandler\", region);\n\n try {\n await dispatch(setAECOMregion(region));\n } catch (error) {\n console.log(\"error\", error);\n }\n };\n if (!isSSR) {\n if (localStorage.getItem(\"DigitalAECOM\") === null) {\n // dispatch({ type: \"GEO_LOADING\" });\n return axios\n .get(\n `https://api.ipstack.com/check?access_key=ed812e03f23c3e8cef4c2a73b93992a7&hostname=1`\n )\n .then((response) => {\n if (response.data.success !== false) {\n consoleLog(\"ipstack response\", response.data);\n //set the aecom region\n let Regions = getState().contact.AECOMregions;\n let countryName = response.data.country_name;\n Regions.Region.forEach((value: any, key: any) => {\n if (value.data !== undefined) {\n value.data.forEach((country: any, key: any) => {\n consoleLog(country);\n if (country.name === countryName) {\n consoleLog(\"country\", country);\n setAECOMregionHandler(value.region);\n }\n });\n }\n });\n\n return response.data;\n }\n })\n .catch((error) => {\n // dispatch({ type: \"GEO_ERROR\", payload: error });\n return \"there was a problem loading the data - \" + error;\n });\n } else {\n //set the aecom region\n let Regions = getState().contact.AECOMregions;\n let countryName = JSON.parse(\n localStorage.getItem(\"DigitalAECOM\") || \"{}\"\n ).country_name;\n Regions.Region.forEach((value: any, key: any) => {\n value.data.forEach((country: any, key: any) => {\n if (country.name === countryName)\n dispatch(setAECOMregion(value.region));\n });\n });\n const data = JSON.parse(localStorage.getItem(\"DigitalAECOM\") || \"{}\");\n return {\n ...data,\n };\n }\n }\n }\n) as any;\n\n// Selectors\n\nexport const selectError = (state: any) => state.contact.error;\nexport const selectLoading = (state: any) => state.contact.loading;\nexport const selectGeo = (state: any) => state.contact.geo;\nexport const selectLanguageCodes = (state: any) => state.contact.languageCodes;\nexport const selectCurrentlocale = (state: any) => state.contact.currentlocale;\nexport const selectPageLocales = (state: any) => state.contact.pageLocales;\nexport const selectAECOMregions = (state: any) => state.contact.AECOMregions;\nexport const selectSubregions = (state: any) => state.contact.Subregions;\nexport const selectAECOMregion = (state: any) => state.contact.AECOMregion;\nexport const selectInApp = (state: any) => state.contact.inApp;\nexport const selectId = (state: any) => state.contact.id;\nexport const selectSiteName = (state: any) => state.contact.SiteName;\nexport const selectSource = (state: any) => state.contact.source;\nexport const selectAECOMContact = (state: any) => state.contact.AECOMContact;\nexport const selectVideoReady = (state: any) => state.contact.videoReady;\nexport const selectAecomMetaData = (state: any) =>\n state.contact.aecom_meta_data;\nexport const selectPopups = (state: any) => state.contact.popups;\nexport const selectPopupsShown = (state: any) => state.contact.popupsShown;\nexport const selectContacts = (state: any) => state.contact.contacts;\n\n// Actions\nexport const {\n setError,\n setLoading,\n setGeo,\n setLanguageCodes,\n setCurrentlocale,\n setPageLocales,\n setAECOMregions,\n setSubregions,\n setAECOMregion,\n setCountries,\n setId,\n setSiteName,\n setSource,\n setAECOMContact,\n setAecomMetaData,\n setContacts,\n} = contactSlice.actions;\n\nexport default contactSlice.reducer;\n","import { createSlice } from \"@reduxjs/toolkit\";\nimport { RootState } from \"../../store\";\n\nexport interface uiState {\n drawer: {\n open: boolean;\n };\n header: {\n subtitle: string;\n };\n article: {\n contentHeight: number;\n contentWidth?: number;\n };\n video: {\n gated: boolean;\n modalOpen: boolean;\n currentVideoId: string;\n ready: boolean;\n };\n}\n\nconst initialState: uiState = {\n drawer: {\n open: false,\n },\n header: {\n subtitle: \"\",\n },\n article: {\n contentHeight: 0,\n contentWidth: 0,\n },\n video: {\n gated: false,\n modalOpen: false,\n currentVideoId: \"\",\n ready: false,\n },\n};\n\nexport const uiSlice = createSlice({\n name: \"ui\",\n initialState,\n reducers: {\n toggleDrawer: (state) => {\n state.drawer.open = !state.drawer.open;\n },\n openDrawer: (state) => {\n state.drawer.open = true;\n },\n closeDrawer: (state) => {\n state.drawer.open = false;\n },\n setSubtitle: (state, action) => {\n state.header.subtitle = action.payload;\n },\n setContentHeight: (state, action) => {\n state.article.contentHeight = action.payload;\n },\n setContentWidth: (state, action) => {\n state.article.contentWidth = action.payload;\n },\n setGated: (state, action) => {\n state.video.gated = action.payload;\n },\n setModalOpen: (state, action) => {\n state.video.modalOpen = action.payload;\n },\n setCurrentVideoId: (state, action) => {\n state.video.currentVideoId = action.payload;\n },\n },\n});\n\n// Selectors\nexport const selectDrawer = (state: RootState) => state.ui.drawer.open;\nexport const selectSubtitle = (state: RootState) => state.ui.header.subtitle;\nexport const selectContentHeight = (state: RootState) =>\n state.ui.article.contentHeight;\nexport const selectContentWidth = (state: RootState) =>\n state.ui.article.contentWidth;\nexport const selectGated = (state: RootState) => state.ui.video.gated;\nexport const selectModalOpen = (state: RootState) => state.ui.video.modalOpen;\nexport const selectCurrentVideoId = (state: RootState) =>\n state.ui.video.currentVideoId;\nexport const selectVideoReady = (state: RootState) => state.ui.video.ready;\n// Actions\nexport const {\n closeDrawer,\n openDrawer,\n setSubtitle,\n setContentHeight,\n setContentWidth,\n setGated,\n setModalOpen,\n setCurrentVideoId,\n} = uiSlice.actions;\n\nexport default uiSlice.reducer;\n","import axios from \"axios\";\n\nexport const convertToTimeString = (time: number) => {\n const minutes = Math.floor(time / 60);\n const seconds = time - minutes * 60;\n\n const formattedTime = `${minutes}m${seconds}s`;\n return formattedTime;\n};\n\ninterface WindowDataLayer {\n push: (data: any) => void;\n}\ninterface Clarity {\n consent: (data: boolean) => void;\n [key: string]: any;\n}\n\ndeclare global {\n interface Window {\n dataLayer: WindowDataLayer;\n _wq: Clarity;\n }\n}\n\nexport const developement = process.env.NODE_ENV === \"development\";\nexport const isSSR = typeof window === \"undefined\";\nexport const isMobile = !isSSR && window.innerWidth < 768;\nexport const consoleLog = (title: string, data?: any) => {\n if (developement) {\n console.log(\n `%c ${title} is ${typeof data}`,\n \"color: #499167; font-size: 16px; font-weight: bold; text-transform: uppercase;\",\n \"\\n\",\n \"\\n\",\n data,\n \"\\n\",\n \"\\n\"\n );\n if (Array.isArray(data)) {\n if (data.length < 10) {\n console.table(title, data);\n }\n }\n if (typeof data === \"object\") {\n if (data !== null) {\n console.log(\n `%c \n \\n\n ${title} Object keys are:\n `,\n \"color: #a072b4; font-size: 12px; font-weight: bold;\"\n );\n console.log(\n `%c \n ${Object.keys(data)}\n `,\n \"color: #d49dec; font-size: 12px; font-weight: bold;\"\n );\n }\n }\n if (data instanceof Error) {\n console.error(data);\n }\n }\n};\n\n// accept an object of data to push to the dataLayer\nexport const pushToDataLayer = (data: any) => {\n if (developement) {\n consoleLog(\"pushToDataLayer data: \", data);\n }\n if (!isSSR) {\n if (\n window.dataLayer &&\n Array.isArray(window.dataLayer) &&\n window.dataLayer !== undefined\n ) {\n const dataLayer = window.dataLayer;\n dataLayer.push(data);\n } else {\n console.error(\"window.dataLayer not found\", data);\n }\n } else {\n console.error(\"window not found\");\n }\n};\n\nexport const WhatsCausingOverflow = () => {\n const allElements = document.querySelectorAll(\"*\");\n const allElementsArray = Array.from(allElements);\n\n const elementsCausingOverflow = allElementsArray.filter((element) => {\n const computedStyle = window.getComputedStyle(element);\n const overflow = computedStyle.overflow;\n const overflowX = computedStyle.overflowX;\n const overflowY = computedStyle.overflowY;\n const isOverflowing =\n overflow === \"hidden\" && overflowX === \"hidden\" && overflowY === \"hidden\";\n return isOverflowing;\n });\n\n consoleLog(\"elementsCausingOverflow\", elementsCausingOverflow);\n\n return elementsCausingOverflow;\n};\n\n// Salesforce Marketing Cloud\n\nexport function getAccountName(ACID: string) {\n consoleLog(\"getAccountName ACID\", ACID);\n axios({\n method: \"get\",\n url:\n \"https://sf.api.withoutlimit.net/sc/sobjects/Account/\" +\n ACID +\n \"?fields=Name\",\n headers: {\n \"Content-Type\": \"application/json\",\n },\n }).then((response) => {\n consoleLog(\"Account Name\", response.data.Name);\n let ACCOUNTID = response.data.Name;\n !isSSR && localStorage.setItem(\"AECOMID\", JSON.stringify(ACID));\n !isSSR && localStorage.setItem(\"ACCOUNTNAME\", JSON.stringify(ACCOUNTID));\n !isSSR &&\n pushToDataLayer({\n event: \"setAccountID\",\n accountID: ACID,\n accountName: response.data.Name,\n });\n });\n}\n","/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n'use strict';\n\n/**\n * Use invariant() to assert state which your program assumes to be true.\n *\n * Provide sprintf-style format (only %s is supported) and arguments\n * to provide information about what broke and what you were\n * expecting.\n *\n * The invariant message will be stripped in production, but the invariant\n * will remain to ensure logic does not differ in production.\n */\n\nvar invariant = function(condition, format, a, b, c, d, e, f) {\n if (process.env.NODE_ENV !== 'production') {\n if (format === undefined) {\n throw new Error('invariant requires an error message argument');\n }\n }\n\n if (!condition) {\n var error;\n if (format === undefined) {\n error = new Error(\n 'Minified exception occurred; use the non-minified dev environment ' +\n 'for the full error message and additional helpful warnings.'\n );\n } else {\n var args = [a, b, c, d, e, f];\n var argIndex = 0;\n error = new Error(\n format.replace(/%s/g, function() { return args[argIndex++]; })\n );\n error.name = 'Invariant Violation';\n }\n\n error.framesToPop = 1; // we don't care about invariant's own frame\n throw error;\n }\n};\n\nmodule.exports = invariant;\n","/**\n * @license React\n * react-server-dom-webpack.production.min.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n'use strict';var k=require(\"react\"),l={stream:!0},n=new Map,p=Symbol.for(\"react.element\"),q=Symbol.for(\"react.lazy\"),r=Symbol.for(\"react.default_value\"),t=k.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED.ContextRegistry;function u(a){t[a]||(t[a]=k.createServerContext(a,r));return t[a]}function v(a,b,c){this._status=a;this._value=b;this._response=c}v.prototype.then=function(a){0===this._status?(null===this._value&&(this._value=[]),this._value.push(a)):a()};\nfunction w(a){switch(a._status){case 3:return a._value;case 1:var b=JSON.parse(a._value,a._response._fromJSON);a._status=3;return a._value=b;case 2:b=a._value;for(var c=b.chunks,d=0;d str != null && enumValues.includes(str)) ? arr : void 0;\n}\nfunction decodeDelimitedArrayEnum(input, enumValues, entrySeparator = \"_\") {\n if (input != null && Array.isArray(input) && !input.length)\n return void 0;\n const arr = decodeDelimitedArray(input, entrySeparator);\n return decodeArrayEnum(arr, enumValues);\n}\nfunction encodeJson(any) {\n if (any == null) {\n return any;\n }\n return JSON.stringify(any);\n}\nfunction decodeJson(input) {\n const jsonStr = getEncodedValue(input);\n if (jsonStr == null)\n return jsonStr;\n let result = null;\n try {\n result = JSON.parse(jsonStr);\n } catch (e) {\n }\n return result;\n}\nfunction encodeArray(array) {\n if (array == null) {\n return array;\n }\n return array;\n}\nfunction decodeArray(input) {\n const arr = getEncodedValueArray(input);\n if (arr == null)\n return arr;\n return arr;\n}\nfunction encodeNumericArray(array) {\n if (array == null) {\n return array;\n }\n return array.map(String);\n}\nfunction decodeNumericArray(input) {\n const arr = decodeArray(input);\n if (arr == null)\n return arr;\n return arr.map((d) => d === \"\" || d == null ? null : +d);\n}\nfunction encodeDelimitedArray(array, entrySeparator = \"_\") {\n if (array == null) {\n return array;\n }\n return array.join(entrySeparator);\n}\nfunction decodeDelimitedArray(input, entrySeparator = \"_\") {\n const arrayStr = getEncodedValue(input, true);\n if (arrayStr == null)\n return arrayStr;\n if (arrayStr === \"\")\n return [];\n return arrayStr.split(entrySeparator);\n}\nconst encodeDelimitedNumericArray = encodeDelimitedArray;\nfunction decodeDelimitedNumericArray(arrayStr, entrySeparator = \"_\") {\n const decoded = decodeDelimitedArray(arrayStr, entrySeparator);\n if (decoded == null)\n return decoded;\n return decoded.map((d) => d === \"\" || d == null ? null : +d);\n}\nfunction encodeObject(obj, keyValSeparator = \"-\", entrySeparator = \"_\") {\n if (obj == null)\n return obj;\n if (!Object.keys(obj).length)\n return \"\";\n return Object.keys(obj).map((key) => `${key}${keyValSeparator}${obj[key]}`).join(entrySeparator);\n}\nfunction decodeObject(input, keyValSeparator = \"-\", entrySeparator = \"_\") {\n const objStr = getEncodedValue(input, true);\n if (objStr == null)\n return objStr;\n if (objStr === \"\")\n return {};\n const obj = {};\n const keyValSeparatorRegExp = new RegExp(`${keyValSeparator}(.*)`);\n objStr.split(entrySeparator).forEach((entryStr) => {\n const [key, value] = entryStr.split(keyValSeparatorRegExp);\n obj[key] = value;\n });\n return obj;\n}\nconst encodeNumericObject = encodeObject;\nfunction decodeNumericObject(input, keyValSeparator = \"-\", entrySeparator = \"_\") {\n const decoded = decodeObject(\n input,\n keyValSeparator,\n entrySeparator\n );\n if (decoded == null)\n return decoded;\n const decodedNumberObj = {};\n for (const key of Object.keys(decoded)) {\n decodedNumberObj[key] = decodeNumber(decoded[key]);\n }\n return decodedNumberObj;\n}\nexport {\n decodeArray,\n decodeArrayEnum,\n decodeBoolean,\n decodeDate,\n decodeDateTime,\n decodeDelimitedArray,\n decodeDelimitedArrayEnum,\n decodeDelimitedNumericArray,\n decodeEnum,\n decodeJson,\n decodeNumber,\n decodeNumericArray,\n decodeNumericObject,\n decodeObject,\n decodeString,\n encodeArray,\n encodeBoolean,\n encodeDate,\n encodeDateTime,\n encodeDelimitedArray,\n encodeDelimitedNumericArray,\n encodeJson,\n encodeNumber,\n encodeNumericArray,\n encodeNumericObject,\n encodeObject,\n encodeString\n};\n//# sourceMappingURL=serialize.js.map\n","import * as Serialize from \"./serialize\";\nconst StringParam = {\n encode: Serialize.encodeString,\n decode: Serialize.decodeString\n};\nconst createEnumParam = (enumValues) => ({\n encode: Serialize.encodeString,\n decode: (input) => Serialize.decodeEnum(input, enumValues)\n});\nconst createEnumArrayParam = (enumValues) => ({\n encode: (text) => Serialize.encodeArray(text == null || Array.isArray(text) ? text : [text]),\n decode: (input) => Serialize.decodeArrayEnum(input, enumValues)\n});\nconst createEnumDelimitedArrayParam = (enumValues, entrySeparator = \"_\") => ({\n encode: (text) => Serialize.encodeDelimitedArray(\n text == null || Array.isArray(text) ? text : [text],\n entrySeparator\n ),\n decode: (input) => Serialize.decodeDelimitedArrayEnum(input, enumValues, entrySeparator)\n});\nconst NumberParam = {\n encode: Serialize.encodeNumber,\n decode: Serialize.decodeNumber\n};\nconst ObjectParam = {\n encode: Serialize.encodeObject,\n decode: Serialize.decodeObject\n};\nconst ArrayParam = {\n encode: Serialize.encodeArray,\n decode: Serialize.decodeArray\n};\nconst NumericArrayParam = {\n encode: Serialize.encodeNumericArray,\n decode: Serialize.decodeNumericArray\n};\nconst JsonParam = {\n encode: Serialize.encodeJson,\n decode: Serialize.decodeJson\n};\nconst DateParam = {\n encode: Serialize.encodeDate,\n decode: Serialize.decodeDate,\n equals: (valueA, valueB) => {\n if (valueA === valueB)\n return true;\n if (valueA == null || valueB == null)\n return valueA === valueB;\n return valueA.getFullYear() === valueB.getFullYear() && valueA.getMonth() === valueB.getMonth() && valueA.getDate() === valueB.getDate();\n }\n};\nconst DateTimeParam = {\n encode: Serialize.encodeDateTime,\n decode: Serialize.decodeDateTime,\n equals: (valueA, valueB) => {\n if (valueA === valueB)\n return true;\n if (valueA == null || valueB == null)\n return valueA === valueB;\n return valueA.valueOf() === valueB.valueOf();\n }\n};\nconst BooleanParam = {\n encode: Serialize.encodeBoolean,\n decode: Serialize.decodeBoolean\n};\nconst NumericObjectParam = {\n encode: Serialize.encodeNumericObject,\n decode: Serialize.decodeNumericObject\n};\nconst DelimitedArrayParam = {\n encode: Serialize.encodeDelimitedArray,\n decode: Serialize.decodeDelimitedArray\n};\nconst DelimitedNumericArrayParam = {\n encode: Serialize.encodeDelimitedNumericArray,\n decode: Serialize.decodeDelimitedNumericArray\n};\nexport {\n ArrayParam,\n BooleanParam,\n DateParam,\n DateTimeParam,\n DelimitedArrayParam,\n DelimitedNumericArrayParam,\n JsonParam,\n NumberParam,\n NumericArrayParam,\n NumericObjectParam,\n ObjectParam,\n StringParam,\n createEnumArrayParam,\n createEnumDelimitedArrayParam,\n createEnumParam\n};\n//# sourceMappingURL=params.js.map\n","import { objectToSearchString } from \"./objectToSearchString\";\nimport { searchStringToObject } from \".\";\nconst JSON_SAFE_CHARS = `{}[],\":`.split(\"\").map((d) => [d, encodeURIComponent(d)]);\nfunction getHrefFromLocation(location, search) {\n let href = search;\n if (location.href) {\n try {\n const url = new URL(location.href);\n href = `${url.origin}${url.pathname}${search}`;\n } catch (e) {\n href = \"\";\n }\n }\n return href;\n}\nfunction transformSearchStringJsonSafe(searchString) {\n let str = searchString;\n for (let [char, code] of JSON_SAFE_CHARS) {\n str = str.replace(new RegExp(\"\\\\\" + code, \"g\"), char);\n }\n return str;\n}\nfunction updateLocation(encodedQuery, location, objectToSearchStringFn = objectToSearchString) {\n let encodedSearchString = objectToSearchStringFn(encodedQuery);\n const search = encodedSearchString.length ? `?${encodedSearchString}` : \"\";\n const newLocation = {\n ...location,\n key: `${Date.now()}`,\n href: getHrefFromLocation(location, search),\n search,\n query: encodedQuery\n };\n return newLocation;\n}\nfunction updateInLocation(encodedQueryReplacements, location, objectToSearchStringFn = objectToSearchString, searchStringToObjectFn = searchStringToObject) {\n const currQuery = searchStringToObjectFn(location.search);\n const newQuery = {\n ...currQuery,\n ...encodedQueryReplacements\n };\n return updateLocation(newQuery, location, objectToSearchStringFn);\n}\nexport {\n transformSearchStringJsonSafe,\n updateInLocation,\n updateLocation\n};\n//# sourceMappingURL=updateLocation.js.map\n","function encodeQueryParams(paramConfigMap, query) {\n const encodedQuery = {};\n const paramNames = Object.keys(query);\n for (const paramName of paramNames) {\n const decodedValue = query[paramName];\n if (!paramConfigMap[paramName]) {\n encodedQuery[paramName] = decodedValue == null ? decodedValue : String(decodedValue);\n } else {\n encodedQuery[paramName] = paramConfigMap[paramName].encode(query[paramName]);\n }\n }\n return encodedQuery;\n}\nvar encodeQueryParams_default = encodeQueryParams;\nexport {\n encodeQueryParams_default as default,\n encodeQueryParams\n};\n//# sourceMappingURL=encodeQueryParams.js.map\n","class DecodedParamCache {\n constructor() {\n this.paramsMap = /* @__PURE__ */ new Map();\n this.registeredParams = /* @__PURE__ */ new Map();\n }\n set(param, stringifiedValue, decodedValue, decode) {\n this.paramsMap.set(param, {\n stringified: stringifiedValue,\n decoded: decodedValue,\n decode\n });\n }\n has(param, stringifiedValue, decode) {\n if (!this.paramsMap.has(param))\n return false;\n const cachedParam = this.paramsMap.get(param);\n if (!cachedParam)\n return false;\n return cachedParam.stringified === stringifiedValue && (decode == null || cachedParam.decode === decode);\n }\n get(param) {\n var _a;\n if (this.paramsMap.has(param))\n return (_a = this.paramsMap.get(param)) == null ? void 0 : _a.decoded;\n return void 0;\n }\n registerParams(paramNames) {\n for (const param of paramNames) {\n const currValue = this.registeredParams.get(param) || 0;\n this.registeredParams.set(param, currValue + 1);\n }\n }\n unregisterParams(paramNames) {\n for (const param of paramNames) {\n const value = (this.registeredParams.get(param) || 0) - 1;\n if (value <= 0) {\n this.registeredParams.delete(param);\n if (this.paramsMap.has(param)) {\n this.paramsMap.delete(param);\n }\n } else {\n this.registeredParams.set(param, value);\n }\n }\n }\n clear() {\n this.paramsMap.clear();\n this.registeredParams.clear();\n }\n}\nconst decodedParamCache = new DecodedParamCache();\nexport {\n DecodedParamCache,\n decodedParamCache\n};\n//# sourceMappingURL=decodedParamCache.js.map\n","import {\n StringParam\n} from \"serialize-query-params\";\nfunction convertInheritedParamStringsToParams(paramConfigMapWithInherit, options) {\n var _a, _b, _c;\n const paramConfigMap = {};\n let hasInherit = false;\n const hookKeys = Object.keys(paramConfigMapWithInherit);\n let paramKeys = hookKeys;\n const includeKnownParams = options.includeKnownParams || options.includeKnownParams !== false && hookKeys.length === 0;\n if (includeKnownParams) {\n const knownKeys = Object.keys((_a = options.params) != null ? _a : {});\n paramKeys.push(...knownKeys);\n }\n for (const key of paramKeys) {\n const param = paramConfigMapWithInherit[key];\n if (param != null && typeof param === \"object\") {\n paramConfigMap[key] = param;\n continue;\n }\n hasInherit = true;\n paramConfigMap[key] = (_c = (_b = options.params) == null ? void 0 : _b[key]) != null ? _c : StringParam;\n }\n if (!hasInherit)\n return paramConfigMapWithInherit;\n return paramConfigMap;\n}\nfunction extendParamConfigForKeys(baseParamConfigMap, paramKeys, inheritedParams, defaultParam) {\n var _a;\n if (!inheritedParams || !paramKeys.length)\n return baseParamConfigMap;\n let paramConfigMap = { ...baseParamConfigMap };\n let hasInherit = false;\n for (const paramKey of paramKeys) {\n if (!Object.prototype.hasOwnProperty.call(paramConfigMap, paramKey)) {\n paramConfigMap[paramKey] = (_a = inheritedParams[paramKey]) != null ? _a : defaultParam;\n hasInherit = true;\n }\n }\n if (!hasInherit)\n return baseParamConfigMap;\n return paramConfigMap;\n}\nexport {\n convertInheritedParamStringsToParams,\n extendParamConfigForKeys\n};\n//# sourceMappingURL=inheritedParams.js.map\n","const hasOwnProperty = Object.prototype.hasOwnProperty;\nfunction is(x, y) {\n if (x === y) {\n return x !== 0 || y !== 0 || 1 / x === 1 / y;\n } else {\n return x !== x && y !== y;\n }\n}\nfunction shallowEqual(objA, objB, equalMap) {\n var _a, _b;\n if (is(objA, objB)) {\n return true;\n }\n if (typeof objA !== \"object\" || objA === null || typeof objB !== \"object\" || objB === null) {\n return false;\n }\n const keysA = Object.keys(objA);\n const keysB = Object.keys(objB);\n if (keysA.length !== keysB.length) {\n return false;\n }\n for (let i = 0; i < keysA.length; i++) {\n const isEqual = (_b = (_a = equalMap == null ? void 0 : equalMap[keysA[i]]) == null ? void 0 : _a.equals) != null ? _b : is;\n if (!hasOwnProperty.call(objB, keysA[i]) || !isEqual(objA[keysA[i]], objB[keysA[i]])) {\n return false;\n }\n }\n return true;\n}\nexport {\n shallowEqual as default\n};\n//# sourceMappingURL=shallowEqual.js.map\n","import shallowEqual from \"./shallowEqual\";\nfunction getLatestDecodedValues(parsedParams, paramConfigMap, decodedParamCache) {\n const decodedValues = {};\n const paramNames = Object.keys(paramConfigMap);\n for (const paramName of paramNames) {\n const paramConfig = paramConfigMap[paramName];\n const encodedValue = parsedParams[paramName];\n let decodedValue;\n if (decodedParamCache.has(paramName, encodedValue, paramConfig.decode)) {\n decodedValue = decodedParamCache.get(paramName);\n } else {\n decodedValue = paramConfig.decode(encodedValue);\n if (paramConfig.equals && decodedParamCache.has(paramName, encodedValue)) {\n const oldDecodedValue = decodedParamCache.get(paramName);\n if (paramConfig.equals(decodedValue, oldDecodedValue)) {\n decodedValue = oldDecodedValue;\n }\n }\n if (decodedValue !== void 0) {\n decodedParamCache.set(\n paramName,\n encodedValue,\n decodedValue,\n paramConfig.decode\n );\n }\n }\n if (decodedValue === void 0 && paramConfig.default !== void 0) {\n decodedValue = paramConfig.default;\n }\n decodedValues[paramName] = decodedValue;\n }\n return decodedValues;\n}\nfunction makeStableGetLatestDecodedValues() {\n let prevDecodedValues;\n function stableGetLatest(parsedParams, paramConfigMap, decodedParamCache) {\n const decodedValues = getLatestDecodedValues(\n parsedParams,\n paramConfigMap,\n decodedParamCache\n );\n if (prevDecodedValues != null && shallowEqual(prevDecodedValues, decodedValues)) {\n return prevDecodedValues;\n }\n prevDecodedValues = decodedValues;\n return decodedValues;\n }\n return stableGetLatest;\n}\nexport {\n getLatestDecodedValues,\n makeStableGetLatestDecodedValues\n};\n//# sourceMappingURL=latestValues.js.map\n","import shallowEqual from \"./shallowEqual\";\nimport { deserializeUrlNameMap } from \"./urlName\";\nlet cachedSearchString;\nlet cachedUrlNameMapString;\nlet cachedSearchStringToObjectFn;\nlet cachedParsedQuery = {};\nconst memoSearchStringToObject = (searchStringToObject, searchString, urlNameMapStr) => {\n if (cachedSearchString === searchString && cachedSearchStringToObjectFn === searchStringToObject && cachedUrlNameMapString === urlNameMapStr) {\n return cachedParsedQuery;\n }\n cachedSearchString = searchString;\n cachedSearchStringToObjectFn = searchStringToObject;\n const newParsedQuery = searchStringToObject(searchString != null ? searchString : \"\");\n cachedUrlNameMapString = urlNameMapStr;\n const urlNameMap = deserializeUrlNameMap(urlNameMapStr);\n for (let [key, value] of Object.entries(newParsedQuery)) {\n if (urlNameMap == null ? void 0 : urlNameMap[key]) {\n delete newParsedQuery[key];\n key = urlNameMap[key];\n newParsedQuery[key] = value;\n }\n const oldValue = cachedParsedQuery[key];\n if (shallowEqual(value, oldValue)) {\n newParsedQuery[key] = oldValue;\n }\n }\n cachedParsedQuery = newParsedQuery;\n return newParsedQuery;\n};\nexport {\n memoSearchStringToObject\n};\n//# sourceMappingURL=memoSearchStringToObject.js.map\n","function serializeUrlNameMap(paramConfigMap) {\n let urlNameMapParts;\n for (const paramName in paramConfigMap) {\n if (paramConfigMap[paramName].urlName) {\n const urlName = paramConfigMap[paramName].urlName;\n const part = `${urlName}\\0${paramName}`;\n if (!urlNameMapParts)\n urlNameMapParts = [part];\n else\n urlNameMapParts.push(part);\n }\n }\n return urlNameMapParts ? urlNameMapParts.join(\"\\n\") : void 0;\n}\nfunction deserializeUrlNameMap(urlNameMapStr) {\n if (!urlNameMapStr)\n return void 0;\n return Object.fromEntries(\n urlNameMapStr.split(\"\\n\").map((part) => part.split(\"\\0\"))\n );\n}\nfunction applyUrlNames(encodedValues, paramConfigMap) {\n var _a;\n let newEncodedValues = {};\n for (const paramName in encodedValues) {\n if (((_a = paramConfigMap[paramName]) == null ? void 0 : _a.urlName) != null) {\n newEncodedValues[paramConfigMap[paramName].urlName] = encodedValues[paramName];\n } else {\n newEncodedValues[paramName] = encodedValues[paramName];\n }\n }\n return newEncodedValues;\n}\nexport {\n applyUrlNames,\n deserializeUrlNameMap,\n serializeUrlNameMap\n};\n//# sourceMappingURL=urlName.js.map\n","import {\n searchStringToObject,\n objectToSearchString\n} from \"serialize-query-params\";\nconst defaultOptions = {\n searchStringToObject,\n objectToSearchString,\n updateType: \"pushIn\",\n includeKnownParams: void 0,\n includeAllParams: false,\n removeDefaultsFromUrl: false,\n enableBatching: false,\n skipUpdateWhenNoChange: true\n};\nfunction mergeOptions(parentOptions, currOptions) {\n if (currOptions == null) {\n currOptions = {};\n }\n const merged = { ...parentOptions, ...currOptions };\n if (currOptions.params && parentOptions.params) {\n merged.params = { ...parentOptions.params, ...currOptions.params };\n }\n return merged;\n}\nexport {\n defaultOptions,\n mergeOptions\n};\n//# sourceMappingURL=options.js.map\n","import * as React from \"react\";\nimport {\n mergeOptions,\n defaultOptions\n} from \"./options\";\nconst providerlessContextValue = {\n adapter: {},\n options: defaultOptions\n};\nconst QueryParamContext = React.createContext(\n providerlessContextValue\n);\nfunction useQueryParamContext() {\n const value = React.useContext(QueryParamContext);\n if (value === void 0 || value === providerlessContextValue) {\n throw new Error(\"useQueryParams must be used within a QueryParamProvider\");\n }\n return value;\n}\nfunction QueryParamProviderInner({\n children,\n adapter,\n options\n}) {\n const { adapter: parentAdapter, options: parentOptions } = React.useContext(QueryParamContext);\n const value = React.useMemo(() => {\n return {\n adapter: adapter != null ? adapter : parentAdapter,\n options: mergeOptions(\n parentOptions,\n options\n )\n };\n }, [adapter, options, parentAdapter, parentOptions]);\n return /* @__PURE__ */ React.createElement(QueryParamContext.Provider, {\n value\n }, children);\n}\nfunction QueryParamProvider({\n children,\n adapter,\n options\n}) {\n const Adapter = adapter;\n return Adapter ? /* @__PURE__ */ React.createElement(Adapter, null, (adapter2) => /* @__PURE__ */ React.createElement(QueryParamProviderInner, {\n adapter: adapter2,\n options\n }, children)) : /* @__PURE__ */ React.createElement(QueryParamProviderInner, {\n options\n }, children);\n}\nvar QueryParamProvider_default = QueryParamProvider;\nexport {\n QueryParamContext,\n QueryParamProvider,\n QueryParamProvider_default as default,\n useQueryParamContext\n};\n//# sourceMappingURL=QueryParamProvider.js.map\n","function searchStringToObject(searchString) {\n const params = new URLSearchParams(searchString);\n const parsed = {};\n for (let [key, value] of params) {\n if (Object.prototype.hasOwnProperty.call(parsed, key)) {\n if (Array.isArray(parsed[key])) {\n parsed[key].push(value);\n } else {\n parsed[key] = [parsed[key], value];\n }\n } else {\n parsed[key] = value;\n }\n }\n return parsed;\n}\nexport {\n searchStringToObject\n};\n//# sourceMappingURL=searchStringToObject.js.map\n","function objectToSearchString(encodedParams) {\n const params = new URLSearchParams();\n const entries = Object.entries(encodedParams);\n for (const [key, value] of entries) {\n if (value === void 0)\n continue;\n if (value === null)\n continue;\n if (Array.isArray(value)) {\n for (const item of value) {\n params.append(key, item != null ? item : \"\");\n }\n } else {\n params.append(key, value);\n }\n }\n return params.toString();\n}\nexport {\n objectToSearchString\n};\n//# sourceMappingURL=objectToSearchString.js.map\n","import {\n encodeQueryParams\n} from \"serialize-query-params\";\nimport { decodedParamCache } from \"./decodedParamCache\";\nimport { extendParamConfigForKeys } from \"./inheritedParams\";\nimport { getLatestDecodedValues } from \"./latestValues\";\nimport { memoSearchStringToObject } from \"./memoSearchStringToObject\";\nimport { removeDefaults } from \"./removeDefaults\";\nimport { applyUrlNames } from \"./urlName\";\nfunction getUpdatedSearchString({\n changes,\n updateType,\n currentSearchString,\n paramConfigMap: baseParamConfigMap,\n options\n}) {\n const { searchStringToObject, objectToSearchString } = options;\n if (updateType == null)\n updateType = options.updateType;\n let encodedChanges;\n const parsedParams = memoSearchStringToObject(\n searchStringToObject,\n currentSearchString\n );\n const paramConfigMap = extendParamConfigForKeys(\n baseParamConfigMap,\n Object.keys(changes),\n options.params\n );\n let changesToUse;\n if (typeof changes === \"function\") {\n const latestValues = getLatestDecodedValues(\n parsedParams,\n paramConfigMap,\n decodedParamCache\n );\n changesToUse = changes(latestValues);\n } else {\n changesToUse = changes;\n }\n encodedChanges = encodeQueryParams(paramConfigMap, changesToUse);\n if (options.removeDefaultsFromUrl) {\n removeDefaults(encodedChanges, paramConfigMap);\n }\n encodedChanges = applyUrlNames(encodedChanges, paramConfigMap);\n let newSearchString;\n if (updateType === \"push\" || updateType === \"replace\") {\n newSearchString = objectToSearchString(encodedChanges);\n } else {\n newSearchString = objectToSearchString({\n ...parsedParams,\n ...encodedChanges\n });\n }\n if ((newSearchString == null ? void 0 : newSearchString.length) && newSearchString[0] !== \"?\") {\n newSearchString = `?${newSearchString}`;\n }\n return newSearchString != null ? newSearchString : \"\";\n}\nfunction updateSearchString({\n searchString,\n adapter,\n navigate,\n updateType\n}) {\n const currentLocation = adapter.location;\n const newLocation = {\n ...currentLocation,\n search: searchString\n };\n if (navigate) {\n if (typeof updateType === \"string\" && updateType.startsWith(\"replace\")) {\n adapter.replace(newLocation);\n } else {\n adapter.push(newLocation);\n }\n }\n}\nconst immediateTask = (task) => task();\nconst timeoutTask = (task) => setTimeout(() => task(), 0);\nconst updateQueue = [];\nfunction enqueueUpdate(args, { immediate } = {}) {\n updateQueue.push(args);\n let scheduleTask = immediate ? immediateTask : timeoutTask;\n if (updateQueue.length === 1) {\n scheduleTask(() => {\n const updates = updateQueue.slice();\n updateQueue.length = 0;\n const initialSearchString = updates[0].currentSearchString;\n let searchString;\n for (let i = 0; i < updates.length; ++i) {\n const modifiedUpdate = i === 0 ? updates[i] : { ...updates[i], currentSearchString: searchString };\n searchString = getUpdatedSearchString(modifiedUpdate);\n }\n if (args.options.skipUpdateWhenNoChange && searchString === initialSearchString) {\n return;\n }\n updateSearchString({\n searchString: searchString != null ? searchString : \"\",\n adapter: updates[updates.length - 1].adapter,\n navigate: true,\n updateType: updates[updates.length - 1].updateType\n });\n });\n }\n}\nexport {\n enqueueUpdate,\n getUpdatedSearchString,\n updateSearchString\n};\n//# sourceMappingURL=updateSearchString.js.map\n","function removeDefaults(encodedValues, paramConfigMap) {\n var _a;\n for (const paramName in encodedValues) {\n if (((_a = paramConfigMap[paramName]) == null ? void 0 : _a.default) !== void 0 && encodedValues[paramName] !== void 0) {\n const encodedDefault = paramConfigMap[paramName].encode(\n paramConfigMap[paramName].default\n );\n if (encodedDefault === encodedValues[paramName]) {\n encodedValues[paramName] = void 0;\n }\n }\n }\n}\nexport {\n removeDefaults\n};\n//# sourceMappingURL=removeDefaults.js.map\n","import { useEffect, useMemo, useRef, useState } from \"react\";\nimport {\n StringParam\n} from \"serialize-query-params\";\nimport { decodedParamCache } from \"./decodedParamCache\";\nimport {\n extendParamConfigForKeys,\n convertInheritedParamStringsToParams\n} from \"./inheritedParams\";\nimport { makeStableGetLatestDecodedValues } from \"./latestValues\";\nimport { memoSearchStringToObject } from \"./memoSearchStringToObject\";\nimport { mergeOptions } from \"./options\";\nimport { useQueryParamContext } from \"./QueryParamProvider\";\nimport { enqueueUpdate } from \"./updateSearchString\";\nimport { serializeUrlNameMap } from \"./urlName\";\nfunction useQueryParams(arg1, arg2) {\n const { adapter, options: contextOptions } = useQueryParamContext();\n const [stableGetLatest] = useState(makeStableGetLatestDecodedValues);\n const { paramConfigMap: paramConfigMapWithInherit, options } = parseArguments(\n arg1,\n arg2\n );\n const mergedOptions = useMemo(() => {\n return mergeOptions(contextOptions, options);\n }, [contextOptions, options]);\n let paramConfigMap = convertInheritedParamStringsToParams(\n paramConfigMapWithInherit,\n mergedOptions\n );\n const parsedParams = memoSearchStringToObject(\n mergedOptions.searchStringToObject,\n adapter.location.search,\n serializeUrlNameMap(paramConfigMap)\n );\n if (mergedOptions.includeAllParams) {\n paramConfigMap = extendParamConfigForKeys(\n paramConfigMap,\n Object.keys(parsedParams),\n mergedOptions.params,\n StringParam\n );\n }\n const decodedValues = stableGetLatest(\n parsedParams,\n paramConfigMap,\n decodedParamCache\n );\n const paramKeyString = Object.keys(paramConfigMap).join(\"\\0\");\n useEffect(() => {\n const paramNames = paramKeyString.split(\"\\0\");\n decodedParamCache.registerParams(paramNames);\n return () => {\n decodedParamCache.unregisterParams(paramNames);\n };\n }, [paramKeyString]);\n const callbackDependencies = {\n adapter,\n paramConfigMap,\n options: mergedOptions\n };\n const callbackDependenciesRef = useRef(callbackDependencies);\n if (callbackDependenciesRef.current == null) {\n callbackDependenciesRef.current = callbackDependencies;\n }\n useEffect(() => {\n callbackDependenciesRef.current.adapter = adapter;\n callbackDependenciesRef.current.paramConfigMap = paramConfigMap;\n callbackDependenciesRef.current.options = mergedOptions;\n }, [adapter, paramConfigMap, mergedOptions]);\n const [setQuery] = useState(() => {\n const setQuery2 = (changes, updateType) => {\n const { adapter: adapter2, paramConfigMap: paramConfigMap2, options: options2 } = callbackDependenciesRef.current;\n if (updateType == null)\n updateType = options2.updateType;\n enqueueUpdate(\n {\n changes,\n updateType,\n currentSearchString: adapter2.location.search,\n paramConfigMap: paramConfigMap2,\n options: options2,\n adapter: adapter2\n },\n { immediate: !options2.enableBatching }\n );\n };\n return setQuery2;\n });\n return [decodedValues, setQuery];\n}\nvar useQueryParams_default = useQueryParams;\nfunction parseArguments(arg1, arg2) {\n let paramConfigMap;\n let options;\n if (arg1 === void 0) {\n paramConfigMap = {};\n options = arg2;\n } else if (Array.isArray(arg1)) {\n paramConfigMap = Object.fromEntries(\n arg1.map((key) => [key, \"inherit\"])\n );\n options = arg2;\n } else {\n paramConfigMap = arg1;\n options = arg2;\n }\n return { paramConfigMap, options };\n}\nexport {\n useQueryParams_default as default,\n useQueryParams\n};\n//# sourceMappingURL=useQueryParams.js.map\n","import { useCallback, useMemo } from \"react\";\nimport useQueryParams from \"./useQueryParams\";\nconst useQueryParam = (name, paramConfig, options) => {\n const paramConfigMap = useMemo(\n () => ({ [name]: paramConfig != null ? paramConfig : \"inherit\" }),\n [name, paramConfig]\n );\n const [query, setQuery] = useQueryParams(paramConfigMap, options);\n const decodedValue = query[name];\n const setValue = useCallback(\n (newValue, updateType) => {\n if (typeof newValue === \"function\") {\n return setQuery((latestValues) => {\n const newValueFromLatest = newValue(latestValues[name]);\n return { [name]: newValueFromLatest };\n }, updateType);\n }\n return setQuery({ [name]: newValue }, updateType);\n },\n [name, setQuery]\n );\n return [decodedValue, setValue];\n};\nexport {\n useQueryParam\n};\n//# sourceMappingURL=useQueryParam.js.map\n","/**\n * @license React\n * use-sync-external-store-with-selector.production.min.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n'use strict';var g=require(\"react\");function n(a,b){return a===b&&(0!==a||1/a===1/b)||a!==a&&b!==b}var p=\"function\"===typeof Object.is?Object.is:n,q=g.useSyncExternalStore,r=g.useRef,t=g.useEffect,u=g.useMemo,v=g.useDebugValue;\nexports.useSyncExternalStoreWithSelector=function(a,b,e,l,h){var c=r(null);if(null===c.current){var f={hasValue:!1,value:null};c.current=f}else f=c.current;c=u(function(){function a(a){if(!c){c=!0;d=a;a=l(a);if(void 0!==h&&f.hasValue){var b=f.value;if(h(b,a))return k=b}return k=a}b=k;if(p(d,a))return b;var e=l(a);if(void 0!==h&&h(b,e))return b;d=a;return k=e}var c=!1,d,k,m=void 0===e?null:e;return[function(){return a(b())},null===m?void 0:function(){return a(m())}]},[b,e,l,h]);var d=q(a,c[0],c[1]);\nt(function(){f.hasValue=!0;f.value=d},[d]);v(d);return d};\n","'use strict';\n\nif (process.env.NODE_ENV === 'production') {\n module.exports = require('./cjs/use-sync-external-store-with-selector.production.min.js');\n} else {\n module.exports = require('./cjs/use-sync-external-store-with-selector.development.js');\n}\n","function _assertThisInitialized(self) {\n if (self === void 0) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n return self;\n}\nmodule.exports = _assertThisInitialized, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;","var setPrototypeOf = require(\"./setPrototypeOf.js\");\nfunction _inheritsLoose(subClass, superClass) {\n subClass.prototype = Object.create(superClass.prototype);\n subClass.prototype.constructor = subClass;\n setPrototypeOf(subClass, superClass);\n}\nmodule.exports = _inheritsLoose, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;","function _interopRequireDefault(obj) {\n return obj && obj.__esModule ? obj : {\n \"default\": obj\n };\n}\nmodule.exports = _interopRequireDefault, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;","function _setPrototypeOf(o, p) {\n module.exports = _setPrototypeOf = Object.setPrototypeOf ? Object.setPrototypeOf.bind() : function _setPrototypeOf(o, p) {\n o.__proto__ = p;\n return o;\n }, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n return _setPrototypeOf(o, p);\n}\nmodule.exports = _setPrototypeOf, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;","'use strict';\n\nObject.defineProperty(exports, '__esModule', { value: true });\n\nconst PartytownSnippet = \"/* Partytown 0.7.6 - MIT builder.io */\\n!function(t,e,n,i,r,o,a,d,s,c,p,l){function u(){l||(l=1,\\\"/\\\"==(a=(o.lib||\\\"/~partytown/\\\")+(o.debug?\\\"debug/\\\":\\\"\\\"))[0]&&(s=e.querySelectorAll('script[type=\\\"text/partytown\\\"]'),i!=t?i.dispatchEvent(new CustomEvent(\\\"pt1\\\",{detail:t})):(d=setTimeout(f,1e4),e.addEventListener(\\\"pt0\\\",w),r?h(1):n.serviceWorker?n.serviceWorker.register(a+(o.swPath||\\\"partytown-sw.js\\\"),{scope:a}).then((function(t){t.active?h():t.installing&&t.installing.addEventListener(\\\"statechange\\\",(function(t){\\\"activated\\\"==t.target.state&&h()}))}),console.error):f())))}function h(t){c=e.createElement(t?\\\"script\\\":\\\"iframe\\\"),t||(c.setAttribute(\\\"style\\\",\\\"display:block;width:0;height:0;border:0;visibility:hidden\\\"),c.setAttribute(\\\"aria-hidden\\\",!0)),c.src=a+\\\"partytown-\\\"+(t?\\\"atomics.js?v=0.7.6\\\":\\\"sandbox-sw.html?\\\"+Date.now()),e.body.appendChild(c)}function f(n,r){for(w(),i==t&&(o.forward||[]).map((function(e){delete t[e.split(\\\".\\\")[0]]})),n=0;n {\n const { forward = [], ...filteredConfig } = config || {};\n const configStr = JSON.stringify(filteredConfig, (k, v) => {\n if (typeof v === 'function') {\n v = String(v);\n if (v.startsWith(k + '(')) {\n v = 'function ' + v;\n }\n }\n return v;\n });\n return [\n `!(function(w,p,f,c){`,\n Object.keys(filteredConfig).length > 0\n ? `c=w[p]=Object.assign(w[p]||{},${configStr});`\n : `c=w[p]=w[p]||{};`,\n `c[f]=(c[f]||[])`,\n forward.length > 0 ? `.concat(${JSON.stringify(forward)})` : ``,\n `})(window,'partytown','forward');`,\n snippetCode,\n ].join('');\n};\n\n/**\n * The `type` attribute for Partytown scripts, which does two things:\n *\n * 1. Prevents the `