/papyon/storage.py

https://github.com/Sndan/papyon · Python · 211 lines · 131 code · 51 blank · 29 comment · 13 complexity · 56c938934d2b95371baa6111238d6379 MD5 · raw file

  1. # -*- coding: utf-8 -*-
  2. #
  3. # papyon - a python client library for Msn
  4. #
  5. # Copyright (C) 2006 Ali Sabil <ali.sabil@gmail.com>
  6. #
  7. # This program is free software; you can redistribute it and/or modify
  8. # it under the terms of the GNU General Public License as published by
  9. # the Free Software Foundation; either version 2 of the License, or
  10. # (at your option) any later version.
  11. #
  12. # This program is distributed in the hope that it will be useful,
  13. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  14. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  15. # GNU General Public License for more details.
  16. #
  17. # You should have received a copy of the GNU General Public License
  18. # along with this program; if not, write to the Free Software
  19. # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
  20. import papyon.util.string_io as StringIO
  21. try:
  22. from cPickle import Pickler, Unpickler
  23. except ImportError:
  24. from pickle import Pickler, Unpickler
  25. import UserDict
  26. import anydbm
  27. import random
  28. from Crypto.Hash import SHA
  29. from Crypto.Cipher import Blowfish
  30. __all__ = ['MemoryStorage', 'DbmStorage', 'DecryptError']
  31. _storage = None
  32. def set_storage(klass):
  33. global _storage
  34. _storage = klass
  35. def get_storage(*args):
  36. global _storage
  37. if _storage is None:
  38. _storage = MemoryStorage
  39. if len(args) > 0:
  40. return _storage(*args)
  41. else:
  42. return _storage
  43. class BlowfishCipher:
  44. def __init__(self, key):
  45. self._cipher = Blowfish.new(key)
  46. def encrypt(self, data):
  47. return self._cipher.encrypt(self.__add_padding(data))
  48. def decrypt(self, data):
  49. return self.__remove_padding(self._cipher.decrypt(data))
  50. def __add_padding(self, data):
  51. padding_length = 8 - (len(data) % 8)
  52. for i in range(padding_length - 1):
  53. data += chr(random.randrange(0, 256))
  54. data += chr(padding_length)
  55. return data
  56. def __remove_padding(self, data):
  57. padding_length = ord(data[-1]) % 8
  58. if padding_length == 0:
  59. padding_length = 8
  60. return data[:-padding_length]
  61. class DecryptError(Exception):
  62. pass
  63. class AbstractStorage(UserDict.DictMixin):
  64. """Base class for storage objects, storage objects are
  65. a way to let papyon and the client agree on how data may
  66. be stored. This data included security tokens, cached
  67. display pictures ..."""
  68. def __init__(self, account, password, identifier):
  69. """Initializer
  70. @param identifier: the identifier of this storage instance
  71. @type identifier: string"""
  72. self.account = account
  73. self.cipher = BlowfishCipher(SHA.new(password).digest())
  74. self.storage_id = identifier
  75. def keys(self):
  76. raise NotImplementedError("Abstract method call")
  77. def has_key(self, key):
  78. return key in self.keys()
  79. def get(self, key, default=None):
  80. if self.has_key(key):
  81. return self[key]
  82. return default
  83. def __len__(self):
  84. return len(self.keys)
  85. def __contains__(self, key):
  86. return self.has_key(key)
  87. def __getitem__(self, key):
  88. raise NotImplementedError("Abstract method call")
  89. def __setitem__(self, key, value):
  90. raise NotImplementedError("Abstract method call")
  91. def __delitem__(self, key):
  92. raise NotImplementedError("Abstract method call")
  93. def __del__(self):
  94. raise NotImplementedError("Abstract method call")
  95. def close(self):
  96. pass
  97. # Helper functions
  98. def _pickle_encrypt(self, value):
  99. f = StringIO.StringIO()
  100. pickler = Pickler(f, -1)
  101. pickler.dump(value)
  102. data = self.account + f.getvalue() # prepend a known value to check decrypt
  103. return self.cipher.encrypt(data)
  104. def _unpickle_decrypt(self, data):
  105. data = self.cipher.decrypt(data)
  106. if not data.startswith(self.account):
  107. raise DecryptError()
  108. data = data[len(self.account):]
  109. return Unpickler(StringIO.StringIO(data)).load()
  110. _MemoryStorageDict = {}
  111. class MemoryStorage(AbstractStorage):
  112. """In memory storage type"""
  113. def __init__(self, account, password, identifier):
  114. AbstractStorage.__init__(self, account, password, identifier)
  115. if account + "/" + identifier not in _MemoryStorageDict:
  116. _MemoryStorageDict[account + "/" + identifier] = {}
  117. self._dict = _MemoryStorageDict[self.account + "/" + self.storage_id]
  118. def keys(self):
  119. return self._dict.keys()
  120. def __getitem__(self, key):
  121. return self._unpickle_decrypt(self._dict[key])
  122. def __setitem__(self, key, value):
  123. self._dict[key] = self._pickle_encrypt(value)
  124. def __delitem__(self, key):
  125. del self._dict[key]
  126. def __del__(self):
  127. pass
  128. def close(self):
  129. pass
  130. class DbmStorage(AbstractStorage):
  131. STORAGE_PATH = "~/.papyon"
  132. def __init__(self, account, password, identifier):
  133. import os.path
  134. AbstractStorage.__init__(self, account, password, identifier)
  135. storage_path = os.path.expanduser(self.STORAGE_PATH)
  136. file_dir = os.path.join(storage_path, self.account)
  137. file_path = os.path.join(file_dir, self.storage_id)
  138. try:
  139. import os
  140. os.makedirs(file_dir)
  141. except:
  142. pass
  143. self._dict = anydbm.open(file_path, 'c')
  144. def keys(self):
  145. return self._dict.keys()
  146. def __getitem__(self, key):
  147. return self._unpickle_decrypt(self._dict[str(key)]) # some dbm don't support int keys
  148. def __setitem__(self, key, value):
  149. self._dict[str(key)] = self._pickle_encrypt(value)
  150. if hasattr(self._dict, 'sync'):
  151. self._dict.sync()
  152. def __delitem__(self, key):
  153. del self._dict[str(key)]
  154. def __del__(self):
  155. self.close()
  156. def close(self):
  157. if hasattr(self._dict, 'sync'):
  158. self._dict.sync()
  159. self._dict.close()