Source code for scripts.maintenance.make_i18n_dict
#!/usr/bin/env python3
"""Generate an i18n file from a given script.
Run IDLE at topmost level:
>>> import pwb
>>> from scripts.maintenance.make_i18n_dict import i18nBot
>>> bot = i18nBot('<scriptname>', '<msg dict>')
>>> bot.run()
.. hint:: Import from ``pywikibot-scripts`` if scripts are installed as
a site-package.
If you have more than one message dictionary, give all these names to the bot:
>>> bot = i18nBot('<scriptname>', '<msg dict1>', '<msg dict2>', '<msg dict3>')
If you want to rename the message index use keyword arguments. This may be
mixed with preleading positional arguments:
>>> bot = i18nBot('<scriptname>', '<msg dict1>', the_other_msg='<msg dict2>')
If you have the messages as instance constants you may call the bot as follows:
>>> bot = i18nBot('<scriptname>.<class name>', '<msg dict1>', '<msg dict2>')
It's also possible to make json files too by using to_json method after
instantiating the bot. It also calls ``bot.run()`` to create the dictionaries:
>>> bot.to_json()
"""
#
# (C) Pywikibot team, 2013-2025
#
# Distributed under the terms of the MIT license.
#
from __future__ import annotations
import json
from importlib import import_module
from pathlib import Path
from pywikibot import config
[docs]
class i18nBot: # noqa: N801
"""I18n bot."""
def __init__(self, script, *args, **kwargs) -> None:
"""Initializer."""
modules = script.split('.')
self.scriptname = modules[0]
self.script = import_module('scripts.' + self.scriptname)
for m in modules:
self.script = getattr(self.script, m)
self.messages = {}
# setup the message dict
for msg in args:
if hasattr(self.script, msg):
self.messages[msg] = msg
else:
print(f'message {msg} not found')
for new, old in kwargs.items():
self.messages[old] = new.replace('_', '-')
self.dict = {}
[docs]
def print_all(self) -> None:
"""Pretty print the dict as a file content to screen."""
if not self.dict:
print('No messages found, read them first.\n'
'Use "run" or "to_json" methods')
return
keys = list(self.dict.keys())
keys.remove('qqq')
keys.sort()
keys.insert(0, 'qqq')
if 'en' in keys:
keys.remove('en')
keys.insert(0, 'en')
print('msg = {')
for code in keys:
print(f" '{code}': {{")
for msg in sorted(self.messages.values()):
label = f'{self.scriptname}-{msg}'
if label in self.dict[code]:
print(f" '{label}': '{self.dict[code][label]}',")
print(' },')
print('};')
[docs]
def read(self, oldmsg, newmsg=None) -> None:
"""Read a single message from source script."""
msg = getattr(self.script, oldmsg)
keys = list(msg.keys())
keys.append('qqq')
if newmsg is None:
newmsg = oldmsg
for code in keys:
label = f'{self.scriptname}-{newmsg}'
if code == 'qqq':
if code not in self.dict:
self.dict[code] = {}
self.dict[code][label] = (f'Edit summary for message {newmsg} '
f'of {self.scriptname} report')
elif code != 'commons':
if code not in self.dict:
self.dict[code] = {}
self.dict[code][label] = msg[code]
if 'en' not in keys:
print('WARNING: "en" key missing for message ' + newmsg)
[docs]
def run(self, quiet=False) -> None:
"""Run the bot, read the messages from source and print the dict.
:param quiet: print the result if False
:type quiet: bool
"""
for item in self.messages.items():
self.read(*item)
if not quiet:
self.print_all()
[docs]
def to_json(self, quiet=True) -> None:
"""Run the bot and create json files.
:param quiet: Print the result if False
:type quiet: bool
"""
indent = 4
if not self.dict:
self.run(quiet)
json_dir = Path(config.base_dir, 'scripts/i18n', self.scriptname)
json_dir.mkdir(exist_ok=True)
for lang in self.dict:
new_dict = {}
file_path = json_dir / f'{lang}.json'
if file_path.is_file():
new_dict = json.load(file_path.read_text(encoding='utf-8'))
new_dict['@metadata'] = new_dict.get('@metadata', {'authors': []})
new_dict.update(self.dict[lang])
s = json.dumps(new_dict, ensure_ascii=False, sort_keys=True,
indent=indent, separators=(',', ': '))
s = s.replace(' ' * indent, '\t')
file_path.write_text(s, encoding='utf-8')
if __name__ == '__main__':
print(__doc__)