@plasmicapp/data-sources 0.1.117 → 0.1.119
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.
- package/dist/data-sources.cjs.development.js +60 -58
- package/dist/data-sources.cjs.development.js.map +1 -1
- package/dist/data-sources.cjs.production.min.js +1 -1
- package/dist/data-sources.cjs.production.min.js.map +1 -1
- package/dist/data-sources.esm.js +60 -58
- package/dist/data-sources.esm.js.map +1 -1
- package/dist/hooks/usePlasmicDataOp.d.ts +1 -0
- package/package.json +5 -5
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"file":"data-sources.cjs.production.min.js","sources":["../src/executor.tsx","../src/hooks/usePlasmicDataOp.tsx","../src/utils.ts","../src/helpers.ts","../src/components/Fetcher.tsx","../src/hooks/useDependencyAwareQuery.tsx"],"sourcesContent":["import { PlasmicDataSourceContextValue } from '@plasmicapp/data-sources-context';\nimport fetch from '@plasmicapp/isomorphic-unfetch';\nimport { wrapLoadingFetcher } from '@plasmicapp/query';\nimport stringify from 'fast-stringify';\nimport { ManyRowsResult, Pagination, SingleRowResult } from './types';\n\nconst DEFAULT_HOST = 'https://data.plasmic.app';\n\nexport interface DataOp {\n sourceId: string;\n opId: string;\n userArgs?: Record<string, any>;\n cacheKey?: string;\n invalidatedKeys?: string[] | null;\n roleId?: string | null;\n}\n\ninterface ExecuteOpts {\n userAuthToken?: string;\n user?: PlasmicDataSourceContextValue['user'];\n paginate?: Pagination;\n}\n\nconst UNAUTHORIZED_MESSAGE =\n 'You do not have permission to perform this operation. Login to get access or contact the app owner to get access.';\n\nexport async function executePlasmicDataOp<\n T extends SingleRowResult | ManyRowsResult\n>(op: DataOp, opts?: ExecuteOpts) {\n const func = getConfig(\n '__PLASMIC_EXECUTE_DATA_OP',\n _executePlasmicDataOp\n ) as typeof _executePlasmicDataOp;\n const res = await wrapLoadingFetcher(func)(op, opts);\n return res as T;\n}\n\nasync function _executePlasmicDataOp<\n T extends SingleRowResult | ManyRowsResult\n>(op: DataOp, opts?: ExecuteOpts) {\n if (op.roleId) {\n if (!opts?.user || !opts.user.roleIds.includes(op.roleId)) {\n console.error(UNAUTHORIZED_MESSAGE);\n throw new Error(UNAUTHORIZED_MESSAGE);\n }\n }\n\n const host = getConfig('__PLASMIC_DATA_HOST', DEFAULT_HOST);\n\n const url = `${host}/api/v1/server-data/sources/${op.sourceId}/execute`;\n const resp = await fetch(url, {\n method: 'POST',\n headers: {\n 'Content-Type': 'application/json',\n ...(opts?.userAuthToken && {\n 'x-plasmic-data-user-auth-token': opts.userAuthToken,\n }),\n },\n body: stringify({\n opId: op.opId,\n userArgs: op.userArgs ?? {},\n paginate: opts?.paginate,\n }),\n });\n if (resp.status !== 200) {\n const text = await resp.text();\n throw new Error(text);\n }\n return (await resp.json()) as T;\n}\n\nfunction getConfig<T>(key: string, defaultValue: T) {\n if (typeof globalThis === 'undefined') {\n return defaultValue;\n } else {\n return (globalThis as any)[key] ?? defaultValue;\n }\n}\n","import { usePlasmicDataSourceContext } from '@plasmicapp/data-sources-context';\n// eslint-disable-next-line no-restricted-imports\nimport * as ph from '@plasmicapp/host';\nimport {\n useMutablePlasmicQueryData,\n usePlasmicDataConfig,\n} from '@plasmicapp/query';\nimport React from 'react';\nimport { DataOp, executePlasmicDataOp } from '../executor';\nimport { ManyRowsResult, Pagination, SingleRowResult } from '../types';\nimport { pick } from '../utils';\n\nexport function makeCacheKey(\n dataOp: DataOp,\n opts?: { paginate?: Pagination; userAuthToken?: string | null }\n) {\n const queryDependencies = JSON.stringify({\n sourceId: dataOp.sourceId,\n opId: dataOp.opId,\n args: dataOp.userArgs,\n userAuthToken: opts?.userAuthToken,\n paginate: opts?.paginate,\n });\n return dataOp.cacheKey\n ? `${dataOp.cacheKey}${queryDependencies}`\n : queryDependencies;\n}\n\nconst enableLoadingBoundaryKey = 'plasmicInternalEnableLoadingBoundary';\n\nfunction mkUndefinedDataProxy(\n promiseRef: { fetchingPromise: Promise<any> | undefined },\n fetchAndUpdateCache: (() => Promise<any>) | undefined\n) {\n return new Proxy(\n {},\n {\n get: (_target, prop) => {\n if (prop === 'isPlasmicUndefinedDataProxy') {\n return true;\n }\n\n if (!fetchAndUpdateCache) {\n // There's no key so no fetch to kick off yet; when computing key,\n // we encountered some thrown exception (that's not an undefined data promise),\n // and so we can't fetch yet. This might be dependent on a $state or $prop value\n // that's currently undefined, etc. We will act like an undefined data object,\n // and trigger the usual fallback behavior\n return undefined;\n }\n\n const promise =\n // existing fetch\n promiseRef.fetchingPromise ||\n // No existing fetch, so kick off a fetch\n fetchAndUpdateCache();\n (promise as any).plasmicType = 'PlasmicUndefinedDataError';\n (promise as any).message = `Cannot read property ${String(\n prop\n )} - data is still loading`;\n throw promise;\n },\n }\n ) as any;\n}\n\ninterface PlasmicUndefinedDataErrorPromise extends Promise<any> {\n plasmicType: 'PlasmicUndefinedDataError';\n message: string;\n}\n\nfunction isPlasmicUndefinedDataErrorPromise(\n x: any\n): x is PlasmicUndefinedDataErrorPromise {\n return (\n !!x &&\n typeof x === 'object' &&\n (x as any).plasmicType === 'PlasmicUndefinedDataError'\n );\n}\n\nconst reactMajorVersion = +React.version.split('.')[0];\n\ntype ResolvableDataOp =\n | DataOp\n | undefined\n | null\n | (() => DataOp | undefined | null);\n\n/**\n * This returns either:\n * * DataOp to perform\n * * undefined/null, if no data op can be performed\n * * PlasmicUndefinedDataErrorPromise, if when trying to evaluate the DataOp to perform,\n * we encounter a PlasmicUndefinedDataErrorPromise, so this operation cannot be\n * performed until that promise is resolved.\n */\nfunction resolveDataOp(dataOp: ResolvableDataOp) {\n if (typeof dataOp === 'function') {\n try {\n return dataOp();\n } catch (err) {\n if (isPlasmicUndefinedDataErrorPromise(err)) {\n return err;\n }\n return null;\n }\n } else {\n return dataOp;\n }\n}\n\n/**\n * Fetches can be kicked off two ways -- normally, by useSWR(), or by some\n * expression accessing the `$queries.*` proxy when not ready yet. We need\n * a global cache for proxy-invoked caches, so that different components\n * with the same key can share the same fetch.\n *\n * The life cycle for this cache is short -- only the duration of a\n * proxy-invoked fetch, and once the fetch is done. That's because we really\n * just want SWR to be managing the cache, not us! Once the data is in SWR,\n * we will use SWR for getting data.\n */\nconst PRE_FETCHES = new Map<string, Promise<any>>();\n\nexport function usePlasmicDataOp<\n T extends SingleRowResult | ManyRowsResult,\n E = any\n>(\n dataOp: ResolvableDataOp,\n opts?: {\n paginate?: Pagination;\n noUndefinedDataProxy?: boolean;\n }\n): Partial<T> & {\n error?: E;\n isLoading?: boolean;\n} {\n const resolvedDataOp = resolveDataOp(dataOp);\n const ctx = usePlasmicDataSourceContext();\n const enableLoadingBoundary = !!ph.useDataEnv?.()?.[enableLoadingBoundaryKey];\n const { mutate, cache } = usePlasmicDataConfig();\n // Cannot perform this operation\n const isNullDataOp = !resolvedDataOp;\n // This operation depends on another data query to resolve first\n const isWaitingOnDependentQuery =\n isPlasmicUndefinedDataErrorPromise(resolvedDataOp);\n const key =\n !resolvedDataOp || isPlasmicUndefinedDataErrorPromise(resolvedDataOp)\n ? null\n : makeCacheKey(resolvedDataOp, {\n paginate: opts?.paginate,\n userAuthToken: ctx?.userAuthToken,\n });\n const fetchingData = React.useMemo(\n () => ({\n fetchingPromise: undefined as Promise<T> | undefined,\n }),\n [key]\n );\n const fetcher = React.useMemo(\n () => () => {\n // If we are in this function, that means SWR cache missed.\n if (!key) {\n throw new Error(`Fetcher should never be called without a proper key`);\n }\n\n // dataOp is guaranteed to be a DataOp, and not an undefined promise or null\n\n if (fetchingData.fetchingPromise) {\n // Fetch is already underway from this hook\n return fetchingData.fetchingPromise;\n }\n\n if (key && PRE_FETCHES.has(key)) {\n // Some other usePlasmicDataOp() hook elsewhere has already\n // started this fetch as well; re-use it here.\n const existing = PRE_FETCHES.get(key) as Promise<T>;\n fetchingData.fetchingPromise = existing;\n return existing;\n }\n\n // Else we really need to kick off this fetch now...\n const fetcherFn = () =>\n executePlasmicDataOp<T>(resolvedDataOp as DataOp, {\n userAuthToken: ctx?.userAuthToken || undefined,\n user: ctx?.user,\n paginate: opts?.paginate,\n });\n const fetcherPromise = fetcherFn();\n fetchingData.fetchingPromise = fetcherPromise;\n if (key) {\n PRE_FETCHES.set(key, fetcherPromise);\n // Once we have a result, we rely on swr to perform the caching,\n // so remove from our cache as quickly as possible.\n fetcherPromise.then(\n () => {\n PRE_FETCHES.delete(key);\n },\n () => {\n PRE_FETCHES.delete(key);\n }\n );\n }\n return fetcherPromise;\n },\n [key, fetchingData]\n );\n\n const dependentKeyDataErrorPromise = isPlasmicUndefinedDataErrorPromise(\n resolvedDataOp\n )\n ? resolvedDataOp\n : undefined;\n const fetchAndUpdateCache = React.useMemo(() => {\n if (!key && !dependentKeyDataErrorPromise) {\n // If there's no key, and no data query we're waiting for, then there's\n // no way to perform a fetch\n return undefined;\n }\n return () => {\n // This function is called when the undefined data proxy is invoked.\n // USUALLY, this means the data is not available in SWR yet, and\n // we need to kick off a fetch.\n\n if (fetchingData.fetchingPromise) {\n // No need to update cache as the exist promise call site will do it\n return fetchingData.fetchingPromise;\n }\n\n if (dependentKeyDataErrorPromise) {\n // We can't actually fetch yet, because we couldn't even evaluate the dataOp\n // to fetch for, because we depend on unfetched data. Once _that_\n // dataOp we depend on is finished, then we can try again. So we\n // will throw and wait for _that_ promise to be resolved instead.\n return dependentKeyDataErrorPromise;\n }\n\n if (!key) {\n throw new Error(`Expected key to be non-null`);\n }\n\n // SOMETIMES, SWR actually _does_ have the cache, but we still end up\n // here. That's because of how we update $queries, which takes two\n // cycles; each time we render, we build a `new$Queries`, and\n // `set$Queries(new$Queries)`. So once the data is ready, at the\n // first render, we will have data in `new$Queries` but not `$queries`,\n // but we will still finish rendering that pass, which means any `$queries`\n // access will still end up here. So we look into the SWR cache and\n // return any data that's here.\n const cached = cache.get(key);\n if (cached) {\n return Promise.resolve(cached);\n }\n const cachedError = cache.get(`$swr$${key}`);\n if (cachedError) {\n return Promise.reject(cachedError.error);\n }\n\n // Now, upon this proxy.get() miss, we want to kick off the fetch. We can't\n // wait for useSWR() to kick off the fetch, because upon data miss we are\n // throwing a promise, and useSWR() won't kick off the fetch till the effect,\n // so it will never get a chance to fetch. Instead, we fetch, and then we\n // put the fetched data into the SWR cache, so that next time useSWR() is called,\n // it will just find it in the cache.\n //\n // However, we don't want to fetch SYNCHRONOUSLY RIGHT NOW, becase we are in\n // the rendering phase (presumably, we're here because some component is trying\n // to read fetched data while rendering). Doing a fetch right now would invoke\n // the fetcher, which is wrapped by @plasmicapp/query to tracking loading state,\n // and upon loading state toggled to true, it will fire loading event listeners,\n // and for example, our antd's <GlobalLoadingIndicator /> will listen to this\n // event and immediately ask antd to show the loading indicator, which mutates\n // antd component's state. It is NOT LEGAL to call setState() on some other\n // component's state during rendering phase!\n //\n // We therefore will delay kicking off the fetch by a tick, so that we will safely\n // start the fetch outside of React rendering phase.\n const fetcherPromise = new Promise((resolve, reject) => {\n setTimeout(() => {\n fetcher().then(resolve, reject);\n }, 1);\n });\n fetcherPromise\n .then((data) => {\n // Insert the fetched data into the SWR cache\n mutate(key, data);\n })\n .catch((err) => {\n // Cache the error here to avoid infinite loop\n const keyInfo = key ? '$swr$' + key : '';\n cache.set(keyInfo, { ...(cache.get(keyInfo) ?? {}), error: err });\n });\n return fetcherPromise;\n };\n }, [fetcher, fetchingData, cache, key, dependentKeyDataErrorPromise]);\n const res = useMutablePlasmicQueryData<T, E>(key, fetcher, {\n shouldRetryOnError: false,\n\n // If revalidateIfStale is true, then if there's a cache entry with a key,\n // but no mounted hook with that key yet, and when the hook mounts with the key,\n // swr will revalidate. This may be reasonable behavior, but for us, this\n // happens all the time -- we prepopulate the cache with proxy-invoked fetch,\n // sometimes before swr had a chance to run the effect. So we turn off\n // revalidateIfStale here, and just let the user manage invalidation.\n revalidateIfStale: false,\n });\n const { data, error, isLoading } = res;\n if (fetchingData.fetchingPromise != null && data !== undefined) {\n // Clear the fetching promise as the actual data is now used (so\n // revalidation is possible)\n fetchingData.fetchingPromise = undefined;\n }\n return React.useMemo(() => {\n const result = {\n ...(data ?? ({} as Partial<T>)),\n ...pick(res, 'isLoading', 'error'),\n };\n if (\n !opts?.noUndefinedDataProxy &&\n reactMajorVersion >= 18 &&\n enableLoadingBoundary &&\n (isLoading || isNullDataOp || isWaitingOnDependentQuery) &&\n result.data === undefined &&\n result.schema === undefined &&\n result.error === undefined\n ) {\n result.data = mkUndefinedDataProxy(fetchingData, fetchAndUpdateCache);\n result.schema = mkUndefinedDataProxy(fetchingData, fetchAndUpdateCache);\n }\n return result;\n }, [\n isNullDataOp,\n isWaitingOnDependentQuery,\n data,\n error,\n isLoading,\n opts?.noUndefinedDataProxy,\n enableLoadingBoundary,\n fetchingData,\n fetchAndUpdateCache,\n ]);\n}\n\nexport function usePlasmicDataMutationOp<\n T extends SingleRowResult | ManyRowsResult\n>(dataOp: ResolvableDataOp) {\n const ctx = usePlasmicDataSourceContext();\n const userToken = ctx?.userAuthToken;\n\n const getRealDataOp = React.useCallback(async () => {\n const tryGetRealDataOp = async (): Promise<DataOp | null> => {\n const resolved = resolveDataOp(dataOp);\n if (!resolved) {\n return null;\n } else if (isPlasmicUndefinedDataErrorPromise(resolved)) {\n // If calling the dataOp function resulted in a data fetch,\n // then we wait for the data fetch to finish and try\n // again\n await resolved;\n return tryGetRealDataOp();\n } else {\n return resolved;\n }\n };\n return await tryGetRealDataOp();\n }, [dataOp]);\n\n return React.useCallback(async () => {\n const { sourceId, opId, userArgs } = (await getRealDataOp()) ?? {};\n\n if (!sourceId || !opId) {\n return undefined;\n }\n\n return executePlasmicDataOp<T>(\n { sourceId, opId, userArgs },\n {\n userAuthToken: userToken || undefined,\n user: ctx?.user,\n }\n );\n }, [getRealDataOp, userToken]);\n}\n","export function swallow<T>(f: () => T): T | undefined {\n try {\n return f();\n } catch {\n return undefined;\n }\n}\n\nexport function pick<T extends object, K extends keyof T>(\n obj: T,\n ...keys: K[]\n): Pick<T, K> {\n const res: any = {};\n for (const key of keys) {\n if (key in obj) {\n res[key] = obj[key as keyof T];\n }\n }\n return res;\n}\n\ntype ReactElt = {\n children: ReactElt | ReactElt[];\n props: {\n children: ReactElt | ReactElt[];\n [prop: string]: any;\n } | null;\n type: React.ComponentType<any> | null;\n key: string | null;\n} | null;\n\nexport function traverseReactEltTree(\n children: React.ReactNode,\n callback: (elt: ReactElt) => void\n) {\n const rec = (elts: ReactElt | ReactElt[] | null) => {\n (Array.isArray(elts) ? elts : [elts]).forEach((elt) => {\n if (elt) {\n callback(elt);\n if (elt.children) {\n rec(elt.children);\n }\n if (elt.props?.children && elt.props.children !== elt.children) {\n rec(elt.props.children);\n }\n }\n });\n };\n rec(children as any);\n}\n\nexport function asArray<T>(x: T[] | T | undefined | null) {\n if (Array.isArray(x)) {\n return x;\n } else if (x == null) {\n return [];\n } else {\n return [x];\n }\n}\n\nexport function ensureNumber(x: number | string): number {\n return x as number;\n}\n\nexport function ensure<T>(x: T | null | undefined): T {\n if (x === null || x === undefined) {\n throw new Error('Expected non-null or non-undefined value');\n }\n return x;\n}\n\nexport function isOneOf<T, U extends T>(elem: T, arr: readonly U[]): elem is U {\n return arr.includes(elem as any);\n}\n\nexport function maybe<T, U>(\n x: T | undefined | null,\n f: (y: T) => U\n): U | undefined {\n if (x === undefined || x === null) return undefined;\n return f(x);\n}\n\nexport function isLikeImage(value: unknown) {\n return typeof value === 'string'\n ? value.match(/\\.(png|jpg|jpeg|gif|svg|webp|avif|ico|bmp|tiff)$/i)\n : false;\n}\n\nexport function ensureArray<T>(xs: T | T[]): T[] {\n return Array.isArray(xs) ? xs : [xs];\n}\n\nexport const tuple = <T extends any[]>(...args: T): T => args;\n\nexport interface HasId {\n id: string;\n}\n\nexport function mkIdMap<T extends HasId>(xs: ReadonlyArray<T>): Map<string, T> {\n return new Map(xs.map((x) => tuple(x.id, x) as [string, T]));\n}\n\nexport const mkShortId = () => `${Math.random()}`;\n\nexport function withoutNils<T>(xs: Array<T | undefined | null>): T[] {\n return xs.filter((x): x is T => x != null);\n}\n\nexport type Falsey = null | undefined | false | '' | 0 | 0n;\nexport type Truthy<T> = T extends Falsey ? never : T;\n\nexport function withoutFalsey<T>(xs: Array<T | Falsey>): T[] {\n return xs.filter((x): x is T => !!x);\n}\n","import {\n ManyRowsResult,\n TableFieldSchema,\n TableFieldType,\n TableSchema,\n} from './types';\nimport { mkIdMap, withoutNils } from './utils';\n\nexport type QueryResult = Partial<ManyRowsResult<any>> & {\n error?: any;\n isLoading?: boolean;\n};\n\nexport interface NormalizedData {\n data: Record<string, unknown>[];\n schema?: TableSchema;\n}\n\nexport function normalizeData(rawData: unknown): NormalizedData | undefined {\n if (!rawData) {\n return undefined;\n }\n\n const dataArray = tryGetDataArray(rawData);\n if (!dataArray) {\n return undefined;\n }\n const schema = (rawData as any).schema ?? tryGetSchema(dataArray);\n if (!schema) {\n return undefined;\n }\n return { data: dataArray, schema };\n}\n\nfunction tryGetDataArray(rawData: unknown): any[] | undefined {\n if (rawData == null || typeof rawData !== 'object') {\n return undefined;\n }\n\n if (Array.isArray(rawData)) {\n if (isArrayOfObjects(rawData)) {\n return rawData;\n } else {\n // TODO: array of primitives? Maybe we can wrap this?\n return undefined;\n }\n }\n\n if (rawData == null) {\n return undefined;\n }\n\n if ('data' in rawData && typeof (rawData as any).data === 'object') {\n if (\n Array.isArray((rawData as any).data) &&\n isArrayOfObjects((rawData as any).data)\n ) {\n return (rawData as any).data;\n } else if ((rawData as any).data != null) {\n return [(rawData as any).data];\n } else {\n return undefined;\n }\n }\n if ('isLoading' in rawData || 'error' in rawData) {\n return undefined;\n }\n\n // Maybe a singleton record?\n return [rawData];\n}\n\nfunction isArrayOfObjects(arr: unknown[]) {\n return arr.every((x) => typeof x === 'object' && !Array.isArray(x));\n}\n\nfunction tryGetSchema(data: any[]): TableSchema | undefined {\n const fieldMap: Record<string, TableFieldType> = {};\n data.forEach((entry: any) => {\n if (entry && typeof entry === 'object') {\n Array.from(Object.entries(entry)).forEach(([k, v]) => {\n const inferredType: TableFieldType =\n typeof v === 'string'\n ? 'string'\n : typeof v === 'boolean'\n ? 'boolean'\n : typeof v === 'number'\n ? 'number'\n : 'unknown';\n if (fieldMap[k] && fieldMap[k] !== inferredType) {\n fieldMap[k] = 'unknown';\n } else {\n fieldMap[k] = inferredType;\n }\n });\n }\n });\n return {\n id: 'inferred',\n fields: Object.entries(fieldMap).map(([f, t]) => ({\n id: f,\n type: t,\n readOnly: false,\n })),\n };\n}\n\nexport type BaseFieldConfig = {\n key?: string;\n fieldId?: string;\n};\n\nconst mkShortId = () => `${Math.random()}`;\n\nexport function deriveFieldConfigs<T extends BaseFieldConfig>(\n specifiedFieldsPartial: Partial<T>[],\n schema: TableSchema | undefined,\n makeDefaultConfig: (field: TableFieldSchema | undefined) => T\n): {\n mergedFields: T[];\n minimalFullLengthFields: Partial<T>[];\n} {\n const schemaFields = schema?.fields ?? [];\n const fieldById = mkIdMap(schemaFields);\n const specifiedFieldIds = new Set(\n withoutNils(specifiedFieldsPartial.map((f) => f.fieldId))\n );\n const keptSpecifiedFields = specifiedFieldsPartial.flatMap((f): T[] => {\n if (!f.fieldId) {\n return [\n { key: mkShortId(), ...makeDefaultConfig(undefined), ...f },\n ] as T[];\n }\n const field = fieldById.get(f.fieldId as string);\n\n // Drop configs with fieldIds no longer in the data.\n if (!field) {\n return [];\n }\n\n return [\n {\n key: mkShortId(),\n ...makeDefaultConfig(field),\n ...f,\n },\n ] as T[];\n });\n const newVirtualFields = schemaFields\n .filter((f) => !specifiedFieldIds.has(f.id))\n .map(\n (f): T => ({\n key: mkShortId(),\n ...makeDefaultConfig(f),\n })\n );\n const mergedFields = [...keptSpecifiedFields, ...newVirtualFields];\n const minimalFullLengthFields: Partial<T>[] = [\n ...specifiedFieldsPartial,\n ...newVirtualFields.map((f) => ({ key: f.key, fieldId: f.fieldId })),\n ] as Partial<T>[];\n return { mergedFields, minimalFullLengthFields };\n}\n","import { ComponentMeta } from '@plasmicapp/host';\nimport React from 'react';\nimport { DataOp } from '../executor';\nimport { usePlasmicDataOp } from '../hooks/usePlasmicDataOp';\n\nexport interface DataOpConfig {\n name?: string;\n pageIndex?: number;\n pageSize?: number;\n}\n\nexport interface FetcherProps extends DataOpConfig {\n dataOp?: DataOp;\n children?: ($queries: Record<string, any>) => React.ReactElement | null;\n queries?: Record<string, any>;\n}\n\nexport function Fetcher(props: FetcherProps): React.ReactElement | null {\n const { dataOp, children, name, pageIndex, pageSize } = props;\n const data = usePlasmicDataOp(dataOp, {\n ...(!!pageIndex &&\n !!pageSize && {\n paginate: { pageIndex, pageSize },\n }),\n });\n\n const $queries = React.useMemo(\n () => ({ ...props.queries, [name ?? 'data']: data }),\n [props.queries, name, data]\n );\n\n return children?.($queries) ?? null;\n}\n\nexport const FetcherMeta: ComponentMeta<FetcherProps> = {\n name: 'plasmic-data-source-fetcher',\n displayName: 'Data Fetcher',\n props: {\n dataOp: {\n type: 'dataSourceOp' as any,\n displayName: 'Data',\n },\n name: {\n type: 'string',\n displayName: 'Variable name',\n },\n children: {\n type: 'slot',\n renderPropParams: ['$queries'],\n },\n pageSize: {\n type: 'number',\n advanced: true,\n displayName: 'Page size',\n description: 'Only fetch in batches of this size; for pagination',\n },\n pageIndex: {\n type: 'number',\n advanced: true,\n displayName: 'Page index',\n description: '0-based index of the paginated page to fetch',\n },\n },\n importPath: '@plasmicapp/react-web/lib/data-sources',\n importName: 'Fetcher',\n alwaysAutoName: true,\n styleSections: false,\n};\n","import React from 'react';\nimport { DataOpConfig } from '../components/Fetcher';\nimport { DataOp } from '../executor';\nimport { swallow } from '../utils';\nimport { usePlasmicDataOp } from './usePlasmicDataOp';\n\nfunction usePrevious<T>(value: T | undefined): T | undefined {\n const prevValue = React.useRef<T | undefined>(undefined);\n\n React.useEffect(() => {\n prevValue.current = value;\n\n return () => {\n prevValue.current = undefined;\n };\n });\n\n return prevValue.current;\n}\n\nexport interface DependencyAwareQueryConfig extends DataOpConfig {\n $queries: Record<string, any>;\n setDollarQueries: ($queries: Record<string, any>) => void;\n getDataOp: () => DataOp;\n}\n\n/**\n * @deprecated Prefer using `usePlasmicDataOp` directly instead.\n */\nexport function useDependencyAwareQuery({\n $queries,\n getDataOp,\n setDollarQueries,\n name,\n pageIndex,\n pageSize,\n}: DependencyAwareQueryConfig) {\n const data = usePlasmicDataOp(swallow(getDataOp), {\n ...(!!pageIndex &&\n !!pageSize && {\n paginate: { pageIndex, pageSize },\n }),\n });\n const finalName = name ?? 'data';\n const prevName = usePrevious(finalName);\n React.useEffect(() => {\n if (!(finalName in $queries) || $queries[finalName] !== data) {\n const $queries2 = {\n ...$queries,\n [finalName]: data,\n };\n if (prevName && finalName !== prevName && prevName in $queries) {\n delete $queries2[prevName];\n }\n setDollarQueries($queries2);\n }\n }, [finalName, prevName, data, $queries, setDollarQueries]);\n}\n"],"names":["UNAUTHORIZED_MESSAGE","executePlasmicDataOp","_x","_x2","_executePlasmicDataOp2","_asyncToGenerator","_regeneratorRuntime","mark","_callee","op","opts","func","wrap","_context","prev","next","getConfig","_executePlasmicDataOp","wrapLoadingFetcher","abrupt","sent","stop","apply","arguments","_x3","_x4","_executePlasmicDataOp3","_callee2","_op$userArgs","host","url","resp","_context2","roleId","user","roleIds","includes","console","error","Error","sourceId","fetch","method","headers","_extends","Content-Type","userAuthToken","x-plasmic-data-user-auth-token","body","stringify","opId","userArgs","paginate","status","text","json","key","defaultValue","globalThis","_globalThis$key","makeCacheKey","dataOp","queryDependencies","JSON","args","cacheKey","mkUndefinedDataProxy","promiseRef","fetchAndUpdateCache","Proxy","get","_target","prop","promise","fetchingPromise","plasmicType","message","String","isPlasmicUndefinedDataErrorPromise","x","reactMajorVersion","React","version","split","resolveDataOp","err","PRE_FETCHES","Map","usePlasmicDataOp","resolvedDataOp","ctx","usePlasmicDataSourceContext","enableLoadingBoundary","ph","_ph$useDataEnv","_usePlasmicDataConfig","usePlasmicDataConfig","mutate","cache","isNullDataOp","isWaitingOnDependentQuery","fetchingData","useMemo","undefined","fetcher","has","existing","fetcherPromise","set","then","dependentKeyDataErrorPromise","cached","Promise","resolve","cachedError","reject","setTimeout","data","keyInfo","_cache$get","res","useMutablePlasmicQueryData","shouldRetryOnError","revalidateIfStale","isLoading","result","obj","_len","length","keys","Array","_key","_i","_keys","pick","noUndefinedDataProxy","schema","isArrayOfObjects","arr","every","isArray","mkShortId","Math","random","props","children","name","pageIndex","pageSize","$queries","_extends2","queries","_children","displayName","type","renderPropParams","advanced","description","importPath","importName","alwaysAutoName","styleSections","specifiedFieldsPartial","makeDefaultConfig","schemaFields","_schema$fields","fields","fieldById","map","_len2","_key2","tuple","id","specifiedFieldIds","Set","f","fieldId","filter","keptSpecifiedFields","flatMap","field","newVirtualFields","mergedFields","concat","minimalFullLengthFields","rawData","dataArray","tryGetDataArray","fieldMap","_rawData$schema","forEach","entry","from","Object","entries","_ref","k","v","inferredType","_ref2","readOnly","value","prevValue","setDollarQueries","_unused","swallow","getDataOp","finalName","prevName","useRef","useEffect","current","$queries2","userToken","getRealDataOp","useCallback","tryGetRealDataOp","resolved","_callee3","_yield$getRealDataOp","_ref4","_context3","t0","t1"],"mappings":"4uOAMA,IAiBMA,EACJ,6HAEoBC,EAAoBC,EAAAC,GAAA,OAAAC,EAAAA,GAAAC,EAAAC,IAAAC,MAAnC,SAAAC,EAELC,EAAYC,GAAkB,IAAAC,EAAA,OAAAL,IAAAM,eAAAC,GAAA,cAAAA,EAAAC,KAAAD,EAAAE,MAAA,OAIG,OAH3BJ,EAAOK,EACX,4BACAC,GAC+BJ,EAAAE,OACfG,qBAAmBP,EAAnBO,CAAyBT,EAAIC,GAAK,OAA3C,OAAAG,EAAAM,gBAAAN,EAAAO,MACM,OAAA,UAAA,OAAAP,EAAAQ,UAAAb,QAChBc,WAAAC,WAAA,SAEcN,EAAqBO,EAAAC,GAAA,OAAAC,EAAAA,GAAArB,EAAAC,IAAAC,MAApC,SAAAoB,EAEElB,EAAYC,GAAkB,IAAAkB,EAAAC,EAAAC,EAAAC,EAAA,OAAAzB,IAAAM,eAAAoB,GAAA,cAAAA,EAAAlB,KAAAkB,EAAAjB,MAAA,OAAA,IAC1BN,EAAGwB,QAAMD,EAAAjB,OAAA,MAAA,SACNL,GAAAA,EAAMwB,MAASxB,EAAKwB,KAAKC,QAAQC,SAAS3B,EAAGwB,SAAOD,EAAAjB,OAAA,MACnB,MAApCsB,QAAQC,MAAMtC,GACR,IAAIuC,MAAMvC,GAAqB,OAMoB,OAFvD6B,EAAOb,EAAU,sBAzCJ,4BA2Cbc,EAASD,iCAAmCpB,EAAG+B,oBAAQR,EAAAjB,OAC1C0B,EAAMX,EAAK,CAC5BY,OAAQ,OACRC,QAAOC,GACLC,eAAgB,2BACZnC,SAAAA,EAAMoC,gBAAiB,CACzBC,iCAAkCrC,EAAKoC,gBAG3CE,KAAMC,EAAU,CACdC,KAAMzC,EAAGyC,KACTC,gBAAQvB,EAAEnB,EAAG0C,UAAQvB,EAAI,GACzBwB,eAAU1C,SAAAA,EAAM0C,aAElB,OAbQ,GAcU,OAddrB,EAAIC,EAAAZ,MAcDiC,QAAcrB,EAAAjB,QAAA,MAAA,OAAAiB,EAAAjB,QACFgB,EAAKuB,OAAM,QAApB,MACJ,IAAIf,MADAP,EAAAZ,MACW,QAAA,OAAAY,EAAAjB,QAETgB,EAAKwB,OAAM,QAAA,OAAAvB,EAAAb,gBAAAa,EAAAZ,MAAA,QAAA,UAAA,OAAAY,EAAAX,UAAAM,QAC1BL,WAAAC,WAED,SAASP,EAAawC,EAAaC,GACjC,MAA0B,oBAAfC,WACFD,SAEPE,EAAQD,WAAmBF,IAAIG,EAAIF,EAD9B,IAAAE,WC9DOC,EACdC,EACAnD,GAEA,IAAMoD,EAAoBC,KAAKd,UAAU,CACvCT,SAAUqB,EAAOrB,SACjBU,KAAMW,EAAOX,KACbc,KAAMH,EAAOV,SACbL,oBAAepC,SAAAA,EAAMoC,cACrBM,eAAU1C,SAAAA,EAAM0C,WAElB,OAAOS,EAAOI,YACPJ,EAAOI,SAAWH,EACrBA,EAKN,SAASI,EACPC,EACAC,GAEA,OAAO,IAAIC,MACT,GACA,CACEC,IAAK,SAACC,EAASC,GACb,GAAa,gCAATA,EACF,OAAO,EAGT,GAAKJ,EAAL,CASA,IAAMK,EAEJN,EAAWO,iBAEXN,IAKF,MAJCK,EAAgBE,YAAc,4BAC9BF,EAAgBG,gCAAkCC,OACjDL,8BAEIC,MAWd,SAASK,EACPC,GAEA,QACIA,GACW,iBAANA,GACoB,8BAA1BA,EAAUJ,YAIf,IAAMK,GAAqBC,EAAMC,QAAQC,MAAM,KAAK,GAgBpD,SAASC,EAAcvB,GACrB,GAAsB,mBAAXA,EAUT,OAAOA,EATP,IACE,OAAOA,IACP,MAAOwB,GACP,OAAIP,EAAmCO,GAC9BA,EAEF,MAkBb,IAAMC,EAAc,IAAIC,aAERC,EAId3B,EACAnD,SAQM+E,EAAiBL,EAAcvB,GAC/B6B,EAAMC,gCACNC,UAA0BC,qBAAaC,EAAbD,kBAAAC,EAA4C,sCAC5EC,EAA0BC,yBAAlBC,EAAMF,EAANE,OAAQC,EAAKH,EAALG,MAEVC,GAAgBV,EAEhBW,EACJtB,EAAmCW,GAC/BjC,GACHiC,GAAkBX,EAAmCW,GAClD,KACA7B,EAAa6B,EAAgB,CAC3BrC,eAAU1C,SAAAA,EAAM0C,SAChBN,oBAAe4C,SAAAA,EAAK5C,gBAEtBuD,EAAepB,EAAMqB,SACzB,WAAA,MAAO,CACL5B,qBAAiB6B,KAEnB,CAAC/C,IAEGgD,EAAUvB,EAAMqB,SACpB,WAAA,OAAM,WAEJ,IAAK9C,EACH,MAAM,IAAIjB,6DAKZ,GAAI8D,EAAa3B,gBAEf,OAAO2B,EAAa3B,gBAGtB,GAAIlB,GAAO8B,EAAYmB,IAAIjD,GAAM,CAG/B,IAAMkD,EAAWpB,EAAYhB,IAAId,GAEjC,OADA6C,EAAa3B,gBAAkBgC,EACxBA,EAIT,IAMMC,EALJ1G,EAAwBwF,EAA0B,CAChD3C,qBAAe4C,SAAAA,EAAK5C,qBAAiByD,EACrCrE,WAAMwD,SAAAA,EAAKxD,KACXkB,eAAU1C,SAAAA,EAAM0C,WAiBpB,OAdAiD,EAAa3B,gBAAkBiC,EAC3BnD,IACF8B,EAAYsB,IAAIpD,EAAKmD,GAGrBA,EAAeE,MACb,WACEvB,SAAmB9B,MAErB,WACE8B,SAAmB9B,OAIlBmD,KAET,CAACnD,EAAK6C,IAGFS,EAA+BhC,EACnCW,GAEEA,OACAc,EACEnC,EAAsBa,EAAMqB,SAAQ,WACxC,GAAK9C,GAAQsD,EAKb,OAAO,WAKL,GAAIT,EAAa3B,gBAEf,OAAO2B,EAAa3B,gBAGtB,GAAIoC,EAKF,OAAOA,EAGT,IAAKtD,EACH,MAAM,IAAIjB,qCAWZ,IAAMwE,EAASb,EAAM5B,IAAId,GACzB,GAAIuD,EACF,OAAOC,QAAQC,QAAQF,GAEzB,IAAMG,EAAchB,EAAM5B,YAAYd,GACtC,GAAI0D,EACF,OAAOF,QAAQG,OAAOD,EAAY5E,OAsBpC,IAAMqE,EAAiB,IAAIK,SAAQ,SAACC,EAASE,GAC3CC,YAAW,WACTZ,IAAUK,KAAKI,EAASE,KACvB,MAYL,OAVAR,EACGE,MAAK,SAACQ,GAELpB,EAAOzC,EAAK6D,aAEP,SAAChC,SAEAiC,EAAU9D,EAAM,QAAUA,EAAM,GACtC0C,EAAMU,IAAIU,EAAO1E,YAAA2E,EAAQrB,EAAM5B,IAAIgD,IAAQC,EAAI,IAAKjF,MAAO+C,QAExDsB,KAER,CAACH,EAASH,EAAcH,EAAO1C,EAAKsD,IACjCU,EAAMC,6BAAiCjE,EAAKgD,EAAS,CACzDkB,oBAAoB,EAQpBC,mBAAmB,IAEbN,EAA2BG,EAA3BH,KAAM/E,EAAqBkF,EAArBlF,MAAOsF,EAAcJ,EAAdI,UAMrB,OALoC,MAAhCvB,EAAa3B,sBAAoC6B,IAATc,IAG1ChB,EAAa3B,qBAAkB6B,GAE1BtB,EAAMqB,SAAQ,WACnB,IAAMuB,EAAMjF,WACNyE,EAAAA,EAAS,YClTjBS,GAGoB,IAApB,IAAMN,EAAW,GAAGO,EAAAxG,UAAAyG,OAFjBC,MAASC,MAAAH,IAAAA,OAAAI,IAAAA,EAAAJ,EAAAI,IAATF,EAASE,KAAA5G,UAAA4G,GAGZ,QAAAC,IAAAC,EAAkBJ,EAAIG,EAAAC,EAAAL,OAAAI,IAAE,CAAnB,IAAM5E,EAAG6E,EAAAD,GACR5E,KAAOsE,IACTN,EAAIhE,GAAOsE,EAAItE,IAGnB,OAAOgE,ED0SAc,CAAKd,EAAK,YAAa,UAc5B,aAXG9G,IAAAA,EAAM6H,uBACPvD,GAAqB,IACrBY,IACCgC,GAAazB,GAAgBC,SACdG,IAAhBsB,EAAOR,WACWd,IAAlBsB,EAAOW,aACUjC,IAAjBsB,EAAOvF,QAEPuF,EAAOR,KAAOnD,EAAqBmC,EAAcjC,GACjDyD,EAAOW,OAAStE,EAAqBmC,EAAcjC,IAE9CyD,IACN,CACD1B,EACAC,EACAiB,EACA/E,EACAsF,QACAlH,SAAAA,EAAM6H,qBACN3C,EACAS,EACAjC,IE5QJ,SAASqE,EAAiBC,GACxB,OAAOA,EAAIC,OAAM,SAAC5D,GAAC,MAAkB,iBAANA,IAAmBmD,MAAMU,QAAQ7D,MAuClE,IAAM8D,EAAY,WAAH,SAAYC,KAAKC,uJC/FRC,SACNC,EAAwCD,EAAxCC,SAAUC,EAA8BF,EAA9BE,KAAMC,EAAwBH,EAAxBG,UAAWC,EAAaJ,EAAbI,SACrC/B,EAAO7B,EAD2CwD,EAAhDnF,OAC4BjB,OAC5BuG,KACFC,GAAY,CACZhG,SAAU,CAAE+F,UAAAA,EAAWC,SAAAA,MAIvBC,EAAWpE,EAAMqB,SACrB,WAAA,IAAAgD,EAAA,OAAA1G,KAAYoG,EAAMO,UAAOD,YAAGJ,EAAAA,EAAQ,QAAS7B,EAAIiC,MACjD,CAACN,EAAMO,QAASL,EAAM7B,IAGxB,cAAAmC,QAAOP,SAAAA,EAAWI,IAASG,EAAI,0BAGuB,CACtDN,KAAM,8BACNO,YAAa,eACbT,MAAO,CACLnF,OAAQ,CACN6F,KAAM,eACND,YAAa,QAEfP,KAAM,CACJQ,KAAM,SACND,YAAa,iBAEfR,SAAU,CACRS,KAAM,OACNC,iBAAkB,CAAC,aAErBP,SAAU,CACRM,KAAM,SACNE,UAAU,EACVH,YAAa,YACbI,YAAa,sDAEfV,UAAW,CACTO,KAAM,SACNE,UAAU,EACVH,YAAa,aACbI,YAAa,iDAGjBC,WAAY,yCACZC,WAAY,UACZC,gBAAgB,EAChBC,eAAe,8BDgDjB,SACEC,EACA1B,EACA2B,SAKMC,SAAYC,QAAG7B,SAAAA,EAAQ8B,QAAMD,EAAI,GACjCE,EDtBC,IAAIhF,ICsBe6E,EDtBRI,KAAI,SAACzF,GAAC,OAPL,WAAH,QAAA0F,EAAAlJ,UAAAyG,OAAwBhE,MAAOkE,MAAAuC,GAAAC,IAAAA,EAAAD,EAAAC,IAAP1G,EAAO0G,GAAAnJ,UAAAmJ,GAAA,OAAQ1G,EAO1B2G,CAAM5F,EAAE6F,GAAI7F,OCuBnC8F,EAAoB,IAAIC,IAChBZ,EAAuBM,KAAI,SAACO,GAAC,OAAKA,EAAEC,WDlBxCC,QAAO,SAAClG,GAAC,OAAkB,MAALA,MCoB1BmG,EAAsBhB,EAAuBiB,SAAQ,SAACJ,GAC1D,IAAKA,EAAEC,QACL,MAAO,CAAApI,GACHY,IAAKqF,KAAgBsB,OAAkB5D,GAAewE,IAG5D,IAAMK,EAAQb,EAAUjG,IAAIyG,EAAEC,SAG9B,OAAKI,EAIE,CAAAxI,GAEHY,IAAKqF,KACFsB,EAAkBiB,GAClBL,IAPE,MAWLM,EAAmBjB,EACtBa,QAAO,SAACF,GAAC,OAAMF,EAAkBpE,IAAIsE,EAAEH,OACvCJ,KACC,SAACO,GAAC,OAAAnI,GACAY,IAAKqF,KACFsB,EAAkBY,OAQ3B,MAAO,CAAEO,gBALSC,OAAOL,EAAwBG,GAK1BG,2BAJMD,OACxBrB,EACAmB,EAAiBb,KAAI,SAACO,GAAC,MAAM,CAAEvH,IAAKuH,EAAEvH,IAAKwH,QAASD,EAAEC,oGA7I/BS,SAC5B,GAAKA,EAAL,CAIA,IAAMC,EAWR,SAAyBD,GACvB,GAAe,MAAXA,GAAsC,iBAAZA,EAA9B,CAIA,GAAIvD,MAAMU,QAAQ6C,GAChB,OAAIhD,EAAiBgD,GACZA,OAGP,EAIJ,GAAe,MAAXA,EAAJ,CAIA,GAAI,SAAUA,GAA4C,iBAAzBA,EAAgBpE,KAC/C,OACEa,MAAMU,QAAS6C,EAAgBpE,OAC/BoB,EAAkBgD,EAAgBpE,MAE1BoE,EAAgBpE,KACU,MAAxBoE,EAAgBpE,KACnB,CAAEoE,EAAgBpE,WAEzB,EAGJ,KAAI,cAAeoE,MAAW,UAAWA,GAKzC,MAAO,CAACA,KA9CUE,CAAgBF,GAClC,GAAKC,EAAL,CAGA,IAkDME,EAlDApD,SAAMqD,EAAIJ,EAAgBjD,QAAMqD,GAkDhCD,EAA2C,GAlDMF,EAmDlDI,SAAQ,SAACC,GACRA,GAA0B,iBAAVA,GAClB7D,MAAM8D,KAAKC,OAAOC,QAAQH,IAAQD,SAAQ,SAAAK,OAAEC,EAACD,KAAEE,EAACF,KACxCG,EACS,iBAAND,EACH,SACa,kBAANA,EACP,UACa,iBAANA,EACP,SACA,UAEJT,EAASQ,GADPR,EAASQ,IAAMR,EAASQ,KAAOE,EACnB,UAEAA,QAKf,CACL1B,GAAI,WACJN,OAAQ2B,OAAOC,QAAQN,GAAUpB,KAAI,SAAA+B,GAAM,MAAO,CAChD3B,GADsC2B,KAEtC7C,KAFyC6C,KAGzCC,UAAU,QA1Ed,GAAKhE,EAGL,MAAO,CAAEnB,KAAMqE,EAAWlD,OAAAA,+CEFW2D,OAvBfM,EAChBC,EAuBNrD,EAAQ8C,EAAR9C,SAEAsD,EAAgBR,EAAhBQ,iBACAzD,EAAIiD,EAAJjD,KACAC,EAASgD,EAAThD,UACAC,EAAQ+C,EAAR/C,SAEM/B,EAAO7B,WHrCYuF,GACzB,IACE,OAAOA,IACP,MAAA6B,GACA,QGiC4BC,CANrBV,EAATW,WAMgDlK,OACxCuG,KACFC,GAAY,CACZhG,SAAU,CAAE+F,UAAAA,EAAWC,SAAAA,MAGvB2D,QAAY7D,EAAAA,EAAQ,OACpB8D,GAtCgBP,EAsCOM,EArCvBL,EAAYzH,EAAMgI,YAAsB1G,GAE9CtB,EAAMiI,WAAU,WAGd,OAFAR,EAAUS,QAAUV,EAEb,WACLC,EAAUS,aAAU5G,MAIjBmG,EAAUS,SA4BjBlI,EAAMiI,WAAU,WACd,KAAMH,KAAa1D,IAAaA,EAAS0D,KAAe1F,EAAM,CAAA,IAAAiC,EACtD8D,EAASxK,KACVyG,IAAQC,MACVyD,GAAY1F,EAAIiC,IAEf0D,GAAYD,IAAcC,GAAYA,KAAY3D,UAC7C+D,EAAUJ,GAEnBL,EAAiBS,MAElB,CAACL,EAAWC,EAAU3F,EAAMgC,EAAUsD,+CJkSzC9I,GACA,IAAM6B,EAAMC,gCACN0H,QAAY3H,SAAAA,EAAK5C,cAEjBwK,EAAgBrI,EAAMsI,YAAWlN,EAAAC,IAAAC,MAAC,SAAAoB,IAAA,IAAA4K,EAAAiB,EAAA,OAAAlN,IAAAM,eAAAoB,GAAA,cAAAA,EAAAlB,KAAAkB,EAAAjB,MAAA,OAcrC,OAbKyM,WAAAA,IAAgB,OAAAjB,EAAAA,GAAAlM,EAAAC,IAAAC,MAAG,SAAAC,IAAA,IAAAiN,EAAA,OAAAnN,IAAAM,eAAAC,GAAA,cAAAA,EAAAC,KAAAD,EAAAE,MAAA,OACe,GAAhC0M,EAAWrI,EAAcvB,IAClBhD,EAAAE,OAAA,MAAA,OAAAF,EAAAM,gBACJ,MAAI,OAAA,IACF2D,EAAmC2I,IAAS5M,EAAAE,QAAA,MAAA,OAAAF,EAAAE,OAI/C0M,EAAQ,OAAA,OAAA5M,EAAAM,gBACPqM,KAAkB,QAAA,OAAA3M,EAAAM,gBAElBsM,GAAQ,QAAA,UAAA,OAAA5M,EAAAQ,UAAAb,QAElBc,WAAAC,YAAAS,EAAAjB,OACYyM,IAAkB,OAAA,OAAAxL,EAAAb,gBAAAa,EAAAZ,MAAA,OAAA,UAAA,OAAAY,EAAAX,UAAAM,OAC9B,CAACkC,IAEJ,OAAOoB,EAAMsI,YAAWlN,EAAAC,IAAAC,MAAC,SAAAmN,IAAA,IAAAC,EAAAC,EAAApL,EAAAU,EAAAC,EAAA,OAAA7C,IAAAM,eAAAiN,GAAA,cAAAA,EAAA/M,KAAA+M,EAAA9M,MAAA,OAAA,OAAA8M,EAAA9M,OACqBuM,IAAe,OAAA,GAAAO,EAAAC,GAAAH,EAAAE,EAAAzM,WAAAyM,EAAAC,IAAAD,EAAA9M,OAAA,MAAA8M,EAAAE,GAAAJ,EAAAE,EAAA9M,OAAA,MAAA,OAAA8M,EAAAE,GAAK,GAAE,OAAlC,GAAd7K,GAAgD0K,EAAAC,EAAAE,IAAhD7K,KAAMC,EAAQyK,EAARzK,UAAhBX,EAAQoL,EAARpL,WAEUU,GAAI2K,EAAA9M,QAAA,MAAA,OAAA8M,EAAA1M,qBACboF,GAAS,QAAA,OAAAsH,EAAA1M,gBAGXlB,EACL,CAAEuC,SAAAA,EAAUU,KAAAA,EAAMC,SAAAA,GAClB,CACEL,cAAeuK,QAAa9G,EAC5BrE,WAAMwD,SAAAA,EAAKxD,QAEd,QAAA,UAAA,OAAA2L,EAAAxM,UAAAqM,OACA,CAACJ,EAAeD"}
|
|
1
|
+
{"version":3,"file":"data-sources.cjs.production.min.js","sources":["../src/executor.tsx","../src/hooks/usePlasmicDataOp.tsx","../src/utils.ts","../src/helpers.ts","../src/components/Fetcher.tsx","../src/hooks/useDependencyAwareQuery.tsx"],"sourcesContent":["import { PlasmicDataSourceContextValue } from '@plasmicapp/data-sources-context';\nimport fetch from '@plasmicapp/isomorphic-unfetch';\nimport { wrapLoadingFetcher } from '@plasmicapp/query';\nimport stringify from 'fast-stringify';\nimport { ManyRowsResult, Pagination, SingleRowResult } from './types';\n\nconst DEFAULT_HOST = 'https://data.plasmic.app';\n\nexport interface DataOp {\n sourceId: string;\n opId: string;\n userArgs?: Record<string, any>;\n cacheKey?: string;\n invalidatedKeys?: string[] | null;\n roleId?: string | null;\n}\n\ninterface ExecuteOpts {\n userAuthToken?: string;\n user?: PlasmicDataSourceContextValue['user'];\n paginate?: Pagination;\n}\n\nconst UNAUTHORIZED_MESSAGE =\n 'You do not have permission to perform this operation. Login to get access or contact the app owner to get access.';\n\nexport async function executePlasmicDataOp<\n T extends SingleRowResult | ManyRowsResult\n>(op: DataOp, opts?: ExecuteOpts) {\n const func = getConfig(\n '__PLASMIC_EXECUTE_DATA_OP',\n _executePlasmicDataOp\n ) as typeof _executePlasmicDataOp;\n const res = await wrapLoadingFetcher(func)(op, opts);\n return res as T;\n}\n\nasync function _executePlasmicDataOp<\n T extends SingleRowResult | ManyRowsResult\n>(op: DataOp, opts?: ExecuteOpts) {\n if (op.roleId) {\n if (!opts?.user || !opts.user.roleIds.includes(op.roleId)) {\n console.error(UNAUTHORIZED_MESSAGE);\n throw new Error(UNAUTHORIZED_MESSAGE);\n }\n }\n\n const host = getConfig('__PLASMIC_DATA_HOST', DEFAULT_HOST);\n\n const url = `${host}/api/v1/server-data/sources/${op.sourceId}/execute`;\n const resp = await fetch(url, {\n method: 'POST',\n headers: {\n 'Content-Type': 'application/json',\n ...(opts?.userAuthToken && {\n 'x-plasmic-data-user-auth-token': opts.userAuthToken,\n }),\n },\n body: stringify({\n opId: op.opId,\n userArgs: op.userArgs ?? {},\n paginate: opts?.paginate,\n }),\n });\n if (resp.status !== 200) {\n const text = await resp.text();\n throw new Error(text);\n }\n return (await resp.json()) as T;\n}\n\nfunction getConfig<T>(key: string, defaultValue: T) {\n if (typeof globalThis === 'undefined') {\n return defaultValue;\n } else {\n return (globalThis as any)[key] ?? defaultValue;\n }\n}\n","import { usePlasmicDataSourceContext } from '@plasmicapp/data-sources-context';\n// eslint-disable-next-line no-restricted-imports\nimport * as ph from '@plasmicapp/host';\nimport {\n useMutablePlasmicQueryData,\n usePlasmicDataConfig,\n} from '@plasmicapp/query';\nimport React from 'react';\nimport { DataOp, executePlasmicDataOp } from '../executor';\nimport { ManyRowsResult, Pagination, SingleRowResult } from '../types';\nimport { pick } from '../utils';\n\nexport function makeCacheKey(\n dataOp: DataOp,\n opts?: { paginate?: Pagination; userAuthToken?: string | null }\n) {\n const queryDependencies = JSON.stringify({\n sourceId: dataOp.sourceId,\n opId: dataOp.opId,\n args: dataOp.userArgs,\n userAuthToken: opts?.userAuthToken,\n paginate: opts?.paginate,\n });\n return dataOp.cacheKey\n ? `${dataOp.cacheKey}${queryDependencies}`\n : queryDependencies;\n}\n\nexport function usePlasmicInvalidate() {\n const { cache, fallback, mutate } = usePlasmicDataConfig();\n return async (invalidatedKeys: string[] | null | undefined) => {\n const getKeysToInvalidate = () => {\n if (!invalidatedKeys) {\n return [];\n }\n const allKeys = Array.from(\n new Set([\n ...(cache as any).keys(),\n ...(fallback ? Object.keys(fallback) : []),\n ])\n ).filter((key): key is string => typeof key === 'string');\n if (invalidatedKeys.includes('plasmic_refresh_all')) {\n return allKeys;\n }\n return allKeys.filter((key) =>\n invalidatedKeys.some((k) => key.includes(`.$.${k}.$.`))\n );\n };\n\n const keys = getKeysToInvalidate();\n if (keys.length === 0) {\n return;\n }\n\n return await Promise.all(keys.map((key) => mutate(key)));\n };\n}\n\nconst enableLoadingBoundaryKey = 'plasmicInternalEnableLoadingBoundary';\n\nfunction mkUndefinedDataProxy(\n promiseRef: { fetchingPromise: Promise<any> | undefined },\n fetchAndUpdateCache: (() => Promise<any>) | undefined\n) {\n return new Proxy(\n {},\n {\n get: (_target, prop) => {\n if (prop === 'isPlasmicUndefinedDataProxy') {\n return true;\n }\n\n if (!fetchAndUpdateCache) {\n // There's no key so no fetch to kick off yet; when computing key,\n // we encountered some thrown exception (that's not an undefined data promise),\n // and so we can't fetch yet. This might be dependent on a $state or $prop value\n // that's currently undefined, etc. We will act like an undefined data object,\n // and trigger the usual fallback behavior\n return undefined;\n }\n\n const promise =\n // existing fetch\n promiseRef.fetchingPromise ||\n // No existing fetch, so kick off a fetch\n fetchAndUpdateCache();\n (promise as any).plasmicType = 'PlasmicUndefinedDataError';\n (promise as any).message = `Cannot read property ${String(\n prop\n )} - data is still loading`;\n throw promise;\n },\n }\n ) as any;\n}\n\ninterface PlasmicUndefinedDataErrorPromise extends Promise<any> {\n plasmicType: 'PlasmicUndefinedDataError';\n message: string;\n}\n\nfunction isPlasmicUndefinedDataErrorPromise(\n x: any\n): x is PlasmicUndefinedDataErrorPromise {\n return (\n !!x &&\n typeof x === 'object' &&\n (x as any).plasmicType === 'PlasmicUndefinedDataError'\n );\n}\n\nconst reactMajorVersion = +React.version.split('.')[0];\n\ntype ResolvableDataOp =\n | DataOp\n | undefined\n | null\n | (() => DataOp | undefined | null);\n\n/**\n * This returns either:\n * * DataOp to perform\n * * undefined/null, if no data op can be performed\n * * PlasmicUndefinedDataErrorPromise, if when trying to evaluate the DataOp to perform,\n * we encounter a PlasmicUndefinedDataErrorPromise, so this operation cannot be\n * performed until that promise is resolved.\n */\nfunction resolveDataOp(dataOp: ResolvableDataOp) {\n if (typeof dataOp === 'function') {\n try {\n return dataOp();\n } catch (err) {\n if (isPlasmicUndefinedDataErrorPromise(err)) {\n return err;\n }\n return null;\n }\n } else {\n return dataOp;\n }\n}\n\n/**\n * Fetches can be kicked off two ways -- normally, by useSWR(), or by some\n * expression accessing the `$queries.*` proxy when not ready yet. We need\n * a global cache for proxy-invoked caches, so that different components\n * with the same key can share the same fetch.\n *\n * The life cycle for this cache is short -- only the duration of a\n * proxy-invoked fetch, and once the fetch is done. That's because we really\n * just want SWR to be managing the cache, not us! Once the data is in SWR,\n * we will use SWR for getting data.\n */\nconst PRE_FETCHES = new Map<string, Promise<any>>();\n\nexport function usePlasmicDataOp<\n T extends SingleRowResult | ManyRowsResult,\n E = any\n>(\n dataOp: ResolvableDataOp,\n opts?: {\n paginate?: Pagination;\n noUndefinedDataProxy?: boolean;\n }\n): Partial<T> & {\n error?: E;\n isLoading?: boolean;\n} {\n const resolvedDataOp = resolveDataOp(dataOp);\n const ctx = usePlasmicDataSourceContext();\n const enableLoadingBoundary = !!ph.useDataEnv?.()?.[enableLoadingBoundaryKey];\n const { mutate, cache } = usePlasmicDataConfig();\n // Cannot perform this operation\n const isNullDataOp = !resolvedDataOp;\n // This operation depends on another data query to resolve first\n const isWaitingOnDependentQuery =\n isPlasmicUndefinedDataErrorPromise(resolvedDataOp);\n const key =\n !resolvedDataOp || isPlasmicUndefinedDataErrorPromise(resolvedDataOp)\n ? null\n : makeCacheKey(resolvedDataOp, {\n paginate: opts?.paginate,\n userAuthToken: ctx?.userAuthToken,\n });\n const fetchingData = React.useMemo(\n () => ({\n fetchingPromise: undefined as Promise<T> | undefined,\n }),\n [key]\n );\n const fetcher = React.useMemo(\n () => () => {\n // If we are in this function, that means SWR cache missed.\n if (!key) {\n throw new Error(`Fetcher should never be called without a proper key`);\n }\n\n // dataOp is guaranteed to be a DataOp, and not an undefined promise or null\n\n if (fetchingData.fetchingPromise) {\n // Fetch is already underway from this hook\n return fetchingData.fetchingPromise;\n }\n\n if (key && PRE_FETCHES.has(key)) {\n // Some other usePlasmicDataOp() hook elsewhere has already\n // started this fetch as well; re-use it here.\n const existing = PRE_FETCHES.get(key) as Promise<T>;\n fetchingData.fetchingPromise = existing;\n return existing;\n }\n\n // Else we really need to kick off this fetch now...\n const fetcherFn = () =>\n executePlasmicDataOp<T>(resolvedDataOp as DataOp, {\n userAuthToken: ctx?.userAuthToken || undefined,\n user: ctx?.user,\n paginate: opts?.paginate,\n });\n const fetcherPromise = fetcherFn();\n fetchingData.fetchingPromise = fetcherPromise;\n if (key) {\n PRE_FETCHES.set(key, fetcherPromise);\n // Once we have a result, we rely on swr to perform the caching,\n // so remove from our cache as quickly as possible.\n fetcherPromise.then(\n () => {\n PRE_FETCHES.delete(key);\n },\n () => {\n PRE_FETCHES.delete(key);\n }\n );\n }\n return fetcherPromise;\n },\n [key, fetchingData]\n );\n\n const dependentKeyDataErrorPromise = isPlasmicUndefinedDataErrorPromise(\n resolvedDataOp\n )\n ? resolvedDataOp\n : undefined;\n const fetchAndUpdateCache = React.useMemo(() => {\n if (!key && !dependentKeyDataErrorPromise) {\n // If there's no key, and no data query we're waiting for, then there's\n // no way to perform a fetch\n return undefined;\n }\n return () => {\n // This function is called when the undefined data proxy is invoked.\n // USUALLY, this means the data is not available in SWR yet, and\n // we need to kick off a fetch.\n\n if (fetchingData.fetchingPromise) {\n // No need to update cache as the exist promise call site will do it\n return fetchingData.fetchingPromise;\n }\n\n if (dependentKeyDataErrorPromise) {\n // We can't actually fetch yet, because we couldn't even evaluate the dataOp\n // to fetch for, because we depend on unfetched data. Once _that_\n // dataOp we depend on is finished, then we can try again. So we\n // will throw and wait for _that_ promise to be resolved instead.\n return dependentKeyDataErrorPromise;\n }\n\n if (!key) {\n throw new Error(`Expected key to be non-null`);\n }\n\n // SOMETIMES, SWR actually _does_ have the cache, but we still end up\n // here. That's because of how we update $queries, which takes two\n // cycles; each time we render, we build a `new$Queries`, and\n // `set$Queries(new$Queries)`. So once the data is ready, at the\n // first render, we will have data in `new$Queries` but not `$queries`,\n // but we will still finish rendering that pass, which means any `$queries`\n // access will still end up here. So we look into the SWR cache and\n // return any data that's here.\n const cached = cache.get(key);\n if (cached) {\n return Promise.resolve(cached);\n }\n const cachedError = cache.get(`$swr$${key}`);\n if (cachedError) {\n return Promise.reject(cachedError.error);\n }\n\n // Now, upon this proxy.get() miss, we want to kick off the fetch. We can't\n // wait for useSWR() to kick off the fetch, because upon data miss we are\n // throwing a promise, and useSWR() won't kick off the fetch till the effect,\n // so it will never get a chance to fetch. Instead, we fetch, and then we\n // put the fetched data into the SWR cache, so that next time useSWR() is called,\n // it will just find it in the cache.\n //\n // However, we don't want to fetch SYNCHRONOUSLY RIGHT NOW, becase we are in\n // the rendering phase (presumably, we're here because some component is trying\n // to read fetched data while rendering). Doing a fetch right now would invoke\n // the fetcher, which is wrapped by @plasmicapp/query to tracking loading state,\n // and upon loading state toggled to true, it will fire loading event listeners,\n // and for example, our antd's <GlobalLoadingIndicator /> will listen to this\n // event and immediately ask antd to show the loading indicator, which mutates\n // antd component's state. It is NOT LEGAL to call setState() on some other\n // component's state during rendering phase!\n //\n // We therefore will delay kicking off the fetch by a tick, so that we will safely\n // start the fetch outside of React rendering phase.\n const fetcherPromise = new Promise((resolve, reject) => {\n setTimeout(() => {\n fetcher().then(resolve, reject);\n }, 1);\n });\n fetcherPromise\n .then((data) => {\n // Insert the fetched data into the SWR cache\n mutate(key, data);\n })\n .catch((err) => {\n // Cache the error here to avoid infinite loop\n const keyInfo = key ? '$swr$' + key : '';\n cache.set(keyInfo, { ...(cache.get(keyInfo) ?? {}), error: err });\n });\n return fetcherPromise;\n };\n }, [fetcher, fetchingData, cache, key, dependentKeyDataErrorPromise]);\n const res = useMutablePlasmicQueryData<T, E>(key, fetcher, {\n shouldRetryOnError: false,\n\n // If revalidateIfStale is true, then if there's a cache entry with a key,\n // but no mounted hook with that key yet, and when the hook mounts with the key,\n // swr will revalidate. This may be reasonable behavior, but for us, this\n // happens all the time -- we prepopulate the cache with proxy-invoked fetch,\n // sometimes before swr had a chance to run the effect. So we turn off\n // revalidateIfStale here, and just let the user manage invalidation.\n // TODO: even so, we don't do this for now, as fallback data\n // does not get inserted into the cache with\n // `revalidateIfStale: false`, so we cannot invalidate them.\n // Will fix with usePlasmicDataInvalidate()\n // revalidateIfStale: false,\n });\n const { data, error, isLoading } = res;\n if (fetchingData.fetchingPromise != null && data !== undefined) {\n // Clear the fetching promise as the actual data is now used (so\n // revalidation is possible)\n fetchingData.fetchingPromise = undefined;\n }\n return React.useMemo(() => {\n const result = {\n ...(data ?? ({} as Partial<T>)),\n ...pick(res, 'isLoading', 'error'),\n };\n if (\n !opts?.noUndefinedDataProxy &&\n reactMajorVersion >= 18 &&\n enableLoadingBoundary &&\n (isLoading || isNullDataOp || isWaitingOnDependentQuery) &&\n result.data === undefined &&\n result.schema === undefined &&\n result.error === undefined\n ) {\n result.data = mkUndefinedDataProxy(fetchingData, fetchAndUpdateCache);\n result.schema = mkUndefinedDataProxy(fetchingData, fetchAndUpdateCache);\n }\n return result;\n }, [\n isNullDataOp,\n isWaitingOnDependentQuery,\n data,\n error,\n isLoading,\n opts?.noUndefinedDataProxy,\n enableLoadingBoundary,\n fetchingData,\n fetchAndUpdateCache,\n ]);\n}\n\nexport function usePlasmicDataMutationOp<\n T extends SingleRowResult | ManyRowsResult\n>(dataOp: ResolvableDataOp) {\n const ctx = usePlasmicDataSourceContext();\n const userToken = ctx?.userAuthToken;\n\n const getRealDataOp = React.useCallback(async () => {\n const tryGetRealDataOp = async (): Promise<DataOp | null> => {\n const resolved = resolveDataOp(dataOp);\n if (!resolved) {\n return null;\n } else if (isPlasmicUndefinedDataErrorPromise(resolved)) {\n // If calling the dataOp function resulted in a data fetch,\n // then we wait for the data fetch to finish and try\n // again\n await resolved;\n return tryGetRealDataOp();\n } else {\n return resolved;\n }\n };\n return await tryGetRealDataOp();\n }, [dataOp]);\n\n return React.useCallback(async () => {\n const { sourceId, opId, userArgs } = (await getRealDataOp()) ?? {};\n\n if (!sourceId || !opId) {\n return undefined;\n }\n\n return executePlasmicDataOp<T>(\n { sourceId, opId, userArgs },\n {\n userAuthToken: userToken || undefined,\n user: ctx?.user,\n }\n );\n }, [getRealDataOp, userToken]);\n}\n","export function swallow<T>(f: () => T): T | undefined {\n try {\n return f();\n } catch {\n return undefined;\n }\n}\n\nexport function pick<T extends object, K extends keyof T>(\n obj: T,\n ...keys: K[]\n): Pick<T, K> {\n const res: any = {};\n for (const key of keys) {\n if (key in obj) {\n res[key] = obj[key as keyof T];\n }\n }\n return res;\n}\n\ntype ReactElt = {\n children: ReactElt | ReactElt[];\n props: {\n children: ReactElt | ReactElt[];\n [prop: string]: any;\n } | null;\n type: React.ComponentType<any> | null;\n key: string | null;\n} | null;\n\nexport function traverseReactEltTree(\n children: React.ReactNode,\n callback: (elt: ReactElt) => void\n) {\n const rec = (elts: ReactElt | ReactElt[] | null) => {\n (Array.isArray(elts) ? elts : [elts]).forEach((elt) => {\n if (elt) {\n callback(elt);\n if (elt.children) {\n rec(elt.children);\n }\n if (elt.props?.children && elt.props.children !== elt.children) {\n rec(elt.props.children);\n }\n }\n });\n };\n rec(children as any);\n}\n\nexport function asArray<T>(x: T[] | T | undefined | null) {\n if (Array.isArray(x)) {\n return x;\n } else if (x == null) {\n return [];\n } else {\n return [x];\n }\n}\n\nexport function ensureNumber(x: number | string): number {\n return x as number;\n}\n\nexport function ensure<T>(x: T | null | undefined): T {\n if (x === null || x === undefined) {\n throw new Error('Expected non-null or non-undefined value');\n }\n return x;\n}\n\nexport function isOneOf<T, U extends T>(elem: T, arr: readonly U[]): elem is U {\n return arr.includes(elem as any);\n}\n\nexport function maybe<T, U>(\n x: T | undefined | null,\n f: (y: T) => U\n): U | undefined {\n if (x === undefined || x === null) return undefined;\n return f(x);\n}\n\nexport function isLikeImage(value: unknown) {\n return typeof value === 'string'\n ? value.match(/\\.(png|jpg|jpeg|gif|svg|webp|avif|ico|bmp|tiff)$/i)\n : false;\n}\n\nexport function ensureArray<T>(xs: T | T[]): T[] {\n return Array.isArray(xs) ? xs : [xs];\n}\n\nexport const tuple = <T extends any[]>(...args: T): T => args;\n\nexport interface HasId {\n id: string;\n}\n\nexport function mkIdMap<T extends HasId>(xs: ReadonlyArray<T>): Map<string, T> {\n return new Map(xs.map((x) => tuple(x.id, x) as [string, T]));\n}\n\nexport const mkShortId = () => `${Math.random()}`;\n\nexport function withoutNils<T>(xs: Array<T | undefined | null>): T[] {\n return xs.filter((x): x is T => x != null);\n}\n\nexport type Falsey = null | undefined | false | '' | 0 | 0n;\nexport type Truthy<T> = T extends Falsey ? never : T;\n\nexport function withoutFalsey<T>(xs: Array<T | Falsey>): T[] {\n return xs.filter((x): x is T => !!x);\n}\n","import {\n ManyRowsResult,\n TableFieldSchema,\n TableFieldType,\n TableSchema,\n} from './types';\nimport { mkIdMap, withoutNils } from './utils';\n\nexport type QueryResult = Partial<ManyRowsResult<any>> & {\n error?: any;\n isLoading?: boolean;\n};\n\nexport interface NormalizedData {\n data: Record<string, unknown>[];\n schema?: TableSchema;\n}\n\nexport function normalizeData(rawData: unknown): NormalizedData | undefined {\n if (!rawData) {\n return undefined;\n }\n\n const dataArray = tryGetDataArray(rawData);\n if (!dataArray) {\n return undefined;\n }\n const schema = (rawData as any).schema ?? tryGetSchema(dataArray);\n if (!schema) {\n return undefined;\n }\n return { data: dataArray, schema };\n}\n\nfunction tryGetDataArray(rawData: unknown): any[] | undefined {\n if (rawData == null || typeof rawData !== 'object') {\n return undefined;\n }\n\n if (Array.isArray(rawData)) {\n if (isArrayOfObjects(rawData)) {\n return rawData;\n } else {\n // TODO: array of primitives? Maybe we can wrap this?\n return undefined;\n }\n }\n\n if (rawData == null) {\n return undefined;\n }\n\n if ('data' in rawData && typeof (rawData as any).data === 'object') {\n if (\n Array.isArray((rawData as any).data) &&\n isArrayOfObjects((rawData as any).data)\n ) {\n return (rawData as any).data;\n } else if ((rawData as any).data != null) {\n return [(rawData as any).data];\n } else {\n return undefined;\n }\n }\n if ('isLoading' in rawData || 'error' in rawData) {\n return undefined;\n }\n\n // Maybe a singleton record?\n return [rawData];\n}\n\nfunction isArrayOfObjects(arr: unknown[]) {\n return arr.every((x) => typeof x === 'object' && !Array.isArray(x));\n}\n\nfunction tryGetSchema(data: any[]): TableSchema | undefined {\n const fieldMap: Record<string, TableFieldType> = {};\n data.forEach((entry: any) => {\n if (entry && typeof entry === 'object') {\n Array.from(Object.entries(entry)).forEach(([k, v]) => {\n const inferredType: TableFieldType =\n typeof v === 'string'\n ? 'string'\n : typeof v === 'boolean'\n ? 'boolean'\n : typeof v === 'number'\n ? 'number'\n : 'unknown';\n if (fieldMap[k] && fieldMap[k] !== inferredType) {\n fieldMap[k] = 'unknown';\n } else {\n fieldMap[k] = inferredType;\n }\n });\n }\n });\n return {\n id: 'inferred',\n fields: Object.entries(fieldMap).map(([f, t]) => ({\n id: f,\n type: t,\n readOnly: false,\n })),\n };\n}\n\nexport type BaseFieldConfig = {\n key?: string;\n fieldId?: string;\n};\n\nconst mkShortId = () => `${Math.random()}`;\n\nexport function deriveFieldConfigs<T extends BaseFieldConfig>(\n specifiedFieldsPartial: Partial<T>[],\n schema: TableSchema | undefined,\n makeDefaultConfig: (field: TableFieldSchema | undefined) => T\n): {\n mergedFields: T[];\n minimalFullLengthFields: Partial<T>[];\n} {\n const schemaFields = schema?.fields ?? [];\n const fieldById = mkIdMap(schemaFields);\n const specifiedFieldIds = new Set(\n withoutNils(specifiedFieldsPartial.map((f) => f.fieldId))\n );\n const keptSpecifiedFields = specifiedFieldsPartial.flatMap((f): T[] => {\n if (!f.fieldId) {\n return [\n { key: mkShortId(), ...makeDefaultConfig(undefined), ...f },\n ] as T[];\n }\n const field = fieldById.get(f.fieldId as string);\n\n // Drop configs with fieldIds no longer in the data.\n if (!field) {\n return [];\n }\n\n return [\n {\n key: mkShortId(),\n ...makeDefaultConfig(field),\n ...f,\n },\n ] as T[];\n });\n const newVirtualFields = schemaFields\n .filter((f) => !specifiedFieldIds.has(f.id))\n .map(\n (f): T => ({\n key: mkShortId(),\n ...makeDefaultConfig(f),\n })\n );\n const mergedFields = [...keptSpecifiedFields, ...newVirtualFields];\n const minimalFullLengthFields: Partial<T>[] = [\n ...specifiedFieldsPartial,\n ...newVirtualFields.map((f) => ({ key: f.key, fieldId: f.fieldId })),\n ] as Partial<T>[];\n return { mergedFields, minimalFullLengthFields };\n}\n","import { ComponentMeta } from '@plasmicapp/host';\nimport React from 'react';\nimport { DataOp } from '../executor';\nimport { usePlasmicDataOp } from '../hooks/usePlasmicDataOp';\n\nexport interface DataOpConfig {\n name?: string;\n pageIndex?: number;\n pageSize?: number;\n}\n\nexport interface FetcherProps extends DataOpConfig {\n dataOp?: DataOp;\n children?: ($queries: Record<string, any>) => React.ReactElement | null;\n queries?: Record<string, any>;\n}\n\nexport function Fetcher(props: FetcherProps): React.ReactElement | null {\n const { dataOp, children, name, pageIndex, pageSize } = props;\n const data = usePlasmicDataOp(dataOp, {\n ...(!!pageIndex &&\n !!pageSize && {\n paginate: { pageIndex, pageSize },\n }),\n });\n\n const $queries = React.useMemo(\n () => ({ ...props.queries, [name ?? 'data']: data }),\n [props.queries, name, data]\n );\n\n return children?.($queries) ?? null;\n}\n\nexport const FetcherMeta: ComponentMeta<FetcherProps> = {\n name: 'plasmic-data-source-fetcher',\n displayName: 'Data Fetcher',\n props: {\n dataOp: {\n type: 'dataSourceOp' as any,\n displayName: 'Data',\n },\n name: {\n type: 'string',\n displayName: 'Variable name',\n },\n children: {\n type: 'slot',\n renderPropParams: ['$queries'],\n },\n pageSize: {\n type: 'number',\n advanced: true,\n displayName: 'Page size',\n description: 'Only fetch in batches of this size; for pagination',\n },\n pageIndex: {\n type: 'number',\n advanced: true,\n displayName: 'Page index',\n description: '0-based index of the paginated page to fetch',\n },\n },\n importPath: '@plasmicapp/react-web/lib/data-sources',\n importName: 'Fetcher',\n alwaysAutoName: true,\n styleSections: false,\n};\n","import React from 'react';\nimport { DataOpConfig } from '../components/Fetcher';\nimport { DataOp } from '../executor';\nimport { swallow } from '../utils';\nimport { usePlasmicDataOp } from './usePlasmicDataOp';\n\nfunction usePrevious<T>(value: T | undefined): T | undefined {\n const prevValue = React.useRef<T | undefined>(undefined);\n\n React.useEffect(() => {\n prevValue.current = value;\n\n return () => {\n prevValue.current = undefined;\n };\n });\n\n return prevValue.current;\n}\n\nexport interface DependencyAwareQueryConfig extends DataOpConfig {\n $queries: Record<string, any>;\n setDollarQueries: ($queries: Record<string, any>) => void;\n getDataOp: () => DataOp;\n}\n\n/**\n * @deprecated Prefer using `usePlasmicDataOp` directly instead.\n */\nexport function useDependencyAwareQuery({\n $queries,\n getDataOp,\n setDollarQueries,\n name,\n pageIndex,\n pageSize,\n}: DependencyAwareQueryConfig) {\n const data = usePlasmicDataOp(swallow(getDataOp), {\n ...(!!pageIndex &&\n !!pageSize && {\n paginate: { pageIndex, pageSize },\n }),\n });\n const finalName = name ?? 'data';\n const prevName = usePrevious(finalName);\n React.useEffect(() => {\n if (!(finalName in $queries) || $queries[finalName] !== data) {\n const $queries2 = {\n ...$queries,\n [finalName]: data,\n };\n if (prevName && finalName !== prevName && prevName in $queries) {\n delete $queries2[prevName];\n }\n setDollarQueries($queries2);\n }\n }, [finalName, prevName, data, $queries, setDollarQueries]);\n}\n"],"names":["UNAUTHORIZED_MESSAGE","executePlasmicDataOp","_x","_x2","_executePlasmicDataOp2","apply","arguments","_asyncToGenerator","_regeneratorRuntime","mark","_callee","op","opts","func","wrap","_context","prev","next","getConfig","_executePlasmicDataOp","wrapLoadingFetcher","abrupt","sent","stop","_x3","_x4","_executePlasmicDataOp3","_callee2","_op$userArgs","host","url","resp","_context2","roleId","user","roleIds","includes","console","error","Error","sourceId","fetch","method","headers","_extends","Content-Type","userAuthToken","x-plasmic-data-user-auth-token","body","stringify","opId","userArgs","paginate","status","text","json","key","defaultValue","globalThis","_globalThis$key","makeCacheKey","dataOp","queryDependencies","JSON","args","cacheKey","mkUndefinedDataProxy","promiseRef","fetchAndUpdateCache","Proxy","get","_target","prop","promise","fetchingPromise","plasmicType","message","String","isPlasmicUndefinedDataErrorPromise","x","reactMajorVersion","React","version","split","resolveDataOp","err","PRE_FETCHES","Map","usePlasmicDataOp","resolvedDataOp","ctx","usePlasmicDataSourceContext","enableLoadingBoundary","ph","_ph$useDataEnv","_usePlasmicDataConfig2","usePlasmicDataConfig","mutate","cache","isNullDataOp","isWaitingOnDependentQuery","fetchingData","useMemo","undefined","fetcher","has","existing","fetcherPromise","set","then","dependentKeyDataErrorPromise","cached","Promise","resolve","cachedError","reject","setTimeout","data","keyInfo","_cache$get","res","useMutablePlasmicQueryData","shouldRetryOnError","isLoading","result","obj","_len","length","keys","Array","_key","_i","_keys","pick","noUndefinedDataProxy","schema","isArrayOfObjects","arr","every","isArray","mkShortId","Math","random","props","children","name","pageIndex","pageSize","$queries","_extends2","queries","_children","displayName","type","renderPropParams","advanced","description","importPath","importName","alwaysAutoName","styleSections","specifiedFieldsPartial","makeDefaultConfig","schemaFields","_schema$fields","fields","fieldById","map","_len2","_key2","tuple","id","specifiedFieldIds","Set","f","fieldId","filter","keptSpecifiedFields","flatMap","field","newVirtualFields","mergedFields","concat","minimalFullLengthFields","rawData","dataArray","tryGetDataArray","fieldMap","_rawData$schema","forEach","entry","from","Object","entries","_ref","k","v","inferredType","_ref2","readOnly","value","prevValue","setDollarQueries","_unused","swallow","getDataOp","finalName","prevName","useRef","useEffect","current","$queries2","userToken","getRealDataOp","useCallback","_callee3","tryGetRealDataOp","_context3","_ref3","resolved","_callee4","_yield$getRealDataOp","_ref5","_context4","t0","t1"],"mappings":"wuOAMA,IAiBMA,EACJ,6HAEoBC,EAAoBC,EAAAC,GAAA,OAAAC,EAAAC,WAAAC,WASzC,SAAAF,IAAA,OAAAA,EAAAG,EAAAC,IAAAC,MATM,SAAAC,EAELC,EAAYC,GAAkB,IAAAC,EAAA,OAAAL,IAAAM,eAAAC,GAAA,cAAAA,EAAAC,KAAAD,EAAAE,MAAA,OAIG,OAH3BJ,EAAOK,EACX,4BACAC,GAC+BJ,EAAAE,OACfG,qBAAmBP,EAAnBO,CAAyBT,EAAIC,GAAK,OAA3C,OAAAG,EAAAM,gBAAAN,EAAAO,MACM,OAAA,UAAA,OAAAP,EAAAQ,UAAAb,QAChBL,WAAAC,WAAA,SAEca,EAAqBK,EAAAC,GAAA,OAAAC,EAAArB,WAAAC,WAAA,SAAAoB,IAgCnC,OAhCmCA,EAAAnB,EAAAC,IAAAC,MAApC,SAAAkB,EAEEhB,EAAYC,GAAkB,IAAAgB,EAAAC,EAAAC,EAAAC,EAAA,OAAAvB,IAAAM,eAAAkB,GAAA,cAAAA,EAAAhB,KAAAgB,EAAAf,MAAA,OAAA,IAC1BN,EAAGsB,QAAMD,EAAAf,OAAA,MAAA,SACNL,GAAAA,EAAMsB,MAAStB,EAAKsB,KAAKC,QAAQC,SAASzB,EAAGsB,SAAOD,EAAAf,OAAA,MACnB,MAApCoB,QAAQC,MAAMtC,GACR,IAAIuC,MAAMvC,GAAqB,OAMoB,OAFvD6B,EAAOX,EAAU,sBAzCJ,4BA2CbY,EAASD,iCAAmClB,EAAG6B,oBAAQR,EAAAf,OAC1CwB,EAAMX,EAAK,CAC5BY,OAAQ,OACRC,QAAOC,GACLC,eAAgB,2BACZjC,SAAAA,EAAMkC,gBAAiB,CACzBC,iCAAkCnC,EAAKkC,gBAG3CE,KAAMC,EAAU,CACdC,KAAMvC,EAAGuC,KACTC,gBAAQvB,EAAEjB,EAAGwC,UAAQvB,EAAI,GACzBwB,eAAUxC,SAAAA,EAAMwC,aAElB,OAbQ,GAcU,OAddrB,EAAIC,EAAAV,MAcD+B,QAAcrB,EAAAf,QAAA,MAAA,OAAAe,EAAAf,QACFc,EAAKuB,OAAM,QAApB,MACJ,IAAIf,MADAP,EAAAV,MACW,QAAA,OAAAU,EAAAf,QAETc,EAAKwB,OAAM,QAAA,OAAAvB,EAAAX,gBAAAW,EAAAV,MAAA,QAAA,UAAA,OAAAU,EAAAT,UAAAI,QAC1BtB,WAAAC,WAED,SAASY,EAAasC,EAAaC,GACjC,MAA0B,oBAAfC,WACFD,SAEPE,EAAQD,WAAmBF,IAAIG,EAAIF,EAD9B,IAAAE,WC9DOC,EACdC,EACAjD,GAEA,IAAMkD,EAAoBC,KAAKd,UAAU,CACvCT,SAAUqB,EAAOrB,SACjBU,KAAMW,EAAOX,KACbc,KAAMH,EAAOV,SACbL,oBAAelC,SAAAA,EAAMkC,cACrBM,eAAUxC,SAAAA,EAAMwC,WAElB,OAAOS,EAAOI,YACPJ,EAAOI,SAAWH,EACrBA,EAmCN,SAASI,EACPC,EACAC,GAEA,OAAO,IAAIC,MACT,GACA,CACEC,IAAK,SAACC,EAASC,GACb,GAAa,gCAATA,EACF,OAAO,EAGT,GAAKJ,EAAL,CASA,IAAMK,EAEJN,EAAWO,iBAEXN,IAKF,MAJCK,EAAgBE,YAAc,4BAC9BF,EAAgBG,gCAAkCC,OACjDL,8BAEIC,MAWd,SAASK,EACPC,GAEA,QACIA,GACW,iBAANA,GACoB,8BAA1BA,EAAUJ,YAIf,IAAMK,GAAqBC,EAAMC,QAAQC,MAAM,KAAK,GAgBpD,SAASC,EAAcvB,GACrB,GAAsB,mBAAXA,EAUT,OAAOA,EATP,IACE,OAAOA,IACP,MAAOwB,GACP,OAAIP,EAAmCO,GAC9BA,EAEF,MAkBb,IAAMC,EAAc,IAAIC,aAERC,EAId3B,EACAjD,SAQM6E,EAAiBL,EAAcvB,GAC/B6B,EAAMC,gCACNC,UAA0BC,qBAAaC,EAAbD,kBAAAC,EAA4C,sCAC5EC,EAA0BC,yBAAlBC,EAAMF,EAANE,OAAQC,EAAKH,EAALG,MAEVC,GAAgBV,EAEhBW,EACJtB,EAAmCW,GAC/BjC,GACHiC,GAAkBX,EAAmCW,GAClD,KACA7B,EAAa6B,EAAgB,CAC3BrC,eAAUxC,SAAAA,EAAMwC,SAChBN,oBAAe4C,SAAAA,EAAK5C,gBAEtBuD,EAAepB,EAAMqB,SACzB,WAAA,MAAO,CACL5B,qBAAiB6B,KAEnB,CAAC/C,IAEGgD,EAAUvB,EAAMqB,SACpB,WAAA,OAAM,WAEJ,IAAK9C,EACH,MAAM,IAAIjB,6DAKZ,GAAI8D,EAAa3B,gBAEf,OAAO2B,EAAa3B,gBAGtB,GAAIlB,GAAO8B,EAAYmB,IAAIjD,GAAM,CAG/B,IAAMkD,EAAWpB,EAAYhB,IAAId,GAEjC,OADA6C,EAAa3B,gBAAkBgC,EACxBA,EAIT,IAMMC,EALJ1G,EAAwBwF,EAA0B,CAChD3C,qBAAe4C,SAAAA,EAAK5C,qBAAiByD,EACrCrE,WAAMwD,SAAAA,EAAKxD,KACXkB,eAAUxC,SAAAA,EAAMwC,WAiBpB,OAdAiD,EAAa3B,gBAAkBiC,EAC3BnD,IACF8B,EAAYsB,IAAIpD,EAAKmD,GAGrBA,EAAeE,MACb,WACEvB,SAAmB9B,MAErB,WACE8B,SAAmB9B,OAIlBmD,KAET,CAACnD,EAAK6C,IAGFS,EAA+BhC,EACnCW,GAEEA,OACAc,EACEnC,EAAsBa,EAAMqB,SAAQ,WACxC,GAAK9C,GAAQsD,EAKb,OAAO,WAKL,GAAIT,EAAa3B,gBAEf,OAAO2B,EAAa3B,gBAGtB,GAAIoC,EAKF,OAAOA,EAGT,IAAKtD,EACH,MAAM,IAAIjB,qCAWZ,IAAMwE,EAASb,EAAM5B,IAAId,GACzB,GAAIuD,EACF,OAAOC,QAAQC,QAAQF,GAEzB,IAAMG,EAAchB,EAAM5B,YAAYd,GACtC,GAAI0D,EACF,OAAOF,QAAQG,OAAOD,EAAY5E,OAsBpC,IAAMqE,EAAiB,IAAIK,SAAQ,SAACC,EAASE,GAC3CC,YAAW,WACTZ,IAAUK,KAAKI,EAASE,KACvB,MAYL,OAVAR,EACGE,MAAK,SAACQ,GAELpB,EAAOzC,EAAK6D,aAEP,SAAChC,SAEAiC,EAAU9D,EAAM,QAAUA,EAAM,GACtC0C,EAAMU,IAAIU,EAAO1E,YAAA2E,EAAQrB,EAAM5B,IAAIgD,IAAQC,EAAI,IAAKjF,MAAO+C,QAExDsB,KAER,CAACH,EAASH,EAAcH,EAAO1C,EAAKsD,IACjCU,EAAMC,6BAAiCjE,EAAKgD,EAAS,CACzDkB,oBAAoB,IAcdL,EAA2BG,EAA3BH,KAAM/E,EAAqBkF,EAArBlF,MAAOqF,EAAcH,EAAdG,UAMrB,OALoC,MAAhCtB,EAAa3B,sBAAoC6B,IAATc,IAG1ChB,EAAa3B,qBAAkB6B,GAE1BtB,EAAMqB,SAAQ,WACnB,IAAMsB,EAAMhF,WACNyE,EAAAA,EAAS,YCpVjBQ,GAGoB,IAApB,IAAML,EAAW,GAAGM,EAAAxH,UAAAyH,OAFjBC,MAASC,MAAAH,IAAAA,OAAAI,IAAAA,EAAAJ,EAAAI,IAATF,EAASE,KAAA5H,UAAA4H,GAGZ,QAAAC,IAAAC,EAAkBJ,EAAIG,EAAAC,EAAAL,OAAAI,IAAE,CAAnB,IAAM3E,EAAG4E,EAAAD,GACR3E,KAAOqE,IACTL,EAAIhE,GAAOqE,EAAIrE,IAGnB,OAAOgE,ED4UAa,CAAKb,EAAK,YAAa,UAc5B,aAXG5G,IAAAA,EAAM0H,uBACPtD,GAAqB,IACrBY,IACC+B,GAAaxB,GAAgBC,SACdG,IAAhBqB,EAAOP,WACWd,IAAlBqB,EAAOW,aACUhC,IAAjBqB,EAAOtF,QAEPsF,EAAOP,KAAOnD,EAAqBmC,EAAcjC,GACjDwD,EAAOW,OAASrE,EAAqBmC,EAAcjC,IAE9CwD,IACN,CACDzB,EACAC,EACAiB,EACA/E,EACAqF,QACA/G,SAAAA,EAAM0H,qBACN1C,EACAS,EACAjC,IE9SJ,SAASoE,EAAiBC,GACxB,OAAOA,EAAIC,OAAM,SAAC3D,GAAC,MAAkB,iBAANA,IAAmBkD,MAAMU,QAAQ5D,MAuClE,IAAM6D,EAAY,WAAH,SAAYC,KAAKC,uJC/FRC,SACNC,EAAwCD,EAAxCC,SAAUC,EAA8BF,EAA9BE,KAAMC,EAAwBH,EAAxBG,UAAWC,EAAaJ,EAAbI,SACrC9B,EAAO7B,EAD2CuD,EAAhDlF,OAC4BjB,OAC5BsG,KACFC,GAAY,CACZ/F,SAAU,CAAE8F,UAAAA,EAAWC,SAAAA,MAIvBC,EAAWnE,EAAMqB,SACrB,WAAA,IAAA+C,EAAA,OAAAzG,KAAYmG,EAAMO,UAAOD,YAAGJ,EAAAA,EAAQ,QAAS5B,EAAIgC,MACjD,CAACN,EAAMO,QAASL,EAAM5B,IAGxB,cAAAkC,QAAOP,SAAAA,EAAWI,IAASG,EAAI,0BAGuB,CACtDN,KAAM,8BACNO,YAAa,eACbT,MAAO,CACLlF,OAAQ,CACN4F,KAAM,eACND,YAAa,QAEfP,KAAM,CACJQ,KAAM,SACND,YAAa,iBAEfR,SAAU,CACRS,KAAM,OACNC,iBAAkB,CAAC,aAErBP,SAAU,CACRM,KAAM,SACNE,UAAU,EACVH,YAAa,YACbI,YAAa,sDAEfV,UAAW,CACTO,KAAM,SACNE,UAAU,EACVH,YAAa,aACbI,YAAa,iDAGjBC,WAAY,yCACZC,WAAY,UACZC,gBAAgB,EAChBC,eAAe,8BDgDjB,SACEC,EACA1B,EACA2B,SAKMC,SAAYC,QAAG7B,SAAAA,EAAQ8B,QAAMD,EAAI,GACjCE,EDtBC,IAAI/E,ICsBe4E,EDtBRI,KAAI,SAACxF,GAAC,OAPL,WAAH,QAAAyF,EAAAlK,UAAAyH,OAAwB/D,MAAOiE,MAAAuC,GAAAC,IAAAA,EAAAD,EAAAC,IAAPzG,EAAOyG,GAAAnK,UAAAmK,GAAA,OAAQzG,EAO1B0G,CAAM3F,EAAE4F,GAAI5F,OCuBnC6F,EAAoB,IAAIC,IAChBZ,EAAuBM,KAAI,SAACO,GAAC,OAAKA,EAAEC,WDlBxCC,QAAO,SAACjG,GAAC,OAAkB,MAALA,MCoB1BkG,EAAsBhB,EAAuBiB,SAAQ,SAACJ,GAC1D,IAAKA,EAAEC,QACL,MAAO,CAAAnI,GACHY,IAAKoF,KAAgBsB,OAAkB3D,GAAeuE,IAG5D,IAAMK,EAAQb,EAAUhG,IAAIwG,EAAEC,SAG9B,OAAKI,EAIE,CAAAvI,GAEHY,IAAKoF,KACFsB,EAAkBiB,GAClBL,IAPE,MAWLM,EAAmBjB,EACtBa,QAAO,SAACF,GAAC,OAAMF,EAAkBnE,IAAIqE,EAAEH,OACvCJ,KACC,SAACO,GAAC,OAAAlI,GACAY,IAAKoF,KACFsB,EAAkBY,OAQ3B,MAAO,CAAEO,gBALSC,OAAOL,EAAwBG,GAK1BG,2BAJMD,OACxBrB,EACAmB,EAAiBb,KAAI,SAACO,GAAC,MAAM,CAAEtH,IAAKsH,EAAEtH,IAAKuH,QAASD,EAAEC,oGA7I/BS,SAC5B,GAAKA,EAAL,CAIA,IAAMC,EAWR,SAAyBD,GACvB,GAAe,MAAXA,GAAsC,iBAAZA,EAA9B,CAIA,GAAIvD,MAAMU,QAAQ6C,GAChB,OAAIhD,EAAiBgD,GACZA,OAGP,EAIJ,GAAe,MAAXA,EAAJ,CAIA,GAAI,SAAUA,GAA4C,iBAAzBA,EAAgBnE,KAC/C,OACEY,MAAMU,QAAS6C,EAAgBnE,OAC/BmB,EAAkBgD,EAAgBnE,MAE1BmE,EAAgBnE,KACU,MAAxBmE,EAAgBnE,KACnB,CAAEmE,EAAgBnE,WAEzB,EAGJ,KAAI,cAAemE,MAAW,UAAWA,GAKzC,MAAO,CAACA,KA9CUE,CAAgBF,GAClC,GAAKC,EAAL,CAGA,IAkDME,EAlDApD,SAAMqD,EAAIJ,EAAgBjD,QAAMqD,GAkDhCD,EAA2C,GAlDMF,EAmDlDI,SAAQ,SAACC,GACRA,GAA0B,iBAAVA,GAClB7D,MAAM8D,KAAKC,OAAOC,QAAQH,IAAQD,SAAQ,SAAAK,OAAEC,EAACD,KAAEE,EAACF,KACxCG,EACS,iBAAND,EACH,SACa,kBAANA,EACP,UACa,iBAANA,EACP,SACA,UAEJT,EAASQ,GADPR,EAASQ,IAAMR,EAASQ,KAAOE,EACnB,UAEAA,QAKf,CACL1B,GAAI,WACJN,OAAQ2B,OAAOC,QAAQN,GAAUpB,KAAI,SAAA+B,GAAM,MAAO,CAChD3B,GADsC2B,KAEtC7C,KAFyC6C,KAGzCC,UAAU,QA1Ed,GAAKhE,EAGL,MAAO,CAAElB,KAAMoE,EAAWlD,OAAAA,+CEFW2D,OAvBfM,EAChBC,EAuBNrD,EAAQ8C,EAAR9C,SAEAsD,EAAgBR,EAAhBQ,iBACAzD,EAAIiD,EAAJjD,KACAC,EAASgD,EAAThD,UACAC,EAAQ+C,EAAR/C,SAEM9B,EAAO7B,WHrCYsF,GACzB,IACE,OAAOA,IACP,MAAA6B,GACA,QGiC4BC,CANrBV,EAATW,WAMgDjK,OACxCsG,KACFC,GAAY,CACZ/F,SAAU,CAAE8F,UAAAA,EAAWC,SAAAA,MAGvB2D,QAAY7D,EAAAA,EAAQ,OACpB8D,GAtCgBP,EAsCOM,EArCvBL,EAAYxH,EAAM+H,YAAsBzG,GAE9CtB,EAAMgI,WAAU,WAGd,OAFAR,EAAUS,QAAUV,EAEb,WACLC,EAAUS,aAAU3G,MAIjBkG,EAAUS,SA4BjBjI,EAAMgI,WAAU,WACd,KAAMH,KAAa1D,IAAaA,EAAS0D,KAAezF,EAAM,CAAA,IAAAgC,EACtD8D,EAASvK,KACVwG,IAAQC,MACVyD,GAAYzF,EAAIgC,IAEf0D,GAAYD,IAAcC,GAAYA,KAAY3D,UAC7C+D,EAAUJ,GAEnBL,EAAiBS,MAElB,CAACL,EAAWC,EAAU1F,EAAM+B,EAAUsD,+CJoUzC7I,GACA,IAAM6B,EAAMC,gCACNyH,QAAY1H,SAAAA,EAAK5C,cAEjBuK,EAAgBpI,EAAMqI,YAAW/M,EAAAC,IAAAC,MAAC,SAAA8M,IAAA,IAAAC,EAAA,OAAAhN,IAAAM,eAAA2M,GAAA,cAAAA,EAAAzM,KAAAyM,EAAAxM,MAAA,OAChB,OAAhBuM,aAAgB,IAAAE,EAAAnN,EAAAC,IAAAC,MAAG,SAAAkB,IAAA,IAAAgM,EAAA,OAAAnN,IAAAM,eAAAkB,GAAA,cAAAA,EAAAhB,KAAAgB,EAAAf,MAAA,OACe,GAAhC0M,EAAWvI,EAAcvB,IAClB7B,EAAAf,OAAA,MAAA,OAAAe,EAAAX,gBACJ,MAAI,OAAA,IACFyD,EAAmC6I,IAAS3L,EAAAf,QAAA,MAAA,OAAAe,EAAAf,OAI/C0M,EAAQ,OAAA,OAAA3L,EAAAX,gBACPmM,KAAkB,QAAA,OAAAxL,EAAAX,gBAElBsM,GAAQ,QAAA,UAAA,OAAA3L,EAAAT,UAAAI,OAElB,kBAbqB,OAAA+L,EAAArN,WAAAC,eAAAmN,EAAAxM,OAcTuM,IAAkB,OAAA,OAAAC,EAAApM,gBAAAoM,EAAAnM,MAAA,OAAA,UAAA,OAAAmM,EAAAlM,UAAAgM,OAC9B,CAAC1J,IAEJ,OAAOoB,EAAMqI,YAAW/M,EAAAC,IAAAC,MAAC,SAAAmN,IAAA,IAAAC,EAAAC,EAAAtL,EAAAU,EAAAC,EAAA,OAAA3C,IAAAM,eAAAiN,GAAA,cAAAA,EAAA/M,KAAA+M,EAAA9M,MAAA,OAAA,OAAA8M,EAAA9M,OACqBoM,IAAe,OAAA,GAAAU,EAAAC,GAAAH,EAAAE,EAAAzM,WAAAyM,EAAAC,IAAAD,EAAA9M,OAAA,MAAA8M,EAAAE,GAAAJ,EAAAE,EAAA9M,OAAA,MAAA,OAAA8M,EAAAE,GAAK,GAAE,OAAlC,GAAd/K,GAAgD4K,EAAAC,EAAAE,IAAhD/K,KAAMC,EAAQ2K,EAAR3K,UAAhBX,EAAQsL,EAARtL,WAEUU,GAAI6K,EAAA9M,QAAA,MAAA,OAAA8M,EAAA1M,qBACbkF,GAAS,QAAA,OAAAwH,EAAA1M,gBAGXpB,EACL,CAAEuC,SAAAA,EAAUU,KAAAA,EAAMC,SAAAA,GAClB,CACEL,cAAesK,QAAa7G,EAC5BrE,WAAMwD,SAAAA,EAAKxD,QAEd,QAAA,UAAA,OAAA6L,EAAAxM,UAAAqM,OACA,CAACP,EAAeD"}
|
package/dist/data-sources.esm.js
CHANGED
|
@@ -352,11 +352,13 @@ function _extends() {
|
|
|
352
352
|
return _extends.apply(this, arguments);
|
|
353
353
|
}
|
|
354
354
|
|
|
355
|
-
var _executePlasmicDataOp2, _executePlasmicDataOp3;
|
|
356
355
|
var DEFAULT_HOST = 'https://data.plasmic.app';
|
|
357
356
|
var UNAUTHORIZED_MESSAGE = 'You do not have permission to perform this operation. Login to get access or contact the app owner to get access.';
|
|
358
357
|
function executePlasmicDataOp(_x, _x2) {
|
|
359
|
-
return
|
|
358
|
+
return _executePlasmicDataOp2.apply(this, arguments);
|
|
359
|
+
}
|
|
360
|
+
function _executePlasmicDataOp2() {
|
|
361
|
+
_executePlasmicDataOp2 = _asyncToGenerator( /*#__PURE__*/_regeneratorRuntime().mark(function _callee(op, opts) {
|
|
360
362
|
var func, res;
|
|
361
363
|
return _regeneratorRuntime().wrap(function _callee$(_context) {
|
|
362
364
|
while (1) switch (_context.prev = _context.next) {
|
|
@@ -372,10 +374,14 @@ function executePlasmicDataOp(_x, _x2) {
|
|
|
372
374
|
return _context.stop();
|
|
373
375
|
}
|
|
374
376
|
}, _callee);
|
|
375
|
-
}))
|
|
377
|
+
}));
|
|
378
|
+
return _executePlasmicDataOp2.apply(this, arguments);
|
|
376
379
|
}
|
|
377
380
|
function _executePlasmicDataOp(_x3, _x4) {
|
|
378
|
-
return
|
|
381
|
+
return _executePlasmicDataOp3.apply(this, arguments);
|
|
382
|
+
}
|
|
383
|
+
function _executePlasmicDataOp3() {
|
|
384
|
+
_executePlasmicDataOp3 = _asyncToGenerator( /*#__PURE__*/_regeneratorRuntime().mark(function _callee2(op, opts) {
|
|
379
385
|
var _op$userArgs;
|
|
380
386
|
var host, url, resp, text;
|
|
381
387
|
return _regeneratorRuntime().wrap(function _callee2$(_context2) {
|
|
@@ -429,7 +435,8 @@ function _executePlasmicDataOp(_x3, _x4) {
|
|
|
429
435
|
return _context2.stop();
|
|
430
436
|
}
|
|
431
437
|
}, _callee2);
|
|
432
|
-
}))
|
|
438
|
+
}));
|
|
439
|
+
return _executePlasmicDataOp3.apply(this, arguments);
|
|
433
440
|
}
|
|
434
441
|
function getConfig(key, defaultValue) {
|
|
435
442
|
if (typeof globalThis === 'undefined') {
|
|
@@ -556,9 +563,9 @@ function usePlasmicDataOp(dataOp, opts) {
|
|
|
556
563
|
var resolvedDataOp = resolveDataOp(dataOp);
|
|
557
564
|
var ctx = usePlasmicDataSourceContext();
|
|
558
565
|
var enableLoadingBoundary = !!(useDataEnv != null && (_ph$useDataEnv = useDataEnv()) != null && _ph$useDataEnv[enableLoadingBoundaryKey]);
|
|
559
|
-
var
|
|
560
|
-
mutate =
|
|
561
|
-
cache =
|
|
566
|
+
var _usePlasmicDataConfig2 = usePlasmicDataConfig(),
|
|
567
|
+
mutate = _usePlasmicDataConfig2.mutate,
|
|
568
|
+
cache = _usePlasmicDataConfig2.cache;
|
|
562
569
|
// Cannot perform this operation
|
|
563
570
|
var isNullDataOp = !resolvedDataOp;
|
|
564
571
|
// This operation depends on another data query to resolve first
|
|
@@ -693,14 +700,7 @@ function usePlasmicDataOp(dataOp, opts) {
|
|
|
693
700
|
};
|
|
694
701
|
}, [fetcher, fetchingData, cache, key, dependentKeyDataErrorPromise]);
|
|
695
702
|
var res = useMutablePlasmicQueryData(key, fetcher, {
|
|
696
|
-
shouldRetryOnError: false
|
|
697
|
-
// If revalidateIfStale is true, then if there's a cache entry with a key,
|
|
698
|
-
// but no mounted hook with that key yet, and when the hook mounts with the key,
|
|
699
|
-
// swr will revalidate. This may be reasonable behavior, but for us, this
|
|
700
|
-
// happens all the time -- we prepopulate the cache with proxy-invoked fetch,
|
|
701
|
-
// sometimes before swr had a chance to run the effect. So we turn off
|
|
702
|
-
// revalidateIfStale here, and just let the user manage invalidation.
|
|
703
|
-
revalidateIfStale: false
|
|
703
|
+
shouldRetryOnError: false
|
|
704
704
|
});
|
|
705
705
|
var data = res.data,
|
|
706
706
|
error = res.error,
|
|
@@ -722,83 +722,85 @@ function usePlasmicDataOp(dataOp, opts) {
|
|
|
722
722
|
function usePlasmicDataMutationOp(dataOp) {
|
|
723
723
|
var ctx = usePlasmicDataSourceContext();
|
|
724
724
|
var userToken = ctx == null ? void 0 : ctx.userAuthToken;
|
|
725
|
-
var getRealDataOp = React.useCallback( /*#__PURE__*/_asyncToGenerator( /*#__PURE__*/_regeneratorRuntime().mark(function
|
|
726
|
-
var _ref2;
|
|
725
|
+
var getRealDataOp = React.useCallback( /*#__PURE__*/_asyncToGenerator( /*#__PURE__*/_regeneratorRuntime().mark(function _callee3() {
|
|
727
726
|
var tryGetRealDataOp;
|
|
728
|
-
return _regeneratorRuntime().wrap(function
|
|
729
|
-
while (1) switch (
|
|
727
|
+
return _regeneratorRuntime().wrap(function _callee3$(_context3) {
|
|
728
|
+
while (1) switch (_context3.prev = _context3.next) {
|
|
730
729
|
case 0:
|
|
731
|
-
tryGetRealDataOp = function
|
|
732
|
-
|
|
730
|
+
tryGetRealDataOp = /*#__PURE__*/function () {
|
|
731
|
+
var _ref3 = _asyncToGenerator( /*#__PURE__*/_regeneratorRuntime().mark(function _callee2() {
|
|
733
732
|
var resolved;
|
|
734
|
-
return _regeneratorRuntime().wrap(function
|
|
735
|
-
while (1) switch (
|
|
733
|
+
return _regeneratorRuntime().wrap(function _callee2$(_context2) {
|
|
734
|
+
while (1) switch (_context2.prev = _context2.next) {
|
|
736
735
|
case 0:
|
|
737
736
|
resolved = resolveDataOp(dataOp);
|
|
738
737
|
if (resolved) {
|
|
739
|
-
|
|
738
|
+
_context2.next = 5;
|
|
740
739
|
break;
|
|
741
740
|
}
|
|
742
|
-
return
|
|
741
|
+
return _context2.abrupt("return", null);
|
|
743
742
|
case 5:
|
|
744
743
|
if (!isPlasmicUndefinedDataErrorPromise(resolved)) {
|
|
745
|
-
|
|
744
|
+
_context2.next = 11;
|
|
746
745
|
break;
|
|
747
746
|
}
|
|
748
|
-
|
|
747
|
+
_context2.next = 8;
|
|
749
748
|
return resolved;
|
|
750
749
|
case 8:
|
|
751
|
-
return
|
|
750
|
+
return _context2.abrupt("return", tryGetRealDataOp());
|
|
752
751
|
case 11:
|
|
753
|
-
return
|
|
752
|
+
return _context2.abrupt("return", resolved);
|
|
754
753
|
case 12:
|
|
755
754
|
case "end":
|
|
756
|
-
return
|
|
755
|
+
return _context2.stop();
|
|
757
756
|
}
|
|
758
|
-
},
|
|
759
|
-
}))
|
|
760
|
-
|
|
761
|
-
|
|
757
|
+
}, _callee2);
|
|
758
|
+
}));
|
|
759
|
+
return function tryGetRealDataOp() {
|
|
760
|
+
return _ref3.apply(this, arguments);
|
|
761
|
+
};
|
|
762
|
+
}();
|
|
763
|
+
_context3.next = 3;
|
|
762
764
|
return tryGetRealDataOp();
|
|
763
765
|
case 3:
|
|
764
|
-
return
|
|
766
|
+
return _context3.abrupt("return", _context3.sent);
|
|
765
767
|
case 4:
|
|
766
768
|
case "end":
|
|
767
|
-
return
|
|
769
|
+
return _context3.stop();
|
|
768
770
|
}
|
|
769
|
-
},
|
|
771
|
+
}, _callee3);
|
|
770
772
|
})), [dataOp]);
|
|
771
|
-
return React.useCallback( /*#__PURE__*/_asyncToGenerator( /*#__PURE__*/_regeneratorRuntime().mark(function
|
|
773
|
+
return React.useCallback( /*#__PURE__*/_asyncToGenerator( /*#__PURE__*/_regeneratorRuntime().mark(function _callee4() {
|
|
772
774
|
var _yield$getRealDataOp;
|
|
773
|
-
var
|
|
774
|
-
return _regeneratorRuntime().wrap(function
|
|
775
|
-
while (1) switch (
|
|
775
|
+
var _ref5, sourceId, opId, userArgs;
|
|
776
|
+
return _regeneratorRuntime().wrap(function _callee4$(_context4) {
|
|
777
|
+
while (1) switch (_context4.prev = _context4.next) {
|
|
776
778
|
case 0:
|
|
777
|
-
|
|
779
|
+
_context4.next = 2;
|
|
778
780
|
return getRealDataOp();
|
|
779
781
|
case 2:
|
|
780
|
-
|
|
781
|
-
if (!(
|
|
782
|
-
|
|
782
|
+
_context4.t0 = _yield$getRealDataOp = _context4.sent;
|
|
783
|
+
if (!(_context4.t0 != null)) {
|
|
784
|
+
_context4.next = 7;
|
|
783
785
|
break;
|
|
784
786
|
}
|
|
785
|
-
|
|
786
|
-
|
|
787
|
+
_context4.t1 = _yield$getRealDataOp;
|
|
788
|
+
_context4.next = 8;
|
|
787
789
|
break;
|
|
788
790
|
case 7:
|
|
789
|
-
|
|
791
|
+
_context4.t1 = {};
|
|
790
792
|
case 8:
|
|
791
|
-
|
|
792
|
-
sourceId =
|
|
793
|
-
opId =
|
|
794
|
-
userArgs =
|
|
793
|
+
_ref5 = _context4.t1;
|
|
794
|
+
sourceId = _ref5.sourceId;
|
|
795
|
+
opId = _ref5.opId;
|
|
796
|
+
userArgs = _ref5.userArgs;
|
|
795
797
|
if (!(!sourceId || !opId)) {
|
|
796
|
-
|
|
798
|
+
_context4.next = 14;
|
|
797
799
|
break;
|
|
798
800
|
}
|
|
799
|
-
return
|
|
801
|
+
return _context4.abrupt("return", undefined);
|
|
800
802
|
case 14:
|
|
801
|
-
return
|
|
803
|
+
return _context4.abrupt("return", executePlasmicDataOp({
|
|
802
804
|
sourceId: sourceId,
|
|
803
805
|
opId: opId,
|
|
804
806
|
userArgs: userArgs
|
|
@@ -808,9 +810,9 @@ function usePlasmicDataMutationOp(dataOp) {
|
|
|
808
810
|
}));
|
|
809
811
|
case 15:
|
|
810
812
|
case "end":
|
|
811
|
-
return
|
|
813
|
+
return _context4.stop();
|
|
812
814
|
}
|
|
813
|
-
},
|
|
815
|
+
}, _callee4);
|
|
814
816
|
})), [getRealDataOp, userToken]);
|
|
815
817
|
}
|
|
816
818
|
|