markov.py 1.7 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667
  1. import os.path
  2. import atexit
  3. import ujson
  4. import markovify
  5. from config import config
  6. class Markov:
  7. def __init__(self):
  8. self.corpus = []
  9. self.chain = None
  10. self.load()
  11. atexit.register(self.save)
  12. @property
  13. def is_ready(self):
  14. return self.chain is not None
  15. def generate(self):
  16. words = self.chain.walk()
  17. if not words:
  18. return self.generate()
  19. return " ".join(words)
  20. def rebuild(self):
  21. self.chain = markovify.Chain(self.corpus, config.MARKOV_STATE_SIZE).compile()
  22. def extend_corpus(self, text):
  23. text = text.strip()
  24. if not text:
  25. return
  26. text = text.replace("\n", " ")
  27. text = text.split(" ")
  28. text = map(lambda word: word.strip(), text)
  29. text = filter(bool, text)
  30. text = list(text)
  31. self.corpus.insert(0, text)
  32. if len(self.corpus) > config.MARKOV_CORPUS_SIZE:
  33. self.corpus = self.corpus[: config.MARKOV_CORPUS_SIZE]
  34. if len(self.corpus) % config.MARKOV_REBUILD_RATE == 0:
  35. self.rebuild()
  36. def load(self):
  37. if os.path.isfile(config.MARKOV_CHAIN_PATH):
  38. with open(config.MARKOV_CHAIN_PATH, "r") as f:
  39. self.chain = markovify.Chain.from_json(f.read())
  40. if os.path.isfile(config.MARKOV_CORPUS_PATH):
  41. with open(config.MARKOV_CORPUS_PATH, "r") as f:
  42. self.corpus = ujson.load(f)
  43. def save(self):
  44. if self.chain:
  45. with open(config.MARKOV_CHAIN_PATH, "w") as f:
  46. f.write(self.chain.to_json())
  47. with open(config.MARKOV_CORPUS_PATH, "w") as f:
  48. ujson.dump(self.corpus, f)