• Stars
    star
    136
  • Rank 258,761 (Top 6 %)
  • Language
    TypeScript
  • License
    MIT License
  • Created over 5 years ago
  • Updated over 1 year ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

A blazing-fast and lightweight internationalization (i18n) library for your next web-based project

lit-translate

Downloads per month NPM Version Dependencies Contributors Published on webcomponents.org undefined

A blazing-fast and lightweight internationalization (i18n) library for your next web-based project


  • Contains a lit directive that automatically updates the translations when the language changes
  • Has a simple API that can return a translation for a given key using the dot notation (eg. get("home.header.title"))
  • Works very well with JSON based translation data-structures
  • Can interpolate values into the strings using the {{ key }} syntax out of the box
  • Caches the translations for maximum performance
  • Has a very small footprint, approximately 800 bytes minified & gzipped (2kb without)
  • Extremely customizable, just about everything can be changed (eg. choose your own translations loader, how to interpolate values, empty placeholder and how to look up the strings)
  • Check out the playground here

-----------------------------------------------------

➤ Table of Contents

-----------------------------------------------------

➤ Installation

npm i lit-translate

-----------------------------------------------------

➤ 1. Define the translations

Create a .json file for each language you want to support. Heres an example of how en.json could look like.

{
  "header": {
    "title": "Hello",
    "subtitle": "World"
  },
  "cta": {
    "awesome": "{{ animals }} are awesome!",
    "cats": "Cats"
  },
  "footer": {
    "html": "<b>Bold text</b>"
  }
}

-----------------------------------------------------

➤ 2. Register the translate config

Use the registerTranslateConfig function to register a loader that loads translations based on the selected language. In the example below, a loader is registered that uses the fetch API to load a .json file for the selected language.

import { registerTranslateConfig } from "lit-translate";

registerTranslateConfig({
  loader: lang => fetch(`${lang}.json`).then(res => res.json())
});

-----------------------------------------------------

➤ 3. Set the language

Set the language with the use function. When called it will use the registered loader from step 2 to load the strings for the selected language.

import { use } from "lit-translate";

use("en");

-----------------------------------------------------

➤ 4. Get the translations

Get translations with the get function. Give this function a string of keys (separated with .) that points to the desired translation in the JSON structure. The example below is based on the translations defined in step 1 and registered in step 2.

import { get } from "lit-translate";

get("header.title"); // "Hello"
get("header.subtitle"); // "World"

-----------------------------------------------------

➤ 5. Interpolate values

When using the get function it is possible to interpolate values (replacing placeholders with content). As default, you can use the {{ key }} syntax in your translations and provide an object with values replacing those defined in the translations when using the get function. The example below is based on the strings defined in step 1 and registered in step 2.

import { get } from "lit-translate";

get("cta.awesome", { animals: get("cta.cats") }); // Cats are awesome!

-----------------------------------------------------

➤ 6. Use the translate directive with lit

If you are using lit you might want to use the translate directive. This directive makes sure to automatically update all the translated parts when the use function is called with a new language. If your strings contain HTML you can use the translateUnsafeHTML directive. The example below is based on the strings defined in step 1 and registered in step 2.

import { translate, translateUnsafeHTML } from "lit-translate";
import { LitElement, html } from "lit";
import { customElement } from "lit/decorators.js";

@customElement("my-element")
class MyElement extends LitElement {
  render () {
    html`
      <h1>${translate("header.title")}</h1>
      <p>${translate("header.subtitle")}</p>
      <span>${translate("cta.awesome", { animals: () => get("cta.cats") })}</span>
      <span>${translateUnsafeHTML("footer.html")}</span>
    `;
  }
}

-----------------------------------------------------

➤ Wait for strings to be loaded before displaying your app

You might want to avoid empty placeholders being shown initially before any of the translation strings have been loaded. This it how you could defer the first render of your app until the strings have been loaded.

import { use, translate } from "lit-translate";
import { LitElement, html, PropertyValues } from "lit";
import { customElement, state } from "lit/decorators.js";

@customElement("my-app")
export class MyApp extends LitElement {
  
  // Defer the first update of the component until the strings has been loaded to avoid empty strings being shown
  @state() hasLoadedStrings = false;

  protected shouldUpdate(props: PropertyValues) {
    return this.hasLoadedStrings && super.shouldUpdate(props);
  }

  // Load the initial language and mark that the strings has been loaded so the component can render.
  async connectedCallback() {
    super.connectedCallback();

    await use("en");
    this.hasLoadedStrings = true;
  }

  // Render the component
  protected render () {
    return html`
      <p>${translate("title")}</p>
    `;
  }
}

-----------------------------------------------------

➤ Advanced Customisation

If you want you can customise just about anything by overwriting the configuration hooks. Below is an example of what you can customise. Try it as a playground here.

import { registerTranslateConfig, extract, get, use } from "lit-translate";

registerTranslateConfig({

  // Loads the language by returning a JSON structure for a given language
  loader: lang => {
    switch (lang) {

      // English strings
      case "en":
        return {
          app: {
            title: "This is a title",
            description: "This description is {placeholder}!"
          },
          awesome: "awesome"
        };

      // Danish strings
      case "da":
        return {
          app: {
            title: "Dette er en titel",
            description: "Denne beskrivelse er {placeholder}!"
          },
          awesome: "fed"
        };
        
      default:
        throw new Error(`The language ${lang} is not supported..`);
    }
  },

  // Interpolate the values using a key syntax.
  interpolate: (text, values) => {
    for (const [key, value] of Object.entries(extract(values || {}))) {
      text = text.replace(new RegExp(`{.*${key}.*}`, `gm`), String(extract(value)));
    }


    return text;
  },

  // Returns a string for a given key
  lookup: (key, config) => {

    // Split the key in parts (example: hello.world)
    const parts = key.split(" -> ");

    // Find the string by traversing through the strings matching the chain of keys
    let string = config.strings;

    // Shift through all the parts of the key while matching with the strings.
    // Do not continue if the string is not defined or if we have traversed all the key parts
    while (string != null && parts.length > 0) {
      string = string[parts.shift()];
    }

    // Make sure the string is in fact a string!
    return string != null ? string.toString() : null;
  },

  // Formats empty placeholders (eg. !da.headline.title!) if lookup returns null
  empty: (key, config) => `!${config.lang}.${key}!`
});

use("en").then(() => {
  get("app -> description", { placeholder: get("awesome") }); // Will return "This description is awesome"
});

Format text with IntlMessageFormat

IntlMessageFormat is a library that formats ICU message strings with number, date, plural, and select placeholders to create localized messages using ICU placeholders. This library is a good addition to lit-translate. You can add it to the interpolate hook to get the benefits as shown in the following example. Try the example as a playground here.

import { registerTranslateConfig, extract } from "lit-translate";
import { IntlMessageFormat } from "intl-messageformat";

registerTranslateConfig({
  loader: lang => {
    switch (lang) {
      case "en":
        return {
          photos: `You have {numPhotos, plural, =0 {no photos.} =1 {one photo.} other {# photos.}}`
        };
    
      case "en":
        return {
          photos: `Du har {numPhotos, plural, =0 {ingen billeder.} =1 {et billede.} other {# billeder.}}`
        };
    
      default:
        throw new Error(`The language ${lang} is not supported..`);
    }
  },

  // Use the "intl-messageformat" library for formatting.
  interpolate: (text, values, config) => {
    const msg = new IntlMessageFormat(text, config.lang);
    return msg.format(extract(values));
  }
});

use("en").then(() => {
  get("photos", {numPhotos: 0}); // Will return "You have no photos"
  get("photos", {numPhotos: 1}); // Will return "You have one photo."
  get("photos", {numPhotos: 5}); // Will return "You have 5 photos."
});

Use the default translations as keys

Inspired by GNU gettext you can use the default translation as keys. The benefit of doing this is that you will save typing time and reduce code clutter. You can use xgettext to extract the translatable strings from your code and then use po2json to turn your .po files into .json files. The following code shows an example of how you could implement this. Try it as a playground here.

import { registerTranslateConfig, use, get } from "lit-translate";

registerTranslateConfig({
  loader: lang => {
    switch (lang) {
      case "da":
        return {
          "The page is being loaded...": "Siden indlæses..."
        };
      default:
        return {};
    }
  },
  lookup: (key, config) => config.strings != null && config.strings[key] != null ? config.strings[key].toString() : key,
  empty: key => key,
});

get("The page is being loaded..."); // Will return "The page is being loaded..."

use("da").then(() => {
  get("The page is being loaded..."); // Will return "Siden indlæses..."
});

-----------------------------------------------------

➤ Typesafe Translations

If you have a lot of translation keys you can quickly lose the overview of your strings. If you use Typescript you can make the keys of your translation keys typesafe - this will also give you autocompletion when you enter the keys. To achieve this you have to do the following:

1. Add resolveJsonModule to your tsconfig

Add resolveJsonModule to your tsconfig which will allow us to import modules with a .json extension.

{
  ...
  "compilerOptions": {
    ...
    "resolveJsonModule": true
  }
}

2. Use the typedKeysFactory function

Create a file, for example typed-lit-translate.ts. Then use the factory function typedKeysFactory and provide it with the type of one of your translation files. Use typeof import(..) to import the .json file and get the type. Provide this type to the factory function, and it will return a version of get, translate and translateUnsafeHTML where the keys are typed. Export these and make sure to import from your typed-lit-translate.ts file instead of lit-translate.

// typed-lit-translate.ts
import { typedKeysFactory } from "lit-translate";

const { get, translate, translateUnsafeHTML } = typedKeysFactory<typeof import("en.json")>();
export { get, translate, translateUnsafeHTML };

3. Import the typed functions

Make sure to import the typed versions of get, translate and translateUnsafeHTML that you have created instead of importing from lit-translate.

import { get } from "typed-lit-translate.ts";

get("this.key.is.typed");

-----------------------------------------------------

➤ lit Directives

Re-render a value when the language changes with the langChanged directive

Use the langChanged directive to re-render a value when the language changes.

import { langChanged, translateConfig } from "lit-translate";
import { html, LitElement, TemplateResult } from "lit";
import { customElement } from "lit/decorators.js";

@customElement("my-component")
export class MyComponent extends LitElement {
  protected render(): TemplateResult {
    return html`
      <img src="${langChanged(() => `img-${translateConfig.lang || "en"}.png`)}" />
    `;
  }
}

Create your own lit directives that re-renders a value when the language changes

Extend the LangChangedDirectiveBase base class to create your own directives that re-renders a value when the language changes. Below is an example of a directive that localizes assets paths based on the selected language.

import { LangChangedDirectiveBase, translateConfig } from "lit-translate";
import { directive } from "lit/directive.js";

export const localizeAssetPath = directive(class extends LangChangedDirectiveBase {
  render (fileName: string, config = translateConfig) {
    return this.renderValue(() => `localized-assets/${config.lang || "en"}/${fileName}`);
  }
});

-----------------------------------------------------

➤ License

Licensed under MIT.

More Repositories

1

web-skills

A visual overview of useful skills to learn as a web developer
JavaScript
6,823
star
2

readme

Automatically generate a beautiful best-practice README file based on the contents of your repository
TypeScript
409
star
3

weightless

High-quality web components with a small footprint
TypeScript
376
star
4

router-slot

A powerful web component router.
TypeScript
112
star
5

masonry-layout

An efficient and fast web component that gives you a beautiful masonry layout
TypeScript
106
star
6

focus-trap

A lightweight web component that traps focus within a DOM node
TypeScript
50
star
7

web-dialog

A highly accessible, customizable and lightweight dialog
TypeScript
47
star
8

web-config

A Rollup configuration to build modern web applications with sweet features as for example SCSS imports, Service Worker generation with Workbox, Karma testing, live reloading, coping resources, chunking, treeshaking, Typescript, license extraction, filesize visualizer, JSON import, budgets, build progress, minifying and compression with brotli and gzip.
TypeScript
19
star
9

ab-test

A/B testing made incredible simple
TypeScript
6
star
10

lit-snowpack-template

A simple template for getting started with lit-element and snowpack
HTML
4
star
11

blob

A blob web component. Nothing more. Nothing less.
HTML
4
star
12

skip-navigation

Web component friendly skip navigation functionality
TypeScript
4
star
13

upgrade-browser

A simple customizable HTML file to show users that should upgrade their browser.
HTML
3
star
14

web-bluetooth

A showcase of how to interact with bluetooth devices on the web.
JavaScript
2
star
15

fireparse

An extensible markdown to html converter
TypeScript
2
star
16

pixel-perfect

A pixel perfect SCSS stylesheet. Spiced with themeable mixins, custom CSS variables and other cool stuff you can handpick from.
CSS
2
star
17

create-web-config

A CLI to help you get started building modern web applications.
TypeScript
2
star
18

boomerang

A simple flux-inspired state management library
TypeScript
1
star