@donotdev/core 0.0.24 → 0.0.25

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/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@donotdev/core",
3
- "version": "0.0.24",
3
+ "version": "0.0.25",
4
4
  "private": false,
5
5
  "type": "module",
6
6
  "license": "SEE LICENSE IN LICENSE.md",
@@ -51,7 +51,7 @@
51
51
  ],
52
52
  "sideEffects": false,
53
53
  "peerDependencies": {
54
- "@donotdev/components": "^0.0.17",
54
+ "@donotdev/components": "^0.0.19",
55
55
  "@sentry/react": "^10.39.0",
56
56
  "lucide-react": "^0.574.0",
57
57
  "react": "^19.2.4",
@@ -78,29 +78,18 @@
78
78
  "scripts": {
79
79
  "dev": "tsc --noEmit --watch",
80
80
  "clean": "rimraf dist tsconfig.tsbuildinfo",
81
- "type-check": "tsc --noEmit"
81
+ "type-check": "bunx tsc --noEmit"
82
82
  },
83
83
  "publishConfig": {
84
84
  "registry": "https://registry.npmjs.org",
85
85
  "access": "public"
86
86
  },
87
87
  "dependencies": {
88
- "@clack/prompts": "^1.0.1",
89
- "@rollup/plugin-strip": "^3.0.4",
90
88
  "@tanstack/react-query": "^5.90.21",
91
- "@vitejs/plugin-basic-ssl": "^2.1.0",
92
- "autoprefixer": "^10.4.23",
93
- "fast-glob": "^3.3.3",
94
89
  "i18next": "^25.8.11",
95
90
  "i18next-browser-languagedetector": "^8.2.1",
96
91
  "i18next-http-backend": "3.0.2",
97
- "postcss": "^8.5.6",
98
- "postcss-import": "^16.1.1",
99
- "postcss-nesting": "^14.0.0",
100
- "react-i18next": "^16.5.4",
101
- "rollup-plugin-visualizer": "6.0.5",
102
- "vite-plugin-pwa": "1.2.0",
103
- "vite-tsconfig-paths": "^6.0.3"
92
+ "react-i18next": "^16.5.4"
104
93
  },
105
94
  "peerDependenciesMeta": {}
106
95
  }
package/server.d.ts CHANGED
@@ -2436,7 +2436,7 @@ declare const DEFAULT_SUBSCRIPTION: SubscriptionClaims;
2436
2436
  * @author AMBROISE PARK Consulting
2437
2437
  */
2438
2438
  declare const CreateCheckoutSessionRequestSchema: v.ObjectSchema<{
2439
- readonly userId: v.StringSchema<undefined>;
2439
+ readonly userId: v.OptionalSchema<v.StringSchema<undefined>, undefined>;
2440
2440
  readonly productId: v.OptionalSchema<v.StringSchema<undefined>, undefined>;
2441
2441
  readonly priceId: v.StringSchema<undefined>;
2442
2442
  readonly successUrl: v.SchemaWithPipe<readonly [v.StringSchema<undefined>, v.UrlAction<string, undefined>]>;
@@ -2614,7 +2614,7 @@ type ProductDeclaration = v.InferOutput<typeof ProductDeclarationSchema> & {
2614
2614
  * @author AMBROISE PARK Consulting
2615
2615
  */
2616
2616
  declare function validateCreateCheckoutSessionRequest(data: unknown): v.SafeParseResult<v.ObjectSchema<{
2617
- readonly userId: v.StringSchema<undefined>;
2617
+ readonly userId: v.OptionalSchema<v.StringSchema<undefined>, undefined>;
2618
2618
  readonly productId: v.OptionalSchema<v.StringSchema<undefined>, undefined>;
2619
2619
  readonly priceId: v.StringSchema<undefined>;
2620
2620
  readonly successUrl: v.SchemaWithPipe<readonly [v.StringSchema<undefined>, v.UrlAction<string, undefined>]>;
@@ -2884,7 +2884,7 @@ declare function validateBillingSchemas(): {
2884
2884
  success: boolean;
2885
2885
  results: {
2886
2886
  createCheckoutSessionRequest: v.SafeParseResult<v.ObjectSchema<{
2887
- readonly userId: v.StringSchema<undefined>;
2887
+ readonly userId: v.OptionalSchema<v.StringSchema<undefined>, undefined>;
2888
2888
  readonly productId: v.OptionalSchema<v.StringSchema<undefined>, undefined>;
2889
2889
  readonly priceId: v.StringSchema<undefined>;
2890
2890
  readonly successUrl: v.SchemaWithPipe<readonly [v.StringSchema<undefined>, v.UrlAction<string, undefined>]>;
@@ -6150,6 +6150,36 @@ interface EntityCardListProps {
6150
6150
  }) => boolean;
6151
6151
  /** Hide filters section (default: false) */
6152
6152
  hideFilters?: boolean;
6153
+ /**
6154
+ * Custom label for the results section title.
6155
+ * Receives the current item count so you can handle pluralization and empty state.
6156
+ * When not provided, defaults to the built-in i18n label ("Found N occurrences").
6157
+ *
6158
+ * @param count - Number of items after all filters are applied
6159
+ * @returns The string to display as the results section title
6160
+ *
6161
+ * @example
6162
+ * ```tsx
6163
+ * // Simple override
6164
+ * <EntityCardList
6165
+ * entity={apartmentEntity}
6166
+ * resultLabel={(count) =>
6167
+ * count === 0
6168
+ * ? 'No apartments available'
6169
+ * : count === 1
6170
+ * ? 'Your future home is right here'
6171
+ * : `Your future home is among these ${count} apartments`
6172
+ * }
6173
+ * />
6174
+ * ```
6175
+ */
6176
+ resultLabel?: (count: number) => string;
6177
+ /**
6178
+ * Tone for the filter and results Section wrappers.
6179
+ * Use 'base' or 'muted' when the app has an image background so sections are readable.
6180
+ * @default 'ghost' (transparent — inherits parent background)
6181
+ */
6182
+ tone?: 'ghost' | 'base' | 'muted' | 'contrast' | 'accent';
6153
6183
  }
6154
6184
  /**
6155
6185
  * Props for CrudCard — presentational card built from entity + item + field slots.
@@ -6227,11 +6257,6 @@ interface EntityFormRendererProps<T extends EntityRecord = EntityRecord> {
6227
6257
  * @default 'create' (or 'edit' if defaultValues provided)
6228
6258
  */
6229
6259
  operation?: 'create' | 'edit';
6230
- /**
6231
- * Enable auto-save to localStorage for crash recovery.
6232
- * @default true for create mode
6233
- */
6234
- autoSave?: boolean;
6235
6260
  /**
6236
6261
  * Optional form ID for tracking loading state.
6237
6262
  * If not provided, one will be generated automatically.
@@ -6308,6 +6333,11 @@ interface EntityDisplayRendererProps<T extends EntityRecord = EntityRecord> {
6308
6333
  * Fallback chain: prop → useAuthSafe('userRole') → 'guest'
6309
6334
  */
6310
6335
  viewerRole?: string;
6336
+ /**
6337
+ * Field names to exclude from rendering.
6338
+ * Use when the page already displays certain fields in a custom hero/header section.
6339
+ */
6340
+ excludeFields?: string[];
6311
6341
  }
6312
6342
 
6313
6343
  type FieldValues = Record<string, any>;
@@ -12389,14 +12419,15 @@ interface RateLimitManager {
12389
12419
  */
12390
12420
 
12391
12421
  /**
12392
- * Zustand store API interface without direct dependency
12422
+ * DoNotDev store API interface without direct Zustand dependency.
12423
+ * Renamed from StoreApi to avoid shadowing Zustand's StoreApi.
12393
12424
  * @template T - The store state type
12394
12425
  *
12395
- * @version 0.0.1
12426
+ * @version 0.0.2
12396
12427
  * @since 0.0.1
12397
12428
  * @author AMBROISE PARK Consulting
12398
12429
  */
12399
- interface StoreApi<T> {
12430
+ interface DndevStoreApi<T> {
12400
12431
  /** Returns the current state */
12401
12432
  getState: () => T;
12402
12433
  /** Updates the store state */
@@ -14953,65 +14984,6 @@ declare namespace index_d {
14953
14984
  export type { index_d_AuthHardeningConfig as AuthHardeningConfig, index_d_CurrencyEntry as CurrencyEntry, index_d_DateFormatOptions as DateFormatOptions, index_d_DateFormatPreset as DateFormatPreset, index_d_ErrorHandlerConfig as ErrorHandlerConfig, index_d_ErrorHandlerFunction as ErrorHandlerFunction, index_d_FilterVisibleFieldsOptions as FilterVisibleFieldsOptions, index_d_GetVisibleFieldsOptions as GetVisibleFieldsOptions, index_d_HandleErrorOptions as HandleErrorOptions, index_d_LockoutResult as LockoutResult };
14954
14985
  }
14955
14986
 
14956
- /**
14957
- * @fileoverview Unified Schema Generation
14958
- * @description Creates Valibot schemas from entity definitions with visibility metadata.
14959
- *
14960
- * Entity → Schema (with visibility) → Used everywhere (frontend + backend)
14961
- *
14962
- * Isomorphic code (works in both client and server environments).
14963
- *
14964
- * @version 0.0.2
14965
- * @since 0.0.1
14966
- * @author AMBROISE PARK Consulting
14967
- */
14968
-
14969
- /**
14970
- * Valibot schema with visibility metadata attached
14971
- */
14972
- interface SchemaWithVisibility extends v.BaseSchema<unknown, unknown, v.BaseIssue<unknown>> {
14973
- visibility?: Visibility;
14974
- }
14975
- /**
14976
- * Operation-specific schemas generated from entity
14977
- */
14978
- interface OperationSchemas {
14979
- /** Create: excludes technical fields, enforces required */
14980
- create: dndevSchema<unknown>;
14981
- /** Draft: excludes technical fields, all optional except status='draft' */
14982
- draft: dndevSchema<unknown>;
14983
- /** Update: excludes technical fields, all optional */
14984
- update: dndevSchema<unknown>;
14985
- /** Get: includes all fields with visibility metadata */
14986
- get: dndevSchema<unknown>;
14987
- /** List: optimized for admin table (uses listFields) */
14988
- list: dndevSchema<unknown>;
14989
- /** ListCard: optimized for public cards (uses listCardFields, falls back to listFields) */
14990
- listCard: dndevSchema<unknown>;
14991
- /** Delete: just { id: string } */
14992
- delete: dndevSchema<unknown>;
14993
- }
14994
- /**
14995
- * Creates all operation-specific schemas from an entity definition
14996
- *
14997
- * Each schema field has `.visibility` attached for backend filtering.
14998
- *
14999
- * @param entity - Entity definition
15000
- * @returns Operation-specific schemas with visibility metadata
15001
- *
15002
- * @example
15003
- * ```typescript
15004
- * const schemas = createSchemas(carEntity);
15005
- * // schemas.create - for creating documents
15006
- * // schemas.draft - for saving incomplete
15007
- * // schemas.update - for partial updates
15008
- * // schemas.get - for reading (includes technical fields)
15009
- * // schemas.list - array of get
15010
- * // schemas.delete - just { id }
15011
- * ```
15012
- */
15013
- declare function createSchemas(entity: Entity): OperationSchemas;
15014
-
15015
14987
  /**
15016
14988
  * @fileoverview Schema enhancement utility
15017
14989
  * @description Enhances a Valibot schema with additional metadata
@@ -15447,6 +15419,65 @@ declare const baseFields: TypedBaseFields;
15447
15419
  */
15448
15420
  declare function defineEntity(entity: BusinessEntity): Entity;
15449
15421
 
15422
+ /**
15423
+ * @fileoverview Unified Schema Generation
15424
+ * @description Creates Valibot schemas from entity definitions with visibility metadata.
15425
+ *
15426
+ * Entity → Schema (with visibility) → Used everywhere (frontend + backend)
15427
+ *
15428
+ * Isomorphic code (works in both client and server environments).
15429
+ *
15430
+ * @version 0.0.2
15431
+ * @since 0.0.1
15432
+ * @author AMBROISE PARK Consulting
15433
+ */
15434
+
15435
+ /**
15436
+ * Valibot schema with visibility metadata attached
15437
+ */
15438
+ interface SchemaWithVisibility extends v.BaseSchema<unknown, unknown, v.BaseIssue<unknown>> {
15439
+ visibility?: Visibility;
15440
+ }
15441
+ /**
15442
+ * Operation-specific schemas generated from entity
15443
+ */
15444
+ interface OperationSchemas {
15445
+ /** Create: excludes technical fields, enforces required */
15446
+ create: dndevSchema<unknown>;
15447
+ /** Draft: excludes technical fields, all optional except status='draft' */
15448
+ draft: dndevSchema<unknown>;
15449
+ /** Update: excludes technical fields, all optional */
15450
+ update: dndevSchema<unknown>;
15451
+ /** Get: includes all fields with visibility metadata */
15452
+ get: dndevSchema<unknown>;
15453
+ /** List: optimized for admin table (uses listFields) */
15454
+ list: dndevSchema<unknown>;
15455
+ /** ListCard: optimized for public cards (uses listCardFields, falls back to listFields) */
15456
+ listCard: dndevSchema<unknown>;
15457
+ /** Delete: just { id: string } */
15458
+ delete: dndevSchema<unknown>;
15459
+ }
15460
+ /**
15461
+ * Creates all operation-specific schemas from an entity definition
15462
+ *
15463
+ * Each schema field has `.visibility` attached for backend filtering.
15464
+ *
15465
+ * @param entity - Entity definition
15466
+ * @returns Operation-specific schemas with visibility metadata
15467
+ *
15468
+ * @example
15469
+ * ```typescript
15470
+ * const schemas = createSchemas(carEntity);
15471
+ * // schemas.create - for creating documents
15472
+ * // schemas.draft - for saving incomplete
15473
+ * // schemas.update - for partial updates
15474
+ * // schemas.get - for reading (includes technical fields)
15475
+ * // schemas.list - array of get
15476
+ * // schemas.delete - just { id }
15477
+ * ```
15478
+ */
15479
+ declare function createSchemas(entity: Entity): OperationSchemas;
15480
+
15450
15481
  /**
15451
15482
  * @fileoverview Option generation helpers for select fields
15452
15483
  * @description Simple utilities to generate options arrays for select/dropdown fields.
@@ -15607,4 +15638,4 @@ declare function getRegisteredScopeProviders(): string[];
15607
15638
  declare function clearScopeProviders(): void;
15608
15639
 
15609
15640
  export { AGGREGATE_FILTER_OPERATORS, AGGREGATE_OPERATIONS, AUTH_EVENTS, AUTH_PARTNERS, AUTH_PARTNER_STATE, AuthHardening, AuthUserSchema, BACKEND_GENERATED_FIELD_NAMES, BILLING_EVENTS, BREAKPOINT_RANGES, BREAKPOINT_THRESHOLDS, COMMON_TIER_CONFIGS, CONFIDENCE_LEVELS, CONSENT_CATEGORY, CONTEXTS, CRUD_OPERATORS, CURRENCY_MAP, CheckoutSessionMetadataSchema, CreateCheckoutSessionRequestSchema, CreateCheckoutSessionResponseSchema, CustomClaimsSchema, DEFAULT_ENTITY_ACCESS, DEFAULT_ERROR_MESSAGES, DEFAULT_LAYOUT_PRESET, DEFAULT_STATUS_OPTIONS, DEFAULT_STATUS_VALUE, DEFAULT_SUBSCRIPTION, DENSITY, DoNotDevError, EDITABLE, ENTITY_HOOK_ERRORS, ENVIRONMENTS, ERROR_CODES, ERROR_SEVERITY, ERROR_SOURCE, EntityHookError, FEATURES, FEATURE_CONSENT_MATRIX, FEATURE_STATUS, FIELD_TYPES, FIREBASE_ERROR_MAP, FIRESTORE_ID_PATTERN, GITHUB_PERMISSION_LEVELS, HIDDEN_STATUSES, LAYOUT_PRESET, LIST_SCHEMA_TYPE, OAUTH_EVENTS, OAUTH_PARTNERS, ORDER_DIRECTION, PARTNER_ICONS, PAYLOAD_EVENTS, PERMISSIONS, PLATFORMS, PWA_ASSET_TYPES, PWA_DISPLAY_MODES, ProductDeclarationSchema, ProductDeclarationsSchema, ROUTE_SOURCES, STORAGE_SCOPES, STORAGE_TYPES, STRIPE_EVENTS, STRIPE_MODES, SUBSCRIPTION_DURATIONS, SUBSCRIPTION_STATUS, SUBSCRIPTION_TIERS, index_d as ServerUtils, SingletonManager, StripeBackConfigSchema, StripeFrontConfigSchema, StripePaymentSchema, StripeSubscriptionSchema, SubscriptionClaimsSchema, SubscriptionDataSchema, TECHNICAL_FIELD_NAMES, USER_ROLES, UserSubscriptionSchema, VISIBILITY, WebhookEventSchema, addMonths, addYears, addressSchema, arraySchema, baseFields, booleanSchema, calculateSubscriptionEndDate, captureErrorToSentry, checkGitHubAccessSchema, clearSchemaGenerators, clearScopeProviders, commonErrorCodeMappings, compactToISOString, configureProviders, createAsyncSingleton, createDefaultSubscriptionClaims, createDefaultUserProfile, createEntitySchema, createErrorHandler, createMetadata, createMethodProxy, createSchemas, createSingleton, createSingletonWithParams, dateSchema, defineEntity, deleteEntitySchema, detectErrorSource, disconnectOAuthSchema, emailSchema, enhanceSchema, ensureSpreadable, exchangeTokenSchema, fileSchema, filesSchema, filterVisibleFields, formatCurrency, formatDate, formatRelativeTime, gdprConsentSchema, generateCodeChallenge, generateCodeVerifier, generateFirestoreRuleCondition, generatePKCEPair, geopointSchema, getBreakpointFromWidth, getBreakpointUtils, getCollectionName, getConnectionsSchema, getCurrencyLocale, getCurrencySymbol, getCurrentTimestamp, getEntitySchema, getListCardFieldNames, getProvider, getRegisteredSchemaTypes, getRegisteredScopeProviders, getRoleFromClaims, getSchemaType, getScopeValue, getVisibleFields, getWeekFromISOString, githubPermissionSchema, githubRepoConfigSchema, grantGitHubAccessSchema, handleError, hasCustomSchemaGenerator, hasMetadata, hasProvider, hasRestrictedVisibility, hasRoleAccess, hasScopeProvider, hasTierAccess, ibanSchema, isAuthPartnerId, isBackendGeneratedField, isBreakpoint, isCompactDateString, isFieldVisible, isFrameworkField, isOAuthPartnerId, isPKCESupported, isoToCompactString, lazyImport, listEntitiesSchema, mapSchema, mapToDoNotDevError, maybeTranslate, multiselectSchema, neverSchema, normalizeToISOString, numberSchema, overrideFeatures, overridePaymentModes, overridePermissions, overrideSubscriptionStatus, overrideSubscriptionTiers, overrideUserRoles, parseDate, parseDateToNoonUTC, parseISODate, parseServerCookie, passwordSchema, pictureSchema, picturesSchema, priceSchema, rangeOptions, referenceSchema, refreshTokenSchema, registerSchemaGenerator, registerScopeProvider, registerUniqueConstraintValidator, resetProviders, revokeGitHubAccessSchema, safeValidate, selectSchema, showNotification, stringSchema, switchSchema, telSchema, textSchema, timestampToISOString, toDateOnly, toISOString, translateArray, translateArrayRange, translateArrayWithIndices, translateObjectArray, unregisterScopeProvider, updateEntitySchema, updateMetadata, urlSchema, validateAuthPartners, validateAuthSchemas, validateAuthUser, validateBillingSchemas, validateCheckoutSessionMetadata, validateCodeChallenge, validateCodeVerifier, validateCreateCheckoutSessionRequest, validateCreateCheckoutSessionResponse, validateCustomClaims, validateDates, validateDocument, validateEnvVar, validateMetadata, validateOAuthPartners, validateStripeBackConfig, validateStripeFrontConfig, validateSubscriptionClaims, validateSubscriptionData, validateUniqueFields, validateUrl, validateUserSubscription, validateWebhookEvent, validateWithSchema, withErrorHandling, withGracefulDegradation, wrapAuthError, wrapCrudError, wrapStorageError };
15610
- export type { AccountLinkResult, AccountLinkingInfo, AdminCheckHookResult, AdminClaims, AggregateConfig, AggregateFilterOperator, AggregateOperation, AggregateRequest, AggregateResponse, AnyFieldValue, ApiResponse, AppConfig, 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, BackendGeneratedField, BaseActions, BaseCredentials, BaseDocument, BaseEntityFields, BasePartnerState, BaseState, BaseStoreActions, BaseStoreState, BaseUserProfile, BasicUserInfo, BillingAPI, BillingAdapter, BillingErrorCode, BillingEvent, BillingEventData, BillingEventKey, BillingEventName, BillingProvider, BillingProviderConfig, BillingRedirectOperation, Breakpoint, BreakpointUtils, BuiltInFieldType, BusinessEntity, CachedError, CanAPI, CheckGitHubAccessRequest, CheckoutMode, CheckoutOptions, CheckoutSessionMetadata, CollectionSubscriptionCallback, ColumnDef, CommonSubscriptionFeatures, CommonTranslations, ConfidenceLevel, ConsentAPI, ConsentActions, ConsentCategory, ConsentState, Context, CookieOptions, CreateCheckoutSessionRequest, CreateCheckoutSessionResponse, CreateEntityData, CreateEntityRequest, CreateEntityResponse, CrudAPI, CrudCardProps, CrudConfig, CrudOperator, CurrencyEntry, CustomClaims, CustomFieldOptionsMap, CustomSchemaGenerator, CustomStoreConfig, DateFormatOptions, DateFormatPreset, DateValue, DeleteEntityRequest, DeleteEntityResponse, Density, DnDevOverride, DndevFrameworkConfig, DndevProviders, DoNotDevCookieCategories, 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, ExchangeTokenParams, ExchangeTokenRequest, FaviconConfig, Feature, FeatureAccessHookResult, FeatureConsentRequirement, FeatureHookResult, FeatureId, FeatureName, FeatureStatus, FeaturesConfig, FeaturesPluginConfig, FeaturesRequiringAnyConsent, FeaturesRequiringConsent, FeaturesWithoutConsent, FieldCondition, FieldType, FieldTypeToValue, FileAsset, FilterVisibleFieldsOptions, FirebaseCallOptions, FirebaseConfig, FirestoreTimestamp, FirestoreUniqueConstraintValidator, FooterConfig, FooterZoneConfig, FormConfig, FormStep, FunctionCallConfig, FunctionCallContext, FunctionCallOptions, FunctionCallResult, FunctionClient, FunctionClientFactoryOptions, FunctionDefaults, FunctionEndpoint, FunctionError, FunctionLoader, FunctionMemory, FunctionMeta, FunctionPlatform, FunctionResponse, FunctionSchema, FunctionSchemas, FunctionSystem, FunctionTrigger, FunctionsConfig, GetCustomClaimsResponse, GetEntityData, GetEntityRequest, GetEntityResponse, GetUserAuthStatusResponse, GetVisibleFieldsOptions, GitHubPermission, GitHubRepoConfig, GrantGitHubAccessRequest, GroupByDefinition, HandleErrorOptions, HeaderZoneConfig, I18nConfig, I18nPluginConfig, I18nProviderProps, ICallableProvider, ICrudAdapter, ID, INetworkManager, IServerAuthAdapter, IStorageAdapter, IStorageManager, IStorageStrategy, Invoice, InvoiceItem, LanguageInfo, LayoutConfig, LayoutPreset, LegalCompanyInfo, LegalConfig, LegalContactInfo, LegalDirectorInfo, LegalHostingInfo, LegalJurisdictionInfo, LegalSectionsConfig, LegalWebsiteInfo, ListCardLayout, ListEntitiesRequest, ListEntitiesResponse, ListEntityData, ListOptions, ListResponse, ListSchemaType, LoadingActions, LoadingState, LockoutResult, MergedBarConfig, MetricDefinition, MobileBehaviorConfig, ModalActions, ModalState, MutationResponse, NavigationRoute, NetworkCheckConfig, NetworkConnectionType, NetworkReconnectCallback, NetworkState, NetworkStatus, NetworkStatusHookResult, OAuthAPI, OAuthApiRequestOptions, OAuthCallbackHookResult, OAuthConnection, OAuthConnectionInfo, OAuthConnectionRequest, OAuthConnectionStatus, OAuthCredentials, OAuthEventData, OAuthEventKey, OAuthEventName, OAuthPartner, OAuthPartnerButton, OAuthPartnerHookResult, OAuthPartnerId, OAuthPartnerResult, OAuthPartnerState, OAuthPurpose, OAuthRedirectOperation, OAuthRefreshRequest, OAuthRefreshResponse, OAuthResult, OAuthStoreActions, OAuthStoreState, Observable, OperationSchemas, OrderByClause, OrderDirection, 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, PresetConfig, PresetRegistry, ProcessPaymentSuccessRequest, ProcessPaymentSuccessResponse, ProductDeclaration, ProviderInstances, QueryConfig, QueryOptions, QueryOrderBy, QueryWhereClause, RateLimitBackend, RateLimitConfig, RateLimitManager, RateLimitResult, RateLimitState, RateLimiter, ReadCallback, RedirectOperation, RedirectOverlayActions, RedirectOverlayConfig, RedirectOverlayPhase, RedirectOverlayState, Reference, RefreshSubscriptionRequest, RefreshSubscriptionResponse, RemoveCustomClaimsResponse, ResolvedLayoutConfig, RevokeGitHubAccessRequest, RouteMeta, RouteSource, RoutesPluginConfig, SEOConfig, SchemaMetadata, SchemaWithVisibility, ScopeConfig, ScopeProviderFn, SecurityContext, SecurityEntityConfig, SelectOption, ServerRateLimitConfig, ServerRateLimitResult, ServerUserRecord, SetCustomClaimsResponse, SidebarZoneConfig, SlotContent, StatusField, StorageOptions, StorageScope, StorageType, Store, StoreApi, StripeBackConfig, StripeCheckoutRequest, StripeCheckoutResponse, StripeCheckoutSessionEventData, StripeConfig, StripeCustomer, StripeCustomerEventData, StripeEventData, StripeEventKey, StripeEventName, StripeFrontConfig, StripeInvoice, StripeInvoiceEventData, StripePayment, StripePaymentIntentEventData, StripePaymentMethod, StripePrice, StripeProduct, StripeProvider, StripeSubscription, StripeSubscriptionData, StripeWebhookEvent, StripeWebhookEventData, Subscription, SubscriptionClaims, SubscriptionConfig, SubscriptionData, SubscriptionDuration, SubscriptionEventData, SubscriptionHookResult, SubscriptionInfo, SubscriptionStatus, SubscriptionTier, SupportedLanguage, TechnicalField, ThemeActions, ThemeInfo, ThemeMode, ThemeState, ThemesPluginConfig, TierAccessHookResult, Timestamp, TokenInfo, TokenResponse, TokenState, TokenStatus, TranslationOptions, TranslationResource, TypedBaseFields, UIFieldOptions, UniqueConstraintValidator, UniqueKeyDefinition, UnsubscribeFn, UpdateEntityData, UpdateEntityRequest, UpdateEntityResponse, UploadOptions, UploadProgressCallback, UploadResult, UseFunctionsCallResult, UseFunctionsMutationOptions, UseFunctionsMutationResult, UseFunctionsQueryOptions, UseFunctionsQueryResult, UseTranslationOptionsEnhanced, UserContext, UserProfile, UserProviderData, UserRole, UserSubscription, ValidationRules, ValueTypeForField, VerifiedToken, Visibility, WebhookEvent, WebhookEventData, WhereClause, WhereOperator, WithMetadata, dndevSchema };
15641
+ export type { AccountLinkResult, AccountLinkingInfo, AdminCheckHookResult, AdminClaims, AggregateConfig, AggregateFilterOperator, AggregateOperation, AggregateRequest, AggregateResponse, AnyFieldValue, ApiResponse, AppConfig, 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, BackendGeneratedField, BaseActions, BaseCredentials, BaseDocument, BaseEntityFields, BasePartnerState, BaseState, BaseStoreActions, BaseStoreState, BaseUserProfile, BasicUserInfo, BillingAPI, BillingAdapter, BillingErrorCode, BillingEvent, BillingEventData, BillingEventKey, BillingEventName, BillingProvider, BillingProviderConfig, BillingRedirectOperation, Breakpoint, BreakpointUtils, BuiltInFieldType, BusinessEntity, CachedError, CanAPI, CheckGitHubAccessRequest, CheckoutMode, CheckoutOptions, CheckoutSessionMetadata, CollectionSubscriptionCallback, ColumnDef, CommonSubscriptionFeatures, CommonTranslations, ConfidenceLevel, ConsentAPI, ConsentActions, ConsentCategory, ConsentState, Context, CookieOptions, CreateCheckoutSessionRequest, CreateCheckoutSessionResponse, CreateEntityData, CreateEntityRequest, CreateEntityResponse, CrudAPI, CrudCardProps, CrudConfig, CrudOperator, CurrencyEntry, CustomClaims, CustomFieldOptionsMap, CustomSchemaGenerator, CustomStoreConfig, DateFormatOptions, DateFormatPreset, DateValue, DeleteEntityRequest, DeleteEntityResponse, Density, DnDevOverride, DndevFrameworkConfig, DndevProviders, DndevStoreApi, DoNotDevCookieCategories, 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, ExchangeTokenParams, ExchangeTokenRequest, FaviconConfig, Feature, FeatureAccessHookResult, FeatureConsentRequirement, FeatureHookResult, FeatureId, FeatureName, FeatureStatus, FeaturesConfig, FeaturesPluginConfig, FeaturesRequiringAnyConsent, FeaturesRequiringConsent, FeaturesWithoutConsent, FieldCondition, FieldType, FieldTypeToValue, FileAsset, FilterVisibleFieldsOptions, FirebaseCallOptions, FirebaseConfig, FirestoreTimestamp, FirestoreUniqueConstraintValidator, FooterConfig, FooterZoneConfig, FormConfig, FormStep, FunctionCallConfig, FunctionCallContext, FunctionCallOptions, FunctionCallResult, FunctionClient, FunctionClientFactoryOptions, FunctionDefaults, FunctionEndpoint, FunctionError, FunctionLoader, FunctionMemory, FunctionMeta, FunctionPlatform, FunctionResponse, FunctionSchema, FunctionSchemas, FunctionSystem, FunctionTrigger, FunctionsConfig, GetCustomClaimsResponse, GetEntityData, GetEntityRequest, GetEntityResponse, GetUserAuthStatusResponse, GetVisibleFieldsOptions, GitHubPermission, GitHubRepoConfig, GrantGitHubAccessRequest, GroupByDefinition, HandleErrorOptions, HeaderZoneConfig, I18nConfig, I18nPluginConfig, I18nProviderProps, ICallableProvider, ICrudAdapter, ID, INetworkManager, IServerAuthAdapter, IStorageAdapter, IStorageManager, IStorageStrategy, Invoice, InvoiceItem, LanguageInfo, LayoutConfig, LayoutPreset, LegalCompanyInfo, LegalConfig, LegalContactInfo, LegalDirectorInfo, LegalHostingInfo, LegalJurisdictionInfo, LegalSectionsConfig, LegalWebsiteInfo, ListCardLayout, ListEntitiesRequest, ListEntitiesResponse, ListEntityData, ListOptions, ListResponse, ListSchemaType, LoadingActions, LoadingState, LockoutResult, MergedBarConfig, MetricDefinition, MobileBehaviorConfig, ModalActions, ModalState, MutationResponse, NavigationRoute, NetworkCheckConfig, NetworkConnectionType, NetworkReconnectCallback, NetworkState, NetworkStatus, NetworkStatusHookResult, OAuthAPI, OAuthApiRequestOptions, OAuthCallbackHookResult, OAuthConnection, OAuthConnectionInfo, OAuthConnectionRequest, OAuthConnectionStatus, OAuthCredentials, OAuthEventData, OAuthEventKey, OAuthEventName, OAuthPartner, OAuthPartnerButton, OAuthPartnerHookResult, OAuthPartnerId, OAuthPartnerResult, OAuthPartnerState, OAuthPurpose, OAuthRedirectOperation, OAuthRefreshRequest, OAuthRefreshResponse, OAuthResult, OAuthStoreActions, OAuthStoreState, Observable, OperationSchemas, OrderByClause, OrderDirection, 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, PresetConfig, PresetRegistry, ProcessPaymentSuccessRequest, ProcessPaymentSuccessResponse, ProductDeclaration, ProviderInstances, QueryConfig, QueryOptions, QueryOrderBy, QueryWhereClause, RateLimitBackend, RateLimitConfig, RateLimitManager, RateLimitResult, RateLimitState, RateLimiter, ReadCallback, RedirectOperation, RedirectOverlayActions, RedirectOverlayConfig, RedirectOverlayPhase, RedirectOverlayState, Reference, RefreshSubscriptionRequest, RefreshSubscriptionResponse, RemoveCustomClaimsResponse, ResolvedLayoutConfig, RevokeGitHubAccessRequest, RouteMeta, RouteSource, RoutesPluginConfig, SEOConfig, SchemaMetadata, SchemaWithVisibility, ScopeConfig, ScopeProviderFn, SecurityContext, SecurityEntityConfig, SelectOption, ServerRateLimitConfig, ServerRateLimitResult, ServerUserRecord, SetCustomClaimsResponse, SidebarZoneConfig, SlotContent, StatusField, 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, ThemeActions, ThemeInfo, ThemeMode, ThemeState, ThemesPluginConfig, TierAccessHookResult, Timestamp, TokenInfo, TokenResponse, TokenState, TokenStatus, TranslationOptions, TranslationResource, TypedBaseFields, UIFieldOptions, UniqueConstraintValidator, UniqueKeyDefinition, UnsubscribeFn, UpdateEntityData, UpdateEntityRequest, UpdateEntityResponse, UploadOptions, UploadProgressCallback, UploadResult, UseFunctionsCallResult, UseFunctionsMutationOptions, UseFunctionsMutationResult, UseFunctionsQueryOptions, UseFunctionsQueryResult, UseTranslationOptionsEnhanced, UserContext, UserProfile, UserProviderData, UserRole, UserSubscription, ValidationRules, ValueTypeForField, VerifiedToken, Visibility, WebhookEvent, WebhookEventData, WhereClause, WhereOperator, WithMetadata, dndevSchema };