@descope/react-sdk 1.0.3 → 1.0.5

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1 +1 @@
1
- {"version":3,"file":"index.esm.js","sources":["../src/hooks/Context.ts","../src/utils.ts","../src/constants.ts","../src/sdk.ts","../src/components/AuthProvider/AuthProvider.tsx","../src/components/AuthProvider/useSdk.ts","../src/components/Descope.tsx","../src/components/DefaultFlows.tsx","../src/hooks/useContext.ts","../src/hooks/useDescope.ts","../src/hooks/useSession.ts","../src/hooks/useUser.ts"],"sourcesContent":["import React from 'react';\nimport { IContext } from '../types';\n\nconst Context = React.createContext<IContext>(undefined);\n\nexport default Context;\n","/**\n * Wrap a function with a validation that it exists\n * @param fn The function to wrap with the validation\n * @throws if function does not exist, an error with the relevant message will be thrown\n */\nexport const withValidation =\n\t<T extends Array<any>, U>(fn: (...args: T) => U) =>\n\t(...args: T): U => {\n\t\tif (!fn) {\n\t\t\tthrow Error(\n\t\t\t\t`You can only use this function after sdk initialization. Make sure to supply 'projectId' to <AuthProvider /> component`\n\t\t\t);\n\t\t}\n\t\treturn fn(...args);\n\t};\n\nexport const wrapInTry =\n\t<T extends Array<any>, U>(fn: (...args: T) => U) =>\n\t(...args: T): U => {\n\t\tlet res: U;\n\t\ttry {\n\t\t\tres = fn(...args);\n\t\t} catch (err) {\n\t\t\tconsole.error(err); // eslint-disable-line no-console\n\t\t}\n\t\treturn res;\n\t};\n","declare const BUILD_VERSION: string;\n\n// eslint-disable-next-line import/prefer-default-export\nexport const baseHeaders = {\n\t'x-descope-sdk-name': 'react',\n\t'x-descope-sdk-version': BUILD_VERSION\n};\n\n// This sdk can be used in SSR apps\nexport const IS_BROWSER = typeof window !== 'undefined';\n","import createSdk from '@descope/web-js-sdk';\nimport { IS_BROWSER } from './constants';\nimport { wrapInTry } from './utils';\n\ntype Sdk = ReturnType<typeof createSdkWrapper>;\nlet sdkInstance: Sdk;\n\nconst createSdkWrapper = <P extends Parameters<typeof createSdk>[0]>(\n\tconfig: P\n) => {\n\tconst sdk = createSdk({\n\t\t...config,\n\t\tpersistTokens: IS_BROWSER as true,\n\t\tautoRefresh: IS_BROWSER as true\n\t});\n\tsdkInstance = sdk;\n\n\treturn sdk;\n};\n\n/**\n * We want to make sure the getSessionToken fn is used only when persistTokens is on\n *\n * So we are keeping the SDK init in a single place,\n * and we are creating a temp instance in order to export the getSessionToken\n * even before the SDK was init\n */\nsdkInstance = createSdkWrapper({ projectId: 'temp pid' });\n\nexport const getSessionToken = () => {\n\tif (IS_BROWSER) {\n\t\treturn sdkInstance?.getSessionToken();\n\t}\n\n\t// eslint-disable-next-line no-console\n\tconsole.warn('Get session token is not supported in SSR');\n\treturn '';\n};\n\nexport const getRefreshToken = () => {\n\tif (IS_BROWSER) {\n\t\treturn sdkInstance?.getRefreshToken();\n\t}\n\t// eslint-disable-next-line no-console\n\tconsole.warn('Get refresh token is not supported in SSR');\n\treturn '';\n};\n\nexport const getJwtPermissions = wrapInTry(\n\t(token = getSessionToken(), tenant?: string) =>\n\t\tsdkInstance?.getJwtPermissions(token, tenant)\n);\n\nexport const getJwtRoles = wrapInTry(\n\t(token = getSessionToken(), tenant?: string) =>\n\t\tsdkInstance?.getJwtRoles(token, tenant)\n);\n\nexport const refresh = (token = getRefreshToken()) =>\n\tsdkInstance?.refresh(token);\n\nexport default createSdkWrapper;\n","import React, { FC, useCallback, useEffect, useMemo, useState } from 'react';\nimport Context from '../../hooks/Context';\nimport { IContext, User } from '../../types';\nimport { withValidation } from '../../utils';\nimport useSdk from './useSdk';\n\ninterface IAuthProviderProps {\n\tprojectId: string;\n\tbaseUrl?: string;\n\t// If true, session token (jwt) will be stored on cookie. Otherwise, the session token will be\n\t// stored on local storage and can accessed with getSessionToken function\n\t// Use this option if session token will stay small (less than 1k)\n\t// NOTE: Session token can grow, especially in cases of using authorization, or adding custom claims\n\tsessionTokenViaCookie?: boolean;\n\tchildren?: JSX.Element;\n}\n\nconst AuthProvider: FC<IAuthProviderProps> = ({\n\tprojectId,\n\tbaseUrl,\n\tsessionTokenViaCookie,\n\tchildren\n}) => {\n\tconst [user, setUser] = useState<User>();\n\tconst [session, setSession] = useState<string>();\n\n\tconst [isUserLoading, setIsUserLoading] = useState(false);\n\tconst [isSessionLoading, setIsSessionLoading] = useState(false);\n\n\tconst sdk = useSdk({ projectId, baseUrl, sessionTokenViaCookie });\n\n\tuseEffect(() => {\n\t\tif (sdk) {\n\t\t\tconst unsubscribeSessionToken = sdk.onSessionTokenChange(setSession);\n\t\t\tconst unsubscribeUser = sdk.onUserChange(setUser);\n\n\t\t\treturn () => {\n\t\t\t\tunsubscribeSessionToken();\n\t\t\t\tunsubscribeUser();\n\t\t\t};\n\t\t}\n\t\treturn undefined;\n\t}, [sdk]);\n\n\tconst fetchSession = useCallback(() => {\n\t\tsetIsSessionLoading(true);\n\t\twithValidation(sdk?.refresh)().then(() => {\n\t\t\tsetIsSessionLoading(false);\n\t\t});\n\t}, [sdk]);\n\n\tconst fetchUser = useCallback(() => {\n\t\tsetIsUserLoading(true);\n\t\twithValidation(sdk.me)().then(() => {\n\t\t\tsetIsUserLoading(false);\n\t\t});\n\t}, [sdk]);\n\n\tconst value = useMemo<IContext>(\n\t\t() => ({\n\t\t\tfetchUser,\n\t\t\tuser,\n\t\t\tisUserLoading,\n\t\t\tfetchSession,\n\t\t\tsession,\n\t\t\tisSessionLoading,\n\t\t\tprojectId,\n\t\t\tbaseUrl,\n\t\t\tsetUser,\n\t\t\tsetSession,\n\t\t\tsdk\n\t\t}),\n\t\t[\n\t\t\tfetchUser,\n\t\t\tuser,\n\t\t\tisUserLoading,\n\t\t\tfetchSession,\n\t\t\tsession,\n\t\t\tisSessionLoading,\n\t\t\tprojectId,\n\t\t\tbaseUrl,\n\t\t\tsetUser,\n\t\t\tsetSession,\n\t\t\tsdk\n\t\t]\n\t);\n\treturn <Context.Provider value={value}>{children}</Context.Provider>;\n};\n\nAuthProvider.defaultProps = {\n\tbaseUrl: '',\n\tchildren: undefined,\n\tsessionTokenViaCookie: false\n};\n\nexport default AuthProvider;\n","import { useMemo } from 'react';\nimport { baseHeaders } from '../../constants';\nimport createSdk from '../../sdk';\n\ntype Config = Pick<\n\tParameters<typeof createSdk>[0],\n\t'projectId' | 'baseUrl' | 'sessionTokenViaCookie'\n>;\n\nexport default ({\n\tprojectId,\n\tbaseUrl,\n\tsessionTokenViaCookie\n}: Config): ReturnType<typeof createSdk> =>\n\tuseMemo(() => {\n\t\tif (!projectId) {\n\t\t\treturn undefined;\n\t\t}\n\t\treturn createSdk({\n\t\t\tprojectId,\n\t\t\tbaseUrl,\n\t\t\tsessionTokenViaCookie,\n\t\t\tbaseHeaders,\n\t\t\tpersistToken: true,\n\t\t\tautoRefresh: true\n\t\t});\n\t}, [projectId, baseUrl, sessionTokenViaCookie]);\n","import React, {\n\tlazy,\n\tSuspense,\n\tuseCallback,\n\tuseEffect,\n\tuseImperativeHandle,\n\tuseState\n} from 'react';\nimport { baseHeaders } from '../constants';\nimport Context from '../hooks/Context';\nimport { DescopeProps } from '../types';\n\n// web-component code uses browser API, but can be used in SSR apps, hence the lazy loading\nconst DescopeWC = lazy(async () => {\n\tconst module = await import('@descope/web-component');\n\t// we want to override the web-component base headers so we can tell that is was used via the React SDK\n\tmodule.default.sdkConfigOverrides = { baseHeaders };\n\n\treturn {\n\t\tdefault: ({\n\t\t\tprojectId,\n\t\t\tflowId,\n\t\t\tbaseUrl,\n\t\t\tinnerRef,\n\t\t\ttenant,\n\t\t\ttheme,\n\t\t\tdebug,\n\t\t\ttelemetryKey,\n\t\t\tredirectUrl,\n\t\t\tautoFocus\n\t\t}) => (\n\t\t\t<descope-wc\n\t\t\t\tproject-id={projectId}\n\t\t\t\tflow-id={flowId}\n\t\t\t\tbase-url={baseUrl}\n\t\t\t\tref={innerRef}\n\t\t\t\ttenant={tenant}\n\t\t\t\ttheme={theme}\n\t\t\t\tdebug={debug}\n\t\t\t\ttelemetryKey={telemetryKey}\n\t\t\t\tredirect-url={redirectUrl}\n\t\t\t\tauto-focus={autoFocus}\n\t\t\t/>\n\t\t)\n\t};\n});\n\nconst Descope = React.forwardRef<HTMLElement, DescopeProps>(\n\t(\n\t\t{\n\t\t\tflowId,\n\t\t\tonSuccess,\n\t\t\tonError,\n\t\t\ttenant,\n\t\t\ttheme,\n\t\t\tdebug,\n\t\t\ttelemetryKey,\n\t\t\tredirectUrl,\n\t\t\tautoFocus\n\t\t},\n\t\tref\n\t) => {\n\t\tconst [innerRef, setInnerRef] = useState(null);\n\n\t\tuseImperativeHandle(ref, () => innerRef);\n\n\t\tconst { projectId, baseUrl, sdk } = React.useContext(Context);\n\n\t\tconst handleSuccess = useCallback(\n\t\t\tasync (e: CustomEvent) => {\n\t\t\t\t// In order to make sure all the after-hooks are running with the success response\n\t\t\t\t// we are generating a fake response with the success data and calling the http client after hook fn with it\n\t\t\t\tawait sdk.httpClient.hooks.afterRequest(\n\t\t\t\t\t{} as any,\n\t\t\t\t\tnew Response(JSON.stringify(e.detail))\n\t\t\t\t);\n\t\t\t\tif (onSuccess) {\n\t\t\t\t\tonSuccess(e);\n\t\t\t\t}\n\t\t\t},\n\t\t\t[onSuccess]\n\t\t);\n\n\t\tuseEffect(() => {\n\t\t\tconst ele = innerRef;\n\t\t\tele?.addEventListener('success', handleSuccess);\n\t\t\tif (onError) ele?.addEventListener('error', onError);\n\n\t\t\treturn () => {\n\t\t\t\tif (onError) ele?.removeEventListener('error', onError);\n\n\t\t\t\tele?.removeEventListener('success', handleSuccess);\n\t\t\t};\n\t\t}, [innerRef, onError, handleSuccess]);\n\n\t\treturn (\n\t\t\t/**\n\t\t\t * in order to avoid redundant remounting of the WC, we are wrapping it with a form element\n\t\t\t * this workaround is done in order to support webauthn passkeys\n\t\t\t * it can be removed once this issue will be solved\n\t\t\t * https://bugs.chromium.org/p/chromium/issues/detail?id=1404106#c2\n\t\t\t */\n\t\t\t<form>\n\t\t\t\t<Suspense fallback={null}>\n\t\t\t\t\t<DescopeWC\n\t\t\t\t\t\tprojectId={projectId}\n\t\t\t\t\t\tflowId={flowId}\n\t\t\t\t\t\tbaseUrl={baseUrl}\n\t\t\t\t\t\tinnerRef={setInnerRef}\n\t\t\t\t\t\ttenant={tenant}\n\t\t\t\t\t\ttheme={theme}\n\t\t\t\t\t\tdebug={debug}\n\t\t\t\t\t\ttelemetryKey={telemetryKey}\n\t\t\t\t\t\tredirectUrl={redirectUrl}\n\t\t\t\t\t\tautoFocus={autoFocus}\n\t\t\t\t\t/>\n\t\t\t\t</Suspense>\n\t\t\t</form>\n\t\t);\n\t}\n);\n\nDescope.defaultProps = {\n\tonError: undefined,\n\tonSuccess: undefined\n};\n\nexport default Descope;\n","import React from 'react';\nimport { DefaultFlowProps } from '../types';\nimport Descope from './Descope';\n\nexport const SignInFlow = (props: DefaultFlowProps) => (\n\t<Descope {...props} flowId=\"sign-in\" />\n);\n\nexport const SignUpFlow = (props: DefaultFlowProps) => (\n\t<Descope {...props} flowId=\"sign-up\" />\n);\n\nexport const SignUpOrInFlow = (props: DefaultFlowProps) => (\n\t<Descope {...props} flowId=\"sign-up-or-in\" />\n);\n","import { useContext } from 'react';\nimport Context from './Context';\n\nexport default () => {\n\tconst ctx = useContext(Context);\n\tif (!ctx) {\n\t\tthrow Error(\n\t\t\t`You can only use this hook in the context of <AuthProvider />`\n\t\t);\n\t}\n\n\treturn ctx;\n};\n","import { useMemo } from 'react';\nimport { Sdk } from '../types';\nimport useContext from './useContext';\nimport createSdk from '../sdk';\n\nconst generateErrorMsg = (entryType: string) =>\n\t`You can only use this ${entryType} after sdk initialization. Make sure to supply 'projectId' to <AuthProvider /> component`;\n\n// handler which throw an error for every SDK function\nconst proxyThrowHandler = {\n\t// eslint-disable-next-line prefer-arrow/prefer-arrow-functions\n\tget(target: Record<string, any>, key: string) {\n\t\tif (typeof target[key] === 'object' && target[key] !== null) {\n\t\t\treturn new Proxy(target[key], proxyThrowHandler);\n\t\t}\n\n\t\tif (typeof target[key] === 'function') {\n\t\t\treturn () => {\n\t\t\t\tthrow Error(generateErrorMsg('function'));\n\t\t\t};\n\t\t}\n\n\t\tthrow Error(generateErrorMsg('attribute'));\n\t}\n};\n\nconst useDescope = (): Sdk => {\n\tconst { sdk } = useContext();\n\n\treturn useMemo(() => {\n\t\tif (!sdk) {\n\t\t\t// In case the SDK is not initialized, we want to throw an error when the SDK functions are called\n\t\t\treturn new Proxy(\n\t\t\t\tcreateSdk({ projectId: 'dummy' }),\n\t\t\t\tproxyThrowHandler\n\t\t\t) as Sdk;\n\t\t}\n\n\t\treturn sdk;\n\t}, [sdk]);\n};\n\nexport default useDescope;\n","import { useEffect, useMemo, useRef } from 'react';\nimport useContext from './useContext';\n\nconst useSession = () => {\n\tconst { session, isSessionLoading, fetchSession } = useContext();\n\n\t// when session should be received, we want the return value of \"isSessionLoading\" to be true starting from the first call\n\t// (and not only when receiving an update from the context)\n\tconst isLoading = useRef(isSessionLoading);\n\n\t// we want this to happen before returning a value so we are using \"useMemo\" and not \"useEffect\"\n\tuseMemo(() => {\n\t\tisLoading.current = isSessionLoading;\n\t}, [isSessionLoading]);\n\n\t// we want this to happen before returning a value so we are using \"useMemo\" and not \"useEffect\"\n\tuseMemo(() => {\n\t\tif (!session && !isSessionLoading) {\n\t\t\tisLoading.current = true;\n\t\t}\n\t}, [fetchSession]);\n\n\tuseEffect(() => {\n\t\tif (!session && !isSessionLoading) {\n\t\t\tfetchSession();\n\t\t}\n\t}, [fetchSession]);\n\n\treturn {\n\t\tisSessionLoading: isLoading.current,\n\t\tsessionToken: session,\n\t\tisAuthenticated: !!session\n\t};\n};\n\nexport default useSession;\n","import { useEffect, useMemo, useRef, useState } from 'react';\nimport useContext from './useContext';\n\nconst useUser = () => {\n\tconst { user, fetchUser, isUserLoading, session } = useContext();\n\tconst [isInit, setIsInit] = useState(false); // we want to get the user only in the first time we got a session\n\n\t// when session should be received, we want the return value of \"isUserLoading\" to be true starting from the first call\n\t// (and not only when receiving an update from the context)\n\tconst isLoading = useRef(isUserLoading);\n\n\tconst shouldFetchUser = useMemo(\n\t\t() => !user && !isUserLoading && session && !isInit,\n\t\t[fetchUser, session, isInit]\n\t);\n\n\t// we want this to happen before returning a value so we are using \"useMemo\" and not \"useEffect\"\n\tuseMemo(() => {\n\t\tisLoading.current = isUserLoading;\n\t}, [isUserLoading]);\n\n\t// we want this to happen before returning a value so we are using \"useMemo\" and not \"useEffect\"\n\tuseMemo(() => {\n\t\tif (shouldFetchUser) {\n\t\t\tisLoading.current = true;\n\t\t}\n\t}, [shouldFetchUser]);\n\n\tuseEffect(() => {\n\t\tif (shouldFetchUser) {\n\t\t\tsetIsInit(true);\n\t\t\tfetchUser();\n\t\t}\n\t}, [shouldFetchUser]);\n\n\treturn { isUserLoading: isLoading.current, user };\n};\n\nexport default useUser;\n"],"names":["Context","React","createContext","undefined","withValidation","fn","args","Error","wrapInTry","res","err","console","error","baseHeaders","IS_BROWSER","window","sdkInstance","createSdkWrapper","config","sdk","createSdk","persistTokens","autoRefresh","projectId","getSessionToken","warn","getRefreshToken","getJwtPermissions","token","tenant","getJwtRoles","refresh","AuthProvider","baseUrl","sessionTokenViaCookie","children","user","setUser","useState","session","setSession","isUserLoading","setIsUserLoading","isSessionLoading","setIsSessionLoading","useMemo","persistToken","useSdk","useEffect","unsubscribeSessionToken","onSessionTokenChange","unsubscribeUser","onUserChange","fetchSession","useCallback","then","fetchUser","me","value","createElement","Provider","defaultProps","DescopeWC","lazy","async","import","default","sdkConfigOverrides","flowId","innerRef","theme","debug","telemetryKey","redirectUrl","autoFocus","ref","Descope","forwardRef","onSuccess","onError","setInnerRef","useImperativeHandle","useContext","handleSuccess","e","httpClient","hooks","afterRequest","Response","JSON","stringify","detail","ele","addEventListener","removeEventListener","Suspense","fallback","SignInFlow","props","SignUpFlow","SignUpOrInFlow","ctx","generateErrorMsg","entryType","proxyThrowHandler","get","target","key","Proxy","useDescope","useSession","isLoading","useRef","current","sessionToken","isAuthenticated","useUser","isInit","setIsInit","shouldFetchUser"],"mappings":"iMAGA,MAAMA,EAAUC,EAAMC,mBAAwBC,GCEjCC,EACcC,GAC1B,IAAIC,KACH,IAAKD,EACJ,MAAME,MACL,0HAGF,OAAOF,KAAMC,EAAK,EAGPE,EACcH,GAC1B,IAAIC,KACH,IAAIG,EACJ,IACCA,EAAMJ,KAAMC,EAGZ,CAFC,MAAOI,GACRC,QAAQC,MAAMF,EACd,CACD,OAAOD,CAAG,ECtBCI,EAAc,CAC1B,qBAAsB,QACtB,wBAAyB,SAIbC,EAA+B,oBAAXC,OCJjC,IAAIC,EAEJ,MAAMC,EACLC,IAEA,MAAMC,EAAMC,EAAU,IAClBF,EACHG,cAAeP,EACfQ,YAAaR,IAId,OAFAE,EAAcG,EAEPA,CAAG,EAUXH,EAAcC,EAAiB,CAAEM,UAAW,aAErC,MAAMC,EAAkB,IAC1BV,EACIE,GAAaQ,mBAIrBb,QAAQc,KAAK,6CACN,IAGKC,EAAkB,IAC1BZ,EACIE,GAAaU,mBAGrBf,QAAQc,KAAK,6CACN,IAGKE,EAAoBnB,GAChC,CAACoB,EAAQJ,IAAmBK,IAC3Bb,GAAaW,kBAAkBC,EAAOC,KAG3BC,EAActB,GAC1B,CAACoB,EAAQJ,IAAmBK,IAC3Bb,GAAac,YAAYF,EAAOC,KAGrBE,EAAU,CAACH,EAAQF,MAC/BV,GAAae,QAAQH,GC1CtB,MAAMI,EAAuC,EAC5CT,YACAU,UACAC,wBACAC,eAEA,MAAOC,EAAMC,GAAWC,KACjBC,EAASC,GAAcF,KAEvBG,EAAeC,GAAoBJ,GAAS,IAC5CK,EAAkBC,GAAuBN,GAAS,GAEnDnB,ECpBQ,GACdI,YACAU,UACAC,2BAEAW,GAAQ,KACP,GAAKtB,EAGL,OAAOH,EAAU,CAChBG,YACAU,UACAC,wBACArB,cACAiC,cAAc,EACdxB,aAAa,GACZ,GACA,CAACC,EAAWU,EAASC,IDGZa,CAAO,CAAExB,YAAWU,UAASC,0BAEzCc,GAAU,KACT,GAAI7B,EAAK,CACR,MAAM8B,EAA0B9B,EAAI+B,qBAAqBV,GACnDW,EAAkBhC,EAAIiC,aAAaf,GAEzC,MAAO,KACNY,IACAE,GAAiB,CAElB,CACe,GACd,CAAChC,IAEJ,MAAMkC,EAAeC,GAAY,KAChCV,GAAoB,GACpBxC,EAAee,GAAKY,QAApB3B,GAA+BmD,MAAK,KACnCX,GAAoB,EAAM,GACzB,GACA,CAACzB,IAEEqC,EAAYF,GAAY,KAC7BZ,GAAiB,GACjBtC,EAAee,EAAIsC,GAAnBrD,GAAyBmD,MAAK,KAC7Bb,GAAiB,EAAM,GACtB,GACA,CAACvB,IAEEuC,EAAQb,GACb,KAAO,CACNW,YACApB,OACAK,gBACAY,eACAd,UACAI,mBACApB,YACAU,UACAI,UACAG,aACArB,SAED,CACCqC,EACApB,EACAK,EACAY,EACAd,EACAI,EACApB,EACAU,EACAI,EACAG,EACArB,IAGF,OAAOlB,EAAA0D,cAAC3D,EAAQ4D,SAAQ,CAACF,MAAOA,GAAQvB,EAA4B,EAGrEH,EAAa6B,aAAe,CAC3B5B,QAAS,GACTE,cAAUhC,EACV+B,uBAAuB,GE/ExB,MAAM4B,EAAYC,GAAKC,iBACDC,OAAO,2BAErBC,QAAQC,mBAAqB,CAAEtD,eAE/B,CACNqD,QAAS,EACR3C,YACA6C,SACAnC,UACAoC,WACAxC,SACAyC,QACAC,QACAC,eACAC,cACAC,eAEAzE,EACa0D,cAAA,aAAA,CAAA,aAAApC,YACH6C,EAAM,WACLnC,EACV0C,IAAKN,EACLxC,OAAQA,EACRyC,MAAOA,EACPC,MAAOA,EACPC,aAAcA,EAAY,eACZC,EAAW,aACbC,QAMVE,EAAU3E,EAAM4E,YACrB,EAEET,SACAU,YACAC,UACAlD,SACAyC,QACAC,QACAC,eACAC,cACAC,aAEDC,KAEA,MAAON,EAAUW,GAAe1C,EAAS,MAEzC2C,EAAoBN,GAAK,IAAMN,IAE/B,MAAM9C,UAAEA,EAASU,QAAEA,EAAOd,IAAEA,GAAQlB,EAAMiF,WAAWlF,GAE/CmF,EAAgB7B,GACrBU,MAAOoB,UAGAjE,EAAIkE,WAAWC,MAAMC,aAC1B,CAAA,EACA,IAAIC,SAASC,KAAKC,UAAUN,EAAEO,UAE3Bb,GACHA,EAAUM,EACV,GAEF,CAACN,IAeF,OAZA9B,GAAU,KACT,MAAM4C,EAAMvB,EAIZ,OAHAuB,GAAKC,iBAAiB,UAAWV,GAC7BJ,GAASa,GAAKC,iBAAiB,QAASd,GAErC,KACFA,GAASa,GAAKE,oBAAoB,QAASf,GAE/Ca,GAAKE,oBAAoB,UAAWX,EAAc,CAClD,GACC,CAACd,EAAUU,EAASI,IAStBlF,EAAA0D,cAAA,OAAA,KACC1D,EAAA0D,cAACoC,EAAQ,CAACC,SAAU,MACnB/F,EAAC0D,cAAAG,GACAvC,UAAWA,EACX6C,OAAQA,EACRnC,QAASA,EACToC,SAAUW,EACVnD,OAAQA,EACRyC,MAAOA,EACPC,MAAOA,EACPC,aAAcA,EACdC,YAAaA,EACbC,UAAWA,KAIb,IAIJE,EAAQf,aAAe,CACtBkB,aAAS5E,EACT2E,eAAW3E,SCxHC8F,EAAcC,GAC1BjG,gBAAC2E,EAAO,IAAKsB,EAAO9B,OAAO,YAGf+B,EAAcD,GAC1BjG,gBAAC2E,EAAO,IAAKsB,EAAO9B,OAAO,YAGfgC,EAAkBF,GAC9BjG,gBAAC2E,EAAO,IAAKsB,EAAO9B,OAAO,kBCV5B,IAAAc,EAAe,KACd,MAAMmB,EAAMnB,EAAWlF,GACvB,IAAKqG,EACJ,MAAM9F,MACL,iEAIF,OAAO8F,CAAG,ECNX,MAAMC,EAAoBC,GACzB,yBAAyBA,4FAGpBC,EAAoB,CAEzBC,IAAIC,EAA6BC,GAChC,GAA2B,iBAAhBD,EAAOC,IAAqC,OAAhBD,EAAOC,GAC7C,OAAO,IAAIC,MAAMF,EAAOC,GAAMH,GAG/B,GAA2B,mBAAhBE,EAAOC,GACjB,MAAO,KACN,MAAMpG,MAAM+F,EAAiB,YAAY,EAI3C,MAAM/F,MAAM+F,EAAiB,aAC7B,GAGIO,EAAa,KAClB,MAAM1F,IAAEA,GAAQ+D,IAEhB,OAAOrC,GAAQ,IACT1B,GAEG,IAAIyF,MACVxF,EAAU,CAAEG,UAAW,UACvBiF,IAKA,CAACrF,GAAK,ECpCJ2F,EAAa,KAClB,MAAMvE,QAAEA,EAAOI,iBAAEA,EAAgBU,aAAEA,GAAiB6B,IAI9C6B,EAAYC,EAAOrE,GAoBzB,OAjBAE,GAAQ,KACPkE,EAAUE,QAAUtE,CAAgB,GAClC,CAACA,IAGJE,GAAQ,KACFN,GAAYI,IAChBoE,EAAUE,SAAU,EACpB,GACC,CAAC5D,IAEJL,GAAU,KACJT,GAAYI,GAChBU,GACA,GACC,CAACA,IAEG,CACNV,iBAAkBoE,EAAUE,QAC5BC,aAAc3E,EACd4E,kBAAmB5E,EACnB,EC7BI6E,EAAU,KACf,MAAMhF,KAAEA,EAAIoB,UAAEA,EAASf,cAAEA,EAAaF,QAAEA,GAAY2C,KAC7CmC,EAAQC,GAAahF,GAAS,GAI/ByE,EAAYC,EAAOvE,GAEnB8E,EAAkB1E,GACvB,KAAOT,IAASK,GAAiBF,IAAY8E,GAC7C,CAAC7D,EAAWjB,EAAS8E,IAsBtB,OAlBAxE,GAAQ,KACPkE,EAAUE,QAAUxE,CAAa,GAC/B,CAACA,IAGJI,GAAQ,KACH0E,IACHR,EAAUE,SAAU,EACpB,GACC,CAACM,IAEJvE,GAAU,KACLuE,IACHD,GAAU,GACV9D,IACA,GACC,CAAC+D,IAEG,CAAE9E,cAAesE,EAAUE,QAAS7E,OAAM"}
1
+ {"version":3,"file":"index.esm.js","sources":["../src/hooks/Context.ts","../src/utils.ts","../src/constants.ts","../src/sdk.ts","../src/components/AuthProvider/AuthProvider.tsx","../src/components/AuthProvider/useSdk.ts","../src/components/Descope.tsx","../src/components/DefaultFlows.tsx","../src/hooks/useContext.ts","../src/hooks/useDescope.ts","../src/hooks/useSession.ts","../src/hooks/useUser.ts"],"sourcesContent":["import React from 'react';\nimport { IContext } from '../types';\n\nconst Context = React.createContext<IContext>(undefined);\n\nexport default Context;\n","/**\n * Wrap a function with a validation that it exists\n * @param fn The function to wrap with the validation\n * @throws if function does not exist, an error with the relevant message will be thrown\n */\nexport const withValidation =\n\t<T extends Array<any>, U>(fn: (...args: T) => U) =>\n\t(...args: T): U => {\n\t\tif (!fn) {\n\t\t\tthrow Error(\n\t\t\t\t`You can only use this function after sdk initialization. Make sure to supply 'projectId' to <AuthProvider /> component`\n\t\t\t);\n\t\t}\n\t\treturn fn(...args);\n\t};\n\nexport const wrapInTry =\n\t<T extends Array<any>, U>(fn: (...args: T) => U) =>\n\t(...args: T): U => {\n\t\tlet res: U;\n\t\ttry {\n\t\t\tres = fn(...args);\n\t\t} catch (err) {\n\t\t\tconsole.error(err); // eslint-disable-line no-console\n\t\t}\n\t\treturn res;\n\t};\n","declare const BUILD_VERSION: string;\n\n// eslint-disable-next-line import/prefer-default-export\nexport const baseHeaders = {\n\t'x-descope-sdk-name': 'react',\n\t'x-descope-sdk-version': BUILD_VERSION\n};\n\n// This sdk can be used in SSR apps\nexport const IS_BROWSER = typeof window !== 'undefined';\n","import createSdk from '@descope/web-js-sdk';\nimport { IS_BROWSER } from './constants';\nimport { wrapInTry } from './utils';\n\ntype Sdk = ReturnType<typeof createSdkWrapper>;\nlet sdkInstance: Sdk;\n\nconst createSdkWrapper = <P extends Parameters<typeof createSdk>[0]>(\n\tconfig: P\n) => {\n\tconst sdk = createSdk({\n\t\t...config,\n\t\tpersistTokens: IS_BROWSER as true,\n\t\tautoRefresh: IS_BROWSER as true\n\t});\n\tsdkInstance = sdk;\n\n\treturn sdk;\n};\n\n/**\n * We want to make sure the getSessionToken fn is used only when persistTokens is on\n *\n * So we are keeping the SDK init in a single place,\n * and we are creating a temp instance in order to export the getSessionToken\n * even before the SDK was init\n */\nsdkInstance = createSdkWrapper({ projectId: 'temp pid' });\n\nexport const getSessionToken = () => {\n\tif (IS_BROWSER) {\n\t\treturn sdkInstance?.getSessionToken();\n\t}\n\n\t// eslint-disable-next-line no-console\n\tconsole.warn('Get session token is not supported in SSR');\n\treturn '';\n};\n\nexport const getRefreshToken = () => {\n\tif (IS_BROWSER) {\n\t\treturn sdkInstance?.getRefreshToken();\n\t}\n\t// eslint-disable-next-line no-console\n\tconsole.warn('Get refresh token is not supported in SSR');\n\treturn '';\n};\n\nexport const getJwtPermissions = wrapInTry(\n\t(token = getSessionToken(), tenant?: string) =>\n\t\tsdkInstance?.getJwtPermissions(token, tenant)\n);\n\nexport const getJwtRoles = wrapInTry(\n\t(token = getSessionToken(), tenant?: string) =>\n\t\tsdkInstance?.getJwtRoles(token, tenant)\n);\n\nexport const refresh = (token = getRefreshToken()) =>\n\tsdkInstance?.refresh(token);\n\nexport default createSdkWrapper;\n","import React, {\n\tFC,\n\tuseCallback,\n\tuseEffect,\n\tuseMemo,\n\tuseRef,\n\tuseState\n} from 'react';\nimport Context from '../../hooks/Context';\nimport { IContext, User } from '../../types';\nimport { withValidation } from '../../utils';\nimport useSdk from './useSdk';\n\ninterface IAuthProviderProps {\n\tprojectId: string;\n\tbaseUrl?: string;\n\t// If true, session token (jwt) will be stored on cookie. Otherwise, the session token will be\n\t// stored on local storage and can accessed with getSessionToken function\n\t// Use this option if session token will stay small (less than 1k)\n\t// NOTE: Session token can grow, especially in cases of using authorization, or adding custom claims\n\tsessionTokenViaCookie?: boolean;\n\tchildren?: JSX.Element;\n}\n\nconst AuthProvider: FC<IAuthProviderProps> = ({\n\tprojectId,\n\tbaseUrl,\n\tsessionTokenViaCookie,\n\tchildren\n}) => {\n\tconst [user, setUser] = useState<User>();\n\tconst [session, setSession] = useState<string>();\n\n\tconst [isUserLoading, setIsUserLoading] = useState(false);\n\tconst [isSessionLoading, setIsSessionLoading] = useState(false);\n\n\tconst sdk = useSdk({ projectId, baseUrl, sessionTokenViaCookie });\n\n\tuseEffect(() => {\n\t\tif (sdk) {\n\t\t\tconst unsubscribeSessionToken = sdk.onSessionTokenChange(setSession);\n\t\t\tconst unsubscribeUser = sdk.onUserChange(setUser);\n\n\t\t\treturn () => {\n\t\t\t\tunsubscribeSessionToken();\n\t\t\t\tunsubscribeUser();\n\t\t\t};\n\t\t}\n\t\treturn undefined;\n\t}, [sdk]);\n\n\tconst isSessionFetched = useRef(false);\n\n\tconst fetchSession = useCallback(() => {\n\t\t// We want that the session will fetched only once\n\t\tif (isSessionFetched.current) return;\n\t\tisSessionFetched.current = true;\n\n\t\tsetIsSessionLoading(true);\n\t\twithValidation(sdk?.refresh)().then(() => {\n\t\t\tsetIsSessionLoading(false);\n\t\t});\n\t}, [sdk]);\n\n\tconst fetchUser = useCallback(() => {\n\t\tsetIsUserLoading(true);\n\t\twithValidation(sdk.me)().then(() => {\n\t\t\tsetIsUserLoading(false);\n\t\t});\n\t}, [sdk]);\n\n\tconst value = useMemo<IContext>(\n\t\t() => ({\n\t\t\tfetchUser,\n\t\t\tuser,\n\t\t\tisUserLoading,\n\t\t\tfetchSession,\n\t\t\tsession,\n\t\t\tisSessionLoading,\n\t\t\tprojectId,\n\t\t\tbaseUrl,\n\t\t\tsetUser,\n\t\t\tsetSession,\n\t\t\tsdk\n\t\t}),\n\t\t[\n\t\t\tfetchUser,\n\t\t\tuser,\n\t\t\tisUserLoading,\n\t\t\tfetchSession,\n\t\t\tsession,\n\t\t\tisSessionLoading,\n\t\t\tprojectId,\n\t\t\tbaseUrl,\n\t\t\tsetUser,\n\t\t\tsetSession,\n\t\t\tsdk\n\t\t]\n\t);\n\treturn <Context.Provider value={value}>{children}</Context.Provider>;\n};\n\nAuthProvider.defaultProps = {\n\tbaseUrl: '',\n\tchildren: undefined,\n\tsessionTokenViaCookie: false\n};\n\nexport default AuthProvider;\n","import { useMemo } from 'react';\nimport { baseHeaders } from '../../constants';\nimport createSdk from '../../sdk';\n\ntype Config = Pick<\n\tParameters<typeof createSdk>[0],\n\t'projectId' | 'baseUrl' | 'sessionTokenViaCookie'\n>;\n\nexport default ({\n\tprojectId,\n\tbaseUrl,\n\tsessionTokenViaCookie\n}: Config): ReturnType<typeof createSdk> =>\n\tuseMemo(() => {\n\t\tif (!projectId) {\n\t\t\treturn undefined;\n\t\t}\n\t\treturn createSdk({\n\t\t\tprojectId,\n\t\t\tbaseUrl,\n\t\t\tsessionTokenViaCookie,\n\t\t\tbaseHeaders,\n\t\t\tpersistToken: true,\n\t\t\tautoRefresh: true\n\t\t});\n\t}, [projectId, baseUrl, sessionTokenViaCookie]);\n","import React, {\n\tlazy,\n\tSuspense,\n\tuseCallback,\n\tuseEffect,\n\tuseImperativeHandle,\n\tuseState\n} from 'react';\nimport { baseHeaders } from '../constants';\nimport Context from '../hooks/Context';\nimport { DescopeProps } from '../types';\n\n// web-component code uses browser API, but can be used in SSR apps, hence the lazy loading\nconst DescopeWC = lazy(async () => {\n\tconst module = await import('@descope/web-component');\n\t// we want to override the web-component base headers so we can tell that is was used via the React SDK\n\tmodule.default.sdkConfigOverrides = { baseHeaders };\n\n\treturn {\n\t\tdefault: ({\n\t\t\tprojectId,\n\t\t\tflowId,\n\t\t\tbaseUrl,\n\t\t\tinnerRef,\n\t\t\ttenant,\n\t\t\ttheme,\n\t\t\tdebug,\n\t\t\ttelemetryKey,\n\t\t\tredirectUrl,\n\t\t\tautoFocus\n\t\t}) => (\n\t\t\t<descope-wc\n\t\t\t\tproject-id={projectId}\n\t\t\t\tflow-id={flowId}\n\t\t\t\tbase-url={baseUrl}\n\t\t\t\tref={innerRef}\n\t\t\t\ttenant={tenant}\n\t\t\t\ttheme={theme}\n\t\t\t\tdebug={debug}\n\t\t\t\ttelemetryKey={telemetryKey}\n\t\t\t\tredirect-url={redirectUrl}\n\t\t\t\tauto-focus={autoFocus}\n\t\t\t/>\n\t\t)\n\t};\n});\n\nconst Descope = React.forwardRef<HTMLElement, DescopeProps>(\n\t(\n\t\t{\n\t\t\tflowId,\n\t\t\tonSuccess,\n\t\t\tonError,\n\t\t\ttenant,\n\t\t\ttheme,\n\t\t\tdebug,\n\t\t\ttelemetryKey,\n\t\t\tredirectUrl,\n\t\t\tautoFocus\n\t\t},\n\t\tref\n\t) => {\n\t\tconst [innerRef, setInnerRef] = useState(null);\n\n\t\tuseImperativeHandle(ref, () => innerRef);\n\n\t\tconst { projectId, baseUrl, sdk } = React.useContext(Context);\n\n\t\tconst handleSuccess = useCallback(\n\t\t\tasync (e: CustomEvent) => {\n\t\t\t\t// In order to make sure all the after-hooks are running with the success response\n\t\t\t\t// we are generating a fake response with the success data and calling the http client after hook fn with it\n\t\t\t\tawait sdk.httpClient.hooks.afterRequest(\n\t\t\t\t\t{} as any,\n\t\t\t\t\tnew Response(JSON.stringify(e.detail))\n\t\t\t\t);\n\t\t\t\tif (onSuccess) {\n\t\t\t\t\tonSuccess(e);\n\t\t\t\t}\n\t\t\t},\n\t\t\t[onSuccess]\n\t\t);\n\n\t\tuseEffect(() => {\n\t\t\tconst ele = innerRef;\n\t\t\tele?.addEventListener('success', handleSuccess);\n\t\t\tif (onError) ele?.addEventListener('error', onError);\n\n\t\t\treturn () => {\n\t\t\t\tif (onError) ele?.removeEventListener('error', onError);\n\n\t\t\t\tele?.removeEventListener('success', handleSuccess);\n\t\t\t};\n\t\t}, [innerRef, onError, handleSuccess]);\n\n\t\treturn (\n\t\t\t/**\n\t\t\t * in order to avoid redundant remounting of the WC, we are wrapping it with a form element\n\t\t\t * this workaround is done in order to support webauthn passkeys\n\t\t\t * it can be removed once this issue will be solved\n\t\t\t * https://bugs.chromium.org/p/chromium/issues/detail?id=1404106#c2\n\t\t\t */\n\t\t\t<form>\n\t\t\t\t<Suspense fallback={null}>\n\t\t\t\t\t<DescopeWC\n\t\t\t\t\t\tprojectId={projectId}\n\t\t\t\t\t\tflowId={flowId}\n\t\t\t\t\t\tbaseUrl={baseUrl}\n\t\t\t\t\t\tinnerRef={setInnerRef}\n\t\t\t\t\t\ttenant={tenant}\n\t\t\t\t\t\ttheme={theme}\n\t\t\t\t\t\tdebug={debug}\n\t\t\t\t\t\ttelemetryKey={telemetryKey}\n\t\t\t\t\t\tredirectUrl={redirectUrl}\n\t\t\t\t\t\tautoFocus={autoFocus}\n\t\t\t\t\t/>\n\t\t\t\t</Suspense>\n\t\t\t</form>\n\t\t);\n\t}\n);\n\nDescope.defaultProps = {\n\tonError: undefined,\n\tonSuccess: undefined\n};\n\nexport default Descope;\n","import React from 'react';\nimport { DefaultFlowProps } from '../types';\nimport Descope from './Descope';\n\nexport const SignInFlow = (props: DefaultFlowProps) => (\n\t<Descope {...props} flowId=\"sign-in\" />\n);\n\nexport const SignUpFlow = (props: DefaultFlowProps) => (\n\t<Descope {...props} flowId=\"sign-up\" />\n);\n\nexport const SignUpOrInFlow = (props: DefaultFlowProps) => (\n\t<Descope {...props} flowId=\"sign-up-or-in\" />\n);\n","import { useContext } from 'react';\nimport Context from './Context';\n\nexport default () => {\n\tconst ctx = useContext(Context);\n\tif (!ctx) {\n\t\tthrow Error(\n\t\t\t`You can only use this hook in the context of <AuthProvider />`\n\t\t);\n\t}\n\n\treturn ctx;\n};\n","import { useMemo } from 'react';\nimport { Sdk } from '../types';\nimport useContext from './useContext';\nimport createSdk from '../sdk';\n\nconst generateErrorMsg = (entryType: string) =>\n\t`You can only use this ${entryType} after sdk initialization. Make sure to supply 'projectId' to <AuthProvider /> component`;\n\n// handler which throw an error for every SDK function\nconst proxyThrowHandler = {\n\t// eslint-disable-next-line prefer-arrow/prefer-arrow-functions\n\tget(target: Record<string, any>, key: string) {\n\t\tif (typeof target[key] === 'object' && target[key] !== null) {\n\t\t\treturn new Proxy(target[key], proxyThrowHandler);\n\t\t}\n\n\t\tif (typeof target[key] === 'function') {\n\t\t\treturn () => {\n\t\t\t\tthrow Error(generateErrorMsg('function'));\n\t\t\t};\n\t\t}\n\n\t\tthrow Error(generateErrorMsg('attribute'));\n\t}\n};\n\nconst useDescope = (): Sdk => {\n\tconst { sdk } = useContext();\n\n\treturn useMemo(() => {\n\t\tif (!sdk) {\n\t\t\t// In case the SDK is not initialized, we want to throw an error when the SDK functions are called\n\t\t\treturn new Proxy(\n\t\t\t\tcreateSdk({ projectId: 'dummy' }),\n\t\t\t\tproxyThrowHandler\n\t\t\t) as Sdk;\n\t\t}\n\n\t\treturn sdk;\n\t}, [sdk]);\n};\n\nexport default useDescope;\n","import { useEffect, useMemo, useRef } from 'react';\nimport useContext from './useContext';\n\nconst useSession = () => {\n\tconst { session, isSessionLoading, fetchSession } = useContext();\n\n\t// when session should be received, we want the return value of \"isSessionLoading\" to be true starting from the first call\n\t// (and not only when receiving an update from the context)\n\tconst isLoading = useRef(isSessionLoading);\n\n\t// we want this to happen before returning a value so we are using \"useMemo\" and not \"useEffect\"\n\tuseMemo(() => {\n\t\tisLoading.current = isSessionLoading;\n\t}, [isSessionLoading]);\n\n\t// we want this to happen before returning a value so we are using \"useMemo\" and not \"useEffect\"\n\tuseMemo(() => {\n\t\tif (!session && !isSessionLoading) {\n\t\t\tisLoading.current = true;\n\t\t}\n\t}, [fetchSession]);\n\n\tuseEffect(() => {\n\t\tif (!session && !isSessionLoading) {\n\t\t\tfetchSession();\n\t\t}\n\t}, [fetchSession]);\n\n\treturn {\n\t\tisSessionLoading: isLoading.current,\n\t\tsessionToken: session,\n\t\tisAuthenticated: !!session\n\t};\n};\n\nexport default useSession;\n","import { useEffect, useMemo, useRef, useState } from 'react';\nimport useContext from './useContext';\n\nconst useUser = () => {\n\tconst { user, fetchUser, isUserLoading, session } = useContext();\n\tconst [isInit, setIsInit] = useState(false); // we want to get the user only in the first time we got a session\n\n\t// when session should be received, we want the return value of \"isUserLoading\" to be true starting from the first call\n\t// (and not only when receiving an update from the context)\n\tconst isLoading = useRef(isUserLoading);\n\n\tconst shouldFetchUser = useMemo(\n\t\t() => !user && !isUserLoading && session && !isInit,\n\t\t[fetchUser, session, isInit]\n\t);\n\n\t// we want this to happen before returning a value so we are using \"useMemo\" and not \"useEffect\"\n\tuseMemo(() => {\n\t\tisLoading.current = isUserLoading;\n\t}, [isUserLoading]);\n\n\t// we want this to happen before returning a value so we are using \"useMemo\" and not \"useEffect\"\n\tuseMemo(() => {\n\t\tif (shouldFetchUser) {\n\t\t\tisLoading.current = true;\n\t\t}\n\t}, [shouldFetchUser]);\n\n\tuseEffect(() => {\n\t\tif (shouldFetchUser) {\n\t\t\tsetIsInit(true);\n\t\t\tfetchUser();\n\t\t}\n\t}, [shouldFetchUser]);\n\n\treturn { isUserLoading: isLoading.current, user };\n};\n\nexport default useUser;\n"],"names":["Context","React","createContext","undefined","withValidation","fn","args","Error","wrapInTry","res","err","console","error","baseHeaders","IS_BROWSER","window","sdkInstance","createSdkWrapper","config","sdk","createSdk","persistTokens","autoRefresh","projectId","getSessionToken","warn","getRefreshToken","getJwtPermissions","token","tenant","getJwtRoles","refresh","AuthProvider","baseUrl","sessionTokenViaCookie","children","user","setUser","useState","session","setSession","isUserLoading","setIsUserLoading","isSessionLoading","setIsSessionLoading","useMemo","persistToken","useSdk","useEffect","unsubscribeSessionToken","onSessionTokenChange","unsubscribeUser","onUserChange","isSessionFetched","useRef","fetchSession","useCallback","current","then","fetchUser","me","value","createElement","Provider","defaultProps","DescopeWC","lazy","async","import","default","sdkConfigOverrides","flowId","innerRef","theme","debug","telemetryKey","redirectUrl","autoFocus","ref","Descope","forwardRef","onSuccess","onError","setInnerRef","useImperativeHandle","useContext","handleSuccess","e","httpClient","hooks","afterRequest","Response","JSON","stringify","detail","ele","addEventListener","removeEventListener","Suspense","fallback","SignInFlow","props","SignUpFlow","SignUpOrInFlow","ctx","generateErrorMsg","entryType","proxyThrowHandler","get","target","key","Proxy","useDescope","useSession","isLoading","sessionToken","isAuthenticated","useUser","isInit","setIsInit","shouldFetchUser"],"mappings":"iMAGA,MAAMA,EAAUC,EAAMC,mBAAwBC,GCEjCC,EACcC,GAC1B,IAAIC,KACH,IAAKD,EACJ,MAAME,MACL,0HAGF,OAAOF,KAAMC,EAAK,EAGPE,EACcH,GAC1B,IAAIC,KACH,IAAIG,EACJ,IACCA,EAAMJ,KAAMC,EAGZ,CAFC,MAAOI,GACRC,QAAQC,MAAMF,EACd,CACD,OAAOD,CAAG,ECtBCI,EAAc,CAC1B,qBAAsB,QACtB,wBAAyB,SAIbC,EAA+B,oBAAXC,OCJjC,IAAIC,EAEJ,MAAMC,EACLC,IAEA,MAAMC,EAAMC,EAAU,IAClBF,EACHG,cAAeP,EACfQ,YAAaR,IAId,OAFAE,EAAcG,EAEPA,CAAG,EAUXH,EAAcC,EAAiB,CAAEM,UAAW,aAErC,MAAMC,EAAkB,IAC1BV,EACIE,GAAaQ,mBAIrBb,QAAQc,KAAK,6CACN,IAGKC,EAAkB,IAC1BZ,EACIE,GAAaU,mBAGrBf,QAAQc,KAAK,6CACN,IAGKE,EAAoBnB,GAChC,CAACoB,EAAQJ,IAAmBK,IAC3Bb,GAAaW,kBAAkBC,EAAOC,KAG3BC,EAActB,GAC1B,CAACoB,EAAQJ,IAAmBK,IAC3Bb,GAAac,YAAYF,EAAOC,KAGrBE,EAAU,CAACH,EAAQF,MAC/BV,GAAae,QAAQH,GCnCtB,MAAMI,EAAuC,EAC5CT,YACAU,UACAC,wBACAC,eAEA,MAAOC,EAAMC,GAAWC,KACjBC,EAASC,GAAcF,KAEvBG,EAAeC,GAAoBJ,GAAS,IAC5CK,EAAkBC,GAAuBN,GAAS,GAEnDnB,EC3BQ,GACdI,YACAU,UACAC,2BAEAW,GAAQ,KACP,GAAKtB,EAGL,OAAOH,EAAU,CAChBG,YACAU,UACAC,wBACArB,cACAiC,cAAc,EACdxB,aAAa,GACZ,GACA,CAACC,EAAWU,EAASC,IDUZa,CAAO,CAAExB,YAAWU,UAASC,0BAEzCc,GAAU,KACT,GAAI7B,EAAK,CACR,MAAM8B,EAA0B9B,EAAI+B,qBAAqBV,GACnDW,EAAkBhC,EAAIiC,aAAaf,GAEzC,MAAO,KACNY,IACAE,GAAiB,CAElB,CACe,GACd,CAAChC,IAEJ,MAAMkC,EAAmBC,GAAO,GAE1BC,EAAeC,GAAY,KAE5BH,EAAiBI,UACrBJ,EAAiBI,SAAU,EAE3Bb,GAAoB,GACpBxC,EAAee,GAAKY,QAApB3B,GAA+BsD,MAAK,KACnCd,GAAoB,EAAM,IACzB,GACA,CAACzB,IAEEwC,EAAYH,GAAY,KAC7Bd,GAAiB,GACjBtC,EAAee,EAAIyC,GAAnBxD,GAAyBsD,MAAK,KAC7BhB,GAAiB,EAAM,GACtB,GACA,CAACvB,IAEE0C,EAAQhB,GACb,KAAO,CACNc,YACAvB,OACAK,gBACAc,eACAhB,UACAI,mBACApB,YACAU,UACAI,UACAG,aACArB,SAED,CACCwC,EACAvB,EACAK,EACAc,EACAhB,EACAI,EACApB,EACAU,EACAI,EACAG,EACArB,IAGF,OAAOlB,EAAA6D,cAAC9D,EAAQ+D,SAAQ,CAACF,MAAOA,GAAQ1B,EAA4B,EAGrEH,EAAagC,aAAe,CAC3B/B,QAAS,GACTE,cAAUhC,EACV+B,uBAAuB,GE5FxB,MAAM+B,EAAYC,GAAKC,iBACDC,OAAO,2BAErBC,QAAQC,mBAAqB,CAAEzD,eAE/B,CACNwD,QAAS,EACR9C,YACAgD,SACAtC,UACAuC,WACA3C,SACA4C,QACAC,QACAC,eACAC,cACAC,eAEA5E,EACa6D,cAAA,aAAA,CAAA,aAAAvC,YACHgD,EAAM,WACLtC,EACV6C,IAAKN,EACL3C,OAAQA,EACR4C,MAAOA,EACPC,MAAOA,EACPC,aAAcA,EAAY,eACZC,EAAW,aACbC,QAMVE,EAAU9E,EAAM+E,YACrB,EAEET,SACAU,YACAC,UACArD,SACA4C,QACAC,QACAC,eACAC,cACAC,aAEDC,KAEA,MAAON,EAAUW,GAAe7C,EAAS,MAEzC8C,EAAoBN,GAAK,IAAMN,IAE/B,MAAMjD,UAAEA,EAASU,QAAEA,EAAOd,IAAEA,GAAQlB,EAAMoF,WAAWrF,GAE/CsF,EAAgB9B,GACrBW,MAAOoB,UAGApE,EAAIqE,WAAWC,MAAMC,aAC1B,CAAA,EACA,IAAIC,SAASC,KAAKC,UAAUN,EAAEO,UAE3Bb,GACHA,EAAUM,EACV,GAEF,CAACN,IAeF,OAZAjC,GAAU,KACT,MAAM+C,EAAMvB,EAIZ,OAHAuB,GAAKC,iBAAiB,UAAWV,GAC7BJ,GAASa,GAAKC,iBAAiB,QAASd,GAErC,KACFA,GAASa,GAAKE,oBAAoB,QAASf,GAE/Ca,GAAKE,oBAAoB,UAAWX,EAAc,CAClD,GACC,CAACd,EAAUU,EAASI,IAStBrF,EAAA6D,cAAA,OAAA,KACC7D,EAAA6D,cAACoC,EAAQ,CAACC,SAAU,MACnBlG,EAAC6D,cAAAG,GACA1C,UAAWA,EACXgD,OAAQA,EACRtC,QAASA,EACTuC,SAAUW,EACVtD,OAAQA,EACR4C,MAAOA,EACPC,MAAOA,EACPC,aAAcA,EACdC,YAAaA,EACbC,UAAWA,KAIb,IAIJE,EAAQf,aAAe,CACtBkB,aAAS/E,EACT8E,eAAW9E,SCxHCiG,EAAcC,GAC1BpG,gBAAC8E,EAAO,IAAKsB,EAAO9B,OAAO,YAGf+B,EAAcD,GAC1BpG,gBAAC8E,EAAO,IAAKsB,EAAO9B,OAAO,YAGfgC,EAAkBF,GAC9BpG,gBAAC8E,EAAO,IAAKsB,EAAO9B,OAAO,kBCV5B,IAAAc,EAAe,KACd,MAAMmB,EAAMnB,EAAWrF,GACvB,IAAKwG,EACJ,MAAMjG,MACL,iEAIF,OAAOiG,CAAG,ECNX,MAAMC,EAAoBC,GACzB,yBAAyBA,4FAGpBC,EAAoB,CAEzBC,IAAIC,EAA6BC,GAChC,GAA2B,iBAAhBD,EAAOC,IAAqC,OAAhBD,EAAOC,GAC7C,OAAO,IAAIC,MAAMF,EAAOC,GAAMH,GAG/B,GAA2B,mBAAhBE,EAAOC,GACjB,MAAO,KACN,MAAMvG,MAAMkG,EAAiB,YAAY,EAI3C,MAAMlG,MAAMkG,EAAiB,aAC7B,GAGIO,EAAa,KAClB,MAAM7F,IAAEA,GAAQkE,IAEhB,OAAOxC,GAAQ,IACT1B,GAEG,IAAI4F,MACV3F,EAAU,CAAEG,UAAW,UACvBoF,IAKA,CAACxF,GAAK,ECpCJ8F,EAAa,KAClB,MAAM1E,QAAEA,EAAOI,iBAAEA,EAAgBY,aAAEA,GAAiB8B,IAI9C6B,EAAY5D,EAAOX,GAoBzB,OAjBAE,GAAQ,KACPqE,EAAUzD,QAAUd,CAAgB,GAClC,CAACA,IAGJE,GAAQ,KACFN,GAAYI,IAChBuE,EAAUzD,SAAU,EACpB,GACC,CAACF,IAEJP,GAAU,KACJT,GAAYI,GAChBY,GACA,GACC,CAACA,IAEG,CACNZ,iBAAkBuE,EAAUzD,QAC5B0D,aAAc5E,EACd6E,kBAAmB7E,EACnB,EC7BI8E,EAAU,KACf,MAAMjF,KAAEA,EAAIuB,UAAEA,EAASlB,cAAEA,EAAaF,QAAEA,GAAY8C,KAC7CiC,EAAQC,GAAajF,GAAS,GAI/B4E,EAAY5D,EAAOb,GAEnB+E,EAAkB3E,GACvB,KAAOT,IAASK,GAAiBF,IAAY+E,GAC7C,CAAC3D,EAAWpB,EAAS+E,IAsBtB,OAlBAzE,GAAQ,KACPqE,EAAUzD,QAAUhB,CAAa,GAC/B,CAACA,IAGJI,GAAQ,KACH2E,IACHN,EAAUzD,SAAU,EACpB,GACC,CAAC+D,IAEJxE,GAAU,KACLwE,IACHD,GAAU,GACV5D,IACA,GACC,CAAC6D,IAEG,CAAE/E,cAAeyE,EAAUzD,QAASrB,OAAM"}
@@ -0,0 +1,4 @@
1
+ !function(e,t){"object"==typeof exports&&"undefined"!=typeof module?t(exports,require("react")):"function"==typeof define&&define.amd?define(["exports","react"],t):t((e="undefined"!=typeof globalThis?globalThis:e||self).Descope={},e.React)}(this,(function(e,t){"use strict";function n(e){return e&&"object"==typeof e&&"default"in e?e:{default:e}}var o=n(t);const r=o.default.createContext(void 0),i=e=>(...t)=>{if(!e)throw Error("You can only use this function after sdk initialization. Make sure to supply 'projectId' to <AuthProvider /> component");return e(...t)},s=e=>(...t)=>{let n;try{n=e(...t)}catch(e){console.error(e)}return n},a={"x-descope-sdk-name":"react","x-descope-sdk-version":"1.0.5"},l="undefined"!=typeof window;var c=function(){return c=Object.assign||function(e){for(var t,n=1,o=arguments.length;n<o;n++)for(var r in t=arguments[n])Object.prototype.hasOwnProperty.call(t,r)&&(e[r]=t[r]);return e},c.apply(this,arguments)};function d(e,t){var n={};for(var o in e)Object.prototype.hasOwnProperty.call(e,o)&&t.indexOf(o)<0&&(n[o]=e[o]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols){var r=0;for(o=Object.getOwnPropertySymbols(e);r<o.length;r++)t.indexOf(o[r])<0&&Object.prototype.propertyIsEnumerable.call(e,o[r])&&(n[o[r]]=e[o[r]])}return n}function u(e,t,n,o){return new(n||(n=Promise))((function(r,i){function s(e){try{l(o.next(e))}catch(e){i(e)}}function a(e){try{l(o.throw(e))}catch(e){i(e)}}function l(e){var t;e.done?r(e.value):(t=e.value,t instanceof n?t:new n((function(e){e(t)}))).then(s,a)}l((o=o.apply(e,t||[])).next())}))}function h(e,t,n,o){if("a"===n&&!o)throw new TypeError("Private accessor was defined without a getter");if("function"==typeof t?e!==t||!o:!t.has(e))throw new TypeError("Cannot read private member from an object whose class did not declare it");return"m"===n?o:"a"===n?o.call(e):o?o.value:t.get(e)}function p(e,t,n,o,r){if("m"===o)throw new TypeError("Private method is not writable");if("a"===o&&!r)throw new TypeError("Private accessor was defined without a setter");if("function"==typeof t?e!==t||!r:!t.has(e))throw new TypeError("Cannot write private member to an object whose class did not declare it");return"a"===o?r.call(e,n):r?r.value=n:t.set(e,n),n}function f(e){this.message=e}f.prototype=new Error,f.prototype.name="InvalidCharacterError";var g="undefined"!=typeof window&&window.atob&&window.atob.bind(window)||function(e){var t=String(e).replace(/=+$/,"");if(t.length%4==1)throw new f("'atob' failed: The string to be decoded is not correctly encoded.");for(var n,o,r=0,i=0,s="";o=t.charAt(i++);~o&&(n=r%4?64*n+o:o,r++%4)?s+=String.fromCharCode(255&n>>(-2*r&6)):0)o="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=".indexOf(o);return s};function v(e){this.message=e}function m(e,t){if("string"!=typeof e)throw new v("Invalid token specified");var n=!0===(t=t||{}).header?0:1;try{return JSON.parse(function(e){var t=e.replace(/-/g,"+").replace(/_/g,"/");switch(t.length%4){case 0:break;case 2:t+="==";break;case 3:t+="=";break;default:throw"Illegal base64url string!"}try{return function(e){return decodeURIComponent(g(e).replace(/(.)/g,(function(e,t){var n=t.charCodeAt(0).toString(16).toUpperCase();return n.length<2&&(n="0"+n),"%"+n})))}(t)}catch(e){return g(t)}}(e.split(".")[n]))}catch(e){throw new v("Invalid token specified: "+e.message)}}v.prototype=new Error,v.prototype.name="InvalidTokenError";var b="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:{};function w(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}var y="__lodash_hash_undefined__",k="[object Function]",I="[object GeneratorFunction]",x=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,j=/^\w*$/,S=/^\./,O=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,C=/\\(\\)?/g,E=/^\[object .+?Constructor\]$/,A="object"==typeof b&&b&&b.Object===Object&&b,U="object"==typeof self&&self&&self.Object===Object&&self,_=A||U||Function("return this")();var R,P=Array.prototype,T=Function.prototype,L=Object.prototype,M=_["__core-js_shared__"],q=(R=/[^.]+$/.exec(M&&M.keys&&M.keys.IE_PROTO||""))?"Symbol(src)_1."+R:"",$=T.toString,D=L.hasOwnProperty,F=L.toString,N=RegExp("^"+$.call(D).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),K=_.Symbol,W=P.splice,J=te(_,"Map"),H=te(Object,"create"),z=K?K.prototype:void 0,V=z?z.toString:void 0;function B(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var o=e[t];this.set(o[0],o[1])}}function G(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var o=e[t];this.set(o[0],o[1])}}function Y(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var o=e[t];this.set(o[0],o[1])}}function Z(e,t){for(var n,o,r=e.length;r--;)if((n=e[r][0])===(o=t)||n!=n&&o!=o)return r;return-1}function X(e,t){var n;t=function(e,t){if(ie(e))return!1;var n=typeof e;if("number"==n||"symbol"==n||"boolean"==n||null==e||ae(e))return!0;return j.test(e)||!x.test(e)||null!=t&&e in Object(t)}(t,e)?[t]:ie(n=t)?n:ne(n);for(var o=0,r=t.length;null!=e&&o<r;)e=e[oe(t[o++])];return o&&o==r?e:void 0}function Q(e){if(!se(e)||(t=e,q&&q in t))return!1;var t,n=function(e){var t=se(e)?F.call(e):"";return t==k||t==I}(e)||function(e){var t=!1;if(null!=e&&"function"!=typeof e.toString)try{t=!!(e+"")}catch(e){}return t}(e)?N:E;return n.test(function(e){if(null!=e){try{return $.call(e)}catch(e){}try{return e+""}catch(e){}}return""}(e))}function ee(e,t){var n,o,r=e.__data__;return("string"==(o=typeof(n=t))||"number"==o||"symbol"==o||"boolean"==o?"__proto__"!==n:null===n)?r["string"==typeof t?"string":"hash"]:r.map}function te(e,t){var n=function(e,t){return null==e?void 0:e[t]}(e,t);return Q(n)?n:void 0}B.prototype.clear=function(){this.__data__=H?H(null):{}},B.prototype.delete=function(e){return this.has(e)&&delete this.__data__[e]},B.prototype.get=function(e){var t=this.__data__;if(H){var n=t[e];return n===y?void 0:n}return D.call(t,e)?t[e]:void 0},B.prototype.has=function(e){var t=this.__data__;return H?void 0!==t[e]:D.call(t,e)},B.prototype.set=function(e,t){return this.__data__[e]=H&&void 0===t?y:t,this},G.prototype.clear=function(){this.__data__=[]},G.prototype.delete=function(e){var t=this.__data__,n=Z(t,e);return!(n<0)&&(n==t.length-1?t.pop():W.call(t,n,1),!0)},G.prototype.get=function(e){var t=this.__data__,n=Z(t,e);return n<0?void 0:t[n][1]},G.prototype.has=function(e){return Z(this.__data__,e)>-1},G.prototype.set=function(e,t){var n=this.__data__,o=Z(n,e);return o<0?n.push([e,t]):n[o][1]=t,this},Y.prototype.clear=function(){this.__data__={hash:new B,map:new(J||G),string:new B}},Y.prototype.delete=function(e){return ee(this,e).delete(e)},Y.prototype.get=function(e){return ee(this,e).get(e)},Y.prototype.has=function(e){return ee(this,e).has(e)},Y.prototype.set=function(e,t){return ee(this,e).set(e,t),this};var ne=re((function(e){var t;e=null==(t=e)?"":function(e){if("string"==typeof e)return e;if(ae(e))return V?V.call(e):"";var t=e+"";return"0"==t&&1/e==-1/0?"-0":t}(t);var n=[];return S.test(e)&&n.push(""),e.replace(O,(function(e,t,o,r){n.push(o?r.replace(C,"$1"):t||e)})),n}));function oe(e){if("string"==typeof e||ae(e))return e;var t=e+"";return"0"==t&&1/e==-1/0?"-0":t}function re(e,t){if("function"!=typeof e||t&&"function"!=typeof t)throw new TypeError("Expected a function");var n=function(){var o=arguments,r=t?t.apply(this,o):o[0],i=n.cache;if(i.has(r))return i.get(r);var s=e.apply(this,o);return n.cache=i.set(r,s),s};return n.cache=new(re.Cache||Y),n}re.Cache=Y;var ie=Array.isArray;function se(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}function ae(e){return"symbol"==typeof e||function(e){return!!e&&"object"==typeof e}(e)&&"[object Symbol]"==F.call(e)}var le=function(e,t,n){var o=null==e?void 0:X(e,t);return void 0===o?n:o},ce="/v1/auth/accesskey/exchange",de="/v1/auth/otp/verify",ue="/v1/auth/otp/signin",he="/v1/auth/otp/signup",pe={email:"/v1/auth/otp/update/email",phone:"/v1/auth/otp/update/phone"},fe="/v1/auth/otp/signup-in",ge="/v1/auth/magiclink/verify",ve="/v1/auth/magiclink/signin",me="/v1/auth/magiclink/signup",be={email:"/v1/auth/magiclink/update/email",phone:"/v1/auth/magiclink/update/phone"},we="/v1/auth/magiclink/signup-in",ye="/v1/auth/enchantedlink/verify",ke="/v1/auth/enchantedlink/signin",Ie="/v1/auth/enchantedlink/signup",xe="/v1/auth/enchantedlink/pending-session",je={email:"/v1/auth/enchantedlink/update/email"},Se="/v1/auth/enchantedlink/signup-in",Oe="/v1/auth/oauth/authorize",Ce="/v1/auth/oauth/exchange",Ee="/v1/auth/saml/authorize",Ae="/v1/auth/saml/exchange",Ue="/v1/auth/totp/verify",_e="/v1/auth/totp/signup",Re="/v1/auth/totp/update",Pe={start:"/v1/auth/webauthn/signup/start",finish:"/v1/auth/webauthn/signup/finish"},Te={start:"/v1/auth/webauthn/signin/start",finish:"/v1/auth/webauthn/signin/finish"},Le={start:"/v1/auth/webauthn/signup-in/start"},Me={start:"v1/auth/webauthn/update/start",finish:"/v1/auth/webauthn/update/finish"},qe="/v1/auth/password/signup",$e="/v1/auth/password/signin",De="/v1/auth/password/reset",Fe="/v1/auth/password/update",Ne="/v1/auth/password/replace",Ke="/v1/auth/password/policy",We="/v1/auth/refresh",Je="/v1/auth/logout",He="/v1/auth/logoutall",ze="/v1/auth/me",Ve="/v1/flow/start",Be="/v1/flow/next";const Ge=6e5,Ye=()=>{const e={};return{headers(t){const n="function"==typeof t.entries?Object.fromEntries(t.entries()):t;return e.Headers=JSON.stringify(n),this},body(t){return e.Body=t,this},url(t){return e.Url=t.toString(),this},method(t){return e.Method=t,this},title(t){return e.Title=t,this},status(t){return e.Status=t,this},build:()=>Object.keys(e).flatMap((t=>e[t]?[`${"Title"!==t?`${t}: `:""}${e[t]}`]:[])).join("\n")}};var Ze;!function(e){e.get="GET",e.delete="DELETE",e.post="POST",e.put="PUT"}(Ze||(Ze={}));const Xe=(...e)=>new Headers(e.reduce(((e,t)=>{const n=(e=>Array.isArray(e)?e:e instanceof Headers?Array.from(e.entries()):e?Object.entries(e):[])(t);return n.reduce(((t,[n,o])=>(e[n]=o,e)),e),e}),{})),Qe=e=>void 0===e?void 0:JSON.stringify(e),et=(e,t="")=>{let n=e;return t&&(n=n+":"+t),{Authorization:`Bearer ${n}`}},tt=({baseUrl:e,projectId:t,baseConfig:n,logger:o,hooks:r,cookiePolicy:i,fetch:s})=>{const a=((e,t)=>{const n=(e=>async(...t)=>{const n=await e(...t),o=await n.text();return n.text=()=>Promise.resolve(o),n.json=()=>Promise.resolve(JSON.parse(o)),n.clone=()=>n,n})(t||fetch);return n||null==e||e.warn("Fetch is not defined, you will not be able to send http requests, if you are running in a test, make sure fetch is defined globally"),e?async(...t)=>{if(!n)throw Error("Cannot send http request, fetch is not defined, if you are running in a test, make sure fetch is defined globally");e.log((e=>Ye().title("Request").url(e[0]).method(e[1].method).headers(e[1].headers).body(e[1].body).build())(t));const o=await n(...t);return e[o.ok?"log":"error"](await(async e=>{const t=await e.text();return Ye().title("Response").url(e.url.toString()).status(`${e.status} ${e.statusText}`).headers(e.headers).body(t).build()})(o)),o}:n})(o,s),l=async o=>{const s=(null==r?void 0:r.beforeRequest)?r.beforeRequest(o):o,{path:l,body:c,headers:d,queryParams:u,method:h,token:p}=s,f=await a((({path:e,baseUrl:t,queryParams:n})=>{const o=new URL(e,t);return n&&(o.search=new URLSearchParams(n).toString()),o})({path:l,baseUrl:e,queryParams:u}),{headers:Xe(et(t,p),{"x-descope-sdk-name":"core-js","x-descope-sdk-version":"1.3.7"},(null==n?void 0:n.baseHeaders)||{},d),method:h,body:Qe(c),credentials:i||"include"});return(null==r?void 0:r.afterRequest)&&await r.afterRequest(o,null==f?void 0:f.clone()),f};return{get:(e,{headers:t,queryParams:n,token:o}={})=>l({path:e,headers:t,queryParams:n,body:void 0,method:Ze.get,token:o}),post:(e,t,{headers:n,queryParams:o,token:r}={})=>l({path:e,headers:n,queryParams:o,body:t,method:Ze.post,token:r}),put:(e,t,{headers:n,queryParams:o,token:r}={})=>l({path:e,headers:n,queryParams:o,body:t,method:Ze.put,token:r}),delete:(e,{headers:t,queryParams:n,token:o}={})=>l({path:e,headers:t,queryParams:n,body:void 0,method:Ze.delete,token:o}),hooks:r}};var nt=429;function ot(e,t,n){var o;let r=rt(e);t&&(r=null===(o=null==r?void 0:r.tenants)||void 0===o?void 0:o[t]);const i=null==r?void 0:r[n];return Array.isArray(i)?i:[]}function rt(e){if("string"!=typeof e||!e)throw new Error("Invalid token provided");return m(e)}function it(e){const{exp:t}=rt(e);return(new Date).getTime()/1e3>t}function st(e,t){return ot(e,t,"permissions")}function at(e,t){return ot(e,t,"roles")}const lt=(...e)=>e.join("/").replace(/\/{2,}/g,"/");async function ct(e,t){var n;const o=await e,r={code:o.status,ok:o.ok,response:o},i=await o.clone().json();return o.ok?r.data=t?t(i):i:(r.error=i,o.status===nt&&Object.assign(r.error,{retryAfter:Number.parseInt(null===(n=o.headers)||void 0===n?void 0:n.get("retry-after"))||0})),r}const dt=(e,t)=>(n=t)=>t=>!e(t)&&n.replace("{val}",t),ut=(...e)=>({validate:t=>(e.forEach((e=>{const n=e(t);if(n)throw new Error(n)})),!0)}),ht=e=>t=>e.test(t),pt=ht(/^[a-zA-Z0-9.!#$%&'*+/=?^_`{|}~-]+@[a-zA-Z0-9-]+(?:\.[a-zA-Z0-9-]+)*$/),ft=ht(/^\+[1-9]{1}[0-9]{3,14}$/),gt=dt(pt,'"{val}" is not a valid email'),vt=dt(ft,'"{val}" is not a valid phone number'),mt=dt((1,e=>e.length>=1),"Minimum length is 1");const bt=dt((e=>"string"==typeof e),"Input is not a string"),wt=(...e)=>t=>(...n)=>(e.forEach(((e,t)=>ut(...e).validate(n[t]))),t(...n)),yt=e=>[bt(`"${e}" must be a string`),mt(`"${e}" must not be empty`)],kt=e=>[bt(`"${e}" must be a string`),gt()],It=e=>[bt(`"${e}" must be a string`),vt()],xt=wt(yt("accessKey")),jt=e=>({exchange:xt((t=>ct(e.post(ce,{},{token:t}))))});var St,Ot;!function(e){e.sms="sms",e.whatsapp="whatsapp"}(St||(St={})),function(e){e.email="email"}(Ot||(Ot={}));const Ct=Object.assign(Object.assign({},St),Ot);var Et;!function(e){e.waiting="waiting",e.running="running",e.completed="completed",e.failed="failed"}(Et||(Et={}));const At=yt("loginId"),Ut=wt(yt("token")),_t=wt(At),Rt=wt(yt("pendingRef")),Pt=wt(At,kt("email")),Tt=e=>({verify:Ut((t=>ct(e.post(ye,{token:t})))),signIn:_t(((t,n,o,r)=>ct(e.post(lt(ke,Ct.email),{loginId:t,URI:n,loginOptions:o},{token:r})))),signUpOrIn:_t(((t,n)=>ct(e.post(lt(Se,Ct.email),{loginId:t,URI:n})))),signUp:_t(((t,n,o)=>ct(e.post(lt(Ie,Ct.email),{loginId:t,URI:n,user:o})))),waitForSession:Rt(((t,n)=>new Promise((o=>{const{pollingIntervalMs:r,timeoutMs:i}=(({pollingIntervalMs:e=1e3,timeoutMs:t=6e5}={})=>({pollingIntervalMs:Math.max(e||1e3,1e3),timeoutMs:Math.min(t||Ge,Ge)}))(n);let s;const a=setInterval((async()=>{const n=await e.post(xe,{pendingRef:t});n.ok&&(clearInterval(a),s&&clearTimeout(s),o(ct(Promise.resolve(n))))}),r);s=setTimeout((()=>{o({error:{errorDescription:`Session polling timeout exceeded: ${i}ms`,errorCode:"0"},ok:!1}),clearInterval(a)}),i)})))),update:{email:Pt(((t,n,o,r,i)=>ct(e.post(je.email,Object.assign({loginId:t,email:n,URI:o},i),{token:r}))))}}),Lt=wt(yt("flowId")),Mt=wt(yt("executionId"),yt("stepId"),yt("interactionId")),qt=e=>({start:Lt(((t,n,o,r,i,s)=>ct(e.post(Ve,{flowId:t,options:n,conditionInteractionId:o,interactionId:r,input:i,version:s})))),next:Mt(((t,n,o,r,i)=>ct(e.post(Be,{executionId:t,stepId:n,interactionId:o,input:r,version:i}))))}),$t=yt("loginId"),Dt=wt(yt("token")),Ft=wt($t),Nt=wt($t,It("phone")),Kt=wt($t,kt("email")),Wt=e=>({verify:Dt((t=>ct(e.post(ge,{token:t})))),signIn:Object.keys(Ct).reduce(((t,n)=>Object.assign(Object.assign({},t),{[n]:Ft(((t,o,r,i)=>ct(e.post(lt(ve,n),{loginId:t,URI:o,loginOptions:r},{token:i}))))})),{}),signUp:Object.keys(Ct).reduce(((t,n)=>Object.assign(Object.assign({},t),{[n]:Ft(((t,o,r)=>ct(e.post(lt(me,n),{loginId:t,URI:o,user:r}))))})),{}),signUpOrIn:Object.keys(Ct).reduce(((t,n)=>Object.assign(Object.assign({},t),{[n]:Ft(((t,o)=>ct(e.post(lt(we,n),{loginId:t,URI:o}))))})),{}),update:{email:Kt(((t,n,o,r,i)=>ct(e.post(be.email,Object.assign({loginId:t,email:n,URI:o},i),{token:r})))),phone:Object.keys(St).reduce(((t,n)=>Object.assign(Object.assign({},t),{[n]:Nt(((t,o,r,i,s)=>ct(e.post(lt(be.phone,n),Object.assign({loginId:t,phone:o,URI:r},s),{token:i}))))})),{})}});var Jt;!function(e){e.facebook="facebook",e.github="github",e.google="google",e.microsoft="microsoft",e.gitlab="gitlab",e.apple="apple",e.discord="discord",e.linkedin="linkedin"}(Jt||(Jt={}));const Ht=wt(yt("code")),zt=e=>({start:Object.keys(Jt).reduce(((t,n)=>Object.assign(Object.assign({},t),{[n]:(t,o,r)=>ct(e.post(Oe,o||{},{queryParams:Object.assign({provider:n},t&&{redirectURL:t}),token:r}))})),{}),exchange:Ht((t=>ct(e.post(Ce,{code:t}))))}),Vt=yt("loginId"),Bt=wt(Vt,yt("code")),Gt=wt(Vt),Yt=wt(Vt,It("phone")),Zt=wt(Vt,kt("email")),Xt=e=>({verify:Object.keys(Ct).reduce(((t,n)=>Object.assign(Object.assign({},t),{[n]:Bt(((t,o)=>ct(e.post(lt(de,n),{code:o,loginId:t}))))})),{}),signIn:Object.keys(Ct).reduce(((t,n)=>Object.assign(Object.assign({},t),{[n]:Gt(((t,o,r)=>ct(e.post(lt(ue,n),{loginId:t,loginOptions:o},{token:r}))))})),{}),signUp:Object.keys(Ct).reduce(((t,n)=>Object.assign(Object.assign({},t),{[n]:Gt(((t,o)=>ct(e.post(lt(he,n),{loginId:t,user:o}))))})),{}),signUpOrIn:Object.keys(Ct).reduce(((t,n)=>Object.assign(Object.assign({},t),{[n]:Gt((t=>ct(e.post(lt(fe,n),{loginId:t}))))})),{}),update:{email:Zt(((t,n,o,r)=>ct(e.post(pe.email,Object.assign({loginId:t,email:n},r),{token:o})))),phone:Object.keys(St).reduce(((t,n)=>Object.assign(Object.assign({},t),{[n]:Yt(((t,o,r,i)=>ct(e.post(lt(pe.phone,n),Object.assign({loginId:t,phone:o},i),{token:r}))))})),{})}}),Qt=wt(yt("tenant")),en=wt(yt("code")),tn=e=>({start:Qt(((t,n,o,r)=>ct(e.post(Ee,o||{},{queryParams:{tenant:t,redirectURL:n},token:r})))),exchange:en((t=>ct(e.post(Ae,{code:t}))))}),nn=yt("loginId"),on=wt(nn,yt("code")),rn=wt(nn),sn=wt(nn),an=e=>({signUp:rn(((t,n)=>ct(e.post(_e,{loginId:t,user:n})))),verify:on(((t,n,o,r)=>ct(e.post(Ue,{loginId:t,code:n,loginOptions:o},{token:r})))),update:sn(((t,n)=>ct(e.post(Re,{loginId:t},{token:n}))))}),ln=yt("loginId"),cn=yt("newPassword"),dn=wt(ln,yt("password")),un=wt(ln),hn=wt(ln,cn),pn=wt(ln,yt("oldPassword"),cn),fn=e=>({signUp:dn(((t,n,o)=>ct(e.post(qe,{loginId:t,password:n,user:o})))),signIn:dn(((t,n)=>ct(e.post($e,{loginId:t,password:n})))),sendReset:un(((t,n)=>ct(e.post(De,{loginId:t,redirectUrl:n})))),update:hn(((t,n,o)=>ct(e.post(Fe,{loginId:t,newPassword:n},{token:o})))),replace:pn(((t,n,o)=>ct(e.post(Ne,{loginId:t,oldPassword:n,newPassword:o})))),policy:()=>ct(e.get(Ke))}),gn=[bt('"loginId" must be a string')],vn=yt("loginId"),mn=yt("origin"),bn=wt(vn,mn,yt("name")),wn=wt(vn,mn),yn=wt(gn,mn),kn=wt(vn,mn,yt("token")),In=wt(yt("transactionId"),yt("response")),xn=e=>({signUp:{start:bn(((t,n,o)=>ct(e.post(Pe.start,{user:{loginId:t,name:o},origin:n})))),finish:In(((t,n)=>ct(e.post(Pe.finish,{transactionId:t,response:n}))))},signIn:{start:yn(((t,n,o,r)=>ct(e.post(Te.start,{loginId:t,origin:n,loginOptions:o},{token:r})))),finish:In(((t,n)=>ct(e.post(Te.finish,{transactionId:t,response:n}))))},signUpOrIn:{start:wn(((t,n)=>ct(e.post(Le.start,{loginId:t,origin:n}))))},update:{start:kn(((t,n,o)=>ct(e.post(Me.start,{loginId:t,origin:n},{token:o})))),finish:In(((t,n)=>ct(e.post(Me.finish,{transactionId:t,response:n}))))}}),jn=wt(yt("token"));var Sn,On=wt([("projectId",Sn=yt("projectId"),dt(((e,t)=>n=>ut(...t).validate(le(n,e)))("projectId",Sn))())])((e=>{var t,n;const o=[].concat((null===(t=e.hooks)||void 0===t?void 0:t.beforeRequest)||[]),r=[].concat((null===(n=e.hooks)||void 0===n?void 0:n.afterRequest)||[]);return(({projectId:e,logger:t,baseUrl:n,hooks:o,cookiePolicy:r,baseHeaders:i={},fetch:s})=>{return a=tt({baseUrl:n||"https://api.descope.com",projectId:e,logger:t,hooks:o,cookiePolicy:r,baseConfig:{baseHeaders:i},fetch:s}),{accessKey:jt(a),otp:Xt(a),magicLink:Wt(a),enchantedLink:Tt(a),oauth:zt(a),saml:tn(a),totp:an(a),webauthn:xn(a),password:fn(a),flow:qt(a),refresh:e=>ct(a.post(We,{},{token:e})),logout:e=>ct(a.post(Je,{},{token:e})),logoutAll:e=>ct(a.post(He,{},{token:e})),me:e=>ct(a.get(ze,{token:e})),isJwtExpired:jn(it),getJwtPermissions:jn(st),getJwtRoles:jn(at),httpClient:a};var a})(Object.assign(Object.assign({},e),{hooks:{beforeRequest:e=>null==o?void 0:o.reduce(((e,t)=>t(e)),e),afterRequest:async(t,n)=>{(await Promise.allSettled(null==r?void 0:r.map((e=>e(t,null==n?void 0:n.clone()))))).forEach((t=>{var n;return"rejected"===t.status&&(null===(n=e.logger)||void 0===n?void 0:n.error(t.reason))}))}}}))}));const Cn=(e,t,n)=>(t.forEach((t=>{const o=t.split(".");let r=o.shift(),i=e;for(;o.length>0;){if(i=i[r],!r||!i)throw Error(`Invalid path "${t}", "${r}" is missing or has no value`);r=o.shift()}if("function"!=typeof i[r])throw Error(`"${t}" is not a function`);const s=i[r];i[r]=n(s)})),e);var En=Object.assign(On,{DeliveryMethods:Ct});var An="Blocked by CSP",Un="9319";function _n(e,t){var n=[];return function(e,t){var n,o,r=(o=function(e,t,n){if(n||2===arguments.length)for(var o,r=0,i=t.length;r<i;r++)!o&&r in t||(o||(o=Array.prototype.slice.call(t,0,r)),o[r]=t[r]);return e.concat(o||Array.prototype.slice.call(t))}([],e,!0),{current:function(){return o[0]},postpone:function(){var e=o.shift();void 0!==e&&o.push(e)},exclude:function(){o.shift()}}),i=(100,3e3,n=0,function(){return Math.random()*Math.min(3e3,100*Math.pow(2,n++))}),s=r.current();if(void 0===s)return Promise.reject(new TypeError("The list of script URL patterns is empty"));var a=function(e,n){return t(e).catch((function(e){if(n+1>=5)throw e;!function(e){if(!(e instanceof Error))return!1;var t=e.message;return t===An||t===Un}(e)?r.postpone():r.exclude();var t,o=r.current();if(void 0===o)throw e;return(t=i(),new Promise((function(e){return setTimeout(e,t)}))).then((function(){return a(o,n+1)}))}))};return a(s,0)}(e,(function(e){var o=new Date,r=function(){return n.push({url:e,startedAt:o,finishedAt:new Date})},i=t(e);return i.then(r,r),i})).then((function(e){return[e,{attempts:n}]}))}var Rn="Failed to load the JS script of the agent";function Pn(e){var t;e.scriptUrlPattern;var n=e.token,o=e.apiKey,r=void 0===o?n:o,i=d(e,["scriptUrlPattern","token","apiKey"]),s=null!==(t=function(e,t){return function(e,t){return Object.prototype.hasOwnProperty.call(e,t)}(e,t)?e[t]:void 0}(e,"scriptUrlPattern"))&&void 0!==t?t:"https://fpnpmcdn.net/v<version>/<apiKey>/loader_v<loaderVersion>.js";return Promise.resolve().then((function(){if(!r||"string"!=typeof r)throw new Error("API key required");var e=function(e,t){return(Array.isArray(e)?e:[e]).map((function(e){return function(e,t){var n=encodeURIComponent;return e.replace(/<[^<>]+>/g,(function(e){return"<version>"===e?"3":"<apiKey>"===e?n(t):"<loaderVersion>"===e?n("3.8.3"):e}))}(String(e),t)}))}(s,r);return _n(e,Tn).catch(Mn)})).then((function(e){var t=e[0],n=e[1];return t.load(c(c({},i),{ldi:n}))}))}function Tn(e){return function(e,t,n,o){var r,i=document,s="securitypolicyviolation",a=function(t){var n=new URL(e,location.href),o=t.blockedURI;o!==n.href&&o!==n.protocol.slice(0,-1)&&o!==n.origin||(r=t,l())};i.addEventListener(s,a);var l=function(){return i.removeEventListener(s,a)};return Promise.resolve().then(t).then((function(e){return l(),e}),(function(e){return new Promise((function(e){return setTimeout(e)})).then((function(){if(l(),r)return function(){throw new Error(An)}();throw e}))}))}(e,(function(){return function(e){return new Promise((function(t,n){var o=document.createElement("script"),r=function(){var e;return null===(e=o.parentNode)||void 0===e?void 0:e.removeChild(o)},i=document.head||document.getElementsByTagName("head")[0];o.onload=function(){r(),t()},o.onerror=function(){r(),n(new Error(Rn))},o.async=!0,o.src=e,i.appendChild(o)}))}(e)})).then(Ln)}function Ln(){var e=window,t="__fpjs_p_l_b",n=e[t];if(function(e,t){var n,o=null===(n=Object.getOwnPropertyDescriptor)||void 0===n?void 0:n.call(Object,e,t);(null==o?void 0:o.configurable)?delete e[t]:o&&!o.writable||(e[t]=void 0)}(e,t),"function"!=typeof(null==n?void 0:n.load))throw new Error(Un);return n}function Mn(e){throw e instanceof Error&&e.message===Un?new Error(Rn):e}var qn={},$n={get exports(){return qn},set exports(e){qn=e}},Dn={},Fn={get exports(){return Dn},set exports(e){Dn=e}};
2
+ /*! js-cookie v3.0.5 | MIT */
3
+ !function(e,t){e.exports=function(){function e(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var o in n)e[o]=n[o]}return e}function t(n,o){function r(t,r,i){if("undefined"!=typeof document){"number"==typeof(i=e({},o,i)).expires&&(i.expires=new Date(Date.now()+864e5*i.expires)),i.expires&&(i.expires=i.expires.toUTCString()),t=encodeURIComponent(t).replace(/%(2[346B]|5E|60|7C)/g,decodeURIComponent).replace(/[()]/g,escape);var s="";for(var a in i)i[a]&&(s+="; "+a,!0!==i[a]&&(s+="="+i[a].split(";")[0]));return document.cookie=t+"="+n.write(r,t)+s}}function i(e){if("undefined"!=typeof document&&(!arguments.length||e)){for(var t=document.cookie?document.cookie.split("; "):[],o={},r=0;r<t.length;r++){var i=t[r].split("="),s=i.slice(1).join("=");try{var a=decodeURIComponent(i[0]);if(o[a]=n.read(s,a),e===a)break}catch(e){}}return e?o[e]:o}}return Object.create({set:r,get:i,remove:function(t,n){r(t,"",e({},n,{expires:-1}))},withAttributes:function(n){return t(this.converter,e({},this.attributes,n))},withConverter:function(n){return t(e({},this.converter,n),this.attributes)}},{attributes:{value:Object.freeze(o)},converter:{value:Object.freeze(n)}})}return t({read:function(e){return'"'===e[0]&&(e=e.slice(1,-1)),e.replace(/(%[\dA-F]{2})+/gi,decodeURIComponent)},write:function(e){return encodeURIComponent(e).replace(/%(2[346BF]|3[AC-F]|40|5[BDE]|60|7[BCD])/g,decodeURIComponent)}},{path:"/"})}()}(Fn),function(e){e.exports=Dn}($n);var Nn=w(qn);const Kn=(e,t)=>{var n;return["beforeRequest","afterRequest"].reduce(((n,o)=>{var r;return n[o]=[].concat((null===(r=e.hooks)||void 0===r?void 0:r[o])||[]).concat((null==t?void 0:t[o])||[]),n}),null!==(n=e.hooks)&&void 0!==n?n:e.hooks={}),e},Wn=async e=>{if(!(null==e?void 0:e.ok))return{};const t=await(null==e?void 0:e.clone().json());return(null==t?void 0:t.authInfo)||t||{}},Jn=async e=>{const t=await Wn(e);return(null==t?void 0:t.user)||((null==t?void 0:t.hasOwnProperty("userId"))?t:void 0)},Hn="undefined"!=typeof localStorage,zn=(e,t)=>Hn&&(null===localStorage||void 0===localStorage?void 0:localStorage.setItem(e,t)),Vn=e=>Hn&&(null===localStorage||void 0===localStorage?void 0:localStorage.getItem(e)),Bn=e=>Hn&&(null===localStorage||void 0===localStorage?void 0:localStorage.removeItem(e)),Gn="undefined"!=typeof window,Yn=Gn&&(null===localStorage||void 0===localStorage?void 0:localStorage.getItem("fingerprint.endpoint.url"))||"https://fp.descope.com",Zn=(e="",t="")=>({vsid:e,vrid:t}),Xn=(e=!1)=>{const t=localStorage.getItem("fp");if(!t)return null;const n=JSON.parse(t);return(new Date).getTime()>n.expiry&&!e?null:n.value},Qn=e=>(e.body&&(e.body.fpData=Xn(!0)||Zn()),e),eo="dls_last_user_login_id",to="dls_last_user_display_name",no=()=>Vn(eo),oo=()=>Vn(to),ro=e=>async(...t)=>{var n;t[1]=t[1]||{};const[,o={}]=t,r=no(),i=oo();return r&&(null!==(n=o.lastAuth)&&void 0!==n||(o.lastAuth={}),o.lastAuth.loginId=r,o.lastAuth.name=i),await e(...t)},io=e=>async(...t)=>{const n=await e(...t);return Bn(eo),Bn(to),n};function so(){const e=[];return{pub:t=>{e.forEach((e=>e(t)))},sub:t=>{const n=e.push(t)-1;return()=>e.splice(n,1)}}}const ao="DS",lo="DSR";function co(){return Vn(lo)||""}function uo(){return Nn.get(ao)||Vn(ao)||""}function ho(){Bn(lo),Bn(ao),Nn.remove(ao)}const po=e=>Object.assign(e,{token:e.token||co()}),fo=e=>async(...t)=>{const n=await e(...t);return ho(),n};async function go(e){const t=function(e){var t;const n=JSON.parse(e);return n.publicKey.challenge=ko(n.publicKey.challenge),n.publicKey.user.id=ko(n.publicKey.user.id),null===(t=n.publicKey.excludeCredentials)||void 0===t||t.forEach((e=>{e.id=ko(e.id)})),n}(e);return n=await navigator.credentials.create(t),JSON.stringify({id:n.id,rawId:Io(n.rawId),type:n.type,response:{attestationObject:Io(n.response.attestationObject),clientDataJSON:Io(n.response.clientDataJSON)}});var n}async function vo(e){const t=wo(e);return yo(await navigator.credentials.get(t))}async function mo(e,t){const n=wo(e);return n.signal=t.signal,n.mediation="conditional",yo(await navigator.credentials.get(n))}async function bo(e=!1){if(!Gn)return Promise.resolve(!1);const t=!!(window.PublicKeyCredential&&navigator.credentials&&navigator.credentials.create&&navigator.credentials.get);return t&&e&&PublicKeyCredential.isUserVerifyingPlatformAuthenticatorAvailable?PublicKeyCredential.isUserVerifyingPlatformAuthenticatorAvailable():t}function wo(e){var t;const n=JSON.parse(e);return n.publicKey.challenge=ko(n.publicKey.challenge),null===(t=n.publicKey.allowCredentials)||void 0===t||t.forEach((e=>{e.id=ko(e.id)})),n}function yo(e){return JSON.stringify({id:e.id,rawId:Io(e.rawId),type:e.type,response:{authenticatorData:Io(e.response.authenticatorData),clientDataJSON:Io(e.response.clientDataJSON),signature:Io(e.response.signature),userHandle:e.response.userHandle?Io(e.response.userHandle):void 0}})}function ko(e){const t=e.replace(/_/g,"/").replace(/-/g,"+");return Uint8Array.from(atob(t),(e=>e.charCodeAt(0))).buffer}function Io(e){return btoa(String.fromCharCode.apply(null,new Uint8Array(e))).replace(/\//g,"_").replace(/\+/g,"-").replace(/=/g,"")}var xo,jo=(xo=e=>({async signUp(t,n){const o=await e.webauthn.signUp.start(t,window.location.origin,n);if(!o.ok)return o;const r=await go(o.data.options);return await e.webauthn.signUp.finish(o.data.transactionId,r)},async signIn(t){const n=await e.webauthn.signIn.start(t,window.location.origin);if(!n.ok)return n;const o=await vo(n.data.options);return await e.webauthn.signIn.finish(n.data.transactionId,o)},async signUpOrIn(t){var n;const o=await e.webauthn.signUpOrIn.start(t,window.location.origin);if(!o.ok)return o;if(null===(n=o.data)||void 0===n?void 0:n.create){const t=await go(o.data.options);return await e.webauthn.signUp.finish(o.data.transactionId,t)}{const t=await vo(o.data.options);return await e.webauthn.signIn.finish(o.data.transactionId,t)}},async update(t,n){const o=await e.webauthn.update.start(t,window.location.origin,n);if(!o.ok)return o;const r=await go(o.data.options);return await e.webauthn.update.finish(o.data.transactionId,r)},helpers:{create:go,get:vo,isSupported:bo,conditional:mo}}),(...e)=>{const t=xo(...e);return Object.assign(t.signUp,e[0].webauthn.signUp),Object.assign(t.signIn,e[0].webauthn.signIn),Object.assign(t.signUpOrIn,e[0].webauthn.signUpOrIn),Object.assign(t.update,e[0].webauthn.update),t}),So=e=>Object.assign(Object.assign({},e.flow),{start:async(...t)=>{const n=await bo(),o=Object.assign(Object.assign({redirectUrl:window.location.href},t[1]),{deviceInfo:{webAuthnSupport:n}});return t[1]=o,e.flow.start(...t)}});const Oo=function(...e){return t=>e.reduce(((e,t)=>t(e)),t)}((e=>t=>{var{fpKey:n,fpLoad:o}=t,r=d(t,["fpKey","fpLoad"]);return n?(Gn?o&&(async e=>{try{if(Xn())return;const t=(Date.now().toString(36)+Math.random().toString(36).substring(2)+Math.random().toString(36).substring(2)).substring(0,27),n=Pn({apiKey:e,endpoint:Yn}),o=await n,{requestId:r}=await o.get({linkedId:t});(e=>{const t={value:e,expiry:(new Date).getTime()+864e5};localStorage.setItem("fp",JSON.stringify(t))})(Zn(t,r))}catch(e){global.FB_DEBUG&&console.error(e)}})(n).catch((()=>null)):console.warn("Fingerprint is a client side only capability and will not work when running in the server"),e(Kn(r,{beforeRequest:Qn}))):e(Object.assign({},r))}),(e=>t=>{var{autoRefresh:n}=t,o=d(t,["autoRefresh"]);if(!n)return e(o);const{clearAllTimers:r,setTimer:i}=(()=>{const e=[];return{clearAllTimers:()=>{for(;e.length;)clearTimeout(e.pop())},setTimer:(t,n)=>{e.push(setTimeout(t,n))}}})(),s=e(Kn(o,{afterRequest:async(e,t)=>{const{refreshJwt:n,sessionJwt:o}=await Wn(t);if(401===(null==t?void 0:t.status))r();else if(o){const e=((a=(e=>{const t=e.split(".");try{if(3===t.length){const e=JSON.parse(window.atob(t[1]));if(e.exp)return new Date(1e3*e.exp)}}catch(e){}return null})(o))?a.getTime()-(new Date).getTime():0)-2e4;r(),i((()=>s.refresh(n)),e)}var a}}));return Cn(s,["logout","logoutAll"],(e=>async(...t)=>{const n=await e(...t);return r(),n}))}),(e=>t=>e(Object.assign(Object.assign({},t),{baseHeaders:Object.assign({"x-descope-sdk-name":"web-js","x-descope-sdk-version":"1.2.7"},t.baseHeaders)}))),(e=>t=>{const n=so(),o=so(),r=e(Kn(t,{afterRequest:async(e,t)=>{if(401===(null==t?void 0:t.status))n.pub(null),o.pub(null);else{const e=await Jn(t);e&&o.pub(e);const{sessionJwt:r}=await Wn(t);r&&n.pub(r)}}})),i=Cn(r,["logout","logoutAll"],(e=>async(...t)=>{const r=await e(...t);return n.pub(null),o.pub(null),r}));return Object.assign(i,{onSessionTokenChange:n.sub,onUserChange:o.sub})}),(e=>t=>{const n=e(Kn(t,{afterRequest:async(e,t)=>{var n;const o=await Jn(t),r=null===(n=null==o?void 0:o.loginIds)||void 0===n?void 0:n[0],i=null==o?void 0:o.name;r&&((e=>{zn(eo,e)})(r),(e=>{zn(to,e)})(i))}}));let o=Cn(n,["flow.start"],ro);return o=Cn(o,["logout","logoutAll"],io),Object.assign(o,{getLastUserLoginId:no,getLastUserDisplayName:oo})}),(e=>t=>{var{persistTokens:n,sessionTokenViaCookie:o}=t,r=d(t,["persistTokens","sessionTokenViaCookie"]);if(!n||!Gn)return n&&console.warn("Storing auth tokens in local storage and cookies are a client side only capabilities and will not be done when running in the server"),e(r);const i=e(Kn(r,{beforeRequest:po,afterRequest:async(e,t)=>{401===(null==t?void 0:t.status)?ho():((e={},t)=>{var{refreshJwt:n,sessionJwt:o}=e,r=d(e,["refreshJwt","sessionJwt"]);void 0===t&&(t=!1),n&&zn(lo,n),o&&(t?function(e,t,{cookiePath:n,cookieDomain:o,cookieExpiration:r}){if(t){const i=new Date(1e3*r);Nn.set(e,t,{path:n,domain:o,expires:i,sameSite:"Strict",secure:!0})}}(ao,o,r):zn(ao,o))})(await Wn(t),o)}})),s=Cn(i,["logout","logoutAll"],fo);return Object.assign(s,{getRefreshToken:co,getSessionToken:uo})}))(((...e)=>{const t=En(...e);return Object.assign(Object.assign({},t),{flow:So(t),webauthn:jo(t)})}));let Co;const Eo=e=>{const t=Oo({...e,persistTokens:l,autoRefresh:l});return Co=t,t};Co=Eo({projectId:"temp pid"});const Ao=()=>l?Co?.getSessionToken():(console.warn("Get session token is not supported in SSR"),""),Uo=()=>l?Co?.getRefreshToken():(console.warn("Get refresh token is not supported in SSR"),""),_o=s(((e=Ao(),t)=>Co?.getJwtPermissions(e,t))),Ro=s(((e=Ao(),t)=>Co?.getJwtRoles(e,t)));const Po=({projectId:e,baseUrl:n,sessionTokenViaCookie:s,children:l})=>{const[c,d]=t.useState(),[u,h]=t.useState(),[p,f]=t.useState(!1),[g,v]=t.useState(!1),m=(({projectId:e,baseUrl:n,sessionTokenViaCookie:o})=>t.useMemo((()=>{if(e)return Eo({projectId:e,baseUrl:n,sessionTokenViaCookie:o,baseHeaders:a,persistToken:!0,autoRefresh:!0})}),[e,n,o]))({projectId:e,baseUrl:n,sessionTokenViaCookie:s});t.useEffect((()=>{if(m){const e=m.onSessionTokenChange(h),t=m.onUserChange(d);return()=>{e(),t()}}}),[m]);const b=t.useRef(!1),w=t.useCallback((()=>{b.current||(b.current=!0,v(!0),i(m?.refresh)().then((()=>{v(!1)})))}),[m]),y=t.useCallback((()=>{f(!0),i(m.me)().then((()=>{f(!1)}))}),[m]),k=t.useMemo((()=>({fetchUser:y,user:c,isUserLoading:p,fetchSession:w,session:u,isSessionLoading:g,projectId:e,baseUrl:n,setUser:d,setSession:h,sdk:m})),[y,c,p,w,u,g,e,n,d,h,m]);return o.default.createElement(r.Provider,{value:k},l)};Po.defaultProps={baseUrl:"",children:void 0,sessionTokenViaCookie:!1};const To=t.lazy((async()=>((await Promise.resolve().then((function(){return ui}))).default.sdkConfigOverrides={baseHeaders:a},{default:({projectId:e,flowId:t,baseUrl:n,innerRef:r,tenant:i,theme:s,debug:a,telemetryKey:l,redirectUrl:c,autoFocus:d})=>o.default.createElement("descope-wc",{"project-id":e,"flow-id":t,"base-url":n,ref:r,tenant:i,theme:s,debug:a,telemetryKey:l,"redirect-url":c,"auto-focus":d})}))),Lo=o.default.forwardRef((({flowId:e,onSuccess:n,onError:i,tenant:s,theme:a,debug:l,telemetryKey:c,redirectUrl:d,autoFocus:u},h)=>{const[p,f]=t.useState(null);t.useImperativeHandle(h,(()=>p));const{projectId:g,baseUrl:v,sdk:m}=o.default.useContext(r),b=t.useCallback((async e=>{await m.httpClient.hooks.afterRequest({},new Response(JSON.stringify(e.detail))),n&&n(e)}),[n]);return t.useEffect((()=>{const e=p;return e?.addEventListener("success",b),i&&e?.addEventListener("error",i),()=>{i&&e?.removeEventListener("error",i),e?.removeEventListener("success",b)}}),[p,i,b]),o.default.createElement("form",null,o.default.createElement(t.Suspense,{fallback:null},o.default.createElement(To,{projectId:g,flowId:e,baseUrl:v,innerRef:f,tenant:s,theme:a,debug:l,telemetryKey:c,redirectUrl:d,autoFocus:u})))}));Lo.defaultProps={onError:void 0,onSuccess:void 0};var Mo=()=>{const e=t.useContext(r);if(!e)throw Error("You can only use this hook in the context of <AuthProvider />");return e};const qo=e=>`You can only use this ${e} after sdk initialization. Make sure to supply 'projectId' to <AuthProvider /> component`,$o={get(e,t){if("object"==typeof e[t]&&null!==e[t])return new Proxy(e[t],$o);if("function"==typeof e[t])return()=>{throw Error(qo("function"))};throw Error(qo("attribute"))}},Do="undefined"!=typeof localStorage,Fo=Do&&localStorage.getItem("base.content.url")||"https://static.descope.com/pages",No="descope-login-flow",Ko="code",Wo="ra-challenge",Jo="ra-callback",Ho="ra-initiator",zo="data-exclude-field",Vo="dls_last_auth",Bo="state_id",Go="data-type",Yo="poll",Zo="webauthnCreate",Xo="submit",Qo="polling";var er,tr,nr;function or(e){return new URLSearchParams(window.location.search).get(e)}function rr(e){if(window.history.replaceState&&or(e)){const t=new URL(window.location.href),n=new URLSearchParams(t.search);n.delete(e),t.search=n.toString(),window.history.replaceState({},"",t.toString())}}function ir(e,t){return u(this,void 0,void 0,(function*(){const n=yield fetch(e,{cache:"default"});if(!n.ok)throw Error(`Error fetching URL ${e}`);return{body:yield n[t||"text"](),headers:Object.fromEntries(n.headers.entries())}}))}function sr(e,t){const n=new URL(Fo);return n.pathname=((...e)=>e.join("/").replace(/\/+/g,"/"))(n.pathname,e,"v2-alpha",t),n.toString()}function ar(e,t){if(!Number.isNaN(e)&&!Number.isNaN(t))return e>t?er.forward:e<t?er.backward:void 0}!function(e){e.backward="backward",e.forward="forward"}(er||(er={}));const lr=()=>{const[e="",t=""]=(or(No)||"").split("_");return{executionId:e,stepId:t}};function cr(){rr(No)}const dr=e=>e.replace(/-./g,(e=>e[1].toUpperCase())),ur=e=>{let t,n;return(...o)=>{return t&&(i=o,(r=t).length===i.length&&r.every(((e,t)=>e===i[t])))||(t=o,n=e(...o)),n;var r,i}},hr=null===(nr=null===(tr=null===navigator||void 0===navigator?void 0:navigator.userAgentData)||void 0===tr?void 0:tr.brands)||void 0===nr?void 0:nr.find((({brand:e,version:t})=>"Chromium"===e&&parseFloat(t))),pr=(e,t)=>e&&!t;var fr,gr,vr,mr;function br(e,t){const n=Object.getOwnPropertyNames(e),o=Object.getOwnPropertyNames(t);if(n.length!==o.length)return!1;for(let o=0;o<n.length;o+=1){const r=n[o],i=e[r],s=t[r];if(null===i||null===s){if(i!==s)return!1}else if("object"==typeof i&&"object"==typeof s){if(!br(i,s))return!1}else if(i!==s)return!1}return!0}class wr{constructor(e={},{updateOnlyOnChange:t=!0}={}){fr.set(this,void 0),gr.set(this,{}),vr.set(this,0),mr.set(this,!1),this.update=e=>{const t="function"==typeof e?e(h(this,fr,"f")):e,n=Object.assign(Object.assign({},h(this,fr,"f")),t);if(!h(this,mr,"f")||!br(h(this,fr,"f"),n)){const e=h(this,fr,"f");p(this,fr,n,"f"),Object.freeze(h(this,fr,"f")),setTimeout((()=>{Object.values(h(this,gr,"f")).forEach((t=>t(n,e,((e,t)=>n=>e[n]!==t[n])(n,e))))}),0)}},p(this,fr,e,"f"),p(this,mr,t,"f")}get current(){return Object.assign({},h(this,fr,"f"))}subscribe(e){return p(this,vr,h(this,vr,"f")+1,"f"),h(this,gr,"f")[h(this,vr,"f")]=e,h(this,vr,"f").toString()}unsubscribe(e){const t=!!h(this,gr,"f")[e];return t&&delete h(this,gr,"f")[e],t}unsubscribeAll(){return p(this,gr,{},"f"),!0}}fr=new WeakMap,gr=new WeakMap,vr=new WeakMap,mr=new WeakMap;const yr=(e,t)=>{var n;((e,t,n="")=>{e.querySelectorAll(`[${Go}="${t}"]`).forEach((e=>{e.textContent=n,e.classList[n?"remove":"add"]("hide")}))})(e,"error-message",null==t?void 0:t.errorText),((e,t)=>{Object.entries(t||{}).forEach((([t,n])=>{Array.from(e.querySelectorAll(`.descope-input[name="${t}"]:not([${zo}])`)).forEach((e=>{e.value=n}))}))})(e,null==t?void 0:t.inputs),((e,t)=>{e.querySelectorAll(`[${Go}="totp-link"]`).forEach((e=>{e.href=t}))})(e,null===(n=null==t?void 0:t.totp)||void 0===n?void 0:n.provisionUrl),((e,t)=>{e.querySelectorAll(".descope-text,.descope-link").forEach((e=>{e.textContent=((e,t)=>e.replace(/{{(.+?)}}/g,((e,n)=>{return o=t,n.split(".").reduce(((e,t)=>(null==e?void 0:e[t])||""),o);var o})))(e.textContent,t)}))})(e,t)},kr=ur((()=>u(void 0,void 0,void 0,(function*(){var e,t;if(!window.PublicKeyCredential||!PublicKeyCredential.isConditionalMediationAvailable||!PublicKeyCredential.isUserVerifyingPlatformAuthenticatorAvailable)return console.warn("webauthn","Conditional UI is not supported"),!1;try{const n=Promise.all([null===(e=window.PublicKeyCredential)||void 0===e?void 0:e.isConditionalMediationAvailable(),null===(t=window.PublicKeyCredential)||void 0===t?void 0:t.isUserVerifyingPlatformAuthenticatorAvailable()]).then((e=>e.every((e=>!!e)))),o=108;return yield Promise.race([n,(100,new Promise(((e,t)=>{setTimeout((()=>{t(new Error("Promise timed out after 100 ms"))}),100)}))).catch((()=>hr()>=o))])}catch(e){return console.warn("webauthn","Conditional login check failed",e),!1}})))),Ir={"lastAuth.loginId":{"not-empty":e=>!!e.loginId,empty:e=>!e.loginId},idpInitiated:{"is-true":e=>!!e.code,"is-false":e=>!e.code}},xr=document.createElement("template");var jr,Sr,Or,Cr,Er,Ar,Ur,_r,Rr,Pr,Tr,Lr,Mr,qr,$r,Dr,Fr,Nr,Kr,Wr,Jr,Hr,zr,Vr,Br,Gr,Yr,Zr,Xr,Qr,ei,ti,ni,oi,ri,ii,si,ai,li;xr.innerHTML='\n\t<style>\n\t\t:host {\n\t\t\twidth: 100%;\n\t\t\theight: 100%;\n\t\t}\n\t\t\n\t\t#wc-root {\n\t\t\theight: 100%;\n\t\t\ttransition: opacity 300ms ease-in-out;\n\t\t}\n\n\t\t#wc-root[data-theme] {\n\t\t\tbackground-color: transparent;\n\t\t}\n\n\t\t.fade-out {\n\t\t\topacity: 0.1;\n\t\t}\n\n\t</style>\n\t<div id="wc-root"></div>\n\t';class ci extends HTMLElement{static get observedAttributes(){return["project-id","flow-id","base-url","tenant","theme","debug","telemetryKey","redirect-url","auto-focus"]}constructor(e){super(),jr.add(this),Sr.set(this,!1),Or.set(this,new wr({deferredRedirect:!1})),Cr.set(this,new wr),this.nextRequestStatus=new wr({isLoading:!1}),Er.set(this,void 0),Ar.set(this,{popstate:h(this,jr,"m",Lr).bind(this),visibilitychange:h(this,jr,"m",Mr).bind(this)}),Ur.set(this,void 0),Dr.set(this,ur((()=>u(this,void 0,void 0,(function*(){const e=sr(this.projectId,"config.json");try{const{body:t,headers:n}=yield ir(e,"json");return{projectConfig:t,executionContext:{geo:n["x-geo"]}}}catch(e){this.logger.error("Cannot get config file","make sure that your projectId & flowId are correct")}return{}}))))),this.logger={error:(e,t="")=>{console.error(e,t,new Error),h(this,jr,"m",zr).call(this,e,t)},info:(e,t="")=>{console.log(e,t)}},p(this,Ur,e,"f"),h(this,jr,"m",_r).call(this)}get projectId(){return this.getAttribute("project-id")}get flowId(){return this.getAttribute("flow-id")}get baseUrl(){return this.getAttribute("base-url")||void 0}get tenant(){return this.getAttribute("tenant")||void 0}get redirectUrl(){return this.getAttribute("redirect-url")||void 0}get debug(){return"true"===this.getAttribute("debug")}get theme(){var e,t;const n=this.getAttribute("theme");return"os"===n?window.matchMedia&&(null===(t=null===(e=window.matchMedia)||void 0===e?void 0:e.call(window,"(prefers-color-scheme: dark)"))||void 0===t?void 0:t.matches)?"dark":"light":n||"light"}get telemetryKey(){return this.getAttribute("telemetryKey")||void 0}get autoFocus(){var e;const t=null!==(e=this.getAttribute("auto-focus"))&&void 0!==e?e:"true";return"skipFirstScreen"===t?t:"true"===t}getExecutionContext(){return u(this,void 0,void 0,(function*(){const{executionContext:e}=yield h(this,Dr,"f").call(this);return e}))}getFlowConfig(){var e,t;return u(this,void 0,void 0,(function*(){const{projectConfig:n}=yield h(this,Dr,"f").call(this),o=(null===(e=null==n?void 0:n.flows)||void 0===e?void 0:e[this.flowId])||{};return null!==(t=o.version)&&void 0!==t||(o.version=0),o}))}connectedCallback(){return u(this,void 0,void 0,(function*(){if(this.shadowRoot.isConnected){if(h(this,jr,"m",Rr).call(this))return void h(this,jr,"m",Pr).call(this);h(this,jr,"m",Tr).call(this),h(this,jr,"m",Nr).call(this),h(this,jr,"m",Fr).call(this),h(this,jr,"m",Vr).call(this);const{executionId:e,stepId:t,token:n,code:o,exchangeError:r,redirectAuthCallbackUrl:i,redirectAuthCodeChallenge:s,redirectAuthInitiator:a,oidcIdpStateId:l}=(()=>{const{executionId:e,stepId:t}=lr();(e||t)&&cr();const n=or("t")||void 0;n&&rr("t");const o=or(Ko)||void 0;o&&rr(Ko);const r=or("err")||void 0;r&&rr("err");const{redirectAuthCodeChallenge:i,redirectAuthCallbackUrl:s,redirectAuthInitiator:a}={redirectAuthCodeChallenge:or(Wo),redirectAuthCallbackUrl:or(Jo),redirectAuthInitiator:or(Ho)};(i||s||a)&&(rr(Wo),rr(Jo),rr(Ho));const l=or(Bo);return l&&rr(Bo),{executionId:e,stepId:t,token:n,code:o,exchangeError:r,redirectAuthCodeChallenge:i,redirectAuthCallbackUrl:s,redirectAuthInitiator:a,oidcIdpStateId:l}})();window.addEventListener("popstate",h(this,Ar,"f").popstate),window.addEventListener("visibilitychange",h(this,Ar,"f").visibilitychange),h(this,Or,"f").subscribe(h(this,jr,"m",$r).bind(this)),h(this,Cr,"f").subscribe(h(this,jr,"m",Hr).bind(this)),h(this,Or,"f").update({projectId:this.projectId,flowId:this.flowId,baseUrl:this.baseUrl,tenant:this.tenant,redirectUrl:this.redirectUrl,stepId:t,executionId:e,token:n,code:o,exchangeError:r,telemetryKey:this.telemetryKey,redirectAuthCallbackUrl:i,redirectAuthCodeChallenge:s,redirectAuthInitiator:a,oidcIdpStateId:l}),h(this,Cr,"f").update({isDebug:this.debug}),p(this,Sr,!0,"f")}}))}disconnectedCallback(){h(this,Or,"f").unsubscribeAll(),h(this,Cr,"f").unsubscribeAll(),h(this,jr,"m",Jr).call(this),window.removeEventListener("popstate",h(this,Ar,"f").popstate)}attributeChangedCallback(e,t,n){if(this.shadowRoot.isConnected&&h(this,Sr,"f")&&t!==n&&ci.observedAttributes.includes(e)){h(this,jr,"m",Tr).call(this);const o=null===t;h(this,Or,"f").update((({stepId:t,executionId:r})=>{let i=t,s=r;return o||(s=null,i=null,cr()),{[dr(e)]:n,stepId:i,executionId:s}})),h(this,Cr,"f").update({isDebug:this.debug})}}}Sr=new WeakMap,Or=new WeakMap,Cr=new WeakMap,Er=new WeakMap,Ar=new WeakMap,Ur=new WeakMap,Dr=new WeakMap,jr=new WeakSet,_r=function(){this.attachShadow({mode:"open"}),this.shadowRoot.appendChild(xr.content.cloneNode(!0)),this.rootElement=this.shadowRoot.querySelector("#wc-root")},Rr=function(){const e=/Chrome/.test(navigator.userAgent)&&/Google Inc/.test(navigator.vendor);return!this.shadowRoot.host.closest("form")&&e},Pr=function(){const e=this.shadowRoot.host,t=document.createElement("form");e.parentElement.appendChild(t),t.appendChild(e)},Tr=function(){const e=["base-url","tenant","theme","debug","telemetryKey","redirect-url","auto-focus"];if(ci.observedAttributes.forEach((t=>{if(!e.includes(t)&&!this[dr(t)])throw Error(`${t} cannot be empty`)})),this.theme&&"light"!==this.theme&&"dark"!==this.theme)throw Error('Supported theme values are "light", "dark", or leave empty for using the OS theme')},Lr=function(){const{stepId:e,executionId:t}=lr();h(this,Or,"f").update({stepId:e,executionId:t})},Mr=function(){document.hidden||setTimeout((()=>{h(this,Or,"f").update({deferredRedirect:!1})}),300)},qr=function(e,t,n){const o=n||void 0,r=!!o;this.sdk=Oo(Object.assign(Object.assign({persistTokens:!0},ci.sdkConfigOverrides),{projectId:e,baseUrl:t,fpKey:o,fpLoad:r})),["start","next"].forEach((e=>{const t=this.sdk.flow[e];this.sdk.flow[e]=(...e)=>u(this,void 0,void 0,(function*(){this.nextRequestStatus.update({isLoading:!0});try{return yield t(...e)}finally{this.nextRequestStatus.update({isLoading:!1})}}))}))},$r=function(e,t,n){return u(this,void 0,void 0,(function*(){const{projectId:t,baseUrl:o,telemetryKey:r}=e;if(n("projectId")||n("baseUrl")||n("telemetryKey")){if(!t)return;h(this,jr,"m",qr).call(this,t,o,r)}h(this,Ur,"f").call(this,e)}))},Fr=function(){var e,t,n,o;return u(this,void 0,void 0,(function*(){const{projectConfig:r}=yield h(this,Dr,"f").call(this);null===(o=null===(n=null===(t=null===(e=null==r?void 0:r.cssTemplate)||void 0===e?void 0:e[this.theme])||void 0===t?void 0:t.typography)||void 0===n?void 0:n.fontFamilies)||void 0===o||o.forEach((e=>(e=>{if(!e)return;const t=document.createElement("link");t.href=e,t.rel="stylesheet",document.head.appendChild(t)})(e.url)))}))},Nr=function(){h(this,jr,"m",Kr).call(this),h(this,jr,"m",Wr).call(this)},Kr=function(){return u(this,void 0,void 0,(function*(){const e=document.createElement("style"),t=sr(this.projectId,"theme.css");try{const{body:n}=yield ir(t,"text");e.innerText=n}catch(e){this.logger.error("Cannot fetch theme file","make sure that your projectId & flowId are correct")}this.shadowRoot.appendChild(e)}))},Wr=function(){this.rootElement.setAttribute("data-theme",this.theme)},Jr=function(){var e;null===(e=h(this,Er,"f"))||void 0===e||e.remove(),p(this,Er,null,"f")},Hr=function({isDebug:e}){return u(this,void 0,void 0,(function*(){e?(yield Promise.resolve().then((function(){return Si})),p(this,Er,document.createElement("descope-debugger"),"f"),Object.assign(h(this,Er,"f").style,{position:"fixed",top:"0",right:"0",height:"100vh",width:"100vw",pointerEvents:"none",zIndex:99999}),document.body.appendChild(h(this,Er,"f"))):h(this,jr,"m",Jr).call(this)}))},zr=function(e,t){var n;e&&this.debug&&(null===(n=h(this,Er,"f"))||void 0===n||n.updateData({title:e,description:t}))},Vr=function(){this.rootElement.onkeydown=e=>{if("Enter"!==e.key)return;e.preventDefault();const t=this.rootElement.querySelectorAll("button");if(1===t.length)return void t[0].click();const n=Array.from(t).filter((e=>"button"===e.getAttribute("data-type")));1===n.length&&n[0].click()}},ci.sdkConfigOverrides={baseHeaders:{"x-descope-sdk-name":"web-component","x-descope-sdk-version":"2.4.0"}};class di extends ci{static set sdkConfigOverrides(e){ci.sdkConfigOverrides=e}constructor(){const e=new wr;super(e.update.bind(e)),Br.add(this),this.stepState=new wr({},{updateOnlyOnChange:!1}),Gr.set(this,void 0),Yr.set(this,null),Zr.set(this,(()=>{clearInterval(h(this,Gr,"f")),p(this,Gr,null,"f")})),Xr.set(this,(e=>{var t,n,o,r,i,s,a,l,c;if(!(null==e?void 0:e.ok)){h(this,Zr,"f").call(this),h(this,Br,"m",li).call(this,"error",null==e?void 0:e.error);const s=null===(t=null==e?void 0:e.response)||void 0===t?void 0:t.url,a=`${null===(n=null==e?void 0:e.response)||void 0===n?void 0:n.status} - ${null===(o=null==e?void 0:e.response)||void 0===o?void 0:o.statusText}`;return void this.logger.error((null===(r=null==e?void 0:e.error)||void 0===r?void 0:r.errorDescription)||s,(null===(i=null==e?void 0:e.error)||void 0===i?void 0:i.errorMessage)||a)}const d=null===(l=null===(a=null===(s=e.data)||void 0===s?void 0:s.screen)||void 0===a?void 0:a.state)||void 0===l?void 0:l.errorText;d&&this.logger.error(d),(null===(c=e.data)||void 0===c?void 0:c.error)&&this.logger.error(`[${e.data.error.code}]: ${e.data.error.description}`,e.data.error.message);const{status:u,authInfo:p,lastAuth:f}=e.data;if("completed"===u)return function(e){(null==e?void 0:e.authMethod)&&Do&&localStorage.setItem(Vo,JSON.stringify(e))}(f),h(this,Zr,"f").call(this),void h(this,Br,"m",li).call(this,"success",p);const{executionId:g,stepId:v,action:m,screen:b,redirect:w,webauthn:y}=e.data;m!==Yo?this.flowState.update({stepId:v,executionId:g,action:m,redirectTo:null==w?void 0:w.url,screenId:null==b?void 0:b.id,screenState:null==b?void 0:b.state,webauthnTransactionId:null==y?void 0:y.transactionId,webauthnOptions:null==y?void 0:y.options}):this.flowState.update({action:m})})),Qr.set(this,ur((()=>u(this,void 0,void 0,(function*(){var e;try{const t=yield this.sdk.webauthn.signIn.start("",window.location.origin);return t.ok||this.logger.error("Webauthn start failed",null===(e=null==t?void 0:t.error)||void 0===e?void 0:e.errorMessage),t.data}catch(e){this.logger.error("Webauthn start failed",e.message)}}))))),this.flowState=e}connectedCallback(){const e=Object.create(null,{connectedCallback:{get:()=>super.connectedCallback}});var t,n;return u(this,void 0,void 0,(function*(){this.shadowRoot.isConnected&&(null===(t=this.flowState)||void 0===t||t.subscribe(this.onFlowChange.bind(this)),null===(n=this.stepState)||void 0===n||n.subscribe(this.onStepChange.bind(this))),yield e.connectedCallback.call(this)}))}disconnectedCallback(){super.disconnectedCallback(),this.flowState.unsubscribeAll(),this.stepState.unsubscribeAll()}onFlowChange(e,t,n){var o,r;return u(this,void 0,void 0,(function*(){const{projectId:i,flowId:s,tenant:a,stepId:l,executionId:c,action:d,screenId:f,screenState:g,redirectTo:v,redirectUrl:m,token:b,code:w,exchangeError:y,webauthnTransactionId:k,webauthnOptions:I,redirectAuthCodeChallenge:x,redirectAuthCallbackUrl:j,redirectAuthInitiator:S,oidcIdpStateId:O}=e;let C,E;h(this,Gr,"f")&&h(this,Zr,"f").call(this);const A=this.sdk.getLastUserLoginId(),U=yield this.getFlowConfig(),_=j&&x?{callbackUrl:j,codeChallenge:x}:void 0;if(!c&&(U.conditions?({startScreenId:C,conditionInteractionId:E}=((e,t)=>{const n=null==t?void 0:t.find((({key:t,operator:n})=>{var o;if("ELSE"===t)return!0;const r=null===(o=Ir[t])||void 0===o?void 0:o[n];return!!(null==r?void 0:r(e))}));return n?{startScreenId:n.met.screenId,conditionInteractionId:n.met.interactionId}:{}})({loginId:A,code:w},U.conditions)):U.condition?({startScreenId:C,conditionInteractionId:E}=((e,t)=>{var n;const o=null===(n=Ir[null==e?void 0:e.key])||void 0===n?void 0:n[e.operator];if(!o)return{};const r=o(t)?e.met:e.unmet;return{startScreenId:null==r?void 0:r.screenId,conditionInteractionId:null==r?void 0:r.interactionId}})(U.condition,{loginId:A,code:w})):C=U.startScreenId,!pr(C,O))){const e=w?{exchangeCode:w,idpInitiated:!0}:void 0,t=yield this.sdk.flow.start(s,Object.assign({tenant:a,redirectAuth:_,oidcIdpStateId:O},m&&{redirectUrl:m}),E,"",e,U.version);return h(this,Xr,"f").call(this,t),void("completed"!==(null===(o=null==t?void 0:t.data)||void 0===o?void 0:o.status)&&this.flowState.update({code:void 0}))}if(c&&(n("token")&&b||n("code")&&w||n("exchangeError")&&y)){const e=yield this.sdk.flow.next(c,l,Xo,{token:b,exchangeCode:w,exchangeError:y},U.version);return h(this,Xr,"f").call(this,e),void this.flowState.update({token:void 0,code:void 0,exchangeError:void 0})}if("redirect"===d&&(n("redirectTo")||n("deferredRedirect")))return v?"android"===S&&document.hidden?void this.flowState.update({deferredRedirect:!0}):void window.location.assign(v):void this.logger.error("Did not get redirect url");if(d===Zo||"webauthnGet"===d){if(!k||!I)return void this.logger.error("Did not get webauthn transaction id or options");let e,t;null===(r=h(this,Yr,"f"))||void 0===r||r.abort(),p(this,Yr,null,"f");try{e=d===Zo?yield this.sdk.webauthn.helpers.create(I):yield this.sdk.webauthn.helpers.get(I)}catch(e){if("NotAllowedError"!==e.name)return void this.logger.error(e.message);t=!0}const n=yield this.sdk.flow.next(c,l,Xo,{transactionId:k,response:e,cancelWebauthn:t},U.version);h(this,Xr,"f").call(this,n)}if(d===Yo&&p(this,Gr,setInterval((()=>u(this,void 0,void 0,(function*(){const e=yield this.sdk.flow.next(c,l,Qo,{},U.version);h(this,Xr,"f").call(this,e)}))),2e3),"f"),!f&&!C)return void this.logger.info("Refreshing the page during a flow is not supported yet");const R={direction:ar(+l,+t.stepId),screenState:Object.assign(Object.assign({},g),{lastAuth:{loginId:A,name:this.sdk.getLastUserDisplayName()||A}}),htmlUrl:sr(i,`${C||f}.html`)},P=function(e){const t={};if(e)try{Object.assign(t,JSON.parse(localStorage.getItem(Vo)))}catch(e){}return t}(A);pr(C,O)?R.next=(e,t)=>this.sdk.flow.start(s,Object.assign({tenant:a,redirectAuth:_,oidcIdpStateId:O,lastAuth:P},m&&{redirectUrl:m}),E,e,Object.assign(Object.assign({},t),w&&{exchangeCode:w,idpInitiated:!0}),U.version):(n("projectId")||n("baseUrl")||n("executionId")||n("stepId"))&&(R.next=(...e)=>this.sdk.flow.next(c,l,...e)),this.stepState.update(R)}))}onStepChange(e,t){var n;return u(this,void 0,void 0,(function*(){const{htmlUrl:o,direction:r,next:i,screenState:s}=e,a=document.createElement("template"),{body:l}=yield ir(o,"text");a.innerHTML=l;const c=a.content.cloneNode(!0),d=((e,t)=>{var n;const o=Array.from(e.querySelectorAll("script[data-id]")).map((n=>{var o;const r=n.getAttribute("data-id"),i=null===(o=e.getElementById(r))||void 0===o?void 0:o.innerHTML,s=Function(i).bind(n.previousSibling,t);return n.remove(),s}));return null===(n=e.querySelector("scripts"))||void 0===n||n.remove(),o})(c,yield this.getExecutionContext());this.sdk.webauthn.helpers.isSupported()?yield h(this,Br,"m",ti).call(this,c,i):c.querySelectorAll(`button[${Go}="biometrics"]`).forEach((e=>e.setAttribute("disabled","true"))),yr(c,s),((e,t)=>{var n;t&&(null===(n=null==e?void 0:e.style)||void 0===n||n.setProperty("--totp-image",`url(data:image/jpg;base64,${t})`))})(c.querySelector("div"),null===(n=null==s?void 0:s.totp)||void 0===n?void 0:n.image);const p=()=>u(this,void 0,void 0,(function*(){try{d.forEach((e=>{e()}))}catch(e){this.logger.error(e.message)}this.rootElement.replaceChildren(c);const e=!t.htmlUrl;if(((e,t,n)=>{if(!0===t||"skipFirstScreen"===t&&!n){const t=e.querySelector('input:not([aria-hidden="true"])');null==t||t.focus()}})(this.rootElement,this.autoFocus,e),h(this,Br,"m",si).call(this,i),h(this,Br,"m",li).call(this,"page-updated",{}),this.rootElement.querySelector(`[${Go}="polling"]`)){const e=yield i(Qo,{});h(this,Xr,"f").call(this,e)}}));r?h(this,Br,"m",ai).call(this,p,r):p()}))}}Gr=new WeakMap,Yr=new WeakMap,Zr=new WeakMap,Xr=new WeakMap,Qr=new WeakMap,Br=new WeakSet,ei=function(e){const t=e.name;if(!["email"].includes(t)){const n=`user-${t}`;e.name=n,e.addEventListener("input",(()=>{e.name=e.value?t:n}))}},ti=function(e,t){var n;return u(this,void 0,void 0,(function*(){null===(n=h(this,Yr,"f"))||void 0===n||n.abort();const o=e.querySelector('input[autocomplete="webauthn"]');if(o&&(yield kr())){const{options:e,transactionId:n}=(yield h(this,Qr,"f").call(this))||{};e&&n&&(h(this,Br,"m",ei).call(this,o),p(this,Yr,new AbortController,"f"),this.sdk.webauthn.helpers.conditional(e,h(this,Yr,"f")).then((e=>u(this,void 0,void 0,(function*(){const r=yield t(o.id,{transactionId:n,response:e});h(this,Xr,"f").call(this,r)})))).catch((e=>{"AbortError"!==e.name&&this.logger.error("Conditional login failed",e.message)})))}}))},ni=function(){return Array.from(this.shadowRoot.querySelectorAll(".descope-input")).every((e=>(e.reportValidity(),e.checkValidity())))},oi=function(){return Array.from(this.shadowRoot.querySelectorAll(`*[name]:not([${zo}])`)).reduce(((e,t)=>t.name?Object.assign(e,{[t.name]:t["checkbox"===t.type?"checked":"value"]}):e),{})},ri=function(e){const t=this.nextRequestStatus.subscribe((({isLoading:n})=>{var o,r;n?null===(o=null==e?void 0:e.classList)||void 0===o||o.add("loading"):(this.nextRequestStatus.unsubscribe(t),null===(r=null==e?void 0:e.classList)||void 0===r||r.remove("loading"))}))},ii=function(e,t){return u(this,void 0,void 0,(function*(){if(e.formNoValidate||h(this,Br,"m",ni).call(this)){const o=null==e?void 0:e.getAttribute("id");h(this,Br,"m",ri).call(this,e);const r=h(this,Br,"m",oi).call(this),i=(n=e,Array.from((null==n?void 0:n.attributes)||[]).reduce(((e,t)=>{var n;const o=null===(n=new RegExp("^data-descope-(\\S+)$").exec(t.name))||void 0===n?void 0:n[1];return o?Object.assign(e,{[o]:t.value}):e}),{})),s=Object.assign(Object.assign(Object.assign({},i),r),{origin:window.location.origin}),a=yield t(o,s);h(this,Xr,"f").call(this,a)}var n}))},si=function(e){this.rootElement.querySelectorAll("button").forEach((t=>{t.onclick=()=>{h(this,Br,"m",ii).call(this,t,e)}}))},ai=function(e,t){this.rootElement.addEventListener("transitionend",(()=>{this.rootElement.classList.remove("fade-out"),e()}),{once:!0});const n=t===er.forward?"slide-forward":"slide-backward";Array.from(this.rootElement.getElementsByClassName("input-container")).forEach(((e,t)=>{e.style["transition-delay"]=40*t+"ms",e.classList.add(n)})),this.rootElement.classList.add("fade-out")},li=function(e,t){this.dispatchEvent(new CustomEvent(e,{detail:t}))},customElements.define("descope-wc",di);var ui=Object.freeze({__proto__:null,default:di});const hi=(e,t,n,o={})=>{var r,i,s,a;return[Math.min(Math.max(t,("all"===o.left?e.offsetWidth:null!==(r=o.left)&&void 0!==r?r:0)-e.offsetWidth),window.innerWidth-("all"===o.right?e.offsetWidth:null!==(i=o.right)&&void 0!==i?i:0)),Math.min(Math.max(n,("all"===o.top?e.offsetHeight:null!==(s=o.top)&&void 0!==s?s:0)-e.offsetHeight),window.innerHeight-("all"===o.bottom?e.offsetHeight:null!==(a=o.bottom)&&void 0!==a?a:0))]};var pi,fi,gi,vi,mi,bi,wi,yi,ki,Ii;const xi=document.createElement("template");xi.innerHTML=`\n<style>\n .debugger {\n width: 300px;\n height: 200px;\n background-color: #FAFAFA;\n position: fixed;\n font-family: "Helvetica Neue", sans-serif;\n box-shadow: rgba(0, 0, 0, 0.1) 0px 5px 10px;\n border-radius: 8px;\n overflow: hidden;\n border: 1px solid lightgrey;\n pointer-events: initial;\n display: flex;\n flex-direction: column;\n min-width: 200px;\n max-width: 600px;\n max-height: calc(100% - 64px);\n min-height: 200px;\n resize: both;\n }\n\n .header {\n padding: 8px 16px;\n display: flex;\n align-items: center;\n background-color: #EEEEEE;\n cursor: move;\n border-bottom: 1px solid #e0e0e0;\n }\n\n .content {\n font-size: 14px;\n flex-grow: 1;\n overflow: auto;\n }\n\n .msg {\n border-bottom: 1px solid lightgrey; \n padding: 8px 16px;\n display: flex;\n gap: 5px;\n background-color: #FAFAFA;\n }\n\n .msg.collapsible {\n cursor: pointer;\n }\n\n .empty-state {\n padding: 8px 16px;\n background-color: #FAFAFA;\n }\n \n\n .msg.collapsible:not(.collapsed) {\n background-color: #F5F5F5;\n }\n\n .msg_title {\n padding-bottom: 5px;\n display: flex;\n gap: 8px;\n font-weight: 500;\n }\n\n .msg svg {\n padding: 1px;\n flex-shrink: 0;\n margin-top: -2px;\n }\n\n .msg_content {\n overflow: hidden;\n flex-grow: 1;\n margin-right:5px;\n } \n\n .msg_desc {\n color: #646464;\n cursor: initial;\n } \n\n .msg.collapsed .msg_desc {\n overflow: hidden;\n text-overflow: ellipsis;\n white-space: nowrap;\n }\n\n .msg.collapsible.collapsed .chevron {\n transform: rotate(-45deg) translateX(-2px);\n }\n\n .msg.collapsible .chevron {\n content: "";\n width:6px;\n height:6px;\n border-bottom: 2px solid grey;\n border-right: 2px solid grey;\n transform: rotate(45deg) translateX(-1px);\n margin: 5px;\n flex-shrink:0;\n }\n</style>\n\n<div style="top:32px; left:${window.innerWidth-300-32}px;" class="debugger">\n <div class="header">\n <span>Debugger messages</span>\n </div>\n <div class="content">\n <div class="empty-state">\n No errors detected 👀\n </div>\n </div>\n</div>\n`;class ji extends HTMLElement{constructor(){super(),pi.add(this),fi.set(this,new wr({messages:[]})),gi.set(this,void 0),vi.set(this,void 0),mi.set(this,void 0),bi.set(this,{resize:h(this,pi,"m",Ii).bind(this)}),this.attachShadow({mode:"open"}),this.shadowRoot.appendChild(xi.content.cloneNode(!0)),p(this,gi,this.shadowRoot.querySelector(".debugger"),"f"),p(this,vi,h(this,gi,"f").querySelector(".content"),"f"),p(this,mi,h(this,gi,"f").querySelector(".header"),"f")}updateData(e){h(this,fi,"f").update((t=>({messages:t.messages.concat(e)})))}connectedCallback(){var e;((e,t,n)=>{let o=0,r=0,i=0,s=0;function a(t){t.preventDefault(),o=i-t.clientX,r=s-t.clientY,i=t.clientX,s=t.clientY;const[a,l]=hi(e,e.offsetLeft-o,e.offsetTop-r,n);e.style.top=`${l}px`,e.style.left=`${a}px`}function l(){document.onmouseup=null,document.onmousemove=null}function c(e){e.preventDefault(),i=e.clientX,s=e.clientY,document.onmouseup=l,document.onmousemove=a}t?t.onmousedown=c:e.onmousedown=c})(h(this,gi,"f"),h(this,mi,"f"),{top:"all",bottom:100,left:100,right:100}),window.addEventListener("resize",h(this,bi,"f").resize),(e=h(this,gi,"f")).onmousemove=t=>{(t.target.w&&t.target.w!==t.target.offsetWidth||t.target.h&&t.target.h!==t.target.offsetHeight)&&e.onresize(t),t.target.w=t.target.offsetWidth,t.target.h=t.target.offsetHeight},h(this,gi,"f").onresize=h(this,pi,"m",ki).bind(this),h(this,fi,"f").subscribe(h(this,pi,"m",wi).bind(this))}disconnectedCallback(){h(this,fi,"f").unsubscribeAll(),window.removeEventListener("resize",h(this,bi,"f").resize)}}fi=new WeakMap,gi=new WeakMap,vi=new WeakMap,mi=new WeakMap,bi=new WeakMap,pi=new WeakSet,wi=function(e){h(this,pi,"m",yi).call(this,e),h(this,pi,"m",ki).call(this)},yi=function(e){h(this,vi,"f").innerHTML=e.messages.map((e=>`\n <div class="msg">\n <svg width="18" height="18" viewBox="0 0 18 18" fill="none" xmlns="http://www.w3.org/2000/svg">\n<path d="M5.99984 13.167L8.99984 10.167L11.9998 13.167L13.1665 12.0003L10.1665 9.00033L13.1665 6.00033L11.9998 4.83366L8.99984 7.83366L5.99984 4.83366L4.83317 6.00033L7.83317 9.00033L4.83317 12.0003L5.99984 13.167ZM8.99984 17.3337C7.84706 17.3337 6.76373 17.1148 5.74984 16.677C4.73595 16.2398 3.854 15.6462 3.104 14.8962C2.354 14.1462 1.76039 13.2642 1.32317 12.2503C0.885393 11.2364 0.666504 10.1531 0.666504 9.00033C0.666504 7.84755 0.885393 6.76421 1.32317 5.75033C1.76039 4.73644 2.354 3.85449 3.104 3.10449C3.854 2.35449 4.73595 1.7606 5.74984 1.32283C6.76373 0.885603 7.84706 0.666992 8.99984 0.666992C10.1526 0.666992 11.2359 0.885603 12.2498 1.32283C13.2637 1.7606 14.1457 2.35449 14.8957 3.10449C15.6457 3.85449 16.2393 4.73644 16.6765 5.75033C17.1143 6.76421 17.3332 7.84755 17.3332 9.00033C17.3332 10.1531 17.1143 11.2364 16.6765 12.2503C16.2393 13.2642 15.6457 14.1462 14.8957 14.8962C14.1457 15.6462 13.2637 16.2398 12.2498 16.677C11.2359 17.1148 10.1526 17.3337 8.99984 17.3337ZM8.99984 15.667C10.8609 15.667 12.4373 15.0212 13.729 13.7295C15.0207 12.4378 15.6665 10.8614 15.6665 9.00033C15.6665 7.13921 15.0207 5.56283 13.729 4.27116C12.4373 2.97949 10.8609 2.33366 8.99984 2.33366C7.13873 2.33366 5.56234 2.97949 4.27067 4.27116C2.979 5.56283 2.33317 7.13921 2.33317 9.00033C2.33317 10.8614 2.979 12.4378 4.27067 13.7295C5.56234 15.0212 7.13873 15.667 8.99984 15.667Z" fill="#ED404A"/>\n</svg>\n\n <div class="msg_content">\n <div class="msg_title">\n ${e.title}\n </div>\n <div class="msg_desc">\n ${e.description}\n </div>\n </div>\n <div class="chevron"></div>\n </div>\n `)).join("")},ki=function(){h(this,vi,"f").querySelectorAll(".msg").forEach((e=>{const t=e.querySelector(".msg_desc"),n=t.scrollWidth>t.clientWidth,o=t.clientHeight>20;n||o?(e.classList.add("collapsible"),e.onclick=t=>{t.target.classList.contains("msg_desc")||e.classList.toggle("collapsed")}):(e.classList.remove("collapsible"),e.onclick=null)}))},Ii=function(){const[e,t]=hi(h(this,gi,"f"),Number.parseInt(h(this,gi,"f").style.left,10),Number.parseInt(h(this,gi,"f").style.top,10),{top:"all",bottom:100,left:100,right:100});h(this,gi,"f").style.top=`${t}px`,h(this,gi,"f").style.left=`${e}px`},customElements.define("descope-debugger",ji);var Si=Object.freeze({__proto__:null,default:ji});e.AuthProvider=Po,e.Descope=Lo,e.SignInFlow=e=>o.default.createElement(Lo,{...e,flowId:"sign-in"}),e.SignUpFlow=e=>o.default.createElement(Lo,{...e,flowId:"sign-up"}),e.SignUpOrInFlow=e=>o.default.createElement(Lo,{...e,flowId:"sign-up-or-in"}),e.getJwtPermissions=_o,e.getJwtRoles=Ro,e.getRefreshToken=Uo,e.getSessionToken=Ao,e.refresh=(e=Uo())=>Co?.refresh(e),e.useDescope=()=>{const{sdk:e}=Mo();return t.useMemo((()=>e||new Proxy(Eo({projectId:"dummy"}),$o)),[e])},e.useSession=()=>{const{session:e,isSessionLoading:n,fetchSession:o}=Mo(),r=t.useRef(n);return t.useMemo((()=>{r.current=n}),[n]),t.useMemo((()=>{e||n||(r.current=!0)}),[o]),t.useEffect((()=>{e||n||o()}),[o]),{isSessionLoading:r.current,sessionToken:e,isAuthenticated:!!e}},e.useUser=()=>{const{user:e,fetchUser:n,isUserLoading:o,session:r}=Mo(),[i,s]=t.useState(!1),a=t.useRef(o),l=t.useMemo((()=>!e&&!o&&r&&!i),[n,r,i]);return t.useMemo((()=>{a.current=o}),[o]),t.useMemo((()=>{l&&(a.current=!0)}),[l]),t.useEffect((()=>{l&&(s(!0),n())}),[l]),{isUserLoading:a.current,user:e}},Object.defineProperty(e,"__esModule",{value:!0})}));
4
+ //# sourceMappingURL=index.umd.js.map