romanizer.py 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675
  1. # @package ext.korean
  2. #
  3. __doc__ = """
  4. Korean transcription functions.
  5. Ported from K-Romanizer: https://library.princeton.edu/eastasian/k-romanizer
  6. Only script-to-Roman is possible for Korean.
  7. Note that Korean Romanization must be done separately for strings containing
  8. only personal names and strings that do not contain personal names, due to
  9. ambiguities in the language. A non-deterministic approach using machine
  10. learning that separates words depending on context is being attempted by other
  11. parties, and it may be possible to eventually integrate such services here in
  12. the future, technology and licensing permitting. At the moment there are no
  13. such plans.
  14. Many thanks to Hyoungbae Lee for kindly providing the original K-Romanizer
  15. program and assistance in porting it to Python.
  16. """
  17. import logging
  18. import re
  19. from os import path
  20. from csv import reader
  21. from scriptshifter.exceptions import BREAK
  22. from scriptshifter.hooks.korean import KCONF
  23. PWD = path.dirname(path.realpath(__file__))
  24. CP_MIN = 44032
  25. # Buid FKR index for better logging.
  26. with open(path.join(PWD, "FKR_index.csv"), newline='') as fh:
  27. csv = reader(fh)
  28. FKR_IDX = {row[0]: row[2] for row in csv}
  29. logger = logging.getLogger(__name__)
  30. def s2r_nonames_post_config(ctx):
  31. """ Romanize a regular string NOT containing personal names. """
  32. ctx.dest, ctx.warnings = _romanize_nonames(
  33. ctx.src, ctx.options["capitalize"])
  34. return BREAK
  35. def s2r_names_post_config(ctx):
  36. """
  37. Romanize a string containing ONLY Korean personal names.
  38. One or more names can be transcribed. A comma or middle dot (U+00B7) is
  39. to be used as separator for multiple names.
  40. """
  41. ctx.dest, ctx.warnings = _romanize_names(ctx.src)
  42. return BREAK
  43. def _romanize_nonames(src, capitalize="first", hancha=True):
  44. """ Main Romanization function for non-name strings. """
  45. # FKR038: Convert Chinese characters to Hangul
  46. if hancha:
  47. kor = _hancha2hangul(_marc8_hancha(src))
  48. else:
  49. kor = src
  50. # Replace ideographic spaces with ASCII space.
  51. kor = re.sub(r"\s+", " ", kor)
  52. kor = f" {kor} "
  53. # FKR039: Replace Proper name with spaces in advance
  54. # FKR040: Replace Proper name with a hyphen in advance
  55. # FKR041: Romanize names of Hangul consonants
  56. for i in range(39, 42):
  57. _fkr_log(i)
  58. kor = _replace_map(kor, KCONF[f"fkr{i:03}"])
  59. # NOTE This is slightly different from LL 929-930 in that it doesn't
  60. # result in double spaces.
  61. kor = kor.replace("\r\n", " ").replace("\r", " ").replace("\n", " ")
  62. # This is more compact but I'm unsure if the replacement order is kept.
  63. # kor = kor.replace({"\r\n": " ", "\r": " ", "\n": " "})
  64. rom = _romanize_oclc_auto(kor)
  65. # FKR042: Capitalize all first letters
  66. if capitalize == "all":
  67. rom = rom.title()
  68. # FKR043: Capitalize the first letter
  69. elif capitalize == "first":
  70. rom = rom[0].upper() + rom[1:]
  71. # FKR044: Ambiguities
  72. ambi = re.sub("[,.\";: ]+", " ", rom)
  73. # @TODO Move this to a generic normalization step (not only for K)
  74. rom = _replace_map(rom, {"ŏ": "ŏ", "ŭ": "ŭ", "Ŏ": "Ŏ", "Ŭ": "Ŭ"})
  75. # TODO Decide what to do with these. There is no facility for outputting
  76. # warnings or notes to the user yet.
  77. warnings = []
  78. _fkr_log(45)
  79. for exp, warn in KCONF["fkr045"].items():
  80. if exp in ambi:
  81. warnings.append(ambi if warn == "" else warn)
  82. if rom:
  83. rom = rom.replace("kkk", "kk")
  84. return rom, warnings
  85. def _romanize_names(src):
  86. """
  87. Main Romanization function for names.
  88. K-Romanizer: KorNameRom20
  89. """
  90. warnings = []
  91. # FKR001: Conversion, Family names in Chinese (dealing with 金 and 李)
  92. # FKR002: Family names, Initial sound law
  93. replaced = False
  94. for ss, r in KCONF["fkr001-002"]:
  95. if replaced:
  96. break
  97. for s in ss:
  98. if src.startswith(s):
  99. src = r + src[1:]
  100. replaced = True
  101. break
  102. # FKR003: First name, Chinese Character Conversion
  103. src = _hancha2hangul(_marc8_hancha(src))
  104. if re.search("[a-zA-Z0-9]", src):
  105. warnings.append(f"{src} is not a recognized personal name.")
  106. return None, warnings
  107. # `parsed` can either be a modified Korean string with markers, or in case
  108. # of a foreign name, the final romanized name.
  109. parsed, _warnings = _parse_kor_name(re.sub(r"\s{2,}", " ", src.strip()))
  110. if len(_warnings):
  111. warnings += _warnings
  112. if parsed:
  113. if "~" in parsed:
  114. lname, fname = parsed.split("~", 1)
  115. fname_rom = _kor_fname_rom(fname)
  116. lname_rom_ls = [_kor_lname_rom(n) for n in lname.split("+")]
  117. if not any(lname_rom_ls):
  118. warnings.append(f"{parsed} is not a recognized Korean name.")
  119. return None, warnings
  120. lname_rom = " ".join(lname_rom_ls)
  121. rom = f"{lname_rom} {fname_rom}"
  122. if False:
  123. # TODO add option for authoritative name.
  124. rom_ls = rom.rsplit(" ", 1)
  125. rom = ", ".join(rom_ls)
  126. return rom, warnings
  127. else:
  128. warnings.append("Romanized as a foreign name.")
  129. return parsed, warnings
  130. warnings.append(f"{src} is not a recognized Korean name.")
  131. return None, warnings
  132. def _parse_kor_name(src):
  133. parsed = None
  134. warnings = []
  135. # FKR004: Check first two characters. Two-syllable family name or not?
  136. two_syl_fname = False
  137. for ptn in KCONF["fkr004"]:
  138. if src.startswith(ptn):
  139. two_syl_fname = True
  140. break
  141. # FKR005: Error if more than 7 syllables
  142. if len(src) > 7 or len(src) < 2 or " " in src[3:]:
  143. return _kor_corp_name_rom(src), warnings
  144. ct_spaces = src.count(" ")
  145. # FKR0006: Error if more than 2 spaces
  146. if ct_spaces > 2:
  147. warnings.append("ERROR: not a name (too many spaces)")
  148. return parsed, warnings
  149. # FKR007: 2 spaces (two family names)
  150. if ct_spaces == 2:
  151. parsed = src.replace(" ", "+", 1).replace(" ", "~", 1)
  152. elif ct_spaces == 1:
  153. # FKR008: 1 space (2nd position)
  154. if src[1] == " ":
  155. parsed = src.replace(" ", "~")
  156. # FKR009: 1 space (3nd position)
  157. if src[2] == " ":
  158. if two_syl_fname:
  159. parsed = "+" + src.replace(" ", "~")
  160. return parsed, warnings
  161. def _kor_corp_name_rom(src):
  162. chu = yu = 0
  163. if src.startswith("(주) "):
  164. src = src[4:]
  165. chu = "L"
  166. if src.endswith(" (주)"):
  167. src = src[:-4]
  168. chu = "R"
  169. if src.startswith("(유) "):
  170. src = src[4:]
  171. yu = "L"
  172. if src.endswith(" (유)"):
  173. src = src[:-4]
  174. yu = "R"
  175. rom_tok = []
  176. for tok in src.split(" "):
  177. rom_tok.append(_romanize_oclc_auto(tok))
  178. rom = " ".join(rom_tok).title()
  179. if chu == "L":
  180. rom = "(Chu) " + rom
  181. elif chu == "R":
  182. rom = rom + " (Chu)"
  183. if yu == "L":
  184. rom = "(Yu) " + rom
  185. elif yu == "R":
  186. rom = rom + " (Yu)"
  187. # FKR035: Replace established names
  188. rom = _replace_map(rom, KCONF["fkr035"])
  189. return rom
  190. def _romanize_oclc_auto(kor):
  191. # FKR050: Starts preprocessing symbol
  192. _fkr_log(50)
  193. for rname, rule in KCONF["fkr050"].items():
  194. logger.debug(f"Applying fkr050[{rname}]")
  195. kor = _replace_map(kor, rule)
  196. # See https://github.com/lcnetdev/scriptshifter/issues/19
  197. kor = re.sub("제([0-9])", "제 \\1", kor)
  198. # FKR052: Replace Che+number
  199. _fkr_log(52)
  200. for rname, rule in KCONF["fkr052"].items():
  201. logger.debug(f"Applying fkr052[{rname}]")
  202. kor = _replace_map(kor, rule)
  203. # Strip end and multiple whitespace.
  204. kor = re.sub(r"\s{2,}", " ", kor.strip())
  205. kor = kor.replace("^", " GLOTTAL ")
  206. logger.debug(f"Korean before romanization: {kor}")
  207. rom_ls = []
  208. for word in kor.split(" "):
  209. rom_ls.append(_kor_rom(word))
  210. rom = " ".join(rom_ls)
  211. # FKR059: Apply glottalization
  212. rom = _replace_map(
  213. f" {rom.strip()} ", {" GLOTTAL ": "", "*": "", "^": ""})
  214. # FKR060: Process number + -년/-년도/-년대
  215. # TODO Add leading whitespace as per L1221? L1202 already added one.
  216. rom = _replace_map(rom, KCONF["fkr060"])
  217. rom = re.sub(r"\s{2,}", " ", f" {rom.strip()} ")
  218. # FKR061: Jurisdiction (시)
  219. # FKR063: Jurisdiction (국,도,군,구)
  220. # FKR064: Temple names of Kings, Queens, etc. (except 조/종)
  221. # FKR065: Frequent historical names
  222. for i in (61, 63, 64, 65):
  223. _fkr_log(i)
  224. rom = _replace_map(rom, KCONF[f"fkr{i:03}"])
  225. # FKR066: Starts restore symbols
  226. _fkr_log(66)
  227. for rname, rule in KCONF["fkr066"].items():
  228. logger.debug(f"Applying FKR066[{rname}]")
  229. rom = _replace_map(rom, rule)
  230. # Remove spaces from before punctuation signs.
  231. rom = re.sub(r" (?=[,.;:?!])", "", rom.strip())
  232. rom = re.sub(r"\s{2,}", " ", rom)
  233. return rom
  234. # FKR068: Exceptions, Exceptions to initial sound law, Proper names
  235. def _kor_rom(kor):
  236. kor = re.sub(r"\s{2,}", " ", kor.strip())
  237. orig = kor
  238. # FKR069: Irregular sound change list
  239. kor = _replace_map(kor, KCONF["fkr069"])
  240. # FKR070: [n] insertion position mark +
  241. niun = kor.find("+")
  242. if niun > -1:
  243. kor = kor.replace("+", "")
  244. orig = kor
  245. non_kor = 0
  246. cpoints = tuple(ord(c) for c in kor)
  247. for cp in cpoints:
  248. if cp < CP_MIN:
  249. non_kor += 1
  250. kor = kor[1:]
  251. rom_ls = []
  252. if non_kor > 0:
  253. # Rebuild code point list with non_kor removed.
  254. cpoints = tuple(ord(c) for c in kor)
  255. for i in range(len(kor)):
  256. cp = cpoints[i] - CP_MIN
  257. ini = "i" + str(cp // 588)
  258. med = "m" + str((cp // 28) % 21)
  259. fin = "f" + str(cp % 28)
  260. rom_ls.append("#".join((ini, med, fin)))
  261. rom = "~".join(rom_ls)
  262. if len(rom):
  263. rom = rom + "E"
  264. # FKR071: [n] insertion
  265. if niun > -1:
  266. niun_loc = rom.find("~")
  267. # Advance until the niun'th occurrence of ~
  268. # If niun is 0 or 1 the loop will be skipped.
  269. for i in range(niun - 1):
  270. niun_loc = rom.find("~", niun_loc + 1)
  271. rom_niun_a = rom[:niun_loc]
  272. rom_niun_b = rom[niun_loc + 1:]
  273. if re.match("i11#m(?:2|6|12|17|20)", rom_niun_b):
  274. _fkr_log(71)
  275. rom_niun_b = rom_niun_b.replace("i11#m", "i2#m", 1)
  276. # FKR072: [n]+[l] >[l] + [l]
  277. if rom_niun_b.startswith("i5#") and rom_niun_a.endswith("f4"):
  278. _fkr_log(72)
  279. rom_niun_b = rom_niun_b.replace("i5#", "i2", 1)
  280. rom = f"{rom_niun_a}~{rom_niun_b}"
  281. # FKR073: Palatalization: ㄷ+이,ㄷ+여,ㄷ+히,ㄷ+혀
  282. # FKR074: Palatalization: ㅌ+이,ㅌ+히,ㅌ+히,ㅌ+혀
  283. # FKR075: Consonant assimilation ㄱ
  284. # FKR076: Consonant assimilation ㄲ
  285. # FKR077: Consonant assimilation ㄳ : ㄱ,ㄴ,ㄹ,ㅁ,ㅇ
  286. # FKR078: Consonant assimilation ㄴ
  287. # FKR079: Consonant assimilation ㄵ: ㄱ,ㄴ,ㄷ,ㅈ"
  288. # FKR080: Consonant assimilation ㄶ : ㄱ,ㄴ,ㄷ,ㅈ
  289. # FKR081: Consonant assimilation ㄷ
  290. # FKR082: Consonant assimilation ㄹ
  291. # FKR083: Consonant assimilation ㄺ : ㄱ,ㄴ,ㄷ,ㅈ
  292. # FKR084: Consonant assimilation ㄻ : ㄱ,ㄴ,ㄷ,ㅈ
  293. # FKR085: Consonant assimilation ㄼ : ㄱ,ㄴ,ㄷ,ㅈ
  294. # FKR086: Consonant assimilation ㄾ : ㄱ,ㄴ,ㄷ,ㅈ
  295. # FKR087: Consonant assimilation ㄿ : ㄱ,ㄴ,ㄷ,ㅈ
  296. # FKR088: Consonant assimilation ㅀ : ㄱ,ㄴ,ㄷ,ㅈ
  297. # FKR089: Consonant assimilation ㅁ
  298. # FKR090: Consonant assimilation ㅂ
  299. # FKR091: Consonant assimilation ㅄ
  300. # FKR092: Consonant assimilation ㅅ
  301. # FKR093: Consonant assimilation ㅆ
  302. # FKR094: Consonant assimilation ㅇ
  303. # FKR095: Consonant assimilation ㅈ
  304. # FKR096: Consonant assimilation ㅊ
  305. # FKR097: Consonant assimilation ㅋ
  306. # FKR098: Consonant assimilation ㅌ
  307. # FKR099: Consonant assimilation ㅍ
  308. # FKR100: Consonant assimilation ㅎ
  309. # FKR101: digraphic coda + ㅇ: ㄵ,ㄶ,ㄺ,ㄻ,ㄼ,ㄽ,ㄾ,ㄿ,ㅀ
  310. # FKR102: digraphic coda + ㅎ: ㄵ,ㄶ,ㄺ,ㄻ,ㄼ,(ㄽ),ㄾ,ㄿ,ㅀ
  311. # FKR103: Vocalization 1 (except ㄹ+ㄷ, ㄹ+ㅈ 제외) voiced + unvoiced
  312. # FKR104: Vocalization 2 (except ㄹ+ㄷ, ㄹ+ㅈ 제외) unvoiced + voiced
  313. # FKR105: Vocalization 3 (ㄹ+ㄷ, ㄹ+ㅈ)
  314. # FKR106: Final sound law
  315. # FKR107: Exception for '쉬' = shi
  316. # FKR108: Exception for 'ㄴㄱ'= n'g
  317. for fkr_i in range(73, 109):
  318. _fkr_log(fkr_i)
  319. _bk = rom
  320. rom = _replace_map(rom, KCONF[f"fkr{fkr_i:03}"])
  321. if _bk != rom:
  322. logger.debug(f"FKR{fkr_i} substitution: {rom} (was: {_bk})")
  323. # FKR109: Convert everything else
  324. _fkr_log(109)
  325. for pos, data in KCONF["fkr109"].items():
  326. rom = _replace_map(rom, data)
  327. # FKR110: Convert symbols
  328. rom = _replace_map(rom, {"#": "", "~": ""})
  329. if non_kor > 0:
  330. # Modified from K-Romanizer:1727 in that it does not append a hyphen
  331. # if the whole word is non-Korean.
  332. rom = f"{orig[:non_kor]}-{rom}" if len(rom) else orig
  333. # FKR111: ㄹ + 모음/ㅎ/ㄹ, ["lr","ll"] must be in the last of the array
  334. rom = _replace_map(rom, KCONF["fkr111"])
  335. # FKR112: Exceptions to initial sound law
  336. is_non_kor = False
  337. # FKR113: Check loan words by the first 1 letter
  338. # FKR114: Check loan words by the first 2 letters
  339. # FKR115: Check loan words by the first 3 letters
  340. if orig.startswith(tuple(KCONF["fkr113-115"])):
  341. is_non_kor = True
  342. # FKR116: Exceptions to initial sound law - particles
  343. is_particle = False
  344. if orig.startswith(tuple(KCONF["fkr116"]["particles"])):
  345. is_particle = True
  346. if len(orig) > 1 and not is_non_kor and not is_particle:
  347. if rom.startswith(tuple(KCONF["fkr116"]["replace_initials"].keys())):
  348. rom = _replace_map(rom, KCONF["fkr116"]["replace_initials"])
  349. # FKR117: Proper names _StringPoper Does not work because of breves
  350. if (
  351. # FKR118
  352. orig in KCONF["fkr118"] or
  353. # FKR119
  354. orig in KCONF["fkr119"]["word"] or
  355. (
  356. orig[:-1] in KCONF["fkr119"]["word"] and
  357. orig.endswith(tuple(KCONF["fkr119"]["suffix"]))
  358. ) or
  359. # FKR120
  360. orig.endswith(tuple(KCONF["fkr120"]))):
  361. rom = rom[0].upper() + rom[1:]
  362. # FKR121: Loan words beginning with L
  363. if f" {orig} " in KCONF["fkr121"]:
  364. rom = _replace_map(rom[0], {"R": "L", "r": "l"}) + rom[1:]
  365. return rom
  366. def _marc8_hancha(data):
  367. # FKR142: Chinese character list
  368. _fkr_log(142)
  369. return _replace_map(data, KCONF["fkr142"])
  370. def _hancha2hangul(data):
  371. data = " " + data.replace("\n", "\n ")
  372. # FKR143: Process exceptions first
  373. # FKR144: Apply initial sound law (Except: 列, 烈, 裂, 劣)
  374. # FKR145: Simplified characters, variants
  375. # FKR146: Some characters from expanded list
  376. # FKR147: Chinese characters 1-500 車=차
  377. # FKR148: Chinese characters 501-750 串=관
  378. # FKR149: Chinese characters 751-1000 金=금, 娘=랑
  379. # FKR150: Chinese characters 1001-1250
  380. # FKR151: Chinese characters 1251-1500 제외: 列, 烈, 裂, 劣
  381. # FKR152: Chinese characters 1501-1750 제외: 律, 率, 栗, 慄
  382. # FKR153: Chinese characters 1751-2000
  383. # FKR154: 不,Chinese characters 2001-2250 제외: 不
  384. # FKR155: Chinese characters 2251-2500 塞=색
  385. # FKR156: Chinese characters 2501-2750
  386. # FKR157: Chinese characters 2751-3000
  387. # FKR158: Chinese characters 3001-2250
  388. # FKR159: Chinese characters 3251-3500
  389. # FKR160: Chinese characters 3501-3750
  390. # FKR161: Chinese characters 3751-4000
  391. # FKR162: Chinese characters 4001-4250
  392. # FKR163: Chinese characters 4251-4500
  393. # FKR164: Chinese characters 4501-4750
  394. # FKR165: Chinese characters 4751-5000
  395. # FKR166: Chinese characters 5001-5250
  396. # FKR167: Chinese characters 5251-5500
  397. # FKR168: Chinese characters 5501-5750
  398. # FKR169: Chinese characters 5751-5978
  399. # FKR170: Chinese characters 일본Chinese characters
  400. for i in range(143, 171):
  401. _fkr_log(i)
  402. data = _replace_map(data, KCONF[f"fkr{i}"])
  403. # FKR171: Chinese characters 不(부)의 발음 처리
  404. # Write down indices of occurrences of "不"
  405. idx = [i for i, item in enumerate(data) if item == "不"]
  406. for i in idx:
  407. val = ord(data[i + 1])
  408. if (val > 45795 and val < 46384) or (val > 51087 and val < 51676):
  409. data = data.replace("不", "부", 1)
  410. else:
  411. data = data.replace("不", "불", 1)
  412. # FKR172: Chinese characters 列(렬)의 발음 처리
  413. # FKR173: Chinese characters 烈(렬)의 발음 처리
  414. # FKR174: Chinese characters 裂(렬)의 발음 처리
  415. # FKR175: Chinese characters 劣(렬)의 발음 처리
  416. # FKR176: Chinese characters 律(률)의 발음 처리
  417. # FKR177: Chinese characters 率(률)의 발음 처리
  418. # FKR178: Chinese characters 慄(률)의 발음 처리
  419. # FKR179: Chinese characters 栗(률)의 발음 처리
  420. for char in KCONF["fkr172-179"]:
  421. idx = [i for i, item in enumerate(data) if item == char]
  422. for i in idx:
  423. val = ord(data[i + 1])
  424. coda_value = (val - CP_MIN) % 28
  425. if coda_value == 1 or coda_value == 4 or val < 100: # TODO verify
  426. data = data.replace(char, "열", 1)
  427. else:
  428. data = data.replace(char, "렬", 1)
  429. # FKR180: Katakana
  430. _fkr_log(180)
  431. data = _replace_map(data, KCONF["fkr180"])
  432. return re.sub(r"\s{2,}", " ", data.strip())
  433. def _replace_map(src, rmap, *args, **kw):
  434. """ Replace occurrences in a string according to a map. """
  435. for k, v in rmap.items():
  436. src = src.replace(k, v, *args, **kw)
  437. return src
  438. def _kor_fname_rom(fname):
  439. rom_ls = []
  440. cpoints = tuple(ord(c) for c in fname)
  441. for i in range(len(fname)):
  442. cp = cpoints[i] - CP_MIN
  443. ini = "i" + str(cp // 588)
  444. med = "m" + str((cp // 28) % 21)
  445. fin = "f" + str(cp % 28)
  446. rom_ls.append("#".join((ini, med, fin)))
  447. rom = "~".join(rom_ls) + "E"
  448. # FKR011: Check native Korean name, by coda
  449. origin_by_fin = "sino"
  450. for tok in KCONF["fkr011"]["nat_fin"]:
  451. if tok in rom:
  452. origin_by_fin = "native"
  453. break
  454. j = False
  455. for tok in KCONF["fkr011"]["nat_ini"]:
  456. if tok in rom:
  457. j = True
  458. k = False
  459. for tok in KCONF["fkr011"]["sino_ini"]:
  460. if tok in rom:
  461. k = True
  462. if j:
  463. if k:
  464. origin_by_ini = "sino"
  465. else:
  466. origin_by_ini = "native"
  467. else:
  468. origin_by_ini = "sino"
  469. # FKR012: Check native Korean name, by vowel & coda
  470. origin_by_med = "sino"
  471. for tok in KCONF["fkr011"]:
  472. if tok in rom:
  473. origin_by_med = "native"
  474. break
  475. # FKR013: Check native Korean name, by ㅢ
  476. if "m19#" in rom:
  477. if "의" in fname or "희" in fname:
  478. origin_by_med = "sino"
  479. else:
  480. origin_by_med = "native"
  481. # FKR014: Consonant assimilation ㄱ
  482. # FKR015: Consonant assimilation ㄲ
  483. # FKR016: Consonant assimilation ㄴ
  484. # FKR017: Consonant assimilation ㄷ
  485. # FKR018: Consonant assimilation ㄹ
  486. # FKR019: Consonant assimilation ㅁ
  487. # FKR020: Consonant assimilation ㅂ
  488. # FKR021: Consonant assimilation ㅅ
  489. # FKR022: Consonant assimilation ㅆ
  490. # FKR023: Consonant assimilation ㅇ
  491. # FKR024: Consonant assimilation ㅈ
  492. # FKR025: Consonant assimilation ㅊ
  493. # FKR026: Consonant assimilation ㅎ
  494. # FKR027: Final sound law
  495. # FKR028: Vocalization 1 (except ㄹ+ㄷ, ㄹ+ㅈ): voiced+unvoiced
  496. # FKR029: Vocalization 2 unvoiced+voiced
  497. for i in range(14, 30):
  498. _fkr_log(i)
  499. rom = _replace_map(rom, KCONF[f"fkr{i:03}"])
  500. # FKR030: Convert everything else
  501. _fkr_log(30)
  502. for k, cmap in KCONF["fkr030"].items():
  503. logger.debug(f"Applying FKR030[\"{k}\"]")
  504. rom = _replace_map(rom, cmap)
  505. rom = _replace_map(rom.replace("#", ""), {"swi": "shwi", "Swi": "Shwi"}, 1)
  506. if len(fname) == 2:
  507. rom = rom.replace("~", "-")
  508. else:
  509. rom = _replace_map(rom, {"n~g": "n'g", "~": ""})
  510. # FKR031: ㄹ + vowels/ㅎ/ㄹ ["l-r","l-l"] does not work USE alternative
  511. _fkr_log(31)
  512. for k, cmap in KCONF["fkr031"].items():
  513. logger.debug(f"Applying FKR031[\"{k}\"]")
  514. rom = _replace_map(rom, cmap)
  515. # FKR032: Capitalization
  516. rom = rom[0].upper() + rom[1:]
  517. # FKR033: Remove hyphen in bisyllabic native Korean first name
  518. if (
  519. len(fname) == 2
  520. and "native" in (origin_by_ini, origin_by_fin, origin_by_med)):
  521. rom = _replace_map(rom, {"n-g": "n'g", "-": ""})
  522. # FKR034: First name, initial sound law
  523. for k, v in KCONF["fkr034"].items():
  524. if rom.startswith(k):
  525. rom = rom.replace(k, v)
  526. return rom
  527. def _kor_lname_rom(lname):
  528. if len(lname) == 2:
  529. # FKR181: 2-charater names.
  530. _fkr_log(181)
  531. rom = _replace_map(lname, KCONF["fkr181"])
  532. else:
  533. # FKR182: 1-charater Chinese names.
  534. _fkr_log(182)
  535. lname = _replace_map(lname, KCONF["fkr182"])
  536. # FKR183: 1-charater names.
  537. _fkr_log(183)
  538. rom = _replace_map(lname, KCONF["fkr183"])
  539. return rom if lname != rom else False
  540. def _fkr_log(fkr_i):
  541. fkr_k = f"FKR{fkr_i:03}"
  542. logger.debug(f"Applying {fkr_k}: {FKR_IDX[fkr_k]}")