markov.py 1.8 KB

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