Spaces:
Running
Running
File size: 18,699 Bytes
686cd54 efbe6b4 686cd54 efbe6b4 703d114 efbe6b4 686cd54 efbe6b4 92aa5ff 686cd54 92aa5ff 686cd54 efbe6b4 686cd54 92aa5ff efbe6b4 686cd54 efbe6b4 686cd54 efbe6b4 28dab52 efbe6b4 92aa5ff efbe6b4 686cd54 efbe6b4 686cd54 efbe6b4 28dab52 efbe6b4 686cd54 efbe6b4 686cd54 92aa5ff efbe6b4 97b436b efbe6b4 686cd54 703d114 28dab52 703d114 92aa5ff 703d114 efbe6b4 15355ff 686f61c efbe6b4 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 |
from random import randint
from nltk import edit_distance
from utilities.utils import answer_letter
from utilities_language_general.similarity_measures import make_decision
from utilities_language_general.rus_constants import nlp, morph, stop_list, COMBINE_POS
def prepare_target_words(target_words):
target_words = target_words.lower().replace(' ,', ',').replace(',', ', ').replace(' ', ' ').split(', ')
TARGET_WORDS = set()
for target_word in target_words:
paradigm = {form.word for form in morph.parse(target_word)[0].lexeme}
TARGET_WORDS = TARGET_WORDS.union(paradigm)
return list(set(TARGET_WORDS))
def compute_frequency_dict(text: str) -> dict:
"""
Compute frequency dictionary of given text and return it sorted in descending order.
:param text: given text as string variable
:return: frequency dictionary {word: frequency} sorted in descending order
"""
freq_dict = {}
doc = nlp(text)
lemma_list_spacy = [token.lemma_ for token in doc]
for lemma in lemma_list_spacy:
if lemma.isalpha():
if lemma not in freq_dict.keys():
freq_dict[lemma] = 1
else:
freq_dict[lemma] += 1
lemma_list_morph = [morph.parse(token.text)[0].normal_form for token in doc]
for lemma in lemma_list_morph:
if lemma.isalpha() and (lemma not in lemma_list_spacy):
if lemma not in freq_dict.keys():
freq_dict[lemma] = 1
else:
freq_dict[lemma] += 1
return freq_dict
def convert_gender(gender_spacy):
genders = {'Masc': 'masc', 'Fem': 'femn', 'Neut': 'neut', None: False}
return genders[gender_spacy]
def define_gender(token: str) -> str or None:
"""
Prettify defining gender of a token.
:param token: the word for which it's needed to identify gender
:return: gender as string variable, ('masc', 'femn', 'neut')
"""
token = str(token)
return morph.parse(token)[0].tag.gender
def get_tags(token: str):
"""
Prettify getting tags of a word and method of obtaining them.
If pymorpy2 is too unsure how to parse the word (>3 parses) None is returned.
:param token: the word for which it's needed to identify tags and method
:return: tags to be used for synthesis as set variable and method as string or None
"""
parse = morph.parse(token)
tags = str(parse[0].tag)
parts = (tag for part in tags.split(' ') for tag in part.split(','))
method = str(parse[0].methods_stack[0][0])
return set(parts), method
def make_inflection(text: str, pos: str or list, tags: set, level: str) -> str or None:
if isinstance(pos, list):
if set(pos).issubset({'NOUN', 'ADJ', 'PROPN'}):
noun_adjective_phrase_tags = {'nomn', 'gent', 'datv', 'accs', 'ablt', 'loct', 'voct',
'gen2', 'acc2', 'loc2', 'sing', 'plur'}
tags = tags.intersection(noun_adjective_phrase_tags)
lemmas = text.split('_')
word_form = ''
# Parse phrase and define phrase gender, animacy
gender = None
animacy = None
parsed = []
for lemma in lemmas:
parse = morph.parse(lemma)[0]
gender = gender if gender is not None else parse.tag.gender if parse.tag.POS == 'NOUN' else None
animacy = animacy if animacy is not None else str(parse.tag).split(',')[1] \
if parse.tag.POS == 'NOUN' else None
parsed.append(parse)
tags = tags.union({gender, animacy})
tags.discard(None)
try:
for parse in parsed:
word_form += f'{parse.inflect(tags).word} '
return word_form
except AttributeError:
return None
else:
word_form = morph.parse(text)[0].inflect(tags)
if word_form is None and pos == 'VERB' and 'impf' in tags and level in ('A1', 'A2'):
tags.discard('impf')
tags.add('perf')
word_form = morph.parse(text)[0].inflect(tags)
if word_form is not None:
return word_form.word
elif word_form is None and pos == 'VERB' and 'perf' in tags and level in ('A1', 'A2'):
tags.discard('perf')
tags.add('impf')
word_form = morph.parse(text)[0].inflect(tags)
if word_form is not None:
return word_form.word
if pos == 'NOUN' and level in ('A1', 'A2'):
if word_form is None:
if 'inan' in tags:
tags.discard('inan')
tags.add('anim')
elif 'anim' in tags:
tags.discard('anim')
tags.add('inan')
else:
word_form = morph.parse(text)[0].inflect(tags)
return word_form.word if word_form is not None else None
word_form = morph.parse(text)[0].inflect(tags)
return word_form.word if word_form is not None else None
def check_token(token, lemma_pos, model, current_minimum: set = None, stop_words=stop_list,
check_allowed_pos: set = None, check_allowed_dep: set = None) -> bool:
not_allowed_pos = {'PROPN', 'PUNCT', 'NUM'}
not_allowed_synt_dep = {'cop', } # 'ROOT'
if lemma_pos == 'auto':
lemma_pos = f'{token.lemma_}_{token.pos_}'
if not token.text.isalpha():
return False
if current_minimum is not None and token.lemma_ not in current_minimum:
return False
if not model.has_index_for(lemma_pos):
return False
if get_tags(token.text) is not None:
tags, method = get_tags(token.text)
else:
tags = None
method = 'suspense'
method_satisfied = (method == 'DictionaryAnalyzer()')
if (token.text not in stop_words
and not token.is_stop
and tags is not None
and method_satisfied):
if check_allowed_pos is None and check_allowed_dep is None:
if token.pos_ not in not_allowed_pos and token.dep_ not in not_allowed_synt_dep:
return True
return False
elif check_allowed_pos is not None and check_allowed_dep is None:
if token.pos_ in check_allowed_pos and token.dep_ not in not_allowed_synt_dep:
return True
return False
elif check_allowed_pos is None and check_allowed_dep is not None:
if token.pos_ not in not_allowed_pos and token.dep_ in check_allowed_dep:
return True
return False
else:
if token.pos_ in check_allowed_pos and token.dep_ in check_allowed_dep:
return True
return False
else:
return False
def check_token_bert(token, current_minimum: set = None, stop_words=stop_list,
check_allowed_pos: set = None, check_allowed_dep: set = None) -> bool:
not_allowed_pos = {'PROPN', 'PUNCT', 'NUM'}
not_allowed_synt_dep = {'cop', } # 'ROOT'
if not token.text.isalpha():
return False
if current_minimum is not None and token.lemma_ not in current_minimum:
return False
if get_tags(token.text) is not None:
tags, method = get_tags(token.text)
else:
tags = None
method = 'suspense'
method_satisfied = (method == 'DictionaryAnalyzer()')
if (token.text not in stop_words
and not token.is_stop
and tags is not None
and method_satisfied):
if check_allowed_pos is None and check_allowed_dep is None:
if token.pos_ not in not_allowed_pos and token.dep_ not in not_allowed_synt_dep:
return True
return False
elif check_allowed_pos is not None and check_allowed_dep is None:
if token.pos_ in check_allowed_pos and token.dep_ not in not_allowed_synt_dep:
return True
return False
elif check_allowed_pos is None and check_allowed_dep is not None:
if token.pos_ not in not_allowed_pos and token.dep_ in check_allowed_dep:
return True
return False
else:
if token.pos_ in check_allowed_pos and token.dep_ in check_allowed_dep:
return True
return False
else:
return False
def get_distractors_from_model(doc, model, scaler, classifier, pos_dict:dict, target_text:str, lemma: str, pos: str, gender: str,
lemma_index:int, global_distractors: set, distractor_minimum: set, level_name: str, max_num_distractors: int,
max_length_ratio=5, min_edit_distance_ratio=0.4):
distractors = []
query = lemma if '_' in lemma else f'{lemma}_{pos}'
lemma = '_'.join(lemma.split('_')[::2])
if model.has_index_for(query):
candidates = model.most_similar(query, topn=max_num_distractors + 100)
else:
if query.count('_') == 1:
return None
query_raw_list = query.split('_')
query_parts = ['_'.join(query_raw_list[i:i + 2]) for i in range(len(query_raw_list))][::2]
query_vector = model.get_mean_vector(query_parts)
candidates = model.similar_by_vector(query_vector, topn=max_num_distractors + 100)
for candidate in candidates:
if candidate[0].count('_') == 1:
distractor_lemma, distractor_pos = candidate[0].split('_')
distractor_similarity = candidate[1]
candidate_gender = define_gender(distractor_lemma)
length_ratio = abs(len(lemma) - len(distractor_lemma))
decision = make_decision(doc, model_type='w2v', model=model, scaler=scaler, classifier=classifier, pos_dict=pos_dict,
level=level_name, target_lemma=query, target_text=target_text, target_pos=pos, target_position=lemma_index,
substitute_lemma=distractor_lemma, substitute_pos=distractor_pos)
condition = ((distractor_pos == pos
or (COMBINE_POS['simple'][level_name].get(pos) is not None and COMBINE_POS['simple'][level_name].get(distractor_pos) is not None
and distractor_pos in COMBINE_POS['simple'][level_name][pos] and pos in COMBINE_POS['simple'][level_name][distractor_pos]))
and decision
and distractor_lemma != lemma
and len(distractors) < 100
and (candidate_gender == gender and level_name in ('B1', 'B2', 'C1', 'C2') or level_name in ('A1', 'A2'))
and length_ratio <= max_length_ratio
and distractor_lemma not in global_distractors
and edit_distance(lemma, distractor_lemma) / ((len(lemma) + len(distractor_lemma)) / 2) >= min_edit_distance_ratio)
if condition:
if distractor_minimum is not None:
if distractor_lemma in distractor_minimum:
distractors.append((distractor_lemma, distractor_similarity))
global_distractors.add(distractor_lemma)
else:
distractors.append((distractor_lemma, distractor_similarity))
global_distractors.add(distractor_lemma)
else:
if candidate[0].count('_') > 3 or pos in ('NOUN', 'ADJ', 'NUM'):
continue
d1_lemma, d1_pos, d2_lemma, d2_pos = candidate[0].split('_')
distractor_lemma = f'{d1_lemma}_{d2_lemma}'
d_pos = f'{d1_pos}_{d2_pos}'
distractor_similarity = candidate[1]
decision = make_decision(doc, model_type='w2v', model=model, scaler=scaler, classifier=classifier, pos_dict=pos_dict,
level=level_name, target_lemma=query, target_text=target_text, target_pos=pos, target_position=lemma_index,
substitute_lemma=candidate[0], substitute_pos=d_pos)
condition = (((d1_pos == pos or d2_pos == pos)
or (COMBINE_POS['simple'][level_name].get(pos) is not None and COMBINE_POS['simple'][level_name].get(d_pos) is not None
and d_pos in COMBINE_POS['simple'][level_name][pos] and pos in COMBINE_POS['simple'][level_name][d_pos])
or (d1_pos in ('VERB', 'AUX', 'SCONJ', 'ADP')
and pos in ('phrase', 'VERB', 'AUX', 'SCONJ', 'ADP'))
or (d2_pos in ('VERB', 'AUX', 'SCONJ', 'ADP')
and pos in ('phrase', 'VERB', 'AUX', 'SCONJ', 'ADP')))
and decision
and candidate[0] != lemma
and distractor_lemma != lemma
and len(distractors) < 100
and distractor_lemma not in global_distractors)
if condition:
if distractor_minimum is not None:
if (distractor_lemma in distractor_minimum
or (d1_lemma in distractor_minimum and d2_lemma in distractor_minimum)):
distractors.append((candidate[0], distractor_similarity))
global_distractors.add(distractor_lemma)
else:
distractors.append((candidate[0], distractor_similarity))
global_distractors.add(distractor_lemma)
max_num_distractors = min(4, max_num_distractors) if max_num_distractors >= 4 else max_num_distractors
if len(distractors) >= max_num_distractors:
return distractors
else:
return None
def get_distractors_from_model_bert(model, scaler, classifier, pos_dict:dict, level_name: str, lemma: str, pos: str, gender: str,
text_with_masked_task: str, global_distractors: set, distractor_minimum: set,
max_num_distractors: int, max_length_ratio=5, min_edit_distance_ratio=0.4):
_distractors = []
try:
if distractor_minimum:
bert_candidates = [token for token in model(text_with_masked_task, top_k=max_num_distractors + 100)]
else:
bert_candidates = [token for token in model(text_with_masked_task, top_k=max_num_distractors + 100)]
inflected_candidates = []
for candidate in bert_candidates:
if isinstance(candidate, list):
bert_candidates = candidate
continue
if candidate['token_str'].isalpha():
candidate_morph = nlp(candidate['token_str'])[0]
inflected_candidates.append((f"{candidate_morph.lemma_}_{candidate_morph.pos_}", candidate['score']))
except KeyError:
return None
for candidate_distractor in inflected_candidates:
if '_' in candidate_distractor[0]:
distractor_lemma, distractor_pos = candidate_distractor[0].split('_')
else:
candidate_morph = nlp(candidate_distractor[0])[0]
distractor_lemma, distractor_pos = candidate_morph.lemma_, candidate_morph.pos_
distractor_similarity = candidate_distractor[1]
candidate_gender = define_gender(distractor_lemma)
length_ratio = abs(len(lemma) - len(distractor_lemma))
decision = make_decision(doc=None, model_type='bert', scaler=scaler, classifier=classifier, pos_dict=pos_dict, level=level_name,
target_lemma=lemma, target_text=None, target_pos=pos, target_position=None,
substitute_lemma=distractor_lemma, substitute_pos=distractor_pos, bert_score=distractor_similarity)
condition = (((distractor_pos == pos)
or (COMBINE_POS['phrase'][level_name].get(pos) is not None and COMBINE_POS['phrase'][level_name].get(distractor_pos) is not None
and distractor_pos in COMBINE_POS['phrase'][level_name][pos] and pos in COMBINE_POS['phrase'][level_name][distractor_pos]))
and decision
and distractor_lemma != lemma
and (len(_distractors) < max_num_distractors + 10)
and (candidate_gender == gender and level_name in ('B1', 'B2', 'C1', 'C2') or level_name in ('A1', 'A2'))
and (length_ratio <= max_length_ratio) # May be changed if case of phrases
and (distractor_lemma not in global_distractors)
and (edit_distance(lemma, distractor_lemma) # May be changed if case of phrases
/ ((len(lemma) + len(distractor_lemma)) / 2) >= min_edit_distance_ratio))
if condition:
if distractor_minimum is not None:
if distractor_lemma in distractor_minimum:
_distractors.append((distractor_lemma, candidate_distractor[1]))
global_distractors.add(distractor_lemma)
else:
_distractors.append((distractor_lemma, candidate_distractor[1]))
num_distractors = min(4, max_num_distractors) if max_num_distractors >= 4 else max_num_distractors
if len(_distractors) < num_distractors:
return None
return _distractors
def prepare_tasks(input_variants):
TASKS_STUDENT = ''
TASKS_TEACHER = ''
KEYS_ONLY = ''
RAW_TASKS = []
RAW_KEYS_ONLY = []
RESULT_TASKS_STUDENT = []
TASKS_WITH_ANSWERS_L = []
KEYS = []
for num, item in enumerate(input_variants):
item = item[0]
answer = item[0].lower()
variants = '\t'.join([i.lower() for i in item[1]])
current_answer_letter = answer_letter(answer=answer, variants=[i.lower() for i in item[1]])
RAW_TASKS.append((num + 1, variants))
RAW_KEYS_ONLY.append((num + 1, current_answer_letter.split(' ')[0]))
RESULT_TASKS_STUDENT.append(f"{num + 1}.\t{variants}")
TASKS_WITH_ANSWERS_L.append(f"{num + 1}.\t"
f"Ответ: {current_answer_letter}\n\t"
f"Варианты: {variants}")
KEYS.append(f"{num + 1}.\tОтвет: {current_answer_letter}")
for task in RESULT_TASKS_STUDENT:
TASKS_STUDENT += f'{task}\n'
for task in TASKS_WITH_ANSWERS_L:
TASKS_TEACHER += f'{task}\n'
for task in KEYS:
KEYS_ONLY += f'{task}\n'
return {'TASKS_STUDENT': TASKS_STUDENT, 'TASKS_TEACHER': TASKS_TEACHER,
'KEYS_ONLY': KEYS_ONLY, 'RAW_TASKS': RAW_TASKS, 'RAW_KEYS_ONLY': RAW_KEYS_ONLY}
|