All Projects → eugene-manuilov → react-gettext

eugene-manuilov / react-gettext

Licence: MIT License
Tiny React library for implementing gettext localization in your application.

Programming Languages

javascript
184084 projects - #8 most used programming language

Projects that are alternatives of or similar to react-gettext

Linguist
Easy multilingual urls and redirection support for the Laravel framework
Stars: ✭ 188 (+717.39%)
Mutual labels:  multilingual, localization
alternate
Plug and Phoenix helpers to localize your web app via the URL
Stars: ✭ 26 (+13.04%)
Mutual labels:  localization, gettext
lioness
🐯 A React library for efficiently implementing Gettext localization
Stars: ✭ 29 (+26.09%)
Mutual labels:  localization, gettext
blazor-ui-messages
Localization messages for Telerik UI for Blazor components: https://www.telerik.com/blazor-ui
Stars: ✭ 24 (+4.35%)
Mutual labels:  multilingual, localization
pH7-Internationalization
🎌 pH7CMS Internationalization (I18N) package 🙊 Get new languages for your pH7CMS website!
Stars: ✭ 17 (-26.09%)
Mutual labels:  multilingual, gettext
Keys Translations Manager
KTM, a locale management web app built on MERN stack, lets you manage and control locales in one place. It's particularly useful for someone who needs to manage multiple internationalization/localization projects.
Stars: ✭ 81 (+252.17%)
Mutual labels:  multilingual, localization
react-translator-component
React language translation module for developing a multilingual project.
Stars: ✭ 13 (-43.48%)
Mutual labels:  multilingual, localization
sketch-crowdin
Connect your Sketch and Crowdin projects together
Stars: ✭ 35 (+52.17%)
Mutual labels:  multilingual, localization
cargo-i18n
A Rust Cargo sub-command and libraries to extract and build localization resources to embed in your application/library
Stars: ✭ 88 (+282.61%)
Mutual labels:  localization, gettext
rails
Rails translation made _('simple').
Stars: ✭ 65 (+182.61%)
Mutual labels:  localization, gettext
Weblate
Web based localization tool with tight version control integration.
Stars: ✭ 2,719 (+11721.74%)
Mutual labels:  localization, gettext
Localizater
Laravel localization package for wrapping routes in multiple locale prefixes
Stars: ✭ 48 (+108.7%)
Mutual labels:  multilingual, localization
Node Gettext
A JavaScript implementation of gettext, a localization framework.
Stars: ✭ 175 (+660.87%)
Mutual labels:  localization, gettext
Localization
🌐 Localization package for Laravel
Stars: ✭ 142 (+517.39%)
Mutual labels:  multilingual, localization
msgtools
Tools for Developing Diagnostic Messages
Stars: ✭ 18 (-21.74%)
Mutual labels:  localization, gettext
stone.js
gettext-like client-side Javascript Internationalization Library
Stars: ✭ 20 (-13.04%)
Mutual labels:  localization, gettext
f3-multilang
Create multilingual apps with this localization plugin for the PHP Fat-Free Framework
Stars: ✭ 44 (+91.3%)
Mutual labels:  multilingual, localization
kwx
BERT, LDA, and TFIDF based keyword extraction in Python
Stars: ✭ 33 (+43.48%)
Mutual labels:  multilingual
Self-Driving-Car-NanoDegree-Udacity
This repository contains code and writeups for projects and labs completed as a part of UDACITY's first of it's kind self driving car nanodegree program.
Stars: ✭ 29 (+26.09%)
Mutual labels:  localization
python-fluent
Python implementation of Project Fluent
Stars: ✭ 142 (+517.39%)
Mutual labels:  localization

react-gettext 1.0.2

npm version Build Status

A tiny React library that helps to implement internalization in your application using gettext functions. It uses React Context API to expose gettext functions to children components.

Instalation

Note: This library requires React 16.3 or later

npm i react react-gettext

Usage

To use this library in your application, you need to do a few simple steps:

  1. Prepare translations and define plural form functions.
  2. Add TextdomainContext.Provider provider to the root of your application.
  3. Updated your components to use context functions, provided by TextdomainContext, to translate text messages.

Let's take a closer look at each step. First of all, you to create translation catalogs and prepare plural form functions for every language that you are going to use. Each language needs one catalog and one plural form function.

The translation catalog is an object that contains key/value pairs where keys are original singular messages and values are translations. If you have a message that can have plural forms, the value for it should be an array with translations where each translation corresponds to appropriate plural form. Finally, if you want to use a context with your messages, then it should be prepended to the message itself and separated by using \u0004 (end of transition) character. Here is an example:

{
	"Hello world!": "¡Hola Mundo!", // regular message
	"article": ["artículo", "artículos"], // plural version
	"Logo link\u0004Homepage": "Página principal", // single message with "Logo link" contex
	"Search results count\u0004article": ["artículo", "artículos"], // plural version with "Search results count" context
}

The plural form function is a function that determines the number of a plural form that should be used for a particular translation. For English, the plural form is n != 1 ? 1 : 0, that means to use a translation with 0 index when n == 1, and a translation with 1 index in all other cases. Slavic and arabic languages have more than 2 plural forms and their functions are more complicated. Translate Toolkit has a list of plural forms expressions for many languages that you can use in your project. An example of a plural form function can be the following:

function getPluralForm(n) {
    return n != 1 ? 1 : 0;
}

The next step is to pass translations and plural form function for the current language to the buildTextdomain function. It will create APIs that need to be passed to the TextdomainContext.Provider provider that you need to add to the root of your project:

import React, { Component } from 'react';
import { TextdomainContext, buildTextdomain } from 'react-gettext';

class MyApp extends Component {

    constructor(props) {
        super(props);
        this.state = { textdomain: buildTextdomain(...) };
    }

    render() {
        return (
            <div>
                <TextdomainContext.Provider value={this.state.textdomain}>
                    <ComponentA />
                    ...
                </TextdomainContext>
            </div>
        );
    }

}

Note: Please, pay attention that you need to avoid passing the results of buildTextdomain function directly into TextdomainContext.Provider's value to escape unintentional renders in consumers when a provider’s parent re-renders.

Finally, the last step is to update your descendant components to consume these context APIs. Import TexdomainContext in the child component and assign it to the component contextType static properly. It will expose gettext APIs to that component via this.context field:

import React, { Component } from 'react';
import { TextdomainContext } from 'react-gettext';

class ComponentA extends Component {

    render() {
        const { gettext, ngettext, xgettext, nxgettext } = this.context;

        return (
            <div>...</div>
        );
    }

}

ComponentA.contextType = TextdomainContext;

An example

Let's assume you have following React application:

// app.js
import React, { Component } from 'react';
import Header from './Header';
import Footer from './Footer';

export default class App extends Component {

    render() {
        return (
            <div id="app">
                <Header />
                ...
                <Footer />
            </div>
        );
    }

}
// Header.js
import React, { Component } from 'react';

export default class Header extends Component {

    render() {
        return (
            <h1>Welcome to my application!</h1>
        );
    }

}

To make it translatable, you need to update your app.js file to use TextdomainContext provider and build textdomain using messages list and plural form function:

  // app.js
  import React, { Component } from 'react';
+ import { TextdomainContext, buildTextdomain } from 'react-gettext';
  import Header from './Header';
  import Footer from './Footer';

  export default class App extends Component {

+     constructor(props) {
+         super(props);
+         this.state = {
+             textdomain: buildTextdomain(
+                 {
+                     'Welcome to my application!': 'Bienvenido a mi aplicación!',
+                     // ...
+                 },
+                 n => n != 1
+             ),
+         };
+     }

      render() {
          return (
              <div id="app">
+                 <TextdomainContext.Provider value={this.state.textdomain}>
                      <Header />
                      ...
                      <Footer />
+                 </TextdomainContext.Provider>
              </div>
          );
      }
  }

After doing it you can start using gettext, ngettext, xgettext and nxgettext functions in your descending components:

  // Header.js
  import React, { Component } from 'react';
+ import { TextdomainContext } from 'react-gettext';

  export default class Header extends Component {

      render() {
+         const { gettext } = this.context;
          return (
-             <h1>Welcome to my application!</h1>
+             <h1>{gettext('Welcome to my application!')}</h1>
          );
      }

  }

+ Header.contextType = TextdomainContext;

Check a sample application to see how it works.

Documentation

buildTextdomain(translations, pluralForm)

Builds gettext APIs for TextdomainContext provider that will work with provided translations.

  • translations: an object with translated messages.
  • pluralForm: a function that determines a plural form or a stringular reresentation of it.
const api = buildTextdomain( { ... }, n => n == 1 ? 0 : 1 );
// or
const api = buildTextdomain( { ... }, 'n == 1 ? 0 : 1' );

gettext(message)

The function to translate a string. Accepts original message and returns translation if it exists, otherwise original message.

  • message: a string to be translated.

Example:

// somewhere in your jsx component
this.context.gettext('Some text');

ngettext(singular, plural, n)

The function to translate plural string. Accepts singular and plural messages along with a number to calculate plural form against. Returns translated message based on plural form if it exists, otherwise original message based on n value.

  • singular: a string to be translated when count is not plural
  • plural: a string to be translated when count is plural
  • n: a number to count plural form

Example:

// somewhere in your jsx component
this.context.ngettext('day ago', 'days ago', numberOfDays);

xgettext(message, context)

The function to translate a string based on a specific context. Accepts a message to translate and a translation context string. Returns translated message if it exists, otherwise original string.

  • message: A string to be translated.
  • context: A context to search translation in.

Example:

// somewhere in your jsx component
this.context.xgettext('some text', 'context where this message is used');

nxgettext(singular, plural, n, context)

The function to translate plural string based on a specific context. Accepts singular and plural messages along with a number to calculate plural form against and context string. Returns translated message based on plural form if it exists, otherwise original message based on n value.

  • singular: a string to be translated when count is not plural
  • plural: a string to be translated when count is plural
  • n: a number to count plural form
  • context: A context to search translation in.

Example:

// somewhere in your jsx component
this.context.nxgettext('day ago', 'days ago', numberOfDays, 'Article publish date');

Legacy API

The initial version of this library had been created when React used the legacy version of Context APIs, thus it played a keystone role in the main approach of how to use this library at that time. However, in the late March of 2018, React 16.3 was released and that API became deprecated, so do the main approach used in this library.

The proper way to use this library is described in the Usage section, this section contains legacy API that will be removed in next versions of the library. We don't encourage you to use it in a new project.

withGettext(translations, pluralForms, options)

Higher-order function which is exported by default from react-gettext package. It accepts two arguments and returns function to create higher-order component.

  • translations: a hash object or a function which returns hash object where keys are original messages and values are translated messages.
  • pluralForms: a string to calculate plural form (used by Gettext PO) or a function which accepts a number and calculates a plural form number. Pay attentions that plural forms are zero-based what means to get 1st plural form it should return 0, to get 2nd - 1, and so on.
  • options: a hash object with options. Currently supports following options:
    • withRef: an optional boolean flag that determines whether or not to set ref property to a wrapped component what will allow you to get wrapped component instance by calling getWrappedComponent() function of the HOC. By default: FALSE.

Example:

const translations = {
    'Some text': 'Some translated text',
    ...
};

const pluralForms = '(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2)'; // 3 plural forms for Russian, Belarusian, Bosnian, Croatian, Serbian, Ukrainian, etc.

const HOC = withGettext(translations, pluralForms)(App);
function getTranslations() {
    return {
        'Some text': 'Some translated text',
        ...
    };
}

function getPluralForms(n) {
    return n > 1 ? 1 : 0;
}

const HOC = withGettext(getTranslations, getPluralForms)(App);

As an alternative you can pass translations and plural form as properties to higher-order-component, like this:

function getTranslations() {
    return {
        'Some text': 'Some translated text',
        ...
    };
}

function getPluralForms(n) {
    return n > 1 ? 1 : 0;
}

const HOC = withGettext()(App);

...

ReactDOM.render(<HOC translations={getTranslations} plural={getPluralForms}>...</HOC>, ...);

One more alternative is to not create HOC, but use Textdomain component directly. You can import it using import { Textdomain } from 'react-gettext' and use it as a regular component which will provide context functions to translate your messages. Just don't forget to pass translations and plural props to this component when you render it.

Poedit

If you want to use Poedit application to translate your messages, then use the following keywords to properly extract static copy from your javascript files:

gettext;ngettext:1,2;xgettext:1,2c;nxgettext:1,2,4c

Here is an example of a POT file that you can use as a starting point:

msgid ""
msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"Project-Id-Version: \n"
"POT-Creation-Date: \n"
"PO-Revision-Date: \n"
"Last-Translator: \n"
"Language-Team: \n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=iso-8859-1\n"
"Content-Transfer-Encoding: 8bit\n"
"X-Poedit-Basepath: ./src\n"
"X-Poedit-KeywordsList: gettext;ngettext:1,2;xgettext:1,2c;nxgettext:1,2,4c\n"
"X-Poedit-SourceCharset: UTF-8\n"

If you prefer using npm scripts, then you can add the following command to your package.json file to extract static copy and generate POT file using CLI commands. Make sure, you have correct project and output paths.

"gettext:extract": "find /path/to/project -name \"*.js\" | xargs xgettext --from-code=UTF-8 --language=JavaScript --keyword=gettext --keyword=ngettext:1,2 --keyword=xgettext:1,2c --keyword=nxgettext:1,2,4c --output=/path/to/project/projectname.pot --sort-by-file --package-name=\"My Project Name\" --package-version=\"1.0.0\""

Contribute

Want to help or have a suggestion? Open a new ticket and we can discuss it or submit pull request. Please, make sure you run npm test before submitting a pull request.

License

MIT

Note that the project description data, including the texts, logos, images, and/or trademarks, for each open source project belongs to its rightful owner. If you wish to add or remove any projects, please contact us at [email protected].