blob: f9392d80d500a0304b875bc6fd22ae7fb1dd2ba6 [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
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +000049import locale, copy, os, re, struct, sys
Barry Warsaw33d8d702000-08-30 03:29:58 +000050from errno import ENOENT
Barry Warsaw95be23d2000-08-25 19:13:37 +000051
Martin v. Löwisd8996052002-11-21 21:45:32 +000052
Barry Warsawa1ce93f2003-04-11 18:36:43 +000053__all__ = ['NullTranslations', 'GNUTranslations', 'Catalog',
54 'find', 'translation', 'install', 'textdomain', 'bindtextdomain',
55 'dgettext', 'dngettext', 'gettext', 'ngettext',
56 ]
Skip Montanaro2dd42762001-01-23 15:35:05 +000057
Barry Warsaw33d8d702000-08-30 03:29:58 +000058_default_localedir = os.path.join(sys.prefix, 'share', 'locale')
Barry Warsaw95be23d2000-08-25 19:13:37 +000059
60
Martin v. Löwisd8996052002-11-21 21:45:32 +000061def test(condition, true, false):
62 """
63 Implements the C expression:
64
65 condition ? true : false
66
67 Required to correctly interpret plural forms.
68 """
69 if condition:
70 return true
71 else:
72 return false
73
74
75def c2py(plural):
Barry Warsawc4acc2b2003-04-24 18:13:39 +000076 """Gets a C expression as used in PO files for plural forms and returns a
77 Python lambda function that implements an equivalent expression.
Martin v. Löwisd8996052002-11-21 21:45:32 +000078 """
79 # Security check, allow only the "n" identifier
Guido van Rossum68937b42007-05-18 00:51:22 +000080 from io import StringIO
Martin v. Löwisd8996052002-11-21 21:45:32 +000081 import token, tokenize
82 tokens = tokenize.generate_tokens(StringIO(plural).readline)
Martin v. Löwisa57dccd2003-03-10 16:01:43 +000083 try:
Barry Warsawc4acc2b2003-04-24 18:13:39 +000084 danger = [x for x in tokens if x[0] == token.NAME and x[1] != 'n']
Martin v. Löwisa57dccd2003-03-10 16:01:43 +000085 except tokenize.TokenError:
Collin Winterce36ad82007-08-30 01:19:48 +000086 raise ValueError('plural forms expression error, maybe unbalanced parenthesis')
Martin v. Löwisa57dccd2003-03-10 16:01:43 +000087 else:
88 if danger:
Collin Winterce36ad82007-08-30 01:19:48 +000089 raise ValueError('plural forms expression could be dangerous')
Martin v. Löwisd8996052002-11-21 21:45:32 +000090
91 # Replace some C operators by their Python equivalents
92 plural = plural.replace('&&', ' and ')
93 plural = plural.replace('||', ' or ')
94
Martin v. Löwisa57dccd2003-03-10 16:01:43 +000095 expr = re.compile(r'\!([^=])')
96 plural = expr.sub(' not \\1', plural)
Martin v. Löwisd8996052002-11-21 21:45:32 +000097
98 # Regular expression and replacement function used to transform
99 # "a?b:c" to "test(a,b,c)".
100 expr = re.compile(r'(.*?)\?(.*?):(.*)')
101 def repl(x):
102 return "test(%s, %s, %s)" % (x.group(1), x.group(2),
103 expr.sub(repl, x.group(3)))
104
105 # Code to transform the plural expression, taking care of parentheses
106 stack = ['']
107 for c in plural:
108 if c == '(':
109 stack.append('')
110 elif c == ')':
Martin v. Löwisa57dccd2003-03-10 16:01:43 +0000111 if len(stack) == 1:
112 # Actually, we never reach this code, because unbalanced
113 # parentheses get caught in the security check at the
114 # beginning.
Collin Winterce36ad82007-08-30 01:19:48 +0000115 raise ValueError('unbalanced parenthesis in plural form')
Martin v. Löwisd8996052002-11-21 21:45:32 +0000116 s = expr.sub(repl, stack.pop())
117 stack[-1] += '(%s)' % s
118 else:
119 stack[-1] += c
120 plural = expr.sub(repl, stack.pop())
121
122 return eval('lambda n: int(%s)' % plural)
123
124
Tim Peters07e99cb2001-01-14 23:47:14 +0000125
Barry Warsawfa488ec2000-08-25 20:26:43 +0000126def _expand_lang(locale):
127 from locale import normalize
128 locale = normalize(locale)
129 COMPONENT_CODESET = 1 << 0
130 COMPONENT_TERRITORY = 1 << 1
131 COMPONENT_MODIFIER = 1 << 2
132 # split up the locale into its base components
133 mask = 0
134 pos = locale.find('@')
135 if pos >= 0:
136 modifier = locale[pos:]
137 locale = locale[:pos]
138 mask |= COMPONENT_MODIFIER
139 else:
140 modifier = ''
141 pos = locale.find('.')
142 if pos >= 0:
143 codeset = locale[pos:]
144 locale = locale[:pos]
145 mask |= COMPONENT_CODESET
146 else:
147 codeset = ''
148 pos = locale.find('_')
149 if pos >= 0:
150 territory = locale[pos:]
151 locale = locale[:pos]
152 mask |= COMPONENT_TERRITORY
153 else:
154 territory = ''
155 language = locale
156 ret = []
157 for i in range(mask+1):
158 if not (i & ~mask): # if all components for this combo exist ...
159 val = language
160 if i & COMPONENT_TERRITORY: val += territory
161 if i & COMPONENT_CODESET: val += codeset
162 if i & COMPONENT_MODIFIER: val += modifier
163 ret.append(val)
164 ret.reverse()
165 return ret
166
167
Tim Peters07e99cb2001-01-14 23:47:14 +0000168
Barry Warsaw33d8d702000-08-30 03:29:58 +0000169class NullTranslations:
170 def __init__(self, fp=None):
171 self._info = {}
Barry Warsaw6008cbd2003-04-11 20:26:47 +0000172 self._charset = None
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000173 self._output_charset = None
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000174 self._fallback = None
Raymond Hettinger094662a2002-06-01 01:29:16 +0000175 if fp is not None:
Barry Warsaw33d8d702000-08-30 03:29:58 +0000176 self._parse(fp)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000177
Barry Warsaw33d8d702000-08-30 03:29:58 +0000178 def _parse(self, fp):
179 pass
180
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000181 def add_fallback(self, fallback):
182 if self._fallback:
183 self._fallback.add_fallback(fallback)
184 else:
185 self._fallback = fallback
186
Barry Warsaw33d8d702000-08-30 03:29:58 +0000187 def gettext(self, message):
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000188 if self._fallback:
189 return self._fallback.gettext(message)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000190 return message
191
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000192 def lgettext(self, message):
193 if self._fallback:
194 return self._fallback.lgettext(message)
195 return message
196
Martin v. Löwisd8996052002-11-21 21:45:32 +0000197 def ngettext(self, msgid1, msgid2, n):
198 if self._fallback:
199 return self._fallback.ngettext(msgid1, msgid2, n)
200 if n == 1:
201 return msgid1
202 else:
203 return msgid2
204
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000205 def lngettext(self, msgid1, msgid2, n):
206 if self._fallback:
207 return self._fallback.lngettext(msgid1, msgid2, n)
208 if n == 1:
209 return msgid1
210 else:
211 return msgid2
212
Barry Warsaw33d8d702000-08-30 03:29:58 +0000213 def info(self):
214 return self._info
215
216 def charset(self):
217 return self._charset
218
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000219 def output_charset(self):
220 return self._output_charset
221
222 def set_output_charset(self, charset):
223 self._output_charset = charset
224
Benjamin Peterson801844d2008-07-14 14:32:15 +0000225 def install(self, names=None):
Georg Brandl1a3284e2007-12-02 09:40:06 +0000226 import builtins
Benjamin Peterson801844d2008-07-14 14:32:15 +0000227 builtins.__dict__['_'] = self.gettext
Georg Brandl602b9ba2006-02-19 13:26:36 +0000228 if hasattr(names, "__contains__"):
229 if "gettext" in names:
Georg Brandl1a3284e2007-12-02 09:40:06 +0000230 builtins.__dict__['gettext'] = builtins.__dict__['_']
Georg Brandl602b9ba2006-02-19 13:26:36 +0000231 if "ngettext" in names:
Benjamin Peterson801844d2008-07-14 14:32:15 +0000232 builtins.__dict__['ngettext'] = self.ngettext
Georg Brandl602b9ba2006-02-19 13:26:36 +0000233 if "lgettext" in names:
Georg Brandl1a3284e2007-12-02 09:40:06 +0000234 builtins.__dict__['lgettext'] = self.lgettext
Georg Brandl602b9ba2006-02-19 13:26:36 +0000235 if "lngettext" in names:
Georg Brandl1a3284e2007-12-02 09:40:06 +0000236 builtins.__dict__['lngettext'] = self.lngettext
Barry Warsaw33d8d702000-08-30 03:29:58 +0000237
238
239class GNUTranslations(NullTranslations):
240 # Magic number of .mo files
Guido van Rossume2a383d2007-01-15 16:59:06 +0000241 LE_MAGIC = 0x950412de
242 BE_MAGIC = 0xde120495
Barry Warsaw95be23d2000-08-25 19:13:37 +0000243
244 def _parse(self, fp):
245 """Override this method to support alternative .mo formats."""
246 unpack = struct.unpack
247 filename = getattr(fp, 'name', '')
248 # Parse the .mo file header, which consists of 5 little endian 32
249 # bit words.
Barry Warsaw33d8d702000-08-30 03:29:58 +0000250 self._catalog = catalog = {}
Martin v. Löwisa57dccd2003-03-10 16:01:43 +0000251 self.plural = lambda n: int(n != 1) # germanic plural by default
Barry Warsaw95be23d2000-08-25 19:13:37 +0000252 buf = fp.read()
Barry Warsaw9a2d9d72000-08-31 23:28:52 +0000253 buflen = len(buf)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000254 # Are we big endian or little endian?
Barry Warsaw09707e32002-08-14 15:09:12 +0000255 magic = unpack('<I', buf[:4])[0]
Barry Warsaw33d8d702000-08-30 03:29:58 +0000256 if magic == self.LE_MAGIC:
Barry Warsaw09707e32002-08-14 15:09:12 +0000257 version, msgcount, masteridx, transidx = unpack('<4I', buf[4:20])
258 ii = '<II'
Barry Warsaw33d8d702000-08-30 03:29:58 +0000259 elif magic == self.BE_MAGIC:
Barry Warsaw09707e32002-08-14 15:09:12 +0000260 version, msgcount, masteridx, transidx = unpack('>4I', buf[4:20])
261 ii = '>II'
Barry Warsaw33d8d702000-08-30 03:29:58 +0000262 else:
Barry Warsaw95be23d2000-08-25 19:13:37 +0000263 raise IOError(0, 'Bad magic number', filename)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000264 # Now put all messages from the .mo file buffer into the catalog
265 # dictionary.
Guido van Rossum805365e2007-05-07 22:24:25 +0000266 for i in range(0, msgcount):
Barry Warsaw33d8d702000-08-30 03:29:58 +0000267 mlen, moff = unpack(ii, buf[masteridx:masteridx+8])
Barry Warsaw09707e32002-08-14 15:09:12 +0000268 mend = moff + mlen
Barry Warsaw33d8d702000-08-30 03:29:58 +0000269 tlen, toff = unpack(ii, buf[transidx:transidx+8])
Barry Warsaw09707e32002-08-14 15:09:12 +0000270 tend = toff + tlen
Barry Warsaw9a2d9d72000-08-31 23:28:52 +0000271 if mend < buflen and tend < buflen:
Martin v. Löwisd8996052002-11-21 21:45:32 +0000272 msg = buf[moff:mend]
Barry Warsaw33d8d702000-08-30 03:29:58 +0000273 tmsg = buf[toff:tend]
Barry Warsaw95be23d2000-08-25 19:13:37 +0000274 else:
275 raise IOError(0, 'File is corrupt', filename)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000276 # See if we're looking at GNU .mo conventions for metadata
Barry Warsaw6008cbd2003-04-11 20:26:47 +0000277 if mlen == 0:
Barry Warsaw33d8d702000-08-30 03:29:58 +0000278 # Catalog description
Barry Warsawb8c78762003-10-04 02:28:31 +0000279 lastk = k = None
Christian Heimes6ae5d7f2007-10-31 18:53:44 +0000280 for b_item in tmsg.split('\n'.encode("ascii")):
Guido van Rossum98297ee2007-11-06 21:34:58 +0000281 item = b_item.decode().strip()
Barry Warsaw33d8d702000-08-30 03:29:58 +0000282 if not item:
283 continue
Barry Warsaw7de63f52003-05-20 17:26:48 +0000284 if ':' in item:
285 k, v = item.split(':', 1)
286 k = k.strip().lower()
287 v = v.strip()
288 self._info[k] = v
289 lastk = k
290 elif lastk:
291 self._info[lastk] += '\n' + item
Barry Warsaw33d8d702000-08-30 03:29:58 +0000292 if k == 'content-type':
293 self._charset = v.split('charset=')[1]
Martin v. Löwisd8996052002-11-21 21:45:32 +0000294 elif k == 'plural-forms':
295 v = v.split(';')
Martin v. Löwisd8996052002-11-21 21:45:32 +0000296 plural = v[1].split('plural=')[1]
297 self.plural = c2py(plural)
Barry Warsawc4acc2b2003-04-24 18:13:39 +0000298 # Note: we unconditionally convert both msgids and msgstrs to
299 # Unicode using the character encoding specified in the charset
300 # parameter of the Content-Type header. The gettext documentation
301 # strongly encourages msgids to be us-ascii, but some appliations
302 # require alternative encodings (e.g. Zope's ZCML and ZPT). For
303 # traditional gettext applications, the msgid conversion will
304 # cause no problems since us-ascii should always be a subset of
305 # the charset encoding. We may want to fall back to 8-bit msgids
306 # if the Unicode conversion fails.
Georg Brandlbded4d32008-07-17 18:15:35 +0000307 charset = self._charset or 'ascii'
Guido van Rossum652f4462007-07-12 08:04:06 +0000308 if b'\x00' in msg:
Barry Warsaw6008cbd2003-04-11 20:26:47 +0000309 # Plural forms
Guido van Rossum9600f932007-08-29 03:08:55 +0000310 msgid1, msgid2 = msg.split(b'\x00')
311 tmsg = tmsg.split(b'\x00')
Georg Brandlbded4d32008-07-17 18:15:35 +0000312 msgid1 = str(msgid1, charset)
313 for i, x in enumerate(tmsg):
314 catalog[(msgid1, i)] = str(x, charset)
Barry Warsaw6008cbd2003-04-11 20:26:47 +0000315 else:
Georg Brandlbded4d32008-07-17 18:15:35 +0000316 catalog[str(msg, charset)] = str(tmsg, charset)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000317 # advance to next entry in the seek tables
Barry Warsawfa488ec2000-08-25 20:26:43 +0000318 masteridx += 8
319 transidx += 8
Barry Warsaw33d8d702000-08-30 03:29:58 +0000320
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000321 def lgettext(self, message):
322 missing = object()
323 tmsg = self._catalog.get(message, missing)
324 if tmsg is missing:
325 if self._fallback:
326 return self._fallback.lgettext(message)
327 return message
328 if self._output_charset:
329 return tmsg.encode(self._output_charset)
330 return tmsg.encode(locale.getpreferredencoding())
331
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000332 def lngettext(self, msgid1, msgid2, n):
333 try:
334 tmsg = self._catalog[(msgid1, self.plural(n))]
335 if self._output_charset:
336 return tmsg.encode(self._output_charset)
337 return tmsg.encode(locale.getpreferredencoding())
338 except KeyError:
339 if self._fallback:
340 return self._fallback.lngettext(msgid1, msgid2, n)
341 if n == 1:
342 return msgid1
343 else:
344 return msgid2
345
Benjamin Peterson801844d2008-07-14 14:32:15 +0000346 def gettext(self, message):
Barry Warsawa1ce93f2003-04-11 18:36:43 +0000347 missing = object()
348 tmsg = self._catalog.get(message, missing)
349 if tmsg is missing:
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000350 if self._fallback:
Benjamin Peterson801844d2008-07-14 14:32:15 +0000351 return self._fallback.gettext(message)
Georg Brandlbded4d32008-07-17 18:15:35 +0000352 return message
Barry Warsawa1ce93f2003-04-11 18:36:43 +0000353 return tmsg
Barry Warsaw95be23d2000-08-25 19:13:37 +0000354
Benjamin Peterson801844d2008-07-14 14:32:15 +0000355 def ngettext(self, msgid1, msgid2, n):
Martin v. Löwisd8996052002-11-21 21:45:32 +0000356 try:
357 tmsg = self._catalog[(msgid1, self.plural(n))]
358 except KeyError:
359 if self._fallback:
Benjamin Peterson801844d2008-07-14 14:32:15 +0000360 return self._fallback.ngettext(msgid1, msgid2, n)
Martin v. Löwisd8996052002-11-21 21:45:32 +0000361 if n == 1:
Georg Brandlbded4d32008-07-17 18:15:35 +0000362 tmsg = msgid1
Martin v. Löwisd8996052002-11-21 21:45:32 +0000363 else:
Georg Brandlbded4d32008-07-17 18:15:35 +0000364 tmsg = msgid2
Barry Warsawa1ce93f2003-04-11 18:36:43 +0000365 return tmsg
Martin v. Löwisd8996052002-11-21 21:45:32 +0000366
Tim Peters07e99cb2001-01-14 23:47:14 +0000367
Barry Warsaw95be23d2000-08-25 19:13:37 +0000368# Locate a .mo file using the gettext strategy
Georg Brandlcd869252009-05-17 12:50:58 +0000369def find(domain, localedir=None, languages=None, all=False):
Barry Warsaw95be23d2000-08-25 19:13:37 +0000370 # Get some reasonable defaults for arguments that were not supplied
Barry Warsaw95be23d2000-08-25 19:13:37 +0000371 if localedir is None:
Barry Warsaw33d8d702000-08-30 03:29:58 +0000372 localedir = _default_localedir
Barry Warsaw95be23d2000-08-25 19:13:37 +0000373 if languages is None:
374 languages = []
375 for envar in ('LANGUAGE', 'LC_ALL', 'LC_MESSAGES', 'LANG'):
376 val = os.environ.get(envar)
377 if val:
378 languages = val.split(':')
379 break
380 if 'C' not in languages:
381 languages.append('C')
Barry Warsawfa488ec2000-08-25 20:26:43 +0000382 # now normalize and expand the languages
Barry Warsaw75f81012000-10-16 15:47:50 +0000383 nelangs = []
Barry Warsawfa488ec2000-08-25 20:26:43 +0000384 for lang in languages:
385 for nelang in _expand_lang(lang):
Barry Warsaw75f81012000-10-16 15:47:50 +0000386 if nelang not in nelangs:
387 nelangs.append(nelang)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000388 # select a language
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000389 if all:
390 result = []
391 else:
392 result = None
Barry Warsaw75f81012000-10-16 15:47:50 +0000393 for lang in nelangs:
Barry Warsaw95be23d2000-08-25 19:13:37 +0000394 if lang == 'C':
395 break
Barry Warsaw84314b72000-08-25 19:53:17 +0000396 mofile = os.path.join(localedir, lang, 'LC_MESSAGES', '%s.mo' % domain)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000397 if os.path.exists(mofile):
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000398 if all:
399 result.append(mofile)
400 else:
401 return mofile
402 return result
Barry Warsaw95be23d2000-08-25 19:13:37 +0000403
404
Tim Peters07e99cb2001-01-14 23:47:14 +0000405
Barry Warsaw33d8d702000-08-30 03:29:58 +0000406# a mapping between absolute .mo file path and Translation object
407_translations = {}
408
Martin v. Löwis1be64192002-01-11 06:33:28 +0000409def translation(domain, localedir=None, languages=None,
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000410 class_=None, fallback=False, codeset=None):
Barry Warsaw33d8d702000-08-30 03:29:58 +0000411 if class_ is None:
412 class_ = GNUTranslations
Georg Brandlcd869252009-05-17 12:50:58 +0000413 mofiles = find(domain, localedir, languages, all=True)
Barry Warsawc4acc2b2003-04-24 18:13:39 +0000414 if not mofiles:
Martin v. Löwis1be64192002-01-11 06:33:28 +0000415 if fallback:
416 return NullTranslations()
Barry Warsaw33d8d702000-08-30 03:29:58 +0000417 raise IOError(ENOENT, 'No translation file found for domain', domain)
Barry Warsaw293b03f2000-10-05 18:48:12 +0000418 # Avoid opening, reading, and parsing the .mo file after it's been done
419 # once.
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000420 result = None
421 for mofile in mofiles:
Éric Araujo6108bf52010-10-04 23:52:37 +0000422 key = (class_, os.path.abspath(mofile))
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000423 t = _translations.get(key)
424 if t is None:
Benjamin Petersonfa0d7032009-06-01 22:42:33 +0000425 with open(mofile, 'rb') as fp:
426 t = _translations.setdefault(key, class_(fp))
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000427 # Copy the translation object to allow setting fallbacks and
428 # output charset. All other instance data is shared with the
429 # cached object.
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000430 t = copy.copy(t)
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000431 if codeset:
432 t.set_output_charset(codeset)
Martin v. Löwisa55ffae2002-01-11 06:58:49 +0000433 if result is None:
434 result = t
435 else:
436 result.add_fallback(t)
437 return result
Barry Warsaw33d8d702000-08-30 03:29:58 +0000438
Tim Peters07e99cb2001-01-14 23:47:14 +0000439
Benjamin Peterson801844d2008-07-14 14:32:15 +0000440def install(domain, localedir=None, codeset=None, names=None):
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000441 t = translation(domain, localedir, fallback=True, codeset=codeset)
Benjamin Peterson801844d2008-07-14 14:32:15 +0000442 t.install(names)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000443
444
Tim Peters07e99cb2001-01-14 23:47:14 +0000445
Barry Warsaw33d8d702000-08-30 03:29:58 +0000446# a mapping b/w domains and locale directories
447_localedirs = {}
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000448# a mapping b/w domains and codesets
449_localecodesets = {}
Barry Warsaw33d8d702000-08-30 03:29:58 +0000450# current global domain, `messages' used for compatibility w/ GNU gettext
451_current_domain = 'messages'
Barry Warsaw95be23d2000-08-25 19:13:37 +0000452
453
454def textdomain(domain=None):
Barry Warsaw95be23d2000-08-25 19:13:37 +0000455 global _current_domain
Barry Warsaw33d8d702000-08-30 03:29:58 +0000456 if domain is not None:
Barry Warsaw95be23d2000-08-25 19:13:37 +0000457 _current_domain = domain
Barry Warsaw33d8d702000-08-30 03:29:58 +0000458 return _current_domain
Barry Warsaw95be23d2000-08-25 19:13:37 +0000459
460
Barry Warsaw33d8d702000-08-30 03:29:58 +0000461def bindtextdomain(domain, localedir=None):
462 global _localedirs
463 if localedir is not None:
464 _localedirs[domain] = localedir
465 return _localedirs.get(domain, _default_localedir)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000466
467
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000468def bind_textdomain_codeset(domain, codeset=None):
469 global _localecodesets
470 if codeset is not None:
471 _localecodesets[domain] = codeset
472 return _localecodesets.get(domain)
473
474
Barry Warsaw95be23d2000-08-25 19:13:37 +0000475def dgettext(domain, message):
Barry Warsaw33d8d702000-08-30 03:29:58 +0000476 try:
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000477 t = translation(domain, _localedirs.get(domain, None),
478 codeset=_localecodesets.get(domain))
Barry Warsaw33d8d702000-08-30 03:29:58 +0000479 except IOError:
480 return message
481 return t.gettext(message)
Tim Peters07e99cb2001-01-14 23:47:14 +0000482
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000483def ldgettext(domain, message):
484 try:
485 t = translation(domain, _localedirs.get(domain, None),
486 codeset=_localecodesets.get(domain))
487 except IOError:
488 return message
489 return t.lgettext(message)
Barry Warsaw33d8d702000-08-30 03:29:58 +0000490
Martin v. Löwisd8996052002-11-21 21:45:32 +0000491def dngettext(domain, msgid1, msgid2, n):
492 try:
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000493 t = translation(domain, _localedirs.get(domain, None),
494 codeset=_localecodesets.get(domain))
Martin v. Löwisd8996052002-11-21 21:45:32 +0000495 except IOError:
496 if n == 1:
497 return msgid1
498 else:
499 return msgid2
500 return t.ngettext(msgid1, msgid2, n)
501
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000502def ldngettext(domain, msgid1, msgid2, n):
503 try:
504 t = translation(domain, _localedirs.get(domain, None),
505 codeset=_localecodesets.get(domain))
506 except IOError:
507 if n == 1:
508 return msgid1
509 else:
510 return msgid2
511 return t.lngettext(msgid1, msgid2, n)
Martin v. Löwisd8996052002-11-21 21:45:32 +0000512
Barry Warsaw33d8d702000-08-30 03:29:58 +0000513def gettext(message):
514 return dgettext(_current_domain, message)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000515
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000516def lgettext(message):
517 return ldgettext(_current_domain, message)
Barry Warsaw95be23d2000-08-25 19:13:37 +0000518
Martin v. Löwisd8996052002-11-21 21:45:32 +0000519def ngettext(msgid1, msgid2, n):
520 return dngettext(_current_domain, msgid1, msgid2, n)
521
Gustavo Niemeyer7bd33c52004-07-22 18:44:01 +0000522def lngettext(msgid1, msgid2, n):
523 return ldngettext(_current_domain, msgid1, msgid2, n)
Martin v. Löwisd8996052002-11-21 21:45:32 +0000524
Barry Warsaw33d8d702000-08-30 03:29:58 +0000525# dcgettext() has been deemed unnecessary and is not implemented.
Barry Warsaw95be23d2000-08-25 19:13:37 +0000526
Barry Warsaw33d8d702000-08-30 03:29:58 +0000527# James Henstridge's Catalog constructor from GNOME gettext. Documented usage
528# was:
529#
530# import gettext
531# cat = gettext.Catalog(PACKAGE, localedir=LOCALEDIR)
532# _ = cat.gettext
533# print _('Hello World')
Barry Warsaw95be23d2000-08-25 19:13:37 +0000534
Barry Warsaw33d8d702000-08-30 03:29:58 +0000535# The resulting catalog object currently don't support access through a
536# dictionary API, which was supported (but apparently unused) in GNOME
537# gettext.
Barry Warsaw95be23d2000-08-25 19:13:37 +0000538
Barry Warsaw33d8d702000-08-30 03:29:58 +0000539Catalog = translation