/crypt.py

https://github.com/gpendl/BlowfishCookieHelper · Python · 43 lines · 34 code · 7 blank · 2 comment · 5 complexity · f67c5136b2c2a01e3425c6463418889e MD5 · raw file

  1. import base64
  2. from Crypto.Cipher import Blowfish
  3. from Crypto.Hash import SHA256
  4. class Crypt:
  5. """Crypto cipher to make it easier to encrypt and decrypt using Blowfish.
  6. This module also works with qrypto perl and PHP modules"""
  7. def __init__(self, secret_phrase):
  8. self.BLOCK_SIZE = 8
  9. self.secret_phrase = secret_phrase
  10. digest = SHA256.new(secret_phrase).hexdigest()
  11. self.__iv = digest[:8]
  12. self.__key = digest[8:]
  13. def decrypt(self, encrypted_encoded):
  14. decoded = base64.b64decode(encrypted_encoded)
  15. crypto = Blowfish.new(self.__key, Blowfish.MODE_CBC, self.__iv)
  16. return self.__trim(crypto.decrypt(decoded))
  17. def encrypt(self, plain_text):
  18. padded = self.__pad(plain_text)
  19. crypto = Blowfish.new(self.__key, Blowfish.MODE_CBC, self.__iv)
  20. encrypted = crypto.encrypt(padded)
  21. return base64.b64encode(encrypted)
  22. def __pad (self, plaintext):
  23. mod = len(plaintext) % self.BLOCK_SIZE
  24. if (mod == 0):
  25. return plaintext
  26. else:
  27. to_pad = self.BLOCK_SIZE - mod
  28. pad = '\0';
  29. for x in range(1, to_pad):
  30. pad += '\0'
  31. return plaintext + pad
  32. def __trim(self, text):
  33. if (text[-1:] == '\0'):
  34. return self.__trim(text[:-1])
  35. else:
  36. return text