markov.py 1.9 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677
  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. return " ".join(words)
  22. def rebuild(self):
  23. self.chain = markovify.Chain(self.corpus, config.MARKOV_STATE_SIZE).compile()
  24. self.counter = 0
  25. def extend_corpus(self, text):
  26. text = text.strip()
  27. if not text:
  28. return
  29. text = text.replace("\n", " ")
  30. text = re.sub(r"(@[a-z0-9_]+,?)", "", text)
  31. text = re.sub(r"((\.{2,})|(\!{2,})|(\?{2,})|[.?!,:;\(\)\"'\$\+\-–—])", r" \1 ", text)
  32. text = text.split(" ")
  33. text = map(lambda word: word.strip(), text)
  34. text = filter(bool, text)
  35. text = list(text)
  36. if text not in self.corpus:
  37. self.corpus.insert(0, text)
  38. if len(self.corpus) > config.MARKOV_CORPUS_SIZE:
  39. self.corpus = self.corpus[: config.MARKOV_CORPUS_SIZE]
  40. self.counter += 1
  41. if self.counter % config.MARKOV_REBUILD_RATE == 0:
  42. self.rebuild()
  43. def load(self):
  44. if os.path.isfile(config.MARKOV_CHAIN_PATH):
  45. with open(config.MARKOV_CHAIN_PATH, "r") as f:
  46. self.chain = markovify.Chain.from_json(f.read())
  47. if os.path.isfile(config.MARKOV_CORPUS_PATH):
  48. with open(config.MARKOV_CORPUS_PATH, "r") as f:
  49. self.corpus = ujson.load(f)
  50. def save(self):
  51. if self.chain:
  52. with open(config.MARKOV_CHAIN_PATH, "w") as f:
  53. f.write(self.chain.to_json())
  54. with open(config.MARKOV_CORPUS_PATH, "w") as f:
  55. ujson.dump(self.corpus, f)