@donotdev/core 0.0.39 → 0.0.40
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/i18n/locales/lazy/crud_ar.json +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 +253 -268
- package/index.js +213 -59
- package/next/index.js +18 -18
- package/package.json +1 -1
- package/server.d.ts +44 -37
- 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 */
|
|
@@ -6956,22 +6958,31 @@ interface AggregateResponse {
|
|
|
6956
6958
|
* @author AMBROISE PARK Consulting
|
|
6957
6959
|
*/
|
|
6958
6960
|
|
|
6959
|
-
|
|
6961
|
+
/**
|
|
6962
|
+
* Shared base props for entity browsing components (table and card grid).
|
|
6963
|
+
* Both fetch the same data — just render differently based on entity field config.
|
|
6964
|
+
*/
|
|
6965
|
+
interface EntityBrowseBaseProps {
|
|
6960
6966
|
/** The entity definition */
|
|
6961
6967
|
entity: Entity;
|
|
6962
|
-
/** Current user role (for UI toggle only - backend enforces security) */
|
|
6963
|
-
userRole?: string;
|
|
6964
6968
|
/**
|
|
6965
|
-
* Base path for view
|
|
6966
|
-
* View/Edit = `${basePath}/${id}`, Create = `${basePath}/new`.
|
|
6969
|
+
* Base path for view. Default: `/${collection}`. View = `${basePath}/${id}`.
|
|
6967
6970
|
*/
|
|
6968
6971
|
basePath?: string;
|
|
6969
6972
|
/**
|
|
6970
|
-
* Called when user clicks a row. If provided, overrides default navigation to basePath/:id (e.g. open sheet).
|
|
6973
|
+
* Called when user clicks a row/card. If provided, overrides default navigation to basePath/:id (e.g. open sheet).
|
|
6971
6974
|
*/
|
|
6972
6975
|
onClick?: (id: string) => void;
|
|
6973
6976
|
/** Hide filters section (default: false) */
|
|
6974
6977
|
hideFilters?: boolean;
|
|
6978
|
+
/** Current user role (for UI toggle only - backend enforces security) */
|
|
6979
|
+
userRole?: string;
|
|
6980
|
+
/** Optional query constraints (server-side filtering via adapter) */
|
|
6981
|
+
queryOptions?: QueryOptions$1;
|
|
6982
|
+
/** Cache stale time in ms */
|
|
6983
|
+
staleTime?: number;
|
|
6984
|
+
}
|
|
6985
|
+
interface EntityListProps extends EntityBrowseBaseProps {
|
|
6975
6986
|
/**
|
|
6976
6987
|
* Pagination mode:
|
|
6977
6988
|
* - `'auto'` (default) — fetches up to 1000 client-side. Auto-switches to server if total > 1000.
|
|
@@ -6981,47 +6992,19 @@ interface EntityListProps {
|
|
|
6981
6992
|
pagination?: 'auto' | 'client' | 'server';
|
|
6982
6993
|
/** Page size - passed to DataTable. If not provided, DataTable uses its default (12) */
|
|
6983
6994
|
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
6995
|
/**
|
|
6999
6996
|
* Enable export to CSV functionality
|
|
7000
6997
|
* @default true (admin tables typically need export)
|
|
7001
6998
|
*/
|
|
7002
6999
|
exportable?: boolean;
|
|
7003
7000
|
}
|
|
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;
|
|
7001
|
+
interface EntityCardListProps extends EntityBrowseBaseProps {
|
|
7015
7002
|
/** Grid columns (responsive) - defaults to [1, 2, 3, 4] */
|
|
7016
7003
|
cols?: number | [number, number, number, number];
|
|
7017
|
-
/** Cache stale time is ms - defaults to 30 mins */
|
|
7018
|
-
staleTime?: number;
|
|
7019
7004
|
/** Optional filter function to filter items client-side */
|
|
7020
7005
|
filter?: (item: Record<string, unknown> & {
|
|
7021
7006
|
id: string;
|
|
7022
7007
|
}) => boolean;
|
|
7023
|
-
/** Hide filters section (default: false) */
|
|
7024
|
-
hideFilters?: boolean;
|
|
7025
7008
|
/**
|
|
7026
7009
|
* Custom label for the results section title.
|
|
7027
7010
|
* Receives the current item count so you can handle pluralization and empty state.
|
|
@@ -11006,12 +10989,36 @@ type SupportedLanguage = string;
|
|
|
11006
10989
|
* @since 0.0.1
|
|
11007
10990
|
* @author AMBROISE PARK Consulting
|
|
11008
10991
|
*/
|
|
11009
|
-
interface LanguageInfo {
|
|
10992
|
+
interface LanguageInfo$1 {
|
|
11010
10993
|
/** ISO 639-1 language code (e.g., 'en', 'fr') */
|
|
11011
10994
|
code: string;
|
|
11012
10995
|
/** Native name of the language (e.g., 'English', 'Français') */
|
|
11013
10996
|
name: string;
|
|
11014
10997
|
}
|
|
10998
|
+
/**
|
|
10999
|
+
* Language data type — single source of truth for language metadata.
|
|
11000
|
+
* Used by i18n constants, language store, and language selector components.
|
|
11001
|
+
*
|
|
11002
|
+
* @version 0.0.1
|
|
11003
|
+
* @since 0.0.1
|
|
11004
|
+
* @author AMBROISE PARK Consulting
|
|
11005
|
+
*/
|
|
11006
|
+
interface LanguageData {
|
|
11007
|
+
/** BCP-47 language code (e.g., 'en', 'fr', 'ar-ma') */
|
|
11008
|
+
id: string;
|
|
11009
|
+
/** English display name */
|
|
11010
|
+
name: string;
|
|
11011
|
+
/** Native script display name */
|
|
11012
|
+
nativeName: string;
|
|
11013
|
+
/** Override flag code when it differs from the language id */
|
|
11014
|
+
flagCode?: string;
|
|
11015
|
+
/** ISO 3166-1 alpha-2 country code */
|
|
11016
|
+
countryCode?: string;
|
|
11017
|
+
/** International dialing code (e.g., '+33') */
|
|
11018
|
+
dialCode?: string;
|
|
11019
|
+
/** Human-readable country name for display labels */
|
|
11020
|
+
countryName?: string;
|
|
11021
|
+
}
|
|
11015
11022
|
/**
|
|
11016
11023
|
* Interface for configurations to initialize the i18n system
|
|
11017
11024
|
*
|
|
@@ -13556,6 +13563,7 @@ type index_d$5_EmailVerificationStatus = EmailVerificationStatus;
|
|
|
13556
13563
|
type index_d$5_Entity = Entity;
|
|
13557
13564
|
type index_d$5_EntityAccessConfig = EntityAccessConfig;
|
|
13558
13565
|
type index_d$5_EntityAccessDefaults = EntityAccessDefaults;
|
|
13566
|
+
type index_d$5_EntityBrowseBaseProps = EntityBrowseBaseProps;
|
|
13559
13567
|
type index_d$5_EntityCardListProps = EntityCardListProps;
|
|
13560
13568
|
type index_d$5_EntityDisplayRendererProps<T extends EntityRecord = EntityRecord> = EntityDisplayRendererProps<T>;
|
|
13561
13569
|
type index_d$5_EntityField<T extends string = FieldType> = EntityField<T>;
|
|
@@ -13652,7 +13660,7 @@ type index_d$5_Invoice = Invoice;
|
|
|
13652
13660
|
type index_d$5_InvoiceItem = InvoiceItem;
|
|
13653
13661
|
declare const index_d$5_LAYOUT_PRESET: typeof LAYOUT_PRESET;
|
|
13654
13662
|
declare const index_d$5_LIST_SCHEMA_TYPE: typeof LIST_SCHEMA_TYPE;
|
|
13655
|
-
type index_d$
|
|
13663
|
+
type index_d$5_LanguageData = LanguageData;
|
|
13656
13664
|
type index_d$5_LayoutConfig = LayoutConfig;
|
|
13657
13665
|
type index_d$5_LayoutPreset = LayoutPreset;
|
|
13658
13666
|
type index_d$5_LegalCompanyInfo = LegalCompanyInfo;
|
|
@@ -13936,7 +13944,7 @@ declare const index_d$5_validateUserSubscription: typeof validateUserSubscriptio
|
|
|
13936
13944
|
declare const index_d$5_validateWebhookEvent: typeof validateWebhookEvent;
|
|
13937
13945
|
declare namespace index_d$5 {
|
|
13938
13946
|
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 };
|
|
13947
|
+
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
13948
|
}
|
|
13941
13949
|
|
|
13942
13950
|
/**
|
|
@@ -20676,10 +20684,6 @@ interface ExtendedOverlayActions extends ModalActions, RedirectOverlayActions {
|
|
|
20676
20684
|
openCommandDialog: (initialSearch?: string) => void;
|
|
20677
20685
|
/** Close the command dialog (GlobalGoTo) */
|
|
20678
20686
|
closeCommandDialog: () => void;
|
|
20679
|
-
/** Open the language modal */
|
|
20680
|
-
openLanguageModal: () => void;
|
|
20681
|
-
/** Close the language modal */
|
|
20682
|
-
closeLanguageModal: () => void;
|
|
20683
20687
|
/** Close all overlays (modals, sheets, etc.) */
|
|
20684
20688
|
closeAll: () => void;
|
|
20685
20689
|
}
|
|
@@ -20693,8 +20697,6 @@ interface OverlayState extends ModalState, RedirectOverlayState {
|
|
|
20693
20697
|
isCommandDialogOpen: boolean;
|
|
20694
20698
|
/** Initial search value to pass to command dialog */
|
|
20695
20699
|
commandDialogInitialSearch?: string;
|
|
20696
|
-
/** Whether the language modal is currently open */
|
|
20697
|
-
isLanguageModalOpen: boolean;
|
|
20698
20700
|
}
|
|
20699
20701
|
/**
|
|
20700
20702
|
* Overlay store for managing all overlay types (modals, sheets, etc.)
|
|
@@ -20709,7 +20711,6 @@ interface OverlayState extends ModalState, RedirectOverlayState {
|
|
|
20709
20711
|
* - `content`: The React content to display in the modal
|
|
20710
20712
|
* - `isSheetOpen`: Whether a sheet is currently open
|
|
20711
20713
|
* - `isCommandDialogOpen`: Whether the command dialog (GlobalGoTo) is currently open
|
|
20712
|
-
* - `isLanguageModalOpen`: Whether the language modal is currently open
|
|
20713
20714
|
* - `isReady`: Store initialization state
|
|
20714
20715
|
*
|
|
20715
20716
|
* **Integration Points:**
|
|
@@ -20749,11 +20750,6 @@ interface OverlayState extends ModalState, RedirectOverlayState {
|
|
|
20749
20750
|
* const openCommandDialog = useOverlayStore((state) => state.openCommandDialog);
|
|
20750
20751
|
* const closeCommandDialog = useOverlayStore((state) => state.closeCommandDialog);
|
|
20751
20752
|
*
|
|
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
20753
|
* // Close all overlays (useful for navigation cleanup)
|
|
20758
20754
|
* const closeAll = useOverlayStore((state) => state.closeAll);
|
|
20759
20755
|
* closeAll();
|
|
@@ -21075,6 +21071,94 @@ declare function buildRoutePath(basePath: string, params?: string[]): string;
|
|
|
21075
21071
|
*/
|
|
21076
21072
|
declare function extractRoutePath(pageModule: any): string | undefined;
|
|
21077
21073
|
|
|
21074
|
+
/**
|
|
21075
|
+
* Language state interface
|
|
21076
|
+
*/
|
|
21077
|
+
interface LanguageState {
|
|
21078
|
+
/** Current BCP-47 language code */
|
|
21079
|
+
currentLanguage: string;
|
|
21080
|
+
/** Available languages from config */
|
|
21081
|
+
availableLanguages: LanguageData[];
|
|
21082
|
+
/** Whether current language is RTL */
|
|
21083
|
+
isRTL: boolean;
|
|
21084
|
+
}
|
|
21085
|
+
/**
|
|
21086
|
+
* Language actions interface
|
|
21087
|
+
*/
|
|
21088
|
+
interface LanguageActions {
|
|
21089
|
+
/** Change the current language — validates, syncs i18next, updates DOM */
|
|
21090
|
+
setLanguage: (lng: string) => Promise<void>;
|
|
21091
|
+
/** Set available languages (called during init) */
|
|
21092
|
+
setAvailableLanguages: (languages: LanguageData[]) => void;
|
|
21093
|
+
}
|
|
21094
|
+
/**
|
|
21095
|
+
* Language store for managing language state as a first-class zustand concern.
|
|
21096
|
+
*
|
|
21097
|
+
* **Architecture:**
|
|
21098
|
+
* - Bidirectional sync with i18next: store → i18n via setLanguage(), i18n → store via languageChanged listener
|
|
21099
|
+
* - Persist: only `currentLanguage` is persisted (replaces async getUserLanguage/saveUserLanguage flow)
|
|
21100
|
+
* - RTL detection: inlined, no @donotdev/components dependency
|
|
21101
|
+
* - i18n instance: injected via initialize(), stored in module-level closure
|
|
21102
|
+
*
|
|
21103
|
+
* @example
|
|
21104
|
+
* ```tsx
|
|
21105
|
+
* // Fine-grained hook
|
|
21106
|
+
* const currentLanguage = useLanguage('currentLanguage');
|
|
21107
|
+
* const isRTL = useLanguage('isRTL');
|
|
21108
|
+
*
|
|
21109
|
+
* // Change language
|
|
21110
|
+
* useLanguageStore.getState().setLanguage('fr');
|
|
21111
|
+
*
|
|
21112
|
+
* // Check readiness
|
|
21113
|
+
* const isReady = useLanguageReady();
|
|
21114
|
+
* ```
|
|
21115
|
+
*
|
|
21116
|
+
* @version 0.0.1
|
|
21117
|
+
* @since 0.0.1
|
|
21118
|
+
* @author AMBROISE PARK Consulting
|
|
21119
|
+
*/
|
|
21120
|
+
declare const useLanguageStore: zustand.UseBoundStore<zustand.StoreApi<LanguageState & LanguageActions & DoNotDevStore>>;
|
|
21121
|
+
/**
|
|
21122
|
+
* Language API type — complete interface for useLanguage
|
|
21123
|
+
*/
|
|
21124
|
+
type LanguageAPI = LanguageState & LanguageActions;
|
|
21125
|
+
/**
|
|
21126
|
+
* Hook for accessing language state and actions
|
|
21127
|
+
* Fine-grained selectors — subscribe only to the property you need
|
|
21128
|
+
*
|
|
21129
|
+
* @param key - Property key from LanguageAPI to subscribe to
|
|
21130
|
+
* @returns The value of the requested property
|
|
21131
|
+
*
|
|
21132
|
+
* @example
|
|
21133
|
+
* ```typescript
|
|
21134
|
+
* const currentLanguage = useLanguage('currentLanguage');
|
|
21135
|
+
* const isRTL = useLanguage('isRTL');
|
|
21136
|
+
* const setLanguage = useLanguage('setLanguage');
|
|
21137
|
+
* ```
|
|
21138
|
+
*
|
|
21139
|
+
* @version 0.0.1
|
|
21140
|
+
* @since 0.0.1
|
|
21141
|
+
* @author AMBROISE PARK Consulting
|
|
21142
|
+
*/
|
|
21143
|
+
declare function useLanguage<K extends keyof LanguageAPI>(key: K): LanguageAPI[K];
|
|
21144
|
+
/**
|
|
21145
|
+
* Convenience hook to check if LanguageStore is ready
|
|
21146
|
+
* Consistent with useThemeReady() / useConsentReady() pattern
|
|
21147
|
+
*
|
|
21148
|
+
* @returns true when LanguageStore has finished initialization
|
|
21149
|
+
*
|
|
21150
|
+
* @example
|
|
21151
|
+
* ```tsx
|
|
21152
|
+
* const isReady = useLanguageReady();
|
|
21153
|
+
* if (!isReady) return <Loading />;
|
|
21154
|
+
* ```
|
|
21155
|
+
*
|
|
21156
|
+
* @version 0.0.1
|
|
21157
|
+
* @since 0.0.1
|
|
21158
|
+
* @author AMBROISE PARK Consulting
|
|
21159
|
+
*/
|
|
21160
|
+
declare const useLanguageReady: () => boolean;
|
|
21161
|
+
|
|
21078
21162
|
/**
|
|
21079
21163
|
* Get all available themes from build-time detection
|
|
21080
21164
|
* Zero runtime cost - data injected by Vite plugin
|
|
@@ -21327,6 +21411,7 @@ type index_d$3_BreakpointAPI = BreakpointAPI;
|
|
|
21327
21411
|
type index_d$3_DoNotDevStore = DoNotDevStore;
|
|
21328
21412
|
type index_d$3_DoNotDevStoreConfig<T> = DoNotDevStoreConfig<T>;
|
|
21329
21413
|
type index_d$3_DoNotDevStoreState<T> = DoNotDevStoreState<T>;
|
|
21414
|
+
type index_d$3_LanguageAPI = LanguageAPI;
|
|
21330
21415
|
type index_d$3_LayoutAPI = LayoutAPI;
|
|
21331
21416
|
type index_d$3_OverlayAPI = OverlayAPI;
|
|
21332
21417
|
type index_d$3_RouteData = RouteData;
|
|
@@ -21356,6 +21441,9 @@ declare const index_d$3_useConsentStore: typeof useConsentStore;
|
|
|
21356
21441
|
declare const index_d$3_useFeatureConsent: typeof useFeatureConsent;
|
|
21357
21442
|
declare const index_d$3_useFunctionalConsent: typeof useFunctionalConsent;
|
|
21358
21443
|
declare const index_d$3_useHasConsented: typeof useHasConsented;
|
|
21444
|
+
declare const index_d$3_useLanguage: typeof useLanguage;
|
|
21445
|
+
declare const index_d$3_useLanguageReady: typeof useLanguageReady;
|
|
21446
|
+
declare const index_d$3_useLanguageStore: typeof useLanguageStore;
|
|
21359
21447
|
declare const index_d$3_useLayout: typeof useLayout;
|
|
21360
21448
|
declare const index_d$3_useMarketingConsent: typeof useMarketingConsent;
|
|
21361
21449
|
declare const index_d$3_useNavigationStore: typeof useNavigationStore;
|
|
@@ -21371,8 +21459,8 @@ declare const index_d$3_useTheme: typeof useTheme;
|
|
|
21371
21459
|
declare const index_d$3_useThemeReady: typeof useThemeReady;
|
|
21372
21460
|
declare const index_d$3_useThemeStore: typeof useThemeStore;
|
|
21373
21461
|
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 };
|
|
21462
|
+
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 };
|
|
21463
|
+
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
21464
|
}
|
|
21377
21465
|
|
|
21378
21466
|
/**
|
|
@@ -24980,7 +25068,7 @@ declare function useI18nReady(): boolean;
|
|
|
24980
25068
|
* Creates the i18next instance with all configuration and initialization
|
|
24981
25069
|
* Uses the framework's singleton pattern for clean instance management
|
|
24982
25070
|
*
|
|
24983
|
-
*
|
|
25071
|
+
* HMR-safe: Store instance globally to survive module reloads
|
|
24984
25072
|
*/
|
|
24985
25073
|
declare const getI18nInstance: () => i18n;
|
|
24986
25074
|
//# sourceMappingURL=instance.vite.d.ts.map
|
|
@@ -24988,11 +25076,11 @@ declare const getI18nInstance: () => i18n;
|
|
|
24988
25076
|
/**
|
|
24989
25077
|
* Props for LanguageSelector component
|
|
24990
25078
|
*
|
|
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
25079
|
* @public
|
|
25080
|
+
*
|
|
25081
|
+
* @version 0.2.0
|
|
25082
|
+
* @since 0.0.1
|
|
25083
|
+
* @author AMBROISE PARK Consulting
|
|
24996
25084
|
*/
|
|
24997
25085
|
interface LanguageSelectorProps {
|
|
24998
25086
|
/**
|
|
@@ -25003,15 +25091,6 @@ interface LanguageSelectorProps {
|
|
|
25003
25091
|
* @default 'auto'
|
|
25004
25092
|
*/
|
|
25005
25093
|
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
25094
|
/** Whether to show flag icons in the selector */
|
|
25016
25095
|
showFlags?: boolean;
|
|
25017
25096
|
/** Whether to show language names or just language codes */
|
|
@@ -25020,171 +25099,94 @@ interface LanguageSelectorProps {
|
|
|
25020
25099
|
className?: string;
|
|
25021
25100
|
}
|
|
25022
25101
|
/**
|
|
25023
|
-
*
|
|
25024
|
-
*
|
|
25025
|
-
* Provides flexible language selection with two presentation modes:
|
|
25102
|
+
* Header/nav language selector with dropdown presentation.
|
|
25026
25103
|
*
|
|
25027
|
-
*
|
|
25028
|
-
* **
|
|
25104
|
+
* Adapts to the number of available languages:
|
|
25105
|
+
* - **0-1 languages:** Hidden
|
|
25106
|
+
* - **2 languages:** Toggle button (swap on click)
|
|
25107
|
+
* - **3+ languages:** Dropdown menu
|
|
25029
25108
|
*
|
|
25030
|
-
*
|
|
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
|
|
25109
|
+
* For mobile-first bottom sheet selection, use `LanguageFAB` instead.
|
|
25047
25110
|
*
|
|
25048
25111
|
* @example
|
|
25049
25112
|
* ```tsx
|
|
25050
25113
|
* // Basic dropdown (compact)
|
|
25051
25114
|
* <LanguageSelector />
|
|
25052
25115
|
*
|
|
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
25116
|
* // Dropdown with flags and names
|
|
25064
25117
|
* <LanguageSelector
|
|
25065
25118
|
* showFlags={true}
|
|
25066
25119
|
* showNames={true}
|
|
25067
25120
|
* className="custom-class"
|
|
25068
25121
|
* />
|
|
25069
|
-
*
|
|
25070
25122
|
* ```
|
|
25071
25123
|
*
|
|
25072
|
-
* @param props - Component configuration
|
|
25073
|
-
* @returns JSX element
|
|
25074
|
-
*
|
|
25075
25124
|
* @public
|
|
25125
|
+
*
|
|
25126
|
+
* @version 0.2.0
|
|
25127
|
+
* @since 0.0.1
|
|
25128
|
+
* @author AMBROISE PARK Consulting
|
|
25076
25129
|
*/
|
|
25077
|
-
declare const LanguageSelector: ({ display,
|
|
25130
|
+
declare const LanguageSelector: ({ display, showFlags, showNames, className, }: LanguageSelectorProps) => react_jsx_runtime.JSX.Element | null;
|
|
25078
25131
|
|
|
25079
25132
|
/**
|
|
25080
|
-
*
|
|
25133
|
+
* Label format for the pill trigger
|
|
25081
25134
|
* @public
|
|
25082
|
-
*
|
|
25083
|
-
* @version 0.0.1
|
|
25084
|
-
* @since 0.0.1
|
|
25085
|
-
* @author AMBROISE PARK Consulting
|
|
25086
25135
|
*/
|
|
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
|
-
}
|
|
25136
|
+
type LanguageFABFormat = 'code' | 'name' | 'native';
|
|
25097
25137
|
/**
|
|
25098
25138
|
* Props for LanguageFAB component
|
|
25099
25139
|
* @public
|
|
25100
25140
|
*
|
|
25101
|
-
* @version 0.0
|
|
25141
|
+
* @version 0.3.0
|
|
25102
25142
|
* @since 0.0.1
|
|
25103
25143
|
* @author AMBROISE PARK Consulting
|
|
25104
25144
|
*/
|
|
25105
25145
|
interface LanguageFABProps {
|
|
25106
|
-
/**
|
|
25107
|
-
position?: FABPosition;
|
|
25108
|
-
/** Custom icon component */
|
|
25109
|
-
icon?: React.ComponentType<{
|
|
25110
|
-
className?: string;
|
|
25111
|
-
}>;
|
|
25112
|
-
/** Accessibility label for the FAB */
|
|
25146
|
+
/** Accessibility label for the pill */
|
|
25113
25147
|
'aria-label'?: string;
|
|
25114
25148
|
/** Additional CSS classes */
|
|
25115
25149
|
className?: string;
|
|
25116
|
-
/**
|
|
25117
|
-
|
|
25150
|
+
/** Show flag in the pill trigger @default true */
|
|
25151
|
+
showFlag?: boolean;
|
|
25152
|
+
/** Show flags in the language list @default true */
|
|
25153
|
+
showFlags?: boolean;
|
|
25154
|
+
/** Pill label format @default 'code' */
|
|
25155
|
+
format?: LanguageFABFormat;
|
|
25118
25156
|
}
|
|
25119
25157
|
/**
|
|
25120
|
-
*
|
|
25121
|
-
*
|
|
25122
|
-
* A fixed-position floating button that opens a language selection modal.
|
|
25123
|
-
* Provides quick access to language switching from anywhere on the page.
|
|
25158
|
+
* Fixed floating language pill (top-end) with dropdown selector.
|
|
25124
25159
|
*
|
|
25125
|
-
* **
|
|
25126
|
-
* -
|
|
25127
|
-
* -
|
|
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
|
|
25160
|
+
* - **0-1 languages:** Hidden
|
|
25161
|
+
* - **2 languages:** Tapping toggles directly
|
|
25162
|
+
* - **3+ languages:** Dropdown menu
|
|
25136
25163
|
*
|
|
25137
25164
|
* @example
|
|
25138
25165
|
* ```tsx
|
|
25139
|
-
* // Default bottom-right position
|
|
25140
25166
|
* <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
|
-
* />
|
|
25167
|
+
* <LanguageFAB format="native" showFlag={false} />
|
|
25151
25168
|
* ```
|
|
25152
25169
|
*
|
|
25153
|
-
* @param props - Component props
|
|
25154
|
-
* @returns JSX element
|
|
25155
|
-
*
|
|
25156
25170
|
* @public
|
|
25157
25171
|
*/
|
|
25158
|
-
declare const LanguageFAB: ({
|
|
25172
|
+
declare const LanguageFAB: ({ "aria-label": ariaLabel, className, showFlag, showFlags, format, }: LanguageFABProps) => react_jsx_runtime.JSX.Element | null;
|
|
25159
25173
|
|
|
25160
25174
|
/**
|
|
25161
25175
|
* Orientation for the toggle group
|
|
25162
25176
|
* @public
|
|
25163
|
-
*
|
|
25164
|
-
* @version 0.0.1
|
|
25165
|
-
* @since 0.0.1
|
|
25166
|
-
* @author AMBROISE PARK Consulting
|
|
25167
25177
|
*/
|
|
25168
25178
|
type ToggleOrientation = 'horizontal' | 'vertical';
|
|
25169
25179
|
/**
|
|
25170
25180
|
* Size variants for the toggle group
|
|
25171
25181
|
* @public
|
|
25172
|
-
*
|
|
25173
|
-
* @version 0.0.1
|
|
25174
|
-
* @since 0.0.1
|
|
25175
|
-
* @author AMBROISE PARK Consulting
|
|
25176
25182
|
*/
|
|
25177
25183
|
type ToggleSize = 'sm' | 'md' | 'lg';
|
|
25178
25184
|
/**
|
|
25179
25185
|
* Props for LanguageToggleGroup component
|
|
25180
25186
|
*
|
|
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
25187
|
* @public
|
|
25186
25188
|
*
|
|
25187
|
-
* @version 0.0
|
|
25189
|
+
* @version 0.1.0
|
|
25188
25190
|
* @since 0.0.1
|
|
25189
25191
|
* @author AMBROISE PARK Consulting
|
|
25190
25192
|
*/
|
|
@@ -25195,15 +25197,6 @@ interface LanguageToggleGroupProps {
|
|
|
25195
25197
|
orientation?: ToggleOrientation;
|
|
25196
25198
|
/** Size variant */
|
|
25197
25199
|
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
25200
|
/** Whether to show flag icons */
|
|
25208
25201
|
showFlags?: boolean;
|
|
25209
25202
|
/** Whether to show language names or just codes */
|
|
@@ -25216,71 +25209,37 @@ interface LanguageToggleGroupProps {
|
|
|
25216
25209
|
variant?: 'primary' | 'outline' | 'ghost';
|
|
25217
25210
|
}
|
|
25218
25211
|
/**
|
|
25219
|
-
*
|
|
25212
|
+
* Inline segmented toggle buttons for language selection.
|
|
25220
25213
|
*
|
|
25221
|
-
*
|
|
25222
|
-
*
|
|
25223
|
-
* **Toggle Buttons Mode (default):** Compact button group ideal for few languages (<5).
|
|
25224
|
-
* **Modal Mode (modal prop):** Full-featured modal with search for comprehensive selection.
|
|
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
|
|
25214
|
+
* Compact button group — each language gets a button, active one is highlighted.
|
|
25215
|
+
* For mobile-first bottom sheet selection, use `LanguageFAB` instead.
|
|
25246
25216
|
*
|
|
25247
25217
|
* @example
|
|
25248
25218
|
* ```tsx
|
|
25249
|
-
* // Basic horizontal toggle
|
|
25219
|
+
* // Basic horizontal toggle
|
|
25250
25220
|
* <LanguageToggleGroup
|
|
25251
25221
|
* languages={['en', 'es', 'fr']}
|
|
25252
25222
|
* orientation="horizontal"
|
|
25253
25223
|
* />
|
|
25254
25224
|
*
|
|
25255
|
-
* // Modal presentation (many languages, needs search)
|
|
25256
|
-
* <LanguageToggleGroup
|
|
25257
|
-
* modal
|
|
25258
|
-
* languages={['en', 'es', 'fr', 'de', 'it', 'pt', 'ja', 'zh']}
|
|
25259
|
-
* />
|
|
25260
|
-
*
|
|
25261
25225
|
* // Vertical with flags and names
|
|
25262
25226
|
* <LanguageToggleGroup
|
|
25263
25227
|
* languages={['en', 'es', 'fr', 'de']}
|
|
25264
25228
|
* orientation="vertical"
|
|
25265
25229
|
* showFlags={true}
|
|
25266
25230
|
* showNames={true}
|
|
25267
|
-
*
|
|
25268
25231
|
* />
|
|
25269
25232
|
*
|
|
25270
25233
|
* // Compact header style
|
|
25271
25234
|
* <LanguageToggleGroup
|
|
25272
25235
|
* languages={['en', 'es']}
|
|
25273
|
-
*
|
|
25274
25236
|
* variant="ghost"
|
|
25275
25237
|
* />
|
|
25276
25238
|
* ```
|
|
25277
25239
|
*
|
|
25278
|
-
* @param props - Component configuration
|
|
25279
|
-
* @returns JSX element
|
|
25280
|
-
*
|
|
25281
25240
|
* @public
|
|
25282
25241
|
*/
|
|
25283
|
-
declare const LanguageToggleGroup: ({ languages, orientation, size,
|
|
25242
|
+
declare const LanguageToggleGroup: ({ languages, orientation, size, showFlags, showNames, className, showLoading, variant, }: LanguageToggleGroupProps) => react_jsx_runtime.JSX.Element | null;
|
|
25284
25243
|
|
|
25285
25244
|
interface FAQSectionProps {
|
|
25286
25245
|
/** Translation function from useTranslation hook */
|
|
@@ -25412,49 +25371,6 @@ declare function Trans({ components, ...props }: DoNotDevTransProps): react_jsx_
|
|
|
25412
25371
|
declare const TRANS_TAGS: readonly ["accent", "primary", "muted", "success", "warning", "error", "bold", "code"];
|
|
25413
25372
|
type TransTag = (typeof TRANS_TAGS)[number];
|
|
25414
25373
|
|
|
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
25374
|
/**
|
|
25459
25375
|
* Language selector utility hook
|
|
25460
25376
|
*
|
|
@@ -25462,6 +25378,9 @@ declare const COUNTRIES: readonly CountryData[];
|
|
|
25462
25378
|
* language list, current language detection, language switching, and
|
|
25463
25379
|
* loading state management.
|
|
25464
25380
|
*
|
|
25381
|
+
* Uses the zustand language store when initialized, with transparent
|
|
25382
|
+
* fallback to direct i18next access for resilience.
|
|
25383
|
+
*
|
|
25465
25384
|
* @returns Language selector state and actions
|
|
25466
25385
|
*
|
|
25467
25386
|
* @example
|
|
@@ -25481,7 +25400,7 @@ declare const COUNTRIES: readonly CountryData[];
|
|
|
25481
25400
|
*
|
|
25482
25401
|
* @public
|
|
25483
25402
|
*
|
|
25484
|
-
* @version 0.0
|
|
25403
|
+
* @version 0.1.0
|
|
25485
25404
|
* @since 0.0.1
|
|
25486
25405
|
* @author AMBROISE PARK Consulting
|
|
25487
25406
|
*/
|
|
@@ -25500,6 +25419,57 @@ declare function useLanguageSelector(): {
|
|
|
25500
25419
|
otherLanguage: LanguageData | null;
|
|
25501
25420
|
};
|
|
25502
25421
|
|
|
25422
|
+
/**
|
|
25423
|
+
* Complete language data array with all information
|
|
25424
|
+
* Single source of truth for all language-related data
|
|
25425
|
+
*
|
|
25426
|
+
* @version 0.0.1
|
|
25427
|
+
* @since 0.0.1
|
|
25428
|
+
* @author AMBROISE PARK Consulting
|
|
25429
|
+
*/
|
|
25430
|
+
declare const LANGUAGES: readonly LanguageData[];
|
|
25431
|
+
type CountryData = {
|
|
25432
|
+
code: string;
|
|
25433
|
+
dialCode: string;
|
|
25434
|
+
flagCode: string;
|
|
25435
|
+
/** Display name for the country in the current UI language */
|
|
25436
|
+
name: string;
|
|
25437
|
+
};
|
|
25438
|
+
/**
|
|
25439
|
+
* Get countries from languages that have country codes
|
|
25440
|
+
* Reuses existing language/flag mapping, just adds country code and dial code
|
|
25441
|
+
*/
|
|
25442
|
+
declare function getCountries(): CountryData[];
|
|
25443
|
+
declare const COUNTRIES: readonly CountryData[];
|
|
25444
|
+
|
|
25445
|
+
/**
|
|
25446
|
+
* Language information type
|
|
25447
|
+
*
|
|
25448
|
+
* @version 0.0.1
|
|
25449
|
+
* @since 0.0.1
|
|
25450
|
+
* @author AMBROISE PARK Consulting
|
|
25451
|
+
*/
|
|
25452
|
+
type LanguageInfo = LanguageData;
|
|
25453
|
+
/**
|
|
25454
|
+
* Get supported languages with flags and native names
|
|
25455
|
+
*
|
|
25456
|
+
* Returns an array of language objects with id, name, flag emoji,
|
|
25457
|
+
* and native name. Only includes languages that are enabled in config.
|
|
25458
|
+
*
|
|
25459
|
+
* @returns Array of language information objects
|
|
25460
|
+
*
|
|
25461
|
+
* @example
|
|
25462
|
+
* ```tsx
|
|
25463
|
+
* const languages = getSupportedLanguages();
|
|
25464
|
+
* // Returns: [{ id: 'en', name: 'English', flag: '🇺🇸', nativeName: 'English' }, ...]
|
|
25465
|
+
* ```
|
|
25466
|
+
*
|
|
25467
|
+
* @version 0.0.1
|
|
25468
|
+
* @since 0.0.1
|
|
25469
|
+
* @author AMBROISE PARK Consulting
|
|
25470
|
+
*/
|
|
25471
|
+
declare function getSupportedLanguages(): LanguageInfo[];
|
|
25472
|
+
|
|
25503
25473
|
/**
|
|
25504
25474
|
* @fileoverview Flag Base Component Factory
|
|
25505
25475
|
* @description Base component factory and type definitions for creating flag components with consistent sizing and styling.
|
|
@@ -25528,6 +25498,14 @@ declare function Flag({ code, className, style, title, }: {
|
|
|
25528
25498
|
declare function getFlagCodes(): string[];
|
|
25529
25499
|
declare function hasFlag(code: string): boolean;
|
|
25530
25500
|
|
|
25501
|
+
/**
|
|
25502
|
+
* @fileoverview i18n package
|
|
25503
|
+
* @description Internationalization utilities and components
|
|
25504
|
+
*
|
|
25505
|
+
* @version 0.0.1
|
|
25506
|
+
* @since 0.0.1
|
|
25507
|
+
* @author AMBROISE PARK Consulting
|
|
25508
|
+
*/
|
|
25531
25509
|
//# sourceMappingURL=index.d.ts.map
|
|
25532
25510
|
|
|
25533
25511
|
declare const index_d_COUNTRIES: typeof COUNTRIES;
|
|
@@ -25539,23 +25517,30 @@ declare const index_d_Flag: typeof Flag;
|
|
|
25539
25517
|
declare const index_d_LANGUAGES: typeof LANGUAGES;
|
|
25540
25518
|
type index_d_LanguageData = LanguageData;
|
|
25541
25519
|
declare const index_d_LanguageFAB: typeof LanguageFAB;
|
|
25520
|
+
type index_d_LanguageFABFormat = LanguageFABFormat;
|
|
25521
|
+
type index_d_LanguageFABProps = LanguageFABProps;
|
|
25542
25522
|
declare const index_d_LanguageSelector: typeof LanguageSelector;
|
|
25523
|
+
type index_d_LanguageSelectorProps = LanguageSelectorProps;
|
|
25543
25524
|
declare const index_d_LanguageToggleGroup: typeof LanguageToggleGroup;
|
|
25525
|
+
type index_d_LanguageToggleGroupProps = LanguageToggleGroupProps;
|
|
25544
25526
|
declare const index_d_TRANS_TAGS: typeof TRANS_TAGS;
|
|
25527
|
+
type index_d_ToggleOrientation = ToggleOrientation;
|
|
25528
|
+
type index_d_ToggleSize = ToggleSize;
|
|
25545
25529
|
declare const index_d_Trans: typeof Trans;
|
|
25546
25530
|
type index_d_TransTag = TransTag;
|
|
25547
25531
|
declare const index_d_TranslatedText: typeof TranslatedText;
|
|
25548
25532
|
declare const index_d_getCountries: typeof getCountries;
|
|
25549
25533
|
declare const index_d_getFlagCodes: typeof getFlagCodes;
|
|
25550
25534
|
declare const index_d_getI18nInstance: typeof getI18nInstance;
|
|
25535
|
+
declare const index_d_getSupportedLanguages: typeof getSupportedLanguages;
|
|
25551
25536
|
declare const index_d_hasFlag: typeof hasFlag;
|
|
25552
25537
|
declare const index_d_useI18nReady: typeof useI18nReady;
|
|
25553
25538
|
declare const index_d_useLanguageSelector: typeof useLanguageSelector;
|
|
25554
25539
|
declare const index_d_useTranslation: typeof useTranslation;
|
|
25555
25540
|
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 };
|
|
25541
|
+
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 };
|
|
25542
|
+
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
25543
|
}
|
|
25559
25544
|
|
|
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 };
|
|
25545
|
+
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 };
|
|
25546
|
+
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 };
|