trans.py 6.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209
  1. import logging
  2. import re
  3. from transliterator.tables import load_table
  4. # Match multiple spaces.
  5. MULTI_WS_RE = re.compile(r"\s{2,}")
  6. logger = logging.getLogger(__name__)
  7. class Context:
  8. """
  9. Context used within the transliteration and passed to hook functions.
  10. """
  11. cur = 0 # Input text cursor.
  12. dest_ls = [] # Token list making up the output string.
  13. def __init__(self, src, general, langsec):
  14. """
  15. Initialize a context.
  16. Args:
  17. src (str): The original text. This is meant to never change.
  18. general (dict): general section of the current config.
  19. langsec (dict): Language configuration section being used.
  20. """
  21. self.src = src
  22. self.general = general
  23. self.langsec = langsec
  24. def transliterate(src, lang, r2s=False):
  25. """
  26. Transliterate a single string.
  27. Args:
  28. src (str): Source string.
  29. lang (str): Language name.
  30. Keyword args:
  31. r2s (bool): If False (the default), the source is considered to be a
  32. non-latin script in the language and script specified, and the output
  33. the Romanization thereof; if True, the source is considered to be
  34. romanized text to be transliterated into the specified script/language.
  35. Return:
  36. str: The transliterated string.
  37. """
  38. source_str = "Latin" if r2s else lang
  39. target_str = lang if r2s else "Latin"
  40. logger.info(f"Transliteration is from {source_str} to {target_str}.")
  41. cfg = load_table(lang)
  42. logger.info(f"Loaded table for {lang}.")
  43. # General directives.
  44. general = cfg.get("general", {})
  45. if not r2s and "script_to_roman" not in cfg:
  46. raise NotImplementedError(
  47. f"Script-to-Roman transliteration not yet supported for {lang}."
  48. )
  49. elif r2s and "roman_to_script" not in cfg:
  50. raise NotImplementedError(
  51. f"Roman-to-script transliteration not yet supported for {lang}."
  52. )
  53. langsec = cfg["script_to_roman"] if not r2s else cfg["roman_to_script"]
  54. langsec_dir = langsec.get("directives", {})
  55. langsec_hooks = langsec.get("hooks", {})
  56. ctx = Context(src, general, langsec)
  57. _run_hook("post_config", ctx, langsec_hooks)
  58. # Loop through source characters. The increment of each loop depends on
  59. # the length of the token that eventually matches.
  60. ignore_list = langsec.get("ignore", []) # Only present in R2S
  61. while ctx.cur < len(src):
  62. # This hook may skip the parsing of the current
  63. # token or exit the scanning loop altogether.
  64. hret = _run_hook("begin_input_token", ctx, langsec_hooks)
  65. if hret == "break":
  66. break
  67. if hret == "continue":
  68. continue
  69. # Check ignore list first. Find as many subsequent ignore tokens
  70. # as possible before moving on to looking for match tokens.
  71. ctx.tk = None
  72. while True:
  73. ctx.ignoring = False
  74. for ctx.tk in ignore_list:
  75. hret = _run_hook("pre_ignore_token", ctx, langsec_hooks)
  76. if hret == "break":
  77. break
  78. if hret == "continue":
  79. continue
  80. step = len(ctx.tk)
  81. if ctx.tk == src[ctx.cur:ctx.cur + step]:
  82. # The position matches an ignore token.
  83. hret = _run_hook("on_ignore_match", ctx, langsec_hooks)
  84. if hret == "break":
  85. break
  86. if hret == "continue":
  87. continue
  88. logger.info(f"Ignored token: {ctx.tk}")
  89. ctx.dest_ls.append(ctx.tk)
  90. ctx.cur += step
  91. ctx.ignoring = True
  92. break
  93. # We looked through all ignore tokens, not found any. Move on.
  94. if not ctx.ignoring:
  95. break
  96. # Otherwise, if we found a match, check if the next position may be
  97. # ignored as well.
  98. delattr(ctx, "tk")
  99. delattr(ctx, "ignoring")
  100. # Begin transliteration token lookup.
  101. ctx.match = False
  102. for ctx.src_tk, ctx.dest_tk in langsec["map"]:
  103. hret = _run_hook("pre_tx_token", ctx, langsec_hooks)
  104. if hret == "break":
  105. break
  106. if hret == "continue":
  107. continue
  108. # Longer tokens should be guaranteed to be scanned before their
  109. # substrings at this point.
  110. step = len(ctx.src_tk)
  111. if ctx.src_tk == src[ctx.cur:ctx.cur + step]:
  112. ctx.match = True
  113. # This hook may skip this token or break out of the token
  114. # lookup for the current position.
  115. hret = _run_hook("on_tx_token_match", ctx, langsec_hooks)
  116. if hret == "break":
  117. break
  118. if hret == "continue":
  119. continue
  120. # A match is found. Stop scanning tokens, append result, and
  121. # proceed scanning the source.
  122. ctx.dest_ls.append(ctx.dest_tk)
  123. ctx.cur += step
  124. break
  125. delattr(ctx, "src_tk")
  126. delattr(ctx, "dest_tk")
  127. if ctx.match is False:
  128. delattr(ctx, "match")
  129. hret = _run_hook("on_no_tx_token_match", ctx, langsec_hooks)
  130. if hret == "break":
  131. break
  132. if hret == "continue":
  133. continue
  134. # No match found. Copy non-mapped character (one at a time).
  135. logger.info(
  136. f"Token {src[ctx.cur]} at position {ctx.cur} is not mapped."
  137. )
  138. ctx.dest_ls.append(src[ctx.cur])
  139. ctx.cur += 1
  140. else:
  141. delattr(ctx, "match")
  142. delattr(ctx, "cur")
  143. # This hook may take care of the assembly and cause the function to return
  144. # its own return value.
  145. hret = _run_hook("pre_assembly", ctx, langsec_hooks)
  146. if hret is not None:
  147. return hret
  148. if langsec_dir.get("capitalize", False):
  149. ctx.dest_ls[0] = ctx.dest_ls[0].capitalize()
  150. logger.debug(f"Output list: {ctx.dest_ls}")
  151. ctx.dest = "".join(ctx.dest_ls)
  152. # This hook may reassign the output string and/or cause the function to
  153. # return it immediately.
  154. hret = _run_hook("post_assembly", ctx, langsec_hooks)
  155. if hret == "ret":
  156. return ctx.dest
  157. # Strip multiple spaces and leading/trailing whitespace.
  158. ctx.dest = re.sub(MULTI_WS_RE, ' ', ctx.dest.strip())
  159. return ctx.dest
  160. def _run_hook(hname, ctx, hooks):
  161. ret = None
  162. for hook_def in hooks.get(hname, []):
  163. kwargs = hook_def[1] if len(hook_def > 1) else {}
  164. ret = hook_def[0](ctx, **kwargs)
  165. if ret in ("break", "cont"):
  166. # This will stop parsing hooks functions and tell the caller to
  167. # break out of the outer loop or skip iteration.
  168. return ret
  169. return ret