Angular library to translate texts, dates and numbers
This library is for localization of Angular apps. It allows, in addition to translation, to format dates and numbers through Internationalization API
npm install angular-l10n --save - Sample standalone app
- Sample SSR app
- Live example on StackBlitz
Create the configuration:
src/app/l10n-config.ts
export const l10nConfig: L10nConfig = {
format: 'language-region',
providers: [
{ name: 'app', asset: 'app' }
],
cache: true,
keySeparator: '.',
defaultLocale: { language: 'en-US', currency: 'USD', timeZone: 'America/Los_Angeles' },
schema: [
{ locale: { language: 'en-US', currency: 'USD', timeZone: 'America/Los_Angeles' } },
{ locale: { language: 'it-IT', currency: 'EUR', timeZone: 'Europe/Rome' } }
]
};
@Injectable() export class TranslationLoader implements L10nTranslationLoader {
public get(language: string, provider: L10nProvider): Observable<{ [key: string]: any }> {
/**
* Translation files are lazy-loaded via dynamic import and will be split into separate chunks during build.
* Assets names and keys must be valid variable names
*/
const data = import(`../i18n/${language}/${provider.asset}.json`);
return from(data);
}
}The implementation of L10nTranslationLoader class-interface above creates a js chunk for each translation file in the src/i18n/[language]/[asset].json folder during the build:
src/i18n/en-US/app.json
{
"home": {
"greeting": "Hello world!",
"whoIAm": "I am {{name}}",
"devs": {
"one": "One software developer",
"other": "{{value}} software developers"
}
}
}Note. The implementation above of
L10nTranslationLoaderis just an example: you can load the translation data in the way you prefer.
Register the configuration:
src/app/app.config.ts
export const appConfig: ApplicationConfig = {
providers: [
provideL10nTranslation(
l10nConfig,
{
translationLoader: TranslationLoader
}
),
provideL10nIntl()
]
};or with modules:
src/app/app.module.ts
@NgModule({
imports: [
L10nTranslationModule.forRoot(
l10nConfig,
{
translationLoader: TranslationLoader
}
),
L10nIntlModule
]
})
export class AppModule { }<!-- translate pipe -->
<p>{{ 'home.greeting' | translate:locale.language }}</p>
<!-- Hello world! -->
<!-- translate pipe with params -->
<p>{{ 'home.whoIAm' | translate:locale.language:{ name: 'Angular l10n' } }}</p>
<!-- I am Angular l10n -->
<!-- l10nPlural pipe -->
<p>{{ 2 | l10nPlural:locale.language:'home.devs' }}</p>
<!-- 2 software developers -->
<!-- l10nDate pipe -->
<p>{{ today | l10nDate:locale.language:{ dateStyle: 'full', timeStyle: 'short' } }}</p>
<!-- Friday, May 12, 2023 at 1:59 PM -->
<!-- l10nTimeAgo pipe -->
<p>{{ -1 | l10nTimeAgo:locale.language:'second':{ numeric:'always', style:'long' } }}</p>
<!-- 1 second ago -->
<!-- l10nNumber pipe -->
<p>{{ 1000 | l10nNumber:locale.language:{ digits: '1.2-2', style: 'currency' } }}</p>
<!-- $1,000.00 -->
<!-- l10nDisplayNames pipe -->
<p>{{ 'en-US' | l10nDisplayNames:locale.language:{ type: 'language' } }}</p>
<!-- American English -->Pure pipes need to know when the locale changes. So import L10nLocale injection token in every component that uses them:
@Component({
standalone: true,
imports: [
L10nTranslatePipe
]
})
export class PipeComponent {
locale = inject(L10N_LOCALE);
}or with modules:
export class PipeComponent {
locale = inject(L10N_LOCALE);
}To support this strategy, there is an Async version of each pipe, which recognizes by itself when the locale changes:
<p>{{ 'greeting' | translateAsync }}</p>Directives manipulate the DOM
<!-- l10nTranslate directive -->
<p l10nTranslate>home.greeting</p>
<!-- l10nTranslate directive with attributes -->
<p l10n-title title="greeting" l10nTranslate>home.greeting</p>
<!-- l10nTranslate directive with params -->
<p [params]="{ name: 'Angular l10n' }" l10nTranslate>home.whoIAm</p>
<!-- l10nPlural directive -->
<p prefix="devs" l10nPlural>2</p>L10nTranslationService provides:
setLocale(locale: L10nLocale): Promise<void>Changes the current locale and load the translation dataonChange(): Observable<L10nLocale>Fired every time the translation data has been loaded. Returns the localeonError(): Observable<any>Fired when the translation data could not been loaded. Returns the errortranslate(keys: string | string[], params?: any, language?: string): string | anyTranslates a key or an array of keys
You can change the locale at runtime at any time by calling the setLocale method of L10nTranslationService:
<button *ngFor="let item of schema" (click)="setLocale(item.locale)">
{{ item.locale.language | l10nDisplayNames:locale.language:{ type: 'language' } }}
</button>export class AppComponent {
schema = this.config.schema;
constructor(
@Inject(L10N_LOCALE) public locale: L10nLocale,
@Inject(L10N_CONFIG) private config: L10nConfig,
private translation: L10nTranslationService
) { }
setLocale(locale: L10nLocale): void {
this.translation.setLocale(locale);
}
}The following features can be customized. You just have to implement the indicated class-interface and pass the token during configuration.
By default, you can only pass JavaScript objects as translation data provider. To implement a different loader, you can implement the L10nTranslationLoader class-interface, as in the example above.
export declare abstract class L10nTranslationLoader {
/**
* This method must contain the logic to get translation data.
* @param language The current language
* @param provider The provider of the translations data
* @return An object of translation data for the language: {key: value}
*/
abstract get(language: string, provider: L10nProvider): Observable<{
[key: string]: any;
}>;
}By default, the library attempts to set the locale using the user's browser language, before falling back to the default locale. You can change this behavior by implementing the L10nLocaleResolver class-interface, for example to get the language from the URL.
export declare abstract class L10nLocaleResolver {
/**
* This method must contain the logic to get the locale.
* @return The locale
*/
abstract get(): Promise<L10nLocale | null>;
}By default, the library does not store the locale. To store it implement the L10nStorage class-interface using what you need, such as web storage or cookie, so that the next time the user has the locale he selected.
export declare abstract class L10nStorage {
/**
* This method must contain the logic to read the storage.
* @return A promise with the value of the locale
*/
abstract read(): Promise<L10nLocale | null>;
/**
* This method must contain the logic to write the storage.
* @param locale The current locale
*/
abstract write(locale: L10nLocale): Promise<void>;
}If a key is not found, the same key is returned. To return a different value, you can implement the L10nMissingTranslationHandler class-interface.
export declare abstract class L10nMissingTranslationHandler {
/**
* This method must contain the logic to handle missing values.
* @param key The key that has been requested
* @param value Null or empty string
* @param params Optional parameters contained in the key
* @return The value
*/
abstract handle(key: string, value?: string, params?: any): string | any;
}If you enable translation fallback in configuration, the translation data will be merged in the following order:
'language''language[-script]''language[-script][-region]'
To change it, implement the L10nTranslationFallback class-interface.
export declare abstract class L10nTranslationFallback {
/**
* This method must contain the logic to get the ordered loaders.
* @param language The current language
* @param provider The provider of the translations data
* @return An array of loaders
*/
abstract get(language: string, provider: L10nProvider): Observable<any>[];
}E.g.:
@Injectable() export class TranslationFallback implements L10nTranslationFallback {
constructor(
@Inject(L10N_CONFIG) private config: L10nConfig,
private cache: L10nCache,
private translationLoader: L10nTranslationLoader
) { }
public get(language: string, provider: L10nProvider): Observable<any>[] {
const loaders: Observable<any>[] = [];
// Fallback current lang to en
const languages = ['en', language];
for (const lang of languages) {
if (this.config.cache) {
loaders.push(
this.cache.read(`${provider.name}-${lang}`,
this.translationLoader.get(lang, provider))
);
} else {
loaders.push(this.translationLoader.get(lang, provider));
}
}
return loaders;
}
}If you need to preload some data before initialization of the library, you can implement the L10nLoader class-interface.
export declare abstract class L10nTranslationLoader {
/**
* This method must contain the logic to get translation data.
* @param language The current language
* @param provider The provider of the translations data
* @return An object of translation data for the language: {key: value}
*/
abstract get(language: string, provider: L10nProvider): Observable<{[key: string]: any;}>;
}E.g.:
@Injectable() export class AppLoader implements L10nLoader {
constructor(private translation: L10nTranslationService) { }
public async init(): Promise<void> {
await ... // Some custom data loading action
await this.translation.init();
}
}There are two directives, that you can use with Template driven or Reactive forms: l10nValidateNumber and l10nValidateDate. To use them, you have to implement the L10nValidation class-interface, and import it with the L10nValidationModule module.
export declare abstract class L10nValidation {
/**
* This method must contain the logic to convert a string to a number.
* @param value The string to be parsed
* @param options A L10n or Intl NumberFormatOptions object
* @param language The current language
* @return The parsed number
*/
abstract parseNumber(value: string, options?: L10nNumberFormatOptions, language?: string): number | null;
/**
* This method must contain the logic to convert a string to a date.
* @param value The string to be parsed
* @param options A L10n or Intl DateTimeFormatOptions object
* @param language The current language
* @return The parsed date
*/
abstract parseDate(value: string, options?: L10nDateTimeFormatOptions, language?: string): Date | null;
}If you want to add new providers to a lazy loaded component or module, you can use resolveL10n function in your routes:
const routes: Routes = [
{
path: 'lazy',
loadComponent: () => import('./lazy/lazy.component').then(m => m.LazyComponent),
resolve: { l10n: resolveL10n },
data: {
l10nProviders: [{ name: 'lazy', asset: 'lazy' }]
}
}
];Or to lazy load a module:
const routes: Routes = [
{
path: 'lazy',
loadChildren: () => import('./lazy/lazy.module').then(m => m.LazyModule),
resolve: { l10n: resolveL10n },
data: {
l10nProviders: [{ name: 'lazy', asset: 'lazy' }]
}
}
];and import the modules you need:
@NgModule({
declarations: [LazyComponent],
imports: [
L10nTranslationModule
]
})
export class LazyModule { }Let's assume that we want to create a navigation of this type:
- default language (en-US): routes not localized
http://localhost:4200/home - other languages (it-IT): localized routes
http://localhost:4200/it-IT/home
In routes root level add :lang param to create localizedRoutes:
const routes: Routes = [
{ path: 'home', component: HomeComponent },
{
path: 'lazy',
loadChildren: () => import('./lazy/lazy.module').then(m => m.LazyModule),
resolve: { l10n: resolveL10n },
data: {
l10nProviders: [{ name: 'lazy', asset: 'lazy' }]
}
}
];
export const localizedRoutes: Routes = [
{ path: '', redirectTo: 'home', pathMatch: 'full' },
...routes,
{
path: ':lang', // prepend [lang] to all routes
children: routes
},
{ path: '**', redirectTo: 'home' }
];and provide it to the router.
Now let's implement the L10nLocaleResolver class-interface to get the language from the URL:
src/app/l10n-config.ts
@Injectable() export class LocaleResolver implements L10nLocaleResolver {
constructor(@Inject(L10N_CONFIG) private config: L10nConfig, private location: Location) { }
public async get(): Promise<L10nLocale | null> {
const path = this.location.path();
for (const schema of this.config.schema) {
const language = schema.locale.language;
if (new RegExp(`(\/${language}\/)|(\/${language}$)|(\/(${language})(?=\\?))`).test(path)) {
return Promise.resolve(schema.locale);
}
}
return Promise.resolve(null);
}
}and add it to configuration using provideL10nTranslation or L10nTranslationModule with modules.
When the app starts, the library will call the get method of LocaleResolver and use the locale of the URL or the default locale.
Do not implement storage when using the localized router, because the language of the URL may be inconsistent with the saved one
To change language at runtime, we can't use the setLocale method, but we have to navigate to the localized URL without reloading the page. We replace the setLocale method with the new navigateByLocale and we add pathLang to router links:
<a routerLink="{{pathLang}}/home">Home</a>
<a routerLink="{{pathLang}}/lazy">Lazy</a>
<button *ngFor="let item of schema" (click)="navigateByLocale(item.locale)">
{{ item.locale.language | l10nDisplayNames:locale.language:{ type: 'language' } }}
</button>export class AppComponent implements OnInit {
/**
* Handle page back/forward
*/
@HostListener('window:popstate', ['$event'])
onPopState() {
this.translation.init();
}
schema = this.config.schema;
pathLang = this.getPathLang();
constructor(
@Inject(L10N_LOCALE) public locale: L10nLocale,
@Inject(L10N_CONFIG) private config: L10nConfig,
private translation: L10nTranslationService,
private location: Location,
private router: Router
) { }
ngOnInit() {
// Update path language
this.translation.onChange().subscribe({
next: () => {
this.pathLang = this.getPathLang();
}
});
}
/**
* Replace the locale and navigate to the new URL
*/
navigateByLocale(locale: L10nLocale) {
let path = this.location.path();
if (this.locale.language !== this.config.defaultLocale.language) {
if (locale.language !== this.config.defaultLocale.language) {
path = path.replace(`/${this.locale.language}`, `/${locale.language}`);
} else {
path = path.replace(`/${this.locale.language}`, '');
}
} else if (locale.language !== this.config.defaultLocale.language) {
path = `/${locale.language}${path}`;
}
this.router.navigate([path]).then(() => {
this.translation.init();
});
}
getPathLang() {
return this.locale.language !== this.config.defaultLocale.language ?
this.locale.language :
'';
}
}Here we are doing three things:
- we update
pathLangprovided to router links every time the locale changes - we implement
navigateByLocalemethod, which takes care of replacing the language and navigating to the new URL - we handle page back/forward events
You can find a complete sample app here
What is important to know:
DirectiveComponenthasngSkipHydrationenabled because directives manipolate the DOMprerenderis enabled inangular.jsonroutes.tsxfile contains localized routes (to prerender pages in different languages)
Angular l10n types that it is useful to know:
-
L10nConfigContains:formatFormat of the translation language. Pattern:language[-script][-region]providersThe providers of the translations datakeySeparatorSets key separatordefaultLocaleDefines the default locale to be usedschemaProvides the schema of the supported locales
Optionally:
fallbackTranslation fallbackcacheCaching for providers
-
L10nLocaleContains alanguage, in the formatlanguage[-script][-region][-extension], where:languageISO 639 two-letter or three-letter codescriptISO 15924 four-letter script coderegionISO 3166 two-letter, uppercase codeextension'u' (Unicode) extensions
Optionally:
currencyISO 4217 three-letter codetimezoneFrom the IANA time zone databaseunitsKey value pairs of unit identifiers
-
L10nFormatShows the format of the language to be used for translations. The supported formats are:'language' | 'language-script' | 'language-region' | 'language-script-region'. So, for example, you can have a language likeen-US-u-ca-gregory-nu-latnto format dates and numbers, but only use theen-USfor translations setting'language-region' -
L10nDateTimeFormatOptionsThe type of options used to format dates. Extends the IntlDateTimeFormatOptionsinterface, replacing the dateStyle and timeStyle attributes. See DateTimeFormat for more details on available options -
L10nNumberFormatOptionsThe type of options used to format numbers. Extends the IntlNumberFormatOptionsinterface, adding the digits attribute. See NumberFormat for more details on available options
-
First, install the packages & build the library:
npm install npm run build:watch
-
Testing:
npm run test:watch
-
Serving the sample app:
npm start
-
Serving the sample ssr app:
npm run dev:ssr
MIT