-
Notifications
You must be signed in to change notification settings - Fork 5
/
SpellChecker.py
439 lines (377 loc) · 16 KB
/
SpellChecker.py
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
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
"""
Simple spell-checker
https://www.kaggle.com/c/csc-iinlp-2017-please-feax-me/
"""
import codecs
import csv
import time
from collections import Counter, defaultdict
from pyxdameraulevenshtein import damerau_levenshtein_distance
from functools import lru_cache
import nltk
from nltk.corpus import stopwords
import numpy as np
import pandas as pd
import pymorphy2
import re
from sklearn.feature_extraction.text import CountVectorizer
import string
nltk.download('stopwords')
all_stopwords = stopwords.words('russian') + stopwords.words('english')
class WordDict:
_END = '__end__'
def __init__(self):
self.root = {}
def __contains__(self, item):
node = self.root
for letter in item:
letter = letter.lower()
if letter not in node.keys():
return False
node = node[letter]
else:
return self._END in node
def __add_item(self, word):
node = self.root
for letter in word:
letter = letter.lower()
node = node.setdefault(letter, {})
node[self._END] = self._END
def collect(self, words):
for word in words:
self.__add_item(word)
return self
class StatisticalSpeller(object):
"""
Поиск слов, наиболее близких по числу общих n-грамм и
последующее ранжирование по эвристике-близости
"""
__pron_set = ['то', 'та', 'те', 'так', 'это', 'эта', 'эти',
'той', 'тем', 'там', 'том', 'тех',
'этих', 'этой', 'этом', 'согласно']
@staticmethod
def tokenize(text):
return ['^'] + [t for t in text.split()] + ['$']
def __init__(self, n_candidates_search=150):
"""
:param n_candidates_search: число кандидатов-строк при поиске
"""
self.n_candidates = n_candidates_search
self.morph = pymorphy2.MorphAnalyzer()
# векторайзеры для нграмного индекса и частотного словаря
self.vectorizer = CountVectorizer(analyzer="char_wb", ngram_range=(2, 3), binary=True)
self.voc_vectorizer = CountVectorizer(tokenizer=self.tokenize, ngram_range=(2, 2))
# нграмный индекс + частотный словарь биграм по корпусу текстов
self.index = defaultdict(set)
self.voc = defaultdict(int)
self.words_list = None
# регэкспы для битых предлогов
self.on_prep = re.compile(r'\b(н{2,}а|на{2,})\b')
self.year = re.compile(r'^[12]\d{3}')
def fit(self, words_list):
"""
Подгонка спеллера
"""
checkpoint = time.time()
self.words_list = words_list
encoded_words = self.vectorizer.fit_transform(words_list).tocoo()
# строим словарь, отображающий идентификатор нграммы в множество термов
for ind in zip(encoded_words.row, encoded_words.col):
self.index[ind[1]].add(ind[0])
print("Speller fitted in", time.time() - checkpoint)
return self
def fit_texts(self, texts):
checkpoint = time.time()
words_vocab = self.voc_vectorizer.fit_transform(texts).tocoo()
self.voc = dict(zip(
sorted(self.voc_vectorizer.vocabulary_.values()),
words_vocab.sum(axis=0).A1))
print("Speller fitted for texts in", time.time() - checkpoint)
@lru_cache(maxsize=1000000)
def rectify(self, word, prev_word):
"""
Предсказания спеллера
"""
if word == ',,':
return ','
if word == '..':
return '...'
# запрос, преобразованный в нграммы
char_ngrams_list = self.vectorizer.transform([word]).tocoo().col
# подбираем число кандидатов по длине запроса
self.n_candidates = 350 if len(word) <= 4 else 250 if len(word) <= 7 else self.n_candidates
# для каждого терма считаем совпадение по нграммам
counter = Counter()
for token_id in char_ngrams_list:
for word_id in self.index[token_id]:
counter[word_id] += 1
# среди топа по совпадениям по нграммам ищем "хорошее" исправление
# используем модифицированное расстояние Левенштейна (с перестановками)
# а также ищем слово с минимальным количеством новых букв
suggests = list()
for suggest in counter.most_common(n=self.n_candidates):
sugg = self.words_list[suggest[0]]
dist = damerau_levenshtein_distance(sugg, word)
context_list = self.voc_vectorizer.transform([f"{prev_word} {sugg}"]).tocoo().col.tolist()
if dist <= 5:
suggs = [(sugg, dist, 0.0)]
if context_list:
suggs = [(sugg, dist, self.voc.get(context, 0.0)) for context in context_list]
suggests.extend(suggs)
suggests = sorted(suggests, key=lambda tup: tup[1])
minimal_distance = min(suggest[1] for suggest in suggests)
candidates = sorted(
[(suggest[0], suggest[2]) for suggest in suggests
if suggest[1] == minimal_distance and set(suggest[0]) == set(word)],
key=lambda tup: -tup[1])
return candidates[0][0] if candidates and candidates[0][1] > 0 else suggests[0][0]
# ищем тег среди разборов одного слова
def __tag_in_parse(self, tag_name, word):
return any(tag_name in parse.tag for parse in self.morph.parse(word))
# строим эвристики для битых предлогов
def need_fix_prep(self, word, prep):
if prep == 'е':
if self.__tag_in_parse('VERB', word) \
or word in ['только', 'более', 'менее', 'больше', 'меньше']:
return 'не'
else:
return prep
elif prep == 'аа':
return 'а'
elif prep == 'даа' or prep == 'дда':
return 'да'
elif prep == 'ии':
return 'и'
elif prep == 'илли' or prep == 'иили':
return 'или'
elif prep == 'отт':
return 'от'
elif prep == 'ри':
return 'при'
elif prep in ['ыб', 'бл']:
return 'был'
elif prep in ['ым', 'ыт', 'ыв']:
return prep[::-1]
elif prep in ['зи', 'ов', 'од', 'ан', 'оп', 'ми', 'хи', 'ен']:
if not self.__tag_in_parse('PREP', word):
return prep[::-1]
else:
return prep
elif prep == 'аз':
if self.__tag_in_parse('accs', word):
return prep[::-1]
elif 'VERB' in self.morph.parse(word)[0].tag:
return 'раз'
else:
return prep
elif prep == 'в':
if word == 'время':
return 'во'
else:
return prep
elif prep == 'д':
if word not in string.punctuation \
and word not in '.. ... ,,'.split():
return 'до'
else:
return prep
elif prep == 'з':
if len(word) > 1:
if self.__tag_in_parse('gent', word):
return 'из'
elif self.__tag_in_parse('accs', word) \
or self.__tag_in_parse('ablt', word):
return 'за'
else:
return prep
else:
return prep
elif prep == 'н':
if len(word) > 1:
if self.__tag_in_parse('accs', word) \
or self.__tag_in_parse('loct', word) \
or self.__tag_in_parse('loc2', word):
return 'на'
elif 'VERB' in self.morph.parse(word)[0].tag:
return 'он'
else:
return prep
else:
return prep
elif prep == 'п':
if self.__tag_in_parse('datv', word) \
or self.__tag_in_parse('loct', word) \
or self.__tag_in_parse('loc2', word) or word.isdigit():
return 'по'
else:
return prep
elif prep == 'т':
if len(word) > 1:
if self.__tag_in_parse('gent', word):
return 'от'
elif self.__tag_in_parse('ablt', word) or word in ['же', 'есть']:
return 'то'
elif self.__tag_in_parse('femn', word):
return 'та'
else:
return prep
else:
return prep
elif prep == 'х':
if word not in string.punctuation and not word.isdigit():
return 'их'
else:
return prep
elif prep == 'чо':
return 'что'
elif prep == 'о':
if word == 'время':
return 'во'
else:
return prep
elif prep == 'ноо':
if not word.isalpha():
return 'но'
else:
return prep
elif prep == 'кк':
if 'datv' in self.morph.parse(word)[0].tag:
return 'к'
elif word not in string.punctuation:
return 'как'
else:
return prep
elif prep == 'оо':
if self.__tag_in_parse('loct', word):
return 'о'
else:
return prep
elif prep == 'сс':
if self.__tag_in_parse('gent', word) \
or self.__tag_in_parse('ablt', word) \
or self.year.search(word):
return 'с'
else:
return prep
elif self.on_prep.search(prep):
if self.__tag_in_parse('accs', word) \
or self.__tag_in_parse('loct', word) \
or self.__tag_in_parse('loc2', word) \
or word.isdigit():
return 'на'
else:
return prep
elif prep == 'пр':
if self.__tag_in_parse('loct', word):
return 'при'
elif self.__tag_in_parse('accs', word):
return 'про'
else:
return prep
elif prep == 'эо':
return 'это'
elif prep == 'эт':
if self.__tag_in_parse('femn', word):
if self.__tag_in_parse('accs', word):
return 'эту'
elif self.__tag_in_parse('gent', word) \
or self.__tag_in_parse('datv', word):
return 'этой'
else:
return 'эта'
elif self.__tag_in_parse('masc', word) \
and not self.__tag_in_parse('ablt', word):
return 'этот'
else:
return 'это'
else:
return prep
def need_fix_prep_after_words(self, word, prep, next_word, ind):
if prep == 'вв':
if ind == 0 or (ind - 1 >= 0 and 'ivx' not in word):
return 'в'
elif next_word == 'время':
return 'во'
else:
return prep
elif prep == 'тс' and ind - 1 >= 0 and word.isdigit():
return 'тыс'
elif prep == 'мк' and word.isdigit():
return prep[::-1]
elif prep == 'е':
if word in self.__pron_set:
return 'же'
elif self.__tag_in_parse('Name', word):
return 'де'
elif next_word != '' and next_word not in string.punctuation:
return 'ее'
else:
return prep
elif prep == 'ж':
if word in self.__pron_set:
return 'же'
else:
return prep
elif prep == 'ил':
if self.__tag_in_parse('VERB', word):
return 'ли'
else:
return 'или'
else:
return prep
if __name__ == "__main__":
np.random.seed(0)
# зачитываем словарь "правильных слов"
words_set = set(line.strip() for line in codecs.open("../resources/words_dict.txt", "r", encoding="utf-8"))
words_dict = WordDict()
words_dict.collect(words_set)
# создаём спеллер
speller = StatisticalSpeller()
speller.fit(sorted(list(words_set)))
# читаем выборку из правильных текстов
df = pd.read_csv("../resources/corrected_texts.csv")
speller.fit_texts(list(df["text"]))
# читаем выборку
df = pd.read_csv("../resources/broken_texts.csv")
checkpoint1 = time.time()
total_rectification_time = 0.0
total_sentences_rectifications = 0.0
y_submission = []
counts = 0
# исправляем, попутно собирая счётчики и засекая время
for i in range(df.shape[0]):
counts += 1
if counts % 100 == 0:
print("Rows processed", counts)
start = time.time()
mispelled_text = df["text"][i]
mispelled_tokens = mispelled_text.split()
was_rectified = False
# для каждого слова из текста поступаем следующим образом:
# если слово отсутствует в словаре, то подбираем ему наилучшее исправление
# далее при наличие слева стопслова с опечаткой пытаемся его исправить с помощью простых эвристик
for j, mispelled_token in enumerate(mispelled_tokens):
if mispelled_token not in all_stopwords and mispelled_token not in words_dict:
prev_token = mispelled_tokens[j - 1] if j > 0 else '^'
rectified_token = speller.rectify(mispelled_token, prev_token)
mispelled_tokens[j] = rectified_token
if j - 1 >= 0:
mispelled_tokens[j - 1] = speller.need_fix_prep(rectified_token, mispelled_tokens[j - 1])
was_rectified = True
elif mispelled_token in words_dict:
mispelled_tokens[j - 1] = speller.need_fix_prep(mispelled_token, mispelled_tokens[j - 1])
nw = mispelled_tokens[j + 1] if j + 1 < len(mispelled_tokens) else ''
mispelled_tokens[j] = speller.need_fix_prep_after_words(mispelled_tokens[j - 1],
mispelled_token, nw, j)
was_rectified = True
if was_rectified:
mispelled_text = " ".join(mispelled_tokens)
total_rectification_time += time.time() - start
total_sentences_rectifications += 1.0
y_submission.append(mispelled_text)
checkpoint2 = time.time()
print("elapsed", checkpoint2 - checkpoint1)
print("average speller time", total_rectification_time / float(total_sentences_rectifications))
submission = pd.DataFrame({"id": df["id"], "text": y_submission}, columns=["id", "text"])
submission.to_csv("baseline_submission.csv", index=None, encoding="utf-8", quotechar='"',
quoting=csv.QUOTE_NONNUMERIC)