{"version":3,"file":"index.b6VWhMjx.js","sources":["../../../../../../node_modules/esm-env/true.js","../../../../../../node_modules/@sveltejs/kit/src/runtime/app/environment/index.js","../../../../../../src/lib/utils/history-store/store.ts","../../../../../../src/lib/utils/history-store/index.ts","../../../../../../src/lib/utils/cta-flow/handler.ts","../../../../../../src/lib/utils/cta-flow/index.ts"],"sourcesContent":["export default true;\n","import { BROWSER, DEV } from 'esm-env';\nexport { building, version } from '__sveltekit/environment';\n\nexport const browser = BROWSER;\n\nexport const dev = DEV;\n","import { derived, type Readable, writable, type Writable } from 'svelte/store';\nimport type { Action, HistoryItem, HistoryStore, ProductInfo } from './types';\nimport { browser } from '$app/environment';\nimport { PUBLIC_MAX_AGE_HISTORY_ITEM } from \"$env/static/public\";\n\nexport class HistoryStoreImpl implements HistoryStore {\n private static _instance: HistoryStoreImpl;\n\n private _localStorageKey = 'userHistory';\n private _history: Writable;\n private _productCodeForCourseSlide: string | null = null;\n\n private constructor() {\n if (browser) {\n this._history = writable(this._getHistoryFromLocalStorage());\n this._history.subscribe((currentValue) => this._saveHistoryToLocalStorage(currentValue));\n this._history.subscribe((currentValue) => this._checkProductCodeForCourseSlide(currentValue));\n } else {\n this._history = writable([]);\n }\n }\n\n /**\n * Add a new entry based on the action and the session related to\n * @param action The action performed: e.g 'view', 'download_brochure', etc...\n * @param productInfo The product info\n */\n addHistoryEntry(action: Action, productInfo: ProductInfo) {\n this._history.update((value) => {\n if (this._existsInHistory(value, { action, productInfo })) return value;\n return [\n ...value,\n {\n date: new Date(),\n action: action,\n product: productInfo,\n },\n ];\n });\n }\n\n getProductCodeForCourseSlide(): string | null {\n return this._productCodeForCourseSlide;\n }\n /**\n * A readable store of the history\n */\n public get history(): Readable {\n return derived(this._history, (value) => value);\n }\n\n /**\n * A readable store of the history of CTAs performed\n */\n public get historyOfCTAs(): Readable {\n return derived(this._history, (value) => value.filter((item) => item.action !== 'view'));\n }\n\n /**\n * A readable store of the history of products views\n */\n public get historyOfProductViews(): Readable {\n return derived(this._history, (value) => value.filter((item) => item.action === 'view'));\n }\n\n /******* PRIVATE METHODS (HELPERS) *******/\n\n private _existsInHistory(history: HistoryItem[], itemToCheck: { action: Action; productInfo: ProductInfo }) {\n return history.some(\n (item) => item.action === itemToCheck.action && item.product.productCode === itemToCheck.productInfo.productCode\n );\n }\n\n /**\n * Check If history contains something useful for the CourseSlide HP item\n * @param history The history to save\n */\n\n private _checkProductCodeForCourseSlide(history: HistoryItem[]) {\n const maxAgeInDays = parseInt(PUBLIC_MAX_AGE_HISTORY_ITEM);\n\n let firstChoice: string | null = null;\n let secondChoice: string | null = null;\n\n for (let historyItem of history.slice().reverse()) {\n if (firstChoice === null && (historyItem.action === 'download_brochure' || historyItem.action === 'request_info')) {\n if (maxAgeInDays) {\n // We have a max age flag so use it\n const today = new Date();\n const historyItemDate = historyItem.date;\n historyItemDate.setDate(historyItemDate.getDate() + maxAgeInDays);\n if (historyItemDate.getTime() > today.getTime()) {\n firstChoice = historyItem.product.productCode;\n break;\n }\n } else {\n firstChoice = historyItem.product.productCode;\n break;\n }\n }\n\n /*if(secondChoiche === null && historyItem.action === \"admission\"){\n secondChoiche = historyItem.product.productCode;\n }\n if(firstChoice !== null && secondChoiche!==null){\n break;\n }*/\n }\n this._productCodeForCourseSlide = firstChoice;\n }\n\n /**\n * Saves the history to local storage\n * @param history The history to save\n */\n private _saveHistoryToLocalStorage(history: HistoryItem[]) {\n localStorage.setItem(this._localStorageKey, JSON.stringify(history));\n }\n\n /**\n * Retrieves the history from local storage\n * @returns The history saved in local storage or an empty if none exist\n */\n private _getHistoryFromLocalStorage(): HistoryItem[] {\n const historyStr = localStorage.getItem(this._localStorageKey);\n let history: HistoryItem[] = [];\n let historyRaw: any[] = [];\n try {\n historyRaw = historyStr ? JSON.parse(historyStr) : [];\n if (historyRaw !== null) {\n history = historyRaw.map((item) => ({ ...item, date: new Date(item.date) }));\n }\n } catch (error) {\n return [];\n }\n return history;\n }\n\n /******* STATIC METHODS ********/\n\n static getInstace(): HistoryStore {\n if (!HistoryStoreImpl._instance) {\n HistoryStoreImpl._instance = new HistoryStoreImpl();\n }\n return HistoryStoreImpl._instance;\n }\n}\n","import { HistoryStoreImpl } from './store';\n\nexport type { HistoryItem } from './types/index';\n\nexport const useHistoryStore = HistoryStoreImpl.getInstace;\n","import { goto } from '$app/navigation';\nimport { useOktaStore, type IAuthStore } from '$lib/utils/auth-store';\nimport { useCampaignStore } from '$lib/utils/campaign-store';\nimport type { CampaignStore } from '$lib/utils/campaign-store/store';\nimport { useHistoryStore } from '$lib/utils/history-store';\nimport { useScholarshipWizard } from '$lib/utils/scholarship-wizard';\nimport { type SessionStore, useSessionStore } from '$lib/utils/session-store';\nimport { get } from 'svelte/store';\nimport { buildBrochureConfirmationPath, buildShopifyLink, createCtaEvent, getUserAndWebsiteData } from './helpers';\nimport type { BookInitiativeCTAData, BuyCTAData, CTA, CTAFlowData, DownloadBrochureCTAData, RequestInfoCTAData, RequestIntititiveInfoCTAData, SendApplicationFormCTAData } from './types';\nimport { browser } from '$app/environment';\nimport type { BookEventRequest, PostDownloadBrochureRequest } from '$lib/api/generated/cta-services';\nimport { PUBLIC_PAYMENT_GATEWAY } from '$env/static/public';\nimport { useCtaServicesApiClient } from \"$lib/api/CtaServicesApiClientFactory\";\nimport { getCookie } from '$lib/utils/browser-utils';\nimport { addLeadingSlash } from '../formatter';\n\nexport class CTAFlow {\n private static _instance: CTAFlow;\n\n private _campaignStore: CampaignStore;\n private _authStore: IAuthStore;\n private _sessionStore: SessionStore;\n\n private _errorCallback: () => void;\n\n private constructor() {\n this._campaignStore = useCampaignStore();\n this._authStore = useOktaStore();\n this._sessionStore = useSessionStore();\n this._errorCallback = () => { };\n }\n\n public static getInstance() {\n if (!CTAFlow._instance) CTAFlow._instance = new CTAFlow();\n\n return CTAFlow._instance;\n }\n\n /**\n * Map of CTAs that can be completed by a pending user.\n */\n public isPendingUserCTAs(cta: CTA | null): boolean {\n if (!cta) return false;\n return ['downloadBrochure', 'bookInitiative'].includes(cta);\n }\n\n public get originPath(): string | null {\n return this._originPath;\n }\n\n public get activeCTA(): string | null {\n return this._activeCTA;\n }\n\n public get actionInPlace(): boolean {\n return !!this._activeCTA && !!this._originPath && !!this._data;\n }\n\n public get bookingUpdateCompleted(): boolean {\n return this._boookingUpdateComplete;\n }\n\n public async completeBookingUpdate(uid?: string, request?: PostDownloadBrochureRequest) {\n if (uid && request) {\n const client = useCtaServicesApiClient();\n const result = await client.updateDownloadBrochure(uid, request);\n this._sessionStore.setDownloadBrochureResult(result);\n }\n\n this._boookingUpdateComplete = true;\n }\n\n public setErrorCallback(callback: () => void) {\n this._errorCallback = callback;\n }\n\n public resetCTAFlow() {\n this._activeCTA = null;\n this._originPath = '';\n this._data = null;\n this._boookingUpdateComplete = false;\n }\n\n /**\n * Check if there is a pending CTA in the localStorage and start the flow\n */\n // public async getPendingCTA(): Promise {\n // if (!browser) return Promise.reject();\n\n // const savedCTA = localStorage.getItem('pendingCTA');\n\n // if (!savedCTA) return Promise.reject();\n\n // const parsedCTA = JSON.parse(savedCTA);\n\n // // Check if the CTA is still valid\n // if (parsedCTA.expiresAt > Date.now()) {\n // this.startCTAFlow(\n // parsedCTA.originPath,\n // parsedCTA.cta,\n // parsedCTA.data,\n // parsedCTA.customPath,\n // parsedCTA.customConfirmationPath\n // );\n // }\n\n // // Remove the CTA, either if it has expired or if it has been used\n // localStorage.removeItem('pendingCTA');\n // return Promise.resolve();\n // }\n\n public async startCTAFlow(originPath: string, cta: CTA, data: CTAFlowData | {}, customPath?: string, customConfirmationPath?: string) {\n this._originPath = originPath;\n this._activeCTA = cta;\n this._data = data;\n this._customPath = customPath ? customPath : null;\n this._customConfirmationPath = customConfirmationPath ? customConfirmationPath : '';\n\n if (this.shouldGoToLoginForm(customPath)) {\n return await goto(`/login?cta=${this._activeCTA}`);\n } else if (this.shouldGoToCompletionForm()) {\n return await goto(`/registrati/completion?cta=${this._activeCTA}`);\n } else if (this.shouldGoToRegistrationForm()) {\n return await goto(`/registrati?cta=${this._activeCTA}`);\n }\n\n // Else handle each cta\n return await this.handleCTA(false);\n }\n\n /**\n * Continue the CTA flow after login/registration\n * \n * @returns A promise that resolves when the CTA is completed returning true if a CTA completed, false otherwise\n */\n public async continueCTAFlow() : Promise {\n this.retrievePendingCTA();\n if (!this._activeCTA) {\n return false;\n }\n this.removePendingCTA();\n try {\n await this.handleCTA(true);\n return true;\n } catch (error) {\n console.error('Error while handling CTA', error);\n return false;\n }\n }\n\n public savePendingCTA() {\n if (!this._activeCTA || !browser) return;\n // Add the pending CTA to the localStorage\n const expirationTime = Date.now() + 15 * 60 * 1000; // Expire in 15 minutes\n\n localStorage.setItem('pendingCTA', JSON.stringify({\n originPath: this._originPath,\n cta: this._activeCTA,\n data: this._data,\n customPath: this._customPath,\n customConfirmationPath: this._customConfirmationPath,\n expiresAt: expirationTime\n }));\n }\n\n private retrievePendingCTA() {\n if (!browser || !localStorage.getItem('pendingCTA')) return;\n\n const savedCTA = localStorage.getItem('pendingCTA');\n\n if (!savedCTA) return;\n\n const parsedCTA = JSON.parse(savedCTA);\n\n // Check if the CTA is still valid\n if (parsedCTA.expiresAt > Date.now()) {\n this._originPath = parsedCTA.originPath;\n this._activeCTA = parsedCTA.cta;\n this._data = parsedCTA.data;\n this._customPath = parsedCTA.customPath;\n this._customConfirmationPath = parsedCTA.customConfirmationPath;\n }\n }\n\n private removePendingCTA() {\n if (!browser || !localStorage.getItem('pendingCTA')) return;\n localStorage.removeItem('pendingCTA');\n }\n\n /*********************************************************************/\n /* PRIVATE METHODS */\n /*********************************************************************/\n\n /**\n * Handle the different CTAs.\n * Function reads the current active CTA and proceeds to handle it\n * @param continued True if the handling was continued after login/registration\n * @returns A promise that resolves when handling was succesfull\n */\n private async handleCTA(continued: boolean = false) {\n switch (this._activeCTA) {\n case 'downloadBrochure':\n return await this.downloadBrochure(continued);\n case 'buy':\n return await this.buy();\n case 'bookInitiative':\n return await this.bookInitiative(continued);\n case 'sendApplicationForm':\n const applicationFormData = this._data as SendApplicationFormCTAData;\n if (this._customPath) {\n return await goto(addLeadingSlash(this._customPath), {\n replaceState: continued,\n });\n }\n return await goto(addLeadingSlash(`${applicationFormData.coursePath}/${applicationFormData.sessionId}/application_form`), {\n replaceState: continued,\n });\n case 'requestInfo':\n const requestInfoCTAData = this._data as RequestInfoCTAData;\n let url = `${requestInfoCTAData.coursePath}/${requestInfoCTAData.sessionId}/request_information_form`;\n if (this._customPath) {\n url = this._customPath;\n }\n return await goto(addLeadingSlash(url), {\n replaceState: continued,\n });\n case 'requestInitiativeInfo':\n const requestinitiativeInfoCTAData = this._data as RequestIntititiveInfoCTAData;\n return await goto(addLeadingSlash(`${requestinitiativeInfoCTAData.initiativePath}/richiedi_informazioni`), {\n replaceState: continued,\n });\n case 'scholarship': {\n // Temp way to start the wizard. TODO: Find a better way\n const wizard = useScholarshipWizard();\n wizard.start();\n return await goto(addLeadingSlash(this._originPath ? this._originPath : '/'), { replaceState: continued });\n }\n }\n }\n\n /**\n * Determines if the user should proceed to registration.\n * If he is not logged in and start the bookInititiative, downloadBrochure\n * and buy CTAs then he should first register/login\n * @returns True if user should go to the start of registration\n */\n private shouldGoToRegistrationForm() {\n const isLoggedIn = get(this._authStore.isLoggedIn);\n return !isLoggedIn && this._activeCTA && ['bookInitiative', 'downloadBrochure', 'buy', 'scholarship'].includes(this._activeCTA);\n }\n\n public shouldGoToLoginForm(customPath: string | null = null) {\n const isLoggedIn = get(this._authStore.isLoggedIn);\n const loginOptions = get(this._sessionStore.loginOptions);\n\n if (!isLoggedIn && this._activeCTA === 'requestInfo' && (customPath && customPath.indexOf('b2b-4-weeks-4-inclusion') > -1)) return true;\n\n return !isLoggedIn && this._activeCTA && ['bookInitiative', 'downloadBrochure', 'buy', 'scholarship'].includes(this._activeCTA) && loginOptions && loginOptions.email && loginOptions.channel;\n }\n\n /**\n * Determines if the user should proceed to complete\n * his registration. If he is is logged in and has not set\n * name, email or phone then he should first complete his profile or if\n * he has completed cta and he has not subscribed\n * @param ctaCompleted For when you want to check for privacy only after cta compleition\n * @returns True if user should go to register completion step\n */\n public shouldGoToCompletionForm(ctaCompleted: boolean = false) {\n const isLoggedIn = get(this._authStore.isLoggedIn);\n const userInfo = get(this._authStore.userInfo);\n const pendingUserInfo = get(this._sessionStore.pendingUserInfo);\n\n if (ctaCompleted) {\n // return isLoggedIn && !userInfo?.subscribe && !pendingUserInfo?.subscribe;\n return isLoggedIn && !userInfo?.phone && !pendingUserInfo?.phone;\n }\n return isLoggedIn && ((!userInfo?.name && !pendingUserInfo?.name) || (!userInfo?.phone && !pendingUserInfo?.phone) || (!userInfo?.email && !pendingUserInfo?.email));\n }\n\n private async downloadBrochure(continued: boolean = false): Promise {\n const request = {\n ...getUserAndWebsiteData(),\n ...(this._data as DownloadBrochureCTAData),\n endDate: new Date((this._data as DownloadBrochureCTAData).endDate).toISOString(),\n startDate: new Date((this._data as DownloadBrochureCTAData).startDate).toISOString(),\n } as PostDownloadBrochureRequest;\n\n // Fill data object with user info and campaign data\n try {\n const client = useCtaServicesApiClient();\n const result = await client.submitDownloadBrochure(request, createCtaEvent('brochure_download'));\n\n if (!request.coursePath) {\n throw new Error('Course path is missing');\n }\n\n if (!request.sessionId) {\n throw new Error('Session id is missing');\n }\n\n let confirmationPath = '';\n if (request.brochureBooking) {\n confirmationPath = buildBrochureConfirmationPath(request.coursePath, 'booking', request.sessionId, request.productCode);\n } else if (request.brochureAvailable) {\n confirmationPath = buildBrochureConfirmationPath(request.coursePath, 'download', request.sessionId, request.productCode);\n this._sessionStore.setDownloadBrochureResult(result);\n } else {\n confirmationPath = `${request.courseUrl}`;\n }\n\n const historyStore = useHistoryStore();\n\n historyStore.addHistoryEntry(request.brochureBooking ? 'booking_brochure' : 'download_brochure', {\n rank: (this._data as DownloadBrochureCTAData).rank,\n category: (this._data as DownloadBrochureCTAData).category,\n endDate: (this._data as DownloadBrochureCTAData).endDate,\n productCode: (this._data as DownloadBrochureCTAData).productCode,\n startDate: (this._data as DownloadBrochureCTAData).startDate,\n });\n\n if (this.shouldGoToCompletionForm(true)) {\n goto(`/registrati/completion?callback=${confirmationPath}`, { replaceState: continued });\n } else {\n goto(addLeadingSlash(confirmationPath), { replaceState: continued });\n }\n\n } catch (error) {\n goto(addLeadingSlash(this._originPath ? this._originPath : '/'), { replaceState: true, noScroll: true }).then(() => {\n if (this._errorCallback) this._errorCallback();\n this.resetCTAFlow();\n });\n }\n\n }\n\n private buy(continued: boolean = false): Promise {\n const buyCTAData = this._data as BuyCTAData;\n const userData = getUserAndWebsiteData();\n\n return new Promise((resolve, reject) => {\n if (buyCTAData.upselling) {\n // Go to packages/options selection page\n if (browser) {\n localStorage.setItem(\n 'upselling-checkout',\n JSON.stringify({\n session: null,\n package: null,\n options: [],\n })\n );\n }\n if (buyCTAData.upsellingHasPackages) {\n goto(`${buyCTAData.coursePath}/${buyCTAData.sessionId}/buy/packages`).then(() => resolve());\n } else {\n goto(`${buyCTAData.coursePath}/${buyCTAData.sessionId}/buy/options`).then(() => resolve());\n }\n } else {\n // Go to stripe checkout\n\n let payment_gateway = PUBLIC_PAYMENT_GATEWAY;\n if (typeof window != 'undefined') {\n payment_gateway = getCookie('payment_gateway') || payment_gateway;\n }\n if (payment_gateway === 'stripe') {\n goto(`${buyCTAData.coursePath}/${buyCTAData.sessionId}/checkout`).then(() => resolve());\n } \n else if (payment_gateway === 'shopify') {\n // Go directly to shopify link\n buildShopifyLink(userData.id, userData.email, userData.name, userData.surname, userData.phone, buyCTAData.productCode)\n .then((shopifyLink) => {\n this.resetCTAFlow();\n if (continued) {\n window.location.replace(shopifyLink);\n } else {\n window.location.href = shopifyLink;\n }\n\n resolve();\n })\n .catch(() => {\n const msg = 'An error occurred while fetching the shopify multipass permalink';\n console.error(msg);\n reject(msg);\n });\n } else {\n console.log(\"Payment gateway not found\");\n reject(\"Payment gateway not found\");\n }\n }\n\n const historyStore = useHistoryStore();\n historyStore.addHistoryEntry('buy', {\n rank: buyCTAData.rank,\n category: buyCTAData.category,\n endDate: buyCTAData.endDate,\n productCode: buyCTAData.productCode,\n startDate: buyCTAData.startDate,\n });\n });\n }\n\n private async bookInitiative(continued: boolean = false): Promise {\n const bookInitiativeCTAData = this._data as BookInitiativeCTAData;\n\n if (!bookInitiativeCTAData.bookingConfig.useCta || !bookInitiativeCTAData.bookingConfig.courseId || !bookInitiativeCTAData.bookingConfig.sessionId) {\n // open Docebo in a separate tab if we had only the booking URL\n return goto(this._originPath || '/', { replaceState: continued }).then(() => {\n this.resetCTAFlow();\n if (window !== null && bookInitiativeCTAData.bookingConfig.url) {\n const wp = window.open(bookInitiativeCTAData.bookingConfig.url, '_blank')\n if (wp) {\n wp.focus();\n }\n }\n });\n }\n\n // Construct book event request to call the service\n const request = {\n initiativePath: bookInitiativeCTAData.initiativePath,\n doceboCourseId: bookInitiativeCTAData.bookingConfig.courseId,\n doceboSessionId: bookInitiativeCTAData.bookingConfig.sessionId,\n title: bookInitiativeCTAData.bookingConfig.title,\n type: bookInitiativeCTAData.bookingConfig.type,\n date: new Date(bookInitiativeCTAData.bookingConfig.date).toISOString(),\n ...getUserAndWebsiteData(),\n } as BookEventRequest;\n\n const ctaService = useCtaServicesApiClient();\n\n try {\n const result = await ctaService.bookEvent(request, createCtaEvent('book_event'))\n const confirmationPath = `${bookInitiativeCTAData.initiativePath}/booking_confirm`;\n\n if (this.shouldGoToCompletionForm(true)) {\n goto(`/registrati/completion?callback=${confirmationPath}`, { replaceState: continued });\n } else {\n goto(confirmationPath, { replaceState: continued, });\n }\n } catch (error) {\n console.log('Error while booking initiative', error);\n goto(this._originPath || '/', { replaceState: true, noScroll: true }).then(() => {\n this.resetCTAFlow();\n if (this._errorCallback) this._errorCallback();\n });\n }\n\n /*\n try {\n // call the book event CTA service to register to the event\n const client = useCtaServicesApiClient();\n const result = await client.bookEvent(request, createCtaEvent('book_event'));\n\n const confirmationPath = `${bookInitiativeCTAData.initiativePath}/booking_confirm`;\n\n if (this.shouldGoToCompletionForm(true)) {\n goto(`/registrati/completion?callback=${confirmationPath}`, { replaceState: continued });\n } else {\n goto(confirmationPath, {\n replaceState: continued,\n });\n }\n } catch (error) {\n console.log('Error while booking initiative', error);\n goto(this._originPath || '/', { replaceState: true, noScroll: true }).then(() => {\n this.resetCTAFlow();\n if (this._errorCallback) this._errorCallback();\n });\n }\n */\n\n }\n\n /*********************** SETTERS AND GETTERS ****************************/\n /* Used to store in the sessionStorage imediately */\n /************************************************************************/\n\n private set _boookingUpdateComplete(show: boolean) {\n sessionStorage.setItem('ctaBookingUpdateModal', JSON.stringify(show));\n }\n\n private set _activeCTA(cta: CTA | null) {\n if (browser) {\n sessionStorage.setItem('cta', JSON.stringify(cta));\n }\n }\n\n private set _originPath(originPath: string) {\n if (browser) {\n sessionStorage.setItem('ctaOriginPath', originPath);\n }\n }\n\n private set _data(data: any) {\n if (browser) {\n sessionStorage.setItem('ctaData', JSON.stringify(data));\n }\n }\n\n private set _customPath(path: string | null) {\n if (browser) {\n sessionStorage.removeItem('ctaCustomPath');\n if (path) {\n sessionStorage.setItem('ctaCustomPath', path);\n }\n }\n }\n\n private set _customConfirmationPath(confirmationPath: string) {\n if (browser) {\n sessionStorage.setItem('ctaCustomConfirmationPath', confirmationPath);\n }\n }\n\n private get _boookingUpdateComplete(): boolean {\n if (browser) {\n const showModalStr = sessionStorage.getItem('ctaBookingUpdateModal');\n if (showModalStr) {\n return JSON.parse(showModalStr);\n }\n }\n return false;\n }\n\n private get _activeCTA(): CTA | null {\n if (browser) {\n const ctaStr = sessionStorage.getItem('cta');\n if (ctaStr) {\n return JSON.parse(ctaStr);\n }\n }\n return null;\n }\n\n private get _originPath(): string | null {\n if (browser) {\n return sessionStorage.getItem('ctaOriginPath');\n }\n return null;\n }\n\n private get _customPath(): string | null {\n if (browser) {\n return sessionStorage.getItem('ctaCustomPath');\n }\n return null;\n }\n\n private get _customConfirmationPath(): string | null {\n if (browser) {\n return sessionStorage.getItem('ctaCustomConfirmationPath');\n }\n return null;\n }\n\n private get _data(): CTAFlowData | null {\n if (browser) {\n const dataStr = sessionStorage.getItem('ctaData');\n if (dataStr) {\n return JSON.parse(dataStr);\n }\n }\n return null;\n }\n}\n","import { CTAFlow } from './handler';\n\nexport const useCTAFlow = CTAFlow.getInstance;\n"],"names":["BROWSER","browser","_HistoryStoreImpl","__publicField","writable","currentValue","action","productInfo","value","derived","item","history","itemToCheck","maxAgeInDays","PUBLIC_MAX_AGE_HISTORY_ITEM","firstChoice","historyItem","today","historyItemDate","historyStr","historyRaw","HistoryStoreImpl","useHistoryStore","_CTAFlow","useCampaignStore","useOktaStore","useSessionStore","cta","uid","request","result","useCtaServicesApiClient","callback","originPath","data","customPath","customConfirmationPath","goto","error","expirationTime","savedCTA","parsedCTA","continued","applicationFormData","addLeadingSlash","requestInfoCTAData","url","requestinitiativeInfoCTAData","useScholarshipWizard","get","isLoggedIn","loginOptions","ctaCompleted","userInfo","pendingUserInfo","getUserAndWebsiteData","createCtaEvent","confirmationPath","buildBrochureConfirmationPath","buyCTAData","userData","resolve","reject","payment_gateway","PUBLIC_PAYMENT_GATEWAY","getCookie","buildShopifyLink","shopifyLink","msg","bookInitiativeCTAData","wp","ctaService","show","path","showModalStr","ctaStr","dataStr","CTAFlow","useCTAFlow"],"mappings":"spBAAA,MAAAA,EAAe,GCGFC,EAAUD,ECEVE,EAAN,MAAMA,CAAyC,CAO5C,aAAc,CAJdC,EAAA,wBAAmB,eACnBA,EAAA,iBACAA,EAAA,kCAA4C,MAIhD,KAAK,SAAWC,EAAS,KAAK,4BAAA,CAA6B,EAC3D,KAAK,SAAS,UAAWC,GAAiB,KAAK,2BAA2BA,CAAY,CAAC,EACvF,KAAK,SAAS,UAAWA,GAAiB,KAAK,gCAAgCA,CAAY,CAAC,CAG9F,CAQF,gBAAgBC,EAAgBC,EAA0B,CACnD,KAAA,SAAS,OAAQC,GAChB,KAAK,iBAAiBA,EAAO,CAAE,OAAAF,EAAQ,YAAAC,CAAY,CAAC,EAAUC,EAC3D,CACL,GAAGA,EACH,CACE,SAAU,KACV,OAAAF,EACA,QAASC,CAAA,CAEb,CACD,CAAA,CAGH,8BAA8C,CAC5C,OAAO,KAAK,0BAAA,CAKd,IAAW,SAAmC,CAC5C,OAAOE,EAAQ,KAAK,SAAWD,GAAUA,CAAK,CAAA,CAMhD,IAAW,eAAyC,CAClD,OAAOC,EAAQ,KAAK,SAAWD,GAAUA,EAAM,OAAQE,GAASA,EAAK,SAAW,MAAM,CAAC,CAAA,CAMzF,IAAW,uBAAiD,CAC1D,OAAOD,EAAQ,KAAK,SAAWD,GAAUA,EAAM,OAAQE,GAASA,EAAK,SAAW,MAAM,CAAC,CAAA,CAKjF,iBAAiBC,EAAwBC,EAA2D,CAC1G,OAAOD,EAAQ,KACZD,GAASA,EAAK,SAAWE,EAAY,QAAUF,EAAK,QAAQ,cAAgBE,EAAY,YAAY,WACvG,CAAA,CAQM,gCAAgCD,EAAwB,CACxD,MAAAE,EAAe,SAASC,CAA2B,EAEzD,IAAIC,EAA6B,KAGjC,QAASC,KAAeL,EAAQ,MAAM,EAAE,UACtC,GAAII,IAAgB,OAASC,EAAY,SAAW,qBAAuBA,EAAY,SAAW,gBAChG,GAAIH,EAAc,CAEV,MAAAI,MAAY,KACZC,EAAkBF,EAAY,KAEpC,GADAE,EAAgB,QAAQA,EAAgB,QAAQ,EAAIL,CAAY,EAC5DK,EAAgB,QAAA,EAAYD,EAAM,UAAW,CAC/CF,EAAcC,EAAY,QAAQ,YAClC,KAAA,CACF,KACK,CACLD,EAAcC,EAAY,QAAQ,YAClC,KAAA,CAWN,KAAK,2BAA6BD,CAAA,CAO5B,2BAA2BJ,EAAwB,CACzD,aAAa,QAAQ,KAAK,iBAAkB,KAAK,UAAUA,CAAO,CAAC,CAAA,CAO7D,6BAA6C,CACnD,MAAMQ,EAAa,aAAa,QAAQ,KAAK,gBAAgB,EAC7D,IAAIR,EAAyB,CAAC,EAC1BS,EAAoB,CAAC,EACrB,GAAA,CACFA,EAAaD,EAAa,KAAK,MAAMA,CAAU,EAAI,CAAC,EAChDC,IAAe,OACjBT,EAAUS,EAAW,IAAKV,IAAU,CAAE,GAAGA,EAAM,KAAM,IAAI,KAAKA,EAAK,IAAI,CAAI,EAAA,QAE/D,CACd,MAAO,CAAC,CAAA,CAEH,OAAAC,CAAA,CAKT,OAAO,YAA2B,CAC5B,OAACT,EAAiB,YACHA,EAAA,UAAY,IAAIA,GAE5BA,EAAiB,SAAA,CAE5B,EA5IEC,EADWD,EACI,aADV,IAAMmB,EAANnB,ECDA,MAAMoB,EAAkBD,EAAiB,WCanCE,EAAN,MAAMA,CAAQ,CASX,aAAc,CANdpB,EAAA,uBACAA,EAAA,mBACAA,EAAA,sBAEAA,EAAA,uBAGN,KAAK,eAAiBqB,EAAiB,EACvC,KAAK,WAAaC,EAAa,EAC/B,KAAK,cAAgBC,EAAgB,EACrC,KAAK,eAAiB,IAAM,CAAE,CAAA,CAGhC,OAAc,aAAc,CAC1B,OAAKH,EAAQ,YAAmBA,EAAA,UAAY,IAAIA,GAEzCA,EAAQ,SAAA,CAMV,kBAAkBI,EAA0B,CAC7C,OAACA,EACE,CAAC,mBAAoB,gBAAgB,EAAE,SAASA,CAAG,EADzC,EACyC,CAG5D,IAAW,YAA4B,CACrC,OAAO,KAAK,WAAA,CAGd,IAAW,WAA2B,CACpC,OAAO,KAAK,UAAA,CAGd,IAAW,eAAyB,CAC3B,MAAA,CAAC,CAAC,KAAK,YAAc,CAAC,CAAC,KAAK,aAAe,CAAC,CAAC,KAAK,KAAA,CAG3D,IAAW,wBAAkC,CAC3C,OAAO,KAAK,uBAAA,CAGd,MAAa,sBAAsBC,EAAcC,EAAuC,CACtF,GAAID,GAAOC,EAAS,CAElB,MAAMC,EAAS,MADAC,EAAwB,EACX,uBAAuBH,EAAKC,CAAO,EAC1D,KAAA,cAAc,0BAA0BC,CAAM,CAAA,CAGrD,KAAK,wBAA0B,EAAA,CAG1B,iBAAiBE,EAAsB,CAC5C,KAAK,eAAiBA,CAAA,CAGjB,cAAe,CACpB,KAAK,WAAa,KAClB,KAAK,YAAc,GACnB,KAAK,MAAQ,KACb,KAAK,wBAA0B,EAAA,CA+BjC,MAAa,aAAaC,EAAoBN,EAAUO,EAAwBC,EAAqBC,EAAiC,CAOhI,OANJ,KAAK,YAAcH,EACnB,KAAK,WAAaN,EAClB,KAAK,MAAQO,EACR,KAAA,YAAcC,GAA0B,KACxC,KAAA,wBAA0BC,GAAkD,GAE7E,KAAK,oBAAoBD,CAAU,EAC9B,MAAME,EAAK,cAAc,KAAK,UAAU,EAAE,EACxC,KAAK,2BACP,MAAMA,EAAK,8BAA8B,KAAK,UAAU,EAAE,EACxD,KAAK,6BACP,MAAMA,EAAK,mBAAmB,KAAK,UAAU,EAAE,EAIjD,MAAM,KAAK,UAAU,EAAK,CAAA,CAQnC,MAAa,iBAAqC,CAE5C,GADJ,KAAK,mBAAmB,EACpB,CAAC,KAAK,WACD,MAAA,GAET,KAAK,iBAAiB,EAClB,GAAA,CACI,aAAA,KAAK,UAAU,EAAI,EAClB,SACAC,EAAO,CACN,eAAA,MAAM,2BAA4BA,CAAK,EACxC,EAAA,CACT,CAGK,gBAAiB,CACtB,GAAI,CAAC,KAAK,YAAc,CAACrC,EAAS,OAElC,MAAMsC,EAAiB,KAAK,IAAI,EAAI,GAAK,GAAK,IAEjC,aAAA,QAAQ,aAAc,KAAK,UAAU,CAChD,WAAY,KAAK,YACjB,IAAK,KAAK,WACV,KAAM,KAAK,MACX,WAAY,KAAK,YACjB,uBAAwB,KAAK,wBAC7B,UAAWA,CAAA,CACZ,CAAC,CAAA,CAGI,oBAAqB,CAC3B,GAAgB,CAAC,aAAa,QAAQ,YAAY,EAAG,OAE/C,MAAAC,EAAW,aAAa,QAAQ,YAAY,EAElD,GAAI,CAACA,EAAU,OAET,MAAAC,EAAY,KAAK,MAAMD,CAAQ,EAGjCC,EAAU,UAAY,KAAK,IAAA,IAC7B,KAAK,YAAcA,EAAU,WAC7B,KAAK,WAAaA,EAAU,IAC5B,KAAK,MAAQA,EAAU,KACvB,KAAK,YAAcA,EAAU,WAC7B,KAAK,wBAA0BA,EAAU,uBAC3C,CAGM,kBAAmB,CACR,aAAa,QAAQ,YAAY,GAClD,aAAa,WAAW,YAAY,CAAA,CAatC,MAAc,UAAUC,EAAqB,GAAO,CAClD,OAAQ,KAAK,WAAY,CACvB,IAAK,mBACI,OAAA,MAAM,KAAK,iBAAiBA,CAAS,EAC9C,IAAK,MACI,OAAA,MAAM,KAAK,IAAI,EACxB,IAAK,iBACI,OAAA,MAAM,KAAK,eAAeA,CAAS,EAC5C,IAAK,sBACH,MAAMC,EAAsB,KAAK,MACjC,OAAI,KAAK,YACA,MAAMN,EAAKO,EAAgB,KAAK,WAAW,EAAG,CACnD,aAAcF,CAAA,CACf,EAEI,MAAML,EAAKO,EAAgB,GAAGD,EAAoB,UAAU,IAAIA,EAAoB,SAAS,mBAAmB,EAAG,CACxH,aAAcD,CAAA,CACf,EACH,IAAK,cACH,MAAMG,EAAqB,KAAK,MAChC,IAAIC,EAAM,GAAGD,EAAmB,UAAU,IAAIA,EAAmB,SAAS,4BAC1E,OAAI,KAAK,cACPC,EAAM,KAAK,aAEN,MAAMT,EAAKO,EAAgBE,CAAG,EAAG,CACtC,aAAcJ,CAAA,CACf,EACH,IAAK,wBACH,MAAMK,EAA+B,KAAK,MAC1C,OAAO,MAAMV,EAAKO,EAAgB,GAAGG,EAA6B,cAAc,wBAAwB,EAAG,CACzG,aAAcL,CAAA,CACf,EACH,IAAK,cAGH,OADeM,EAAqB,EAC7B,MAAM,EACN,MAAMX,EAAKO,EAAgB,KAAK,YAAc,KAAK,YAAc,GAAG,EAAG,CAAE,aAAcF,CAAA,CAAW,CAC3G,CACF,CASM,4BAA6B,CAEnC,MAAO,CADYO,EAAI,KAAK,WAAW,UAAU,GAC3B,KAAK,YAAc,CAAC,iBAAkB,mBAAoB,MAAO,aAAa,EAAE,SAAS,KAAK,UAAU,CAAA,CAGzH,oBAAoBd,EAA4B,KAAM,CAC3D,MAAMe,EAAaD,EAAI,KAAK,WAAW,UAAU,EAC3CE,EAAeF,EAAI,KAAK,cAAc,YAAY,EAEpD,MAAA,CAACC,GAAc,KAAK,aAAe,eAAkBf,GAAcA,EAAW,QAAQ,yBAAyB,EAAI,GAAY,GAE5H,CAACe,GAAc,KAAK,YAAc,CAAC,iBAAkB,mBAAoB,MAAO,aAAa,EAAE,SAAS,KAAK,UAAU,GAAKC,GAAgBA,EAAa,OAASA,EAAa,OAAA,CAWjL,yBAAyBC,EAAwB,GAAO,CAC7D,MAAMF,EAAaD,EAAI,KAAK,WAAW,UAAU,EAC3CI,EAAWJ,EAAI,KAAK,WAAW,QAAQ,EACvCK,EAAkBL,EAAI,KAAK,cAAc,eAAe,EAE9D,OAAIG,EAEKF,GAAc,EAACG,GAAA,MAAAA,EAAU,QAAS,EAACC,GAAA,MAAAA,EAAiB,OAEtDJ,IAAgB,EAACG,GAAA,MAAAA,EAAU,OAAQ,EAACC,GAAA,MAAAA,EAAiB,OAAU,EAACD,GAAA,MAAAA,EAAU,QAAS,EAACC,GAAA,MAAAA,EAAiB,QAAW,EAACD,GAAA,MAAAA,EAAU,QAAS,EAACC,GAAA,MAAAA,EAAiB,OAAA,CAG/J,MAAc,iBAAiBZ,EAAqB,GAAsB,CACxE,MAAMb,EAAU,CACd,GAAG0B,EAAsB,EACzB,GAAI,KAAK,MACT,QAAS,IAAI,KAAM,KAAK,MAAkC,OAAO,EAAE,YAAY,EAC/E,UAAW,IAAI,KAAM,KAAK,MAAkC,SAAS,EAAE,YAAY,CACrF,EAGI,GAAA,CAEF,MAAMzB,EAAS,MADAC,EAAwB,EACX,uBAAuBF,EAAS2B,EAAe,mBAAmB,CAAC,EAE3F,GAAA,CAAC3B,EAAQ,WACL,MAAA,IAAI,MAAM,wBAAwB,EAGtC,GAAA,CAACA,EAAQ,UACL,MAAA,IAAI,MAAM,uBAAuB,EAGzC,IAAI4B,EAAmB,GACnB5B,EAAQ,gBACV4B,EAAmBC,EAA8B7B,EAAQ,WAAY,UAAWA,EAAQ,UAAWA,EAAQ,WAAW,EAC7GA,EAAQ,mBACjB4B,EAAmBC,EAA8B7B,EAAQ,WAAY,WAAYA,EAAQ,UAAWA,EAAQ,WAAW,EAClH,KAAA,cAAc,0BAA0BC,CAAM,GAEhC2B,EAAA,GAAG5B,EAAQ,SAAS,GAGpBP,EAAgB,EAExB,gBAAgBO,EAAQ,gBAAkB,mBAAqB,oBAAqB,CAC/F,KAAO,KAAK,MAAkC,KAC9C,SAAW,KAAK,MAAkC,SAClD,QAAU,KAAK,MAAkC,QACjD,YAAc,KAAK,MAAkC,YACrD,UAAY,KAAK,MAAkC,SAAA,CACpD,EAEG,KAAK,yBAAyB,EAAI,EACpCQ,EAAK,mCAAmCoB,CAAgB,GAAI,CAAE,aAAcf,EAAW,EAEvFL,EAAKO,EAAgBa,CAAgB,EAAG,CAAE,aAAcf,EAAW,OAGvD,CACdL,EAAKO,EAAgB,KAAK,YAAc,KAAK,YAAc,GAAG,EAAG,CAAE,aAAc,GAAM,SAAU,EAAA,CAAM,EAAE,KAAK,IAAM,CAC9G,KAAK,gBAAgB,KAAK,eAAe,EAC7C,KAAK,aAAa,CAAA,CACnB,CAAA,CACH,CAIM,IAAIF,EAAqB,GAAsB,CACrD,MAAMiB,EAAa,KAAK,MAClBC,EAAWL,EAAsB,EAEvC,OAAO,IAAI,QAAQ,CAACM,EAASC,IAAW,CACtC,GAAIH,EAAW,UAGE,aAAA,QACX,qBACA,KAAK,UAAU,CACb,QAAS,KACT,QAAS,KACT,QAAS,CAAA,CACV,CAAA,CACH,EAEEA,EAAW,qBACRtB,EAAA,GAAGsB,EAAW,UAAU,IAAIA,EAAW,SAAS,eAAe,EAAE,KAAK,IAAME,EAAA,CAAS,EAErFxB,EAAA,GAAGsB,EAAW,UAAU,IAAIA,EAAW,SAAS,cAAc,EAAE,KAAK,IAAME,EAAA,CAAS,MAEtF,CAGL,IAAIE,EAAkBC,EAClB,OAAO,OAAU,MACDD,EAAAE,EAAU,iBAAiB,GAAKF,GAEhDA,IAAoB,SACjB1B,EAAA,GAAGsB,EAAW,UAAU,IAAIA,EAAW,SAAS,WAAW,EAAE,KAAK,IAAME,EAAA,CAAS,EAE/EE,IAAoB,UAE3BG,EAAiBN,EAAS,GAAIA,EAAS,MAAOA,EAAS,KAAMA,EAAS,QAASA,EAAS,MAAOD,EAAW,WAAW,EAClH,KAAMQ,GAAgB,CACrB,KAAK,aAAa,EACdzB,EACK,OAAA,SAAS,QAAQyB,CAAW,EAEnC,OAAO,SAAS,KAAOA,EAGjBN,EAAA,CAAA,CACT,EACA,MAAM,IAAM,CACX,MAAMO,EAAM,mEACZ,QAAQ,MAAMA,CAAG,EACjBN,EAAOM,CAAG,CAAA,CACX,GAEH,QAAQ,IAAI,2BAA2B,EACvCN,EAAO,2BAA2B,EACpC,CAGmBxC,EAAgB,EACxB,gBAAgB,MAAO,CAClC,KAAMqC,EAAW,KACjB,SAAUA,EAAW,SACrB,QAASA,EAAW,QACpB,YAAaA,EAAW,YACxB,UAAWA,EAAW,SAAA,CACvB,CAAA,CACF,CAAA,CAGH,MAAc,eAAejB,EAAqB,GAAsB,CACtE,MAAM2B,EAAwB,KAAK,MAE/B,GAAA,CAACA,EAAsB,cAAc,QAAU,CAACA,EAAsB,cAAc,UAAY,CAACA,EAAsB,cAAc,UAEhI,OAAAhC,EAAK,KAAK,aAAe,IAAK,CAAE,aAAcK,CAAU,CAAC,EAAE,KAAK,IAAM,CAE3E,GADA,KAAK,aAAa,EACd,SAAW,MAAQ2B,EAAsB,cAAc,IAAK,CAC9D,MAAMC,EAAK,OAAO,KAAKD,EAAsB,cAAc,IAAK,QAAQ,EACpEC,GACFA,EAAG,MAAM,CACX,CACF,CACD,EAIH,MAAMzC,EAAU,CACd,eAAgBwC,EAAsB,eACtC,eAAgBA,EAAsB,cAAc,SACpD,gBAAiBA,EAAsB,cAAc,UACrD,MAAOA,EAAsB,cAAc,MAC3C,KAAMA,EAAsB,cAAc,KAC1C,KAAM,IAAI,KAAKA,EAAsB,cAAc,IAAI,EAAE,YAAY,EACrE,GAAGd,EAAsB,CAC3B,EAEMgB,EAAaxC,EAAwB,EAEvC,GAAA,CACF,MAAMD,EAAS,MAAMyC,EAAW,UAAU1C,EAAS2B,EAAe,YAAY,CAAC,EACzEC,EAAmB,GAAGY,EAAsB,cAAc,mBAE5D,KAAK,yBAAyB,EAAI,EACpChC,EAAK,mCAAmCoB,CAAgB,GAAI,CAAE,aAAcf,EAAW,EAEvFL,EAAKoB,EAAkB,CAAE,aAAcf,CAAA,CAAY,QAE9CJ,EAAO,CACN,QAAA,IAAI,iCAAkCA,CAAK,EAC9CD,EAAA,KAAK,aAAe,IAAK,CAAE,aAAc,GAAM,SAAU,GAAM,EAAE,KAAK,IAAM,CAC/E,KAAK,aAAa,EACd,KAAK,gBAAgB,KAAK,eAAe,CAAA,CAC9C,CAAA,CACH,CAgCF,IAAY,wBAAwBmC,EAAe,CACjD,eAAe,QAAQ,wBAAyB,KAAK,UAAUA,CAAI,CAAC,CAAA,CAGtE,IAAY,WAAW7C,EAAiB,CAEpC,eAAe,QAAQ,MAAO,KAAK,UAAUA,CAAG,CAAC,CACnD,CAGF,IAAY,YAAYM,EAAoB,CAEzB,eAAA,QAAQ,gBAAiBA,CAAU,CACpD,CAGF,IAAY,MAAMC,EAAW,CAEzB,eAAe,QAAQ,UAAW,KAAK,UAAUA,CAAI,CAAC,CACxD,CAGF,IAAY,YAAYuC,EAAqB,CAEzC,eAAe,WAAW,eAAe,EACrCA,GACa,eAAA,QAAQ,gBAAiBA,CAAI,CAEhD,CAGF,IAAY,wBAAwBhB,EAA0B,CAE3C,eAAA,QAAQ,4BAA6BA,CAAgB,CACtE,CAGF,IAAY,yBAAmC,CAChC,CACL,MAAAiB,EAAe,eAAe,QAAQ,uBAAuB,EACnE,GAAIA,EACK,OAAA,KAAK,MAAMA,CAAY,CAChC,CAEK,MAAA,EAAA,CAGT,IAAY,YAAyB,CACtB,CACL,MAAAC,EAAS,eAAe,QAAQ,KAAK,EAC3C,GAAIA,EACK,OAAA,KAAK,MAAMA,CAAM,CAC1B,CAEK,OAAA,IAAA,CAGT,IAAY,aAA6B,CAE9B,OAAA,eAAe,QAAQ,eAAe,CAExC,CAGT,IAAY,aAA6B,CAE9B,OAAA,eAAe,QAAQ,eAAe,CAExC,CAGT,IAAY,yBAAyC,CAE1C,OAAA,eAAe,QAAQ,2BAA2B,CAEpD,CAGT,IAAY,OAA4B,CACzB,CACL,MAAAC,EAAU,eAAe,QAAQ,SAAS,EAChD,GAAIA,EACK,OAAA,KAAK,MAAMA,CAAO,CAC3B,CAEK,OAAA,IAAA,CAEX,EAriBEzE,EADWoB,EACI,aADV,IAAMsD,EAANtD,ECfA,MAAMuD,EAAaD,EAAQ","x_google_ignoreList":[0,1]}