markov.py 2.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081
  1. import os.path
  2. import re
  3. import atexit
  4. import ujson
  5. import markovify
  6. from config import config
  7. class Markov:
  8. def __init__(self):
  9. self.counter = 0
  10. self.corpus = []
  11. self.chain = None
  12. self.load()
  13. atexit.register(self.save)
  14. @property
  15. def is_ready(self):
  16. return self.chain is not None
  17. def generate(self):
  18. words = self.chain.walk()
  19. if not words:
  20. return self.generate()
  21. text = " ".join(words)
  22. text = re.sub(r"(?:^| )?((?\.\.)|(\.{2,})|(\!{2,})|(\?{2,})|([.?!,:;\(\)\"'\$\+\-–—…]))(?: |$)", r"\1 ", text)
  23. text = text.strip()
  24. return text
  25. def rebuild(self):
  26. self.chain = markovify.Chain(self.corpus, config.MARKOV_STATE_SIZE).compile()
  27. self.counter = 0
  28. def extend_corpus(self, text):
  29. text = text.strip()
  30. if not text:
  31. return
  32. text = text.replace("\n", " ")
  33. text = re.sub(r"(@[a-z0-9_]+,?)", "", text)
  34. text = re.sub(r"((?\.\.)|(\.{2,})|(\!{2,})|(\?{2,})|[.?!,:;\(\)\"'\$\+\-–—…])", r" \1 ", text)
  35. text = text.split(" ")
  36. text = map(lambda word: word.strip(), text)
  37. text = filter(bool, text)
  38. text = list(text)
  39. if text not in self.corpus:
  40. self.corpus.insert(0, text)
  41. if len(self.corpus) > config.MARKOV_CORPUS_SIZE:
  42. self.corpus = self.corpus[: config.MARKOV_CORPUS_SIZE]
  43. self.counter += 1
  44. if self.counter % config.MARKOV_REBUILD_RATE == 0:
  45. self.rebuild()
  46. def load(self):
  47. if os.path.isfile(config.MARKOV_CHAIN_PATH):
  48. with open(config.MARKOV_CHAIN_PATH, "r") as f:
  49. self.chain = markovify.Chain.from_json(f.read())
  50. if os.path.isfile(config.MARKOV_CORPUS_PATH):
  51. with open(config.MARKOV_CORPUS_PATH, "r") as f:
  52. self.corpus = ujson.load(f)
  53. def save(self):
  54. if self.chain:
  55. with open(config.MARKOV_CHAIN_PATH, "w") as f:
  56. f.write(self.chain.to_json())
  57. with open(config.MARKOV_CORPUS_PATH, "w") as f:
  58. ujson.dump(self.corpus, f)