@donotdev/core 0.0.39 → 0.0.41
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/empty.js +5 -3
- package/functions/index.js +2 -2
- package/i18n/locales/lazy/crud_ar.json +3 -0
- package/i18n/locales/lazy/crud_da.json +3 -0
- package/i18n/locales/lazy/crud_de.json +3 -0
- package/i18n/locales/lazy/crud_en.json +3 -0
- package/i18n/locales/lazy/crud_es.json +3 -0
- package/i18n/locales/lazy/crud_fr.json +3 -0
- package/i18n/locales/lazy/crud_it.json +3 -0
- package/i18n/locales/lazy/crud_ja.json +3 -0
- package/i18n/locales/lazy/crud_ko.json +3 -0
- package/i18n/locales/lazy/crud_nl.json +3 -0
- package/index.d.ts +263 -280
- package/index.js +213 -59
- package/next/index.js +44 -22
- package/package.json +4 -4
- package/server.d.ts +53 -48
- package/vite/index.js +73 -80
package/index.d.ts
CHANGED
|
@@ -2667,8 +2667,10 @@ interface I18nPluginConfig {
|
|
|
2667
2667
|
eager: string[];
|
|
2668
2668
|
/** Fallback language code */
|
|
2669
2669
|
fallback: string;
|
|
2670
|
-
/** Preloaded translation content (optional) */
|
|
2670
|
+
/** Preloaded translation content for eager namespaces (optional) */
|
|
2671
2671
|
content?: Record<string, Record<string, any>>;
|
|
2672
|
+
/** Lazy loader functions — static import() calls generated by Vite plugin (optional, not serializable) */
|
|
2673
|
+
loaders?: Record<string, Record<string, () => Promise<any>>>;
|
|
2672
2674
|
/** Storage configuration */
|
|
2673
2675
|
storage: {
|
|
2674
2676
|
/** Storage backend type */
|
|
@@ -5575,17 +5577,15 @@ interface UIFieldOptions<T extends string = FieldType> {
|
|
|
5575
5577
|
/** Step value for numeric inputs */
|
|
5576
5578
|
step?: T extends 'number' | 'range' ? number : never;
|
|
5577
5579
|
/**
|
|
5578
|
-
*
|
|
5579
|
-
*
|
|
5580
|
-
*
|
|
5581
|
-
|
|
5582
|
-
|
|
5583
|
-
|
|
5584
|
-
*
|
|
5585
|
-
* Use for locale-specific suffixes like "charges comprises" / "all included".
|
|
5586
|
-
* @example `suffix: 'fields.rent_suffix'` → "700€ charges comprises"
|
|
5580
|
+
* i18n key for display formatting. Replaces the raw value in lists/cards/display views.
|
|
5581
|
+
* The formatter calls `t(displayKey, { value })`. Supports i18next array-key fallback.
|
|
5582
|
+
* Use `{{value}}` in key names for dynamic lookup (interpolated before `t()` call).
|
|
5583
|
+
*
|
|
5584
|
+
* @example Single key: `displayKey: 'fields.size_display'` → locale `"{{value}}m²"` → "20m²"
|
|
5585
|
+
* @example Array fallback: `displayKey: ['floor_{{value}}', 'fields.floor_display']`
|
|
5586
|
+
* → tries `floor_4`, falls back to `fields.floor_display`: `"{{value}}th floor"` → "4th floor"
|
|
5587
5587
|
*/
|
|
5588
|
-
|
|
5588
|
+
displayKey?: string | string[];
|
|
5589
5589
|
/** Whether to show value label for range inputs */
|
|
5590
5590
|
showValue?: T extends 'range' ? boolean : never;
|
|
5591
5591
|
/** Field specific options based on field type. Custom types: augment CustomFieldOptionsMap. */
|
|
@@ -6956,22 +6956,31 @@ interface AggregateResponse {
|
|
|
6956
6956
|
* @author AMBROISE PARK Consulting
|
|
6957
6957
|
*/
|
|
6958
6958
|
|
|
6959
|
-
|
|
6959
|
+
/**
|
|
6960
|
+
* Shared base props for entity browsing components (table and card grid).
|
|
6961
|
+
* Both fetch the same data — just render differently based on entity field config.
|
|
6962
|
+
*/
|
|
6963
|
+
interface EntityBrowseBaseProps {
|
|
6960
6964
|
/** The entity definition */
|
|
6961
6965
|
entity: Entity;
|
|
6962
|
-
/** Current user role (for UI toggle only - backend enforces security) */
|
|
6963
|
-
userRole?: string;
|
|
6964
6966
|
/**
|
|
6965
|
-
* Base path for view
|
|
6966
|
-
* View/Edit = `${basePath}/${id}`, Create = `${basePath}/new`.
|
|
6967
|
+
* Base path for view. Default: `/${collection}`. View = `${basePath}/${id}`.
|
|
6967
6968
|
*/
|
|
6968
6969
|
basePath?: string;
|
|
6969
6970
|
/**
|
|
6970
|
-
* Called when user clicks a row. If provided, overrides default navigation to basePath/:id (e.g. open sheet).
|
|
6971
|
+
* Called when user clicks a row/card. If provided, overrides default navigation to basePath/:id (e.g. open sheet).
|
|
6971
6972
|
*/
|
|
6972
6973
|
onClick?: (id: string) => void;
|
|
6973
6974
|
/** Hide filters section (default: false) */
|
|
6974
6975
|
hideFilters?: boolean;
|
|
6976
|
+
/** Current user role (for UI toggle only - backend enforces security) */
|
|
6977
|
+
userRole?: string;
|
|
6978
|
+
/** Optional query constraints (server-side filtering via adapter) */
|
|
6979
|
+
queryOptions?: QueryOptions$1;
|
|
6980
|
+
/** Cache stale time in ms */
|
|
6981
|
+
staleTime?: number;
|
|
6982
|
+
}
|
|
6983
|
+
interface EntityListProps extends EntityBrowseBaseProps {
|
|
6975
6984
|
/**
|
|
6976
6985
|
* Pagination mode:
|
|
6977
6986
|
* - `'auto'` (default) — fetches up to 1000 client-side. Auto-switches to server if total > 1000.
|
|
@@ -6981,47 +6990,19 @@ interface EntityListProps {
|
|
|
6981
6990
|
pagination?: 'auto' | 'client' | 'server';
|
|
6982
6991
|
/** Page size - passed to DataTable. If not provided, DataTable uses its default (12) */
|
|
6983
6992
|
pageSize?: number;
|
|
6984
|
-
/** Optional query constraints (e.g. where companyId == currentCompanyId) passed to useCrudList */
|
|
6985
|
-
queryOptions?: {
|
|
6986
|
-
where?: Array<{
|
|
6987
|
-
field: string;
|
|
6988
|
-
operator: string;
|
|
6989
|
-
value: unknown;
|
|
6990
|
-
}>;
|
|
6991
|
-
orderBy?: Array<{
|
|
6992
|
-
field: string;
|
|
6993
|
-
direction?: 'asc' | 'desc';
|
|
6994
|
-
}>;
|
|
6995
|
-
limit?: number;
|
|
6996
|
-
startAfterId?: string;
|
|
6997
|
-
};
|
|
6998
6993
|
/**
|
|
6999
6994
|
* Enable export to CSV functionality
|
|
7000
6995
|
* @default true (admin tables typically need export)
|
|
7001
6996
|
*/
|
|
7002
6997
|
exportable?: boolean;
|
|
7003
6998
|
}
|
|
7004
|
-
interface EntityCardListProps {
|
|
7005
|
-
/** The entity definition */
|
|
7006
|
-
entity: Entity;
|
|
7007
|
-
/**
|
|
7008
|
-
* Base path for view. Default: `/${collection}`. View = `${basePath}/${id}`.
|
|
7009
|
-
*/
|
|
7010
|
-
basePath?: string;
|
|
7011
|
-
/**
|
|
7012
|
-
* Called when user clicks a card. If provided, overrides default navigation to basePath/:id (e.g. open sheet).
|
|
7013
|
-
*/
|
|
7014
|
-
onClick?: (id: string) => void;
|
|
6999
|
+
interface EntityCardListProps extends EntityBrowseBaseProps {
|
|
7015
7000
|
/** Grid columns (responsive) - defaults to [1, 2, 3, 4] */
|
|
7016
7001
|
cols?: number | [number, number, number, number];
|
|
7017
|
-
/** Cache stale time is ms - defaults to 30 mins */
|
|
7018
|
-
staleTime?: number;
|
|
7019
7002
|
/** Optional filter function to filter items client-side */
|
|
7020
7003
|
filter?: (item: Record<string, unknown> & {
|
|
7021
7004
|
id: string;
|
|
7022
7005
|
}) => boolean;
|
|
7023
|
-
/** Hide filters section (default: false) */
|
|
7024
|
-
hideFilters?: boolean;
|
|
7025
7006
|
/**
|
|
7026
7007
|
* Custom label for the results section title.
|
|
7027
7008
|
* Receives the current item count so you can handle pluralization and empty state.
|
|
@@ -7181,7 +7162,7 @@ interface EntityRecommendationsProps {
|
|
|
7181
7162
|
title?: string;
|
|
7182
7163
|
/** Base path for card links. Default: `/${entity.collection}` */
|
|
7183
7164
|
basePath?: string;
|
|
7184
|
-
/** Grid columns — default 3 */
|
|
7165
|
+
/** Grid columns — default `[1,1,3,3]` */
|
|
7185
7166
|
cols?: number | [number, number, number, number];
|
|
7186
7167
|
/** Additional className on wrapper Section */
|
|
7187
7168
|
className?: string;
|
|
@@ -11006,12 +10987,36 @@ type SupportedLanguage = string;
|
|
|
11006
10987
|
* @since 0.0.1
|
|
11007
10988
|
* @author AMBROISE PARK Consulting
|
|
11008
10989
|
*/
|
|
11009
|
-
interface LanguageInfo {
|
|
10990
|
+
interface LanguageInfo$1 {
|
|
11010
10991
|
/** ISO 639-1 language code (e.g., 'en', 'fr') */
|
|
11011
10992
|
code: string;
|
|
11012
10993
|
/** Native name of the language (e.g., 'English', 'Français') */
|
|
11013
10994
|
name: string;
|
|
11014
10995
|
}
|
|
10996
|
+
/**
|
|
10997
|
+
* Language data type — single source of truth for language metadata.
|
|
10998
|
+
* Used by i18n constants, language store, and language selector components.
|
|
10999
|
+
*
|
|
11000
|
+
* @version 0.0.1
|
|
11001
|
+
* @since 0.0.1
|
|
11002
|
+
* @author AMBROISE PARK Consulting
|
|
11003
|
+
*/
|
|
11004
|
+
interface LanguageData {
|
|
11005
|
+
/** BCP-47 language code (e.g., 'en', 'fr', 'ar-ma') */
|
|
11006
|
+
id: string;
|
|
11007
|
+
/** English display name */
|
|
11008
|
+
name: string;
|
|
11009
|
+
/** Native script display name */
|
|
11010
|
+
nativeName: string;
|
|
11011
|
+
/** Override flag code when it differs from the language id */
|
|
11012
|
+
flagCode?: string;
|
|
11013
|
+
/** ISO 3166-1 alpha-2 country code */
|
|
11014
|
+
countryCode?: string;
|
|
11015
|
+
/** International dialing code (e.g., '+33') */
|
|
11016
|
+
dialCode?: string;
|
|
11017
|
+
/** Human-readable country name for display labels */
|
|
11018
|
+
countryName?: string;
|
|
11019
|
+
}
|
|
11015
11020
|
/**
|
|
11016
11021
|
* Interface for configurations to initialize the i18n system
|
|
11017
11022
|
*
|
|
@@ -13556,6 +13561,7 @@ type index_d$5_EmailVerificationStatus = EmailVerificationStatus;
|
|
|
13556
13561
|
type index_d$5_Entity = Entity;
|
|
13557
13562
|
type index_d$5_EntityAccessConfig = EntityAccessConfig;
|
|
13558
13563
|
type index_d$5_EntityAccessDefaults = EntityAccessDefaults;
|
|
13564
|
+
type index_d$5_EntityBrowseBaseProps = EntityBrowseBaseProps;
|
|
13559
13565
|
type index_d$5_EntityCardListProps = EntityCardListProps;
|
|
13560
13566
|
type index_d$5_EntityDisplayRendererProps<T extends EntityRecord = EntityRecord> = EntityDisplayRendererProps<T>;
|
|
13561
13567
|
type index_d$5_EntityField<T extends string = FieldType> = EntityField<T>;
|
|
@@ -13652,7 +13658,7 @@ type index_d$5_Invoice = Invoice;
|
|
|
13652
13658
|
type index_d$5_InvoiceItem = InvoiceItem;
|
|
13653
13659
|
declare const index_d$5_LAYOUT_PRESET: typeof LAYOUT_PRESET;
|
|
13654
13660
|
declare const index_d$5_LIST_SCHEMA_TYPE: typeof LIST_SCHEMA_TYPE;
|
|
13655
|
-
type index_d$
|
|
13661
|
+
type index_d$5_LanguageData = LanguageData;
|
|
13656
13662
|
type index_d$5_LayoutConfig = LayoutConfig;
|
|
13657
13663
|
type index_d$5_LayoutPreset = LayoutPreset;
|
|
13658
13664
|
type index_d$5_LegalCompanyInfo = LegalCompanyInfo;
|
|
@@ -13936,7 +13942,7 @@ declare const index_d$5_validateUserSubscription: typeof validateUserSubscriptio
|
|
|
13936
13942
|
declare const index_d$5_validateWebhookEvent: typeof validateWebhookEvent;
|
|
13937
13943
|
declare namespace index_d$5 {
|
|
13938
13944
|
export { index_d$5_AGGREGATE_FILTER_OPERATORS as AGGREGATE_FILTER_OPERATORS, index_d$5_AGGREGATE_OPERATIONS as AGGREGATE_OPERATIONS, index_d$5_AUTH_EVENTS as AUTH_EVENTS, index_d$5_AUTH_PARTNERS as AUTH_PARTNERS, index_d$5_AUTH_PARTNER_STATE as AUTH_PARTNER_STATE, index_d$5_AuthUserSchema as AuthUserSchema, index_d$5_BILLING_EVENTS as BILLING_EVENTS, index_d$5_BREAKPOINT_RANGES as BREAKPOINT_RANGES, index_d$5_BREAKPOINT_THRESHOLDS as BREAKPOINT_THRESHOLDS, index_d$5_COMMON_TIER_CONFIGS as COMMON_TIER_CONFIGS, index_d$5_CONFIDENCE_LEVELS as CONFIDENCE_LEVELS, index_d$5_CONSENT_CATEGORY as CONSENT_CATEGORY, index_d$5_CONTEXTS as CONTEXTS, index_d$5_CRUD_OPERATORS as CRUD_OPERATORS, index_d$5_CheckoutSessionMetadataSchema as CheckoutSessionMetadataSchema, index_d$5_CreateCheckoutSessionRequestSchema as CreateCheckoutSessionRequestSchema, index_d$5_CreateCheckoutSessionResponseSchema as CreateCheckoutSessionResponseSchema, index_d$5_CustomClaimsSchema as CustomClaimsSchema, index_d$5_DEFAULT_ENTITY_ACCESS as DEFAULT_ENTITY_ACCESS, index_d$5_DEFAULT_LAYOUT_PRESET as DEFAULT_LAYOUT_PRESET, index_d$5_DEFAULT_SUBSCRIPTION as DEFAULT_SUBSCRIPTION, index_d$5_DENSITY as DENSITY, index_d$5_DoNotDevError as DoNotDevError, index_d$5_EDITABLE as EDITABLE, index_d$5_EMAIL_VERIFICATION_STATUS as EMAIL_VERIFICATION_STATUS, index_d$5_ENTITY_HOOK_ERRORS as ENTITY_HOOK_ERRORS, index_d$5_ENVIRONMENTS as ENVIRONMENTS, index_d$5_ERROR_CODES as ERROR_CODES, index_d$5_ERROR_SEVERITY as ERROR_SEVERITY, index_d$5_ERROR_SOURCE as ERROR_SOURCE, index_d$5_EntityHookError as EntityHookError, index_d$5_FEATURES as FEATURES, index_d$5_FEATURE_CONSENT_MATRIX as FEATURE_CONSENT_MATRIX, index_d$5_FEATURE_STATUS as FEATURE_STATUS, index_d$5_FIELD_TYPES as FIELD_TYPES, index_d$5_FIREBASE_ERROR_MAP as FIREBASE_ERROR_MAP, index_d$5_GITHUB_PERMISSION_LEVELS as GITHUB_PERMISSION_LEVELS, index_d$5_LAYOUT_PRESET as LAYOUT_PRESET, index_d$5_LIST_SCHEMA_TYPE as LIST_SCHEMA_TYPE, index_d$5_OAUTH_EVENTS as OAUTH_EVENTS, index_d$5_OAUTH_PARTNERS as OAUTH_PARTNERS, index_d$5_ORDER_DIRECTION as ORDER_DIRECTION, index_d$5_PARTNER_ICONS as PARTNER_ICONS, index_d$5_PAYLOAD_EVENTS as PAYLOAD_EVENTS, index_d$5_PERMISSIONS as PERMISSIONS, index_d$5_PLATFORMS as PLATFORMS, index_d$5_PWA_ASSET_TYPES as PWA_ASSET_TYPES, index_d$5_PWA_DISPLAY_MODES as PWA_DISPLAY_MODES, index_d$5_ProductDeclarationSchema as ProductDeclarationSchema, index_d$5_ProductDeclarationsSchema as ProductDeclarationsSchema, index_d$5_ROUTE_SOURCES as ROUTE_SOURCES, index_d$5_STORAGE_SCOPES as STORAGE_SCOPES, index_d$5_STORAGE_TYPES as STORAGE_TYPES, index_d$5_STRIPE_EVENTS as STRIPE_EVENTS, index_d$5_STRIPE_MODES as STRIPE_MODES, index_d$5_SUBSCRIPTION_DURATIONS as SUBSCRIPTION_DURATIONS, index_d$5_SUBSCRIPTION_STATUS as SUBSCRIPTION_STATUS, index_d$5_SUBSCRIPTION_TIERS as SUBSCRIPTION_TIERS, index_d$5_StripeBackConfigSchema as StripeBackConfigSchema, index_d$5_StripeFrontConfigSchema as StripeFrontConfigSchema, index_d$5_StripePaymentSchema as StripePaymentSchema, index_d$5_StripeSubscriptionSchema as StripeSubscriptionSchema, index_d$5_SubscriptionClaimsSchema as SubscriptionClaimsSchema, index_d$5_SubscriptionDataSchema as SubscriptionDataSchema, index_d$5_USER_ROLES as USER_ROLES, index_d$5_UserSubscriptionSchema as UserSubscriptionSchema, index_d$5_VISIBILITY as VISIBILITY, index_d$5_WebhookEventSchema as WebhookEventSchema, index_d$5_checkGitHubAccessSchema as checkGitHubAccessSchema, index_d$5_createDefaultSubscriptionClaims as createDefaultSubscriptionClaims, index_d$5_createDefaultUserProfile as createDefaultUserProfile, index_d$5_createEntitySchema as createEntitySchema, index_d$5_deleteEntitySchema as deleteEntitySchema, index_d$5_disconnectOAuthSchema as disconnectOAuthSchema, index_d$5_exchangeTokenSchema as exchangeTokenSchema, index_d$5_getBreakpointFromWidth as getBreakpointFromWidth, index_d$5_getBreakpointUtils as getBreakpointUtils, index_d$5_getConnectionsSchema as getConnectionsSchema, index_d$5_getEntitySchema as getEntitySchema, index_d$5_githubPermissionSchema as githubPermissionSchema, index_d$5_githubRepoConfigSchema as githubRepoConfigSchema, index_d$5_grantGitHubAccessSchema as grantGitHubAccessSchema, index_d$5_isAuthPartnerId as isAuthPartnerId, index_d$5_isBreakpoint as isBreakpoint, index_d$5_isOAuthPartnerId as isOAuthPartnerId, index_d$5_listEntitiesSchema as listEntitiesSchema, index_d$5_overrideFeatures as overrideFeatures, index_d$5_overridePaymentModes as overridePaymentModes, index_d$5_overridePermissions as overridePermissions, index_d$5_overrideSubscriptionStatus as overrideSubscriptionStatus, index_d$5_overrideSubscriptionTiers as overrideSubscriptionTiers, index_d$5_overrideUserRoles as overrideUserRoles, index_d$5_refreshTokenSchema as refreshTokenSchema, index_d$5_revokeGitHubAccessSchema as revokeGitHubAccessSchema, index_d$5_updateEntitySchema as updateEntitySchema, index_d$5_validateAuthPartners as validateAuthPartners, index_d$5_validateAuthSchemas as validateAuthSchemas, index_d$5_validateAuthUser as validateAuthUser, index_d$5_validateBillingSchemas as validateBillingSchemas, index_d$5_validateCheckoutSessionMetadata as validateCheckoutSessionMetadata, index_d$5_validateCreateCheckoutSessionRequest as validateCreateCheckoutSessionRequest, index_d$5_validateCreateCheckoutSessionResponse as validateCreateCheckoutSessionResponse, index_d$5_validateCustomClaims as validateCustomClaims, index_d$5_validateOAuthPartners as validateOAuthPartners, index_d$5_validateStripeBackConfig as validateStripeBackConfig, index_d$5_validateStripeFrontConfig as validateStripeFrontConfig, index_d$5_validateSubscriptionClaims as validateSubscriptionClaims, index_d$5_validateSubscriptionData as validateSubscriptionData, index_d$5_validateUserSubscription as validateUserSubscription, index_d$5_validateWebhookEvent as validateWebhookEvent };
|
|
13939
|
-
export type { index_d$5_AccountLinkResult as AccountLinkResult, index_d$5_AccountLinkingInfo as AccountLinkingInfo, index_d$5_AdminCheckHookResult as AdminCheckHookResult, index_d$5_AdminClaims as AdminClaims, index_d$5_AggregateConfig as AggregateConfig, index_d$5_AggregateFilterOperator as AggregateFilterOperator, index_d$5_AggregateOperation as AggregateOperation, index_d$5_AggregateRequest as AggregateRequest, index_d$5_AggregateResponse as AggregateResponse, index_d$5_AnyFieldValue as AnyFieldValue, index_d$5_ApiResponse as ApiResponse, index_d$5_AppConfig as AppConfig, index_d$5_AppCookieCategories as AppCookieCategories, index_d$5_AppMetadata as AppMetadata, index_d$5_AppProvidersProps as AppProvidersProps, index_d$5_AssetsPluginConfig as AssetsPluginConfig, index_d$5_AttemptRecord as AttemptRecord, index_d$5_AuditEvent as AuditEvent, index_d$5_AuditEventType as AuditEventType, index_d$5_AuthAPI as AuthAPI, index_d$5_AuthActions as AuthActions, index_d$5_AuthConfig as AuthConfig, index_d$5_AuthContextValue as AuthContextValue, index_d$5_AuthCoreHookResult as AuthCoreHookResult, index_d$5_AuthError as AuthError, index_d$5_AuthEventData as AuthEventData, index_d$5_AuthEventKey as AuthEventKey, index_d$5_AuthEventName as AuthEventName, index_d$5_AuthHardeningContext as AuthHardeningContext, index_d$5_AuthMethod as AuthMethod, index_d$5_AuthPartner as AuthPartner, index_d$5_AuthPartnerButton as AuthPartnerButton, index_d$5_AuthPartnerHookResult as AuthPartnerHookResult, index_d$5_AuthPartnerId as AuthPartnerId, index_d$5_AuthPartnerResult as AuthPartnerResult, index_d$5_AuthPartnerState as AuthPartnerState, index_d$5_AuthProvider as AuthProvider, index_d$5_AuthProviderProps as AuthProviderProps, index_d$5_AuthRedirectHookResult as AuthRedirectHookResult, index_d$5_AuthRedirectOperation as AuthRedirectOperation, index_d$5_AuthRedirectOptions as AuthRedirectOptions, index_d$5_AuthResult as AuthResult, index_d$5_AuthState as AuthState, index_d$5_AuthStateStore as AuthStateStore, index_d$5_AuthStatus as AuthStatus, index_d$5_AuthTokenHookResult as AuthTokenHookResult, index_d$5_AuthUser as AuthUser, index_d$5_BaseActions as BaseActions, index_d$5_BaseCredentials as BaseCredentials, index_d$5_BaseDocument as BaseDocument, index_d$5_BaseEntityFields as BaseEntityFields, index_d$5_BasePartnerState as BasePartnerState, index_d$5_BaseState as BaseState, index_d$5_BaseStoreActions as BaseStoreActions, index_d$5_BaseStoreState as BaseStoreState, index_d$5_BaseUserProfile as BaseUserProfile, index_d$5_BasicUserInfo as BasicUserInfo, index_d$5_BillingAPI as BillingAPI, index_d$5_BillingAdapter as BillingAdapter, index_d$5_BillingErrorCode as BillingErrorCode, index_d$5_BillingEvent as BillingEvent, index_d$5_BillingEventData as BillingEventData, index_d$5_BillingEventKey as BillingEventKey, index_d$5_BillingEventName as BillingEventName, index_d$5_BillingProvider as BillingProvider, index_d$5_BillingProviderConfig as BillingProviderConfig, index_d$5_BillingRedirectOperation as BillingRedirectOperation, index_d$5_Breakpoint as Breakpoint, index_d$5_BreakpointUtils as BreakpointUtils, index_d$5_BuiltInFieldType as BuiltInFieldType, index_d$5_BusinessEntity as BusinessEntity, index_d$5_CachedError as CachedError, index_d$5_CanAPI as CanAPI, index_d$5_CheckGitHubAccessRequest as CheckGitHubAccessRequest, index_d$5_CheckoutMode as CheckoutMode, index_d$5_CheckoutOptions as CheckoutOptions, index_d$5_CheckoutSessionMetadata as CheckoutSessionMetadata, index_d$5_CollectionSubscriptionCallback as CollectionSubscriptionCallback, index_d$5_ColumnDef as ColumnDef, index_d$5_CommonSubscriptionFeatures as CommonSubscriptionFeatures, index_d$5_CommonTranslations as CommonTranslations, index_d$5_ConditionBuilderLike as ConditionBuilderLike, index_d$5_ConditionExpression as ConditionExpression, index_d$5_ConditionGroup as ConditionGroup, index_d$5_ConditionInput as ConditionInput, index_d$5_ConditionNode as ConditionNode, index_d$5_ConditionOperator as ConditionOperator, index_d$5_ConditionResult as ConditionResult, index_d$5_ConditionalBehavior as ConditionalBehavior, index_d$5_ConfidenceLevel as ConfidenceLevel, index_d$5_ConsentAPI as ConsentAPI, index_d$5_ConsentActions as ConsentActions, index_d$5_ConsentCategory as ConsentCategory, index_d$5_ConsentState as ConsentState, index_d$5_Context as Context, index_d$5_CookieOptions as CookieOptions, index_d$5_CreateCheckoutSessionRequest as CreateCheckoutSessionRequest, index_d$5_CreateCheckoutSessionResponse as CreateCheckoutSessionResponse, index_d$5_CreateEntityData as CreateEntityData, index_d$5_CreateEntityRequest as CreateEntityRequest, index_d$5_CreateEntityResponse as CreateEntityResponse, index_d$5_CrudAPI as CrudAPI, index_d$5_CrudCardProps as CrudCardProps, index_d$5_CrudConfig as CrudConfig, index_d$5_CrudOperator as CrudOperator, index_d$5_CustomClaims as CustomClaims, index_d$5_CustomFieldOptionsMap as CustomFieldOptionsMap, index_d$5_CustomStoreConfig as CustomStoreConfig, index_d$5_DateValue as DateValue, index_d$5_DeleteEntityRequest as DeleteEntityRequest, index_d$5_DeleteEntityResponse as DeleteEntityResponse, index_d$5_Density as Density, index_d$5_DnDevOverride as DnDevOverride, index_d$5_DnDevWrapper as DnDevWrapper, index_d$5_DndevFrameworkConfig as DndevFrameworkConfig, index_d$5_DndevProviders as DndevProviders, index_d$5_DndevStoreApi as DndevStoreApi, index_d$5_DoNotDevCookieCategories as DoNotDevCookieCategories, index_d$5_DocumentSubscriptionCallback as DocumentSubscriptionCallback, index_d$5_DynamicFormRule as DynamicFormRule, index_d$5_Editable as Editable, index_d$5_EffectiveConnectionType as EffectiveConnectionType, index_d$5_EmailVerificationHookResult as EmailVerificationHookResult, index_d$5_EmailVerificationStatus as EmailVerificationStatus, index_d$5_Entity as Entity, index_d$5_EntityAccessConfig as EntityAccessConfig, index_d$5_EntityAccessDefaults as EntityAccessDefaults, index_d$5_EntityCardListProps as EntityCardListProps, index_d$5_EntityDisplayRendererProps as EntityDisplayRendererProps, index_d$5_EntityField as EntityField, index_d$5_EntityFormRendererProps as EntityFormRendererProps, index_d$5_EntityHookErrors as EntityHookErrors, index_d$5_EntityListProps as EntityListProps, index_d$5_EntityMetadata as EntityMetadata, index_d$5_EntityOwnershipConfig as EntityOwnershipConfig, index_d$5_EntityOwnershipPublicCondition as EntityOwnershipPublicCondition, index_d$5_EntityRecommendationsProps as EntityRecommendationsProps, index_d$5_EntityRecord as EntityRecord, index_d$5_EntityTemplateProps as EntityTemplateProps, index_d$5_EntityTranslations as EntityTranslations, index_d$5_EnvironmentMode as EnvironmentMode, index_d$5_ErrorCode as ErrorCode, index_d$5_ErrorSeverity as ErrorSeverity, index_d$5_ErrorSource as ErrorSource, index_d$5_ExchangeTokenParams as ExchangeTokenParams, index_d$5_ExchangeTokenRequest as ExchangeTokenRequest, index_d$5_FaviconConfig as FaviconConfig, index_d$5_Feature as Feature, index_d$5_FeatureAccessHookResult as FeatureAccessHookResult, index_d$5_FeatureConsentRequirement as FeatureConsentRequirement, index_d$5_FeatureHookResult as FeatureHookResult, index_d$5_FeatureId as FeatureId, index_d$5_FeatureName as FeatureName, index_d$5_FeatureStatus as FeatureStatus, index_d$5_FeaturesConfig as FeaturesConfig, index_d$5_FeaturesPluginConfig as FeaturesPluginConfig, index_d$5_FeaturesRequiringAnyConsent as FeaturesRequiringAnyConsent, index_d$5_FeaturesRequiringConsent as FeaturesRequiringConsent, index_d$5_FeaturesWithoutConsent as FeaturesWithoutConsent, index_d$5_FieldCondition as FieldCondition, index_d$5_FieldType as FieldType, index_d$5_FieldTypeToValue as FieldTypeToValue, index_d$5_FileAsset as FileAsset, index_d$5_FirebaseCallOptions as FirebaseCallOptions, index_d$5_FirebaseConfig as FirebaseConfig, index_d$5_FirestoreTimestamp as FirestoreTimestamp, index_d$5_FirestoreUniqueConstraintValidator as FirestoreUniqueConstraintValidator, index_d$5_FooterConfig as FooterConfig, index_d$5_FooterZoneConfig as FooterZoneConfig, index_d$5_FormConfig as FormConfig, index_d$5_FormStep as FormStep, index_d$5_FunctionCallConfig as FunctionCallConfig, index_d$5_FunctionCallContext as FunctionCallContext, index_d$5_FunctionCallOptions as FunctionCallOptions, index_d$5_FunctionCallResult as FunctionCallResult, index_d$5_FunctionClient as FunctionClient, index_d$5_FunctionClientFactoryOptions as FunctionClientFactoryOptions, index_d$5_FunctionDefaults as FunctionDefaults, index_d$5_FunctionEndpoint as FunctionEndpoint, index_d$5_FunctionError as FunctionError, index_d$5_FunctionLoader as FunctionLoader, index_d$5_FunctionMemory as FunctionMemory, index_d$5_FunctionMeta as FunctionMeta, index_d$5_FunctionPlatform as FunctionPlatform, index_d$5_FunctionResponse as FunctionResponse, index_d$5_FunctionSchema as FunctionSchema, index_d$5_FunctionSchemas as FunctionSchemas, index_d$5_FunctionSystem as FunctionSystem, index_d$5_FunctionTrigger as FunctionTrigger, index_d$5_FunctionsConfig as FunctionsConfig, index_d$5_GetCustomClaimsResponse as GetCustomClaimsResponse, index_d$5_GetEntityData as GetEntityData, index_d$5_GetEntityRequest as GetEntityRequest, index_d$5_GetEntityResponse as GetEntityResponse, index_d$5_GetUserAuthStatusResponse as GetUserAuthStatusResponse, index_d$5_GitHubPermission as GitHubPermission, index_d$5_GitHubRepoConfig as GitHubRepoConfig, index_d$5_GrantGitHubAccessRequest as GrantGitHubAccessRequest, index_d$5_GroupByDefinition as GroupByDefinition, index_d$5_HeaderZoneConfig as HeaderZoneConfig, index_d$5_I18nConfig as I18nConfig, index_d$5_I18nPluginConfig as I18nPluginConfig, index_d$5_I18nProviderProps as I18nProviderProps, index_d$5_ICallableProvider as ICallableProvider, index_d$5_ICrudAdapter as ICrudAdapter, index_d$5_ID as ID, index_d$5_INetworkManager as INetworkManager, index_d$5_IServerAuthAdapter as IServerAuthAdapter, index_d$5_IStorageAdapter as IStorageAdapter, index_d$5_IStorageManager as IStorageManager, index_d$5_IStorageStrategy as IStorageStrategy, index_d$5_Invoice as Invoice, index_d$5_InvoiceItem as InvoiceItem, index_d$5_LanguageInfo as LanguageInfo, index_d$5_LayoutConfig as LayoutConfig, index_d$5_LayoutPreset as LayoutPreset, index_d$5_LegalCompanyInfo as LegalCompanyInfo, index_d$5_LegalConfig as LegalConfig, index_d$5_LegalContactInfo as LegalContactInfo, index_d$5_LegalDirectorInfo as LegalDirectorInfo, index_d$5_LegalHostingInfo as LegalHostingInfo, index_d$5_LegalJurisdictionInfo as LegalJurisdictionInfo, index_d$5_LegalSectionsConfig as LegalSectionsConfig, index_d$5_LegalWebsiteInfo as LegalWebsiteInfo, index_d$5_ListCardLayout as ListCardLayout, index_d$5_ListEntitiesRequest as ListEntitiesRequest, index_d$5_ListEntitiesResponse as ListEntitiesResponse, index_d$5_ListEntityData as ListEntityData, index_d$5_ListOptions as ListOptions, index_d$5_ListResponse as ListResponse, index_d$5_ListSchemaType as ListSchemaType, index_d$5_LoadingActions as LoadingActions, index_d$5_LoadingState as LoadingState, index_d$5_MergedBarConfig as MergedBarConfig, index_d$5_MetricDefinition as MetricDefinition, index_d$5_MobileBehaviorConfig as MobileBehaviorConfig, index_d$5_ModalActions as ModalActions, index_d$5_ModalState as ModalState, index_d$5_MutationResponse as MutationResponse, index_d$5_NavigationRoute as NavigationRoute, index_d$5_NetworkCheckConfig as NetworkCheckConfig, index_d$5_NetworkConnectionType as NetworkConnectionType, index_d$5_NetworkReconnectCallback as NetworkReconnectCallback, NetworkState$1 as NetworkState, index_d$5_NetworkStatus as NetworkStatus, index_d$5_NetworkStatusHookResult as NetworkStatusHookResult, index_d$5_OAuthAPI as OAuthAPI, index_d$5_OAuthApiRequestOptions as OAuthApiRequestOptions, index_d$5_OAuthCallbackHookResult as OAuthCallbackHookResult, index_d$5_OAuthConnection as OAuthConnection, index_d$5_OAuthConnectionInfo as OAuthConnectionInfo, index_d$5_OAuthConnectionRequest as OAuthConnectionRequest, index_d$5_OAuthConnectionStatus as OAuthConnectionStatus, index_d$5_OAuthCredentials as OAuthCredentials, index_d$5_OAuthEventData as OAuthEventData, index_d$5_OAuthEventKey as OAuthEventKey, index_d$5_OAuthEventName as OAuthEventName, index_d$5_OAuthPartner as OAuthPartner, index_d$5_OAuthPartnerButton as OAuthPartnerButton, index_d$5_OAuthPartnerHookResult as OAuthPartnerHookResult, index_d$5_OAuthPartnerId as OAuthPartnerId, index_d$5_OAuthPartnerResult as OAuthPartnerResult, index_d$5_OAuthPartnerState as OAuthPartnerState, index_d$5_OAuthPurpose as OAuthPurpose, index_d$5_OAuthRedirectOperation as OAuthRedirectOperation, index_d$5_OAuthRefreshRequest as OAuthRefreshRequest, index_d$5_OAuthRefreshResponse as OAuthRefreshResponse, index_d$5_OAuthResult as OAuthResult, index_d$5_OAuthStoreActions as OAuthStoreActions, index_d$5_OAuthStoreState as OAuthStoreState, index_d$5_Observable as Observable, index_d$5_OrderByClause as OrderByClause, index_d$5_OrderDirection as OrderDirection, index_d$5_PWAAssetType as PWAAssetType, index_d$5_PWADisplayMode as PWADisplayMode, index_d$5_PWAPluginConfig as PWAPluginConfig, index_d$5_PageAuth as PageAuth, index_d$5_PageMeta as PageMeta, index_d$5_PaginatedQueryResult as PaginatedQueryResult, index_d$5_PaginationOptions as PaginationOptions, index_d$5_PartnerButton as PartnerButton, index_d$5_PartnerConnectionState as PartnerConnectionState, index_d$5_PartnerIconId as PartnerIconId, index_d$5_PartnerId as PartnerId, index_d$5_PartnerResult as PartnerResult, index_d$5_PartnerType as PartnerType, index_d$5_PayloadCacheEventData as PayloadCacheEventData, index_d$5_PayloadDocument as PayloadDocument, index_d$5_PayloadDocumentEventData as PayloadDocumentEventData, index_d$5_PayloadEventKey as PayloadEventKey, index_d$5_PayloadEventName as PayloadEventName, index_d$5_PayloadGlobalEventData as PayloadGlobalEventData, index_d$5_PayloadMediaEventData as PayloadMediaEventData, index_d$5_PayloadPageRegenerationEventData as PayloadPageRegenerationEventData, index_d$5_PayloadRequest as PayloadRequest, index_d$5_PayloadUserEventData as PayloadUserEventData, index_d$5_PaymentEventData as PaymentEventData, index_d$5_PaymentMethod as PaymentMethod, index_d$5_PaymentMethodType as PaymentMethodType, index_d$5_PaymentMode as PaymentMode, index_d$5_Permission as Permission, index_d$5_Picture as Picture, index_d$5_Platform as Platform, index_d$5_PresetConfig as PresetConfig, index_d$5_PresetRegistry as PresetRegistry, index_d$5_ProcessPaymentSuccessRequest as ProcessPaymentSuccessRequest, index_d$5_ProcessPaymentSuccessResponse as ProcessPaymentSuccessResponse, index_d$5_ProductDeclaration as ProductDeclaration, index_d$5_ProviderInstances as ProviderInstances, QueryConfig$1 as QueryConfig, QueryOptions$1 as QueryOptions, index_d$5_QueryOrderBy as QueryOrderBy, index_d$5_QueryWhereClause as QueryWhereClause, index_d$5_RateLimitBackend as RateLimitBackend, index_d$5_RateLimitConfig as RateLimitConfig, index_d$5_RateLimitManager as RateLimitManager, index_d$5_RateLimitResult as RateLimitResult, index_d$5_RateLimitState as RateLimitState, index_d$5_RateLimiter as RateLimiter, index_d$5_ReadCallback as ReadCallback, index_d$5_RedirectOperation as RedirectOperation, index_d$5_RedirectOverlayActions as RedirectOverlayActions, index_d$5_RedirectOverlayConfig as RedirectOverlayConfig, index_d$5_RedirectOverlayPhase as RedirectOverlayPhase, index_d$5_RedirectOverlayState as RedirectOverlayState, index_d$5_Reference as Reference, index_d$5_RefreshSubscriptionRequest as RefreshSubscriptionRequest, index_d$5_RefreshSubscriptionResponse as RefreshSubscriptionResponse, index_d$5_RemoveCustomClaimsResponse as RemoveCustomClaimsResponse, index_d$5_ResolvedLayoutConfig as ResolvedLayoutConfig, index_d$5_RevokeGitHubAccessRequest as RevokeGitHubAccessRequest, index_d$5_RouteMeta as RouteMeta, index_d$5_RouteSource as RouteSource, index_d$5_RoutesPluginConfig as RoutesPluginConfig, index_d$5_SEOConfig as SEOConfig, index_d$5_SchemaMetadata as SchemaMetadata, index_d$5_ScopeConfig as ScopeConfig, index_d$5_SecurityContext as SecurityContext, index_d$5_SecurityEntityConfig as SecurityEntityConfig, index_d$5_ServerRateLimitConfig as ServerRateLimitConfig, index_d$5_ServerRateLimitResult as ServerRateLimitResult, index_d$5_ServerUserRecord as ServerUserRecord, index_d$5_SetCustomClaimsResponse as SetCustomClaimsResponse, index_d$5_SidebarZoneConfig as SidebarZoneConfig, index_d$5_SlotContent as SlotContent, index_d$5_StorageOptions as StorageOptions, index_d$5_StorageScope as StorageScope, index_d$5_StorageType as StorageType, index_d$5_Store as Store, index_d$5_StripeBackConfig as StripeBackConfig, index_d$5_StripeCheckoutRequest as StripeCheckoutRequest, index_d$5_StripeCheckoutResponse as StripeCheckoutResponse, index_d$5_StripeCheckoutSessionEventData as StripeCheckoutSessionEventData, index_d$5_StripeConfig as StripeConfig, index_d$5_StripeCustomer as StripeCustomer, index_d$5_StripeCustomerEventData as StripeCustomerEventData, index_d$5_StripeEventData as StripeEventData, index_d$5_StripeEventKey as StripeEventKey, index_d$5_StripeEventName as StripeEventName, index_d$5_StripeFrontConfig as StripeFrontConfig, index_d$5_StripeInvoice as StripeInvoice, index_d$5_StripeInvoiceEventData as StripeInvoiceEventData, index_d$5_StripePayment as StripePayment, index_d$5_StripePaymentIntentEventData as StripePaymentIntentEventData, index_d$5_StripePaymentMethod as StripePaymentMethod, index_d$5_StripePrice as StripePrice, index_d$5_StripeProduct as StripeProduct, index_d$5_StripeProvider as StripeProvider, index_d$5_StripeSubscription as StripeSubscription, index_d$5_StripeSubscriptionData as StripeSubscriptionData, index_d$5_StripeWebhookEvent as StripeWebhookEvent, index_d$5_StripeWebhookEventData as StripeWebhookEventData, index_d$5_Subscription as Subscription, index_d$5_SubscriptionClaims as SubscriptionClaims, index_d$5_SubscriptionConfig as SubscriptionConfig, index_d$5_SubscriptionData as SubscriptionData, index_d$5_SubscriptionDuration as SubscriptionDuration, index_d$5_SubscriptionEventData as SubscriptionEventData, index_d$5_SubscriptionHookResult as SubscriptionHookResult, index_d$5_SubscriptionInfo as SubscriptionInfo, index_d$5_SubscriptionStatus as SubscriptionStatus, index_d$5_SubscriptionTier as SubscriptionTier, index_d$5_SupportedLanguage as SupportedLanguage, index_d$5_ThemeActions as ThemeActions, index_d$5_ThemeInfo as ThemeInfo, index_d$5_ThemeMode as ThemeMode, index_d$5_ThemeState as ThemeState, index_d$5_ThemesPluginConfig as ThemesPluginConfig, index_d$5_TierAccessHookResult as TierAccessHookResult, index_d$5_Timestamp as Timestamp, index_d$5_TokenInfo as TokenInfo, index_d$5_TokenResponse as TokenResponse, index_d$5_TokenState as TokenState, index_d$5_TokenStatus as TokenStatus, index_d$5_TranslationOptions as TranslationOptions, index_d$5_TranslationResource as TranslationResource, index_d$5_UIFieldOptions as UIFieldOptions, index_d$5_UniqueConstraintValidator as UniqueConstraintValidator, index_d$5_UniqueKeyDefinition as UniqueKeyDefinition, index_d$5_UnsubscribeFn as UnsubscribeFn, index_d$5_UpdateEntityData as UpdateEntityData, index_d$5_UpdateEntityRequest as UpdateEntityRequest, index_d$5_UpdateEntityResponse as UpdateEntityResponse, index_d$5_UploadOptions as UploadOptions, index_d$5_UploadProgressCallback as UploadProgressCallback, index_d$5_UploadResult as UploadResult, index_d$5_UseFunctionsCallResult as UseFunctionsCallResult, index_d$5_UseFunctionsMutationOptions as UseFunctionsMutationOptions, index_d$5_UseFunctionsMutationResult as UseFunctionsMutationResult, index_d$5_UseFunctionsQueryOptions as UseFunctionsQueryOptions, index_d$5_UseFunctionsQueryResult as UseFunctionsQueryResult, index_d$5_UseTranslationOptionsEnhanced as UseTranslationOptionsEnhanced, index_d$5_UserContext as UserContext, index_d$5_UserProfile as UserProfile, index_d$5_UserProviderData as UserProviderData, index_d$5_UserRole as UserRole, index_d$5_UserSubscription as UserSubscription, index_d$5_ValidationRules as ValidationRules, index_d$5_ValueTypeForField as ValueTypeForField, index_d$5_VerifiedToken as VerifiedToken, index_d$5_Visibility as Visibility, index_d$5_WebhookEvent as WebhookEvent, index_d$5_WebhookEventData as WebhookEventData, index_d$5_WhereClause as WhereClause, index_d$5_WhereOperator as WhereOperator, index_d$5_WithMetadata as WithMetadata, index_d$5_dndevSchema as dndevSchema };
|
|
13945
|
+
export type { index_d$5_AccountLinkResult as AccountLinkResult, index_d$5_AccountLinkingInfo as AccountLinkingInfo, index_d$5_AdminCheckHookResult as AdminCheckHookResult, index_d$5_AdminClaims as AdminClaims, index_d$5_AggregateConfig as AggregateConfig, index_d$5_AggregateFilterOperator as AggregateFilterOperator, index_d$5_AggregateOperation as AggregateOperation, index_d$5_AggregateRequest as AggregateRequest, index_d$5_AggregateResponse as AggregateResponse, index_d$5_AnyFieldValue as AnyFieldValue, index_d$5_ApiResponse as ApiResponse, index_d$5_AppConfig as AppConfig, index_d$5_AppCookieCategories as AppCookieCategories, index_d$5_AppMetadata as AppMetadata, index_d$5_AppProvidersProps as AppProvidersProps, index_d$5_AssetsPluginConfig as AssetsPluginConfig, index_d$5_AttemptRecord as AttemptRecord, index_d$5_AuditEvent as AuditEvent, index_d$5_AuditEventType as AuditEventType, index_d$5_AuthAPI as AuthAPI, index_d$5_AuthActions as AuthActions, index_d$5_AuthConfig as AuthConfig, index_d$5_AuthContextValue as AuthContextValue, index_d$5_AuthCoreHookResult as AuthCoreHookResult, index_d$5_AuthError as AuthError, index_d$5_AuthEventData as AuthEventData, index_d$5_AuthEventKey as AuthEventKey, index_d$5_AuthEventName as AuthEventName, index_d$5_AuthHardeningContext as AuthHardeningContext, index_d$5_AuthMethod as AuthMethod, index_d$5_AuthPartner as AuthPartner, index_d$5_AuthPartnerButton as AuthPartnerButton, index_d$5_AuthPartnerHookResult as AuthPartnerHookResult, index_d$5_AuthPartnerId as AuthPartnerId, index_d$5_AuthPartnerResult as AuthPartnerResult, index_d$5_AuthPartnerState as AuthPartnerState, index_d$5_AuthProvider as AuthProvider, index_d$5_AuthProviderProps as AuthProviderProps, index_d$5_AuthRedirectHookResult as AuthRedirectHookResult, index_d$5_AuthRedirectOperation as AuthRedirectOperation, index_d$5_AuthRedirectOptions as AuthRedirectOptions, index_d$5_AuthResult as AuthResult, index_d$5_AuthState as AuthState, index_d$5_AuthStateStore as AuthStateStore, index_d$5_AuthStatus as AuthStatus, index_d$5_AuthTokenHookResult as AuthTokenHookResult, index_d$5_AuthUser as AuthUser, index_d$5_BaseActions as BaseActions, index_d$5_BaseCredentials as BaseCredentials, index_d$5_BaseDocument as BaseDocument, index_d$5_BaseEntityFields as BaseEntityFields, index_d$5_BasePartnerState as BasePartnerState, index_d$5_BaseState as BaseState, index_d$5_BaseStoreActions as BaseStoreActions, index_d$5_BaseStoreState as BaseStoreState, index_d$5_BaseUserProfile as BaseUserProfile, index_d$5_BasicUserInfo as BasicUserInfo, index_d$5_BillingAPI as BillingAPI, index_d$5_BillingAdapter as BillingAdapter, index_d$5_BillingErrorCode as BillingErrorCode, index_d$5_BillingEvent as BillingEvent, index_d$5_BillingEventData as BillingEventData, index_d$5_BillingEventKey as BillingEventKey, index_d$5_BillingEventName as BillingEventName, index_d$5_BillingProvider as BillingProvider, index_d$5_BillingProviderConfig as BillingProviderConfig, index_d$5_BillingRedirectOperation as BillingRedirectOperation, index_d$5_Breakpoint as Breakpoint, index_d$5_BreakpointUtils as BreakpointUtils, index_d$5_BuiltInFieldType as BuiltInFieldType, index_d$5_BusinessEntity as BusinessEntity, index_d$5_CachedError as CachedError, index_d$5_CanAPI as CanAPI, index_d$5_CheckGitHubAccessRequest as CheckGitHubAccessRequest, index_d$5_CheckoutMode as CheckoutMode, index_d$5_CheckoutOptions as CheckoutOptions, index_d$5_CheckoutSessionMetadata as CheckoutSessionMetadata, index_d$5_CollectionSubscriptionCallback as CollectionSubscriptionCallback, index_d$5_ColumnDef as ColumnDef, index_d$5_CommonSubscriptionFeatures as CommonSubscriptionFeatures, index_d$5_CommonTranslations as CommonTranslations, index_d$5_ConditionBuilderLike as ConditionBuilderLike, index_d$5_ConditionExpression as ConditionExpression, index_d$5_ConditionGroup as ConditionGroup, index_d$5_ConditionInput as ConditionInput, index_d$5_ConditionNode as ConditionNode, index_d$5_ConditionOperator as ConditionOperator, index_d$5_ConditionResult as ConditionResult, index_d$5_ConditionalBehavior as ConditionalBehavior, index_d$5_ConfidenceLevel as ConfidenceLevel, index_d$5_ConsentAPI as ConsentAPI, index_d$5_ConsentActions as ConsentActions, index_d$5_ConsentCategory as ConsentCategory, index_d$5_ConsentState as ConsentState, index_d$5_Context as Context, index_d$5_CookieOptions as CookieOptions, index_d$5_CreateCheckoutSessionRequest as CreateCheckoutSessionRequest, index_d$5_CreateCheckoutSessionResponse as CreateCheckoutSessionResponse, index_d$5_CreateEntityData as CreateEntityData, index_d$5_CreateEntityRequest as CreateEntityRequest, index_d$5_CreateEntityResponse as CreateEntityResponse, index_d$5_CrudAPI as CrudAPI, index_d$5_CrudCardProps as CrudCardProps, index_d$5_CrudConfig as CrudConfig, index_d$5_CrudOperator as CrudOperator, index_d$5_CustomClaims as CustomClaims, index_d$5_CustomFieldOptionsMap as CustomFieldOptionsMap, index_d$5_CustomStoreConfig as CustomStoreConfig, index_d$5_DateValue as DateValue, index_d$5_DeleteEntityRequest as DeleteEntityRequest, index_d$5_DeleteEntityResponse as DeleteEntityResponse, index_d$5_Density as Density, index_d$5_DnDevOverride as DnDevOverride, index_d$5_DnDevWrapper as DnDevWrapper, index_d$5_DndevFrameworkConfig as DndevFrameworkConfig, index_d$5_DndevProviders as DndevProviders, index_d$5_DndevStoreApi as DndevStoreApi, index_d$5_DoNotDevCookieCategories as DoNotDevCookieCategories, index_d$5_DocumentSubscriptionCallback as DocumentSubscriptionCallback, index_d$5_DynamicFormRule as DynamicFormRule, index_d$5_Editable as Editable, index_d$5_EffectiveConnectionType as EffectiveConnectionType, index_d$5_EmailVerificationHookResult as EmailVerificationHookResult, index_d$5_EmailVerificationStatus as EmailVerificationStatus, index_d$5_Entity as Entity, index_d$5_EntityAccessConfig as EntityAccessConfig, index_d$5_EntityAccessDefaults as EntityAccessDefaults, index_d$5_EntityBrowseBaseProps as EntityBrowseBaseProps, index_d$5_EntityCardListProps as EntityCardListProps, index_d$5_EntityDisplayRendererProps as EntityDisplayRendererProps, index_d$5_EntityField as EntityField, index_d$5_EntityFormRendererProps as EntityFormRendererProps, index_d$5_EntityHookErrors as EntityHookErrors, index_d$5_EntityListProps as EntityListProps, index_d$5_EntityMetadata as EntityMetadata, index_d$5_EntityOwnershipConfig as EntityOwnershipConfig, index_d$5_EntityOwnershipPublicCondition as EntityOwnershipPublicCondition, index_d$5_EntityRecommendationsProps as EntityRecommendationsProps, index_d$5_EntityRecord as EntityRecord, index_d$5_EntityTemplateProps as EntityTemplateProps, index_d$5_EntityTranslations as EntityTranslations, index_d$5_EnvironmentMode as EnvironmentMode, index_d$5_ErrorCode as ErrorCode, index_d$5_ErrorSeverity as ErrorSeverity, index_d$5_ErrorSource as ErrorSource, index_d$5_ExchangeTokenParams as ExchangeTokenParams, index_d$5_ExchangeTokenRequest as ExchangeTokenRequest, index_d$5_FaviconConfig as FaviconConfig, index_d$5_Feature as Feature, index_d$5_FeatureAccessHookResult as FeatureAccessHookResult, index_d$5_FeatureConsentRequirement as FeatureConsentRequirement, index_d$5_FeatureHookResult as FeatureHookResult, index_d$5_FeatureId as FeatureId, index_d$5_FeatureName as FeatureName, index_d$5_FeatureStatus as FeatureStatus, index_d$5_FeaturesConfig as FeaturesConfig, index_d$5_FeaturesPluginConfig as FeaturesPluginConfig, index_d$5_FeaturesRequiringAnyConsent as FeaturesRequiringAnyConsent, index_d$5_FeaturesRequiringConsent as FeaturesRequiringConsent, index_d$5_FeaturesWithoutConsent as FeaturesWithoutConsent, index_d$5_FieldCondition as FieldCondition, index_d$5_FieldType as FieldType, index_d$5_FieldTypeToValue as FieldTypeToValue, index_d$5_FileAsset as FileAsset, index_d$5_FirebaseCallOptions as FirebaseCallOptions, index_d$5_FirebaseConfig as FirebaseConfig, index_d$5_FirestoreTimestamp as FirestoreTimestamp, index_d$5_FirestoreUniqueConstraintValidator as FirestoreUniqueConstraintValidator, index_d$5_FooterConfig as FooterConfig, index_d$5_FooterZoneConfig as FooterZoneConfig, index_d$5_FormConfig as FormConfig, index_d$5_FormStep as FormStep, index_d$5_FunctionCallConfig as FunctionCallConfig, index_d$5_FunctionCallContext as FunctionCallContext, index_d$5_FunctionCallOptions as FunctionCallOptions, index_d$5_FunctionCallResult as FunctionCallResult, index_d$5_FunctionClient as FunctionClient, index_d$5_FunctionClientFactoryOptions as FunctionClientFactoryOptions, index_d$5_FunctionDefaults as FunctionDefaults, index_d$5_FunctionEndpoint as FunctionEndpoint, index_d$5_FunctionError as FunctionError, index_d$5_FunctionLoader as FunctionLoader, index_d$5_FunctionMemory as FunctionMemory, index_d$5_FunctionMeta as FunctionMeta, index_d$5_FunctionPlatform as FunctionPlatform, index_d$5_FunctionResponse as FunctionResponse, index_d$5_FunctionSchema as FunctionSchema, index_d$5_FunctionSchemas as FunctionSchemas, index_d$5_FunctionSystem as FunctionSystem, index_d$5_FunctionTrigger as FunctionTrigger, index_d$5_FunctionsConfig as FunctionsConfig, index_d$5_GetCustomClaimsResponse as GetCustomClaimsResponse, index_d$5_GetEntityData as GetEntityData, index_d$5_GetEntityRequest as GetEntityRequest, index_d$5_GetEntityResponse as GetEntityResponse, index_d$5_GetUserAuthStatusResponse as GetUserAuthStatusResponse, index_d$5_GitHubPermission as GitHubPermission, index_d$5_GitHubRepoConfig as GitHubRepoConfig, index_d$5_GrantGitHubAccessRequest as GrantGitHubAccessRequest, index_d$5_GroupByDefinition as GroupByDefinition, index_d$5_HeaderZoneConfig as HeaderZoneConfig, index_d$5_I18nConfig as I18nConfig, index_d$5_I18nPluginConfig as I18nPluginConfig, index_d$5_I18nProviderProps as I18nProviderProps, index_d$5_ICallableProvider as ICallableProvider, index_d$5_ICrudAdapter as ICrudAdapter, index_d$5_ID as ID, index_d$5_INetworkManager as INetworkManager, index_d$5_IServerAuthAdapter as IServerAuthAdapter, index_d$5_IStorageAdapter as IStorageAdapter, index_d$5_IStorageManager as IStorageManager, index_d$5_IStorageStrategy as IStorageStrategy, index_d$5_Invoice as Invoice, index_d$5_InvoiceItem as InvoiceItem, index_d$5_LanguageData as LanguageData, LanguageInfo$1 as LanguageInfo, index_d$5_LayoutConfig as LayoutConfig, index_d$5_LayoutPreset as LayoutPreset, index_d$5_LegalCompanyInfo as LegalCompanyInfo, index_d$5_LegalConfig as LegalConfig, index_d$5_LegalContactInfo as LegalContactInfo, index_d$5_LegalDirectorInfo as LegalDirectorInfo, index_d$5_LegalHostingInfo as LegalHostingInfo, index_d$5_LegalJurisdictionInfo as LegalJurisdictionInfo, index_d$5_LegalSectionsConfig as LegalSectionsConfig, index_d$5_LegalWebsiteInfo as LegalWebsiteInfo, index_d$5_ListCardLayout as ListCardLayout, index_d$5_ListEntitiesRequest as ListEntitiesRequest, index_d$5_ListEntitiesResponse as ListEntitiesResponse, index_d$5_ListEntityData as ListEntityData, index_d$5_ListOptions as ListOptions, index_d$5_ListResponse as ListResponse, index_d$5_ListSchemaType as ListSchemaType, index_d$5_LoadingActions as LoadingActions, index_d$5_LoadingState as LoadingState, index_d$5_MergedBarConfig as MergedBarConfig, index_d$5_MetricDefinition as MetricDefinition, index_d$5_MobileBehaviorConfig as MobileBehaviorConfig, index_d$5_ModalActions as ModalActions, index_d$5_ModalState as ModalState, index_d$5_MutationResponse as MutationResponse, index_d$5_NavigationRoute as NavigationRoute, index_d$5_NetworkCheckConfig as NetworkCheckConfig, index_d$5_NetworkConnectionType as NetworkConnectionType, index_d$5_NetworkReconnectCallback as NetworkReconnectCallback, NetworkState$1 as NetworkState, index_d$5_NetworkStatus as NetworkStatus, index_d$5_NetworkStatusHookResult as NetworkStatusHookResult, index_d$5_OAuthAPI as OAuthAPI, index_d$5_OAuthApiRequestOptions as OAuthApiRequestOptions, index_d$5_OAuthCallbackHookResult as OAuthCallbackHookResult, index_d$5_OAuthConnection as OAuthConnection, index_d$5_OAuthConnectionInfo as OAuthConnectionInfo, index_d$5_OAuthConnectionRequest as OAuthConnectionRequest, index_d$5_OAuthConnectionStatus as OAuthConnectionStatus, index_d$5_OAuthCredentials as OAuthCredentials, index_d$5_OAuthEventData as OAuthEventData, index_d$5_OAuthEventKey as OAuthEventKey, index_d$5_OAuthEventName as OAuthEventName, index_d$5_OAuthPartner as OAuthPartner, index_d$5_OAuthPartnerButton as OAuthPartnerButton, index_d$5_OAuthPartnerHookResult as OAuthPartnerHookResult, index_d$5_OAuthPartnerId as OAuthPartnerId, index_d$5_OAuthPartnerResult as OAuthPartnerResult, index_d$5_OAuthPartnerState as OAuthPartnerState, index_d$5_OAuthPurpose as OAuthPurpose, index_d$5_OAuthRedirectOperation as OAuthRedirectOperation, index_d$5_OAuthRefreshRequest as OAuthRefreshRequest, index_d$5_OAuthRefreshResponse as OAuthRefreshResponse, index_d$5_OAuthResult as OAuthResult, index_d$5_OAuthStoreActions as OAuthStoreActions, index_d$5_OAuthStoreState as OAuthStoreState, index_d$5_Observable as Observable, index_d$5_OrderByClause as OrderByClause, index_d$5_OrderDirection as OrderDirection, index_d$5_PWAAssetType as PWAAssetType, index_d$5_PWADisplayMode as PWADisplayMode, index_d$5_PWAPluginConfig as PWAPluginConfig, index_d$5_PageAuth as PageAuth, index_d$5_PageMeta as PageMeta, index_d$5_PaginatedQueryResult as PaginatedQueryResult, index_d$5_PaginationOptions as PaginationOptions, index_d$5_PartnerButton as PartnerButton, index_d$5_PartnerConnectionState as PartnerConnectionState, index_d$5_PartnerIconId as PartnerIconId, index_d$5_PartnerId as PartnerId, index_d$5_PartnerResult as PartnerResult, index_d$5_PartnerType as PartnerType, index_d$5_PayloadCacheEventData as PayloadCacheEventData, index_d$5_PayloadDocument as PayloadDocument, index_d$5_PayloadDocumentEventData as PayloadDocumentEventData, index_d$5_PayloadEventKey as PayloadEventKey, index_d$5_PayloadEventName as PayloadEventName, index_d$5_PayloadGlobalEventData as PayloadGlobalEventData, index_d$5_PayloadMediaEventData as PayloadMediaEventData, index_d$5_PayloadPageRegenerationEventData as PayloadPageRegenerationEventData, index_d$5_PayloadRequest as PayloadRequest, index_d$5_PayloadUserEventData as PayloadUserEventData, index_d$5_PaymentEventData as PaymentEventData, index_d$5_PaymentMethod as PaymentMethod, index_d$5_PaymentMethodType as PaymentMethodType, index_d$5_PaymentMode as PaymentMode, index_d$5_Permission as Permission, index_d$5_Picture as Picture, index_d$5_Platform as Platform, index_d$5_PresetConfig as PresetConfig, index_d$5_PresetRegistry as PresetRegistry, index_d$5_ProcessPaymentSuccessRequest as ProcessPaymentSuccessRequest, index_d$5_ProcessPaymentSuccessResponse as ProcessPaymentSuccessResponse, index_d$5_ProductDeclaration as ProductDeclaration, index_d$5_ProviderInstances as ProviderInstances, QueryConfig$1 as QueryConfig, QueryOptions$1 as QueryOptions, index_d$5_QueryOrderBy as QueryOrderBy, index_d$5_QueryWhereClause as QueryWhereClause, index_d$5_RateLimitBackend as RateLimitBackend, index_d$5_RateLimitConfig as RateLimitConfig, index_d$5_RateLimitManager as RateLimitManager, index_d$5_RateLimitResult as RateLimitResult, index_d$5_RateLimitState as RateLimitState, index_d$5_RateLimiter as RateLimiter, index_d$5_ReadCallback as ReadCallback, index_d$5_RedirectOperation as RedirectOperation, index_d$5_RedirectOverlayActions as RedirectOverlayActions, index_d$5_RedirectOverlayConfig as RedirectOverlayConfig, index_d$5_RedirectOverlayPhase as RedirectOverlayPhase, index_d$5_RedirectOverlayState as RedirectOverlayState, index_d$5_Reference as Reference, index_d$5_RefreshSubscriptionRequest as RefreshSubscriptionRequest, index_d$5_RefreshSubscriptionResponse as RefreshSubscriptionResponse, index_d$5_RemoveCustomClaimsResponse as RemoveCustomClaimsResponse, index_d$5_ResolvedLayoutConfig as ResolvedLayoutConfig, index_d$5_RevokeGitHubAccessRequest as RevokeGitHubAccessRequest, index_d$5_RouteMeta as RouteMeta, index_d$5_RouteSource as RouteSource, index_d$5_RoutesPluginConfig as RoutesPluginConfig, index_d$5_SEOConfig as SEOConfig, index_d$5_SchemaMetadata as SchemaMetadata, index_d$5_ScopeConfig as ScopeConfig, index_d$5_SecurityContext as SecurityContext, index_d$5_SecurityEntityConfig as SecurityEntityConfig, index_d$5_ServerRateLimitConfig as ServerRateLimitConfig, index_d$5_ServerRateLimitResult as ServerRateLimitResult, index_d$5_ServerUserRecord as ServerUserRecord, index_d$5_SetCustomClaimsResponse as SetCustomClaimsResponse, index_d$5_SidebarZoneConfig as SidebarZoneConfig, index_d$5_SlotContent as SlotContent, index_d$5_StorageOptions as StorageOptions, index_d$5_StorageScope as StorageScope, index_d$5_StorageType as StorageType, index_d$5_Store as Store, index_d$5_StripeBackConfig as StripeBackConfig, index_d$5_StripeCheckoutRequest as StripeCheckoutRequest, index_d$5_StripeCheckoutResponse as StripeCheckoutResponse, index_d$5_StripeCheckoutSessionEventData as StripeCheckoutSessionEventData, index_d$5_StripeConfig as StripeConfig, index_d$5_StripeCustomer as StripeCustomer, index_d$5_StripeCustomerEventData as StripeCustomerEventData, index_d$5_StripeEventData as StripeEventData, index_d$5_StripeEventKey as StripeEventKey, index_d$5_StripeEventName as StripeEventName, index_d$5_StripeFrontConfig as StripeFrontConfig, index_d$5_StripeInvoice as StripeInvoice, index_d$5_StripeInvoiceEventData as StripeInvoiceEventData, index_d$5_StripePayment as StripePayment, index_d$5_StripePaymentIntentEventData as StripePaymentIntentEventData, index_d$5_StripePaymentMethod as StripePaymentMethod, index_d$5_StripePrice as StripePrice, index_d$5_StripeProduct as StripeProduct, index_d$5_StripeProvider as StripeProvider, index_d$5_StripeSubscription as StripeSubscription, index_d$5_StripeSubscriptionData as StripeSubscriptionData, index_d$5_StripeWebhookEvent as StripeWebhookEvent, index_d$5_StripeWebhookEventData as StripeWebhookEventData, index_d$5_Subscription as Subscription, index_d$5_SubscriptionClaims as SubscriptionClaims, index_d$5_SubscriptionConfig as SubscriptionConfig, index_d$5_SubscriptionData as SubscriptionData, index_d$5_SubscriptionDuration as SubscriptionDuration, index_d$5_SubscriptionEventData as SubscriptionEventData, index_d$5_SubscriptionHookResult as SubscriptionHookResult, index_d$5_SubscriptionInfo as SubscriptionInfo, index_d$5_SubscriptionStatus as SubscriptionStatus, index_d$5_SubscriptionTier as SubscriptionTier, index_d$5_SupportedLanguage as SupportedLanguage, index_d$5_ThemeActions as ThemeActions, index_d$5_ThemeInfo as ThemeInfo, index_d$5_ThemeMode as ThemeMode, index_d$5_ThemeState as ThemeState, index_d$5_ThemesPluginConfig as ThemesPluginConfig, index_d$5_TierAccessHookResult as TierAccessHookResult, index_d$5_Timestamp as Timestamp, index_d$5_TokenInfo as TokenInfo, index_d$5_TokenResponse as TokenResponse, index_d$5_TokenState as TokenState, index_d$5_TokenStatus as TokenStatus, index_d$5_TranslationOptions as TranslationOptions, index_d$5_TranslationResource as TranslationResource, index_d$5_UIFieldOptions as UIFieldOptions, index_d$5_UniqueConstraintValidator as UniqueConstraintValidator, index_d$5_UniqueKeyDefinition as UniqueKeyDefinition, index_d$5_UnsubscribeFn as UnsubscribeFn, index_d$5_UpdateEntityData as UpdateEntityData, index_d$5_UpdateEntityRequest as UpdateEntityRequest, index_d$5_UpdateEntityResponse as UpdateEntityResponse, index_d$5_UploadOptions as UploadOptions, index_d$5_UploadProgressCallback as UploadProgressCallback, index_d$5_UploadResult as UploadResult, index_d$5_UseFunctionsCallResult as UseFunctionsCallResult, index_d$5_UseFunctionsMutationOptions as UseFunctionsMutationOptions, index_d$5_UseFunctionsMutationResult as UseFunctionsMutationResult, index_d$5_UseFunctionsQueryOptions as UseFunctionsQueryOptions, index_d$5_UseFunctionsQueryResult as UseFunctionsQueryResult, index_d$5_UseTranslationOptionsEnhanced as UseTranslationOptionsEnhanced, index_d$5_UserContext as UserContext, index_d$5_UserProfile as UserProfile, index_d$5_UserProviderData as UserProviderData, index_d$5_UserRole as UserRole, index_d$5_UserSubscription as UserSubscription, index_d$5_ValidationRules as ValidationRules, index_d$5_ValueTypeForField as ValueTypeForField, index_d$5_VerifiedToken as VerifiedToken, index_d$5_Visibility as Visibility, index_d$5_WebhookEvent as WebhookEvent, index_d$5_WebhookEventData as WebhookEventData, index_d$5_WhereClause as WhereClause, index_d$5_WhereOperator as WhereOperator, index_d$5_WithMetadata as WithMetadata, index_d$5_dndevSchema as dndevSchema };
|
|
13940
13946
|
}
|
|
13941
13947
|
|
|
13942
13948
|
/**
|
|
@@ -16602,7 +16608,7 @@ declare function clearPartnerCache(): void;
|
|
|
16602
16608
|
declare function getPartnerCacheStatus(): {
|
|
16603
16609
|
authPartnersCached: boolean;
|
|
16604
16610
|
oauthPartnersCached: boolean;
|
|
16605
|
-
authPartners: ("apple" | "discord" | "emailLink" | "facebook" | "github" | "google" | "linkedin" | "microsoft" | "
|
|
16611
|
+
authPartners: ("password" | "apple" | "discord" | "emailLink" | "facebook" | "github" | "google" | "linkedin" | "microsoft" | "reddit" | "spotify" | "twitch" | "twitter" | "yahoo")[] | null;
|
|
16606
16612
|
oauthPartners: ("discord" | "github" | "google" | "linkedin" | "reddit" | "spotify" | "twitch" | "twitter" | "notion" | "slack" | "medium" | "mastodon" | "youtube")[] | null;
|
|
16607
16613
|
};
|
|
16608
16614
|
/**
|
|
@@ -20676,10 +20682,6 @@ interface ExtendedOverlayActions extends ModalActions, RedirectOverlayActions {
|
|
|
20676
20682
|
openCommandDialog: (initialSearch?: string) => void;
|
|
20677
20683
|
/** Close the command dialog (GlobalGoTo) */
|
|
20678
20684
|
closeCommandDialog: () => void;
|
|
20679
|
-
/** Open the language modal */
|
|
20680
|
-
openLanguageModal: () => void;
|
|
20681
|
-
/** Close the language modal */
|
|
20682
|
-
closeLanguageModal: () => void;
|
|
20683
20685
|
/** Close all overlays (modals, sheets, etc.) */
|
|
20684
20686
|
closeAll: () => void;
|
|
20685
20687
|
}
|
|
@@ -20693,8 +20695,6 @@ interface OverlayState extends ModalState, RedirectOverlayState {
|
|
|
20693
20695
|
isCommandDialogOpen: boolean;
|
|
20694
20696
|
/** Initial search value to pass to command dialog */
|
|
20695
20697
|
commandDialogInitialSearch?: string;
|
|
20696
|
-
/** Whether the language modal is currently open */
|
|
20697
|
-
isLanguageModalOpen: boolean;
|
|
20698
20698
|
}
|
|
20699
20699
|
/**
|
|
20700
20700
|
* Overlay store for managing all overlay types (modals, sheets, etc.)
|
|
@@ -20709,7 +20709,6 @@ interface OverlayState extends ModalState, RedirectOverlayState {
|
|
|
20709
20709
|
* - `content`: The React content to display in the modal
|
|
20710
20710
|
* - `isSheetOpen`: Whether a sheet is currently open
|
|
20711
20711
|
* - `isCommandDialogOpen`: Whether the command dialog (GlobalGoTo) is currently open
|
|
20712
|
-
* - `isLanguageModalOpen`: Whether the language modal is currently open
|
|
20713
20712
|
* - `isReady`: Store initialization state
|
|
20714
20713
|
*
|
|
20715
20714
|
* **Integration Points:**
|
|
@@ -20749,11 +20748,6 @@ interface OverlayState extends ModalState, RedirectOverlayState {
|
|
|
20749
20748
|
* const openCommandDialog = useOverlayStore((state) => state.openCommandDialog);
|
|
20750
20749
|
* const closeCommandDialog = useOverlayStore((state) => state.closeCommandDialog);
|
|
20751
20750
|
*
|
|
20752
|
-
* // Open/close language modal
|
|
20753
|
-
* const isLanguageModalOpen = useOverlayStore((state) => state.isLanguageModalOpen);
|
|
20754
|
-
* const openLanguageModal = useOverlayStore((state) => state.openLanguageModal);
|
|
20755
|
-
* const closeLanguageModal = useOverlayStore((state) => state.closeLanguageModal);
|
|
20756
|
-
*
|
|
20757
20751
|
* // Close all overlays (useful for navigation cleanup)
|
|
20758
20752
|
* const closeAll = useOverlayStore((state) => state.closeAll);
|
|
20759
20753
|
* closeAll();
|
|
@@ -21075,6 +21069,94 @@ declare function buildRoutePath(basePath: string, params?: string[]): string;
|
|
|
21075
21069
|
*/
|
|
21076
21070
|
declare function extractRoutePath(pageModule: any): string | undefined;
|
|
21077
21071
|
|
|
21072
|
+
/**
|
|
21073
|
+
* Language state interface
|
|
21074
|
+
*/
|
|
21075
|
+
interface LanguageState {
|
|
21076
|
+
/** Current BCP-47 language code */
|
|
21077
|
+
currentLanguage: string;
|
|
21078
|
+
/** Available languages from config */
|
|
21079
|
+
availableLanguages: LanguageData[];
|
|
21080
|
+
/** Whether current language is RTL */
|
|
21081
|
+
isRTL: boolean;
|
|
21082
|
+
}
|
|
21083
|
+
/**
|
|
21084
|
+
* Language actions interface
|
|
21085
|
+
*/
|
|
21086
|
+
interface LanguageActions {
|
|
21087
|
+
/** Change the current language — validates, syncs i18next, updates DOM */
|
|
21088
|
+
setLanguage: (lng: string) => Promise<void>;
|
|
21089
|
+
/** Set available languages (called during init) */
|
|
21090
|
+
setAvailableLanguages: (languages: LanguageData[]) => void;
|
|
21091
|
+
}
|
|
21092
|
+
/**
|
|
21093
|
+
* Language store for managing language state as a first-class zustand concern.
|
|
21094
|
+
*
|
|
21095
|
+
* **Architecture:**
|
|
21096
|
+
* - Bidirectional sync with i18next: store → i18n via setLanguage(), i18n → store via languageChanged listener
|
|
21097
|
+
* - Persist: only `currentLanguage` is persisted (replaces async getUserLanguage/saveUserLanguage flow)
|
|
21098
|
+
* - RTL detection: inlined, no @donotdev/components dependency
|
|
21099
|
+
* - i18n instance: injected via initialize(), stored in module-level closure
|
|
21100
|
+
*
|
|
21101
|
+
* @example
|
|
21102
|
+
* ```tsx
|
|
21103
|
+
* // Fine-grained hook
|
|
21104
|
+
* const currentLanguage = useLanguage('currentLanguage');
|
|
21105
|
+
* const isRTL = useLanguage('isRTL');
|
|
21106
|
+
*
|
|
21107
|
+
* // Change language
|
|
21108
|
+
* useLanguageStore.getState().setLanguage('fr');
|
|
21109
|
+
*
|
|
21110
|
+
* // Check readiness
|
|
21111
|
+
* const isReady = useLanguageReady();
|
|
21112
|
+
* ```
|
|
21113
|
+
*
|
|
21114
|
+
* @version 0.0.1
|
|
21115
|
+
* @since 0.0.1
|
|
21116
|
+
* @author AMBROISE PARK Consulting
|
|
21117
|
+
*/
|
|
21118
|
+
declare const useLanguageStore: zustand.UseBoundStore<zustand.StoreApi<LanguageState & LanguageActions & DoNotDevStore>>;
|
|
21119
|
+
/**
|
|
21120
|
+
* Language API type — complete interface for useLanguage
|
|
21121
|
+
*/
|
|
21122
|
+
type LanguageAPI = LanguageState & LanguageActions;
|
|
21123
|
+
/**
|
|
21124
|
+
* Hook for accessing language state and actions
|
|
21125
|
+
* Fine-grained selectors — subscribe only to the property you need
|
|
21126
|
+
*
|
|
21127
|
+
* @param key - Property key from LanguageAPI to subscribe to
|
|
21128
|
+
* @returns The value of the requested property
|
|
21129
|
+
*
|
|
21130
|
+
* @example
|
|
21131
|
+
* ```typescript
|
|
21132
|
+
* const currentLanguage = useLanguage('currentLanguage');
|
|
21133
|
+
* const isRTL = useLanguage('isRTL');
|
|
21134
|
+
* const setLanguage = useLanguage('setLanguage');
|
|
21135
|
+
* ```
|
|
21136
|
+
*
|
|
21137
|
+
* @version 0.0.1
|
|
21138
|
+
* @since 0.0.1
|
|
21139
|
+
* @author AMBROISE PARK Consulting
|
|
21140
|
+
*/
|
|
21141
|
+
declare function useLanguage<K extends keyof LanguageAPI>(key: K): LanguageAPI[K];
|
|
21142
|
+
/**
|
|
21143
|
+
* Convenience hook to check if LanguageStore is ready
|
|
21144
|
+
* Consistent with useThemeReady() / useConsentReady() pattern
|
|
21145
|
+
*
|
|
21146
|
+
* @returns true when LanguageStore has finished initialization
|
|
21147
|
+
*
|
|
21148
|
+
* @example
|
|
21149
|
+
* ```tsx
|
|
21150
|
+
* const isReady = useLanguageReady();
|
|
21151
|
+
* if (!isReady) return <Loading />;
|
|
21152
|
+
* ```
|
|
21153
|
+
*
|
|
21154
|
+
* @version 0.0.1
|
|
21155
|
+
* @since 0.0.1
|
|
21156
|
+
* @author AMBROISE PARK Consulting
|
|
21157
|
+
*/
|
|
21158
|
+
declare const useLanguageReady: () => boolean;
|
|
21159
|
+
|
|
21078
21160
|
/**
|
|
21079
21161
|
* Get all available themes from build-time detection
|
|
21080
21162
|
* Zero runtime cost - data injected by Vite plugin
|
|
@@ -21327,6 +21409,7 @@ type index_d$3_BreakpointAPI = BreakpointAPI;
|
|
|
21327
21409
|
type index_d$3_DoNotDevStore = DoNotDevStore;
|
|
21328
21410
|
type index_d$3_DoNotDevStoreConfig<T> = DoNotDevStoreConfig<T>;
|
|
21329
21411
|
type index_d$3_DoNotDevStoreState<T> = DoNotDevStoreState<T>;
|
|
21412
|
+
type index_d$3_LanguageAPI = LanguageAPI;
|
|
21330
21413
|
type index_d$3_LayoutAPI = LayoutAPI;
|
|
21331
21414
|
type index_d$3_OverlayAPI = OverlayAPI;
|
|
21332
21415
|
type index_d$3_RouteData = RouteData;
|
|
@@ -21356,6 +21439,9 @@ declare const index_d$3_useConsentStore: typeof useConsentStore;
|
|
|
21356
21439
|
declare const index_d$3_useFeatureConsent: typeof useFeatureConsent;
|
|
21357
21440
|
declare const index_d$3_useFunctionalConsent: typeof useFunctionalConsent;
|
|
21358
21441
|
declare const index_d$3_useHasConsented: typeof useHasConsented;
|
|
21442
|
+
declare const index_d$3_useLanguage: typeof useLanguage;
|
|
21443
|
+
declare const index_d$3_useLanguageReady: typeof useLanguageReady;
|
|
21444
|
+
declare const index_d$3_useLanguageStore: typeof useLanguageStore;
|
|
21359
21445
|
declare const index_d$3_useLayout: typeof useLayout;
|
|
21360
21446
|
declare const index_d$3_useMarketingConsent: typeof useMarketingConsent;
|
|
21361
21447
|
declare const index_d$3_useNavigationStore: typeof useNavigationStore;
|
|
@@ -21371,8 +21457,8 @@ declare const index_d$3_useTheme: typeof useTheme;
|
|
|
21371
21457
|
declare const index_d$3_useThemeReady: typeof useThemeReady;
|
|
21372
21458
|
declare const index_d$3_useThemeStore: typeof useThemeStore;
|
|
21373
21459
|
declare namespace index_d$3 {
|
|
21374
|
-
export { index_d$3_applyTheme as applyTheme, index_d$3_buildRoutePath as buildRoutePath, index_d$3_createDoNotDevStore as createDoNotDevStore, index_d$3_extractRoutePath as extractRoutePath, index_d$3_getAvailableThemeNames as getAvailableThemeNames, index_d$3_getAvailableThemes as getAvailableThemes, index_d$3_getRouteManifest as getRouteManifest, index_d$3_getRouteSource as getRouteSource, index_d$3_getRoutes as getRoutes, index_d$3_getSmartDefaults as getSmartDefaults, index_d$3_getThemeInfo as getThemeInfo, index_d$3_isDoNotDevStore as isDoNotDevStore, index_d$3_isValidTheme as isValidTheme, index_d$3_resolveAuthConfig as resolveAuthConfig, index_d$3_resolvePageMeta as resolvePageMeta, index_d$3_useAbortControllerStore as useAbortControllerStore, index_d$3_useAnalyticsConsent as useAnalyticsConsent, index_d$3_useBreakpoint as useBreakpoint, index_d$3_useConsent as useConsent, index_d$3_useConsentReady as useConsentReady, index_d$3_useConsentStore as useConsentStore, index_d$3_useFeatureConsent as useFeatureConsent, index_d$3_useFunctionalConsent as useFunctionalConsent, index_d$3_useHasConsented as useHasConsented, index_d$3_useLayout as useLayout, index_d$3_useMarketingConsent as useMarketingConsent, index_d$3_useNavigationStore as useNavigationStore, index_d$3_useNetwork as useNetwork, index_d$3_useNetworkConnectionType as useNetworkConnectionType, index_d$3_useNetworkOnline as useNetworkOnline, index_d$3_useNetworkStatus as useNetworkStatus, index_d$3_useNetworkStore as useNetworkStore, index_d$3_useOverlay as useOverlay, index_d$3_useOverlayStore as useOverlayStore, index_d$3_useRateLimit as useRateLimit, index_d$3_useTheme as useTheme, index_d$3_useThemeReady as useThemeReady, index_d$3_useThemeStore as useThemeStore };
|
|
21375
|
-
export type { index_d$3_BreakpointAPI as BreakpointAPI, index_d$3_DoNotDevStore as DoNotDevStore, index_d$3_DoNotDevStoreConfig as DoNotDevStoreConfig, index_d$3_DoNotDevStoreState as DoNotDevStoreState, index_d$3_LayoutAPI as LayoutAPI, index_d$3_OverlayAPI as OverlayAPI, index_d$3_RouteData as RouteData, index_d$3_RouteManifest as RouteManifest, index_d$3_ThemeAPI as ThemeAPI };
|
|
21460
|
+
export { index_d$3_applyTheme as applyTheme, index_d$3_buildRoutePath as buildRoutePath, index_d$3_createDoNotDevStore as createDoNotDevStore, index_d$3_extractRoutePath as extractRoutePath, index_d$3_getAvailableThemeNames as getAvailableThemeNames, index_d$3_getAvailableThemes as getAvailableThemes, index_d$3_getRouteManifest as getRouteManifest, index_d$3_getRouteSource as getRouteSource, index_d$3_getRoutes as getRoutes, index_d$3_getSmartDefaults as getSmartDefaults, index_d$3_getThemeInfo as getThemeInfo, index_d$3_isDoNotDevStore as isDoNotDevStore, index_d$3_isValidTheme as isValidTheme, index_d$3_resolveAuthConfig as resolveAuthConfig, index_d$3_resolvePageMeta as resolvePageMeta, index_d$3_useAbortControllerStore as useAbortControllerStore, index_d$3_useAnalyticsConsent as useAnalyticsConsent, index_d$3_useBreakpoint as useBreakpoint, index_d$3_useConsent as useConsent, index_d$3_useConsentReady as useConsentReady, index_d$3_useConsentStore as useConsentStore, index_d$3_useFeatureConsent as useFeatureConsent, index_d$3_useFunctionalConsent as useFunctionalConsent, index_d$3_useHasConsented as useHasConsented, index_d$3_useLanguage as useLanguage, index_d$3_useLanguageReady as useLanguageReady, index_d$3_useLanguageStore as useLanguageStore, index_d$3_useLayout as useLayout, index_d$3_useMarketingConsent as useMarketingConsent, index_d$3_useNavigationStore as useNavigationStore, index_d$3_useNetwork as useNetwork, index_d$3_useNetworkConnectionType as useNetworkConnectionType, index_d$3_useNetworkOnline as useNetworkOnline, index_d$3_useNetworkStatus as useNetworkStatus, index_d$3_useNetworkStore as useNetworkStore, index_d$3_useOverlay as useOverlay, index_d$3_useOverlayStore as useOverlayStore, index_d$3_useRateLimit as useRateLimit, index_d$3_useTheme as useTheme, index_d$3_useThemeReady as useThemeReady, index_d$3_useThemeStore as useThemeStore };
|
|
21461
|
+
export type { index_d$3_BreakpointAPI as BreakpointAPI, index_d$3_DoNotDevStore as DoNotDevStore, index_d$3_DoNotDevStoreConfig as DoNotDevStoreConfig, index_d$3_DoNotDevStoreState as DoNotDevStoreState, index_d$3_LanguageAPI as LanguageAPI, index_d$3_LayoutAPI as LayoutAPI, index_d$3_OverlayAPI as OverlayAPI, index_d$3_RouteData as RouteData, index_d$3_RouteManifest as RouteManifest, index_d$3_ThemeAPI as ThemeAPI };
|
|
21376
21462
|
}
|
|
21377
21463
|
|
|
21378
21464
|
/**
|
|
@@ -24980,7 +25066,7 @@ declare function useI18nReady(): boolean;
|
|
|
24980
25066
|
* Creates the i18next instance with all configuration and initialization
|
|
24981
25067
|
* Uses the framework's singleton pattern for clean instance management
|
|
24982
25068
|
*
|
|
24983
|
-
*
|
|
25069
|
+
* HMR-safe: Store instance globally to survive module reloads
|
|
24984
25070
|
*/
|
|
24985
25071
|
declare const getI18nInstance: () => i18n;
|
|
24986
25072
|
//# sourceMappingURL=instance.vite.d.ts.map
|
|
@@ -24988,11 +25074,11 @@ declare const getI18nInstance: () => i18n;
|
|
|
24988
25074
|
/**
|
|
24989
25075
|
* Props for LanguageSelector component
|
|
24990
25076
|
*
|
|
24991
|
-
* Supports two presentation modes:
|
|
24992
|
-
* - Dropdown menu (default): Compact inline selector for navigation headers
|
|
24993
|
-
* - Modal (modal prop): Full-featured modal with search for comprehensive selection
|
|
24994
|
-
*
|
|
24995
25077
|
* @public
|
|
25078
|
+
*
|
|
25079
|
+
* @version 0.2.0
|
|
25080
|
+
* @since 0.0.1
|
|
25081
|
+
* @author AMBROISE PARK Consulting
|
|
24996
25082
|
*/
|
|
24997
25083
|
interface LanguageSelectorProps {
|
|
24998
25084
|
/**
|
|
@@ -25003,15 +25089,6 @@ interface LanguageSelectorProps {
|
|
|
25003
25089
|
* @default 'auto'
|
|
25004
25090
|
*/
|
|
25005
25091
|
display?: (typeof DISPLAY)[keyof typeof DISPLAY];
|
|
25006
|
-
/**
|
|
25007
|
-
* Enable modal presentation instead of dropdown
|
|
25008
|
-
*
|
|
25009
|
-
* When true, opens full-featured LanguageModal with search functionality.
|
|
25010
|
-
* Ideal for applications with many languages or when comprehensive selection is needed.
|
|
25011
|
-
*
|
|
25012
|
-
* @default false
|
|
25013
|
-
*/
|
|
25014
|
-
modal?: boolean;
|
|
25015
25092
|
/** Whether to show flag icons in the selector */
|
|
25016
25093
|
showFlags?: boolean;
|
|
25017
25094
|
/** Whether to show language names or just language codes */
|
|
@@ -25020,171 +25097,94 @@ interface LanguageSelectorProps {
|
|
|
25020
25097
|
className?: string;
|
|
25021
25098
|
}
|
|
25022
25099
|
/**
|
|
25023
|
-
*
|
|
25100
|
+
* Header/nav language selector with dropdown presentation.
|
|
25024
25101
|
*
|
|
25025
|
-
*
|
|
25102
|
+
* Adapts to the number of available languages:
|
|
25103
|
+
* - **0-1 languages:** Hidden
|
|
25104
|
+
* - **2 languages:** Toggle button (swap on click)
|
|
25105
|
+
* - **3+ languages:** Dropdown menu
|
|
25026
25106
|
*
|
|
25027
|
-
*
|
|
25028
|
-
* **Modal Mode (modal prop):** Full-featured modal with search for comprehensive selection.
|
|
25029
|
-
*
|
|
25030
|
-
* **Features:**
|
|
25031
|
-
* - Dropdown menu or full modal presentation
|
|
25032
|
-
* - Languages icon trigger
|
|
25033
|
-
* - Flag icons and language names
|
|
25034
|
-
* - Loading state indication
|
|
25035
|
-
* - Keyboard navigation and accessibility support
|
|
25036
|
-
* - CSR/SSR-safe lazy loading for modal mode
|
|
25037
|
-
*
|
|
25038
|
-
* **Variants:**
|
|
25039
|
-
* - `default`: Full dropdown with trigger button (or modal if `modal` prop is true)
|
|
25040
|
-
* - `menuItem`: Menu items only (for use in other dropdowns, ignores `modal` prop)
|
|
25041
|
-
*
|
|
25042
|
-
* **When to use modal mode:**
|
|
25043
|
-
* - Applications with many languages (>10)
|
|
25044
|
-
* - Need search functionality for language discovery
|
|
25045
|
-
* - Mobile-first experiences requiring comprehensive selection
|
|
25046
|
-
* - Settings pages where language selection is a primary action
|
|
25107
|
+
* For mobile-first bottom sheet selection, use `LanguageFAB` instead.
|
|
25047
25108
|
*
|
|
25048
25109
|
* @example
|
|
25049
25110
|
* ```tsx
|
|
25050
25111
|
* // Basic dropdown (compact)
|
|
25051
25112
|
* <LanguageSelector />
|
|
25052
25113
|
*
|
|
25053
|
-
* // Modal presentation (comprehensive)
|
|
25054
|
-
* <LanguageSelector modal />
|
|
25055
|
-
*
|
|
25056
|
-
* // Modal with custom options
|
|
25057
|
-
* <LanguageSelector
|
|
25058
|
-
* modal
|
|
25059
|
-
* showFlags={true}
|
|
25060
|
-
* showNativeNames={true}
|
|
25061
|
-
* />
|
|
25062
|
-
*
|
|
25063
25114
|
* // Dropdown with flags and names
|
|
25064
25115
|
* <LanguageSelector
|
|
25065
25116
|
* showFlags={true}
|
|
25066
25117
|
* showNames={true}
|
|
25067
25118
|
* className="custom-class"
|
|
25068
25119
|
* />
|
|
25069
|
-
*
|
|
25070
25120
|
* ```
|
|
25071
25121
|
*
|
|
25072
|
-
* @param props - Component configuration
|
|
25073
|
-
* @returns JSX element
|
|
25074
|
-
*
|
|
25075
25122
|
* @public
|
|
25123
|
+
*
|
|
25124
|
+
* @version 0.2.0
|
|
25125
|
+
* @since 0.0.1
|
|
25126
|
+
* @author AMBROISE PARK Consulting
|
|
25076
25127
|
*/
|
|
25077
|
-
declare const LanguageSelector: ({ display,
|
|
25128
|
+
declare const LanguageSelector: ({ display, showFlags, showNames, className, }: LanguageSelectorProps) => react_jsx_runtime.JSX.Element | null;
|
|
25078
25129
|
|
|
25079
25130
|
/**
|
|
25080
|
-
*
|
|
25131
|
+
* Label format for the pill trigger
|
|
25081
25132
|
* @public
|
|
25082
|
-
*
|
|
25083
|
-
* @version 0.0.1
|
|
25084
|
-
* @since 0.0.1
|
|
25085
|
-
* @author AMBROISE PARK Consulting
|
|
25086
25133
|
*/
|
|
25087
|
-
|
|
25088
|
-
/** Distance from top edge in pixels */
|
|
25089
|
-
top?: number;
|
|
25090
|
-
/** Distance from bottom edge in pixels */
|
|
25091
|
-
bottom?: number;
|
|
25092
|
-
/** Distance from left edge in pixels */
|
|
25093
|
-
left?: number;
|
|
25094
|
-
/** Distance from right edge in pixels */
|
|
25095
|
-
right?: number;
|
|
25096
|
-
}
|
|
25134
|
+
type LanguageFABFormat = 'code' | 'name' | 'native';
|
|
25097
25135
|
/**
|
|
25098
25136
|
* Props for LanguageFAB component
|
|
25099
25137
|
* @public
|
|
25100
25138
|
*
|
|
25101
|
-
* @version 0.0
|
|
25139
|
+
* @version 0.3.0
|
|
25102
25140
|
* @since 0.0.1
|
|
25103
25141
|
* @author AMBROISE PARK Consulting
|
|
25104
25142
|
*/
|
|
25105
25143
|
interface LanguageFABProps {
|
|
25106
|
-
/**
|
|
25107
|
-
position?: FABPosition;
|
|
25108
|
-
/** Custom icon component */
|
|
25109
|
-
icon?: React.ComponentType<{
|
|
25110
|
-
className?: string;
|
|
25111
|
-
}>;
|
|
25112
|
-
/** Accessibility label for the FAB */
|
|
25144
|
+
/** Accessibility label for the pill */
|
|
25113
25145
|
'aria-label'?: string;
|
|
25114
25146
|
/** Additional CSS classes */
|
|
25115
25147
|
className?: string;
|
|
25116
|
-
/**
|
|
25117
|
-
|
|
25148
|
+
/** Show flag in the pill trigger @default true */
|
|
25149
|
+
showFlag?: boolean;
|
|
25150
|
+
/** Show flags in the language list @default true */
|
|
25151
|
+
showFlags?: boolean;
|
|
25152
|
+
/** Pill label format @default 'code' */
|
|
25153
|
+
format?: LanguageFABFormat;
|
|
25118
25154
|
}
|
|
25119
25155
|
/**
|
|
25120
|
-
*
|
|
25156
|
+
* Fixed floating language pill (top-end) with dropdown selector.
|
|
25121
25157
|
*
|
|
25122
|
-
*
|
|
25123
|
-
*
|
|
25124
|
-
*
|
|
25125
|
-
* **Features:**
|
|
25126
|
-
* - Fixed positioning with customizable placement
|
|
25127
|
-
* - Opens language selection modal on click
|
|
25128
|
-
* - Loading state indication
|
|
25129
|
-
* - Full accessibility support
|
|
25130
|
-
* - Responsive design
|
|
25131
|
-
*
|
|
25132
|
-
* **Positioning:**
|
|
25133
|
-
* - Default: bottom-right corner
|
|
25134
|
-
* - Customizable via position prop
|
|
25135
|
-
* - Supports top/bottom and left/right positioning
|
|
25158
|
+
* - **0-1 languages:** Hidden
|
|
25159
|
+
* - **2 languages:** Tapping toggles directly
|
|
25160
|
+
* - **3+ languages:** Dropdown menu
|
|
25136
25161
|
*
|
|
25137
25162
|
* @example
|
|
25138
25163
|
* ```tsx
|
|
25139
|
-
* // Default bottom-right position
|
|
25140
25164
|
* <LanguageFAB />
|
|
25141
|
-
*
|
|
25142
|
-
* // Custom position
|
|
25143
|
-
* <LanguageFAB position={{ top: 20, right: 20 }} />
|
|
25144
|
-
*
|
|
25145
|
-
* // Custom size and icon
|
|
25146
|
-
* <LanguageFAB
|
|
25147
|
-
*
|
|
25148
|
-
* icon={CustomIcon}
|
|
25149
|
-
* aria-label="Change language"
|
|
25150
|
-
* />
|
|
25165
|
+
* <LanguageFAB format="native" showFlag={false} />
|
|
25151
25166
|
* ```
|
|
25152
25167
|
*
|
|
25153
|
-
* @param props - Component props
|
|
25154
|
-
* @returns JSX element
|
|
25155
|
-
*
|
|
25156
25168
|
* @public
|
|
25157
25169
|
*/
|
|
25158
|
-
declare const LanguageFAB: ({
|
|
25170
|
+
declare const LanguageFAB: ({ "aria-label": ariaLabel, className, showFlag, showFlags, format, }: LanguageFABProps) => react_jsx_runtime.JSX.Element | null;
|
|
25159
25171
|
|
|
25160
25172
|
/**
|
|
25161
25173
|
* Orientation for the toggle group
|
|
25162
25174
|
* @public
|
|
25163
|
-
*
|
|
25164
|
-
* @version 0.0.1
|
|
25165
|
-
* @since 0.0.1
|
|
25166
|
-
* @author AMBROISE PARK Consulting
|
|
25167
25175
|
*/
|
|
25168
25176
|
type ToggleOrientation = 'horizontal' | 'vertical';
|
|
25169
25177
|
/**
|
|
25170
25178
|
* Size variants for the toggle group
|
|
25171
25179
|
* @public
|
|
25172
|
-
*
|
|
25173
|
-
* @version 0.0.1
|
|
25174
|
-
* @since 0.0.1
|
|
25175
|
-
* @author AMBROISE PARK Consulting
|
|
25176
25180
|
*/
|
|
25177
25181
|
type ToggleSize = 'sm' | 'md' | 'lg';
|
|
25178
25182
|
/**
|
|
25179
25183
|
* Props for LanguageToggleGroup component
|
|
25180
25184
|
*
|
|
25181
|
-
* Supports two presentation modes:
|
|
25182
|
-
* - Toggle buttons (default): Compact button group for few languages
|
|
25183
|
-
* - Modal (modal prop): Full-featured modal with search for many languages
|
|
25184
|
-
*
|
|
25185
25185
|
* @public
|
|
25186
25186
|
*
|
|
25187
|
-
* @version 0.0
|
|
25187
|
+
* @version 0.1.0
|
|
25188
25188
|
* @since 0.0.1
|
|
25189
25189
|
* @author AMBROISE PARK Consulting
|
|
25190
25190
|
*/
|
|
@@ -25195,15 +25195,6 @@ interface LanguageToggleGroupProps {
|
|
|
25195
25195
|
orientation?: ToggleOrientation;
|
|
25196
25196
|
/** Size variant */
|
|
25197
25197
|
size?: ToggleSize;
|
|
25198
|
-
/**
|
|
25199
|
-
* Enable modal presentation instead of toggle buttons
|
|
25200
|
-
*
|
|
25201
|
-
* When true, shows a trigger button that opens full-featured LanguageModal.
|
|
25202
|
-
* Ideal when you have many languages (>5) or need search functionality.
|
|
25203
|
-
*
|
|
25204
|
-
* @default false
|
|
25205
|
-
*/
|
|
25206
|
-
modal?: boolean;
|
|
25207
25198
|
/** Whether to show flag icons */
|
|
25208
25199
|
showFlags?: boolean;
|
|
25209
25200
|
/** Whether to show language names or just codes */
|
|
@@ -25216,71 +25207,37 @@ interface LanguageToggleGroupProps {
|
|
|
25216
25207
|
variant?: 'primary' | 'outline' | 'ghost';
|
|
25217
25208
|
}
|
|
25218
25209
|
/**
|
|
25219
|
-
*
|
|
25220
|
-
*
|
|
25221
|
-
* Provides flexible language selection with two presentation modes:
|
|
25210
|
+
* Inline segmented toggle buttons for language selection.
|
|
25222
25211
|
*
|
|
25223
|
-
*
|
|
25224
|
-
*
|
|
25225
|
-
*
|
|
25226
|
-
* **Features:**
|
|
25227
|
-
* - Toggle buttons or modal presentation
|
|
25228
|
-
* - Horizontal or vertical orientation
|
|
25229
|
-
* - Multiple size variants
|
|
25230
|
-
* - Flag icons and language names
|
|
25231
|
-
* - Loading state indication
|
|
25232
|
-
* - Keyboard navigation and accessibility support
|
|
25233
|
-
* - CSR/SSR-safe lazy loading for modal mode
|
|
25234
|
-
*
|
|
25235
|
-
* **When to use modal mode:**
|
|
25236
|
-
* - More than 5 languages to display
|
|
25237
|
-
* - Need search functionality for language discovery
|
|
25238
|
-
* - Mobile-first experiences requiring comprehensive selection
|
|
25239
|
-
* - Settings pages where space is at a premium
|
|
25240
|
-
*
|
|
25241
|
-
* **Use Cases:**
|
|
25242
|
-
* - Header navigation bars
|
|
25243
|
-
* - Settings panels
|
|
25244
|
-
* - Compact language switching
|
|
25245
|
-
* - Mobile-friendly selection
|
|
25212
|
+
* Compact button group — each language gets a button, active one is highlighted.
|
|
25213
|
+
* For mobile-first bottom sheet selection, use `LanguageFAB` instead.
|
|
25246
25214
|
*
|
|
25247
25215
|
* @example
|
|
25248
25216
|
* ```tsx
|
|
25249
|
-
* // Basic horizontal toggle
|
|
25217
|
+
* // Basic horizontal toggle
|
|
25250
25218
|
* <LanguageToggleGroup
|
|
25251
25219
|
* languages={['en', 'es', 'fr']}
|
|
25252
25220
|
* orientation="horizontal"
|
|
25253
25221
|
* />
|
|
25254
25222
|
*
|
|
25255
|
-
* // Modal presentation (many languages, needs search)
|
|
25256
|
-
* <LanguageToggleGroup
|
|
25257
|
-
* modal
|
|
25258
|
-
* languages={['en', 'es', 'fr', 'de', 'it', 'pt', 'ja', 'zh']}
|
|
25259
|
-
* />
|
|
25260
|
-
*
|
|
25261
25223
|
* // Vertical with flags and names
|
|
25262
25224
|
* <LanguageToggleGroup
|
|
25263
25225
|
* languages={['en', 'es', 'fr', 'de']}
|
|
25264
25226
|
* orientation="vertical"
|
|
25265
25227
|
* showFlags={true}
|
|
25266
25228
|
* showNames={true}
|
|
25267
|
-
*
|
|
25268
25229
|
* />
|
|
25269
25230
|
*
|
|
25270
25231
|
* // Compact header style
|
|
25271
25232
|
* <LanguageToggleGroup
|
|
25272
25233
|
* languages={['en', 'es']}
|
|
25273
|
-
*
|
|
25274
25234
|
* variant="ghost"
|
|
25275
25235
|
* />
|
|
25276
25236
|
* ```
|
|
25277
25237
|
*
|
|
25278
|
-
* @param props - Component configuration
|
|
25279
|
-
* @returns JSX element
|
|
25280
|
-
*
|
|
25281
25238
|
* @public
|
|
25282
25239
|
*/
|
|
25283
|
-
declare const LanguageToggleGroup: ({ languages, orientation, size,
|
|
25240
|
+
declare const LanguageToggleGroup: ({ languages, orientation, size, showFlags, showNames, className, showLoading, variant, }: LanguageToggleGroupProps) => react_jsx_runtime.JSX.Element | null;
|
|
25284
25241
|
|
|
25285
25242
|
interface FAQSectionProps {
|
|
25286
25243
|
/** Translation function from useTranslation hook */
|
|
@@ -25412,49 +25369,6 @@ declare function Trans({ components, ...props }: DoNotDevTransProps): react_jsx_
|
|
|
25412
25369
|
declare const TRANS_TAGS: readonly ["accent", "primary", "muted", "success", "warning", "error", "bold", "code"];
|
|
25413
25370
|
type TransTag = (typeof TRANS_TAGS)[number];
|
|
25414
25371
|
|
|
25415
|
-
/**
|
|
25416
|
-
* Language data type
|
|
25417
|
-
*
|
|
25418
|
-
* @version 0.0.1
|
|
25419
|
-
* @since 0.0.1
|
|
25420
|
-
* @author AMBROISE PARK Consulting
|
|
25421
|
-
*/
|
|
25422
|
-
interface LanguageData {
|
|
25423
|
-
id: string;
|
|
25424
|
-
name: string;
|
|
25425
|
-
nativeName: string;
|
|
25426
|
-
flagCode?: string;
|
|
25427
|
-
countryCode?: string;
|
|
25428
|
-
dialCode?: string;
|
|
25429
|
-
/**
|
|
25430
|
-
* Optional human country name associated with this language/flag (e.g. "France", "United States").
|
|
25431
|
-
* When present, this is used for COUNTRY display labels instead of the language name.
|
|
25432
|
-
*/
|
|
25433
|
-
countryName?: string;
|
|
25434
|
-
}
|
|
25435
|
-
/**
|
|
25436
|
-
* Complete language data array with all information
|
|
25437
|
-
* Single source of truth for all language-related data
|
|
25438
|
-
*
|
|
25439
|
-
* @version 0.0.1
|
|
25440
|
-
* @since 0.0.1
|
|
25441
|
-
* @author AMBROISE PARK Consulting
|
|
25442
|
-
*/
|
|
25443
|
-
declare const LANGUAGES: readonly LanguageData[];
|
|
25444
|
-
type CountryData = {
|
|
25445
|
-
code: string;
|
|
25446
|
-
dialCode: string;
|
|
25447
|
-
flagCode: string;
|
|
25448
|
-
/** Display name for the country in the current UI language */
|
|
25449
|
-
name: string;
|
|
25450
|
-
};
|
|
25451
|
-
/**
|
|
25452
|
-
* Get countries from languages that have country codes
|
|
25453
|
-
* Reuses existing language/flag mapping, just adds country code and dial code
|
|
25454
|
-
*/
|
|
25455
|
-
declare function getCountries(): CountryData[];
|
|
25456
|
-
declare const COUNTRIES: readonly CountryData[];
|
|
25457
|
-
|
|
25458
25372
|
/**
|
|
25459
25373
|
* Language selector utility hook
|
|
25460
25374
|
*
|
|
@@ -25462,6 +25376,9 @@ declare const COUNTRIES: readonly CountryData[];
|
|
|
25462
25376
|
* language list, current language detection, language switching, and
|
|
25463
25377
|
* loading state management.
|
|
25464
25378
|
*
|
|
25379
|
+
* Uses the zustand language store when initialized, with transparent
|
|
25380
|
+
* fallback to direct i18next access for resilience.
|
|
25381
|
+
*
|
|
25465
25382
|
* @returns Language selector state and actions
|
|
25466
25383
|
*
|
|
25467
25384
|
* @example
|
|
@@ -25481,7 +25398,7 @@ declare const COUNTRIES: readonly CountryData[];
|
|
|
25481
25398
|
*
|
|
25482
25399
|
* @public
|
|
25483
25400
|
*
|
|
25484
|
-
* @version 0.0
|
|
25401
|
+
* @version 0.1.0
|
|
25485
25402
|
* @since 0.0.1
|
|
25486
25403
|
* @author AMBROISE PARK Consulting
|
|
25487
25404
|
*/
|
|
@@ -25500,6 +25417,57 @@ declare function useLanguageSelector(): {
|
|
|
25500
25417
|
otherLanguage: LanguageData | null;
|
|
25501
25418
|
};
|
|
25502
25419
|
|
|
25420
|
+
/**
|
|
25421
|
+
* Complete language data array with all information
|
|
25422
|
+
* Single source of truth for all language-related data
|
|
25423
|
+
*
|
|
25424
|
+
* @version 0.0.1
|
|
25425
|
+
* @since 0.0.1
|
|
25426
|
+
* @author AMBROISE PARK Consulting
|
|
25427
|
+
*/
|
|
25428
|
+
declare const LANGUAGES: readonly LanguageData[];
|
|
25429
|
+
type CountryData = {
|
|
25430
|
+
code: string;
|
|
25431
|
+
dialCode: string;
|
|
25432
|
+
flagCode: string;
|
|
25433
|
+
/** Display name for the country in the current UI language */
|
|
25434
|
+
name: string;
|
|
25435
|
+
};
|
|
25436
|
+
/**
|
|
25437
|
+
* Get countries from languages that have country codes
|
|
25438
|
+
* Reuses existing language/flag mapping, just adds country code and dial code
|
|
25439
|
+
*/
|
|
25440
|
+
declare function getCountries(): CountryData[];
|
|
25441
|
+
declare const COUNTRIES: readonly CountryData[];
|
|
25442
|
+
|
|
25443
|
+
/**
|
|
25444
|
+
* Language information type
|
|
25445
|
+
*
|
|
25446
|
+
* @version 0.0.1
|
|
25447
|
+
* @since 0.0.1
|
|
25448
|
+
* @author AMBROISE PARK Consulting
|
|
25449
|
+
*/
|
|
25450
|
+
type LanguageInfo = LanguageData;
|
|
25451
|
+
/**
|
|
25452
|
+
* Get supported languages with flags and native names
|
|
25453
|
+
*
|
|
25454
|
+
* Returns an array of language objects with id, name, flag emoji,
|
|
25455
|
+
* and native name. Only includes languages that are enabled in config.
|
|
25456
|
+
*
|
|
25457
|
+
* @returns Array of language information objects
|
|
25458
|
+
*
|
|
25459
|
+
* @example
|
|
25460
|
+
* ```tsx
|
|
25461
|
+
* const languages = getSupportedLanguages();
|
|
25462
|
+
* // Returns: [{ id: 'en', name: 'English', flag: '🇺🇸', nativeName: 'English' }, ...]
|
|
25463
|
+
* ```
|
|
25464
|
+
*
|
|
25465
|
+
* @version 0.0.1
|
|
25466
|
+
* @since 0.0.1
|
|
25467
|
+
* @author AMBROISE PARK Consulting
|
|
25468
|
+
*/
|
|
25469
|
+
declare function getSupportedLanguages(): LanguageInfo[];
|
|
25470
|
+
|
|
25503
25471
|
/**
|
|
25504
25472
|
* @fileoverview Flag Base Component Factory
|
|
25505
25473
|
* @description Base component factory and type definitions for creating flag components with consistent sizing and styling.
|
|
@@ -25528,6 +25496,14 @@ declare function Flag({ code, className, style, title, }: {
|
|
|
25528
25496
|
declare function getFlagCodes(): string[];
|
|
25529
25497
|
declare function hasFlag(code: string): boolean;
|
|
25530
25498
|
|
|
25499
|
+
/**
|
|
25500
|
+
* @fileoverview i18n package
|
|
25501
|
+
* @description Internationalization utilities and components
|
|
25502
|
+
*
|
|
25503
|
+
* @version 0.0.1
|
|
25504
|
+
* @since 0.0.1
|
|
25505
|
+
* @author AMBROISE PARK Consulting
|
|
25506
|
+
*/
|
|
25531
25507
|
//# sourceMappingURL=index.d.ts.map
|
|
25532
25508
|
|
|
25533
25509
|
declare const index_d_COUNTRIES: typeof COUNTRIES;
|
|
@@ -25539,23 +25515,30 @@ declare const index_d_Flag: typeof Flag;
|
|
|
25539
25515
|
declare const index_d_LANGUAGES: typeof LANGUAGES;
|
|
25540
25516
|
type index_d_LanguageData = LanguageData;
|
|
25541
25517
|
declare const index_d_LanguageFAB: typeof LanguageFAB;
|
|
25518
|
+
type index_d_LanguageFABFormat = LanguageFABFormat;
|
|
25519
|
+
type index_d_LanguageFABProps = LanguageFABProps;
|
|
25542
25520
|
declare const index_d_LanguageSelector: typeof LanguageSelector;
|
|
25521
|
+
type index_d_LanguageSelectorProps = LanguageSelectorProps;
|
|
25543
25522
|
declare const index_d_LanguageToggleGroup: typeof LanguageToggleGroup;
|
|
25523
|
+
type index_d_LanguageToggleGroupProps = LanguageToggleGroupProps;
|
|
25544
25524
|
declare const index_d_TRANS_TAGS: typeof TRANS_TAGS;
|
|
25525
|
+
type index_d_ToggleOrientation = ToggleOrientation;
|
|
25526
|
+
type index_d_ToggleSize = ToggleSize;
|
|
25545
25527
|
declare const index_d_Trans: typeof Trans;
|
|
25546
25528
|
type index_d_TransTag = TransTag;
|
|
25547
25529
|
declare const index_d_TranslatedText: typeof TranslatedText;
|
|
25548
25530
|
declare const index_d_getCountries: typeof getCountries;
|
|
25549
25531
|
declare const index_d_getFlagCodes: typeof getFlagCodes;
|
|
25550
25532
|
declare const index_d_getI18nInstance: typeof getI18nInstance;
|
|
25533
|
+
declare const index_d_getSupportedLanguages: typeof getSupportedLanguages;
|
|
25551
25534
|
declare const index_d_hasFlag: typeof hasFlag;
|
|
25552
25535
|
declare const index_d_useI18nReady: typeof useI18nReady;
|
|
25553
25536
|
declare const index_d_useLanguageSelector: typeof useLanguageSelector;
|
|
25554
25537
|
declare const index_d_useTranslation: typeof useTranslation;
|
|
25555
25538
|
declare namespace index_d {
|
|
25556
|
-
export { index_d_COUNTRIES as COUNTRIES, index_d_FAQSection as FAQSection, index_d_Flag as Flag, index_d_LANGUAGES as LANGUAGES, index_d_LanguageFAB as LanguageFAB, index_d_LanguageSelector as LanguageSelector, index_d_LanguageToggleGroup as LanguageToggleGroup, index_d_TRANS_TAGS as TRANS_TAGS, index_d_Trans as Trans, index_d_TranslatedText as TranslatedText, index_d_getCountries as getCountries, index_d_getFlagCodes as getFlagCodes, index_d_getI18nInstance as getI18nInstance, index_d_hasFlag as hasFlag, index_d_useI18nReady as useI18nReady, index_d_useLanguageSelector as useLanguageSelector, index_d_useTranslation as useTranslation };
|
|
25557
|
-
export type { index_d_CountryData as CountryData, index_d_DoNotDevTransProps as DoNotDevTransProps, index_d_FAQSectionProps as FAQSectionProps, index_d_LanguageData as LanguageData, index_d_TransTag as TransTag };
|
|
25539
|
+
export { index_d_COUNTRIES as COUNTRIES, index_d_FAQSection as FAQSection, index_d_Flag as Flag, index_d_LANGUAGES as LANGUAGES, index_d_LanguageFAB as LanguageFAB, index_d_LanguageSelector as LanguageSelector, index_d_LanguageToggleGroup as LanguageToggleGroup, index_d_TRANS_TAGS as TRANS_TAGS, index_d_Trans as Trans, index_d_TranslatedText as TranslatedText, index_d_getCountries as getCountries, index_d_getFlagCodes as getFlagCodes, index_d_getI18nInstance as getI18nInstance, index_d_getSupportedLanguages as getSupportedLanguages, index_d_hasFlag as hasFlag, index_d_useI18nReady as useI18nReady, index_d_useLanguageSelector as useLanguageSelector, index_d_useTranslation as useTranslation };
|
|
25540
|
+
export type { index_d_CountryData as CountryData, index_d_DoNotDevTransProps as DoNotDevTransProps, index_d_FAQSectionProps as FAQSectionProps, index_d_LanguageData as LanguageData, index_d_LanguageFABFormat as LanguageFABFormat, index_d_LanguageFABProps as LanguageFABProps, index_d_LanguageSelectorProps as LanguageSelectorProps, index_d_LanguageToggleGroupProps as LanguageToggleGroupProps, index_d_ToggleOrientation as ToggleOrientation, index_d_ToggleSize as ToggleSize, index_d_TransTag as TransTag };
|
|
25558
25541
|
}
|
|
25559
25542
|
|
|
25560
|
-
export { AGGREGATE_FILTER_OPERATORS, AGGREGATE_OPERATIONS, AUTH_COMPUTED_KEYS, AUTH_EVENTS, AUTH_PARTNERS, AUTH_PARTNER_STATE, AUTH_STORE_KEYS, AppConfigContext, AppConfigProvider, AuthHardening, AuthUserSchema, BACKEND_GENERATED_FIELD_NAMES, BILLING_EVENTS, BILLING_STORE_KEYS, BREAKPOINT_RANGES, BREAKPOINT_THRESHOLDS, BaseStorageStrategy, COMMON_TIER_CONFIGS, CONFIDENCE_LEVELS, CONSENT_CATEGORY, CONSENT_LEVELS, CONTEXTS, COUNTRIES, CRUD_OPERATORS, CURRENCY_MAP, CheckoutSessionMetadataSchema, ClaimsCache, ConditionBuilder, CreateCheckoutSessionRequestSchema, CreateCheckoutSessionResponseSchema, CustomClaimsSchema, DEFAULT_ENTITY_ACCESS, DEFAULT_ERROR_MESSAGES, DEFAULT_LAYOUT_PRESET, DEFAULT_STATUS_OPTIONS, DEFAULT_STATUS_VALUE, DEFAULT_SUBSCRIPTION, DEGRADED_AUTH_API, DEGRADED_BILLING_API, DEGRADED_CRUD_API, DEGRADED_OAUTH_API, DENSITY, DoNotDevError, EDITABLE, EMAIL_VERIFICATION_STATUS, ENTITY_HOOK_ERRORS, ENVIRONMENTS, ERROR_CODES, ERROR_SEVERITY, ERROR_SOURCE, EntityHookError, EventEmitter, FAQSection, FEATURES, FEATURE_CONSENT_MATRIX, FEATURE_STATUS, FIELD_TYPES, FIREBASE_ERROR_MAP, FRAMEWORK_FEATURES, Flag, GITHUB_PERMISSION_LEVELS, HIDDEN_STATUSES, index_d$1 as Hooks, HybridStorageStrategy, index_d as I18n, LANGUAGES, LAYOUT_PRESET, LIST_SCHEMA_TYPE, LanguageFAB, LanguageSelector, LanguageToggleGroup, LocalStorageStrategy, OAUTH_EVENTS, OAUTH_PARTNERS, OAUTH_STORE_KEYS, ORDER_DIRECTION, PARTNER_ICONS, PAYLOAD_EVENTS, PERMISSIONS, PLATFORMS, PWA_ASSET_TYPES, PWA_DISPLAY_MODES, ProductDeclarationSchema, ProductDeclarationsSchema, QueryClient, QueryClientProvider, QueryProviders, ROUTE_SOURCES, STORAGE_SCOPES, STORAGE_TYPES, STRIPE_EVENTS, STRIPE_MODES, SUBSCRIPTION_DURATIONS, SUBSCRIPTION_STATUS, SUBSCRIPTION_TIERS, index_d$2 as Schemas, SingletonManager, StorageManager, index_d$3 as Stores, StripeBackConfigSchema, StripeFrontConfigSchema, StripePaymentSchema, StripeSubscriptionSchema, SubscriptionClaimsSchema, SubscriptionDataSchema, TECHNICAL_FIELD_NAMES, TRANS_TAGS, TokenManager, Trans, TranslatedText, index_d$5 as Types, USER_ROLES, UserSubscriptionSchema, index_d$4 as Utils, VISIBILITY, ViewportHandler, WebhookEventSchema, addressSchema, applyTheme, areFeaturesAvailable, arraySchema, baseFields, booleanSchema, buildRoutePath, canRedirectExternally, captureError, captureErrorToSentry, captureMessage, checkGitHubAccessSchema, checkLicense, cleanupSentry, clearFeatureCache, clearLocalStorage, clearPartnerCache, clearSchemaGenerators, clearScopeProviders, commonErrorCodeMappings, compactToISOString, configureProviders, cooldown, createAsyncSingleton, createDefaultSubscriptionClaims, createDefaultUserProfile, createDoNotDevStore, createEntitySchema, createErrorHandler, createMetadata, createMethodProxy, createProvider, createProviders, createSchemas, createSingleton, createSingletonWithParams, createViewportHandler, dateSchema, debounce, debugPlatformDetection, decryptData, defineEntity, delay, deleteCookie, deleteEntitySchema, detectBrowser, detectErrorSource, detectFeatures, detectLicenseKey, detectPlatform, detectPlatformInfo, detectStorageError, disconnectOAuthSchema, emailSchema, encryptData, enhanceSchema, ensureSpreadable, evaluateCondition, evaluateFieldConditions, exchangeTokenSchema, extractRoutePath, fileSchema, filesSchema, filterVisibleFields, formatCookieList, formatCurrency, formatDate, formatRelativeTime, gdprConsentSchema, generateCodeChallenge, generateCodeVerifier, generateCompatibilityReport, generateEncryptionKey, generateFirestoreRuleCondition, generatePKCEPair, geopointSchema, getActiveCookies, getAppShortName, getAssetsConfig, getAuthDomain, getAuthMethod, getAuthPartnerConfig, getAuthPartnerIdByFirebaseId, getAvailableFeatures, getAvailableThemeNames, getAvailableThemes, getBreakpointFromWidth, getBreakpointUtils, getBrowserRecommendations, getCollectionName, getConditionDependencies, getConfigSection, getConfigSource, getConnectionsSchema, getCookie, getCookieExamples, getCookiesByCategory, getCountries, getCurrencyLocale, getCurrencySymbol, getCurrentOrigin, getCurrentTimestamp, getDndevConfig, getEnabledAuthPartners, getEnabledOAuthPartners, getEncryptionKey, getEntitySchema, getFeatureSummary, getFlagCodes, getI18nConfig, getI18nInstance, getListCardFieldNames, getLocalStorageItem, getNextEnvVar, getOAuthClientId, getOAuthPartnerConfig, getOAuthRedirectUri, getOAuthRedirectUrl, getPartnerCacheStatus, getPartnerConfig, getPlatformEnvVar, getProvider, getProviderColor, getQueryClient, getRegisteredSchemaTypes, getRegisteredScopeProviders, getRoleFromClaims, getRouteManifest, getRouteSource, getRoutes, getRoutesConfig, getSchemaType, getScopeValue, getSmartDefaults, getStorageManager, getThemeInfo, getThemesConfig, getTokenManager, getValidAuthPartnerConfig, getValidAuthPartnerIds, getValidOAuthPartnerConfig, getValidOAuthPartnerIds, getVisibleFields, getVisibleItems, getViteEnvVar, getWeekFromISOString, githubPermissionSchema, githubRepoConfigSchema, globalEmitter, grantGitHubAccessSchema, handleError, hasCustomSchemaGenerator, hasFlag, hasMetadata, hasOptionalCookies, hasProvider, hasRestrictedVisibility, hasRoleAccess, hasScopeProvider, hasTierAccess, ibanSchema, initSentry, initializeConfig, initializePlatformDetection, isAuthPartnerEnabled, isAuthPartnerId, isBackendGeneratedField, isBreakpoint, isClient, isCompactDateString, isConfigAvailable, isDev, isDoNotDevStore, isElementInViewport, isEmailVerificationRequired, isExpo, isFeatureAvailable, isFieldVisible, isFrameworkField, isIntersectionObserverSupported, isLocalStorageAvailable, isNextJs, isOAuthPartnerEnabled, isOAuthPartnerId, isPKCESupported, isPlatform, isReactNative, isServer, isTest, isValidTheme, isVite, isoToCompactString, lazyImport, listEntitiesSchema, mapSchema, mapToDoNotDevError, maybeTranslate, multiselectSchema, neverSchema, normalizeToISOString, numberSchema, observeElement, overrideFeatures, overridePaymentModes, overridePermissions, overrideSubscriptionStatus, overrideSubscriptionTiers, overrideUserRoles, parseDate, parseDateToNoonUTC, passwordSchema, pictureSchema, picturesSchema, priceSchema, queryClient, rangeOptions, redirectToExternalUrl, redirectToExternalUrlWithErrorHandling, referenceSchema, refreshTokenSchema, registerSchemaGenerator, registerScopeProvider, registerUniqueConstraintValidator, removeLocalStorageItem, resetProviders, resolveAppConfig, resolveAuthConfig, resolvePageMeta, revokeGitHubAccessSchema, safeLocalStorage, safeSessionStorage, safeValidate, selectSchema, setCookie, setLocalStorageItem, shouldShowEmailVerification, showNotification, stringSchema, supportsFeature, switchSchema, telSchema, textSchema, throttle, timestampToISOString, timingUtils, toDateOnly, toISOString, translateArray, translateArrayRange, translateArrayWithIndices, translateObjectArray, unregisterScopeProvider, updateEntitySchema, updateMetadata, urlSchema, useAbortControllerStore, useAnalyticsConsent, useAppConfig, useAuthConfig, useBreakpoint, useBreathingTimer, useClickOutside, useConsent, useConsentReady, useConsentStore, useDebounce, useEventListener, useFaviconConfig, useFeatureConsent, useFeaturesConfig, useFunctionalConsent, useHasConsented, useI18nReady, useIntersectionObserver, useIsClient, useLanguageSelector, useLayout, useLocalStorage, useMarketingConsent, useMutation, useNavigationStore, useNetwork, useNetworkConnectionType, useNetworkOnline, useNetworkStatus, useNetworkStore, useOverlay, useOverlayStore, useQuery, useQueryClient, useRateLimit, useSafeContext, useScriptLoader, useSeoConfig, useStorageManager, useTheme, useThemeReady, useThemeStore, useTranslation, useViewportVisibility, validateAuthPartners, validateAuthSchemas, validateAuthUser, validateBillingSchemas, validateCheckoutSessionMetadata, validateCodeChallenge, validateCodeVerifier, validateCreateCheckoutSessionRequest, validateCreateCheckoutSessionResponse, validateCustomClaims, validateDates, validateDocument, validateLicenseKey, validateOAuthPartners, validateStripeBackConfig, validateStripeFrontConfig, validateSubscriptionClaims, validateSubscriptionData, validateUniqueFields, validateUserSubscription, validateWebhookEvent, validateWithSchema, when, withErrorHandling, withGracefulDegradation, wrapAuthError, wrapCrudError, wrapStorageError };
|
|
25561
|
-
export type { AccountLinkResult, AccountLinkingInfo, AdminCheckHookResult, AdminClaims, AggregateConfig, AggregateFilterOperator, AggregateOperation, AggregateRequest, AggregateResponse, AnyFieldValue, ApiResponse, AppConfig, AppConfigProviderProps, AppCookieCategories, AppMetadata, AppProvidersProps, AssetsPluginConfig, AttemptRecord, AuditEvent, AuditEventType, AuthAPI, AuthActions, AuthConfig, AuthContextValue, AuthCoreHookResult, AuthError, AuthEventData, AuthEventKey, AuthEventName, AuthHardeningConfig, AuthHardeningContext, AuthMethod, AuthPartner, AuthPartnerButton, AuthPartnerHookResult, AuthPartnerId, AuthPartnerResult, AuthPartnerState, AuthProvider, AuthProviderProps, AuthRedirectHookResult, AuthRedirectOperation, AuthRedirectOptions, AuthResult, AuthState, AuthStateStore, AuthStatus, AuthTokenHookResult, AuthUser, AuthUserLike, BackendGeneratedField, BaseActions, BaseCredentials, BaseDocument, BaseEntityFields, BasePartnerState, BaseState, BaseStoreActions, BaseStoreState, BaseUserProfile, BasicUserInfo, BillingAPI, BillingAdapter, BillingErrorCode, BillingEvent, BillingEventData, BillingEventKey, BillingEventName, BillingProvider, BillingProviderConfig, BillingRedirectOperation, Breakpoint, BreakpointAPI, BreakpointUtils, BrowserEngine, BrowserInfo, BrowserType, BuiltInFieldType, BusinessEntity, CachedError, CanAPI, CheckGitHubAccessRequest, CheckoutMode, CheckoutOptions, CheckoutSessionMetadata, Claims, ClaimsCacheOptions, ClaimsCacheResult, CleanupFunction, CollectionSubscriptionCallback, ColumnDef, CommonSubscriptionFeatures, CommonTranslations, CompatibilityReport, ConditionBuilderLike, ConditionExpression, ConditionGroup, ConditionInput, ConditionNode, ConditionOperator, ConditionResult, ConditionalBehavior, ConfidenceLevel, ConsentAPI, ConsentActions, ConsentCategory, ConsentLevel, ConsentState, Context, CookieInfo, CookieOptions, CountryData, CreateCheckoutSessionRequest, CreateCheckoutSessionResponse, CreateEntityData, CreateEntityRequest, CreateEntityResponse, CrudAPI, CrudCardProps, CrudConfig, CrudOperator, CurrencyEntry, CustomClaims, CustomFieldOptionsMap, CustomSchemaGenerator, CustomStoreConfig, DateFormatOptions, DateFormatPreset, DateValue, DeleteEntityRequest, DeleteEntityResponse, Density, DnDevOverride, DnDevWrapper, DndevFrameworkConfig, DndevProviders, DndevStoreApi, DoNotDevCookieCategories, DoNotDevStore, DoNotDevStoreConfig, DoNotDevStoreState, DoNotDevTransProps, DocumentSubscriptionCallback, DynamicFormRule, Editable, EffectiveConnectionType, EmailVerificationHookResult, EmailVerificationStatus, Entity, EntityAccessConfig, EntityAccessDefaults, EntityCardListProps, EntityDisplayRendererProps, EntityField, EntityFormRendererProps, EntityHookErrors, EntityListProps, EntityMetadata, EntityOwnershipConfig, EntityOwnershipPublicCondition, EntityRecommendationsProps, EntityRecord, EntityTemplateProps, EntityTranslations, EnvironmentMode, ErrorCode, ErrorHandlerConfig, ErrorHandlerFunction, ErrorSeverity, ErrorSource, EventListener, ExchangeTokenParams, ExchangeTokenRequest, FAQSectionProps, FaviconConfig, Feature, FeatureAccessHookResult, FeatureAvailability, FeatureConsentRequirement, FeatureHookResult, FeatureId, FeatureName, FeatureStatus, FeatureSupport, FeaturesConfig, FeaturesPluginConfig, FeaturesRequiringAnyConsent, FeaturesRequiringConsent, FeaturesWithoutConsent, FieldCondition, FieldType, FieldTypeToValue, FileAsset, FilterVisibleFieldsOptions, FirebaseCallOptions, FirebaseConfig, FirestoreTimestamp, FirestoreUniqueConstraintValidator, FooterConfig, FooterZoneConfig, FormConfig, FormStep, FrameworkFeature, 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, ICallableProvider, ICrudAdapter, ID, INetworkManager, IServerAuthAdapter, IStorageAdapter, IStorageManager, IStorageStrategy, IntersectionObserverCallback, IntersectionObserverOptions, Invoice, InvoiceItem, LanguageData, LanguageInfo, LayoutAPI, LayoutConfig, LayoutPreset, LegalCompanyInfo, LegalConfig, LegalContactInfo, LegalDirectorInfo, LegalHostingInfo, LegalJurisdictionInfo, LegalSectionsConfig, LegalWebsiteInfo, LicenseValidationResult, ListCardLayout, ListEntitiesRequest, ListEntitiesResponse, ListEntityData, ListOptions, ListResponse, ListSchemaType, LoadingActions, LoadingState, LockoutResult, MergedBarConfig, MetricDefinition, MobileBehaviorConfig, ModalActions, ModalState, MutationOptions, MutationResponse, NavigationRoute, NetworkCheckConfig, NetworkConnectionType, NetworkReconnectCallback, NetworkState$1 as 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, OS, Observable, OperationSchemas, OrderByClause, OrderDirection, OverlayAPI, PWAAssetType, PWADisplayMode, PWAPluginConfig, PageAuth, PageMeta, PaginatedQueryResult, PaginationOptions, PartnerButton, PartnerConnectionState, PartnerIconId, PartnerId, PartnerResult, PartnerType, PayloadCacheEventData, PayloadDocument, PayloadDocumentEventData, PayloadEventKey, PayloadEventName, PayloadGlobalEventData, PayloadMediaEventData, PayloadPageRegenerationEventData, PayloadRequest, PayloadUserEventData, PaymentEventData, PaymentMethod, PaymentMethodType, PaymentMode, Permission, Picture, Platform, PlatformInfo, PresetConfig, PresetRegistry, ProcessPaymentSuccessRequest, ProcessPaymentSuccessResponse, ProductDeclaration, ProviderInstances, QueryClientProviderProps, QueryConfig$1 as QueryConfig, QueryFunction, QueryKey, QueryOptions$1 as QueryOptions, QueryOrderBy, QueryWhereClause, RateLimitBackend, RateLimitConfig, RateLimitManager, RateLimitResult, RateLimitState, RateLimiter, ReadCallback, RedirectOperation, RedirectOverlayActions, RedirectOverlayConfig, RedirectOverlayPhase, RedirectOverlayState, Reference, RefreshSubscriptionRequest, RefreshSubscriptionResponse, RemoveCustomClaimsResponse, ResolvedLayoutConfig, RevokeGitHubAccessRequest, RouteData, RouteManifest, RouteMeta, RouteSource, RoutesPluginConfig, SEOConfig, SchemaMetadata, SchemaWithVisibility, ScopeConfig, ScopeProviderFn, SecurityContext, SecurityEntityConfig, SelectOption, ServerRateLimitConfig, ServerRateLimitResult, ServerUserRecord, SetCustomClaimsResponse, SidebarZoneConfig, SlotContent, StatusField, StorageError, StorageErrorType, StorageOptions, StorageScope, StorageType, Store, 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, ThemeAPI, ThemeActions, ThemeInfo, ThemeMode, ThemeState, ThemesPluginConfig, TierAccessHookResult, Timestamp, TokenInfo, TokenManagerOptions, TokenResponse, TokenState, TokenStatus, TransTag, TranslationOptions, TranslationResource, TypedBaseFields, UIFieldOptions, UniqueConstraintValidator, UniqueKeyDefinition, UnsubscribeFn, UpdateEntityData, UpdateEntityRequest, UpdateEntityResponse, UploadOptions, UploadProgressCallback, UploadResult, UseClickOutsideOptions, UseClickOutsideReturn, UseDebounceOptions, UseEventListenerOptions, UseEventListenerReturn, UseFunctionsCallResult, UseFunctionsMutationOptions, UseFunctionsMutationResult, UseFunctionsQueryOptions, UseFunctionsQueryResult, UseIntersectionObserverOptions, UseIntersectionObserverReturn, UseLocalStorageOptions, UseLocalStorageReturn, UseMutationOptions, UseMutationOptionsWithErrorHandling, UseMutationResult, UseQueryOptions, UseQueryOptionsWithErrorHandling, UseQueryResult, UseScriptLoaderOptions, UseScriptLoaderReturn, UseTranslationOptionsEnhanced, UseViewportVisibilityOptions, UseViewportVisibilityReturn, UserContext, UserProfile, UserProviderData, UserRole, UserSubscription, ValidationRules, ValueTypeForField, VerifiedToken, ViewportDetectionOptions, ViewportDetectionResult, Visibility, WebhookEvent, WebhookEventData, WhereClause, WhereOperator, WithMetadata, dndevSchema };
|
|
25543
|
+
export { AGGREGATE_FILTER_OPERATORS, AGGREGATE_OPERATIONS, AUTH_COMPUTED_KEYS, AUTH_EVENTS, AUTH_PARTNERS, AUTH_PARTNER_STATE, AUTH_STORE_KEYS, AppConfigContext, AppConfigProvider, AuthHardening, AuthUserSchema, BACKEND_GENERATED_FIELD_NAMES, BILLING_EVENTS, BILLING_STORE_KEYS, BREAKPOINT_RANGES, BREAKPOINT_THRESHOLDS, BaseStorageStrategy, COMMON_TIER_CONFIGS, CONFIDENCE_LEVELS, CONSENT_CATEGORY, CONSENT_LEVELS, CONTEXTS, COUNTRIES, CRUD_OPERATORS, CURRENCY_MAP, CheckoutSessionMetadataSchema, ClaimsCache, ConditionBuilder, CreateCheckoutSessionRequestSchema, CreateCheckoutSessionResponseSchema, CustomClaimsSchema, DEFAULT_ENTITY_ACCESS, DEFAULT_ERROR_MESSAGES, DEFAULT_LAYOUT_PRESET, DEFAULT_STATUS_OPTIONS, DEFAULT_STATUS_VALUE, DEFAULT_SUBSCRIPTION, DEGRADED_AUTH_API, DEGRADED_BILLING_API, DEGRADED_CRUD_API, DEGRADED_OAUTH_API, DENSITY, DoNotDevError, EDITABLE, EMAIL_VERIFICATION_STATUS, ENTITY_HOOK_ERRORS, ENVIRONMENTS, ERROR_CODES, ERROR_SEVERITY, ERROR_SOURCE, EntityHookError, EventEmitter, FAQSection, FEATURES, FEATURE_CONSENT_MATRIX, FEATURE_STATUS, FIELD_TYPES, FIREBASE_ERROR_MAP, FRAMEWORK_FEATURES, Flag, GITHUB_PERMISSION_LEVELS, HIDDEN_STATUSES, index_d$1 as Hooks, HybridStorageStrategy, index_d as I18n, LANGUAGES, LAYOUT_PRESET, LIST_SCHEMA_TYPE, LanguageFAB, LanguageSelector, LanguageToggleGroup, LocalStorageStrategy, OAUTH_EVENTS, OAUTH_PARTNERS, OAUTH_STORE_KEYS, ORDER_DIRECTION, PARTNER_ICONS, PAYLOAD_EVENTS, PERMISSIONS, PLATFORMS, PWA_ASSET_TYPES, PWA_DISPLAY_MODES, ProductDeclarationSchema, ProductDeclarationsSchema, QueryClient, QueryClientProvider, QueryProviders, ROUTE_SOURCES, STORAGE_SCOPES, STORAGE_TYPES, STRIPE_EVENTS, STRIPE_MODES, SUBSCRIPTION_DURATIONS, SUBSCRIPTION_STATUS, SUBSCRIPTION_TIERS, index_d$2 as Schemas, SingletonManager, StorageManager, index_d$3 as Stores, StripeBackConfigSchema, StripeFrontConfigSchema, StripePaymentSchema, StripeSubscriptionSchema, SubscriptionClaimsSchema, SubscriptionDataSchema, TECHNICAL_FIELD_NAMES, TRANS_TAGS, TokenManager, Trans, TranslatedText, index_d$5 as Types, USER_ROLES, UserSubscriptionSchema, index_d$4 as Utils, VISIBILITY, ViewportHandler, WebhookEventSchema, addressSchema, applyTheme, areFeaturesAvailable, arraySchema, baseFields, booleanSchema, buildRoutePath, canRedirectExternally, captureError, captureErrorToSentry, captureMessage, checkGitHubAccessSchema, checkLicense, cleanupSentry, clearFeatureCache, clearLocalStorage, clearPartnerCache, clearSchemaGenerators, clearScopeProviders, commonErrorCodeMappings, compactToISOString, configureProviders, cooldown, createAsyncSingleton, createDefaultSubscriptionClaims, createDefaultUserProfile, createDoNotDevStore, createEntitySchema, createErrorHandler, createMetadata, createMethodProxy, createProvider, createProviders, createSchemas, createSingleton, createSingletonWithParams, createViewportHandler, dateSchema, debounce, debugPlatformDetection, decryptData, defineEntity, delay, deleteCookie, deleteEntitySchema, detectBrowser, detectErrorSource, detectFeatures, detectLicenseKey, detectPlatform, detectPlatformInfo, detectStorageError, disconnectOAuthSchema, emailSchema, encryptData, enhanceSchema, ensureSpreadable, evaluateCondition, evaluateFieldConditions, exchangeTokenSchema, extractRoutePath, fileSchema, filesSchema, filterVisibleFields, formatCookieList, formatCurrency, formatDate, formatRelativeTime, gdprConsentSchema, generateCodeChallenge, generateCodeVerifier, generateCompatibilityReport, generateEncryptionKey, generateFirestoreRuleCondition, generatePKCEPair, geopointSchema, getActiveCookies, getAppShortName, getAssetsConfig, getAuthDomain, getAuthMethod, getAuthPartnerConfig, getAuthPartnerIdByFirebaseId, getAvailableFeatures, getAvailableThemeNames, getAvailableThemes, getBreakpointFromWidth, getBreakpointUtils, getBrowserRecommendations, getCollectionName, getConditionDependencies, getConfigSection, getConfigSource, getConnectionsSchema, getCookie, getCookieExamples, getCookiesByCategory, getCountries, getCurrencyLocale, getCurrencySymbol, getCurrentOrigin, getCurrentTimestamp, getDndevConfig, getEnabledAuthPartners, getEnabledOAuthPartners, getEncryptionKey, getEntitySchema, getFeatureSummary, getFlagCodes, getI18nConfig, getI18nInstance, getListCardFieldNames, getLocalStorageItem, getNextEnvVar, getOAuthClientId, getOAuthPartnerConfig, getOAuthRedirectUri, getOAuthRedirectUrl, getPartnerCacheStatus, getPartnerConfig, getPlatformEnvVar, getProvider, getProviderColor, getQueryClient, getRegisteredSchemaTypes, getRegisteredScopeProviders, getRoleFromClaims, getRouteManifest, getRouteSource, getRoutes, getRoutesConfig, getSchemaType, getScopeValue, getSmartDefaults, getStorageManager, getSupportedLanguages, getThemeInfo, getThemesConfig, getTokenManager, getValidAuthPartnerConfig, getValidAuthPartnerIds, getValidOAuthPartnerConfig, getValidOAuthPartnerIds, getVisibleFields, getVisibleItems, getViteEnvVar, getWeekFromISOString, githubPermissionSchema, githubRepoConfigSchema, globalEmitter, grantGitHubAccessSchema, handleError, hasCustomSchemaGenerator, hasFlag, hasMetadata, hasOptionalCookies, hasProvider, hasRestrictedVisibility, hasRoleAccess, hasScopeProvider, hasTierAccess, ibanSchema, initSentry, initializeConfig, initializePlatformDetection, isAuthPartnerEnabled, isAuthPartnerId, isBackendGeneratedField, isBreakpoint, isClient, isCompactDateString, isConfigAvailable, isDev, isDoNotDevStore, isElementInViewport, isEmailVerificationRequired, isExpo, isFeatureAvailable, isFieldVisible, isFrameworkField, isIntersectionObserverSupported, isLocalStorageAvailable, isNextJs, isOAuthPartnerEnabled, isOAuthPartnerId, isPKCESupported, isPlatform, isReactNative, isServer, isTest, isValidTheme, isVite, isoToCompactString, lazyImport, listEntitiesSchema, mapSchema, mapToDoNotDevError, maybeTranslate, multiselectSchema, neverSchema, normalizeToISOString, numberSchema, observeElement, overrideFeatures, overridePaymentModes, overridePermissions, overrideSubscriptionStatus, overrideSubscriptionTiers, overrideUserRoles, parseDate, parseDateToNoonUTC, passwordSchema, pictureSchema, picturesSchema, priceSchema, queryClient, rangeOptions, redirectToExternalUrl, redirectToExternalUrlWithErrorHandling, referenceSchema, refreshTokenSchema, registerSchemaGenerator, registerScopeProvider, registerUniqueConstraintValidator, removeLocalStorageItem, resetProviders, resolveAppConfig, resolveAuthConfig, resolvePageMeta, revokeGitHubAccessSchema, safeLocalStorage, safeSessionStorage, safeValidate, selectSchema, setCookie, setLocalStorageItem, shouldShowEmailVerification, showNotification, stringSchema, supportsFeature, switchSchema, telSchema, textSchema, throttle, timestampToISOString, timingUtils, toDateOnly, toISOString, translateArray, translateArrayRange, translateArrayWithIndices, translateObjectArray, unregisterScopeProvider, updateEntitySchema, updateMetadata, urlSchema, useAbortControllerStore, useAnalyticsConsent, useAppConfig, useAuthConfig, useBreakpoint, useBreathingTimer, useClickOutside, useConsent, useConsentReady, useConsentStore, useDebounce, useEventListener, useFaviconConfig, useFeatureConsent, useFeaturesConfig, useFunctionalConsent, useHasConsented, useI18nReady, useIntersectionObserver, useIsClient, useLanguage, useLanguageReady, useLanguageSelector, useLanguageStore, useLayout, useLocalStorage, useMarketingConsent, useMutation, useNavigationStore, useNetwork, useNetworkConnectionType, useNetworkOnline, useNetworkStatus, useNetworkStore, useOverlay, useOverlayStore, useQuery, useQueryClient, useRateLimit, useSafeContext, useScriptLoader, useSeoConfig, useStorageManager, useTheme, useThemeReady, useThemeStore, useTranslation, useViewportVisibility, validateAuthPartners, validateAuthSchemas, validateAuthUser, validateBillingSchemas, validateCheckoutSessionMetadata, validateCodeChallenge, validateCodeVerifier, validateCreateCheckoutSessionRequest, validateCreateCheckoutSessionResponse, validateCustomClaims, validateDates, validateDocument, validateLicenseKey, validateOAuthPartners, validateStripeBackConfig, validateStripeFrontConfig, validateSubscriptionClaims, validateSubscriptionData, validateUniqueFields, validateUserSubscription, validateWebhookEvent, validateWithSchema, when, withErrorHandling, withGracefulDegradation, wrapAuthError, wrapCrudError, wrapStorageError };
|
|
25544
|
+
export type { AccountLinkResult, AccountLinkingInfo, AdminCheckHookResult, AdminClaims, AggregateConfig, AggregateFilterOperator, AggregateOperation, AggregateRequest, AggregateResponse, AnyFieldValue, ApiResponse, AppConfig, AppConfigProviderProps, AppCookieCategories, AppMetadata, AppProvidersProps, AssetsPluginConfig, AttemptRecord, AuditEvent, AuditEventType, AuthAPI, AuthActions, AuthConfig, AuthContextValue, AuthCoreHookResult, AuthError, AuthEventData, AuthEventKey, AuthEventName, AuthHardeningConfig, AuthHardeningContext, AuthMethod, AuthPartner, AuthPartnerButton, AuthPartnerHookResult, AuthPartnerId, AuthPartnerResult, AuthPartnerState, AuthProvider, AuthProviderProps, AuthRedirectHookResult, AuthRedirectOperation, AuthRedirectOptions, AuthResult, AuthState, AuthStateStore, AuthStatus, AuthTokenHookResult, AuthUser, AuthUserLike, BackendGeneratedField, BaseActions, BaseCredentials, BaseDocument, BaseEntityFields, BasePartnerState, BaseState, BaseStoreActions, BaseStoreState, BaseUserProfile, BasicUserInfo, BillingAPI, BillingAdapter, BillingErrorCode, BillingEvent, BillingEventData, BillingEventKey, BillingEventName, BillingProvider, BillingProviderConfig, BillingRedirectOperation, Breakpoint, BreakpointAPI, BreakpointUtils, BrowserEngine, BrowserInfo, BrowserType, BuiltInFieldType, BusinessEntity, CachedError, CanAPI, CheckGitHubAccessRequest, CheckoutMode, CheckoutOptions, CheckoutSessionMetadata, Claims, ClaimsCacheOptions, ClaimsCacheResult, CleanupFunction, CollectionSubscriptionCallback, ColumnDef, CommonSubscriptionFeatures, CommonTranslations, CompatibilityReport, ConditionBuilderLike, ConditionExpression, ConditionGroup, ConditionInput, ConditionNode, ConditionOperator, ConditionResult, ConditionalBehavior, ConfidenceLevel, ConsentAPI, ConsentActions, ConsentCategory, ConsentLevel, ConsentState, Context, CookieInfo, CookieOptions, CountryData, CreateCheckoutSessionRequest, CreateCheckoutSessionResponse, CreateEntityData, CreateEntityRequest, CreateEntityResponse, CrudAPI, CrudCardProps, CrudConfig, CrudOperator, CurrencyEntry, CustomClaims, CustomFieldOptionsMap, CustomSchemaGenerator, CustomStoreConfig, DateFormatOptions, DateFormatPreset, DateValue, DeleteEntityRequest, DeleteEntityResponse, Density, DnDevOverride, DnDevWrapper, DndevFrameworkConfig, DndevProviders, DndevStoreApi, DoNotDevCookieCategories, DoNotDevStore, DoNotDevStoreConfig, DoNotDevStoreState, DoNotDevTransProps, DocumentSubscriptionCallback, DynamicFormRule, Editable, EffectiveConnectionType, EmailVerificationHookResult, EmailVerificationStatus, Entity, EntityAccessConfig, EntityAccessDefaults, EntityBrowseBaseProps, EntityCardListProps, EntityDisplayRendererProps, EntityField, EntityFormRendererProps, EntityHookErrors, EntityListProps, EntityMetadata, EntityOwnershipConfig, EntityOwnershipPublicCondition, EntityRecommendationsProps, EntityRecord, EntityTemplateProps, EntityTranslations, EnvironmentMode, ErrorCode, ErrorHandlerConfig, ErrorHandlerFunction, ErrorSeverity, ErrorSource, EventListener, ExchangeTokenParams, ExchangeTokenRequest, FAQSectionProps, FaviconConfig, Feature, FeatureAccessHookResult, FeatureAvailability, FeatureConsentRequirement, FeatureHookResult, FeatureId, FeatureName, FeatureStatus, FeatureSupport, FeaturesConfig, FeaturesPluginConfig, FeaturesRequiringAnyConsent, FeaturesRequiringConsent, FeaturesWithoutConsent, FieldCondition, FieldType, FieldTypeToValue, FileAsset, FilterVisibleFieldsOptions, FirebaseCallOptions, FirebaseConfig, FirestoreTimestamp, FirestoreUniqueConstraintValidator, FooterConfig, FooterZoneConfig, FormConfig, FormStep, FrameworkFeature, 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, ICallableProvider, ICrudAdapter, ID, INetworkManager, IServerAuthAdapter, IStorageAdapter, IStorageManager, IStorageStrategy, IntersectionObserverCallback, IntersectionObserverOptions, Invoice, InvoiceItem, LanguageAPI, LanguageData, LanguageFABFormat, LanguageFABProps, LanguageInfo$1 as LanguageInfo, LanguageSelectorProps, LanguageToggleGroupProps, LayoutAPI, LayoutConfig, LayoutPreset, LegalCompanyInfo, LegalConfig, LegalContactInfo, LegalDirectorInfo, LegalHostingInfo, LegalJurisdictionInfo, LegalSectionsConfig, LegalWebsiteInfo, LicenseValidationResult, ListCardLayout, ListEntitiesRequest, ListEntitiesResponse, ListEntityData, ListOptions, ListResponse, ListSchemaType, LoadingActions, LoadingState, LockoutResult, MergedBarConfig, MetricDefinition, MobileBehaviorConfig, ModalActions, ModalState, MutationOptions, MutationResponse, NavigationRoute, NetworkCheckConfig, NetworkConnectionType, NetworkReconnectCallback, NetworkState$1 as 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, OS, Observable, OperationSchemas, OrderByClause, OrderDirection, OverlayAPI, PWAAssetType, PWADisplayMode, PWAPluginConfig, PageAuth, PageMeta, PaginatedQueryResult, PaginationOptions, PartnerButton, PartnerConnectionState, PartnerIconId, PartnerId, PartnerResult, PartnerType, PayloadCacheEventData, PayloadDocument, PayloadDocumentEventData, PayloadEventKey, PayloadEventName, PayloadGlobalEventData, PayloadMediaEventData, PayloadPageRegenerationEventData, PayloadRequest, PayloadUserEventData, PaymentEventData, PaymentMethod, PaymentMethodType, PaymentMode, Permission, Picture, Platform, PlatformInfo, PresetConfig, PresetRegistry, ProcessPaymentSuccessRequest, ProcessPaymentSuccessResponse, ProductDeclaration, ProviderInstances, QueryClientProviderProps, QueryConfig$1 as QueryConfig, QueryFunction, QueryKey, QueryOptions$1 as QueryOptions, QueryOrderBy, QueryWhereClause, RateLimitBackend, RateLimitConfig, RateLimitManager, RateLimitResult, RateLimitState, RateLimiter, ReadCallback, RedirectOperation, RedirectOverlayActions, RedirectOverlayConfig, RedirectOverlayPhase, RedirectOverlayState, Reference, RefreshSubscriptionRequest, RefreshSubscriptionResponse, RemoveCustomClaimsResponse, ResolvedLayoutConfig, RevokeGitHubAccessRequest, RouteData, RouteManifest, RouteMeta, RouteSource, RoutesPluginConfig, SEOConfig, SchemaMetadata, SchemaWithVisibility, ScopeConfig, ScopeProviderFn, SecurityContext, SecurityEntityConfig, SelectOption, ServerRateLimitConfig, ServerRateLimitResult, ServerUserRecord, SetCustomClaimsResponse, SidebarZoneConfig, SlotContent, StatusField, StorageError, StorageErrorType, StorageOptions, StorageScope, StorageType, Store, 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, ThemeAPI, ThemeActions, ThemeInfo, ThemeMode, ThemeState, ThemesPluginConfig, TierAccessHookResult, Timestamp, ToggleOrientation, ToggleSize, TokenInfo, TokenManagerOptions, TokenResponse, TokenState, TokenStatus, TransTag, TranslationOptions, TranslationResource, TypedBaseFields, UIFieldOptions, UniqueConstraintValidator, UniqueKeyDefinition, UnsubscribeFn, UpdateEntityData, UpdateEntityRequest, UpdateEntityResponse, UploadOptions, UploadProgressCallback, UploadResult, UseClickOutsideOptions, UseClickOutsideReturn, UseDebounceOptions, UseEventListenerOptions, UseEventListenerReturn, UseFunctionsCallResult, UseFunctionsMutationOptions, UseFunctionsMutationResult, UseFunctionsQueryOptions, UseFunctionsQueryResult, UseIntersectionObserverOptions, UseIntersectionObserverReturn, UseLocalStorageOptions, UseLocalStorageReturn, UseMutationOptions, UseMutationOptionsWithErrorHandling, UseMutationResult, UseQueryOptions, UseQueryOptionsWithErrorHandling, UseQueryResult, UseScriptLoaderOptions, UseScriptLoaderReturn, UseTranslationOptionsEnhanced, UseViewportVisibilityOptions, UseViewportVisibilityReturn, UserContext, UserProfile, UserProviderData, UserRole, UserSubscription, ValidationRules, ValueTypeForField, VerifiedToken, ViewportDetectionOptions, ViewportDetectionResult, Visibility, WebhookEvent, WebhookEventData, WhereClause, WhereOperator, WithMetadata, dndevSchema };
|