__init__.py 5.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208
  1. import logging
  2. from functools import cache
  3. from importlib import import_module
  4. from os import path, access, R_OK
  5. from yaml import load
  6. try:
  7. from yaml import CLoader as Loader
  8. except ImportError:
  9. from yaml import Loader
  10. __doc__ = """
  11. Transliteration tables.
  12. These tables contain all transliteration information, grouped by script and
  13. language (or language and script? TBD)
  14. """
  15. TABLE_DIR = path.join(path.dirname(path.realpath(__file__)), "data")
  16. # Available hook names.
  17. HOOKS = (
  18. "post_config",
  19. "begin_input_token",
  20. "pre_ignore_token",
  21. "on_ignore_match",
  22. "pre_tx_token",
  23. "on_tx_token_match",
  24. "on_no_tx_token_match",
  25. "pre_assembly",
  26. "post_assembly",
  27. )
  28. # Package path where hook functions are kept.
  29. HOOK_PKG_PATH = "transliterator.hooks"
  30. logger = logging.getLogger(__name__)
  31. class ConfigError(Exception):
  32. """ Raised when a malformed configuration is detected. """
  33. class Token(str):
  34. """
  35. Token class: minimal unit of text parsing.
  36. This class overrides the `<` operator for strings, so that sorting is done
  37. in a way that prioritizes a longer string over a shorter one with identical
  38. root.
  39. """
  40. def __init__(self, content):
  41. self.content = content
  42. def __lt__(self, other):
  43. """
  44. Operator to sort tokens.
  45. E.g:
  46. - ABCD
  47. - AB
  48. - A
  49. - BCDE
  50. - BCD
  51. - BEFGH
  52. - B
  53. """
  54. logger.debug(f"a: {self.content}, b: {other.content}")
  55. self_len = len(self.content)
  56. other_len = len(other.content)
  57. min_len = min(self_len, other_len)
  58. # If one of the strings is entirely contained in the other string...
  59. if self.content[:min_len] == other.content[:min_len]:
  60. logger.debug("Roots match.")
  61. # ...then the longer one takes precedence (is "less")
  62. return self_len > other_len
  63. # If the root strings are different, perform a normal comparison.
  64. return self.content < other.content
  65. def __hash__(self):
  66. return hash(self.content)
  67. @cache
  68. def list_tables():
  69. """
  70. List all the available tables.
  71. """
  72. with open(path.join(TABLE_DIR, "index.yml")) as fh:
  73. tdata = load(fh, Loader=Loader)
  74. return tdata
  75. @cache
  76. def load_table(tname):
  77. """
  78. Load one transliteration table and possible parent.
  79. The table file is parsed into an in-memory configuration that contains
  80. the language & script metadata and parsing rules.
  81. """
  82. fname = path.join(TABLE_DIR, tname + ".yml")
  83. if not access(fname, R_OK):
  84. raise ValueError(f"No transliteration table for {tname}!")
  85. with open(fname) as fh:
  86. tdata = load(fh, Loader=Loader)
  87. # NOTE Only one level of inheritance. No need for recursion for now.
  88. parent = tdata.get("general", {}).get("inherits", None)
  89. if parent:
  90. parent_tdata = load_table(parent)
  91. if "script_to_roman" in tdata:
  92. tokens = {
  93. Token(k): v
  94. for k, v in tdata["script_to_roman"].get("map", {}).items()}
  95. if parent:
  96. # Merge (and override) parent values.
  97. tokens = {
  98. Token(k): v for k, v in parent_tdata.get(
  99. "script_to_roman", {}).get("map", {})
  100. } | tokens
  101. tdata["script_to_roman"]["map"] = tuple(
  102. (k.content, tokens[k]) for k in sorted(tokens))
  103. if "hooks" in tdata["script_to_roman"]:
  104. tdata["script_to_roman"]["hooks"] = load_hook_fn(
  105. tname, tdata["script_to_roman"])
  106. if "roman_to_script" in tdata:
  107. tokens = {
  108. Token(k): v
  109. for k, v in tdata["roman_to_script"].get("map", {}).items()}
  110. if parent:
  111. # Merge (and override) parent values.
  112. tokens = {
  113. Token(k): v for k, v in parent_tdata.get(
  114. "roman_to_script", {}).get("map", {})
  115. } | tokens
  116. tdata["roman_to_script"]["map"] = tuple(
  117. (k.content, tokens[k]) for k in sorted(tokens))
  118. if parent:
  119. p_ignore = {
  120. Token(t) for t in parent_tdata.get(
  121. "roman_to_script", {}).get("ignore", [])}
  122. else:
  123. p_ignore = set()
  124. ignore = {
  125. Token(t)
  126. for t in tdata["roman_to_script"].get("ignore", [])
  127. } | p_ignore
  128. tdata["roman_to_script"]["ignore"] = [
  129. t.content for t in sorted(ignore)]
  130. if "hooks" in tdata["roman_to_script"]:
  131. tdata["roman_to_script"]["hooks"] = load_hook_fn(
  132. tname, tdata["script_to_roman"])
  133. return tdata
  134. def load_hook_fn(cname, sec):
  135. """
  136. Load hook functions from configuration file.
  137. Args:
  138. lang (str): The language key for the configuration.
  139. sec (dict): The `script_to_roman` or `roman_to_script` section
  140. that may contain the `hooks` key to be parsed.
  141. Return:
  142. dict: Dictionary of hook name and list of hook functions pairs.
  143. """
  144. hook_fn = {}
  145. for cfg_hook, cfg_hook_fns in sec.get("hooks", {}).items():
  146. if cfg_hook not in HOOKS:
  147. raise ConfigError(f"{cfg_hook} is not a valid hook name!")
  148. hook_fn[cfg_hook] = []
  149. # There may be more than one function in each hook. They are
  150. # executed in the order they are found.
  151. for cfg_hook_fn in cfg_hook_fns:
  152. modname, fnname = path.splitext(cfg_hook_fn[0])
  153. fnname = fnname.lstrip(".")
  154. fn_kwargs = cfg_hook_fn[1]
  155. try:
  156. fn = getattr(import_module(
  157. "." + modname, HOOK_PKG_PATH), fnname)
  158. except NameError:
  159. raise ConfigError(
  160. f"Hook function {fnname} defined in {cname} configuration "
  161. f"not found in module {HOOK_PKG_PATH}.{modname}!"
  162. )
  163. hook_fn[cfg_hook].append((fn, fn_kwargs))
  164. return hook_fn