valtech-components 2.0.613 → 2.0.615
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/esm2022/lib/components/molecules/features-list/features-list.component.mjs +185 -0
- package/esm2022/lib/components/molecules/features-list/types.mjs +11 -0
- package/esm2022/lib/config/company-footer.config.mjs +106 -0
- package/esm2022/lib/config/index.mjs +5 -0
- package/esm2022/public-api.mjs +6 -1
- package/fesm2022/valtech-components.mjs +301 -1
- package/fesm2022/valtech-components.mjs.map +1 -1
- package/lib/components/atoms/rights-footer/rights-footer.component.d.ts +1 -1
- package/lib/components/molecules/features-list/features-list.component.d.ts +66 -0
- package/lib/components/molecules/features-list/types.d.ts +36 -0
- package/lib/components/organisms/article/article.component.d.ts +1 -1
- package/lib/config/company-footer.config.d.ts +97 -0
- package/lib/config/index.d.ts +4 -0
- package/package.json +1 -1
- package/public-api.d.ts +3 -0
|
@@ -16925,6 +16925,196 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "18.2.14", ngImpo
|
|
|
16925
16925
|
type: Input
|
|
16926
16926
|
}] } });
|
|
16927
16927
|
|
|
16928
|
+
/**
|
|
16929
|
+
* Default values for FeaturesListMetadata
|
|
16930
|
+
*/
|
|
16931
|
+
const FEATURES_LIST_DEFAULTS = {
|
|
16932
|
+
iconColor: 'primary',
|
|
16933
|
+
iconSize: 32,
|
|
16934
|
+
mode: 'vertical',
|
|
16935
|
+
gap: 'medium',
|
|
16936
|
+
alignment: 'start',
|
|
16937
|
+
};
|
|
16938
|
+
|
|
16939
|
+
/**
|
|
16940
|
+
* val-features-list
|
|
16941
|
+
*
|
|
16942
|
+
* A component to display a list of features with icons, titles, and descriptions.
|
|
16943
|
+
* Supports i18n for all text content.
|
|
16944
|
+
*
|
|
16945
|
+
* @example
|
|
16946
|
+
* ```html
|
|
16947
|
+
* <val-features-list
|
|
16948
|
+
* [props]="{
|
|
16949
|
+
* features: [
|
|
16950
|
+
* { icon: 'flash-outline', titleKey: 'feature1Title', descriptionKey: 'feature1Desc' },
|
|
16951
|
+
* { icon: 'color-palette-outline', titleKey: 'feature2Title', descriptionKey: 'feature2Desc' }
|
|
16952
|
+
* ],
|
|
16953
|
+
* i18nNamespace: 'Features',
|
|
16954
|
+
* iconColor: 'primary',
|
|
16955
|
+
* mode: 'vertical'
|
|
16956
|
+
* }"
|
|
16957
|
+
* />
|
|
16958
|
+
* ```
|
|
16959
|
+
*
|
|
16960
|
+
* @example With custom SVG icons
|
|
16961
|
+
* ```html
|
|
16962
|
+
* <val-features-list
|
|
16963
|
+
* [props]="{
|
|
16964
|
+
* features: [
|
|
16965
|
+
* {
|
|
16966
|
+
* icon: 'custom',
|
|
16967
|
+
* svgPath: 'M13 2L3 14h9l-1 8 10-12h-9l1-8z',
|
|
16968
|
+
* titleKey: 'Fast & Secure',
|
|
16969
|
+
* descriptionKey: 'Modern authentication with OAuth and MFA'
|
|
16970
|
+
* }
|
|
16971
|
+
* ]
|
|
16972
|
+
* }"
|
|
16973
|
+
* />
|
|
16974
|
+
* ```
|
|
16975
|
+
*/
|
|
16976
|
+
class FeaturesListComponent {
|
|
16977
|
+
constructor() {
|
|
16978
|
+
this.i18n = inject(I18nService);
|
|
16979
|
+
/** Component configuration */
|
|
16980
|
+
this.props = input.required();
|
|
16981
|
+
/** Merged configuration with defaults */
|
|
16982
|
+
this.config = computed(() => ({
|
|
16983
|
+
...FEATURES_LIST_DEFAULTS,
|
|
16984
|
+
...this.props(),
|
|
16985
|
+
}));
|
|
16986
|
+
/** Resolved icon color (handles Ionic colors and CSS colors) */
|
|
16987
|
+
this.iconColorStyle = computed(() => {
|
|
16988
|
+
const color = this.config().iconColor;
|
|
16989
|
+
// Check if it's an Ionic color variable
|
|
16990
|
+
if (color && !color.startsWith('#') && !color.startsWith('rgb')) {
|
|
16991
|
+
return `var(--ion-color-${color})`;
|
|
16992
|
+
}
|
|
16993
|
+
return color;
|
|
16994
|
+
});
|
|
16995
|
+
}
|
|
16996
|
+
/**
|
|
16997
|
+
* Get translated title or return direct text
|
|
16998
|
+
*/
|
|
16999
|
+
getTitle(feature) {
|
|
17000
|
+
const namespace = this.props().i18nNamespace;
|
|
17001
|
+
if (namespace) {
|
|
17002
|
+
// Track language changes
|
|
17003
|
+
this.i18n.lang();
|
|
17004
|
+
return this.i18n.t(feature.titleKey, namespace);
|
|
17005
|
+
}
|
|
17006
|
+
return feature.titleKey;
|
|
17007
|
+
}
|
|
17008
|
+
/**
|
|
17009
|
+
* Get translated description or return direct text
|
|
17010
|
+
*/
|
|
17011
|
+
getDescription(feature) {
|
|
17012
|
+
const namespace = this.props().i18nNamespace;
|
|
17013
|
+
if (namespace) {
|
|
17014
|
+
// Track language changes
|
|
17015
|
+
this.i18n.lang();
|
|
17016
|
+
return this.i18n.t(feature.descriptionKey, namespace);
|
|
17017
|
+
}
|
|
17018
|
+
return feature.descriptionKey;
|
|
17019
|
+
}
|
|
17020
|
+
static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "18.2.14", ngImport: i0, type: FeaturesListComponent, deps: [], target: i0.ɵɵFactoryTarget.Component }); }
|
|
17021
|
+
static { this.ɵcmp = i0.ɵɵngDeclareComponent({ minVersion: "17.0.0", version: "18.2.14", type: FeaturesListComponent, isStandalone: true, selector: "val-features-list", inputs: { props: { classPropertyName: "props", publicName: "props", isSignal: true, isRequired: true, transformFunction: null } }, ngImport: i0, template: `
|
|
17022
|
+
<div
|
|
17023
|
+
class="features-list"
|
|
17024
|
+
[class.features-list--vertical]="config().mode === 'vertical'"
|
|
17025
|
+
[class.features-list--horizontal]="config().mode === 'horizontal'"
|
|
17026
|
+
[class.features-list--gap-small]="config().gap === 'small'"
|
|
17027
|
+
[class.features-list--gap-medium]="config().gap === 'medium'"
|
|
17028
|
+
[class.features-list--gap-large]="config().gap === 'large'"
|
|
17029
|
+
[class.features-list--center]="config().alignment === 'center'"
|
|
17030
|
+
>
|
|
17031
|
+
@for (feature of props().features; track feature.titleKey) {
|
|
17032
|
+
<div class="feature">
|
|
17033
|
+
<div
|
|
17034
|
+
class="feature__icon"
|
|
17035
|
+
[style.color]="iconColorStyle()"
|
|
17036
|
+
[style.width.px]="config().iconSize"
|
|
17037
|
+
[style.height.px]="config().iconSize"
|
|
17038
|
+
>
|
|
17039
|
+
@if (feature.icon === 'custom' && feature.svgPath) {
|
|
17040
|
+
<svg
|
|
17041
|
+
[attr.width]="config().iconSize"
|
|
17042
|
+
[attr.height]="config().iconSize"
|
|
17043
|
+
viewBox="0 0 24 24"
|
|
17044
|
+
fill="none"
|
|
17045
|
+
stroke="currentColor"
|
|
17046
|
+
stroke-width="2"
|
|
17047
|
+
stroke-linecap="round"
|
|
17048
|
+
stroke-linejoin="round"
|
|
17049
|
+
>
|
|
17050
|
+
<path [attr.d]="feature.svgPath" />
|
|
17051
|
+
</svg>
|
|
17052
|
+
} @else {
|
|
17053
|
+
<ion-icon
|
|
17054
|
+
[name]="feature.icon"
|
|
17055
|
+
[style.font-size.px]="config().iconSize"
|
|
17056
|
+
></ion-icon>
|
|
17057
|
+
}
|
|
17058
|
+
</div>
|
|
17059
|
+
<div class="feature__content">
|
|
17060
|
+
<strong class="feature__title">{{ getTitle(feature) }}</strong>
|
|
17061
|
+
<p class="feature__description">{{ getDescription(feature) }}</p>
|
|
17062
|
+
</div>
|
|
17063
|
+
</div>
|
|
17064
|
+
}
|
|
17065
|
+
</div>
|
|
17066
|
+
`, isInline: true, styles: [".features-list{display:flex;&--vertical{flex-direction:column}&--horizontal{flex-direction:row;flex-wrap:wrap}&--gap-small{gap:1rem}&--gap-medium{gap:1.5rem}&--gap-large{gap:2rem}&--center{align-items:center;text-align:center;.feature{flex-direction:column;align-items:center}.feature__content{text-align:center}}}.feature{display:flex;align-items:flex-start;gap:1rem}.feature__icon{flex-shrink:0;display:flex;align-items:center;justify-content:center}.feature__content{flex:1}.feature__title{display:block;font-size:1.1rem;font-weight:600;color:var(--ion-text-color);margin-bottom:.25rem}.feature__description{margin:0;font-size:.95rem;color:var(--ion-color-medium);line-height:1.5}\n"], dependencies: [{ kind: "ngmodule", type: CommonModule }, { kind: "component", type: IonIcon, selector: "ion-icon", inputs: ["color", "flipRtl", "icon", "ios", "lazy", "md", "mode", "name", "sanitize", "size", "src"] }] }); }
|
|
17067
|
+
}
|
|
17068
|
+
i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "18.2.14", ngImport: i0, type: FeaturesListComponent, decorators: [{
|
|
17069
|
+
type: Component,
|
|
17070
|
+
args: [{ selector: 'val-features-list', standalone: true, imports: [CommonModule, IonIcon], template: `
|
|
17071
|
+
<div
|
|
17072
|
+
class="features-list"
|
|
17073
|
+
[class.features-list--vertical]="config().mode === 'vertical'"
|
|
17074
|
+
[class.features-list--horizontal]="config().mode === 'horizontal'"
|
|
17075
|
+
[class.features-list--gap-small]="config().gap === 'small'"
|
|
17076
|
+
[class.features-list--gap-medium]="config().gap === 'medium'"
|
|
17077
|
+
[class.features-list--gap-large]="config().gap === 'large'"
|
|
17078
|
+
[class.features-list--center]="config().alignment === 'center'"
|
|
17079
|
+
>
|
|
17080
|
+
@for (feature of props().features; track feature.titleKey) {
|
|
17081
|
+
<div class="feature">
|
|
17082
|
+
<div
|
|
17083
|
+
class="feature__icon"
|
|
17084
|
+
[style.color]="iconColorStyle()"
|
|
17085
|
+
[style.width.px]="config().iconSize"
|
|
17086
|
+
[style.height.px]="config().iconSize"
|
|
17087
|
+
>
|
|
17088
|
+
@if (feature.icon === 'custom' && feature.svgPath) {
|
|
17089
|
+
<svg
|
|
17090
|
+
[attr.width]="config().iconSize"
|
|
17091
|
+
[attr.height]="config().iconSize"
|
|
17092
|
+
viewBox="0 0 24 24"
|
|
17093
|
+
fill="none"
|
|
17094
|
+
stroke="currentColor"
|
|
17095
|
+
stroke-width="2"
|
|
17096
|
+
stroke-linecap="round"
|
|
17097
|
+
stroke-linejoin="round"
|
|
17098
|
+
>
|
|
17099
|
+
<path [attr.d]="feature.svgPath" />
|
|
17100
|
+
</svg>
|
|
17101
|
+
} @else {
|
|
17102
|
+
<ion-icon
|
|
17103
|
+
[name]="feature.icon"
|
|
17104
|
+
[style.font-size.px]="config().iconSize"
|
|
17105
|
+
></ion-icon>
|
|
17106
|
+
}
|
|
17107
|
+
</div>
|
|
17108
|
+
<div class="feature__content">
|
|
17109
|
+
<strong class="feature__title">{{ getTitle(feature) }}</strong>
|
|
17110
|
+
<p class="feature__description">{{ getDescription(feature) }}</p>
|
|
17111
|
+
</div>
|
|
17112
|
+
</div>
|
|
17113
|
+
}
|
|
17114
|
+
</div>
|
|
17115
|
+
`, styles: [".features-list{display:flex;&--vertical{flex-direction:column}&--horizontal{flex-direction:row;flex-wrap:wrap}&--gap-small{gap:1rem}&--gap-medium{gap:1.5rem}&--gap-large{gap:2rem}&--center{align-items:center;text-align:center;.feature{flex-direction:column;align-items:center}.feature__content{text-align:center}}}.feature{display:flex;align-items:flex-start;gap:1rem}.feature__icon{flex-shrink:0;display:flex;align-items:center;justify-content:center}.feature__content{flex:1}.feature__title{display:block;font-size:1.1rem;font-weight:600;color:var(--ion-text-color);margin-bottom:.25rem}.feature__description{margin:0;font-size:.95rem;color:var(--ion-color-medium);line-height:1.5}\n"] }]
|
|
17116
|
+
}] });
|
|
17117
|
+
|
|
16928
17118
|
/**
|
|
16929
17119
|
* val-footer-links
|
|
16930
17120
|
*
|
|
@@ -38351,6 +38541,116 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "18.2.14", ngImpo
|
|
|
38351
38541
|
type: Output
|
|
38352
38542
|
}] } });
|
|
38353
38543
|
|
|
38544
|
+
/**
|
|
38545
|
+
* Shared Company Footer Configuration
|
|
38546
|
+
*
|
|
38547
|
+
* This configuration is shared across all Valtech products:
|
|
38548
|
+
* - ui-docs
|
|
38549
|
+
* - showcase
|
|
38550
|
+
* - myvaltech (company website)
|
|
38551
|
+
*
|
|
38552
|
+
* When links or social profiles change, update here and publish a new version.
|
|
38553
|
+
*/
|
|
38554
|
+
/**
|
|
38555
|
+
* Social media links for Valtech
|
|
38556
|
+
*/
|
|
38557
|
+
const VALTECH_SOCIAL_LINKS = [
|
|
38558
|
+
{ icon: 'logo-facebook', url: 'https://m.facebook.com/profile.php?id=61557610734470', name: 'Facebook' },
|
|
38559
|
+
{ icon: 'logo-instagram', url: 'https://www.instagram.com/valtechltda/', name: 'Instagram' },
|
|
38560
|
+
{ icon: 'logo-linkedin', url: 'https://www.linkedin.com/company/valtechltda/', name: 'LinkedIn' },
|
|
38561
|
+
{ icon: 'logo-twitter', url: 'https://twitter.com/valtechltda', name: 'Twitter' },
|
|
38562
|
+
{ icon: 'logo-youtube', url: 'https://www.youtube.com/channel/UCuF4FGdTiUXxANx1HS4Wi5Q', name: 'YouTube' },
|
|
38563
|
+
{ icon: 'logo-tiktok', url: 'https://www.tiktok.com/@valtechltda', name: 'TikTok' },
|
|
38564
|
+
];
|
|
38565
|
+
/**
|
|
38566
|
+
* Footer logo configuration
|
|
38567
|
+
* Uses CSS variables for theme-aware logo switching
|
|
38568
|
+
*/
|
|
38569
|
+
const VALTECH_FOOTER_LOGO = {
|
|
38570
|
+
logo: 'assets/images/main-light.svg',
|
|
38571
|
+
logoDark: 'assets/images/main-dark.svg',
|
|
38572
|
+
logoAlt: 'Valtech Logo',
|
|
38573
|
+
logoRoute: '/',
|
|
38574
|
+
};
|
|
38575
|
+
/**
|
|
38576
|
+
* Company links organized by section
|
|
38577
|
+
*/
|
|
38578
|
+
const VALTECH_COMPANY_LINKS = {
|
|
38579
|
+
legal: [
|
|
38580
|
+
{ key: 'aboutUs', url: '/about', external: false },
|
|
38581
|
+
{ key: 'privacyPolicy', url: '/legal/privacy', external: false },
|
|
38582
|
+
{ key: 'termsConditions', url: '/legal/terms', external: false },
|
|
38583
|
+
],
|
|
38584
|
+
support: [
|
|
38585
|
+
{ key: 'contactSupport', url: '/contact', external: false },
|
|
38586
|
+
{ key: 'faq', url: '/help/faq', external: false },
|
|
38587
|
+
{ key: 'feedback', url: '/feedback', external: false },
|
|
38588
|
+
],
|
|
38589
|
+
};
|
|
38590
|
+
/**
|
|
38591
|
+
* i18n keys for the footer (Layout namespace)
|
|
38592
|
+
* These should be registered in each app's i18n config
|
|
38593
|
+
*/
|
|
38594
|
+
const VALTECH_FOOTER_I18N = {
|
|
38595
|
+
es: {
|
|
38596
|
+
// Footer titles
|
|
38597
|
+
footerLeftTitle: 'Sigamos en contacto',
|
|
38598
|
+
footerRightTitle: 'Soporte',
|
|
38599
|
+
// Legal links
|
|
38600
|
+
aboutUs: 'Nosotros',
|
|
38601
|
+
privacyPolicy: 'Política de privacidad',
|
|
38602
|
+
termsConditions: 'Términos y condiciones',
|
|
38603
|
+
// Support links
|
|
38604
|
+
contactSupport: 'Contactar a soporte',
|
|
38605
|
+
faq: 'Preguntas frecuentes',
|
|
38606
|
+
feedback: 'Feedback',
|
|
38607
|
+
},
|
|
38608
|
+
en: {
|
|
38609
|
+
// Footer titles
|
|
38610
|
+
footerLeftTitle: 'Stay in touch',
|
|
38611
|
+
footerRightTitle: 'Support',
|
|
38612
|
+
// Legal links
|
|
38613
|
+
aboutUs: 'About Us',
|
|
38614
|
+
privacyPolicy: 'Privacy Policy',
|
|
38615
|
+
termsConditions: 'Terms & Conditions',
|
|
38616
|
+
// Support links
|
|
38617
|
+
contactSupport: 'Contact Support',
|
|
38618
|
+
faq: 'FAQ',
|
|
38619
|
+
feedback: 'Feedback',
|
|
38620
|
+
},
|
|
38621
|
+
};
|
|
38622
|
+
/**
|
|
38623
|
+
* Default language selector configuration for footer
|
|
38624
|
+
*/
|
|
38625
|
+
const VALTECH_LANGUAGE_SELECTOR = {
|
|
38626
|
+
mode: 'default',
|
|
38627
|
+
showFlags: true,
|
|
38628
|
+
showLabel: false,
|
|
38629
|
+
fill: 'outline',
|
|
38630
|
+
size: 'default',
|
|
38631
|
+
};
|
|
38632
|
+
/**
|
|
38633
|
+
* Helper to build footer links from company links config
|
|
38634
|
+
* @param links - Array of company links
|
|
38635
|
+
* @param t - Translation function (key: string) => string
|
|
38636
|
+
* @returns Array of link objects ready for FooterLinksMetadata
|
|
38637
|
+
*/
|
|
38638
|
+
function buildFooterLinks(links, t) {
|
|
38639
|
+
return links.map(link => ({
|
|
38640
|
+
url: link.url,
|
|
38641
|
+
text: t(link.key),
|
|
38642
|
+
color: 'dark',
|
|
38643
|
+
token: '',
|
|
38644
|
+
download: false,
|
|
38645
|
+
hoverable: true,
|
|
38646
|
+
...(link.external ? { target: '_blank' } : {}),
|
|
38647
|
+
}));
|
|
38648
|
+
}
|
|
38649
|
+
|
|
38650
|
+
/**
|
|
38651
|
+
* Shared configuration exports
|
|
38652
|
+
*/
|
|
38653
|
+
|
|
38354
38654
|
/*
|
|
38355
38655
|
* Public API Surface of valtech-components
|
|
38356
38656
|
*/
|
|
@@ -38359,5 +38659,5 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "18.2.14", ngImpo
|
|
|
38359
38659
|
* Generated bundle index. Do not edit.
|
|
38360
38660
|
*/
|
|
38361
38661
|
|
|
38362
|
-
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, ContentReactionComponent, 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_FEEDBACK_CONFIG, DEFAULT_FEEDBACK_TYPE_OPTIONS, 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, DocsPageComponent, DocsSearchComponent, DocsSectionComponent, DocsShellComponent, DocsSidebarComponent, DocsTocComponent, DownloadService, EmailInputComponent, ExpandableTextComponent, FabComponent, FeedbackFormComponent, FeedbackService, 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, RotatingTextComponent, 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, Terminal404Component, 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_FEEDBACK_CONFIG, 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, provideValtechFeedback, provideValtechFirebase, provideValtechI18n, provideValtechPresets, provideValtechSkeleton, query, replaceSpecialChars, resolveColor, resolveInputDefaultValue, roleGuard, storagePaths, superAdminGuard };
|
|
38662
|
+
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, ContentReactionComponent, 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_FEEDBACK_CONFIG, DEFAULT_FEEDBACK_TYPE_OPTIONS, 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, DocsPageComponent, DocsSearchComponent, DocsSectionComponent, DocsShellComponent, DocsSidebarComponent, DocsTocComponent, DownloadService, EmailInputComponent, ExpandableTextComponent, FEATURES_LIST_DEFAULTS, FabComponent, FeaturesListComponent, FeedbackFormComponent, FeedbackService, 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, RotatingTextComponent, 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, Terminal404Component, 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_COMPANY_LINKS, VALTECH_DEFAULT_CONTENT, VALTECH_FEEDBACK_CONFIG, VALTECH_FIREBASE_CONFIG, VALTECH_FOOTER_I18N, VALTECH_FOOTER_LOGO, VALTECH_LANGUAGE_SELECTOR, VALTECH_SOCIAL_LINKS, WinnerDisplayComponent, WizardComponent, WizardFooterComponent, applyDefaultValueToControl, authGuard, authInterceptor, buildFooterLinks, 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, provideValtechFeedback, provideValtechFirebase, provideValtechI18n, provideValtechPresets, provideValtechSkeleton, query, replaceSpecialChars, resolveColor, resolveInputDefaultValue, roleGuard, storagePaths, superAdminGuard };
|
|
38363
38663
|
//# sourceMappingURL=valtech-components.mjs.map
|