@donotdev/core 0.0.19 → 0.0.20
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/i18n/locales/lazy/crud_ar.json +14 -0
- package/i18n/locales/lazy/crud_de.json +14 -0
- package/i18n/locales/lazy/crud_en.json +14 -0
- package/i18n/locales/lazy/crud_es.json +14 -0
- package/i18n/locales/lazy/crud_fr.json +14 -0
- package/i18n/locales/lazy/crud_it.json +14 -0
- package/i18n/locales/lazy/crud_ja.json +14 -0
- package/i18n/locales/lazy/crud_ko.json +14 -0
- package/index.d.ts +153 -45
- package/index.js +38 -38
- package/package.json +1 -1
- package/server.d.ts +150 -44
- package/server.js +1 -1
package/package.json
CHANGED
package/server.d.ts
CHANGED
|
@@ -6678,7 +6678,7 @@ interface AggregateResponse {
|
|
|
6678
6678
|
/**
|
|
6679
6679
|
* Visibility levels for entity fields (runtime constants)
|
|
6680
6680
|
* Controls who can SEE this field in responses
|
|
6681
|
-
* Matches USER_ROLES hierarchy + technical + hidden
|
|
6681
|
+
* Matches USER_ROLES hierarchy + technical + hidden + owner
|
|
6682
6682
|
*
|
|
6683
6683
|
* - guest: Everyone (even unauthenticated)
|
|
6684
6684
|
* - user: Authenticated users (users see guest + user fields)
|
|
@@ -6686,6 +6686,7 @@ interface AggregateResponse {
|
|
|
6686
6686
|
* - super: Super admins only (see all non-technical fields)
|
|
6687
6687
|
* - technical: System fields (shown as read-only in edit forms, admins+ only)
|
|
6688
6688
|
* - hidden: Never exposed to client (passwords, tokens, API keys)
|
|
6689
|
+
* - owner: Visible only when request.auth.uid matches one of entity.ownership.ownerFields on the document
|
|
6689
6690
|
*/
|
|
6690
6691
|
declare const VISIBILITY: {
|
|
6691
6692
|
readonly GUEST: "guest";
|
|
@@ -6694,6 +6695,7 @@ declare const VISIBILITY: {
|
|
|
6694
6695
|
readonly SUPER: "super";
|
|
6695
6696
|
readonly TECHNICAL: "technical";
|
|
6696
6697
|
readonly HIDDEN: "hidden";
|
|
6698
|
+
readonly OWNER: "owner";
|
|
6697
6699
|
};
|
|
6698
6700
|
/**
|
|
6699
6701
|
* Editable levels for entity fields (runtime constants)
|
|
@@ -6729,7 +6731,7 @@ declare const DEFAULT_ENTITY_ACCESS: {
|
|
|
6729
6731
|
* @since 0.0.1
|
|
6730
6732
|
* @author AMBROISE PARK Consulting
|
|
6731
6733
|
*/
|
|
6732
|
-
declare const FIELD_TYPES: readonly ["address", "array", "avatar", "badge", "boolean", "checkbox", "color", "combobox", "date", "datetime-local", "document", "documents", "email", "file", "files", "gdprConsent", "geopoint", "hidden", "image", "images", "map", "month", "multiselect", "number", "currency", "price", "password", "radio", "reference", "range", "rating", "reset", "richtext", "select", "submit", "switch", "tel", "text", "textarea", "time", "timestamp", "url", "week", "year"];
|
|
6734
|
+
declare const FIELD_TYPES: readonly ["address", "array", "avatar", "badge", "boolean", "checkbox", "color", "combobox", "date", "datetime-local", "document", "documents", "duration", "email", "file", "files", "gdprConsent", "geopoint", "hidden", "image", "images", "map", "month", "multiselect", "number", "currency", "price", "password", "radio", "reference", "range", "rating", "reset", "richtext", "select", "submit", "switch", "tel", "text", "textarea", "time", "timestamp", "url", "week", "year"];
|
|
6733
6735
|
|
|
6734
6736
|
/**
|
|
6735
6737
|
* @fileoverview Schema-Related Type Definitions
|
|
@@ -6806,6 +6808,37 @@ interface EntityAccessConfig {
|
|
|
6806
6808
|
}
|
|
6807
6809
|
/** Type derived from DEFAULT_ENTITY_ACCESS for type safety */
|
|
6808
6810
|
type EntityAccessDefaults = typeof DEFAULT_ENTITY_ACCESS;
|
|
6811
|
+
/**
|
|
6812
|
+
* Single condition for public read/update in Firestore rules.
|
|
6813
|
+
* Joined with && when publicCondition is an array.
|
|
6814
|
+
*/
|
|
6815
|
+
interface EntityOwnershipPublicCondition {
|
|
6816
|
+
field: string;
|
|
6817
|
+
op: string;
|
|
6818
|
+
value: string | boolean | number;
|
|
6819
|
+
}
|
|
6820
|
+
/**
|
|
6821
|
+
* Ownership configuration for stakeholder access (marketplace-style entities).
|
|
6822
|
+
* When set, drives Firestore rule condition generation, list/listCard query constraints,
|
|
6823
|
+
* and visibility: 'owner' field masking.
|
|
6824
|
+
*
|
|
6825
|
+
* @example
|
|
6826
|
+
* ```typescript
|
|
6827
|
+
* ownership: {
|
|
6828
|
+
* ownerFields: ['providerId', 'customerId'],
|
|
6829
|
+
* publicCondition: [
|
|
6830
|
+
* { field: 'status', op: '==', value: 'available' },
|
|
6831
|
+
* { field: 'isApproved', op: '==', value: true },
|
|
6832
|
+
* ],
|
|
6833
|
+
* }
|
|
6834
|
+
* ```
|
|
6835
|
+
*/
|
|
6836
|
+
interface EntityOwnershipConfig {
|
|
6837
|
+
/** Document fields whose value is a user id (e.g. providerId, customerId) */
|
|
6838
|
+
ownerFields: string[];
|
|
6839
|
+
/** Conditions joined with && for "public" read (e.g. status == 'available') */
|
|
6840
|
+
publicCondition?: EntityOwnershipPublicCondition[];
|
|
6841
|
+
}
|
|
6809
6842
|
/**
|
|
6810
6843
|
* Supported field types for entities
|
|
6811
6844
|
* These determine the UI components and validation rules used for each field
|
|
@@ -7458,6 +7491,21 @@ interface BusinessEntity {
|
|
|
7458
7491
|
* ```
|
|
7459
7492
|
*/
|
|
7460
7493
|
scope?: ScopeConfig;
|
|
7494
|
+
/**
|
|
7495
|
+
* Stakeholder ownership configuration (optional).
|
|
7496
|
+
* When set, drives Firestore rule condition (read/update), list/listCard query constraints,
|
|
7497
|
+
* and visibility: 'owner' field masking. Use for marketplace-style entities (e.g. schedules:
|
|
7498
|
+
* public when available, private to partner/customer when booked).
|
|
7499
|
+
*
|
|
7500
|
+
* @example
|
|
7501
|
+
* ```typescript
|
|
7502
|
+
* ownership: {
|
|
7503
|
+
* ownerFields: ['providerId', 'customerId'],
|
|
7504
|
+
* publicCondition: [{ field: 'status', op: '==', value: 'available' }],
|
|
7505
|
+
* }
|
|
7506
|
+
* ```
|
|
7507
|
+
*/
|
|
7508
|
+
ownership?: EntityOwnershipConfig;
|
|
7461
7509
|
/** Field definitions - name and label are required */
|
|
7462
7510
|
fields: Record<string, EntityField>;
|
|
7463
7511
|
/** Form configuration for advanced forms */
|
|
@@ -7870,9 +7918,10 @@ interface EntityFormRendererProps<T extends EntityRecord = EntityRecord> {
|
|
|
7870
7918
|
onSecondarySubmit?: (data: T) => void | Promise<void>;
|
|
7871
7919
|
/**
|
|
7872
7920
|
* Current viewer's role for editability checks
|
|
7873
|
-
*
|
|
7921
|
+
* If not provided, defaults to 'guest' (most restrictive)
|
|
7922
|
+
* @default 'guest'
|
|
7874
7923
|
*/
|
|
7875
|
-
viewerRole?:
|
|
7924
|
+
viewerRole?: string;
|
|
7876
7925
|
/**
|
|
7877
7926
|
* Form operation type
|
|
7878
7927
|
* @default 'create' (or 'edit' if defaultValues provided)
|
|
@@ -7947,7 +7996,7 @@ interface EntityDisplayRendererProps<T extends EntityRecord = EntityRecord> {
|
|
|
7947
7996
|
* If not provided, defaults to 'guest' (most restrictive - shows only public fields)
|
|
7948
7997
|
* @default 'guest'
|
|
7949
7998
|
*/
|
|
7950
|
-
viewerRole?:
|
|
7999
|
+
viewerRole?: string;
|
|
7951
8000
|
}
|
|
7952
8001
|
|
|
7953
8002
|
type FieldValues = Record<string, any>;
|
|
@@ -12899,6 +12948,29 @@ declare function createErrorHandler(config: ErrorHandlerConfig): ErrorHandlerFun
|
|
|
12899
12948
|
*/
|
|
12900
12949
|
declare const commonErrorCodeMappings: Record<string, ErrorCode>;
|
|
12901
12950
|
|
|
12951
|
+
/**
|
|
12952
|
+
* @fileoverview Firestore rule condition generator for stakeholder ownership
|
|
12953
|
+
* @description Given EntityOwnershipConfig, returns a rule condition string suitable for
|
|
12954
|
+
* allow read and allow update. Use the same condition for both (owners can read and update).
|
|
12955
|
+
*
|
|
12956
|
+
* @version 0.0.1
|
|
12957
|
+
* @since 0.0.1
|
|
12958
|
+
* @author AMBROISE PARK Consulting
|
|
12959
|
+
*/
|
|
12960
|
+
|
|
12961
|
+
/**
|
|
12962
|
+
* Generates a Firestore rule condition for read and update based on ownership config.
|
|
12963
|
+
* Use the returned string in firestore.rules like:
|
|
12964
|
+
*
|
|
12965
|
+
* allow read, update: if <generated>;
|
|
12966
|
+
*
|
|
12967
|
+
* The condition is: (publicCondition AND ...) OR request.auth.uid == resource.data.<ownerField1> OR ...
|
|
12968
|
+
*
|
|
12969
|
+
* @param ownership - Entity ownership config (ownerFields + optional publicCondition array)
|
|
12970
|
+
* @returns Rule condition expression string
|
|
12971
|
+
*/
|
|
12972
|
+
declare function generateFirestoreRuleCondition(ownership: EntityOwnershipConfig): string;
|
|
12973
|
+
|
|
12902
12974
|
/**
|
|
12903
12975
|
* @fileoverview Smart translation helper
|
|
12904
12976
|
* @description Auto-detects translation keys vs raw strings
|
|
@@ -13147,6 +13219,18 @@ declare function lazyImport<T>(importFn: () => Promise<T>, cacheKey: string): Pr
|
|
|
13147
13219
|
|
|
13148
13220
|
*/
|
|
13149
13221
|
declare function hasRoleAccess(userRole: string | undefined, requiredRole: string): boolean;
|
|
13222
|
+
/**
|
|
13223
|
+
* Extract canonical role from auth claims
|
|
13224
|
+
*
|
|
13225
|
+
* Handles:
|
|
13226
|
+
* - 'role' claim (primary)
|
|
13227
|
+
* - Boolean flags (isAdmin, isSuper) (legacy/convenience)
|
|
13228
|
+
* - Fallbacks to USER_ROLES.USER
|
|
13229
|
+
*
|
|
13230
|
+
* @param claims - Auth claims object
|
|
13231
|
+
* @returns Canonical role string
|
|
13232
|
+
*/
|
|
13233
|
+
declare function getRoleFromClaims(claims: Record<string, any>): string;
|
|
13150
13234
|
|
|
13151
13235
|
/**
|
|
13152
13236
|
|
|
@@ -13413,38 +13497,6 @@ declare function updateMetadata(userId: string): {
|
|
|
13413
13497
|
_updatedBy: string;
|
|
13414
13498
|
};
|
|
13415
13499
|
|
|
13416
|
-
/**
|
|
13417
|
-
* @fileoverview Field visibility filter utility
|
|
13418
|
-
* @description Filters document fields based on visibility and user role using a Valibot schema.
|
|
13419
|
-
*
|
|
13420
|
-
* Uses 6-level hierarchical visibility system:
|
|
13421
|
-
*
|
|
13422
|
-
* Hierarchy: guest < user < admin < super
|
|
13423
|
-
*
|
|
13424
|
-
* - `guest`: Everyone (including unauthenticated)
|
|
13425
|
-
* - `user`: Authenticated users (see guest + user)
|
|
13426
|
-
* - `admin`: Admins (see guest + user + admin)
|
|
13427
|
-
* - `super`: Super admins (see guest + user + admin + super)
|
|
13428
|
-
* - `technical`: System fields (admins+ only, read-only in forms)
|
|
13429
|
-
* - `hidden`: Never exposed to client
|
|
13430
|
-
*
|
|
13431
|
-
* @version 0.0.3
|
|
13432
|
-
* @since 0.0.1
|
|
13433
|
-
* @author AMBROISE PARK Consulting
|
|
13434
|
-
*/
|
|
13435
|
-
|
|
13436
|
-
/**
|
|
13437
|
-
* Filters the fields of a data object based on visibility rules defined
|
|
13438
|
-
* in a Valibot schema and the user's role.
|
|
13439
|
-
*
|
|
13440
|
-
* @template T - The expected type of the data object
|
|
13441
|
-
* @param data - The document data object to filter
|
|
13442
|
-
* @param schema - The Valibot schema with visibility metadata on each field
|
|
13443
|
-
* @param userRole - The current user's role (guest, user, admin, super)
|
|
13444
|
-
* @returns A new object containing only the fields visible to the user
|
|
13445
|
-
*/
|
|
13446
|
-
declare function filterVisibleFields<T extends Record<string, any>>(data: T | null | undefined, schema: v.BaseSchema<unknown, any, v.BaseIssue<unknown>> | dndevSchema<any>, userRole: UserRole): Partial<T>;
|
|
13447
|
-
|
|
13448
13500
|
/**
|
|
13449
13501
|
* @fileoverview Field visibility utility
|
|
13450
13502
|
* @description Extracts visible field names from a Valibot schema based on user role.
|
|
@@ -13459,8 +13511,9 @@ declare function filterVisibleFields<T extends Record<string, any>>(data: T | nu
|
|
|
13459
13511
|
* - `super`: Super admins (see guest + user + admin + super)
|
|
13460
13512
|
* - `technical`: System fields (admins+ only, read-only in forms)
|
|
13461
13513
|
* - `hidden`: Never exposed to client
|
|
13514
|
+
* - `owner`: Visible only when request.auth.uid matches one of entity.ownership.ownerFields on the document (requires options)
|
|
13462
13515
|
*
|
|
13463
|
-
* @version 0.0.
|
|
13516
|
+
* @version 0.0.5
|
|
13464
13517
|
* @since 0.0.1
|
|
13465
13518
|
* @author AMBROISE PARK Consulting
|
|
13466
13519
|
*/
|
|
@@ -13482,15 +13535,64 @@ declare function filterVisibleFields<T extends Record<string, any>>(data: T | nu
|
|
|
13482
13535
|
* @returns True if the field should be visible
|
|
13483
13536
|
*/
|
|
13484
13537
|
declare function isFieldVisible(visibility: Visibility | undefined, userRole: UserRole): boolean;
|
|
13538
|
+
/**
|
|
13539
|
+
* Options for owner-level visibility (per-document check).
|
|
13540
|
+
*/
|
|
13541
|
+
interface GetVisibleFieldsOptions {
|
|
13542
|
+
documentData?: Record<string, unknown>;
|
|
13543
|
+
uid?: string;
|
|
13544
|
+
ownership?: EntityOwnershipConfig;
|
|
13545
|
+
}
|
|
13485
13546
|
/**
|
|
13486
13547
|
* Extracts the names of all fields from a Valibot object schema that should be visible
|
|
13487
|
-
* based on the user's role.
|
|
13548
|
+
* based on the user's role and optional ownership context (for visibility: 'owner').
|
|
13488
13549
|
*
|
|
13489
13550
|
* @param schema - The Valibot schema, expected to be an object schema (v.object)
|
|
13490
13551
|
* @param userRole - The current user's role (guest, user, admin, super)
|
|
13552
|
+
* @param options - Optional: documentData, uid, ownership for owner-level visibility
|
|
13491
13553
|
* @returns An array of visible field names
|
|
13492
13554
|
*/
|
|
13493
|
-
declare function getVisibleFields(schema: v.BaseSchema<unknown, any, v.BaseIssue<unknown>> | dndevSchema<any>, userRole: UserRole): string[];
|
|
13555
|
+
declare function getVisibleFields(schema: v.BaseSchema<unknown, any, v.BaseIssue<unknown>> | dndevSchema<any>, userRole: UserRole, options?: GetVisibleFieldsOptions): string[];
|
|
13556
|
+
|
|
13557
|
+
/**
|
|
13558
|
+
* @fileoverview Field visibility filter utility
|
|
13559
|
+
* @description Filters document fields based on visibility and user role using a Valibot schema.
|
|
13560
|
+
*
|
|
13561
|
+
* Uses 6-level hierarchical visibility system:
|
|
13562
|
+
*
|
|
13563
|
+
* Hierarchy: guest < user < admin < super
|
|
13564
|
+
*
|
|
13565
|
+
* - `guest`: Everyone (including unauthenticated)
|
|
13566
|
+
* - `user`: Authenticated users (see guest + user)
|
|
13567
|
+
* - `admin`: Admins (see guest + user + admin)
|
|
13568
|
+
* - `super`: Super admins (see guest + user + admin + super)
|
|
13569
|
+
* - `technical`: System fields (admins+ only, read-only in forms)
|
|
13570
|
+
* - `hidden`: Never exposed to client
|
|
13571
|
+
*
|
|
13572
|
+
* @version 0.0.3
|
|
13573
|
+
* @since 0.0.1
|
|
13574
|
+
* @author AMBROISE PARK Consulting
|
|
13575
|
+
*/
|
|
13576
|
+
|
|
13577
|
+
/**
|
|
13578
|
+
* Options for owner-level visibility (per-document check).
|
|
13579
|
+
* Pass documentData, uid, and ownership so fields with visibility: 'owner' are included when uid matches an owner field.
|
|
13580
|
+
*/
|
|
13581
|
+
type FilterVisibleFieldsOptions = GetVisibleFieldsOptions;
|
|
13582
|
+
/**
|
|
13583
|
+
* Filters the fields of a data object based on visibility rules defined
|
|
13584
|
+
* in a Valibot schema and the user's role. When options (documentData, uid, ownership)
|
|
13585
|
+
* are provided, fields with visibility: 'owner' are included only if uid matches
|
|
13586
|
+
* one of ownership.ownerFields in documentData.
|
|
13587
|
+
*
|
|
13588
|
+
* @template T - The expected type of the data object
|
|
13589
|
+
* @param data - The document data object to filter
|
|
13590
|
+
* @param schema - The Valibot schema with visibility metadata on each field
|
|
13591
|
+
* @param userRole - The current user's role (guest, user, admin, super)
|
|
13592
|
+
* @param options - Optional: documentData, uid, ownership for owner-level visibility
|
|
13593
|
+
* @returns A new object containing only the fields visible to the user
|
|
13594
|
+
*/
|
|
13595
|
+
declare function filterVisibleFields<T extends Record<string, any>>(data: T | null | undefined, schema: v.BaseSchema<unknown, any, v.BaseIssue<unknown>> | dndevSchema<any>, userRole: UserRole, options?: FilterVisibleFieldsOptions): Partial<T>;
|
|
13494
13596
|
|
|
13495
13597
|
/**
|
|
13496
13598
|
* @fileoverview Server-side date utilities
|
|
@@ -13628,6 +13730,8 @@ type index_d_DoNotDevError = DoNotDevError;
|
|
|
13628
13730
|
declare const index_d_DoNotDevError: typeof DoNotDevError;
|
|
13629
13731
|
type index_d_ErrorHandlerConfig = ErrorHandlerConfig;
|
|
13630
13732
|
type index_d_ErrorHandlerFunction = ErrorHandlerFunction;
|
|
13733
|
+
type index_d_FilterVisibleFieldsOptions = FilterVisibleFieldsOptions;
|
|
13734
|
+
type index_d_GetVisibleFieldsOptions = GetVisibleFieldsOptions;
|
|
13631
13735
|
type index_d_HandleErrorOptions = HandleErrorOptions;
|
|
13632
13736
|
type index_d_SingletonManager = SingletonManager;
|
|
13633
13737
|
declare const index_d_SingletonManager: typeof SingletonManager;
|
|
@@ -13650,10 +13754,12 @@ declare const index_d_formatDate: typeof formatDate;
|
|
|
13650
13754
|
declare const index_d_formatRelativeTime: typeof formatRelativeTime;
|
|
13651
13755
|
declare const index_d_generateCodeChallenge: typeof generateCodeChallenge;
|
|
13652
13756
|
declare const index_d_generateCodeVerifier: typeof generateCodeVerifier;
|
|
13757
|
+
declare const index_d_generateFirestoreRuleCondition: typeof generateFirestoreRuleCondition;
|
|
13653
13758
|
declare const index_d_generatePKCEPair: typeof generatePKCEPair;
|
|
13654
13759
|
declare const index_d_getCurrencyLocale: typeof getCurrencyLocale;
|
|
13655
13760
|
declare const index_d_getCurrencySymbol: typeof getCurrencySymbol;
|
|
13656
13761
|
declare const index_d_getCurrentTimestamp: typeof getCurrentTimestamp;
|
|
13762
|
+
declare const index_d_getRoleFromClaims: typeof getRoleFromClaims;
|
|
13657
13763
|
declare const index_d_getVisibleFields: typeof getVisibleFields;
|
|
13658
13764
|
declare const index_d_getWeekFromISOString: typeof getWeekFromISOString;
|
|
13659
13765
|
declare const index_d_handleError: typeof handleError;
|
|
@@ -13688,8 +13794,8 @@ declare const index_d_validateUrl: typeof validateUrl;
|
|
|
13688
13794
|
declare const index_d_withErrorHandling: typeof withErrorHandling;
|
|
13689
13795
|
declare const index_d_withGracefulDegradation: typeof withGracefulDegradation;
|
|
13690
13796
|
declare namespace index_d {
|
|
13691
|
-
export { index_d_CURRENCY_MAP as CURRENCY_MAP, index_d_DEFAULT_ERROR_MESSAGES as DEFAULT_ERROR_MESSAGES, index_d_DoNotDevError as DoNotDevError, index_d_SingletonManager as SingletonManager, index_d_addMonths as addMonths, index_d_addYears as addYears, index_d_calculateSubscriptionEndDate as calculateSubscriptionEndDate, index_d_captureErrorToSentry as captureErrorToSentry, index_d_commonErrorCodeMappings as commonErrorCodeMappings, index_d_compactToISOString as compactToISOString, index_d_createAsyncSingleton as createAsyncSingleton, index_d_createErrorHandler as createErrorHandler, index_d_createMetadata as createMetadata, index_d_createMethodProxy as createMethodProxy, index_d_createSingleton as createSingleton, index_d_createSingletonWithParams as createSingletonWithParams, index_d_detectErrorSource as detectErrorSource, index_d_filterVisibleFields as filterVisibleFields, index_d_formatCurrency as formatCurrency, index_d_formatDate as formatDate, index_d_formatRelativeTime as formatRelativeTime, index_d_generateCodeChallenge as generateCodeChallenge, index_d_generateCodeVerifier as generateCodeVerifier, index_d_generatePKCEPair as generatePKCEPair, index_d_getCurrencyLocale as getCurrencyLocale, index_d_getCurrencySymbol as getCurrencySymbol, index_d_getCurrentTimestamp as getCurrentTimestamp, index_d_getVisibleFields as getVisibleFields, index_d_getWeekFromISOString as getWeekFromISOString, index_d_handleError as handleError, index_d_hasRoleAccess as hasRoleAccess, index_d_hasTierAccess as hasTierAccess, index_d_isCompactDateString as isCompactDateString, index_d_isFieldVisible as isFieldVisible, index_d_isPKCESupported as isPKCESupported, index_d_isoToCompactString as isoToCompactString, index_d_lazyImport as lazyImport, index_d_mapToDoNotDevError as mapToDoNotDevError, index_d_maybeTranslate as maybeTranslate, index_d_normalizeToISOString as normalizeToISOString, index_d_parseDate as parseDate, index_d_parseDateToNoonUTC as parseDateToNoonUTC, index_d_parseISODate as parseISODate, index_d_parseServerCookie as parseServerCookie, index_d_showNotification as showNotification, index_d_timestampToISOString as timestampToISOString, index_d_toDateOnly as toDateOnly, index_d_toISOString as toISOString, index_d_translateArray as translateArray, index_d_translateArrayRange as translateArrayRange, index_d_translateArrayWithIndices as translateArrayWithIndices, index_d_translateObjectArray as translateObjectArray, index_d_updateMetadata as updateMetadata, index_d_validateCodeChallenge as validateCodeChallenge, index_d_validateCodeVerifier as validateCodeVerifier, index_d_validateEnvVar as validateEnvVar, index_d_validateMetadata as validateMetadata, index_d_validateUrl as validateUrl, index_d_withErrorHandling as withErrorHandling, index_d_withGracefulDegradation as withGracefulDegradation };
|
|
13692
|
-
export type { index_d_CurrencyEntry as CurrencyEntry, index_d_DateFormatOptions as DateFormatOptions, index_d_DateFormatPreset as DateFormatPreset, index_d_ErrorHandlerConfig as ErrorHandlerConfig, index_d_ErrorHandlerFunction as ErrorHandlerFunction, index_d_HandleErrorOptions as HandleErrorOptions };
|
|
13797
|
+
export { index_d_CURRENCY_MAP as CURRENCY_MAP, index_d_DEFAULT_ERROR_MESSAGES as DEFAULT_ERROR_MESSAGES, index_d_DoNotDevError as DoNotDevError, index_d_SingletonManager as SingletonManager, index_d_addMonths as addMonths, index_d_addYears as addYears, index_d_calculateSubscriptionEndDate as calculateSubscriptionEndDate, index_d_captureErrorToSentry as captureErrorToSentry, index_d_commonErrorCodeMappings as commonErrorCodeMappings, index_d_compactToISOString as compactToISOString, index_d_createAsyncSingleton as createAsyncSingleton, index_d_createErrorHandler as createErrorHandler, index_d_createMetadata as createMetadata, index_d_createMethodProxy as createMethodProxy, index_d_createSingleton as createSingleton, index_d_createSingletonWithParams as createSingletonWithParams, index_d_detectErrorSource as detectErrorSource, index_d_filterVisibleFields as filterVisibleFields, index_d_formatCurrency as formatCurrency, index_d_formatDate as formatDate, index_d_formatRelativeTime as formatRelativeTime, index_d_generateCodeChallenge as generateCodeChallenge, index_d_generateCodeVerifier as generateCodeVerifier, index_d_generateFirestoreRuleCondition as generateFirestoreRuleCondition, index_d_generatePKCEPair as generatePKCEPair, index_d_getCurrencyLocale as getCurrencyLocale, index_d_getCurrencySymbol as getCurrencySymbol, index_d_getCurrentTimestamp as getCurrentTimestamp, index_d_getRoleFromClaims as getRoleFromClaims, index_d_getVisibleFields as getVisibleFields, index_d_getWeekFromISOString as getWeekFromISOString, index_d_handleError as handleError, index_d_hasRoleAccess as hasRoleAccess, index_d_hasTierAccess as hasTierAccess, index_d_isCompactDateString as isCompactDateString, index_d_isFieldVisible as isFieldVisible, index_d_isPKCESupported as isPKCESupported, index_d_isoToCompactString as isoToCompactString, index_d_lazyImport as lazyImport, index_d_mapToDoNotDevError as mapToDoNotDevError, index_d_maybeTranslate as maybeTranslate, index_d_normalizeToISOString as normalizeToISOString, index_d_parseDate as parseDate, index_d_parseDateToNoonUTC as parseDateToNoonUTC, index_d_parseISODate as parseISODate, index_d_parseServerCookie as parseServerCookie, index_d_showNotification as showNotification, index_d_timestampToISOString as timestampToISOString, index_d_toDateOnly as toDateOnly, index_d_toISOString as toISOString, index_d_translateArray as translateArray, index_d_translateArrayRange as translateArrayRange, index_d_translateArrayWithIndices as translateArrayWithIndices, index_d_translateObjectArray as translateObjectArray, index_d_updateMetadata as updateMetadata, index_d_validateCodeChallenge as validateCodeChallenge, index_d_validateCodeVerifier as validateCodeVerifier, index_d_validateEnvVar as validateEnvVar, index_d_validateMetadata as validateMetadata, index_d_validateUrl as validateUrl, index_d_withErrorHandling as withErrorHandling, index_d_withGracefulDegradation as withGracefulDegradation };
|
|
13798
|
+
export type { index_d_CurrencyEntry as CurrencyEntry, index_d_DateFormatOptions as DateFormatOptions, index_d_DateFormatPreset as DateFormatPreset, index_d_ErrorHandlerConfig as ErrorHandlerConfig, index_d_ErrorHandlerFunction as ErrorHandlerFunction, index_d_FilterVisibleFieldsOptions as FilterVisibleFieldsOptions, index_d_GetVisibleFieldsOptions as GetVisibleFieldsOptions, index_d_HandleErrorOptions as HandleErrorOptions };
|
|
13693
13799
|
}
|
|
13694
13800
|
|
|
13695
13801
|
/**
|
|
@@ -14339,5 +14445,5 @@ declare function getRegisteredScopeProviders(): string[];
|
|
|
14339
14445
|
*/
|
|
14340
14446
|
declare function clearScopeProviders(): void;
|
|
14341
14447
|
|
|
14342
|
-
export { AUTH_EVENTS, AUTH_PARTNERS, AUTH_PARTNER_STATE, AuthUserSchema, BACKEND_GENERATED_FIELD_NAMES, BILLING_EVENTS, BREAKPOINT_RANGES, BREAKPOINT_THRESHOLDS, COMMON_TIER_CONFIGS, CONFIDENCE_LEVELS, CONSENT_CATEGORY, CONTEXTS, CURRENCY_MAP, CheckoutSessionMetadataSchema, CreateCheckoutSessionRequestSchema, CreateCheckoutSessionResponseSchema, CustomClaimsSchema, DEFAULT_ENTITY_ACCESS, DEFAULT_ERROR_MESSAGES, DEFAULT_LAYOUT_PRESET, DEFAULT_STATUS_OPTIONS, DEFAULT_STATUS_VALUE, DEFAULT_SUBSCRIPTION, DENSITY, DoNotDevError, ENVIRONMENTS, EntityHookError, FEATURES, FEATURE_CONSENT_MATRIX, FEATURE_STATUS, FIREBASE_ERROR_MAP, FIRESTORE_ID_PATTERN, GITHUB_PERMISSION_LEVELS, HIDDEN_STATUSES, LAYOUT_PRESET, OAUTH_EVENTS, OAUTH_PARTNERS, PARTNER_ICONS, PAYLOAD_EVENTS, PERMISSIONS, PLATFORMS, PWA_ASSET_TYPES, PWA_DISPLAY_MODES, ProductDeclarationSchema, ProductDeclarationsSchema, ROUTE_SOURCES, STORAGE_SCOPES, STORAGE_TYPES, STRIPE_EVENTS, STRIPE_MODES, SUBSCRIPTION_DURATIONS, SUBSCRIPTION_STATUS, SUBSCRIPTION_TIERS, index_d as ServerUtils, SingletonManager, StripeBackConfigSchema, StripeFrontConfigSchema, StripePaymentSchema, StripeSubscriptionSchema, SubscriptionClaimsSchema, SubscriptionDataSchema, TECHNICAL_FIELD_NAMES, USER_ROLES, UserSubscriptionSchema, WebhookEventSchema, addMonths, addYears, addressSchema, arraySchema, baseFields, booleanSchema, calculateSubscriptionEndDate, captureErrorToSentry, checkGitHubAccessSchema, clearSchemaGenerators, clearScopeProviders, commonErrorCodeMappings, compactToISOString, createAsyncSingleton, createDefaultSubscriptionClaims, createDefaultUserProfile, createEntitySchema, createErrorHandler, createMetadata, createMethodProxy, createSchemas, createSingleton, createSingletonWithParams, dateSchema, defineEntity, deleteEntitySchema, detectErrorSource, disconnectOAuthSchema, emailSchema, enhanceSchema, exchangeTokenSchema, fileSchema, filesSchema, filterVisibleFields, formatCurrency, formatDate, formatRelativeTime, gdprConsentSchema, generateCodeChallenge, generateCodeVerifier, generatePKCEPair, geopointSchema, getBreakpointFromWidth, getBreakpointUtils, getCollectionName, getConnectionsSchema, getCurrencyLocale, getCurrencySymbol, getCurrentTimestamp, getEntitySchema, getRegisteredSchemaTypes, getRegisteredScopeProviders, getSchemaType, getScopeValue, getVisibleFields, getWeekFromISOString, githubPermissionSchema, githubRepoConfigSchema, grantGitHubAccessSchema, handleError, hasCustomSchemaGenerator, hasMetadata, hasRoleAccess, hasScopeProvider, hasTierAccess, isAuthPartnerId, isBackendGeneratedField, isBreakpoint, isCompactDateString, isFieldVisible, isFrameworkField, isOAuthPartnerId, isPKCESupported, isoToCompactString, lazyImport, listEntitiesSchema, mapSchema, mapToDoNotDevError, maybeTranslate, multiselectSchema, neverSchema, normalizeToISOString, numberSchema, overrideFeatures, overridePaymentModes, overridePermissions, overrideSubscriptionStatus, overrideSubscriptionTiers, overrideUserRoles, parseDate, parseDateToNoonUTC, parseISODate, parseServerCookie, passwordSchema, pictureSchema, picturesSchema, priceSchema, rangeOptions, referenceSchema, refreshTokenSchema, registerSchemaGenerator, registerScopeProvider, registerUniqueConstraintValidator, revokeGitHubAccessSchema, selectSchema, showNotification, stringSchema, switchSchema, telSchema, textSchema, timestampToISOString, toDateOnly, toISOString, translateArray, translateArrayRange, translateArrayWithIndices, translateObjectArray, unregisterScopeProvider, updateEntitySchema, updateMetadata, urlSchema, validateAuthPartners, validateAuthSchemas, validateAuthUser, validateBillingSchemas, validateCheckoutSessionMetadata, validateCodeChallenge, validateCodeVerifier, validateCreateCheckoutSessionRequest, validateCreateCheckoutSessionResponse, validateCustomClaims, validateDates, validateDocument, validateEnvVar, validateMetadata, validateOAuthPartners, validateStripeBackConfig, validateStripeFrontConfig, validateSubscriptionClaims, validateSubscriptionData, validateUniqueFields, validateUrl, validateUserSubscription, validateWebhookEvent, withErrorHandling, withGracefulDegradation };
|
|
14343
|
-
export type { AccountLinkResult, AccountLinkingInfo, AdminCheckHookResult, AdminClaims, AggregateConfig, AggregateFilterOperator, AggregateOperation, AggregateRequest, AggregateResponse, AnyFieldValue, ApiResponse, AppConfig, AppCookieCategories, AppMetadata, AppProvidersProps, AssetsPluginConfig, AttemptRecord, AuthAPI, AuthActions, AuthConfig, AuthContextValue, AuthCoreHookResult, AuthError, AuthEventData, AuthEventKey, AuthEventName, AuthMethod, AuthPartner, AuthPartnerButton, AuthPartnerHookResult, AuthPartnerId, AuthPartnerResult, AuthPartnerState, AuthProvider, AuthProviderProps, AuthRedirectHookResult, AuthRedirectOperation, AuthRedirectOptions, AuthResult, AuthState, AuthStateStore, AuthStatus, AuthTokenHookResult, AuthUser, BackendGeneratedField, BaseActions, BaseCredentials, BaseDocument, BaseEntityFields, BasePartnerState, BaseState, BaseStoreActions, BaseStoreState, BaseUserProfile, BasicUserInfo, BillingAPI, BillingAdapter, BillingErrorCode, BillingEvent, BillingEventData, BillingEventKey, BillingEventName, BillingProvider, BillingProviderConfig, BillingRedirectOperation, Breakpoint, BreakpointUtils, BusinessEntity, CachedError, CanAPI, CheckGitHubAccessRequest, CheckoutMode, CheckoutOptions, CheckoutSessionMetadata, ColumnDef, CommonSubscriptionFeatures, CommonTranslations, ConfidenceLevel, ConsentAPI, ConsentActions, ConsentCategory, ConsentState, Context, CookieOptions, CreateCheckoutSessionRequest, CreateCheckoutSessionResponse, CreateEntityData, CreateEntityRequest, CreateEntityResponse, CrudAPI, CrudConfig, CurrencyEntry, CustomClaims, CustomSchemaGenerator, CustomStoreConfig, DateFormatOptions, DateFormatPreset, DateValue, DeleteEntityRequest, DeleteEntityResponse, Density, DnDevOverride, DndevFrameworkConfig, DoNotDevCookieCategories, DynamicFormRule, Editable, EffectiveConnectionType, EmailVerificationHookResult, EmailVerificationStatus, Entity, EntityAccessConfig, EntityAccessDefaults, EntityCardListProps, EntityDisplayRendererProps, EntityField, EntityFormRendererProps, EntityHookErrors, EntityListProps, EntityMetadata, EntityRecord, EntityTemplateProps, EntityTranslations, EnvironmentMode, ErrorCode, ErrorHandlerConfig, ErrorHandlerFunction, ErrorSeverity, ErrorSource, ExchangeTokenParams, ExchangeTokenRequest, FaviconConfig, Feature, FeatureAccessHookResult, FeatureConsentRequirement, FeatureHookResult, FeatureId, FeatureName, FeatureStatus, FeaturesConfig, FeaturesPluginConfig, FeaturesRequiringAnyConsent, FeaturesRequiringConsent, FeaturesWithoutConsent, FieldCondition, FieldType, FieldTypeToValue, FileAsset, FirebaseCallOptions, FirebaseConfig, FirestoreTimestamp, FirestoreUniqueConstraintValidator, FooterConfig, FooterZoneConfig, FormConfig, FormStep, FunctionCallConfig, FunctionCallContext, FunctionCallOptions, FunctionCallResult, FunctionClient, FunctionClientFactoryOptions, FunctionDefaults, FunctionEndpoint, FunctionError, FunctionLoader, FunctionMemory, FunctionMeta, FunctionPlatform, FunctionResponse, FunctionSchema, FunctionSchemas, FunctionSystem, FunctionTrigger, FunctionsConfig, GetCustomClaimsResponse, GetEntityData, GetEntityRequest, GetEntityResponse, GetUserAuthStatusResponse, GitHubPermission, GitHubRepoConfig, GrantGitHubAccessRequest, GroupByDefinition, HandleErrorOptions, HeaderZoneConfig, I18nConfig, I18nPluginConfig, I18nProviderProps, ID, INetworkManager, IStorageManager, IStorageStrategy, Invoice, InvoiceItem, LanguageInfo, LayoutConfig, LayoutPreset, LegalCompanyInfo, LegalConfig, LegalContactInfo, LegalDirectorInfo, LegalHostingInfo, LegalJurisdictionInfo, LegalSectionsConfig, LegalWebsiteInfo, ListEntitiesRequest, ListEntitiesResponse, ListEntityData, ListOptions, ListResponse, LoadingActions, LoadingState, MergedBarConfig, MetricDefinition, MobileBehaviorConfig, ModalActions, ModalState, MutationResponse, NavigationRoute, NetworkCheckConfig, NetworkConnectionType, NetworkReconnectCallback, NetworkState, NetworkStatus, NetworkStatusHookResult, OAuthAPI, OAuthApiRequestOptions, OAuthCallbackHookResult, OAuthConnection, OAuthConnectionInfo, OAuthConnectionRequest, OAuthConnectionStatus, OAuthCredentials, OAuthEventData, OAuthEventKey, OAuthEventName, OAuthPartner, OAuthPartnerButton, OAuthPartnerHookResult, OAuthPartnerId, OAuthPartnerResult, OAuthPartnerState, OAuthPurpose, OAuthRedirectOperation, OAuthRefreshRequest, OAuthRefreshResponse, OAuthResult, OAuthStoreActions, OAuthStoreState, Observable, OperationSchemas, OrderByClause, PWAAssetType, PWADisplayMode, PWAPluginConfig, PageAuth, PageMeta, PaginationOptions, PartnerButton, PartnerConnectionState, PartnerIconId, PartnerId, PartnerResult, PartnerType, PayloadCacheEventData, PayloadDocument, PayloadDocumentEventData, PayloadEventKey, PayloadEventName, PayloadGlobalEventData, PayloadMediaEventData, PayloadPageRegenerationEventData, PayloadRequest, PayloadUserEventData, PaymentEventData, PaymentMethod, PaymentMethodType, PaymentMode, Permission, Picture, Platform, PresetConfig, PresetRegistry, ProcessPaymentSuccessRequest, ProcessPaymentSuccessResponse, ProductDeclaration, ProviderInstances, QueryConfig, RateLimitConfig, RateLimitManager, RateLimitResult, RateLimitState, RateLimiter, ReadCallback, RedirectOperation, RedirectOverlayActions, RedirectOverlayConfig, RedirectOverlayPhase, RedirectOverlayState, Reference, RefreshSubscriptionRequest, RefreshSubscriptionResponse, RemoveCustomClaimsResponse, ResolvedLayoutConfig, RevokeGitHubAccessRequest, RouteMeta, RouteSource, RoutesPluginConfig, SEOConfig, SchemaMetadata, SchemaWithVisibility, ScopeConfig, ScopeProviderFn, SelectOption, SetCustomClaimsResponse, SidebarZoneConfig, SlotContent, StatusField, StorageOptions, StorageScope, StorageType, Store, StoreApi, StripeBackConfig, StripeCheckoutRequest, StripeCheckoutResponse, StripeCheckoutSessionEventData, StripeConfig, StripeCustomer, StripeCustomerEventData, StripeEventData, StripeEventKey, StripeEventName, StripeFrontConfig, StripeInvoice, StripeInvoiceEventData, StripePayment, StripePaymentIntentEventData, StripePaymentMethod, StripePrice, StripeProduct, StripeProvider, StripeSubscription, StripeSubscriptionData, StripeWebhookEvent, StripeWebhookEventData, Subscription, SubscriptionClaims, SubscriptionConfig, SubscriptionData, SubscriptionDuration, SubscriptionEventData, SubscriptionHookResult, SubscriptionInfo, SubscriptionStatus, SubscriptionTier, SupportedLanguage, TechnicalField, ThemeActions, ThemeInfo, ThemeMode, ThemeState, ThemesPluginConfig, TierAccessHookResult, Timestamp, TokenInfo, TokenResponse, TokenState, TokenStatus, TranslationOptions, TranslationResource, TypedBaseFields, UIFieldOptions, UniqueConstraintValidator, UniqueKeyDefinition, UnsubscribeFn, UpdateEntityData, UpdateEntityRequest, UpdateEntityResponse, UseFunctionsMutationOptions, UseFunctionsQueryOptions, UseTranslationOptionsEnhanced, UserContext, UserProfile, UserProviderData, UserRole, UserSubscription, ValidationRules, ValueTypeForField, Visibility, WebhookEvent, WebhookEventData, WhereClause, WhereOperator, WithMetadata, dndevSchema };
|
|
14448
|
+
export { AUTH_EVENTS, AUTH_PARTNERS, AUTH_PARTNER_STATE, AuthUserSchema, BACKEND_GENERATED_FIELD_NAMES, BILLING_EVENTS, BREAKPOINT_RANGES, BREAKPOINT_THRESHOLDS, COMMON_TIER_CONFIGS, CONFIDENCE_LEVELS, CONSENT_CATEGORY, CONTEXTS, CURRENCY_MAP, CheckoutSessionMetadataSchema, CreateCheckoutSessionRequestSchema, CreateCheckoutSessionResponseSchema, CustomClaimsSchema, DEFAULT_ENTITY_ACCESS, DEFAULT_ERROR_MESSAGES, DEFAULT_LAYOUT_PRESET, DEFAULT_STATUS_OPTIONS, DEFAULT_STATUS_VALUE, DEFAULT_SUBSCRIPTION, DENSITY, DoNotDevError, ENVIRONMENTS, EntityHookError, FEATURES, FEATURE_CONSENT_MATRIX, FEATURE_STATUS, FIREBASE_ERROR_MAP, FIRESTORE_ID_PATTERN, GITHUB_PERMISSION_LEVELS, HIDDEN_STATUSES, LAYOUT_PRESET, OAUTH_EVENTS, OAUTH_PARTNERS, PARTNER_ICONS, PAYLOAD_EVENTS, PERMISSIONS, PLATFORMS, PWA_ASSET_TYPES, PWA_DISPLAY_MODES, ProductDeclarationSchema, ProductDeclarationsSchema, ROUTE_SOURCES, STORAGE_SCOPES, STORAGE_TYPES, STRIPE_EVENTS, STRIPE_MODES, SUBSCRIPTION_DURATIONS, SUBSCRIPTION_STATUS, SUBSCRIPTION_TIERS, index_d as ServerUtils, SingletonManager, StripeBackConfigSchema, StripeFrontConfigSchema, StripePaymentSchema, StripeSubscriptionSchema, SubscriptionClaimsSchema, SubscriptionDataSchema, TECHNICAL_FIELD_NAMES, USER_ROLES, UserSubscriptionSchema, WebhookEventSchema, addMonths, addYears, addressSchema, arraySchema, baseFields, booleanSchema, calculateSubscriptionEndDate, captureErrorToSentry, checkGitHubAccessSchema, clearSchemaGenerators, clearScopeProviders, commonErrorCodeMappings, compactToISOString, createAsyncSingleton, createDefaultSubscriptionClaims, createDefaultUserProfile, createEntitySchema, createErrorHandler, createMetadata, createMethodProxy, createSchemas, createSingleton, createSingletonWithParams, dateSchema, defineEntity, deleteEntitySchema, detectErrorSource, disconnectOAuthSchema, emailSchema, enhanceSchema, exchangeTokenSchema, fileSchema, filesSchema, filterVisibleFields, formatCurrency, formatDate, formatRelativeTime, gdprConsentSchema, generateCodeChallenge, generateCodeVerifier, generateFirestoreRuleCondition, generatePKCEPair, geopointSchema, getBreakpointFromWidth, getBreakpointUtils, getCollectionName, getConnectionsSchema, getCurrencyLocale, getCurrencySymbol, getCurrentTimestamp, getEntitySchema, getRegisteredSchemaTypes, getRegisteredScopeProviders, getRoleFromClaims, getSchemaType, getScopeValue, getVisibleFields, getWeekFromISOString, githubPermissionSchema, githubRepoConfigSchema, grantGitHubAccessSchema, handleError, hasCustomSchemaGenerator, hasMetadata, hasRoleAccess, hasScopeProvider, hasTierAccess, isAuthPartnerId, isBackendGeneratedField, isBreakpoint, isCompactDateString, isFieldVisible, isFrameworkField, isOAuthPartnerId, isPKCESupported, isoToCompactString, lazyImport, listEntitiesSchema, mapSchema, mapToDoNotDevError, maybeTranslate, multiselectSchema, neverSchema, normalizeToISOString, numberSchema, overrideFeatures, overridePaymentModes, overridePermissions, overrideSubscriptionStatus, overrideSubscriptionTiers, overrideUserRoles, parseDate, parseDateToNoonUTC, parseISODate, parseServerCookie, passwordSchema, pictureSchema, picturesSchema, priceSchema, rangeOptions, referenceSchema, refreshTokenSchema, registerSchemaGenerator, registerScopeProvider, registerUniqueConstraintValidator, revokeGitHubAccessSchema, selectSchema, showNotification, stringSchema, switchSchema, telSchema, textSchema, timestampToISOString, toDateOnly, toISOString, translateArray, translateArrayRange, translateArrayWithIndices, translateObjectArray, unregisterScopeProvider, updateEntitySchema, updateMetadata, urlSchema, validateAuthPartners, validateAuthSchemas, validateAuthUser, validateBillingSchemas, validateCheckoutSessionMetadata, validateCodeChallenge, validateCodeVerifier, validateCreateCheckoutSessionRequest, validateCreateCheckoutSessionResponse, validateCustomClaims, validateDates, validateDocument, validateEnvVar, validateMetadata, validateOAuthPartners, validateStripeBackConfig, validateStripeFrontConfig, validateSubscriptionClaims, validateSubscriptionData, validateUniqueFields, validateUrl, validateUserSubscription, validateWebhookEvent, withErrorHandling, withGracefulDegradation };
|
|
14449
|
+
export type { AccountLinkResult, AccountLinkingInfo, AdminCheckHookResult, AdminClaims, AggregateConfig, AggregateFilterOperator, AggregateOperation, AggregateRequest, AggregateResponse, AnyFieldValue, ApiResponse, AppConfig, AppCookieCategories, AppMetadata, AppProvidersProps, AssetsPluginConfig, AttemptRecord, AuthAPI, AuthActions, AuthConfig, AuthContextValue, AuthCoreHookResult, AuthError, AuthEventData, AuthEventKey, AuthEventName, AuthMethod, AuthPartner, AuthPartnerButton, AuthPartnerHookResult, AuthPartnerId, AuthPartnerResult, AuthPartnerState, AuthProvider, AuthProviderProps, AuthRedirectHookResult, AuthRedirectOperation, AuthRedirectOptions, AuthResult, AuthState, AuthStateStore, AuthStatus, AuthTokenHookResult, AuthUser, BackendGeneratedField, BaseActions, BaseCredentials, BaseDocument, BaseEntityFields, BasePartnerState, BaseState, BaseStoreActions, BaseStoreState, BaseUserProfile, BasicUserInfo, BillingAPI, BillingAdapter, BillingErrorCode, BillingEvent, BillingEventData, BillingEventKey, BillingEventName, BillingProvider, BillingProviderConfig, BillingRedirectOperation, Breakpoint, BreakpointUtils, BusinessEntity, CachedError, CanAPI, CheckGitHubAccessRequest, CheckoutMode, CheckoutOptions, CheckoutSessionMetadata, ColumnDef, CommonSubscriptionFeatures, CommonTranslations, ConfidenceLevel, ConsentAPI, ConsentActions, ConsentCategory, ConsentState, Context, CookieOptions, CreateCheckoutSessionRequest, CreateCheckoutSessionResponse, CreateEntityData, CreateEntityRequest, CreateEntityResponse, CrudAPI, CrudConfig, CurrencyEntry, CustomClaims, CustomSchemaGenerator, CustomStoreConfig, DateFormatOptions, DateFormatPreset, DateValue, DeleteEntityRequest, DeleteEntityResponse, Density, DnDevOverride, DndevFrameworkConfig, DoNotDevCookieCategories, DynamicFormRule, Editable, EffectiveConnectionType, EmailVerificationHookResult, EmailVerificationStatus, Entity, EntityAccessConfig, EntityAccessDefaults, EntityCardListProps, EntityDisplayRendererProps, EntityField, EntityFormRendererProps, EntityHookErrors, EntityListProps, EntityMetadata, EntityOwnershipConfig, EntityOwnershipPublicCondition, EntityRecord, EntityTemplateProps, EntityTranslations, EnvironmentMode, ErrorCode, ErrorHandlerConfig, ErrorHandlerFunction, ErrorSeverity, ErrorSource, ExchangeTokenParams, ExchangeTokenRequest, FaviconConfig, Feature, FeatureAccessHookResult, FeatureConsentRequirement, FeatureHookResult, FeatureId, FeatureName, FeatureStatus, FeaturesConfig, FeaturesPluginConfig, FeaturesRequiringAnyConsent, FeaturesRequiringConsent, FeaturesWithoutConsent, FieldCondition, FieldType, FieldTypeToValue, FileAsset, FilterVisibleFieldsOptions, FirebaseCallOptions, FirebaseConfig, FirestoreTimestamp, FirestoreUniqueConstraintValidator, FooterConfig, FooterZoneConfig, FormConfig, FormStep, FunctionCallConfig, FunctionCallContext, FunctionCallOptions, FunctionCallResult, FunctionClient, FunctionClientFactoryOptions, FunctionDefaults, FunctionEndpoint, FunctionError, FunctionLoader, FunctionMemory, FunctionMeta, FunctionPlatform, FunctionResponse, FunctionSchema, FunctionSchemas, FunctionSystem, FunctionTrigger, FunctionsConfig, GetCustomClaimsResponse, GetEntityData, GetEntityRequest, GetEntityResponse, GetUserAuthStatusResponse, GetVisibleFieldsOptions, GitHubPermission, GitHubRepoConfig, GrantGitHubAccessRequest, GroupByDefinition, HandleErrorOptions, HeaderZoneConfig, I18nConfig, I18nPluginConfig, I18nProviderProps, ID, INetworkManager, IStorageManager, IStorageStrategy, Invoice, InvoiceItem, LanguageInfo, LayoutConfig, LayoutPreset, LegalCompanyInfo, LegalConfig, LegalContactInfo, LegalDirectorInfo, LegalHostingInfo, LegalJurisdictionInfo, LegalSectionsConfig, LegalWebsiteInfo, ListEntitiesRequest, ListEntitiesResponse, ListEntityData, ListOptions, ListResponse, LoadingActions, LoadingState, MergedBarConfig, MetricDefinition, MobileBehaviorConfig, ModalActions, ModalState, MutationResponse, NavigationRoute, NetworkCheckConfig, NetworkConnectionType, NetworkReconnectCallback, NetworkState, NetworkStatus, NetworkStatusHookResult, OAuthAPI, OAuthApiRequestOptions, OAuthCallbackHookResult, OAuthConnection, OAuthConnectionInfo, OAuthConnectionRequest, OAuthConnectionStatus, OAuthCredentials, OAuthEventData, OAuthEventKey, OAuthEventName, OAuthPartner, OAuthPartnerButton, OAuthPartnerHookResult, OAuthPartnerId, OAuthPartnerResult, OAuthPartnerState, OAuthPurpose, OAuthRedirectOperation, OAuthRefreshRequest, OAuthRefreshResponse, OAuthResult, OAuthStoreActions, OAuthStoreState, Observable, OperationSchemas, OrderByClause, PWAAssetType, PWADisplayMode, PWAPluginConfig, PageAuth, PageMeta, PaginationOptions, PartnerButton, PartnerConnectionState, PartnerIconId, PartnerId, PartnerResult, PartnerType, PayloadCacheEventData, PayloadDocument, PayloadDocumentEventData, PayloadEventKey, PayloadEventName, PayloadGlobalEventData, PayloadMediaEventData, PayloadPageRegenerationEventData, PayloadRequest, PayloadUserEventData, PaymentEventData, PaymentMethod, PaymentMethodType, PaymentMode, Permission, Picture, Platform, PresetConfig, PresetRegistry, ProcessPaymentSuccessRequest, ProcessPaymentSuccessResponse, ProductDeclaration, ProviderInstances, QueryConfig, RateLimitConfig, RateLimitManager, RateLimitResult, RateLimitState, RateLimiter, ReadCallback, RedirectOperation, RedirectOverlayActions, RedirectOverlayConfig, RedirectOverlayPhase, RedirectOverlayState, Reference, RefreshSubscriptionRequest, RefreshSubscriptionResponse, RemoveCustomClaimsResponse, ResolvedLayoutConfig, RevokeGitHubAccessRequest, RouteMeta, RouteSource, RoutesPluginConfig, SEOConfig, SchemaMetadata, SchemaWithVisibility, ScopeConfig, ScopeProviderFn, SelectOption, SetCustomClaimsResponse, SidebarZoneConfig, SlotContent, StatusField, StorageOptions, StorageScope, StorageType, Store, StoreApi, StripeBackConfig, StripeCheckoutRequest, StripeCheckoutResponse, StripeCheckoutSessionEventData, StripeConfig, StripeCustomer, StripeCustomerEventData, StripeEventData, StripeEventKey, StripeEventName, StripeFrontConfig, StripeInvoice, StripeInvoiceEventData, StripePayment, StripePaymentIntentEventData, StripePaymentMethod, StripePrice, StripeProduct, StripeProvider, StripeSubscription, StripeSubscriptionData, StripeWebhookEvent, StripeWebhookEventData, Subscription, SubscriptionClaims, SubscriptionConfig, SubscriptionData, SubscriptionDuration, SubscriptionEventData, SubscriptionHookResult, SubscriptionInfo, SubscriptionStatus, SubscriptionTier, SupportedLanguage, TechnicalField, ThemeActions, ThemeInfo, ThemeMode, ThemeState, ThemesPluginConfig, TierAccessHookResult, Timestamp, TokenInfo, TokenResponse, TokenState, TokenStatus, TranslationOptions, TranslationResource, TypedBaseFields, UIFieldOptions, UniqueConstraintValidator, UniqueKeyDefinition, UnsubscribeFn, UpdateEntityData, UpdateEntityRequest, UpdateEntityResponse, UseFunctionsMutationOptions, UseFunctionsQueryOptions, UseTranslationOptionsEnhanced, UserContext, UserProfile, UserProviderData, UserRole, UserSubscription, ValidationRules, ValueTypeForField, Visibility, WebhookEvent, WebhookEventData, WhereClause, WhereOperator, WithMetadata, dndevSchema };
|