payload 3.71.0-internal.e36f916 → 3.71.0-internal.ef75fa0
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/index.bundled.d.ts +112 -93
- package/dist/index.d.ts +51 -93
- package/dist/index.d.ts.map +1 -1
- package/dist/index.js +1 -1
- package/dist/index.js.map +1 -1
- package/dist/queues/config/collection.d.ts.map +1 -1
- package/dist/queues/config/collection.js +22 -1
- package/dist/queues/config/collection.js.map +1 -1
- package/dist/queues/config/types/index.d.ts +12 -0
- package/dist/queues/config/types/index.d.ts.map +1 -1
- package/dist/queues/config/types/index.js.map +1 -1
- package/dist/queues/config/types/taskTypes.d.ts +8 -1
- package/dist/queues/config/types/taskTypes.d.ts.map +1 -1
- package/dist/queues/config/types/taskTypes.js.map +1 -1
- package/dist/queues/config/types/workflowTypes.d.ts +42 -0
- package/dist/queues/config/types/workflowTypes.d.ts.map +1 -1
- package/dist/queues/config/types/workflowTypes.js.map +1 -1
- package/dist/queues/localAPI.d.ts +12 -0
- package/dist/queues/localAPI.d.ts.map +1 -1
- package/dist/queues/localAPI.js +97 -0
- package/dist/queues/localAPI.js.map +1 -1
- package/dist/queues/operations/runJobs/index.d.ts.map +1 -1
- package/dist/queues/operations/runJobs/index.js +108 -1
- package/dist/queues/operations/runJobs/index.js.map +1 -1
- package/package.json +2 -2
package/dist/index.bundled.d.ts
CHANGED
|
@@ -4534,6 +4534,13 @@ type RetryConfig = {
|
|
|
4534
4534
|
shouldRestore?: boolean | ShouldRestoreFn;
|
|
4535
4535
|
};
|
|
4536
4536
|
type TaskConfig<TTaskSlugOrInputOutput extends keyof TypedJobs['tasks'] | TaskInputOutput = TaskType> = {
|
|
4537
|
+
/**
|
|
4538
|
+
* Job concurrency controls for preventing race conditions.
|
|
4539
|
+
*
|
|
4540
|
+
* Can be an object with full options, or a shorthand function that just returns the key
|
|
4541
|
+
* (in which case exclusive defaults to true).
|
|
4542
|
+
*/
|
|
4543
|
+
concurrency?: ConcurrencyConfig<TTaskSlugOrInputOutput extends keyof TypedJobs['tasks'] ? TypedJobs['tasks'][TTaskSlugOrInputOutput]['input'] : TTaskSlugOrInputOutput extends TaskInputOutput ? TTaskSlugOrInputOutput['input'] : object>;
|
|
4537
4544
|
/**
|
|
4538
4545
|
* The function that should be responsible for running the job.
|
|
4539
4546
|
* You can either pass a string-based path to the job function file, or the job function itself.
|
|
@@ -4644,6 +4651,10 @@ type JobLog = {
|
|
|
4644
4651
|
*/
|
|
4645
4652
|
type BaseJob<TWorkflowSlugOrInput extends false | keyof TypedJobs['workflows'] | object = false> = {
|
|
4646
4653
|
completedAt?: null | string;
|
|
4654
|
+
/**
|
|
4655
|
+
* Used for concurrency control. Jobs with the same key are subject to exclusive/supersedes rules.
|
|
4656
|
+
*/
|
|
4657
|
+
concurrencyKey?: null | string;
|
|
4647
4658
|
createdAt: string;
|
|
4648
4659
|
error?: unknown;
|
|
4649
4660
|
hasError?: boolean;
|
|
@@ -4701,7 +4712,45 @@ type JobTaskStatus = {
|
|
|
4701
4712
|
[taskID: string]: SingleTaskStatus<taskSlug>;
|
|
4702
4713
|
};
|
|
4703
4714
|
};
|
|
4715
|
+
/**
|
|
4716
|
+
* Concurrency configuration for workflows and tasks.
|
|
4717
|
+
* Controls how jobs with the same concurrency key are handled.
|
|
4718
|
+
*/
|
|
4719
|
+
type ConcurrencyConfig<TInput = object> = ((args: {
|
|
4720
|
+
input: TInput;
|
|
4721
|
+
queue: string;
|
|
4722
|
+
}) => string) | {
|
|
4723
|
+
/**
|
|
4724
|
+
* Only one job with this key can run at a time.
|
|
4725
|
+
* Other jobs with the same key remain queued until the running job completes.
|
|
4726
|
+
* @default true
|
|
4727
|
+
*/
|
|
4728
|
+
exclusive?: boolean;
|
|
4729
|
+
/**
|
|
4730
|
+
* Function that returns a key to group related jobs.
|
|
4731
|
+
* Jobs with the same key are subject to concurrency rules.
|
|
4732
|
+
* The queue name is provided to allow for queue-specific concurrency keys if needed.
|
|
4733
|
+
*/
|
|
4734
|
+
key: (args: {
|
|
4735
|
+
input: TInput;
|
|
4736
|
+
queue: string;
|
|
4737
|
+
}) => string;
|
|
4738
|
+
/**
|
|
4739
|
+
* When a new job is queued, delete older pending (not yet running) jobs with the same key.
|
|
4740
|
+
* Already-running jobs are not affected.
|
|
4741
|
+
* Useful when only the latest state matters (e.g., regenerating data after multiple rapid edits).
|
|
4742
|
+
* @default false
|
|
4743
|
+
*/
|
|
4744
|
+
supersedes?: boolean;
|
|
4745
|
+
};
|
|
4704
4746
|
type WorkflowConfig<TWorkflowSlugOrInput extends false | keyof TypedJobs['workflows'] | object = false> = {
|
|
4747
|
+
/**
|
|
4748
|
+
* Job concurrency controls for preventing race conditions.
|
|
4749
|
+
*
|
|
4750
|
+
* Can be an object with full options, or a shorthand function that just returns the key
|
|
4751
|
+
* (in which case exclusive defaults to true).
|
|
4752
|
+
*/
|
|
4753
|
+
concurrency?: ConcurrencyConfig<TWorkflowSlugOrInput extends false ? object : TWorkflowSlugOrInput extends keyof TypedJobs['workflows'] ? TypedJobs['workflows'][TWorkflowSlugOrInput]['input'] : TWorkflowSlugOrInput>;
|
|
4705
4754
|
/**
|
|
4706
4755
|
* You can either pass a string-based path to the workflow function file, or the workflow function itself.
|
|
4707
4756
|
*
|
|
@@ -4917,6 +4966,18 @@ type JobsConfig = {
|
|
|
4917
4966
|
* @deprecated - this will be removed in 4.0
|
|
4918
4967
|
*/
|
|
4919
4968
|
depth?: number;
|
|
4969
|
+
/**
|
|
4970
|
+
* Enable concurrency controls for workflows and tasks.
|
|
4971
|
+
* When enabled, adds a `concurrencyKey` field to the jobs collection schema.
|
|
4972
|
+
* This allows workflows and tasks to use the `concurrency` option to prevent race conditions.
|
|
4973
|
+
*
|
|
4974
|
+
* **Important:** Enabling this may require a database migration depending on your database adapter,
|
|
4975
|
+
* as it adds a new indexed field to the jobs collection schema.
|
|
4976
|
+
*
|
|
4977
|
+
* @default false
|
|
4978
|
+
* @todo In 4.0, this will default to `true`.
|
|
4979
|
+
*/
|
|
4980
|
+
enableConcurrencyControl?: boolean;
|
|
4920
4981
|
/**
|
|
4921
4982
|
* Override any settings on the default Jobs collection. Accepts the default collection and allows you to return
|
|
4922
4983
|
* a new collection.
|
|
@@ -12720,19 +12781,8 @@ type SchedulePublishTaskInput = {
|
|
|
12720
12781
|
*/
|
|
12721
12782
|
declare function deepMergeSimple<T = object>(obj1: object, obj2: object): T;
|
|
12722
12783
|
|
|
12723
|
-
|
|
12724
|
-
|
|
12725
|
-
* Used in generic constraints to allow both:
|
|
12726
|
-
* 1. PayloadTypes (module-augmented) to satisfy it
|
|
12727
|
-
* 2. Config (from payload-types.ts with typed properties) to satisfy it
|
|
12728
|
-
*/
|
|
12729
|
-
type PayloadTypesShape = object;
|
|
12730
|
-
/**
|
|
12731
|
-
* Untyped fallback types. Uses the SAME property names as generated types.
|
|
12732
|
-
* PayloadTypes merges GeneratedTypes with these fallbacks.
|
|
12733
|
-
*/
|
|
12734
|
-
interface UntypedPayloadTypes {
|
|
12735
|
-
auth: {
|
|
12784
|
+
interface GeneratedTypes {
|
|
12785
|
+
authUntyped: {
|
|
12736
12786
|
[slug: string]: {
|
|
12737
12787
|
forgotPassword: {
|
|
12738
12788
|
email: string;
|
|
@@ -12750,31 +12800,31 @@ interface UntypedPayloadTypes {
|
|
|
12750
12800
|
};
|
|
12751
12801
|
};
|
|
12752
12802
|
};
|
|
12753
|
-
|
|
12803
|
+
blocksUntyped: {
|
|
12754
12804
|
[slug: string]: JsonObject;
|
|
12755
12805
|
};
|
|
12756
|
-
|
|
12757
|
-
[slug: string]: JsonObject & TypeWithID;
|
|
12758
|
-
};
|
|
12759
|
-
collectionsJoins: {
|
|
12806
|
+
collectionsJoinsUntyped: {
|
|
12760
12807
|
[slug: string]: {
|
|
12761
|
-
[schemaPath: string]:
|
|
12808
|
+
[schemaPath: string]: CollectionSlug;
|
|
12762
12809
|
};
|
|
12763
12810
|
};
|
|
12764
|
-
|
|
12811
|
+
collectionsSelectUntyped: {
|
|
12765
12812
|
[slug: string]: SelectType;
|
|
12766
12813
|
};
|
|
12767
|
-
|
|
12768
|
-
|
|
12814
|
+
collectionsUntyped: {
|
|
12815
|
+
[slug: string]: JsonObject & TypeWithID;
|
|
12769
12816
|
};
|
|
12770
|
-
|
|
12771
|
-
|
|
12772
|
-
[slug: string]: JsonObject;
|
|
12817
|
+
dbUntyped: {
|
|
12818
|
+
defaultIDType: number | string;
|
|
12773
12819
|
};
|
|
12774
|
-
|
|
12820
|
+
fallbackLocaleUntyped: 'false' | 'none' | 'null' | ({} & string)[] | ({} & string) | false | null;
|
|
12821
|
+
globalsSelectUntyped: {
|
|
12775
12822
|
[slug: string]: SelectType;
|
|
12776
12823
|
};
|
|
12777
|
-
|
|
12824
|
+
globalsUntyped: {
|
|
12825
|
+
[slug: string]: JsonObject;
|
|
12826
|
+
};
|
|
12827
|
+
jobsUntyped: {
|
|
12778
12828
|
tasks: {
|
|
12779
12829
|
[slug: string]: {
|
|
12780
12830
|
input?: JsonObject;
|
|
@@ -12787,68 +12837,45 @@ interface UntypedPayloadTypes {
|
|
|
12787
12837
|
};
|
|
12788
12838
|
};
|
|
12789
12839
|
};
|
|
12790
|
-
|
|
12791
|
-
|
|
12840
|
+
localeUntyped: null | string;
|
|
12841
|
+
userUntyped: UntypedUser;
|
|
12792
12842
|
}
|
|
12793
|
-
|
|
12794
|
-
|
|
12795
|
-
|
|
12796
|
-
|
|
12797
|
-
|
|
12798
|
-
|
|
12799
|
-
|
|
12800
|
-
|
|
12801
|
-
|
|
12802
|
-
|
|
12803
|
-
/**
|
|
12804
|
-
* PayloadTypes merges GeneratedTypes with UntypedPayloadTypes.
|
|
12805
|
-
* - When augmented: uses augmented properties, fills gaps with untyped fallbacks
|
|
12806
|
-
* - When not augmented: uses UntypedPayloadTypes entirely
|
|
12807
|
-
*
|
|
12808
|
-
* This pattern is similar to the Job type - it automatically resolves to the right type.
|
|
12809
|
-
*/
|
|
12810
|
-
type PayloadTypes = IsAugmented extends true ? GeneratedTypes & Omit<UntypedPayloadTypes, keyof GeneratedTypes> : UntypedPayloadTypes;
|
|
12811
|
-
type TypedCollection<TPayloadTypes extends PayloadTypesShape = PayloadTypes> = TPayloadTypes extends {
|
|
12812
|
-
collections: infer C;
|
|
12813
|
-
} ? C : UntypedPayloadTypes['collections'];
|
|
12814
|
-
type TypedBlock = PayloadTypes['blocks'];
|
|
12815
|
-
type TypedUploadCollection<TPayloadTypes extends PayloadTypesShape = PayloadTypes> = NonNever<{
|
|
12816
|
-
[TCollectionSlug in keyof TypedCollection<TPayloadTypes>]: 'filename' | 'filesize' | 'mimeType' | 'url' extends keyof TypedCollection<TPayloadTypes>[TCollectionSlug] ? TypedCollection<TPayloadTypes>[TCollectionSlug] : never;
|
|
12843
|
+
type ResolveCollectionType<T> = 'collections' extends keyof T ? T['collections'] : T['collectionsUntyped'];
|
|
12844
|
+
type ResolveBlockType<T> = 'blocks' extends keyof T ? T['blocks'] : T['blocksUntyped'];
|
|
12845
|
+
type ResolveCollectionSelectType<T> = 'collectionsSelect' extends keyof T ? T['collectionsSelect'] : T['collectionsSelectUntyped'];
|
|
12846
|
+
type ResolveCollectionJoinsType<T> = 'collectionsJoins' extends keyof T ? T['collectionsJoins'] : T['collectionsJoinsUntyped'];
|
|
12847
|
+
type ResolveGlobalType<T> = 'globals' extends keyof T ? T['globals'] : T['globalsUntyped'];
|
|
12848
|
+
type ResolveGlobalSelectType<T> = 'globalsSelect' extends keyof T ? T['globalsSelect'] : T['globalsSelectUntyped'];
|
|
12849
|
+
type TypedCollection = ResolveCollectionType<GeneratedTypes>;
|
|
12850
|
+
type TypedBlock = ResolveBlockType<GeneratedTypes>;
|
|
12851
|
+
type TypedUploadCollection = NonNever<{
|
|
12852
|
+
[K in keyof TypedCollection]: 'filename' | 'filesize' | 'mimeType' | 'url' extends keyof TypedCollection[K] ? TypedCollection[K] : never;
|
|
12817
12853
|
}>;
|
|
12818
|
-
type TypedCollectionSelect
|
|
12819
|
-
|
|
12820
|
-
|
|
12821
|
-
type
|
|
12822
|
-
collectionsJoins: infer C;
|
|
12823
|
-
} ? C : UntypedPayloadTypes['collectionsJoins'];
|
|
12824
|
-
type TypedGlobal<TPayloadTypes extends PayloadTypesShape = PayloadTypes> = TPayloadTypes extends {
|
|
12825
|
-
globals: infer G;
|
|
12826
|
-
} ? G : UntypedPayloadTypes['globals'];
|
|
12827
|
-
type TypedGlobalSelect<TPayloadTypes extends PayloadTypesShape = PayloadTypes> = TPayloadTypes extends {
|
|
12828
|
-
globalsSelect: infer G;
|
|
12829
|
-
} ? G : UntypedPayloadTypes['globalsSelect'];
|
|
12854
|
+
type TypedCollectionSelect = ResolveCollectionSelectType<GeneratedTypes>;
|
|
12855
|
+
type TypedCollectionJoins = ResolveCollectionJoinsType<GeneratedTypes>;
|
|
12856
|
+
type TypedGlobal = ResolveGlobalType<GeneratedTypes>;
|
|
12857
|
+
type TypedGlobalSelect = ResolveGlobalSelectType<GeneratedTypes>;
|
|
12830
12858
|
type StringKeyOf<T> = Extract<keyof T, string>;
|
|
12831
|
-
type CollectionSlug
|
|
12859
|
+
type CollectionSlug = StringKeyOf<TypedCollection>;
|
|
12832
12860
|
type BlockSlug = StringKeyOf<TypedBlock>;
|
|
12833
|
-
type UploadCollectionSlug
|
|
12834
|
-
type
|
|
12835
|
-
type
|
|
12836
|
-
type
|
|
12837
|
-
|
|
12838
|
-
|
|
12839
|
-
type
|
|
12861
|
+
type UploadCollectionSlug = StringKeyOf<TypedUploadCollection>;
|
|
12862
|
+
type ResolveDbType<T> = 'db' extends keyof T ? T['db'] : T['dbUntyped'];
|
|
12863
|
+
type DefaultDocumentIDType = ResolveDbType<GeneratedTypes>['defaultIDType'];
|
|
12864
|
+
type GlobalSlug = StringKeyOf<TypedGlobal>;
|
|
12865
|
+
type ResolveLocaleType<T> = 'locale' extends keyof T ? T['locale'] : T['localeUntyped'];
|
|
12866
|
+
type ResolveFallbackLocaleType<T> = 'fallbackLocale' extends keyof T ? T['fallbackLocale'] : T['fallbackLocaleUntyped'];
|
|
12867
|
+
type ResolveUserType<T> = 'user' extends keyof T ? T['user'] : T['userUntyped'];
|
|
12868
|
+
type TypedLocale = ResolveLocaleType<GeneratedTypes>;
|
|
12869
|
+
type TypedFallbackLocale = ResolveFallbackLocaleType<GeneratedTypes>;
|
|
12840
12870
|
/**
|
|
12841
12871
|
* @todo rename to `User` in 4.0
|
|
12842
12872
|
*/
|
|
12843
|
-
type TypedUser =
|
|
12844
|
-
type
|
|
12845
|
-
|
|
12846
|
-
|
|
12847
|
-
type
|
|
12848
|
-
type
|
|
12849
|
-
type HasPayloadJobsType = GeneratedTypes extends {
|
|
12850
|
-
collections: infer C;
|
|
12851
|
-
} ? 'payload-jobs' extends keyof C ? true : false : false;
|
|
12873
|
+
type TypedUser = ResolveUserType<GeneratedTypes>;
|
|
12874
|
+
type ResolveAuthOperationsType<T> = 'auth' extends keyof T ? T['auth'] : T['authUntyped'];
|
|
12875
|
+
type TypedAuthOperations = ResolveAuthOperationsType<GeneratedTypes>;
|
|
12876
|
+
type ResolveJobOperationsType<T> = 'jobs' extends keyof T ? T['jobs'] : T['jobsUntyped'];
|
|
12877
|
+
type TypedJobs = ResolveJobOperationsType<GeneratedTypes>;
|
|
12878
|
+
type HasPayloadJobsType = 'collections' extends keyof GeneratedTypes ? 'payload-jobs' extends keyof TypedCollection ? true : false : false;
|
|
12852
12879
|
/**
|
|
12853
12880
|
* Represents a job in the `payload-jobs` collection, referencing a queued workflow or task (= Job).
|
|
12854
12881
|
* If a generated type for the `payload-jobs` collection is not available, falls back to the BaseJob type.
|
|
@@ -12922,7 +12949,7 @@ declare class BasePayload {
|
|
|
12922
12949
|
*/
|
|
12923
12950
|
find: <TSlug extends CollectionSlug, TSelect extends SelectFromCollectionSlug<TSlug>, TDraft extends boolean = false>(options: {
|
|
12924
12951
|
draft?: TDraft;
|
|
12925
|
-
} & Options$a<TSlug, TSelect>) => Promise<PaginatedDocs<TDraft extends true ?
|
|
12952
|
+
} & Options$a<TSlug, TSelect>) => Promise<PaginatedDocs<TDraft extends true ? GeneratedTypes extends {
|
|
12926
12953
|
strictDraftTypes: true;
|
|
12927
12954
|
} ? DraftTransformCollectionWithSelect<TSlug, TSelect> : TransformCollectionWithSelect<TSlug, TSelect> : TransformCollectionWithSelect<TSlug, TSelect>>>;
|
|
12928
12955
|
/**
|
|
@@ -13005,15 +13032,7 @@ declare class BasePayload {
|
|
|
13005
13032
|
}) => Promise<ReturnType<typeof runJobs>>;
|
|
13006
13033
|
runByID: (args: {
|
|
13007
13034
|
id: number | string;
|
|
13008
|
-
overrideAccess
|
|
13009
|
-
/**
|
|
13010
|
-
* Interface to be module-augmented by the `payload-types.ts` file.
|
|
13011
|
-
* When augmented, its properties take precedence over UntypedPayloadTypes.
|
|
13012
|
-
*/
|
|
13013
|
-
? /**
|
|
13014
|
-
* Interface to be module-augmented by the `payload-types.ts` file.
|
|
13015
|
-
* When augmented, its properties take precedence over UntypedPayloadTypes.
|
|
13016
|
-
*/: boolean;
|
|
13035
|
+
overrideAccess?: boolean;
|
|
13017
13036
|
req?: PayloadRequest;
|
|
13018
13037
|
silent?: RunJobsSilent;
|
|
13019
13038
|
}) => Promise<ReturnType<typeof runJobs>>;
|
|
@@ -13136,4 +13155,4 @@ interface GlobalAdminCustom extends Record<string, any> {
|
|
|
13136
13155
|
}
|
|
13137
13156
|
|
|
13138
13157
|
export { APIError, APIErrorName, Action, AuthenticationError, BasePayload, DatabaseKVAdapter, DiffMethod, DuplicateCollection, DuplicateFieldName, DuplicateGlobal, EntityType, ErrorDeletingFile, FileRetrievalError, FileUploadError, Forbidden, InMemoryKVAdapter, InvalidConfiguration, InvalidFieldName, InvalidFieldRelationship, JWTAuthentication, JobCancelledError, Locked, LockedAuth, MissingCollectionLabel, MissingEditorProp, MissingFieldInputOptions, MissingFieldType, MissingFile, NotFound, QueryError, UnauthorizedError, UnverifiedEmail, ValidationError, ValidationErrorName, _internal_jobSystemGlobals, _internal_resetJobSystemGlobals, _internal_safeFetchGlobal, accessOperation, addDataAndFileToRequest, addLocalesToRequestFromData, traverseFields$4 as afterChangeTraverseFields, promise as afterReadPromise, traverseFields$3 as afterReadTraverseFields, appendVersionToQueryKey, apiKeyFields as baseAPIKeyFields, accountLockFields as baseAccountLockFields, baseAuthFields, baseBlockFields, emailFieldConfig as baseEmailField, baseIDField, sessionsFieldConfig as baseSessionsField, usernameFieldConfig as baseUsernameField, verificationFields as baseVerificationFields, traverseFields$2 as beforeChangeTraverseFields, traverseFields$1 as beforeValidateTraverseFields, buildConfig, buildVersionCollectionFields, buildVersionCompoundIndexes, buildVersionGlobalFields, canAccessAdmin, checkDependencies, checkLoginPermission, combineQueries, commitTransaction, configToJSONSchema, countOperation, countRunnableOrActiveJobsForQueue, createArrayFromCommaDelineated, createClientCollectionConfig, createClientCollectionConfigs, createClientConfig, createClientField, createClientFields, createClientGlobalConfig, createClientGlobalConfigs, createDatabaseAdapter, createDataloaderCacheKey, createLocalReq, createMigration, createOperation, createPayloadRequest, createUnauthenticatedClientConfig, databaseKVAdapter, deepCopyObject, deepCopyObjectComplex, deepCopyObjectSimple, deepMergeSimple, deepMergeWithCombinedArrays, deepMergeWithReactComponents, deepMergeWithSourceArrays, initialized as default, defaultBeginTransaction, defaultLoggerOptions, defaults, deleteByIDOperation, deleteCollectionVersions, deleteOperation, docAccessOperation$1 as docAccessOperation, docAccessOperation as docAccessOperationGlobal, docHasTimestamps, duplicateOperation, enforceMaxVersions, entityToJSONSchema, executeAccess, executeAuthStrategies, extractAccessFromPermission, extractJWT, fieldsToJSONSchema, findByIDOperation, findMigrationDir, findOneOperation, findOperation, findUp, findUpSync, findVersionByIDOperation$1 as findVersionByIDOperation, findVersionByIDOperation as findVersionByIDOperationGlobal, findVersionsOperation$1 as findVersionsOperation, findVersionsOperation as findVersionsOperationGlobal, flattenAllFields, flattenTopLevelFields, flattenWhereToOperators, forgotPasswordOperation, formatErrors, formatLabels, formatNames, genImportMapIterateFields, generateCookie, generateExpiredPayloadCookie, generateImportMap, generatePayloadCookie, getAccessResults, getBlockSelect, getCollectionIDFieldTypes, getCookieExpiration, getCurrentDate, getDataLoader, getDefaultValue, getDependencies, getFieldByPath, getFieldsToSign, getFileByPath, getFolderData, getLatestCollectionVersion, getLatestGlobalVersion, getLocalI18n, getLocalizedPaths, getLoginOptions, getMigrations, getObjectDotNotation, getPayload, getPredefinedMigration, getQueryDraftsSort, getRequestLanguage, handleEndpoints, hasWhereAccessResult, headersWithCors, importHandlerPath, inMemoryKVAdapter, incrementLoginAttempts, initOperation, initTransaction, isEntityHidden, isPlainObject, isValidID, isolateObjectProperty, jobAfterRead, jwtSign, killTransaction, logError, loginOperation, logoutOperation, mapAsync, meOperation, mergeHeaders, migrate, migrate$1 as migrateCLI, migrateDown, migrateRefresh, migrateReset, migrateStatus, migrationTemplate, migrationsCollection, parseCookies, parseDocumentID, pathExistsAndIsAccessible, pathExistsAndIsAccessibleSync, readMigrationFiles, refreshOperation, registerFirstUserOperation, reload, resetLoginAttempts, resetPasswordOperation, restoreVersionOperation$1 as restoreVersionOperation, restoreVersionOperation as restoreVersionOperationGlobal, sanitizeConfig, sanitizeFallbackLocale, sanitizeFields, sanitizeJoinParams, sanitizeLocales, sanitizePopulateParam, sanitizeSelectParam, saveVersion, serverOnlyAdminConfigProperties, serverOnlyConfigProperties, serverProps, slugField, sortableFieldTypes, stripUnselectedFields, toWords, traverseFields, unlockOperation, updateByIDOperation, updateOperation$1 as updateOperation, updateOperation as updateOperationGlobal, validateBlocksFilterOptions, validateQueryPaths, validateSearchParam, validations, verifyEmailOperation, versionDefaults, withNullableJSONSchemaType, writeMigrationIndex };
|
|
13139
|
-
export type { Access, AccessArgs, AccessResult, AdminClient, AdminComponent, AdminDependencies, AdminFunction, AdminViewClientProps, AdminViewComponent, AdminViewConfig, AdminViewServerProps as AdminViewProps, AdminViewServerProps, AdminViewServerPropsOnly, AfterErrorHook$1 as AfterErrorHook, AfterErrorHookArgs, AfterErrorResult, AfterFolderListClientProps, AfterFolderListServerProps, AfterFolderListServerPropsOnly, AfterFolderListTableClientProps, AfterFolderListTableServerProps, AfterFolderListTableServerPropsOnly, AfterListClientProps, AfterListServerProps, AfterListServerPropsOnly, AfterListTableClientProps, AfterListTableServerProps, AfterListTableServerPropsOnly, AllOperations, AllowList, ApplyDisableErrors, ArrayField, ArrayFieldClient, ArrayFieldClientComponent, ArrayFieldClientProps, ArrayFieldDescriptionClientComponent, ArrayFieldDescriptionServerComponent, ArrayFieldDiffClientComponent, ArrayFieldDiffServerComponent, ArrayFieldErrorClientComponent, ArrayFieldErrorServerComponent, ArrayFieldLabelClientComponent, ArrayFieldLabelServerComponent, ArrayFieldServerComponent, ArrayFieldServerProps, ArrayFieldValidation, Auth, AuthCollection, AuthCollectionSlug, AuthOperations, AuthOperationsFromCollectionSlug, AuthStrategy, AuthStrategyFunction, AuthStrategyFunctionArgs, AuthStrategyResult, BaseDatabaseAdapter, BaseFilter, BaseJob, BaseListFilter, BaseLocalizationConfig, BaseValidateOptions, BaseVersionField, BeforeDocumentControlsClientProps, BeforeDocumentControlsServerProps, BeforeDocumentControlsServerPropsOnly, BeforeFolderListClientProps, BeforeFolderListServerProps, BeforeFolderListServerPropsOnly, BeforeFolderListTableClientProps, BeforeFolderListTableServerProps, BeforeFolderListTableServerPropsOnly, BeforeListClientProps, BeforeListServerProps, BeforeListServerPropsOnly, BeforeListTableClientProps, BeforeListTableServerProps, BeforeListTableServerPropsOnly, BeginTransaction, BinScript, BinScriptConfig, Block, BlockJSX, BlockPermissions, BlockRowLabelClientComponent, BlockRowLabelServerComponent, BlockSlug, BlocksField, BlocksFieldClient, BlocksFieldClientComponent, BlocksFieldClientProps, BlocksFieldDescriptionClientComponent, BlocksFieldDescriptionServerComponent, BlocksFieldDiffClientComponent, BlocksFieldDiffServerComponent, BlocksFieldErrorClientComponent, BlocksFieldErrorServerComponent, BlocksFieldLabelClientComponent, BlocksFieldLabelServerComponent, BlocksFieldServerComponent, BlocksFieldServerProps, BlocksFieldValidation, BlocksPermissions, BuildCollectionFolderViewResult, BuildFormStateArgs, BuildTableStateArgs, BulkOperationResult, CORSConfig, CheckboxField, CheckboxFieldClient, CheckboxFieldClientComponent, CheckboxFieldClientProps, CheckboxFieldDescriptionClientComponent, CheckboxFieldDescriptionServerComponent, CheckboxFieldDiffClientComponent, CheckboxFieldDiffServerComponent, CheckboxFieldErrorClientComponent, CheckboxFieldErrorServerComponent, CheckboxFieldLabelClientComponent, CheckboxFieldLabelServerComponent, CheckboxFieldServerComponent, CheckboxFieldServerProps, CheckboxFieldValidation, ClientBlock, ClientCollectionConfig, ClientComponentProps, ClientConfig, ClientField, ClientFieldBase, ClientFieldProps, ClientFieldSchemaMap, ClientFieldWithOptionalType, ClientGlobalConfig, DocumentViewClientProps as ClientSideEditViewProps, ClientTab, ClientUser, ClientWidget, CodeField, CodeFieldClient, CodeFieldClientComponent, CodeFieldClientProps, CodeFieldDescriptionClientComponent, CodeFieldDescriptionServerComponent, CodeFieldDiffClientComponent, CodeFieldDiffServerComponent, CodeFieldErrorClientComponent, CodeFieldErrorServerComponent, CodeFieldLabelClientComponent, CodeFieldLabelServerComponent, CodeFieldServerComponent, CodeFieldServerProps, CodeFieldValidation, CollapsedPreferences, CollapsibleField, CollapsibleFieldClient, CollapsibleFieldClientComponent, CollapsibleFieldClientProps, CollapsibleFieldDescriptionClientComponent, CollapsibleFieldDescriptionServerComponent, CollapsibleFieldDiffClientComponent, CollapsibleFieldDiffServerComponent, CollapsibleFieldErrorClientComponent, CollapsibleFieldErrorServerComponent, CollapsibleFieldLabelClientComponent, CollapsibleFieldLabelServerComponent, CollapsibleFieldServerComponent, CollapsibleFieldServerProps, Collection, CollectionAdminCustom, CollectionAdminOptions, AfterChangeHook as CollectionAfterChangeHook, AfterDeleteHook as CollectionAfterDeleteHook, AfterErrorHook as CollectionAfterErrorHook, AfterForgotPasswordHook as CollectionAfterForgotPasswordHook, AfterLoginHook as CollectionAfterLoginHook, AfterLogoutHook as CollectionAfterLogoutHook, AfterMeHook as CollectionAfterMeHook, AfterOperationHook as CollectionAfterOperationHook, AfterReadHook as CollectionAfterReadHook, AfterRefreshHook as CollectionAfterRefreshHook, BeforeChangeHook as CollectionBeforeChangeHook, BeforeDeleteHook as CollectionBeforeDeleteHook, BeforeLoginHook as CollectionBeforeLoginHook, BeforeOperationHook as CollectionBeforeOperationHook, BeforeReadHook as CollectionBeforeReadHook, BeforeValidateHook as CollectionBeforeValidateHook, CollectionConfig, CollectionCustom, MeHook as CollectionMeHook, CollectionPermission, CollectionPreferences, RefreshHook as CollectionRefreshHook, CollectionSlug, Column, ColumnPreference, CommitTransaction, CompoundIndex, Condition, ConditionalDateProps, Config, ConfirmPasswordFieldValidation, Connect, Count, CountArgs, CountGlobalVersionArgs, CountGlobalVersions, CountVersions, Create, CreateArgs, CreateClientConfigArgs, CreateGlobal, CreateGlobalArgs, CreateGlobalVersion, CreateGlobalVersionArgs, CreateMigration, CreateVersion, CreateVersionArgs, CustomComponent, CustomDocumentViewConfig, CustomPayloadRequestProperties, CustomComponent as CustomPreviewButton, CustomComponent as CustomPublishButton, CustomComponent as CustomSaveButton, CustomComponent as CustomSaveDraftButton, CustomUpload, CustomVersionParser, DBIdentifierName, DashboardConfig, Data, DataFromCollectionSlug, DataFromGlobalSlug, DatabaseAdapter, DatabaseAdapterResult as DatabaseAdapterObj, DatabaseKVAdapterOptions, DateField, DateFieldClient, DateFieldClientComponent, DateFieldClientProps, DateFieldDescriptionClientComponent, DateFieldDescriptionServerComponent, DateFieldDiffClientComponent, DateFieldDiffServerComponent, DateFieldErrorClientComponent, DateFieldErrorServerComponent, DateFieldLabelClientComponent, DateFieldLabelServerComponent, DateFieldServerComponent, DateFieldServerProps, DateFieldValidation, DayPickerProps, DefaultCellComponentProps, DefaultDocumentIDType, DefaultDocumentViewConfig, DefaultServerCellComponentProps, DefaultServerFunctionArgs, DefaultValue, DeleteMany, DeleteManyArgs, DeleteOne, DeleteOneArgs, DeleteVersions, DeleteVersionsArgs, Description, DescriptionFunction, Destroy, Document, DocumentEvent, DocumentPermissions, DocumentPreferences, DocumentSlots, DocumentSubViewTypes, DocumentTabClientProps, DocumentTabComponent, DocumentTabCondition, DocumentTabConfig, DocumentTabServerProps as DocumentTabProps, DocumentTabServerProps, DocumentTabServerPropsOnly, DocumentViewClientProps, DocumentViewComponent, DocumentViewConfig, DocumentViewServerProps, DocumentViewServerPropsOnly, DraftTransformCollectionWithSelect, EditConfig, EditConfigWithRoot, EditConfigWithoutRoot, EditMenuItemsClientProps, EditMenuItemsServerProps, EditMenuItemsServerPropsOnly, EditViewComponent, EditViewConfig, EditViewProps, EmailAdapter, EmailField, EmailFieldClient, EmailFieldClientComponent, EmailFieldClientProps, EmailFieldDescriptionClientComponent, EmailFieldDescriptionServerComponent, EmailFieldDiffClientComponent, EmailFieldDiffServerComponent, EmailFieldErrorClientComponent, EmailFieldErrorServerComponent, EmailFieldLabelClientComponent, EmailFieldLabelServerComponent, EmailFieldServerComponent, EmailFieldServerProps, EmailFieldValidation, Endpoint, EntityDescription, EntityDescriptionComponent, EntityDescriptionFunction, EntityPolicies, ErrorResult, FetchAPIFileUploadOptions, Field, FieldAccess, FieldAffectingData, FieldAffectingDataClient, FieldBase, FieldBaseClient, FieldClientComponent, FieldCustom, FieldDescriptionClientComponent, FieldDescriptionClientProps, FieldDescriptionServerComponent, FieldDescriptionServerProps, FieldDiffClientComponent, FieldDiffClientProps, FieldDiffServerComponent, FieldDiffServerProps, FieldErrorClientComponent, FieldErrorClientProps, FieldErrorServerComponent, FieldErrorServerProps, FieldHook, FieldHookArgs, FieldLabelClientComponent, FieldLabelClientProps, FieldLabelServerComponent, FieldLabelServerProps, FieldPaths, FieldPermissions, FieldPresentationalOnly, FieldPresentationalOnlyClient, FieldRow, FieldSchemaMap, FieldServerComponent, FieldState, FieldTypes, FieldWithMany, FieldWithManyClient, FieldWithMaxDepth, FieldWithMaxDepthClient, FieldWithPath, FieldWithPathClient, FieldWithSubFields, FieldWithSubFieldsClient, FieldsPermissions, FieldsPreferences, File$1 as File, FileAllowList, FileData, FileSize, FileSizeImproved, FileSizes, FileToSave, FilterOptions, FilterOptionsProps, FilterOptionsResult, Find, FindArgs, FindDistinct, FindGlobal, FindGlobalArgs, FindGlobalVersions, FindGlobalVersionsArgs, FindOne, FindOneArgs, FindVersions, FindVersionsArgs, FlattenedArrayField, FlattenedBlock, FlattenedBlocksField, FlattenedField$1 as FlattenedField, FlattenedGroupField, FlattenedJoinField, FlattenedTabAsField, FolderListViewClientProps, FolderListViewServerProps, FolderListViewServerPropsOnly, FolderListViewSlotSharedClientProps, FolderListViewSlots, FolderSortKeys, FieldState as FormField, FieldStateWithoutComponents as FormFieldWithoutComponents, FormState, FormStateWithoutComponents, GenerateImageName, GeneratePreviewURL, GenerateSchema, GeneratedTypes, GenericDescriptionProps, GenericErrorProps, GenericLabelProps, GetAdminThumbnail, GetFolderResultsComponentAndDataArgs, GlobalAdminCustom, GlobalAdminOptions, AfterChangeHook$1 as GlobalAfterChangeHook, AfterReadHook$1 as GlobalAfterReadHook, BeforeChangeHook$1 as GlobalBeforeChangeHook, BeforeOperationHook$1 as GlobalBeforeOperationHook, BeforeReadHook$1 as GlobalBeforeReadHook, BeforeValidateHook$1 as GlobalBeforeValidateHook, GlobalConfig, GlobalCustom, GlobalPermission, GlobalSlug, GraphQLExtension, GraphQLInfo, GroupField, GroupFieldClient, GroupFieldClientComponent, GroupFieldClientProps, GroupFieldDescriptionClientComponent, GroupFieldDescriptionServerComponent, GroupFieldDiffClientComponent, GroupFieldDiffServerComponent, GroupFieldErrorClientComponent, GroupFieldErrorServerComponent, GroupFieldLabelClientComponent, GroupFieldLabelServerComponent, GroupFieldServerComponent, GroupFieldServerProps, HiddenFieldProps, HookName, HookOperationType, IfAny, ImageSize, ImageUploadFormatOptions, ImageUploadTrimOptions, ImportMap, ImportMapGenerators, IncomingAuthType, Init, InitOptions, InitPageResult, InsideFieldsPreferences, IsAny, JSONField, JSONFieldClient, JSONFieldClientComponent, JSONFieldClientProps, JSONFieldDescriptionClientComponent, JSONFieldDescriptionServerComponent, JSONFieldDiffClientComponent, JSONFieldDiffServerComponent, JSONFieldErrorClientComponent, JSONFieldErrorServerComponent, JSONFieldLabelClientComponent, JSONFieldLabelServerComponent, JSONFieldServerComponent, JSONFieldServerProps, JSONFieldValidation, Job, JobLog, JobTaskStatus, JobsConfig, JoinField, JoinFieldClient, JoinFieldClientComponent, JoinFieldClientProps, JoinFieldDescriptionClientComponent, JoinFieldDescriptionServerComponent, JoinFieldDiffClientComponent, JoinFieldDiffServerComponent, JoinFieldErrorClientComponent, JoinFieldErrorServerComponent, JoinFieldLabelClientComponent, JoinFieldLabelServerComponent, JoinFieldServerComponent, JoinFieldServerProps, JoinQuery, JsonArray, JsonObject, JsonValue, KVAdapter, KVAdapterResult, KVStoreValue, LabelFunction, Labels, LabelsClient, LanguageOptions, CollectionPreferences as ListPreferences, ListQuery, ListViewClientProps, ListViewServerProps, ListViewServerPropsOnly, ListViewSlotSharedClientProps, ListViewSlots, LivePreviewConfig, LivePreviewURLType, Locale, LocalizationConfig, LocalizationConfigWithLabels, LocalizationConfigWithNoLabels, LoginWithUsernameOptions, MappedClientComponent, MappedEmptyComponent, MappedServerComponent, MaybePromise, MeOperationResult, MetaConfig, Migration, MigrationData, MigrationTemplateArgs, NamedGroupField, NamedGroupFieldClient, NamedTab, NavGroupPreferences, NavPreferences, NonPresentationalField, NonPresentationalFieldClient, NumberField, NumberFieldClient, NumberFieldClientComponent, NumberFieldClientProps, NumberFieldDescriptionClientComponent, NumberFieldDescriptionServerComponent, NumberFieldDiffClientComponent, NumberFieldDiffServerComponent, NumberFieldErrorClientComponent, NumberFieldErrorServerComponent, NumberFieldLabelClientComponent, NumberFieldLabelServerComponent, NumberFieldManyValidation, NumberFieldServerComponent, NumberFieldServerProps, NumberFieldSingleValidation, NumberFieldValidation, OGImageConfig, Operation, Operator, Option, OptionLabel, OptionObject, OrderableEndpointBody, PaginatedDistinctDocs, PaginatedDocs, Params, PasswordFieldValidation, PathToQuery, Payload, PayloadClientComponentProps, PayloadClientReactComponent, PayloadComponent, PayloadComponentProps, EmailAdapter as PayloadEmailAdapter, PayloadHandler, PayloadReactComponent, PayloadRequest, PayloadServerAction, PayloadServerComponentProps, PayloadServerReactComponent, PayloadTypes, PayloadTypesShape, Permission, Permissions, PickPreserveOptional, Plugin, PointField, PointFieldClient, PointFieldClientComponent, PointFieldClientProps, PointFieldDescriptionClientComponent, PointFieldDescriptionServerComponent, PointFieldDiffClientComponent, PointFieldDiffServerComponent, PointFieldErrorClientComponent, PointFieldErrorServerComponent, PointFieldLabelClientComponent, PointFieldLabelServerComponent, PointFieldServerComponent, PointFieldServerProps, PointFieldValidation, PolymorphicRelationshipField, PolymorphicRelationshipFieldClient, PopulateType, PreferenceRequest, PreferenceUpdateRequest, PreviewButtonClientProps, PreviewButtonServerProps, PreviewButtonServerPropsOnly, ProbedImageSize, PublishButtonClientProps, PublishButtonServerProps, PublishButtonServerPropsOnly, QueryDrafts, QueryDraftsArgs, QueryPreset, RadioField, RadioFieldClient, RadioFieldClientComponent, RadioFieldClientProps, RadioFieldDescriptionClientComponent, RadioFieldDescriptionServerComponent, RadioFieldDiffClientComponent, RadioFieldDiffServerComponent, RadioFieldErrorClientComponent, RadioFieldErrorServerComponent, RadioFieldLabelClientComponent, RadioFieldLabelServerComponent, RadioFieldServerComponent, RadioFieldServerProps, RadioFieldValidation, RawPayloadComponent, RelationshipField, RelationshipFieldClient, RelationshipFieldClientComponent, RelationshipFieldClientProps, RelationshipFieldDescriptionClientComponent, RelationshipFieldDescriptionServerComponent, RelationshipFieldDiffClientComponent, RelationshipFieldDiffServerComponent, RelationshipFieldErrorClientComponent, RelationshipFieldErrorServerComponent, RelationshipFieldLabelClientComponent, RelationshipFieldLabelServerComponent, RelationshipFieldManyValidation, RelationshipFieldServerComponent, RelationshipFieldServerProps, RelationshipFieldSingleValidation, RelationshipFieldValidation, RelationshipValue, RenderConfigArgs, RenderDocumentVersionsProperties, RenderEntityConfigArgs, RenderFieldConfigArgs, RenderRootConfigArgs, RenderedField, ReplaceAny, RequestContext, RequiredDataFromCollection, RequiredDataFromCollectionSlug, ResolvedComponent, ResolvedFilterOptions, RichTextAdapter, RichTextAdapterProvider, RichTextField, RichTextFieldClient, RichTextFieldClientComponent, RichTextFieldClientProps, RichTextFieldDescriptionClientComponent, RichTextFieldDescriptionServerComponent, RichTextFieldDiffClientComponent, RichTextFieldDiffServerComponent, RichTextFieldErrorClientComponent, RichTextFieldErrorServerComponent, RichTextFieldLabelClientComponent, RichTextFieldLabelServerComponent, RichTextFieldServerComponent, RichTextFieldServerProps, RichTextFieldValidation, RichTextHooks, RollbackTransaction, RootLivePreviewConfig, Row, RowField, RowFieldClient, RowFieldClientComponent, RowFieldClientProps, RowFieldDescriptionClientComponent, RowFieldDescriptionServerComponent, RowFieldDiffClientComponent, RowFieldDiffServerComponent, RowFieldErrorClientComponent, RowFieldErrorServerComponent, RowFieldLabelClientComponent, RowFieldLabelServerComponent, RowFieldServerComponent, RowFieldServerProps, RowLabel, RowLabelComponent, RunInlineTaskFunction, RunJobAccess, RunJobAccessArgs, RunTaskFunction, RunTaskFunctions, RunningJob, SanitizedBlockPermissions, SanitizedBlocksPermissions, SanitizedCollectionConfig, SanitizedCollectionPermission, SanitizedCompoundIndex, SanitizedConfig, SanitizedDashboardConfig, SanitizedDocumentPermissions, SanitizedFieldPermissions, SanitizedFieldsPermissions, SanitizedGlobalConfig, SanitizedGlobalPermission, SanitizedJoins, SanitizedLabelProps, SanitizedLocalizationConfig, SanitizedPermissions, SanitizedUploadConfig, SaveButtonClientProps, SaveButtonServerProps, SaveButtonServerPropsOnly, SaveDraftButtonClientProps, SaveDraftButtonServerProps, SaveDraftButtonServerPropsOnly, SchedulePublish, SchedulePublishTaskInput, SelectExcludeType, SelectField, SelectFieldClient, SelectFieldClientComponent, SelectFieldClientProps, SelectFieldDescriptionClientComponent, SelectFieldDescriptionServerComponent, SelectFieldDiffClientComponent, SelectFieldDiffServerComponent, SelectFieldErrorClientComponent, SelectFieldErrorServerComponent, SelectFieldLabelClientComponent, SelectFieldLabelServerComponent, SelectFieldManyValidation, SelectFieldServerComponent, SelectFieldServerProps, SelectFieldSingleValidation, SelectFieldValidation, SelectIncludeType, SelectMode, SelectType, SendEmailOptions, ServerComponentProps, ServerFieldBase, ServerFunction, ServerFunctionArgs, ServerFunctionClient, ServerFunctionClientArgs, ServerFunctionConfig, ServerFunctionHandler, ServerOnlyCollectionAdminProperties, ServerOnlyCollectionProperties, ServerOnlyFieldAdminProperties, ServerOnlyFieldProperties, ServerOnlyGlobalAdminProperties, ServerOnlyGlobalProperties, ServerOnlyLivePreviewProperties, ServerOnlyUploadProperties, ServerProps, ServerPropsFromView, DocumentViewServerProps as ServerSideEditViewProps, SharedProps, SharpDependency, SingleRelationshipField, SingleRelationshipFieldClient, SingleTaskStatus, SlugField, SlugFieldClientProps, SlugifyServerFunctionArgs, Sort, StaticDescription, StaticLabel, StringKeyOf, Tab, TabAsField, TabAsFieldClient, TabsField, TabsFieldClient, TabsFieldClientComponent, TabsFieldClientProps, TabsFieldDescriptionClientComponent, TabsFieldDescriptionServerComponent, TabsFieldDiffClientComponent, TabsFieldDiffServerComponent, TabsFieldErrorClientComponent, TabsFieldErrorServerComponent, TabsFieldLabelClientComponent, TabsFieldLabelServerComponent, TabsFieldServerComponent, TabsFieldServerProps, TabsPreferences, TaskConfig, TaskHandler, TaskHandlerArgs, TaskHandlerResult, TaskHandlerResults, TaskInput, TaskOutput, TaskType, TextField, TextFieldClient, TextFieldClientComponent, TextFieldClientProps, TextFieldDescriptionClientComponent, TextFieldDescriptionServerComponent, TextFieldDiffClientComponent, TextFieldDiffServerComponent, TextFieldErrorClientComponent, TextFieldErrorServerComponent, TextFieldLabelClientComponent, TextFieldLabelServerComponent, TextFieldManyValidation, TextFieldServerComponent, TextFieldServerProps, TextFieldSingleValidation, TextFieldValidation, TextareaField, TextareaFieldClient, TextareaFieldClientComponent, TextareaFieldClientProps, TextareaFieldDescriptionClientComponent, TextareaFieldDescriptionServerComponent, TextareaFieldDiffClientComponent, TextareaFieldDiffServerComponent, TextareaFieldErrorClientComponent, TextareaFieldErrorServerComponent, TextareaFieldLabelClientComponent, TextareaFieldLabelServerComponent, TextareaFieldServerComponent, TextareaFieldServerProps, TextareaFieldValidation, TimePickerProps, Timezone, TimezonesConfig, Transaction, TransformCollectionWithSelect, TransformDataWithSelect, TransformGlobalWithSelect, TraverseFieldsCallback, TypeWithID, TypeWithTimestamps, TypeWithVersion, TypedAuthOperations, TypedBlock, TypedCollection, TypedCollectionJoins, TypedCollectionSelect, TypedFallbackLocale, TypedGlobal, TypedGlobalSelect, TypedJobs, TypedLocale, TypedUploadCollection, TypedUser, UIField, UIFieldClient, UIFieldClientComponent, UIFieldClientProps, UIFieldDiffClientComponent, UIFieldDiffServerComponent, UIFieldServerComponent, UIFieldServerProps, UnauthenticatedClientConfig, UnnamedGroupField, UnnamedGroupFieldClient, UnnamedTab, UntypedPayloadTypes, UntypedUser, UpdateGlobal, UpdateGlobalArgs, UpdateGlobalVersion, UpdateGlobalVersionArgs, UpdateJobs, UpdateJobsArgs, UpdateMany, UpdateManyArgs, UpdateOne, UpdateOneArgs, UpdateVersion, UpdateVersionArgs, UploadCollectionSlug, UploadConfig, UploadEdits, UploadField, UploadFieldClient, UploadFieldClientComponent, UploadFieldClientProps, UploadFieldDescriptionClientComponent, UploadFieldDescriptionServerComponent, UploadFieldDiffClientComponent, UploadFieldDiffServerComponent, UploadFieldErrorClientComponent, UploadFieldErrorServerComponent, UploadFieldLabelClientComponent, UploadFieldLabelServerComponent, UploadFieldManyValidation, UploadFieldServerComponent, UploadFieldServerProps, UploadFieldSingleValidation, UploadFieldValidation, Upsert, UpsertArgs, UntypedUser as User, UserSession, UsernameFieldValidation, Validate, ValidateOptions, ValidationFieldError, ValueWithRelation, VerifyConfig, VersionField, VersionOperations, VersionTab, ViewDescriptionClientProps, ViewDescriptionServerProps, ViewDescriptionServerPropsOnly, ViewTypes, VisibleEntities, Where, WhereField, Widget, WidgetInstance, WidgetServerProps, WidgetWidth, WithServerSidePropsComponent, WithServerSidePropsComponentProps, WorkflowConfig, WorkflowHandler, WorkflowTypes, checkFileRestrictionsParams };
|
|
13158
|
+
export type { Access, AccessArgs, AccessResult, AdminClient, AdminComponent, AdminDependencies, AdminFunction, AdminViewClientProps, AdminViewComponent, AdminViewConfig, AdminViewServerProps as AdminViewProps, AdminViewServerProps, AdminViewServerPropsOnly, AfterErrorHook$1 as AfterErrorHook, AfterErrorHookArgs, AfterErrorResult, AfterFolderListClientProps, AfterFolderListServerProps, AfterFolderListServerPropsOnly, AfterFolderListTableClientProps, AfterFolderListTableServerProps, AfterFolderListTableServerPropsOnly, AfterListClientProps, AfterListServerProps, AfterListServerPropsOnly, AfterListTableClientProps, AfterListTableServerProps, AfterListTableServerPropsOnly, AllOperations, AllowList, ApplyDisableErrors, ArrayField, ArrayFieldClient, ArrayFieldClientComponent, ArrayFieldClientProps, ArrayFieldDescriptionClientComponent, ArrayFieldDescriptionServerComponent, ArrayFieldDiffClientComponent, ArrayFieldDiffServerComponent, ArrayFieldErrorClientComponent, ArrayFieldErrorServerComponent, ArrayFieldLabelClientComponent, ArrayFieldLabelServerComponent, ArrayFieldServerComponent, ArrayFieldServerProps, ArrayFieldValidation, Auth, AuthCollection, AuthOperations, AuthOperationsFromCollectionSlug, AuthStrategy, AuthStrategyFunction, AuthStrategyFunctionArgs, AuthStrategyResult, BaseDatabaseAdapter, BaseFilter, BaseJob, BaseListFilter, BaseLocalizationConfig, BaseValidateOptions, BaseVersionField, BeforeDocumentControlsClientProps, BeforeDocumentControlsServerProps, BeforeDocumentControlsServerPropsOnly, BeforeFolderListClientProps, BeforeFolderListServerProps, BeforeFolderListServerPropsOnly, BeforeFolderListTableClientProps, BeforeFolderListTableServerProps, BeforeFolderListTableServerPropsOnly, BeforeListClientProps, BeforeListServerProps, BeforeListServerPropsOnly, BeforeListTableClientProps, BeforeListTableServerProps, BeforeListTableServerPropsOnly, BeginTransaction, BinScript, BinScriptConfig, Block, BlockJSX, BlockPermissions, BlockRowLabelClientComponent, BlockRowLabelServerComponent, BlockSlug, BlocksField, BlocksFieldClient, BlocksFieldClientComponent, BlocksFieldClientProps, BlocksFieldDescriptionClientComponent, BlocksFieldDescriptionServerComponent, BlocksFieldDiffClientComponent, BlocksFieldDiffServerComponent, BlocksFieldErrorClientComponent, BlocksFieldErrorServerComponent, BlocksFieldLabelClientComponent, BlocksFieldLabelServerComponent, BlocksFieldServerComponent, BlocksFieldServerProps, BlocksFieldValidation, BlocksPermissions, BuildCollectionFolderViewResult, BuildFormStateArgs, BuildTableStateArgs, BulkOperationResult, CORSConfig, CheckboxField, CheckboxFieldClient, CheckboxFieldClientComponent, CheckboxFieldClientProps, CheckboxFieldDescriptionClientComponent, CheckboxFieldDescriptionServerComponent, CheckboxFieldDiffClientComponent, CheckboxFieldDiffServerComponent, CheckboxFieldErrorClientComponent, CheckboxFieldErrorServerComponent, CheckboxFieldLabelClientComponent, CheckboxFieldLabelServerComponent, CheckboxFieldServerComponent, CheckboxFieldServerProps, CheckboxFieldValidation, ClientBlock, ClientCollectionConfig, ClientComponentProps, ClientConfig, ClientField, ClientFieldBase, ClientFieldProps, ClientFieldSchemaMap, ClientFieldWithOptionalType, ClientGlobalConfig, DocumentViewClientProps as ClientSideEditViewProps, ClientTab, ClientUser, ClientWidget, CodeField, CodeFieldClient, CodeFieldClientComponent, CodeFieldClientProps, CodeFieldDescriptionClientComponent, CodeFieldDescriptionServerComponent, CodeFieldDiffClientComponent, CodeFieldDiffServerComponent, CodeFieldErrorClientComponent, CodeFieldErrorServerComponent, CodeFieldLabelClientComponent, CodeFieldLabelServerComponent, CodeFieldServerComponent, CodeFieldServerProps, CodeFieldValidation, CollapsedPreferences, CollapsibleField, CollapsibleFieldClient, CollapsibleFieldClientComponent, CollapsibleFieldClientProps, CollapsibleFieldDescriptionClientComponent, CollapsibleFieldDescriptionServerComponent, CollapsibleFieldDiffClientComponent, CollapsibleFieldDiffServerComponent, CollapsibleFieldErrorClientComponent, CollapsibleFieldErrorServerComponent, CollapsibleFieldLabelClientComponent, CollapsibleFieldLabelServerComponent, CollapsibleFieldServerComponent, CollapsibleFieldServerProps, Collection, CollectionAdminCustom, CollectionAdminOptions, AfterChangeHook as CollectionAfterChangeHook, AfterDeleteHook as CollectionAfterDeleteHook, AfterErrorHook as CollectionAfterErrorHook, AfterForgotPasswordHook as CollectionAfterForgotPasswordHook, AfterLoginHook as CollectionAfterLoginHook, AfterLogoutHook as CollectionAfterLogoutHook, AfterMeHook as CollectionAfterMeHook, AfterOperationHook as CollectionAfterOperationHook, AfterReadHook as CollectionAfterReadHook, AfterRefreshHook as CollectionAfterRefreshHook, BeforeChangeHook as CollectionBeforeChangeHook, BeforeDeleteHook as CollectionBeforeDeleteHook, BeforeLoginHook as CollectionBeforeLoginHook, BeforeOperationHook as CollectionBeforeOperationHook, BeforeReadHook as CollectionBeforeReadHook, BeforeValidateHook as CollectionBeforeValidateHook, CollectionConfig, CollectionCustom, MeHook as CollectionMeHook, CollectionPermission, CollectionPreferences, RefreshHook as CollectionRefreshHook, CollectionSlug, Column, ColumnPreference, CommitTransaction, CompoundIndex, ConcurrencyConfig, Condition, ConditionalDateProps, Config, ConfirmPasswordFieldValidation, Connect, Count, CountArgs, CountGlobalVersionArgs, CountGlobalVersions, CountVersions, Create, CreateArgs, CreateClientConfigArgs, CreateGlobal, CreateGlobalArgs, CreateGlobalVersion, CreateGlobalVersionArgs, CreateMigration, CreateVersion, CreateVersionArgs, CustomComponent, CustomDocumentViewConfig, CustomPayloadRequestProperties, CustomComponent as CustomPreviewButton, CustomComponent as CustomPublishButton, CustomComponent as CustomSaveButton, CustomComponent as CustomSaveDraftButton, CustomUpload, CustomVersionParser, DBIdentifierName, DashboardConfig, Data, DataFromCollectionSlug, DataFromGlobalSlug, DatabaseAdapter, DatabaseAdapterResult as DatabaseAdapterObj, DatabaseKVAdapterOptions, DateField, DateFieldClient, DateFieldClientComponent, DateFieldClientProps, DateFieldDescriptionClientComponent, DateFieldDescriptionServerComponent, DateFieldDiffClientComponent, DateFieldDiffServerComponent, DateFieldErrorClientComponent, DateFieldErrorServerComponent, DateFieldLabelClientComponent, DateFieldLabelServerComponent, DateFieldServerComponent, DateFieldServerProps, DateFieldValidation, DayPickerProps, DefaultCellComponentProps, DefaultDocumentIDType, DefaultDocumentViewConfig, DefaultServerCellComponentProps, DefaultServerFunctionArgs, DefaultValue, DeleteMany, DeleteManyArgs, DeleteOne, DeleteOneArgs, DeleteVersions, DeleteVersionsArgs, Description, DescriptionFunction, Destroy, Document, DocumentEvent, DocumentPermissions, DocumentPreferences, DocumentSlots, DocumentSubViewTypes, DocumentTabClientProps, DocumentTabComponent, DocumentTabCondition, DocumentTabConfig, DocumentTabServerProps as DocumentTabProps, DocumentTabServerProps, DocumentTabServerPropsOnly, DocumentViewClientProps, DocumentViewComponent, DocumentViewConfig, DocumentViewServerProps, DocumentViewServerPropsOnly, DraftTransformCollectionWithSelect, EditConfig, EditConfigWithRoot, EditConfigWithoutRoot, EditMenuItemsClientProps, EditMenuItemsServerProps, EditMenuItemsServerPropsOnly, EditViewComponent, EditViewConfig, EditViewProps, EmailAdapter, EmailField, EmailFieldClient, EmailFieldClientComponent, EmailFieldClientProps, EmailFieldDescriptionClientComponent, EmailFieldDescriptionServerComponent, EmailFieldDiffClientComponent, EmailFieldDiffServerComponent, EmailFieldErrorClientComponent, EmailFieldErrorServerComponent, EmailFieldLabelClientComponent, EmailFieldLabelServerComponent, EmailFieldServerComponent, EmailFieldServerProps, EmailFieldValidation, Endpoint, EntityDescription, EntityDescriptionComponent, EntityDescriptionFunction, EntityPolicies, ErrorResult, FetchAPIFileUploadOptions, Field, FieldAccess, FieldAffectingData, FieldAffectingDataClient, FieldBase, FieldBaseClient, FieldClientComponent, FieldCustom, FieldDescriptionClientComponent, FieldDescriptionClientProps, FieldDescriptionServerComponent, FieldDescriptionServerProps, FieldDiffClientComponent, FieldDiffClientProps, FieldDiffServerComponent, FieldDiffServerProps, FieldErrorClientComponent, FieldErrorClientProps, FieldErrorServerComponent, FieldErrorServerProps, FieldHook, FieldHookArgs, FieldLabelClientComponent, FieldLabelClientProps, FieldLabelServerComponent, FieldLabelServerProps, FieldPaths, FieldPermissions, FieldPresentationalOnly, FieldPresentationalOnlyClient, FieldRow, FieldSchemaMap, FieldServerComponent, FieldState, FieldTypes, FieldWithMany, FieldWithManyClient, FieldWithMaxDepth, FieldWithMaxDepthClient, FieldWithPath, FieldWithPathClient, FieldWithSubFields, FieldWithSubFieldsClient, FieldsPermissions, FieldsPreferences, File$1 as File, FileAllowList, FileData, FileSize, FileSizeImproved, FileSizes, FileToSave, FilterOptions, FilterOptionsProps, FilterOptionsResult, Find, FindArgs, FindDistinct, FindGlobal, FindGlobalArgs, FindGlobalVersions, FindGlobalVersionsArgs, FindOne, FindOneArgs, FindVersions, FindVersionsArgs, FlattenedArrayField, FlattenedBlock, FlattenedBlocksField, FlattenedField$1 as FlattenedField, FlattenedGroupField, FlattenedJoinField, FlattenedTabAsField, FolderListViewClientProps, FolderListViewServerProps, FolderListViewServerPropsOnly, FolderListViewSlotSharedClientProps, FolderListViewSlots, FolderSortKeys, FieldState as FormField, FieldStateWithoutComponents as FormFieldWithoutComponents, FormState, FormStateWithoutComponents, GenerateImageName, GeneratePreviewURL, GenerateSchema, GeneratedTypes, GenericDescriptionProps, GenericErrorProps, GenericLabelProps, GetAdminThumbnail, GetFolderResultsComponentAndDataArgs, GlobalAdminCustom, GlobalAdminOptions, AfterChangeHook$1 as GlobalAfterChangeHook, AfterReadHook$1 as GlobalAfterReadHook, BeforeChangeHook$1 as GlobalBeforeChangeHook, BeforeOperationHook$1 as GlobalBeforeOperationHook, BeforeReadHook$1 as GlobalBeforeReadHook, BeforeValidateHook$1 as GlobalBeforeValidateHook, GlobalConfig, GlobalCustom, GlobalPermission, GlobalSlug, GraphQLExtension, GraphQLInfo, GroupField, GroupFieldClient, GroupFieldClientComponent, GroupFieldClientProps, GroupFieldDescriptionClientComponent, GroupFieldDescriptionServerComponent, GroupFieldDiffClientComponent, GroupFieldDiffServerComponent, GroupFieldErrorClientComponent, GroupFieldErrorServerComponent, GroupFieldLabelClientComponent, GroupFieldLabelServerComponent, GroupFieldServerComponent, GroupFieldServerProps, HiddenFieldProps, HookName, HookOperationType, IfAny, ImageSize, ImageUploadFormatOptions, ImageUploadTrimOptions, ImportMap, ImportMapGenerators, IncomingAuthType, Init, InitOptions, InitPageResult, InsideFieldsPreferences, IsAny, JSONField, JSONFieldClient, JSONFieldClientComponent, JSONFieldClientProps, JSONFieldDescriptionClientComponent, JSONFieldDescriptionServerComponent, JSONFieldDiffClientComponent, JSONFieldDiffServerComponent, JSONFieldErrorClientComponent, JSONFieldErrorServerComponent, JSONFieldLabelClientComponent, JSONFieldLabelServerComponent, JSONFieldServerComponent, JSONFieldServerProps, JSONFieldValidation, Job, JobLog, JobTaskStatus, JobsConfig, JoinField, JoinFieldClient, JoinFieldClientComponent, JoinFieldClientProps, JoinFieldDescriptionClientComponent, JoinFieldDescriptionServerComponent, JoinFieldDiffClientComponent, JoinFieldDiffServerComponent, JoinFieldErrorClientComponent, JoinFieldErrorServerComponent, JoinFieldLabelClientComponent, JoinFieldLabelServerComponent, JoinFieldServerComponent, JoinFieldServerProps, JoinQuery, JsonArray, JsonObject, JsonValue, KVAdapter, KVAdapterResult, KVStoreValue, LabelFunction, Labels, LabelsClient, LanguageOptions, CollectionPreferences as ListPreferences, ListQuery, ListViewClientProps, ListViewServerProps, ListViewServerPropsOnly, ListViewSlotSharedClientProps, ListViewSlots, LivePreviewConfig, LivePreviewURLType, Locale, LocalizationConfig, LocalizationConfigWithLabels, LocalizationConfigWithNoLabels, LoginWithUsernameOptions, MappedClientComponent, MappedEmptyComponent, MappedServerComponent, MaybePromise, MeOperationResult, MetaConfig, Migration, MigrationData, MigrationTemplateArgs, NamedGroupField, NamedGroupFieldClient, NamedTab, NavGroupPreferences, NavPreferences, NonPresentationalField, NonPresentationalFieldClient, NumberField, NumberFieldClient, NumberFieldClientComponent, NumberFieldClientProps, NumberFieldDescriptionClientComponent, NumberFieldDescriptionServerComponent, NumberFieldDiffClientComponent, NumberFieldDiffServerComponent, NumberFieldErrorClientComponent, NumberFieldErrorServerComponent, NumberFieldLabelClientComponent, NumberFieldLabelServerComponent, NumberFieldManyValidation, NumberFieldServerComponent, NumberFieldServerProps, NumberFieldSingleValidation, NumberFieldValidation, OGImageConfig, Operation, Operator, Option, OptionLabel, OptionObject, OrderableEndpointBody, PaginatedDistinctDocs, PaginatedDocs, Params, PasswordFieldValidation, PathToQuery, Payload, PayloadClientComponentProps, PayloadClientReactComponent, PayloadComponent, PayloadComponentProps, EmailAdapter as PayloadEmailAdapter, PayloadHandler, PayloadReactComponent, PayloadRequest, PayloadServerAction, PayloadServerComponentProps, PayloadServerReactComponent, Permission, Permissions, PickPreserveOptional, Plugin, PointField, PointFieldClient, PointFieldClientComponent, PointFieldClientProps, PointFieldDescriptionClientComponent, PointFieldDescriptionServerComponent, PointFieldDiffClientComponent, PointFieldDiffServerComponent, PointFieldErrorClientComponent, PointFieldErrorServerComponent, PointFieldLabelClientComponent, PointFieldLabelServerComponent, PointFieldServerComponent, PointFieldServerProps, PointFieldValidation, PolymorphicRelationshipField, PolymorphicRelationshipFieldClient, PopulateType, PreferenceRequest, PreferenceUpdateRequest, PreviewButtonClientProps, PreviewButtonServerProps, PreviewButtonServerPropsOnly, ProbedImageSize, PublishButtonClientProps, PublishButtonServerProps, PublishButtonServerPropsOnly, QueryDrafts, QueryDraftsArgs, QueryPreset, RadioField, RadioFieldClient, RadioFieldClientComponent, RadioFieldClientProps, RadioFieldDescriptionClientComponent, RadioFieldDescriptionServerComponent, RadioFieldDiffClientComponent, RadioFieldDiffServerComponent, RadioFieldErrorClientComponent, RadioFieldErrorServerComponent, RadioFieldLabelClientComponent, RadioFieldLabelServerComponent, RadioFieldServerComponent, RadioFieldServerProps, RadioFieldValidation, RawPayloadComponent, RelationshipField, RelationshipFieldClient, RelationshipFieldClientComponent, RelationshipFieldClientProps, RelationshipFieldDescriptionClientComponent, RelationshipFieldDescriptionServerComponent, RelationshipFieldDiffClientComponent, RelationshipFieldDiffServerComponent, RelationshipFieldErrorClientComponent, RelationshipFieldErrorServerComponent, RelationshipFieldLabelClientComponent, RelationshipFieldLabelServerComponent, RelationshipFieldManyValidation, RelationshipFieldServerComponent, RelationshipFieldServerProps, RelationshipFieldSingleValidation, RelationshipFieldValidation, RelationshipValue, RenderConfigArgs, RenderDocumentVersionsProperties, RenderEntityConfigArgs, RenderFieldConfigArgs, RenderRootConfigArgs, RenderedField, ReplaceAny, RequestContext, RequiredDataFromCollection, RequiredDataFromCollectionSlug, ResolvedComponent, ResolvedFilterOptions, RichTextAdapter, RichTextAdapterProvider, RichTextField, RichTextFieldClient, RichTextFieldClientComponent, RichTextFieldClientProps, RichTextFieldDescriptionClientComponent, RichTextFieldDescriptionServerComponent, RichTextFieldDiffClientComponent, RichTextFieldDiffServerComponent, RichTextFieldErrorClientComponent, RichTextFieldErrorServerComponent, RichTextFieldLabelClientComponent, RichTextFieldLabelServerComponent, RichTextFieldServerComponent, RichTextFieldServerProps, RichTextFieldValidation, RichTextHooks, RollbackTransaction, RootLivePreviewConfig, Row, RowField, RowFieldClient, RowFieldClientComponent, RowFieldClientProps, RowFieldDescriptionClientComponent, RowFieldDescriptionServerComponent, RowFieldDiffClientComponent, RowFieldDiffServerComponent, RowFieldErrorClientComponent, RowFieldErrorServerComponent, RowFieldLabelClientComponent, RowFieldLabelServerComponent, RowFieldServerComponent, RowFieldServerProps, RowLabel, RowLabelComponent, RunInlineTaskFunction, RunJobAccess, RunJobAccessArgs, RunTaskFunction, RunTaskFunctions, RunningJob, SanitizedBlockPermissions, SanitizedBlocksPermissions, SanitizedCollectionConfig, SanitizedCollectionPermission, SanitizedCompoundIndex, SanitizedConfig, SanitizedDashboardConfig, SanitizedDocumentPermissions, SanitizedFieldPermissions, SanitizedFieldsPermissions, SanitizedGlobalConfig, SanitizedGlobalPermission, SanitizedJoins, SanitizedLabelProps, SanitizedLocalizationConfig, SanitizedPermissions, SanitizedUploadConfig, SaveButtonClientProps, SaveButtonServerProps, SaveButtonServerPropsOnly, SaveDraftButtonClientProps, SaveDraftButtonServerProps, SaveDraftButtonServerPropsOnly, SchedulePublish, SchedulePublishTaskInput, SelectExcludeType, SelectField, SelectFieldClient, SelectFieldClientComponent, SelectFieldClientProps, SelectFieldDescriptionClientComponent, SelectFieldDescriptionServerComponent, SelectFieldDiffClientComponent, SelectFieldDiffServerComponent, SelectFieldErrorClientComponent, SelectFieldErrorServerComponent, SelectFieldLabelClientComponent, SelectFieldLabelServerComponent, SelectFieldManyValidation, SelectFieldServerComponent, SelectFieldServerProps, SelectFieldSingleValidation, SelectFieldValidation, SelectIncludeType, SelectMode, SelectType, SendEmailOptions, ServerComponentProps, ServerFieldBase, ServerFunction, ServerFunctionArgs, ServerFunctionClient, ServerFunctionClientArgs, ServerFunctionConfig, ServerFunctionHandler, ServerOnlyCollectionAdminProperties, ServerOnlyCollectionProperties, ServerOnlyFieldAdminProperties, ServerOnlyFieldProperties, ServerOnlyGlobalAdminProperties, ServerOnlyGlobalProperties, ServerOnlyLivePreviewProperties, ServerOnlyUploadProperties, ServerProps, ServerPropsFromView, DocumentViewServerProps as ServerSideEditViewProps, SharedProps, SharpDependency, SingleRelationshipField, SingleRelationshipFieldClient, SingleTaskStatus, SlugField, SlugFieldClientProps, SlugifyServerFunctionArgs, Sort, StaticDescription, StaticLabel, StringKeyOf, Tab, TabAsField, TabAsFieldClient, TabsField, TabsFieldClient, TabsFieldClientComponent, TabsFieldClientProps, TabsFieldDescriptionClientComponent, TabsFieldDescriptionServerComponent, TabsFieldDiffClientComponent, TabsFieldDiffServerComponent, TabsFieldErrorClientComponent, TabsFieldErrorServerComponent, TabsFieldLabelClientComponent, TabsFieldLabelServerComponent, TabsFieldServerComponent, TabsFieldServerProps, TabsPreferences, TaskConfig, TaskHandler, TaskHandlerArgs, TaskHandlerResult, TaskHandlerResults, TaskInput, TaskOutput, TaskType, TextField, TextFieldClient, TextFieldClientComponent, TextFieldClientProps, TextFieldDescriptionClientComponent, TextFieldDescriptionServerComponent, TextFieldDiffClientComponent, TextFieldDiffServerComponent, TextFieldErrorClientComponent, TextFieldErrorServerComponent, TextFieldLabelClientComponent, TextFieldLabelServerComponent, TextFieldManyValidation, TextFieldServerComponent, TextFieldServerProps, TextFieldSingleValidation, TextFieldValidation, TextareaField, TextareaFieldClient, TextareaFieldClientComponent, TextareaFieldClientProps, TextareaFieldDescriptionClientComponent, TextareaFieldDescriptionServerComponent, TextareaFieldDiffClientComponent, TextareaFieldDiffServerComponent, TextareaFieldErrorClientComponent, TextareaFieldErrorServerComponent, TextareaFieldLabelClientComponent, TextareaFieldLabelServerComponent, TextareaFieldServerComponent, TextareaFieldServerProps, TextareaFieldValidation, TimePickerProps, Timezone, TimezonesConfig, Transaction, TransformCollectionWithSelect, TransformDataWithSelect, TransformGlobalWithSelect, TraverseFieldsCallback, TypeWithID, TypeWithTimestamps, TypeWithVersion, TypedAuthOperations, TypedBlock, TypedCollection, TypedCollectionJoins, TypedCollectionSelect, TypedFallbackLocale, TypedGlobal, TypedGlobalSelect, TypedJobs, TypedLocale, TypedUploadCollection, TypedUser, UIField, UIFieldClient, UIFieldClientComponent, UIFieldClientProps, UIFieldDiffClientComponent, UIFieldDiffServerComponent, UIFieldServerComponent, UIFieldServerProps, UnauthenticatedClientConfig, UnnamedGroupField, UnnamedGroupFieldClient, UnnamedTab, UntypedUser, UpdateGlobal, UpdateGlobalArgs, UpdateGlobalVersion, UpdateGlobalVersionArgs, UpdateJobs, UpdateJobsArgs, UpdateMany, UpdateManyArgs, UpdateOne, UpdateOneArgs, UpdateVersion, UpdateVersionArgs, UploadCollectionSlug, UploadConfig, UploadEdits, UploadField, UploadFieldClient, UploadFieldClientComponent, UploadFieldClientProps, UploadFieldDescriptionClientComponent, UploadFieldDescriptionServerComponent, UploadFieldDiffClientComponent, UploadFieldDiffServerComponent, UploadFieldErrorClientComponent, UploadFieldErrorServerComponent, UploadFieldLabelClientComponent, UploadFieldLabelServerComponent, UploadFieldManyValidation, UploadFieldServerComponent, UploadFieldServerProps, UploadFieldSingleValidation, UploadFieldValidation, Upsert, UpsertArgs, UntypedUser as User, UserSession, UsernameFieldValidation, Validate, ValidateOptions, ValidationFieldError, ValueWithRelation, VerifyConfig, VersionField, VersionOperations, VersionTab, ViewDescriptionClientProps, ViewDescriptionServerProps, ViewDescriptionServerPropsOnly, ViewTypes, VisibleEntities, Where, WhereField, Widget, WidgetInstance, WidgetServerProps, WidgetWidth, WithServerSidePropsComponent, WithServerSidePropsComponentProps, WorkflowConfig, WorkflowHandler, WorkflowTypes, checkFileRestrictionsParams };
|
package/dist/index.d.ts
CHANGED
|
@@ -62,19 +62,8 @@ export { extractAccessFromPermission } from './auth/extractAccessFromPermission.
|
|
|
62
62
|
export { getAccessResults } from './auth/getAccessResults.js';
|
|
63
63
|
export { getFieldsToSign } from './auth/getFieldsToSign.js';
|
|
64
64
|
export { getLoginOptions } from './auth/getLoginOptions.js';
|
|
65
|
-
|
|
66
|
-
|
|
67
|
-
* Used in generic constraints to allow both:
|
|
68
|
-
* 1. PayloadTypes (module-augmented) to satisfy it
|
|
69
|
-
* 2. Config (from payload-types.ts with typed properties) to satisfy it
|
|
70
|
-
*/
|
|
71
|
-
export type PayloadTypesShape = object;
|
|
72
|
-
/**
|
|
73
|
-
* Untyped fallback types. Uses the SAME property names as generated types.
|
|
74
|
-
* PayloadTypes merges GeneratedTypes with these fallbacks.
|
|
75
|
-
*/
|
|
76
|
-
export interface UntypedPayloadTypes {
|
|
77
|
-
auth: {
|
|
65
|
+
export interface GeneratedTypes {
|
|
66
|
+
authUntyped: {
|
|
78
67
|
[slug: string]: {
|
|
79
68
|
forgotPassword: {
|
|
80
69
|
email: string;
|
|
@@ -92,31 +81,31 @@ export interface UntypedPayloadTypes {
|
|
|
92
81
|
};
|
|
93
82
|
};
|
|
94
83
|
};
|
|
95
|
-
|
|
84
|
+
blocksUntyped: {
|
|
96
85
|
[slug: string]: JsonObject;
|
|
97
86
|
};
|
|
98
|
-
|
|
99
|
-
[slug: string]: JsonObject & TypeWithID;
|
|
100
|
-
};
|
|
101
|
-
collectionsJoins: {
|
|
87
|
+
collectionsJoinsUntyped: {
|
|
102
88
|
[slug: string]: {
|
|
103
|
-
[schemaPath: string]:
|
|
89
|
+
[schemaPath: string]: CollectionSlug;
|
|
104
90
|
};
|
|
105
91
|
};
|
|
106
|
-
|
|
92
|
+
collectionsSelectUntyped: {
|
|
107
93
|
[slug: string]: SelectType;
|
|
108
94
|
};
|
|
109
|
-
|
|
110
|
-
|
|
95
|
+
collectionsUntyped: {
|
|
96
|
+
[slug: string]: JsonObject & TypeWithID;
|
|
111
97
|
};
|
|
112
|
-
|
|
113
|
-
|
|
114
|
-
[slug: string]: JsonObject;
|
|
98
|
+
dbUntyped: {
|
|
99
|
+
defaultIDType: number | string;
|
|
115
100
|
};
|
|
116
|
-
|
|
101
|
+
fallbackLocaleUntyped: 'false' | 'none' | 'null' | ({} & string)[] | ({} & string) | false | null;
|
|
102
|
+
globalsSelectUntyped: {
|
|
117
103
|
[slug: string]: SelectType;
|
|
118
104
|
};
|
|
119
|
-
|
|
105
|
+
globalsUntyped: {
|
|
106
|
+
[slug: string]: JsonObject;
|
|
107
|
+
};
|
|
108
|
+
jobsUntyped: {
|
|
120
109
|
tasks: {
|
|
121
110
|
[slug: string]: {
|
|
122
111
|
input?: JsonObject;
|
|
@@ -129,68 +118,45 @@ export interface UntypedPayloadTypes {
|
|
|
129
118
|
};
|
|
130
119
|
};
|
|
131
120
|
};
|
|
132
|
-
|
|
133
|
-
|
|
134
|
-
}
|
|
135
|
-
/**
|
|
136
|
-
* Interface to be module-augmented by the `payload-types.ts` file.
|
|
137
|
-
* When augmented, its properties take precedence over UntypedPayloadTypes.
|
|
138
|
-
*/
|
|
139
|
-
export interface GeneratedTypes {
|
|
121
|
+
localeUntyped: null | string;
|
|
122
|
+
userUntyped: UntypedUser;
|
|
140
123
|
}
|
|
141
|
-
|
|
142
|
-
|
|
143
|
-
|
|
144
|
-
type
|
|
145
|
-
|
|
146
|
-
|
|
147
|
-
|
|
148
|
-
|
|
149
|
-
|
|
150
|
-
|
|
151
|
-
*/
|
|
152
|
-
export type PayloadTypes = IsAugmented extends true ? GeneratedTypes & Omit<UntypedPayloadTypes, keyof GeneratedTypes> : UntypedPayloadTypes;
|
|
153
|
-
export type TypedCollection<TPayloadTypes extends PayloadTypesShape = PayloadTypes> = TPayloadTypes extends {
|
|
154
|
-
collections: infer C;
|
|
155
|
-
} ? C : UntypedPayloadTypes['collections'];
|
|
156
|
-
export type TypedBlock = PayloadTypes['blocks'];
|
|
157
|
-
export type TypedUploadCollection<TPayloadTypes extends PayloadTypesShape = PayloadTypes> = NonNever<{
|
|
158
|
-
[TCollectionSlug in keyof TypedCollection<TPayloadTypes>]: 'filename' | 'filesize' | 'mimeType' | 'url' extends keyof TypedCollection<TPayloadTypes>[TCollectionSlug] ? TypedCollection<TPayloadTypes>[TCollectionSlug] : never;
|
|
124
|
+
type ResolveCollectionType<T> = 'collections' extends keyof T ? T['collections'] : T['collectionsUntyped'];
|
|
125
|
+
type ResolveBlockType<T> = 'blocks' extends keyof T ? T['blocks'] : T['blocksUntyped'];
|
|
126
|
+
type ResolveCollectionSelectType<T> = 'collectionsSelect' extends keyof T ? T['collectionsSelect'] : T['collectionsSelectUntyped'];
|
|
127
|
+
type ResolveCollectionJoinsType<T> = 'collectionsJoins' extends keyof T ? T['collectionsJoins'] : T['collectionsJoinsUntyped'];
|
|
128
|
+
type ResolveGlobalType<T> = 'globals' extends keyof T ? T['globals'] : T['globalsUntyped'];
|
|
129
|
+
type ResolveGlobalSelectType<T> = 'globalsSelect' extends keyof T ? T['globalsSelect'] : T['globalsSelectUntyped'];
|
|
130
|
+
export type TypedCollection = ResolveCollectionType<GeneratedTypes>;
|
|
131
|
+
export type TypedBlock = ResolveBlockType<GeneratedTypes>;
|
|
132
|
+
export type TypedUploadCollection = NonNever<{
|
|
133
|
+
[K in keyof TypedCollection]: 'filename' | 'filesize' | 'mimeType' | 'url' extends keyof TypedCollection[K] ? TypedCollection[K] : never;
|
|
159
134
|
}>;
|
|
160
|
-
export type TypedCollectionSelect
|
|
161
|
-
|
|
162
|
-
|
|
163
|
-
export type
|
|
164
|
-
collectionsJoins: infer C;
|
|
165
|
-
} ? C : UntypedPayloadTypes['collectionsJoins'];
|
|
166
|
-
export type TypedGlobal<TPayloadTypes extends PayloadTypesShape = PayloadTypes> = TPayloadTypes extends {
|
|
167
|
-
globals: infer G;
|
|
168
|
-
} ? G : UntypedPayloadTypes['globals'];
|
|
169
|
-
export type TypedGlobalSelect<TPayloadTypes extends PayloadTypesShape = PayloadTypes> = TPayloadTypes extends {
|
|
170
|
-
globalsSelect: infer G;
|
|
171
|
-
} ? G : UntypedPayloadTypes['globalsSelect'];
|
|
135
|
+
export type TypedCollectionSelect = ResolveCollectionSelectType<GeneratedTypes>;
|
|
136
|
+
export type TypedCollectionJoins = ResolveCollectionJoinsType<GeneratedTypes>;
|
|
137
|
+
export type TypedGlobal = ResolveGlobalType<GeneratedTypes>;
|
|
138
|
+
export type TypedGlobalSelect = ResolveGlobalSelectType<GeneratedTypes>;
|
|
172
139
|
export type StringKeyOf<T> = Extract<keyof T, string>;
|
|
173
|
-
export type CollectionSlug
|
|
140
|
+
export type CollectionSlug = StringKeyOf<TypedCollection>;
|
|
174
141
|
export type BlockSlug = StringKeyOf<TypedBlock>;
|
|
175
|
-
export type UploadCollectionSlug
|
|
176
|
-
|
|
177
|
-
export type
|
|
178
|
-
export type
|
|
179
|
-
|
|
180
|
-
|
|
181
|
-
|
|
142
|
+
export type UploadCollectionSlug = StringKeyOf<TypedUploadCollection>;
|
|
143
|
+
type ResolveDbType<T> = 'db' extends keyof T ? T['db'] : T['dbUntyped'];
|
|
144
|
+
export type DefaultDocumentIDType = ResolveDbType<GeneratedTypes>['defaultIDType'];
|
|
145
|
+
export type GlobalSlug = StringKeyOf<TypedGlobal>;
|
|
146
|
+
type ResolveLocaleType<T> = 'locale' extends keyof T ? T['locale'] : T['localeUntyped'];
|
|
147
|
+
type ResolveFallbackLocaleType<T> = 'fallbackLocale' extends keyof T ? T['fallbackLocale'] : T['fallbackLocaleUntyped'];
|
|
148
|
+
type ResolveUserType<T> = 'user' extends keyof T ? T['user'] : T['userUntyped'];
|
|
149
|
+
export type TypedLocale = ResolveLocaleType<GeneratedTypes>;
|
|
150
|
+
export type TypedFallbackLocale = ResolveFallbackLocaleType<GeneratedTypes>;
|
|
182
151
|
/**
|
|
183
152
|
* @todo rename to `User` in 4.0
|
|
184
153
|
*/
|
|
185
|
-
export type TypedUser =
|
|
186
|
-
|
|
187
|
-
|
|
188
|
-
|
|
189
|
-
export type
|
|
190
|
-
|
|
191
|
-
type HasPayloadJobsType = GeneratedTypes extends {
|
|
192
|
-
collections: infer C;
|
|
193
|
-
} ? 'payload-jobs' extends keyof C ? true : false : false;
|
|
154
|
+
export type TypedUser = ResolveUserType<GeneratedTypes>;
|
|
155
|
+
type ResolveAuthOperationsType<T> = 'auth' extends keyof T ? T['auth'] : T['authUntyped'];
|
|
156
|
+
export type TypedAuthOperations = ResolveAuthOperationsType<GeneratedTypes>;
|
|
157
|
+
type ResolveJobOperationsType<T> = 'jobs' extends keyof T ? T['jobs'] : T['jobsUntyped'];
|
|
158
|
+
export type TypedJobs = ResolveJobOperationsType<GeneratedTypes>;
|
|
159
|
+
type HasPayloadJobsType = 'collections' extends keyof GeneratedTypes ? 'payload-jobs' extends keyof TypedCollection ? true : false : false;
|
|
194
160
|
/**
|
|
195
161
|
* Represents a job in the `payload-jobs` collection, referencing a queued workflow or task (= Job).
|
|
196
162
|
* If a generated type for the `payload-jobs` collection is not available, falls back to the BaseJob type.
|
|
@@ -264,7 +230,7 @@ export declare class BasePayload {
|
|
|
264
230
|
*/
|
|
265
231
|
find: <TSlug extends CollectionSlug, TSelect extends SelectFromCollectionSlug<TSlug>, TDraft extends boolean = false>(options: {
|
|
266
232
|
draft?: TDraft;
|
|
267
|
-
} & FindOptions<TSlug, TSelect>) => Promise<PaginatedDocs<TDraft extends true ?
|
|
233
|
+
} & FindOptions<TSlug, TSelect>) => Promise<PaginatedDocs<TDraft extends true ? GeneratedTypes extends {
|
|
268
234
|
strictDraftTypes: true;
|
|
269
235
|
} ? DraftTransformCollectionWithSelect<TSlug, TSelect> : TransformCollectionWithSelect<TSlug, TSelect> : TransformCollectionWithSelect<TSlug, TSelect>>>;
|
|
270
236
|
/**
|
|
@@ -347,15 +313,7 @@ export declare class BasePayload {
|
|
|
347
313
|
}) => Promise<ReturnType<typeof import("./queues/operations/runJobs/index.js").runJobs>>;
|
|
348
314
|
runByID: (args: {
|
|
349
315
|
id: number | string;
|
|
350
|
-
overrideAccess
|
|
351
|
-
/**
|
|
352
|
-
* Interface to be module-augmented by the `payload-types.ts` file.
|
|
353
|
-
* When augmented, its properties take precedence over UntypedPayloadTypes.
|
|
354
|
-
*/
|
|
355
|
-
? /**
|
|
356
|
-
* Interface to be module-augmented by the `payload-types.ts` file.
|
|
357
|
-
* When augmented, its properties take precedence over UntypedPayloadTypes.
|
|
358
|
-
*/: boolean;
|
|
316
|
+
overrideAccess?: boolean;
|
|
359
317
|
req?: import("./types/index.js").PayloadRequest;
|
|
360
318
|
silent?: import("./queues/localAPI.js").RunJobsSilent;
|
|
361
319
|
}) => Promise<ReturnType<typeof import("./queues/operations/runJobs/index.js").runJobs>>;
|
|
@@ -587,7 +545,7 @@ export type { QueryPreset } from './query-presets/types.js';
|
|
|
587
545
|
export { jobAfterRead } from './queues/config/collection.js';
|
|
588
546
|
export type { JobsConfig, RunJobAccess, RunJobAccessArgs } from './queues/config/types/index.js';
|
|
589
547
|
export type { RunInlineTaskFunction, RunTaskFunction, RunTaskFunctions, TaskConfig, TaskHandler, TaskHandlerArgs, TaskHandlerResult, TaskHandlerResults, TaskInput, TaskOutput, TaskType, } from './queues/config/types/taskTypes.js';
|
|
590
|
-
export type { BaseJob, JobLog, JobTaskStatus, RunningJob, SingleTaskStatus, WorkflowConfig, WorkflowHandler, WorkflowTypes, } from './queues/config/types/workflowTypes.js';
|
|
548
|
+
export type { BaseJob, ConcurrencyConfig, JobLog, JobTaskStatus, RunningJob, SingleTaskStatus, WorkflowConfig, WorkflowHandler, WorkflowTypes, } from './queues/config/types/workflowTypes.js';
|
|
591
549
|
export { JobCancelledError } from './queues/errors/index.js';
|
|
592
550
|
export { countRunnableOrActiveJobsForQueue } from './queues/operations/handleSchedules/countRunnableOrActiveJobsForQueue.js';
|
|
593
551
|
export { importHandlerPath } from './queues/operations/runJobs/runJob/importHandlerPath.js';
|