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
|
# -*- coding: utf-8 -*-
# Copyright (C) 2019 Osmo Salomaa
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
"""Checking and correcting spelling."""
import aeidon
import os
import re
with aeidon.util.silent(Exception):
from gi.repository import Gspell
__all__ = ("SpellChecker", "SpellCheckNavigator", "SpellCheckTokenizer")
class SpellChecker:
"""Checking the spelling of an individual word."""
def __init__(self, language):
"""Initialize a :class:`SpellChecker` instance."""
glanguage = Gspell.language_lookup(language)
if glanguage is None:
raise aeidon.Error('Language "{}" not supported'.format(language))
self.checker = Gspell.Checker(language=glanguage)
self.language = language
self.replacements = []
self.read_replacements()
def add_replacement(self, word, replacement):
"""Inform that `word` is to be replaced with `replacement`."""
self.replacements.append((word, replacement))
def add_to_personal(self, word):
"""Add `word` to personal word list."""
self.checker.add_word_to_personal(word, -1)
def add_to_session(self, word):
"""Add `word` to session word list."""
self.checker.add_word_to_session(word, -1)
@classmethod
def available(cls):
"""Return ``True`` if spell-check is available."""
return "Gspell" in globals()
def check(self, word, leading_context="", trailing_context=""):
"""Return ``True`` if `word` is correct, ``False`` otherwise."""
# Include special cases to deal with suboptimal tokenization
# and informal spoken language common in subtitles.
if self.language.startswith("en"):
if word.endswith("in") and trailing_context.startswith("'"):
# Also check word with formal "ing" ending.
return self.check_any(word, word + "g")
for suffix in ["'d", "'ll", "'re", "'s", "'ve"]:
# Strip certain suffixes to also check just the main word.
# https://en.wikipedia.org/wiki/English_possessive
# https://en.wikipedia.org/wiki/Contraction_(grammar)#English
if word.endswith(suffix):
return self.check_any(word, word[:-len(suffix)])
if (re.match(r"^\d*?(?<!1)1st$", word) or
re.match(r"^\d*?(?<!1)2nd$", word) or
re.match(r"^\d*?(?<!1)3rd$", word) or
re.match(r"^\d*?(?<=1)1th$", word) or
re.match(r"^\d*?(?<=1)2th$", word) or
re.match(r"^\d*?(?<=1)3th$", word) or
re.match(r"^\d*?[0,4-9]th$", word)):
# Accept ordinal numerals comprised of number and suffix.
# https://en.wikipedia.org/wiki/English_numerals#Ordinal_numbers
return True
return self.checker.check_word(word, -1)
def check_all(self, *words):
"""Return ``True`` if all of `words` are correct, ``False`` otherwise."""
return all(self.checker.check_word(x, -1) for x in words)
def check_any(self, *words):
"""Return ``True`` if any of `words` is correct, ``False`` otherwise."""
return any(self.checker.check_word(x, -1) for x in words)
@classmethod
def list_languages(cls):
"""Return a list of supported language codes."""
languages = Gspell.Language.get_available()
return sorted(x.get_code() for x in languages)
def read_replacements(self):
"""Read list of replacements from file."""
if not os.path.isfile(self.replacement_file): return
with aeidon.util.silent(IOError, OSError, tb=True):
lines = aeidon.util.readlines(self.replacement_file)
lines = aeidon.util.get_unique(lines)
lines = list(filter(lambda x: x.strip(), lines))
self.replacements = [tuple(x.strip().split("|", 1)) for x in lines]
@property
def replacement_file(self):
"""Return path to the replacement file."""
directory = os.path.join(aeidon.CONFIG_HOME_DIR, "spell-check")
return os.path.join(directory, "{}.repl".format(self.language))
def suggest(self, word):
"""Return a list of suggestions for `word`."""
custom = [y for x, y in self.replacements if x == word]
if "I" in word:
# Add the most common OCR replacement.
replacement = word.replace("I", "l")
if self.check(replacement):
custom.append(replacement)
if re.match(r"^\d+\D+$", word):
# Add a common OCR fix of missing space between number and unit.
replacement = re.sub(r"^(\d+)(\D+)$", r"\1 \2", word)
if self.check_all(*replacement.split()):
custom.append(replacement)
suggestions = self.checker.get_suggestions(word, -1)
return aeidon.util.get_unique(custom + suggestions)
def write_replacements(self):
"""Write list of replacements to file."""
if not self.replacements: return
replacements = aeidon.util.get_unique(
self.replacements, keep_last=True)[-10000:]
text = "\n".join("|".join(x) for x in replacements) + "\n"
with aeidon.util.silent(IOError, OSError, tb=True):
aeidon.util.write(self.replacement_file, text)
class SpellCheckNavigator:
"""Iterating over spelling errors in a piece of text."""
def __init__(self, language):
"""Return a :class:`SpellCheckNavigator` instance."""
self.checker = SpellChecker(language)
self.pos = 0
self.replacements = {}
self.text = None
self.tokenizer = SpellCheckTokenizer("")
self.word = None
def __iter__(self):
return self
def __next__(self):
"""Iterate over spelling errors in text."""
initial_pos = self.pos
self.tokenizer.text = self.text[initial_pos:]
for pos, word in self.tokenizer.tokenize():
self.pos = initial_pos + pos
self.word = word
leading = self.leading_context(1)
trailing = self.trailing_context(1)
if self.checker.check(word, leading, trailing): continue
if word in self.replacements:
self.replace(self.replacements[word])
return self.__next__()
return self.pos, self.word
raise StopIteration
def add(self):
"""Add the current word to personal word list."""
self.checker.add_to_personal(self.word)
def _delete_at(self, i):
"""Delete character in text at index `i`."""
self.text = self.text[:i] + self.text[i+1:]
@property
def endpos(self):
"""The end position of the current word."""
return self.pos + len(self.word)
def ignore(self):
"""Ignore the current word."""
self.pos = self.endpos
def ignore_all(self):
"""Ignore the current word and any subsequent instances."""
self.checker.add_to_session(self.word)
self.pos = self.endpos
def join_with_next(self):
"""Join the current word with the next."""
while self.trailing_context(1).isspace():
self._delete_at(self.endpos)
def join_with_previous(self):
"""Join the current word with the previous."""
while self.leading_context(1).isspace():
self._delete_at(self.pos - 1)
self.pos -= 1
# Rewind position to the start of the new compound word.
while self.leading_context(1).isalnum():
self.pos -= 1
def leading_context(self, n):
"""Return `n` characters before the current word."""
return self.text[:self.pos][-n:]
def replace(self, replacement):
"""Replace the current word with `replacement`."""
self.checker.add_replacement(self.word, replacement)
self.text = self.text[:self.pos] + replacement + self.text[self.endpos:]
self.pos += len(replacement)
def replace_all(self, replacement):
"""Replace the current word and subsequent instances with `replacement`."""
self.replacements[self.word] = replacement
self.replace(replacement)
def reset(self, text):
"""Clear the iteration state."""
self.pos = 0
self.text = text
self.word = None
def suggest(self):
"""Return a list of suggestions for the current word."""
return self.checker.suggest(self.word)
def trailing_context(self, n):
"""Return `n` characters after the current word."""
return self.text[self.endpos:][:n]
class SpellCheckTokenizer:
"""Splitting text to words for spell-check."""
# XXX: This is unlikely to work well for all languages.
def __init__(self, text):
"""Initialize a :class:`SpellCheckTokenizer` instance."""
self.text = text
def tokenize(self):
"""Iterate over words in text."""
i = 0
while i < len(self.text):
if self.text[i].isalnum():
word = re.split(r"(?!')\W+", self.text[i:])[0]
word = re.sub(r"\W+$", "", word)
if len(word) > 1 and not word.isdigit():
yield (i, word)
i += len(word)
else:
i += 1
|