Lokalise and Python logos

Python i18n internationalization & localization with examples

Internationalization, i18n for short, is the process of adapting your software to support various linguistic and cultural settings. This beginner’s guide to Python i18n helps you get started with internationalization using the gettext tool and its related modules.

Internationalization is a continual process, which forms an integral part of software development. If your end users belong to a variety of cultures, you should incorporate i18n processes, like security and accessibility, in your software development life cycle. Here are the typical considerations of the Python i18n process:

  • Ability to switch the locale in your application
  • Unicode compliance
  • Translating strings depending on the locale
  • Performing time zones localization
  • Performing pluralization

Let’s start working on this Python i18n tutorial.

You can also check out our tutorial “How to translate languages in Python with Google Translate and DeepL” to learn how to use machine translation engines with Python.

    Prerequisites for Python i18n

    There are certain prerequisites that you should be aware of before making your application open to the process of i18n. This section is specifically important if you are translating an existing application. These guidelines should also be followed if you are starting a project that aims to comply with i18n principles.

    First and foremost, make sure that no string’s output is hard coded, but rather returned through a special function. This function will determine any preprocessing and translation that is applicable to the text before display. We’ll take a look at this process shortly when we’re discussing packages.

    Next, you should enable Unicode in your application. This is done by default in Python 3, and here is a guide to working with UTF in Python 2. Unicode is a set of all the characters, numbers, currencies, and symbols in the world. It goes beyond the ASCII standard for character representation and is necessary to support different languages.

    Finally, the majority of tasks in this tutorial will be handled through the Python gettext module.

    Import it in your Python script, like so:

    import gettext

    Now, let’s begin with our basic gettext Python tutorial.

    Note on installing gettext

    Depending on your system setup, you might need to install gettext along with its tools, which we’ll require later in this tutorial.

    Simple translations with Python and gettext

    To use various forms of the same string in your application, import the necessary function to wrap your string around from the gettext module. This is the special function that changes your text based on the currently set locale mentioned in the previous section:

    # Import gettext module
    import gettext
    
    # Set the local directory
    appname = 'lokalise'
    localedir = './locales'
    
    # Set up Gettext
    en_i18n = gettext.translation(appname, localedir, fallback=True, languages=['en'])
    
    # Create the "magic" function
    en_i18n.install()
    
    # Translate message
    print(_("Hello World"))
    • First, we specify where our translation files will be stored (the locales directory) and what the application is called.
    • Next, we set up the gettext itself by giving our application a name, passing the locale directory, setting fallback to True (more on this later), and specifying the language name (English in this case).
    • Then, we install the special function in the app. We can now use it to translate into English.
    • Finally, we use the installed function, which is called _. It simply accepts a text to translate.

    If you run this script now, the “Hello World” text will display. Why? Well, because we haven’t provided any translations yet! And, because we have set the fallback option to True, Python simply outputs the text passed to the _. If you switch this option to False, you’ll get an error saying that the corresponding translation cannot be found.

    Managing translation files

    Adding a POT file

    Now we’ll see how to add the actual translations to the app. To achieve this, create a new directory called en in the locales folder. This directory should be named after the language code specified in the previous section when setting up gettext. Inside, add another folder called LC_MESSAGES.

    So, your directory structure should look like this:

    • locales
      • en
        • LC_MESSAGES

    While we could create the translation file manually, it’s not very convenient, is it? Instead, we can rely on the special extractor that comes packaged with gettext: It will scan the given files and automatically extract all text marked with the _ function for translation.

    To run it, you would use the following command:

    xgettext -d base -o locales/lokalise.pot demo.py

    A few things to note here:

    • Please be sure to provide the proper name for your locales folder.
    • Replace lokalise with your appname as provided in the previous step.
    • Replace demo.py with your script filename.
    • Before running this command make sure that you’ve installed gettext on your system as explained in the first section.

    What this command will do is extract all the translations from the Python script and add them to a POT file, which will serve as a template for the future translation files.

    Some tutorials might suggest using a very similar tool called pygettext, which comes bundled with Python. However, there are some problems with this approach:

    • This extractor script has to be manually located. Usually, it can be found in the Python installation directory under Tools\i18n.
    • It does not work well with pluralized strings.

    Therefore, I would really recommend sticking to xgettext instead.

    Here’s how my POT file looks at this point:

    # SOME DESCRIPTIVE TITLE.
    # Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
    # This file is distributed under the same license as the PACKAGE package.
    # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
    #
    #, fuzzy
    msgid ""
    msgstr ""
    "Project-Id-Version: PACKAGE VERSION\n"
    "Report-Msgid-Bugs-To: \n"
    "POT-Creation-Date: 2023-06-19 17:31+0300\n"
    "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
    "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
    "Language-Team: LANGUAGE <LL@li.org>\n"
    "Language: \n"
    "MIME-Version: 1.0\n"
    "Content-Type: text/plain; charset=CHARSET\n"
    "Content-Transfer-Encoding: 8bit\n"
    
    #: demo.py:12
    msgid "Hello World"
    msgstr ""

    Feel free to adjust the preamble by providing your project name, translator and team names, and other attributes (though this is totally optional).

    The most interesting part is this one:

    #: demo.py:10
    msgid "Hello World"
    msgstr ""

    The # character marks a comment. Inside this comment, we can see the file name and the line number where the translation was found.

    The msgid is our initial text marked for translation. We can call it a translation key. The msgstr is the corresponding translation value, which is currently empty. Please note that you are not usually expected to provide any translations within the POT files because these are just templates!

    Adding a PO file

    In order to translate something, you should copy-paste the POT file into the locales/LC_MESSAGES/en folder under the name lokalise.po (yes, it’s po, not pot). PO is a portable object file that’ll host the actual translations for the given language.

    Now simply open the lokalise.po file and provide the value for the msgstr:

    #: demo.py:10
    msgid "Hello World"
    msgstr "Hello and welcome to this tutorial on Lokalise!"

    There are two more things I’d really recommend doing in this and any other PO files we are going to create later:

    • Check the Content-Type header and make sure that the charset is set to UTF-8 (otherwise you might have issues when displaying non-Latin characters). Here’s an example: "Content-Type: text/plain; charset=UTF-8\n".
    • Adjust the Language header by passing the locale code. For English translations, you would use "Language: en\n".

    Unfortunately, this is not all. While the PO file is ready, we have to convert it to a special MO format that can actually be understood by gettext.

    Generating a MO file

    The good news is that we are not expected to create the MO files manually. Instead, we can rely on the msgfmt tool that also comes packaged with gettext.

    Therefore, we’ll run the following command:

    msgfmt -o locales/en/LC_MESSAGES/lokalise.mo locales/en/LC_MESSAGES/lokalise.po"

    We are effectively saying “create a new MO file based on the PO file.” To summarize, the PO files are meant to be edited by translators, whereas the MO files should never be manually created or adjusted.

    Verify that the lokalise.mo has been created in the same folder as the lokalise.po file, and rerun your app script. You should see: “Hello and welcome to this tutorial on Lokalise!” printed to the terminal. Great job!

    Adding more translations

    Now, what if you’d like to add more translations to the app? Basically, you’ll need to repeat the steps listed above.

    First, add a new text to the script and be sure to wrap it with the _ function:

    print(_("Learn Python i18n"))

    Next, run the xgettext tool to generate a new version of the POT file:

    xgettext -d base -o locales/lokalise.pot demo.py

    Copy the newly generated key-value pair, paste it inside lokalise.po (remember not to modify the POT file directly), and provide your translation:

    #: demo.py:12
    msgid "Learn Python i18n"
    msgstr "In this article you'll learn how to use Python i18n"

    Finally, generate the MO file:

    msgfmt -o locales/en/LC_MESSAGES/lokalise.mo locales/en/LC_MESSAGES/lokalise.po"

    Now you have two pieces of text translated into English!

    Translating into multiple languages

    The next question on your mind is probably: How do I add support for multiple locales? It would seem the process is very similar to what we’ve already done.

    To get started, let’s modify our script to ask the user what language they speak:

    import gettext
    
    locale = input("Please enter the preferred locale (en, fr, lv):")
    
    appname = 'lokalise'
    localedir = './locales'
    
    translations = gettext.translation(appname, localedir, fallback=True, languages=[locale.strip()])
    
    translations.install()
    
    print(_("Hello World"))
    
    print(_("Learn Python i18n"))

    I’ll add support for French and Latvian, but of course you can choose any other languages.

    Please note that the strings passed to the _ function stay the same: we don’t need to modify them!

    Now you should create two new folders inside the locales directory: fr and lv. Within each folder, add LC_MESSAGES and copy-paste the lokalise.pot as lokalise.po inside.

    Now let’s add the French translations:

    #: demo.py:10
    msgid "Hello World"
    msgstr "Bonjour et bienvenue dans ce tutoriel sur Lokalise !"
    
    #: demo.py:12
    msgid "Learn Python i18n"
    msgstr "Dans cet article, vous apprendrez à utiliser Python i18n"

    Remember to ensure that the encoding is set to UTF-8 and the language has the fr value in the headers.

    And Latvian the translations:

    #: demo.py:10
    msgid "Hello World"
    msgstr "Labdien un laipni lūdzam šajā Lokalise apmācībā!"
    
    #: demo.py:12
    msgid "Learn Python i18n"
    msgstr "Šajā rakstā jūs uzzināsit, kā izmantot Python i18n"

    As you might guess, the final step is running the msgfmt tool again. Just be sure to provide the proper directory names; for example:

    msgfmt -o locales/fr/LC_MESSAGES/lokalise.mo locales/fr/LC_MESSAGES/lokalise.po"

    At this point, you can run the app again and choose one of the locales. Nice!

    Localizing time zones in Python

    The easiest way to localize time zones in Python is through the pytz package. At the same time, a web framework like Django may have a built-in time zone handler. To get started with pytz, install the package using a package installer.

    pip install pytz

    Once you have successfully installed the package, you can use it to convert datetime objects to various time zones:

    from datetime import datetime
    from pytz import timezone
    
    format = "%Y-%m-%d %H:%M:%S %Z%z"
    
    timezones = ['America/Los_Angeles', 'Europe/Madrid', 'America/Puerto_Rico']
    
    for zone in timezones:
        now_time = datetime.now(timezone(zone))
        print(now_time.strftime(format))

    The timezone() function of the pytz package converts any datetime object to a different time zone. Additionally, the pytz package provides localization for the time zones into local languages.

    Pluralization with Python and gettext

    Now we’ll discuss how to add pluralization to our app. For instance, let’s suppose I’d like to translate the following phrase into multiple languages: “X incoming tasks”. X here is the number and the word “tasks” should be pluralized accordingly (“1 task” but “5 tasks“).

    To get started, ask the user for the input and utilize the ngettext function inside your script:

    tasks = int(input("How many incoming tasks are there?").strip())
    
    ngettext = translations.ngettext
    
    print(
        ngettext("%(num)d incoming task", "%(num)d incoming tasks", tasks) % {'num': tasks}
    )

    In this case, we have to provide two versions of the text that are also known as forms: plural and singular.

    Regenerate the POT file, open it, and copy the newly added lines. Let’s take care of the English translations first:

    #: demo.py:21
    #, python-format
    msgid "%(num)d incoming task"
    msgid_plural "%(num)d incoming tasks"
    msgstr[0] "I have one incoming task"
    msgstr[1] "I have %(num)d incoming tasks"

    One important thing we have to do here is add a new header that contains information about all the supported plural forms:

    "Plural-Forms: nplurals=2; plural=n != 1;\n"

    You can find information on other languages and the corresponding plural forms in the official gettext documentation.

    Next, open the Latvian translation files and add a new header there:

    "Plural-Forms: nplurals=3; plural=n==1 ? 0 : n==2 ? 1 : 2;"

    nplurals=3 means that this language has three plural forms. Next, you can see these forms indexed. Specifically, index 0 is used when the number equals 1, index 1 is used when there are two items, and the plural form number 2 covers all other cases.

    Provide the translations accordingly:

    #: demo.py:21
    #, python-format
    msgid "%(num)d incoming task"
    msgid_plural "%(num)d incoming tasks"
    msgstr[0] "Man ir viens ienākošais uzdevumsa"
    msgstr[1] "Man ir divi ienākošie uzdevumi"
    msgstr[2] "Man ir %(num)d ienākošie uzdevumi"

    Finally, let’s take care of the French translations:

    "Plural-Forms: nplurals=2; plural=n>1;"
    
    # ...
    
    #: demo.py:21
    #, python-format
    msgid "%(num)d incoming task"
    msgid_plural "%(num)d incoming tasks"
    msgstr[0] "J'ai %(num) tâche"
    msgstr[1] "J'ai %(num) tâches"

    Finally, don’t forget to regenerate the MO files, and then check that everything works properly!

    Translation with Lokalise for Python

    While managing your Python i18n tasks completely from scratch is doable, it is advisable to use a translation management system. Lokalise allows you to manage your translations through a central dashboard. Here are the steps that you need to follow:

    • First of all, sign up for a free trial. No credit card needed!
    • Confirm your email and follow the wizard’s instructions to create a new team and a project. A project is where your translations will be stored.
    • Be sure to choose the proper base and target languages for your project. The base language is like the main language of your app, therefore I’ll set it to English. Target languages are the ones you’ll be translating into (I’ll choose Latvian and French). Also, when choosing these languages, make sure the locale codes match the Language header values provided in the PO files. Specifically, if your Language is set to en then choose English (en) as the base language.
    • After creating the project proceed to the Upload page.
    • Choose your PO translation files from your PC (you don’t need to upload the POT and MO files!). The languages should be detected automatically:
    • You can keep all options set to the default values and press Import files.
    • Now return to the Editor and manage your translations. Please refer to this onboarding article to learn about all the main features of the Lokalise editor.
    • If you’d like to translate your texts into additional languages, you can hire a professional translator or use a neural network for the task. Just proceed to the Orders page and create a new order. You can learn more in our documentation.
    • Once you are ready, you can download PO files back to your project. To achieve this, proceed to the Download page and choose Gettext (.po) from the File format dropdown:
    • Choose the languages to download and then adjust the Bundle structure. If you haven’t created any new translation keys in the editor, then you can choose Multiple files per language option. If you have modified your keys and created new entries, then One file per language would be the safest choice:
    • Finally, scroll to the bottom of the page and click Build and download. You’ll get an archive with all your translation files. Alternatively, click Preview if you’d like to understand exactly how your translations will look.

    While Lokalise allows you to manage your translations through a GUI, it has a CLI tool that you may use to automate your translation management process. On top of that, we offer a Python SDK that works easily with the Lokalise API.

    Final thoughts on Python i18n

    In this guide, we helped you get up to speed on Python i18n and explained how you can internationalize your Python application. We covered the built-in gettext Python module and explored the changes you would need to make to your application to adhere to i18n principles. Furthermore, we explored how to perform pluralization and localize time zones. We then concluded the tutorial with a discussion of the Lokalise translation management system.

    That’s it for today! Thanks for staying with me and until next time.

    Talk to one of our localization specialists

    Book a call with one of our localization specialists and get a tailored consultation that can guide you on your localization path.

    Get a demo

    Related posts

    Learn something new every two weeks

    Get the latest in localization delivered straight to your inbox.

    Related articles
    Localization made easy. Why wait?
    The preferred localization tool of 3000+ companies