valtech-components 2.0.577 → 2.0.578

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.
@@ -40,6 +40,7 @@ import { provideMessaging, getMessaging, Messaging, getToken, deleteToken, onMes
40
40
  import * as i1$7 from '@angular/fire/storage';
41
41
  import { provideStorage, getStorage, connectStorageEmulator, ref, uploadBytesResumable, getDownloadURL, getMetadata, deleteObject, listAll } from '@angular/fire/storage';
42
42
  import { takeUntilDestroyed, toSignal } from '@angular/core/rxjs-interop';
43
+ import { GoogleAuth } from '@codetrix-studio/capacitor-google-auth';
43
44
  import 'prismjs/components/prism-scss';
44
45
  import 'prismjs/components/prism-json';
45
46
 
@@ -29984,6 +29985,220 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "18.2.14", ngImpo
29984
29985
  `, styles: [".oauth-callback{display:flex;flex-direction:column;align-items:center;justify-content:center;height:100vh;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,sans-serif}.oauth-callback__spinner{width:40px;height:40px;border:3px solid #f3f3f3;border-top:3px solid #3498db;border-radius:50%;animation:spin 1s linear infinite;margin-bottom:16px}@keyframes spin{0%{transform:rotate(0)}to{transform:rotate(360deg)}}.oauth-callback__text{color:#666;font-size:14px}\n"] }]
29985
29986
  }] });
29986
29987
 
29988
+ /**
29989
+ * Servicio de autenticación con Google usando SDK nativo.
29990
+ *
29991
+ * Este servicio utiliza `@codetrix-studio/capacitor-google-auth` que funciona
29992
+ * tanto en web como en aplicaciones Capacitor (iOS/Android).
29993
+ *
29994
+ * Para web, utiliza el popup nativo de Google Sign-In.
29995
+ * Para mobile, utiliza el SDK nativo de Google.
29996
+ *
29997
+ * @example
29998
+ * ```typescript
29999
+ * // En main.ts o app.config.ts
30000
+ * import { provideGoogleAuth } from 'valtech-components';
30001
+ *
30002
+ * export const appConfig: ApplicationConfig = {
30003
+ * providers: [
30004
+ * provideGoogleAuth({
30005
+ * clientId: 'your-google-client-id.apps.googleusercontent.com'
30006
+ * })
30007
+ * ]
30008
+ * };
30009
+ *
30010
+ * // En el componente
30011
+ * import { GoogleAuthService, AuthService } from 'valtech-components';
30012
+ *
30013
+ * @Component({...})
30014
+ * export class LoginComponent {
30015
+ * private googleAuth = inject(GoogleAuthService);
30016
+ * private auth = inject(AuthService);
30017
+ *
30018
+ * async signInWithGoogle() {
30019
+ * this.googleAuth.signIn().subscribe({
30020
+ * next: (result) => {
30021
+ * // Tokens recibidos del backend
30022
+ * this.auth.handleOAuthSuccess(result);
30023
+ * this.router.navigate(['/']);
30024
+ * },
30025
+ * error: (error) => {
30026
+ * console.error('Google sign-in failed:', error);
30027
+ * }
30028
+ * });
30029
+ * }
30030
+ * }
30031
+ * ```
30032
+ */
30033
+ class GoogleAuthService {
30034
+ constructor(config, http) {
30035
+ this.config = config;
30036
+ this.http = http;
30037
+ this.initialized = signal(false);
30038
+ this.googleConfig = null;
30039
+ /** Indica si el servicio está inicializado */
30040
+ this.isInitialized = computed(() => this.initialized());
30041
+ }
30042
+ /**
30043
+ * Inicializa el SDK de Google Sign-In.
30044
+ * Debe llamarse una vez, idealmente en APP_INITIALIZER.
30045
+ *
30046
+ * @param googleConfig - Configuración de Google Auth
30047
+ */
30048
+ async initialize(googleConfig) {
30049
+ if (this.initialized()) {
30050
+ console.log('[GoogleAuth] Already initialized');
30051
+ return;
30052
+ }
30053
+ this.googleConfig = googleConfig;
30054
+ try {
30055
+ await GoogleAuth.initialize({
30056
+ clientId: googleConfig.clientId,
30057
+ scopes: googleConfig.scopes || ['email', 'profile'],
30058
+ grantOfflineAccess: true,
30059
+ });
30060
+ this.initialized.set(true);
30061
+ console.log('[GoogleAuth] Initialized successfully');
30062
+ }
30063
+ catch (error) {
30064
+ console.error('[GoogleAuth] Initialization failed:', error);
30065
+ throw error;
30066
+ }
30067
+ }
30068
+ /**
30069
+ * Inicia el flujo de Google Sign-In y obtiene tokens del backend.
30070
+ *
30071
+ * El flujo es:
30072
+ * 1. Abre popup/SDK nativo de Google
30073
+ * 2. Usuario autoriza
30074
+ * 3. Obtiene ID token de Google
30075
+ * 4. Envía ID token al backend para verificación
30076
+ * 5. Backend verifica con Google y retorna nuestros JWT tokens
30077
+ *
30078
+ * @returns Observable con la respuesta del backend (tokens)
30079
+ */
30080
+ signIn() {
30081
+ if (!this.initialized()) {
30082
+ return throwError(() => ({
30083
+ code: 'NOT_INITIALIZED',
30084
+ message: 'GoogleAuthService no está inicializado. Llama a initialize() primero.',
30085
+ }));
30086
+ }
30087
+ return from(this.performGoogleSignIn()).pipe(tap(googleUser => {
30088
+ console.log('[GoogleAuth] Google sign-in successful:', {
30089
+ email: googleUser.email,
30090
+ hasIdToken: !!googleUser.idToken,
30091
+ idTokenLength: googleUser.idToken?.length || 0,
30092
+ });
30093
+ }), switchMap(googleUser => this.verifyWithBackend(googleUser)), catchError(error => {
30094
+ console.error('[GoogleAuth] Sign-in error:', error);
30095
+ // Handle Google SDK specific errors
30096
+ if (error?.message?.includes('popup_closed') || error?.code === 'popup_closed_by_user') {
30097
+ return throwError(() => ({
30098
+ code: 'POPUP_CLOSED',
30099
+ message: 'Se cerró la ventana de autenticación de Google',
30100
+ }));
30101
+ }
30102
+ if (error?.message?.includes('access_denied') || error?.code === 'access_denied') {
30103
+ return throwError(() => ({
30104
+ code: 'ACCESS_DENIED',
30105
+ message: 'El usuario denegó el acceso a Google',
30106
+ }));
30107
+ }
30108
+ // Backend errors pass through
30109
+ if (error.code && error.message) {
30110
+ return throwError(() => error);
30111
+ }
30112
+ return throwError(() => ({
30113
+ code: 'GOOGLE_AUTH_ERROR',
30114
+ message: error?.message || 'Error al iniciar sesión con Google',
30115
+ }));
30116
+ }));
30117
+ }
30118
+ /**
30119
+ * Cierra la sesión de Google.
30120
+ * Nota: Esto solo cierra la sesión del SDK de Google,
30121
+ * NO cierra la sesión del backend. Usa AuthService.logout() para eso.
30122
+ */
30123
+ async signOut() {
30124
+ try {
30125
+ await GoogleAuth.signOut();
30126
+ console.log('[GoogleAuth] Signed out from Google');
30127
+ }
30128
+ catch (error) {
30129
+ console.warn('[GoogleAuth] Sign out error:', error);
30130
+ }
30131
+ }
30132
+ /**
30133
+ * Obtiene el token de autenticación refrescado (si existe sesión).
30134
+ * Nota: GoogleAuth.refresh() solo retorna tokens, no info del usuario.
30135
+ */
30136
+ async refreshToken() {
30137
+ try {
30138
+ const auth = await GoogleAuth.refresh();
30139
+ if (auth?.idToken) {
30140
+ return {
30141
+ idToken: auth.idToken,
30142
+ accessToken: auth.accessToken,
30143
+ };
30144
+ }
30145
+ return null;
30146
+ }
30147
+ catch {
30148
+ return null;
30149
+ }
30150
+ }
30151
+ /**
30152
+ * Realiza el sign-in con Google usando el SDK nativo.
30153
+ */
30154
+ async performGoogleSignIn() {
30155
+ const user = await GoogleAuth.signIn();
30156
+ if (!user?.authentication?.idToken) {
30157
+ throw new Error('No se obtuvo ID token de Google');
30158
+ }
30159
+ return {
30160
+ id: user.id || '',
30161
+ email: user.email || '',
30162
+ name: user.name || '',
30163
+ imageUrl: user.imageUrl,
30164
+ idToken: user.authentication.idToken,
30165
+ accessToken: user.authentication.accessToken,
30166
+ };
30167
+ }
30168
+ /**
30169
+ * Verifica el ID token de Google con nuestro backend.
30170
+ */
30171
+ verifyWithBackend(googleUser) {
30172
+ const request = {
30173
+ idToken: googleUser.idToken,
30174
+ };
30175
+ const url = `${this.config.apiUrl}/v2/auth/oauth/google/verify`;
30176
+ return this.http.post(url, request).pipe(tap(response => {
30177
+ console.log('[GoogleAuth] Backend verification successful:', {
30178
+ hasAccessToken: !!response.accessToken,
30179
+ hasFirebaseToken: !!response.firebaseToken,
30180
+ isNewUser: response.isNewUser,
30181
+ });
30182
+ }), catchError(error => {
30183
+ console.error('[GoogleAuth] Backend verification failed:', error);
30184
+ const authError = {
30185
+ code: error.error?.code || 'VERIFICATION_ERROR',
30186
+ message: error.error?.message || 'Error al verificar credenciales de Google',
30187
+ };
30188
+ return throwError(() => authError);
30189
+ }));
30190
+ }
30191
+ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "18.2.14", ngImport: i0, type: GoogleAuthService, deps: [{ token: VALTECH_AUTH_CONFIG }, { token: i1$8.HttpClient }], target: i0.ɵɵFactoryTarget.Injectable }); }
30192
+ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "18.2.14", ngImport: i0, type: GoogleAuthService, providedIn: 'root' }); }
30193
+ }
30194
+ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "18.2.14", ngImport: i0, type: GoogleAuthService, decorators: [{
30195
+ type: Injectable,
30196
+ args: [{ providedIn: 'root' }]
30197
+ }], ctorParameters: () => [{ type: undefined, decorators: [{
30198
+ type: Inject,
30199
+ args: [VALTECH_AUTH_CONFIG]
30200
+ }] }, { type: i1$8.HttpClient }] });
30201
+
29987
30202
  /**
29988
30203
  * Valtech Auth Service
29989
30204
  *
@@ -36221,5 +36436,5 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "18.2.14", ngImpo
36221
36436
  * Generated bundle index. Do not edit.
36222
36437
  */
36223
36438
 
36224
- export { AD_SIZE_MAP, API_TABLE_COLUMN_LABELS, ARTICLE_SPACING, AccordionComponent, ActionHeaderComponent, ActionType, AdSlotComponent, AdsLoaderService, AdsService, AlertBoxComponent, AnalyticsErrorHandler, AnalyticsRouterTracker, AnalyticsService, ArticleBuilder, ArticleComponent, AuthService, AuthStateService, AuthStorageService, AuthSyncService, AvatarComponent, BannerComponent, BaseDefault, BoxComponent, BreadcrumbComponent, ButtonComponent, ButtonGroupComponent, COMMON_COUNTRY_CODES, COMMON_CURRENCIES, CURRENCY_INFO, CardComponent, CardSection, CardType, CardsCarouselComponent, CheckInputComponent, ChipGroupComponent, ClearDefault, ClearDefaultBlock, ClearDefaultFull, ClearDefaultRound, ClearDefaultRoundBlock, ClearDefaultRoundFull, CodeDisplayComponent, CommandDisplayComponent, CommentComponent, CommentInputComponent, CommentSectionComponent, CompanyFooterComponent, ComponentStates, ConfirmationDialogService, ContentLoaderComponent, CountdownComponent, CurrencyInputComponent, DEFAULT_ADS_CONFIG, DEFAULT_AUTH_CONFIG, DEFAULT_CANCEL_BUTTON, DEFAULT_CONFIRM_BUTTON, DEFAULT_COUNTDOWN_LABELS, DEFAULT_COUNTDOWN_LABELS_EN, DEFAULT_EMPTY_STATE, DEFAULT_INFINITE_LIST_METADATA, DEFAULT_LEGEND_LABELS, DEFAULT_MODAL_CANCEL_BUTTON, DEFAULT_MODAL_CONFIRM_BUTTON, DEFAULT_PAGE_SIZE_OPTIONS, DEFAULT_PAYMENT_STATUS_COLORS, DEFAULT_PAYMENT_STATUS_LABELS, DEFAULT_PLATFORMS, DEFAULT_REFRESHER_METADATA, DEFAULT_SKELETON_CONFIG, DEFAULT_STATUS_COLORS, DEFAULT_STATUS_LABELS, DEFAULT_WINNER_LABELS, DataTableComponent, DateInputComponent, DateRangeInputComponent, DetailSkeletonComponent, DeviceService, DisplayComponent, DividerComponent, DocsApiTableComponent, DocsBreadcrumbComponent, DocsCalloutComponent, DocsCodeExampleComponent, DocsLayoutComponent, DocsNavLinksComponent, DocsNavigationService, DocsSearchComponent, DocsSidebarComponent, DocsTocComponent, DownloadService, EmailInputComponent, ExpandableTextComponent, FabComponent, FileInputComponent, FirebaseService, FirestoreCollectionFactory, FirestoreService, FooterComponent, FooterLinksComponent, FormComponent, FormFooterComponent, FormSkeletonComponent, FunHeaderComponent, GlowCardComponent, GridSkeletonComponent, HeaderComponent, HintComponent, HorizontalScrollComponent, HourInputComponent, HrefComponent, I18nService, INITIAL_AUTH_STATE, INITIAL_MFA_STATE, Icon, IconComponent, IconService, ImageComponent, InAppBrowserService, InfiniteListComponent, InfoComponent, InputI18nHelper, InputType, ItemListComponent, LANG_STORAGE_KEY$1 as LANG_STORAGE_KEY, LOGIN_DEFAULTS, LanguageSelectorComponent, LayeredCardComponent, LayoutComponent, LinkComponent, LinkProcessorService, LinksAccordionComponent, LinksCakeComponent, ListSkeletonComponent, LoadingDirective, LocalStorageService, LocaleService, LoginComponent, MODAL_SIZES, MOTION, MenuComponent, MessagingService, ModalService, MultiSelectSearchComponent, NavigationService, NoContentComponent, NotesBoxComponent, NotificationsService, NumberFromToComponent, NumberInputComponent, NumberStepperComponent, OAuthCallbackComponent, OAuthService, OutlineDefault, OutlineDefaultBlock, OutlineDefaultFull, OutlineDefaultRound, OutlineDefaultRoundBlock, OutlineDefaultRoundFull, PLATFORM_CONFIGS, PageContentComponent, PageTemplateComponent, PageWrapperComponent, PaginationComponent, PaginationService, ParticipantCardComponent, PasswordInputComponent, PhoneInputComponent, PillComponent, PinInputComponent, PlainCodeBoxComponent, PopoverSelectorComponent, PresetService, PriceTagComponent, PrimarySolidBlockButton, PrimarySolidBlockHrefButton, PrimarySolidBlockIconButton, PrimarySolidBlockIconHrefButton, PrimarySolidDefaultRoundButton, PrimarySolidDefaultRoundHrefButton, PrimarySolidDefaultRoundIconButton, PrimarySolidDefaultRoundIconHrefButton, PrimarySolidFullButton, PrimarySolidFullHrefButton, PrimarySolidFullIconButton, PrimarySolidFullIconHrefButton, PrimarySolidLargeRoundButton, PrimarySolidLargeRoundHrefButton, PrimarySolidLargeRoundIconButton, PrimarySolidLargeRoundIconHrefButton, PrimarySolidSmallRoundButton, PrimarySolidSmallRoundHrefButton, PrimarySolidSmallRoundIconButton, PrimarySolidSmallRoundIconHrefButton, ProcessLinksPipe, ProfileSkeletonComponent, ProgressBarComponent, ProgressRingComponent, ProgressStatusComponent, PrompterComponent, QR_PRESETS, QrCodeComponent, QrGeneratorService, QueryBuilder, QuoteBoxComponent, RadioInputComponent, RaffleStatusCardComponent, RangeInputComponent, RatingComponent, RecapCardComponent, RefresherComponent, RightsFooterComponent, SKELETON_PRESETS, SearchSelectorComponent, SearchbarComponent, SecondarySolidBlockButton, SecondarySolidBlockHrefButton, SecondarySolidBlockIconButton, SecondarySolidBlockIconHrefButton, SecondarySolidDefaultRoundButton, SecondarySolidDefaultRoundHrefButton, SecondarySolidDefaultRoundIconButton, SecondarySolidDefaultRoundIconHrefButton, SecondarySolidFullButton, SecondarySolidFullHrefButton, SecondarySolidFullIconButton, SecondarySolidFullIconHrefButton, SecondarySolidLargeRoundButton, SecondarySolidLargeRoundHrefButton, SecondarySolidLargeRoundIconButton, SecondarySolidLargeRoundIconHrefButton, SecondarySolidSmallRoundButton, SecondarySolidSmallRoundHrefButton, SecondarySolidSmallRoundIconButton, SecondarySolidSmallRoundIconHrefButton, SegmentControlComponent, SelectSearchComponent, SessionService, ShareButtonsComponent, SimpleComponent, SkeletonComponent, SkeletonService, SolidBlockButton, SolidDefault, SolidDefaultBlock, SolidDefaultButton, SolidDefaultFull, SolidDefaultRound, SolidDefaultRoundBlock, SolidDefaultRoundButton, SolidDefaultRoundFull, SolidFullButton, SolidLargeButton, SolidLargeRoundButton, SolidSmallButton, SolidSmallRoundButton, StatsCardComponent, StepperComponent, StorageService, SwipeCarouselComponent, TabbedContentComponent, TableSkeletonComponent, TabsComponent, TestimonialCardComponent, TestimonialCarouselComponent, TextComponent, TextInputComponent, TextareaInputComponent, ThemeOption, ThemeService, TicketGridComponent, TimelineComponent, TitleBlockComponent, TitleComponent, ToastService, ToggleInputComponent, TokenService, ToolbarActionType, ToolbarComponent, TranslatePipe, TypedCollection, VALTECH_ADS_CONFIG, VALTECH_AUTH_CONFIG, VALTECH_DEFAULT_CONTENT, VALTECH_FIREBASE_CONFIG, WinnerDisplayComponent, WizardComponent, WizardFooterComponent, applyDefaultValueToControl, authGuard, authInterceptor, buildPath, collections, createFirebaseConfig, createGlowCardProps, createInitialPaginationState, createNumberFromToField, createTitleProps, extractPathParams, getCollectionPath, getDocumentId, goToTop, guestGuard, hasEmulators, isAtEnd, isCollectionPath, isDocumentPath, isEmulatorMode, isValidPath, joinPath, maxLength, permissionGuard, permissionGuardFromRoute, provideValtechAds, provideValtechAuth, provideValtechAuthInterceptor, provideValtechFirebase, provideValtechI18n, provideValtechPresets, provideValtechSkeleton, query, replaceSpecialChars, resolveColor, resolveInputDefaultValue, roleGuard, storagePaths, superAdminGuard };
36439
+ export { AD_SIZE_MAP, API_TABLE_COLUMN_LABELS, ARTICLE_SPACING, AccordionComponent, ActionHeaderComponent, ActionType, AdSlotComponent, AdsLoaderService, AdsService, AlertBoxComponent, AnalyticsErrorHandler, AnalyticsRouterTracker, AnalyticsService, ArticleBuilder, ArticleComponent, AuthService, AuthStateService, AuthStorageService, AuthSyncService, AvatarComponent, BannerComponent, BaseDefault, BoxComponent, BreadcrumbComponent, ButtonComponent, ButtonGroupComponent, COMMON_COUNTRY_CODES, COMMON_CURRENCIES, CURRENCY_INFO, CardComponent, CardSection, CardType, CardsCarouselComponent, CheckInputComponent, ChipGroupComponent, ClearDefault, ClearDefaultBlock, ClearDefaultFull, ClearDefaultRound, ClearDefaultRoundBlock, ClearDefaultRoundFull, CodeDisplayComponent, CommandDisplayComponent, CommentComponent, CommentInputComponent, CommentSectionComponent, CompanyFooterComponent, ComponentStates, ConfirmationDialogService, ContentLoaderComponent, CountdownComponent, CurrencyInputComponent, DEFAULT_ADS_CONFIG, DEFAULT_AUTH_CONFIG, DEFAULT_CANCEL_BUTTON, DEFAULT_CONFIRM_BUTTON, DEFAULT_COUNTDOWN_LABELS, DEFAULT_COUNTDOWN_LABELS_EN, DEFAULT_EMPTY_STATE, DEFAULT_INFINITE_LIST_METADATA, DEFAULT_LEGEND_LABELS, DEFAULT_MODAL_CANCEL_BUTTON, DEFAULT_MODAL_CONFIRM_BUTTON, DEFAULT_PAGE_SIZE_OPTIONS, DEFAULT_PAYMENT_STATUS_COLORS, DEFAULT_PAYMENT_STATUS_LABELS, DEFAULT_PLATFORMS, DEFAULT_REFRESHER_METADATA, DEFAULT_SKELETON_CONFIG, DEFAULT_STATUS_COLORS, DEFAULT_STATUS_LABELS, DEFAULT_WINNER_LABELS, DataTableComponent, DateInputComponent, DateRangeInputComponent, DetailSkeletonComponent, DeviceService, DisplayComponent, DividerComponent, DocsApiTableComponent, DocsBreadcrumbComponent, DocsCalloutComponent, DocsCodeExampleComponent, DocsLayoutComponent, DocsNavLinksComponent, DocsNavigationService, DocsSearchComponent, DocsSidebarComponent, DocsTocComponent, DownloadService, EmailInputComponent, ExpandableTextComponent, FabComponent, FileInputComponent, FirebaseService, FirestoreCollectionFactory, FirestoreService, FooterComponent, FooterLinksComponent, FormComponent, FormFooterComponent, FormSkeletonComponent, FunHeaderComponent, GlowCardComponent, GoogleAuthService, GridSkeletonComponent, HeaderComponent, HintComponent, HorizontalScrollComponent, HourInputComponent, HrefComponent, I18nService, INITIAL_AUTH_STATE, INITIAL_MFA_STATE, Icon, IconComponent, IconService, ImageComponent, InAppBrowserService, InfiniteListComponent, InfoComponent, InputI18nHelper, InputType, ItemListComponent, LANG_STORAGE_KEY$1 as LANG_STORAGE_KEY, LOGIN_DEFAULTS, LanguageSelectorComponent, LayeredCardComponent, LayoutComponent, LinkComponent, LinkProcessorService, LinksAccordionComponent, LinksCakeComponent, ListSkeletonComponent, LoadingDirective, LocalStorageService, LocaleService, LoginComponent, MODAL_SIZES, MOTION, MenuComponent, MessagingService, ModalService, MultiSelectSearchComponent, NavigationService, NoContentComponent, NotesBoxComponent, NotificationsService, NumberFromToComponent, NumberInputComponent, NumberStepperComponent, OAuthCallbackComponent, OAuthService, OutlineDefault, OutlineDefaultBlock, OutlineDefaultFull, OutlineDefaultRound, OutlineDefaultRoundBlock, OutlineDefaultRoundFull, PLATFORM_CONFIGS, PageContentComponent, PageTemplateComponent, PageWrapperComponent, PaginationComponent, PaginationService, ParticipantCardComponent, PasswordInputComponent, PhoneInputComponent, PillComponent, PinInputComponent, PlainCodeBoxComponent, PopoverSelectorComponent, PresetService, PriceTagComponent, PrimarySolidBlockButton, PrimarySolidBlockHrefButton, PrimarySolidBlockIconButton, PrimarySolidBlockIconHrefButton, PrimarySolidDefaultRoundButton, PrimarySolidDefaultRoundHrefButton, PrimarySolidDefaultRoundIconButton, PrimarySolidDefaultRoundIconHrefButton, PrimarySolidFullButton, PrimarySolidFullHrefButton, PrimarySolidFullIconButton, PrimarySolidFullIconHrefButton, PrimarySolidLargeRoundButton, PrimarySolidLargeRoundHrefButton, PrimarySolidLargeRoundIconButton, PrimarySolidLargeRoundIconHrefButton, PrimarySolidSmallRoundButton, PrimarySolidSmallRoundHrefButton, PrimarySolidSmallRoundIconButton, PrimarySolidSmallRoundIconHrefButton, ProcessLinksPipe, ProfileSkeletonComponent, ProgressBarComponent, ProgressRingComponent, ProgressStatusComponent, PrompterComponent, QR_PRESETS, QrCodeComponent, QrGeneratorService, QueryBuilder, QuoteBoxComponent, RadioInputComponent, RaffleStatusCardComponent, RangeInputComponent, RatingComponent, RecapCardComponent, RefresherComponent, RightsFooterComponent, SKELETON_PRESETS, SearchSelectorComponent, SearchbarComponent, SecondarySolidBlockButton, SecondarySolidBlockHrefButton, SecondarySolidBlockIconButton, SecondarySolidBlockIconHrefButton, SecondarySolidDefaultRoundButton, SecondarySolidDefaultRoundHrefButton, SecondarySolidDefaultRoundIconButton, SecondarySolidDefaultRoundIconHrefButton, SecondarySolidFullButton, SecondarySolidFullHrefButton, SecondarySolidFullIconButton, SecondarySolidFullIconHrefButton, SecondarySolidLargeRoundButton, SecondarySolidLargeRoundHrefButton, SecondarySolidLargeRoundIconButton, SecondarySolidLargeRoundIconHrefButton, SecondarySolidSmallRoundButton, SecondarySolidSmallRoundHrefButton, SecondarySolidSmallRoundIconButton, SecondarySolidSmallRoundIconHrefButton, SegmentControlComponent, SelectSearchComponent, SessionService, ShareButtonsComponent, SimpleComponent, SkeletonComponent, SkeletonService, SolidBlockButton, SolidDefault, SolidDefaultBlock, SolidDefaultButton, SolidDefaultFull, SolidDefaultRound, SolidDefaultRoundBlock, SolidDefaultRoundButton, SolidDefaultRoundFull, SolidFullButton, SolidLargeButton, SolidLargeRoundButton, SolidSmallButton, SolidSmallRoundButton, StatsCardComponent, StepperComponent, StorageService, SwipeCarouselComponent, TabbedContentComponent, TableSkeletonComponent, TabsComponent, TestimonialCardComponent, TestimonialCarouselComponent, TextComponent, TextInputComponent, TextareaInputComponent, ThemeOption, ThemeService, TicketGridComponent, TimelineComponent, TitleBlockComponent, TitleComponent, ToastService, ToggleInputComponent, TokenService, ToolbarActionType, ToolbarComponent, TranslatePipe, TypedCollection, VALTECH_ADS_CONFIG, VALTECH_AUTH_CONFIG, VALTECH_DEFAULT_CONTENT, VALTECH_FIREBASE_CONFIG, WinnerDisplayComponent, WizardComponent, WizardFooterComponent, applyDefaultValueToControl, authGuard, authInterceptor, buildPath, collections, createFirebaseConfig, createGlowCardProps, createInitialPaginationState, createNumberFromToField, createTitleProps, extractPathParams, getCollectionPath, getDocumentId, goToTop, guestGuard, hasEmulators, isAtEnd, isCollectionPath, isDocumentPath, isEmulatorMode, isValidPath, joinPath, maxLength, permissionGuard, permissionGuardFromRoute, provideValtechAds, provideValtechAuth, provideValtechAuthInterceptor, provideValtechFirebase, provideValtechI18n, provideValtechPresets, provideValtechSkeleton, query, replaceSpecialChars, resolveColor, resolveInputDefaultValue, roleGuard, storagePaths, superAdminGuard };
36225
36440
  //# sourceMappingURL=valtech-components.mjs.map