2020-11-25 12:33:49 +03:00
|
|
|
from typing import List
|
2020-10-15 16:55:01 +03:00
|
|
|
from collections import OrderedDict
|
|
|
|
|
2020-11-25 12:33:49 +03:00
|
|
|
from ...pipeline import Lemmatizer
|
|
|
|
from ...tokens import Token
|
2020-10-15 16:55:01 +03:00
|
|
|
|
|
|
|
|
|
|
|
class MacedonianLemmatizer(Lemmatizer):
|
2020-11-25 12:33:49 +03:00
|
|
|
def rule_lemmatize(self, token: Token) -> List[str]:
|
|
|
|
string = token.text
|
|
|
|
univ_pos = token.pos_.lower()
|
|
|
|
morphology = token.morph.to_dict()
|
2020-10-15 16:55:01 +03:00
|
|
|
|
|
|
|
if univ_pos in ("", "eol", "space"):
|
|
|
|
return [string.lower()]
|
|
|
|
|
2021-01-05 05:41:53 +03:00
|
|
|
if string[-3:] == "јќи":
|
2020-10-15 16:55:01 +03:00
|
|
|
string = string[:-3]
|
|
|
|
univ_pos = "verb"
|
|
|
|
|
|
|
|
if callable(self.is_base_form) and self.is_base_form(univ_pos, morphology):
|
|
|
|
return [string.lower()]
|
|
|
|
index_table = self.lookups.get_table("lemma_index", {})
|
|
|
|
exc_table = self.lookups.get_table("lemma_exc", {})
|
|
|
|
rules_table = self.lookups.get_table("lemma_rules", {})
|
2021-01-05 05:41:53 +03:00
|
|
|
if not any(
|
|
|
|
(
|
|
|
|
index_table.get(univ_pos),
|
|
|
|
exc_table.get(univ_pos),
|
|
|
|
rules_table.get(univ_pos),
|
|
|
|
)
|
|
|
|
):
|
2020-10-15 16:55:01 +03:00
|
|
|
if univ_pos == "propn":
|
|
|
|
return [string]
|
|
|
|
else:
|
|
|
|
return [string.lower()]
|
|
|
|
|
2020-11-25 12:33:49 +03:00
|
|
|
index = index_table.get(univ_pos, {})
|
|
|
|
exceptions = exc_table.get(univ_pos, {})
|
|
|
|
rules = rules_table.get(univ_pos, [])
|
|
|
|
|
2020-10-15 16:55:01 +03:00
|
|
|
orig = string
|
|
|
|
string = string.lower()
|
|
|
|
forms = []
|
|
|
|
|
|
|
|
for old, new in rules:
|
|
|
|
if string.endswith(old):
|
|
|
|
form = string[: len(string) - len(old)] + new
|
|
|
|
if not form:
|
|
|
|
continue
|
|
|
|
if form in index or not form.isalpha():
|
|
|
|
forms.append(form)
|
|
|
|
|
|
|
|
forms = list(OrderedDict.fromkeys(forms))
|
|
|
|
for form in exceptions.get(string, []):
|
|
|
|
if form not in forms:
|
|
|
|
forms.insert(0, form)
|
|
|
|
if not forms:
|
|
|
|
forms.append(orig)
|
|
|
|
|
|
|
|
return forms
|