blob: 920742cabe88364870c189073f65b0f7c4dd535e [file] [log] [blame]
Barry Warsaw95be23d2000-08-25 19:13:37 +00001"""Internationalization and localization support.
2
3This module provides internationalization (I18N) and localization (L10N)
4support for your Python programs by providing an interface to the GNU gettext
5message catalog library.
6
7I18N refers to the operation by which a program is made aware of multiple
8languages. L10N refers to the adaptation of your program, once
Barry Warsaw33d8d702000-08-30 03:29:58 +00009internationalized, to the local language and cultural habits.
Barry Warsaw95be23d2000-08-25 19:13:37 +000010
11"""
12
Barry Warsawfa488ec2000-08-25 20:26:43 +000013# This module represents the integration of work, contributions, feedback, and
14# suggestions from the following people:
Barry Warsaw95be23d2000-08-25 19:13:37 +000015#
16# Martin von Loewis, who wrote the initial implementation of the underlying
17# C-based libintlmodule (later renamed _gettext), along with a skeletal
18# gettext.py implementation.
19#
20# Peter Funk, who wrote fintl.py, a fairly complete wrapper around intlmodule,
21# which also included a pure-Python implementation to read .mo files if
22# intlmodule wasn't available.
23#
24# James Henstridge, who also wrote a gettext.py module, which has some
25# interesting, but currently unsupported experimental features: the notion of
26# a Catalog class and instances, and the ability to add to a catalog file via
27# a Python API.
28#
29# Barry Warsaw integrated these modules, wrote the .install() API and code,
30# and conformed all C and Python code to Python's coding standards.
Barry Warsaw33d8d702000-08-30 03:29:58 +000031#
32# Francois Pinard and Marc-Andre Lemburg also contributed valuably to this
33# module.
34#
Martin v. Löwisa57dccd2003-03-10 16:01:43 +000035# J. David Ibanez implemented plural forms. Bruno Haible fixed some bugs.
Martin v. Löwisd8996052002-11-21 21:45:32 +000036#
Barry Warsaw33d8d702000-08-30 03:29:58 +000037# TODO:
38# - Lazy loading of .mo files. Currently the entire catalog is loaded into
39# memory, but that's probably bad for large translated programs. Instead,
40# the lexical sort of original strings in GNU .mo files should be exploited
41# to do binary searches and lazy initializations. Or you might want to use
42# the undocumented double-hash algorithm for .mo files with hash tables, but
43# you'll need to study the GNU gettext code to do this.
44#
45# - Support Solaris .mo file formats. Unfortunately, we've been unable to
46# find this format documented anywhere.
Barry Warsaw95be23d2000-08-25 19:13:37 +000047
Martin v. Löwisd8996052002-11-21 21:45:32 +000048
Victor Stinnerd6debb22017-03-27 16:05:26 +020049import locale
50import os
51import re
Victor Stinnerd6debb22017-03-27 16:05:26 +020052import sys
Barry Warsaw95be23d2000-08-25 19:13:37 +000053
Martin v. Löwisd8996052002-11-21 21:45:32 +000054
Barry Warsawa1ce93f2003-04-11 18:36:43 +000055__all__ = ['NullTranslations', 'GNUTranslations', 'Catalog',
56 'find', 'translation', 'install', 'textdomain', 'bindtextdomain',
Andrew Kuchling770b08e2015-04-13 09:58:36 -040057 'bind_textdomain_codeset',
58 'dgettext', 'dngettext', 'gettext', 'lgettext', 'ldgettext',
59 'ldngettext', 'lngettext', 'ngettext',
Barry Warsawa1ce93f2003-04-11 18:36:43 +000060 ]
Skip Montanaro2dd42762001-01-23 15:35:05 +000061
Vinay Sajip7ded1f02012-05-26 03:45:29 +010062_default_localedir = os.path.join(sys.base_prefix, 'share', 'locale')
Barry Warsaw95be23d2000-08-25 19:13:37 +000063
Serhiy Storchaka07bcf052016-11-08 21:17:46 +020064# Expression parsing for plural form selection.
65#
66# The gettext library supports a small subset of C syntax. The only
67# incompatible difference is that integer literals starting with zero are
68# decimal.
69#
70# https://www.gnu.org/software/gettext/manual/gettext.html#Plural-forms
71# http://git.savannah.gnu.org/cgit/gettext.git/tree/gettext-runtime/intl/plural.y
72
73_token_pattern = re.compile(r"""
74 (?P<WHITESPACES>[ \t]+) | # spaces and horizontal tabs
75 (?P<NUMBER>[0-9]+\b) | # decimal integer
76 (?P<NAME>n\b) | # only n is allowed
77 (?P<PARENTHESIS>[()]) |
78 (?P<OPERATOR>[-*/%+?:]|[><!]=?|==|&&|\|\|) | # !, *, /, %, +, -, <, >,
79 # <=, >=, ==, !=, &&, ||,
80 # ? :
81 # unary and bitwise ops
82 # not allowed
83 (?P<INVALID>\w+|.) # invalid token
84 """, re.VERBOSE|re.DOTALL)
85
86def _tokenize(plural):
87 for mo in re.finditer(_token_pattern, plural):
88 kind = mo.lastgroup
89 if kind == 'WHITESPACES':
90 continue
91 value = mo.group(kind)
92 if kind == 'INVALID':
93 raise ValueError('invalid token in plural form: %s' % value)
94 yield value
95 yield ''
96
97def _error(value):
98 if value:
99 return ValueError('unexpected token in plural form: %s' % value)
100 else:
101 return ValueError('unexpected end of plural form')
102
103_binary_ops = (
104 ('||',),
105 ('&&',),
106 ('==', '!='),
107 ('<', '>', '<=', '>='),
108 ('+', '-'),
109 ('*', '/', '%'),
110)
111_binary_ops = {op: i for i, ops in enumerate(_binary_ops, 1) for op in ops}
112_c2py_ops = {'||': 'or', '&&': 'and', '/': '//'}
113
114def _parse(tokens, priority=-1):
115 result = ''
116 nexttok = next(tokens)
117 while nexttok == '!':
118 result += 'not '
119 nexttok = next(tokens)
120
121 if nexttok == '(':
122 sub, nexttok = _parse(tokens)
123 result = '%s(%s)' % (result, sub)
124 if nexttok != ')':
125 raise ValueError('unbalanced parenthesis in plural form')
126 elif nexttok == 'n':
127 result = '%s%s' % (result, nexttok)
128 else:
129 try:
130 value = int(nexttok, 10)
131 except ValueError:
132 raise _error(nexttok) from None
133 result = '%s%d' % (result, value)
134 nexttok = next(tokens)
135
136 j = 100
137 while nexttok in _binary_ops:
138 i = _binary_ops[nexttok]
139 if i < priority:
140 break
141 # Break chained comparisons
142 if i in (3, 4) and j in (3, 4): # '==', '!=', '<', '>', '<=', '>='
143 result = '(%s)' % result
144 # Replace some C operators by their Python equivalents
145 op = _c2py_ops.get(nexttok, nexttok)
146 right, nexttok = _parse(tokens, i + 1)
147 result = '%s %s %s' % (result, op, right)
148 j = i
149 if j == priority == 4: # '<', '>', '<=', '>='
150 result = '(%s)' % result
151
152 if nexttok == '?' and priority <= 0:
153 if_true, nexttok = _parse(tokens, 0)
154 if nexttok != ':':
155 raise _error(nexttok)
156 if_false, nexttok = _parse(tokens)
157 result = '%s if %s else %s' % (if_true, result, if_false)
158 if priority == 0:
159 result = '(%s)' % result
160
161 return result, nexttok
Barry Warsaw95be23d2000-08-25 19:13:37 +0000162
Serhiy Storchaka60ac9892016-11-14 19:22:12 +0200163def _as_int(n):
164 try:
165 i = round(n)
166 except TypeError:
167 raise TypeError('Plural value must be an integer, got %s' %
168 (n.__class__.__name__,)) from None
Serhiy Storchakaf6595982017-03-12 13:15:01 +0200169 import warnings
170 warnings.warn('Plural value must be an integer, got %s' %
171 (n.__class__.__name__,),
172 DeprecationWarning, 4)
Serhiy Storchaka60ac9892016-11-14 19:22:12 +0200173 return n
174
Martin v. Löwisd8996052002-11-21 21:45:32 +0000175def c2py(plural):
Barry Warsawc4acc2b2003-04-24 18:13:39 +0000176 """Gets a C expression as used in PO files for plural forms and returns a
Serhiy Storchaka07bcf052016-11-08 21:17:46 +0200177 Python function that implements an equivalent expression.
Martin v. Löwisd8996052002-11-21 21:45:32 +0000178 """
Serhiy Storchaka07bcf052016-11-08 21:17:46 +0200179
180 if len(plural) > 1000:
181 raise ValueError('plural form expression is too long')
Martin v. Löwisa57dccd2003-03-10 16:01:43 +0000182 try:
Serhiy Storchaka07bcf052016-11-08 21:17:46 +0200183 result, nexttok = _parse(_tokenize(plural))
184 if nexttok:
185 raise _error(nexttok)
Martin v. Löwisd8996052002-11-21 21:45:32 +0000186
Serhiy Storchaka07bcf052016-11-08 21:17:46 +0200187 depth = 0
188 for c in result:
189 if c == '(':
190 depth += 1
191 if depth > 20:
192 # Python compiler limit is about 90.
193 # The most complex example has 2.
194 raise ValueError('plural form expression is too complex')
195 elif c == ')':
196 depth -= 1
Martin v. Löwisd8996052002-11-21 21:45:32 +0000197
Serhiy Storchaka60ac9892016-11-14 19:22:12 +0200198 ns = {'_as_int': _as_int}
Serhiy Storchaka07bcf052016-11-08 21:17:46 +0200199 exec('''if True:
200 def func(n):
201 if not isinstance(n, int):
Serhiy Storchaka60ac9892016-11-14 19:22:12 +0200202 n = _as_int(n)
Serhiy Storchaka07bcf052016-11-08 21:17:46 +0200203 return int(%s)
204 ''' % result, ns)
205 return ns['func']
Serhiy Storchakaeb20fca2016-11-08 21:26:14 +0200206 except RecursionError:
Serhiy Storchaka07bcf052016-11-08 21:17:46 +0200207 # Recursion error can be raised in _parse() or exec().
208 raise ValueError('plural form expression is too complex')
Martin v. Löwisd8996052002-11-21 21:45:32 +0000209
Tim Peters07e99cb2001-01-14 23:47:14 +0000210
Benjamin Peterson31e87202010-12-23 22:53:42 +0000211def _expand_lang(loc):
212 loc = locale.normalize(loc)
Barry Warsawfa488ec2000-08-25 20:26:43 +0000213 COMPONENT_CODESET = 1 << 0
214 COMPONENT_TERRITORY = 1 << 1
215 COMPONENT_MODIFIER = 1 << 2
216 # split up the locale into its base components
217 mask = 0
Benjamin Peterson31e87202010-12-23 22:53:42 +0000218 pos = loc.find('@')
Barry Warsawfa488ec2000-08-25 20:26:43 +0000219 if pos >= 0:
Benjamin Peterson31e87202010-12-23 22:53:42 +0000220 modifier = loc[pos:]
221 loc = loc[:pos]
Barry Warsawfa488ec2000-08-25 20:26:43 +0000222 mask |= COMPONENT_MODIFIER
223 else:
224 modifier = ''
Benjamin Peterson31e87202010-12-23 22:53:42 +0000225 pos = loc.find('.')
Barry Warsawfa488ec2000-08-25 20:26:43 +0000226 if pos >= 0:
Benjamin Peterson31e87202010-12-23 22:53:42 +0000227 codeset = loc[pos:]
228 loc = loc[:pos]
Barry Warsawfa488ec2000-08-25 20:26:43 +0000229 mask |= COMPONENT_CODESET
230 else:
231 codeset = ''
Benjamin Peterson31e87202010-12-23 22:53:42 +0000232 pos = loc.find('_')
Barry Warsawfa488ec2000-08-25 20:26:43 +0000233 if pos >= 0:
Benjamin Peterson31e87202010-12-23 22:53:42 +0000234 territory = loc[pos:]
235 loc = loc[:pos]
Barry Warsawfa488ec2000-08-25 20:26:43 +0000236 mask |= COMPONENT_TERRITORY
237 else:
238 territory = ''
Benjamin Peterson31e87202010-12-23 22:53:42 +0000239 language = loc
Barry Warsawfa488ec2000-08-25 20:26:43 +0000240 ret = []
241 for i in range(mask+1):
242 if not (i & ~mask): # if all components for this combo exist ...
243 val = language
244 if i & COMPONENT_TERRITORY: val += territory
245 if i & COMPONENT_CODESET: val += codeset
246 if i & COMPONENT_MODIFIER: val += modifier
247 ret.append(val)
248 ret.reverse()
249 return ret
250
251
Tim Peters07e99cb2001-01-14 23:47:14 +0000252
Barry Warsaw33d8d702000-08-30 03:29:58 +0000253class NullTranslations:
254 def __init__(self, fp=None):
255 self._info = {}
Barry Warsaw6008cbd2003-04-11 20:26:47 +0000256 self._charset = None
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000257 self._output_charset = None
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000258 self._fallback = None
Raymond Hettinger094662a2002-06-01 01:29:16 +0000259 if fp is not None:
Barry Warsaw33d8d702000-08-30 03:29:58 +0000260 self._parse(fp)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000261
Barry Warsaw33d8d702000-08-30 03:29:58 +0000262 def _parse(self, fp):
263 pass
264
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000265 def add_fallback(self, fallback):
266 if self._fallback:
267 self._fallback.add_fallback(fallback)
268 else:
269 self._fallback = fallback
270
Barry Warsaw33d8d702000-08-30 03:29:58 +0000271 def gettext(self, message):
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000272 if self._fallback:
273 return self._fallback.gettext(message)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000274 return message
275
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000276 def lgettext(self, message):
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300277 import warnings
278 warnings.warn('lgettext() is deprecated, use gettext() instead',
279 DeprecationWarning, 2)
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000280 if self._fallback:
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300281 with warnings.catch_warnings():
282 warnings.filterwarnings('ignore', r'.*\blgettext\b.*',
283 DeprecationWarning)
284 return self._fallback.lgettext(message)
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300285 if self._output_charset:
286 return message.encode(self._output_charset)
287 return message.encode(locale.getpreferredencoding())
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000288
Martin v. Löwisd8996052002-11-21 21:45:32 +0000289 def ngettext(self, msgid1, msgid2, n):
290 if self._fallback:
291 return self._fallback.ngettext(msgid1, msgid2, n)
292 if n == 1:
293 return msgid1
294 else:
295 return msgid2
296
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000297 def lngettext(self, msgid1, msgid2, n):
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300298 import warnings
299 warnings.warn('lngettext() is deprecated, use ngettext() instead',
300 DeprecationWarning, 2)
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000301 if self._fallback:
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300302 with warnings.catch_warnings():
303 warnings.filterwarnings('ignore', r'.*\blngettext\b.*',
304 DeprecationWarning)
305 return self._fallback.lngettext(msgid1, msgid2, n)
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000306 if n == 1:
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300307 tmsg = msgid1
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000308 else:
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300309 tmsg = msgid2
310 if self._output_charset:
311 return tmsg.encode(self._output_charset)
312 return tmsg.encode(locale.getpreferredencoding())
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000313
Barry Warsaw33d8d702000-08-30 03:29:58 +0000314 def info(self):
315 return self._info
316
317 def charset(self):
318 return self._charset
319
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000320 def output_charset(self):
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300321 import warnings
322 warnings.warn('output_charset() is deprecated',
323 DeprecationWarning, 2)
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000324 return self._output_charset
325
326 def set_output_charset(self, charset):
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300327 import warnings
328 warnings.warn('set_output_charset() is deprecated',
329 DeprecationWarning, 2)
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000330 self._output_charset = charset
331
Benjamin Peterson801844d2008-07-14 14:32:15 +0000332 def install(self, names=None):
Georg Brandl1a3284e2007-12-02 09:40:06 +0000333 import builtins
Benjamin Peterson801844d2008-07-14 14:32:15 +0000334 builtins.__dict__['_'] = self.gettext
Georg Brandl602b9ba2006-02-19 13:26:36 +0000335 if hasattr(names, "__contains__"):
336 if "gettext" in names:
Georg Brandl1a3284e2007-12-02 09:40:06 +0000337 builtins.__dict__['gettext'] = builtins.__dict__['_']
Georg Brandl602b9ba2006-02-19 13:26:36 +0000338 if "ngettext" in names:
Benjamin Peterson801844d2008-07-14 14:32:15 +0000339 builtins.__dict__['ngettext'] = self.ngettext
Georg Brandl602b9ba2006-02-19 13:26:36 +0000340 if "lgettext" in names:
Georg Brandl1a3284e2007-12-02 09:40:06 +0000341 builtins.__dict__['lgettext'] = self.lgettext
Georg Brandl602b9ba2006-02-19 13:26:36 +0000342 if "lngettext" in names:
Georg Brandl1a3284e2007-12-02 09:40:06 +0000343 builtins.__dict__['lngettext'] = self.lngettext
Barry Warsaw33d8d702000-08-30 03:29:58 +0000344
345
346class GNUTranslations(NullTranslations):
347 # Magic number of .mo files
Guido van Rossume2a383d2007-01-15 16:59:06 +0000348 LE_MAGIC = 0x950412de
349 BE_MAGIC = 0xde120495
Barry Warsaw95be23d2000-08-25 19:13:37 +0000350
Antoine Pitroube8d06f2014-10-28 20:17:51 +0100351 # Acceptable .mo versions
352 VERSIONS = (0, 1)
353
354 def _get_versions(self, version):
355 """Returns a tuple of major version, minor version"""
356 return (version >> 16, version & 0xffff)
357
Barry Warsaw95be23d2000-08-25 19:13:37 +0000358 def _parse(self, fp):
359 """Override this method to support alternative .mo formats."""
Serhiy Storchaka81108372017-09-26 00:55:55 +0300360 # Delay struct import for speeding up gettext import when .mo files
361 # are not used.
362 from struct import unpack
Barry Warsaw95be23d2000-08-25 19:13:37 +0000363 filename = getattr(fp, 'name', '')
364 # Parse the .mo file header, which consists of 5 little endian 32
365 # bit words.
Barry Warsaw33d8d702000-08-30 03:29:58 +0000366 self._catalog = catalog = {}
Martin v. Löwisa57dccd2003-03-10 16:01:43 +0000367 self.plural = lambda n: int(n != 1) # germanic plural by default
Barry Warsaw95be23d2000-08-25 19:13:37 +0000368 buf = fp.read()
Barry Warsaw9a2d9d72000-08-31 23:28:52 +0000369 buflen = len(buf)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000370 # Are we big endian or little endian?
Barry Warsaw09707e32002-08-14 15:09:12 +0000371 magic = unpack('<I', buf[:4])[0]
Barry Warsaw33d8d702000-08-30 03:29:58 +0000372 if magic == self.LE_MAGIC:
Barry Warsaw09707e32002-08-14 15:09:12 +0000373 version, msgcount, masteridx, transidx = unpack('<4I', buf[4:20])
374 ii = '<II'
Barry Warsaw33d8d702000-08-30 03:29:58 +0000375 elif magic == self.BE_MAGIC:
Barry Warsaw09707e32002-08-14 15:09:12 +0000376 version, msgcount, masteridx, transidx = unpack('>4I', buf[4:20])
377 ii = '>II'
Barry Warsaw33d8d702000-08-30 03:29:58 +0000378 else:
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200379 raise OSError(0, 'Bad magic number', filename)
Antoine Pitroube8d06f2014-10-28 20:17:51 +0100380
381 major_version, minor_version = self._get_versions(version)
382
383 if major_version not in self.VERSIONS:
384 raise OSError(0, 'Bad version number ' + str(major_version), filename)
385
Barry Warsaw95be23d2000-08-25 19:13:37 +0000386 # Now put all messages from the .mo file buffer into the catalog
387 # dictionary.
Guido van Rossum805365e2007-05-07 22:24:25 +0000388 for i in range(0, msgcount):
Barry Warsaw33d8d702000-08-30 03:29:58 +0000389 mlen, moff = unpack(ii, buf[masteridx:masteridx+8])
Barry Warsaw09707e32002-08-14 15:09:12 +0000390 mend = moff + mlen
Barry Warsaw33d8d702000-08-30 03:29:58 +0000391 tlen, toff = unpack(ii, buf[transidx:transidx+8])
Barry Warsaw09707e32002-08-14 15:09:12 +0000392 tend = toff + tlen
Barry Warsaw9a2d9d72000-08-31 23:28:52 +0000393 if mend < buflen and tend < buflen:
Martin v. Löwisd8996052002-11-21 21:45:32 +0000394 msg = buf[moff:mend]
Barry Warsaw33d8d702000-08-30 03:29:58 +0000395 tmsg = buf[toff:tend]
Barry Warsaw95be23d2000-08-25 19:13:37 +0000396 else:
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200397 raise OSError(0, 'File is corrupt', filename)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000398 # See if we're looking at GNU .mo conventions for metadata
Barry Warsaw6008cbd2003-04-11 20:26:47 +0000399 if mlen == 0:
Barry Warsaw33d8d702000-08-30 03:29:58 +0000400 # Catalog description
Andrew Kuchling8b963c52015-04-13 10:38:56 -0400401 lastk = None
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300402 for b_item in tmsg.split(b'\n'):
Guido van Rossum98297ee2007-11-06 21:34:58 +0000403 item = b_item.decode().strip()
Barry Warsaw33d8d702000-08-30 03:29:58 +0000404 if not item:
405 continue
Andrew Kuchling8b963c52015-04-13 10:38:56 -0400406 k = v = None
Barry Warsaw7de63f52003-05-20 17:26:48 +0000407 if ':' in item:
408 k, v = item.split(':', 1)
409 k = k.strip().lower()
410 v = v.strip()
411 self._info[k] = v
412 lastk = k
413 elif lastk:
414 self._info[lastk] += '\n' + item
Barry Warsaw33d8d702000-08-30 03:29:58 +0000415 if k == 'content-type':
416 self._charset = v.split('charset=')[1]
Martin v. Löwisd8996052002-11-21 21:45:32 +0000417 elif k == 'plural-forms':
418 v = v.split(';')
Martin v. Löwisd8996052002-11-21 21:45:32 +0000419 plural = v[1].split('plural=')[1]
420 self.plural = c2py(plural)
Barry Warsawc4acc2b2003-04-24 18:13:39 +0000421 # Note: we unconditionally convert both msgids and msgstrs to
422 # Unicode using the character encoding specified in the charset
423 # parameter of the Content-Type header. The gettext documentation
Ezio Melotti42da6632011-03-15 05:18:48 +0200424 # strongly encourages msgids to be us-ascii, but some applications
Barry Warsawc4acc2b2003-04-24 18:13:39 +0000425 # require alternative encodings (e.g. Zope's ZCML and ZPT). For
426 # traditional gettext applications, the msgid conversion will
427 # cause no problems since us-ascii should always be a subset of
428 # the charset encoding. We may want to fall back to 8-bit msgids
429 # if the Unicode conversion fails.
Georg Brandlbded4d32008-07-17 18:15:35 +0000430 charset = self._charset or 'ascii'
Guido van Rossum652f4462007-07-12 08:04:06 +0000431 if b'\x00' in msg:
Barry Warsaw6008cbd2003-04-11 20:26:47 +0000432 # Plural forms
Guido van Rossum9600f932007-08-29 03:08:55 +0000433 msgid1, msgid2 = msg.split(b'\x00')
434 tmsg = tmsg.split(b'\x00')
Georg Brandlbded4d32008-07-17 18:15:35 +0000435 msgid1 = str(msgid1, charset)
436 for i, x in enumerate(tmsg):
437 catalog[(msgid1, i)] = str(x, charset)
Barry Warsaw6008cbd2003-04-11 20:26:47 +0000438 else:
Georg Brandlbded4d32008-07-17 18:15:35 +0000439 catalog[str(msg, charset)] = str(tmsg, charset)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000440 # advance to next entry in the seek tables
Barry Warsawfa488ec2000-08-25 20:26:43 +0000441 masteridx += 8
442 transidx += 8
Barry Warsaw33d8d702000-08-30 03:29:58 +0000443
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000444 def lgettext(self, message):
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300445 import warnings
446 warnings.warn('lgettext() is deprecated, use gettext() instead',
447 DeprecationWarning, 2)
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000448 missing = object()
449 tmsg = self._catalog.get(message, missing)
450 if tmsg is missing:
451 if self._fallback:
452 return self._fallback.lgettext(message)
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300453 tmsg = message
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000454 if self._output_charset:
455 return tmsg.encode(self._output_charset)
456 return tmsg.encode(locale.getpreferredencoding())
457
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000458 def lngettext(self, msgid1, msgid2, n):
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300459 import warnings
460 warnings.warn('lngettext() is deprecated, use ngettext() instead',
461 DeprecationWarning, 2)
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000462 try:
463 tmsg = self._catalog[(msgid1, self.plural(n))]
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000464 except KeyError:
465 if self._fallback:
466 return self._fallback.lngettext(msgid1, msgid2, n)
467 if n == 1:
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300468 tmsg = msgid1
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000469 else:
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300470 tmsg = msgid2
471 if self._output_charset:
472 return tmsg.encode(self._output_charset)
473 return tmsg.encode(locale.getpreferredencoding())
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000474
Benjamin Peterson801844d2008-07-14 14:32:15 +0000475 def gettext(self, message):
Barry Warsawa1ce93f2003-04-11 18:36:43 +0000476 missing = object()
477 tmsg = self._catalog.get(message, missing)
478 if tmsg is missing:
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000479 if self._fallback:
Benjamin Peterson801844d2008-07-14 14:32:15 +0000480 return self._fallback.gettext(message)
Georg Brandlbded4d32008-07-17 18:15:35 +0000481 return message
Barry Warsawa1ce93f2003-04-11 18:36:43 +0000482 return tmsg
Barry Warsaw95be23d2000-08-25 19:13:37 +0000483
Benjamin Peterson801844d2008-07-14 14:32:15 +0000484 def ngettext(self, msgid1, msgid2, n):
Martin v. Löwisd8996052002-11-21 21:45:32 +0000485 try:
486 tmsg = self._catalog[(msgid1, self.plural(n))]
487 except KeyError:
488 if self._fallback:
Benjamin Peterson801844d2008-07-14 14:32:15 +0000489 return self._fallback.ngettext(msgid1, msgid2, n)
Martin v. Löwisd8996052002-11-21 21:45:32 +0000490 if n == 1:
Georg Brandlbded4d32008-07-17 18:15:35 +0000491 tmsg = msgid1
Martin v. Löwisd8996052002-11-21 21:45:32 +0000492 else:
Georg Brandlbded4d32008-07-17 18:15:35 +0000493 tmsg = msgid2
Barry Warsawa1ce93f2003-04-11 18:36:43 +0000494 return tmsg
Martin v. Löwisd8996052002-11-21 21:45:32 +0000495
Tim Peters07e99cb2001-01-14 23:47:14 +0000496
Barry Warsaw95be23d2000-08-25 19:13:37 +0000497# Locate a .mo file using the gettext strategy
Georg Brandlcd869252009-05-17 12:50:58 +0000498def find(domain, localedir=None, languages=None, all=False):
Barry Warsaw95be23d2000-08-25 19:13:37 +0000499 # Get some reasonable defaults for arguments that were not supplied
Barry Warsaw95be23d2000-08-25 19:13:37 +0000500 if localedir is None:
Barry Warsaw33d8d702000-08-30 03:29:58 +0000501 localedir = _default_localedir
Barry Warsaw95be23d2000-08-25 19:13:37 +0000502 if languages is None:
503 languages = []
504 for envar in ('LANGUAGE', 'LC_ALL', 'LC_MESSAGES', 'LANG'):
505 val = os.environ.get(envar)
506 if val:
507 languages = val.split(':')
508 break
509 if 'C' not in languages:
510 languages.append('C')
Barry Warsawfa488ec2000-08-25 20:26:43 +0000511 # now normalize and expand the languages
Barry Warsaw75f81012000-10-16 15:47:50 +0000512 nelangs = []
Barry Warsawfa488ec2000-08-25 20:26:43 +0000513 for lang in languages:
514 for nelang in _expand_lang(lang):
Barry Warsaw75f81012000-10-16 15:47:50 +0000515 if nelang not in nelangs:
516 nelangs.append(nelang)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000517 # select a language
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000518 if all:
519 result = []
520 else:
521 result = None
Barry Warsaw75f81012000-10-16 15:47:50 +0000522 for lang in nelangs:
Barry Warsaw95be23d2000-08-25 19:13:37 +0000523 if lang == 'C':
524 break
Barry Warsaw84314b72000-08-25 19:53:17 +0000525 mofile = os.path.join(localedir, lang, 'LC_MESSAGES', '%s.mo' % domain)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000526 if os.path.exists(mofile):
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000527 if all:
528 result.append(mofile)
529 else:
530 return mofile
531 return result
Barry Warsaw95be23d2000-08-25 19:13:37 +0000532
533
Tim Peters07e99cb2001-01-14 23:47:14 +0000534
Barry Warsaw33d8d702000-08-30 03:29:58 +0000535# a mapping between absolute .mo file path and Translation object
536_translations = {}
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300537_unspecified = ['unspecified']
Barry Warsaw33d8d702000-08-30 03:29:58 +0000538
Martin v. Löwis1be64192002-01-11 06:33:28 +0000539def translation(domain, localedir=None, languages=None,
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300540 class_=None, fallback=False, codeset=_unspecified):
Barry Warsaw33d8d702000-08-30 03:29:58 +0000541 if class_ is None:
542 class_ = GNUTranslations
Georg Brandlcd869252009-05-17 12:50:58 +0000543 mofiles = find(domain, localedir, languages, all=True)
Barry Warsawc4acc2b2003-04-24 18:13:39 +0000544 if not mofiles:
Martin v. Löwis1be64192002-01-11 06:33:28 +0000545 if fallback:
546 return NullTranslations()
Serhiy Storchaka81108372017-09-26 00:55:55 +0300547 from errno import ENOENT
548 raise FileNotFoundError(ENOENT,
549 'No translation file found for domain', domain)
Barry Warsaw293b03f2000-10-05 18:48:12 +0000550 # Avoid opening, reading, and parsing the .mo file after it's been done
551 # once.
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000552 result = None
553 for mofile in mofiles:
Éric Araujo6108bf52010-10-04 23:52:37 +0000554 key = (class_, os.path.abspath(mofile))
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000555 t = _translations.get(key)
556 if t is None:
Benjamin Petersonfa0d7032009-06-01 22:42:33 +0000557 with open(mofile, 'rb') as fp:
558 t = _translations.setdefault(key, class_(fp))
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000559 # Copy the translation object to allow setting fallbacks and
560 # output charset. All other instance data is shared with the
561 # cached object.
Serhiy Storchaka81108372017-09-26 00:55:55 +0300562 # Delay copy import for speeding up gettext import when .mo files
563 # are not used.
564 import copy
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000565 t = copy.copy(t)
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300566 if codeset is not _unspecified:
567 import warnings
568 warnings.warn('parameter codeset is deprecated',
569 DeprecationWarning, 2)
570 if codeset:
571 with warnings.catch_warnings():
572 warnings.filterwarnings('ignore', r'.*\bset_output_charset\b.*',
573 DeprecationWarning)
574 t.set_output_charset(codeset)
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000575 if result is None:
576 result = t
577 else:
578 result.add_fallback(t)
579 return result
Barry Warsaw33d8d702000-08-30 03:29:58 +0000580
Tim Peters07e99cb2001-01-14 23:47:14 +0000581
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300582def install(domain, localedir=None, codeset=_unspecified, names=None):
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000583 t = translation(domain, localedir, fallback=True, codeset=codeset)
Benjamin Peterson801844d2008-07-14 14:32:15 +0000584 t.install(names)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000585
586
Tim Peters07e99cb2001-01-14 23:47:14 +0000587
Barry Warsaw33d8d702000-08-30 03:29:58 +0000588# a mapping b/w domains and locale directories
589_localedirs = {}
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000590# a mapping b/w domains and codesets
591_localecodesets = {}
Barry Warsaw33d8d702000-08-30 03:29:58 +0000592# current global domain, `messages' used for compatibility w/ GNU gettext
593_current_domain = 'messages'
Barry Warsaw95be23d2000-08-25 19:13:37 +0000594
595
596def textdomain(domain=None):
Barry Warsaw95be23d2000-08-25 19:13:37 +0000597 global _current_domain
Barry Warsaw33d8d702000-08-30 03:29:58 +0000598 if domain is not None:
Barry Warsaw95be23d2000-08-25 19:13:37 +0000599 _current_domain = domain
Barry Warsaw33d8d702000-08-30 03:29:58 +0000600 return _current_domain
Barry Warsaw95be23d2000-08-25 19:13:37 +0000601
602
Barry Warsaw33d8d702000-08-30 03:29:58 +0000603def bindtextdomain(domain, localedir=None):
604 global _localedirs
605 if localedir is not None:
606 _localedirs[domain] = localedir
607 return _localedirs.get(domain, _default_localedir)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000608
609
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000610def bind_textdomain_codeset(domain, codeset=None):
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300611 import warnings
612 warnings.warn('bind_textdomain_codeset() is deprecated',
613 DeprecationWarning, 2)
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000614 global _localecodesets
615 if codeset is not None:
616 _localecodesets[domain] = codeset
617 return _localecodesets.get(domain)
618
619
Barry Warsaw95be23d2000-08-25 19:13:37 +0000620def dgettext(domain, message):
Barry Warsaw33d8d702000-08-30 03:29:58 +0000621 try:
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300622 t = translation(domain, _localedirs.get(domain, None))
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200623 except OSError:
Barry Warsaw33d8d702000-08-30 03:29:58 +0000624 return message
625 return t.gettext(message)
Tim Peters07e99cb2001-01-14 23:47:14 +0000626
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000627def ldgettext(domain, message):
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300628 import warnings
629 warnings.warn('ldgettext() is deprecated, use dgettext() instead',
630 DeprecationWarning, 2)
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300631 codeset = _localecodesets.get(domain)
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000632 try:
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300633 with warnings.catch_warnings():
634 warnings.filterwarnings('ignore', r'.*\bparameter codeset\b.*',
635 DeprecationWarning)
636 t = translation(domain, _localedirs.get(domain, None), codeset=codeset)
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200637 except OSError:
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300638 return message.encode(codeset or locale.getpreferredencoding())
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300639 with warnings.catch_warnings():
640 warnings.filterwarnings('ignore', r'.*\blgettext\b.*',
641 DeprecationWarning)
642 return t.lgettext(message)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000643
Martin v. Löwisd8996052002-11-21 21:45:32 +0000644def dngettext(domain, msgid1, msgid2, n):
645 try:
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300646 t = translation(domain, _localedirs.get(domain, None))
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200647 except OSError:
Martin v. Löwisd8996052002-11-21 21:45:32 +0000648 if n == 1:
649 return msgid1
650 else:
651 return msgid2
652 return t.ngettext(msgid1, msgid2, n)
653
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000654def ldngettext(domain, msgid1, msgid2, n):
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300655 import warnings
656 warnings.warn('ldngettext() is deprecated, use dngettext() instead',
657 DeprecationWarning, 2)
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300658 codeset = _localecodesets.get(domain)
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000659 try:
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300660 with warnings.catch_warnings():
661 warnings.filterwarnings('ignore', r'.*\bparameter codeset\b.*',
662 DeprecationWarning)
663 t = translation(domain, _localedirs.get(domain, None), codeset=codeset)
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200664 except OSError:
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000665 if n == 1:
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300666 tmsg = msgid1
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000667 else:
Serhiy Storchaka26cb4652017-06-20 17:13:29 +0300668 tmsg = msgid2
669 return tmsg.encode(codeset or locale.getpreferredencoding())
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300670 with warnings.catch_warnings():
671 warnings.filterwarnings('ignore', r'.*\blngettext\b.*',
672 DeprecationWarning)
673 return t.lngettext(msgid1, msgid2, n)
Martin v. Löwisd8996052002-11-21 21:45:32 +0000674
Barry Warsaw33d8d702000-08-30 03:29:58 +0000675def gettext(message):
676 return dgettext(_current_domain, message)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000677
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000678def lgettext(message):
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300679 import warnings
680 warnings.warn('lgettext() is deprecated, use gettext() instead',
681 DeprecationWarning, 2)
682 with warnings.catch_warnings():
683 warnings.filterwarnings('ignore', r'.*\bldgettext\b.*',
684 DeprecationWarning)
685 return ldgettext(_current_domain, message)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000686
Martin v. Löwisd8996052002-11-21 21:45:32 +0000687def ngettext(msgid1, msgid2, n):
688 return dngettext(_current_domain, msgid1, msgid2, n)
689
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000690def lngettext(msgid1, msgid2, n):
Serhiy Storchakafec35c92018-10-27 08:00:41 +0300691 import warnings
692 warnings.warn('lngettext() is deprecated, use ngettext() instead',
693 DeprecationWarning, 2)
694 with warnings.catch_warnings():
695 warnings.filterwarnings('ignore', r'.*\bldngettext\b.*',
696 DeprecationWarning)
697 return ldngettext(_current_domain, msgid1, msgid2, n)
Martin v. Löwisd8996052002-11-21 21:45:32 +0000698
Barry Warsaw33d8d702000-08-30 03:29:58 +0000699# dcgettext() has been deemed unnecessary and is not implemented.
Barry Warsaw95be23d2000-08-25 19:13:37 +0000700
Barry Warsaw33d8d702000-08-30 03:29:58 +0000701# James Henstridge's Catalog constructor from GNOME gettext. Documented usage
702# was:
703#
704# import gettext
705# cat = gettext.Catalog(PACKAGE, localedir=LOCALEDIR)
706# _ = cat.gettext
707# print _('Hello World')
Barry Warsaw95be23d2000-08-25 19:13:37 +0000708
Barry Warsaw33d8d702000-08-30 03:29:58 +0000709# The resulting catalog object currently don't support access through a
710# dictionary API, which was supported (but apparently unused) in GNOME
711# gettext.
Barry Warsaw95be23d2000-08-25 19:13:37 +0000712
Barry Warsaw33d8d702000-08-30 03:29:58 +0000713Catalog = translation