/django/core/cache/backends/base.py

https://code.google.com/p/mango-py/ · Python · 224 lines · 135 code · 10 blank · 79 comment · 15 complexity · af868554ee25d44477666b3cf0e61a83 MD5 · raw file

  1. "Base Cache class."
  2. import warnings
  3. from django.conf import settings
  4. from django.core.exceptions import ImproperlyConfigured, DjangoRuntimeWarning
  5. from django.utils.encoding import smart_str
  6. from django.utils.importlib import import_module
  7. class InvalidCacheBackendError(ImproperlyConfigured):
  8. pass
  9. class CacheKeyWarning(DjangoRuntimeWarning):
  10. pass
  11. # Memcached does not accept keys longer than this.
  12. MEMCACHE_MAX_KEY_LENGTH = 250
  13. def default_key_func(key, key_prefix, version):
  14. """
  15. Default function to generate keys.
  16. Constructs the key used by all other methods. By default it prepends
  17. the `key_prefix'. KEY_FUNCTION can be used to specify an alternate
  18. function with custom key making behavior.
  19. """
  20. return ':'.join([key_prefix, str(version), smart_str(key)])
  21. def get_key_func(key_func):
  22. """
  23. Function to decide which key function to use.
  24. Defaults to ``default_key_func``.
  25. """
  26. if key_func is not None:
  27. if callable(key_func):
  28. return key_func
  29. else:
  30. key_func_module_path, key_func_name = key_func.rsplit('.', 1)
  31. key_func_module = import_module(key_func_module_path)
  32. return getattr(key_func_module, key_func_name)
  33. return default_key_func
  34. class BaseCache(object):
  35. def __init__(self, params):
  36. timeout = params.get('timeout', params.get('TIMEOUT', 300))
  37. try:
  38. timeout = int(timeout)
  39. except (ValueError, TypeError):
  40. timeout = 300
  41. self.default_timeout = timeout
  42. options = params.get('OPTIONS', {})
  43. max_entries = params.get('max_entries', options.get('MAX_ENTRIES', 300))
  44. try:
  45. self._max_entries = int(max_entries)
  46. except (ValueError, TypeError):
  47. self._max_entries = 300
  48. cull_frequency = params.get('cull_frequency', options.get('CULL_FREQUENCY', 3))
  49. try:
  50. self._cull_frequency = int(cull_frequency)
  51. except (ValueError, TypeError):
  52. self._cull_frequency = 3
  53. self.key_prefix = smart_str(params.get('KEY_PREFIX', ''))
  54. self.version = params.get('VERSION', 1)
  55. self.key_func = get_key_func(params.get('KEY_FUNCTION', None))
  56. def make_key(self, key, version=None):
  57. """Constructs the key used by all other methods. By default it
  58. uses the key_func to generate a key (which, by default,
  59. prepends the `key_prefix' and 'version'). An different key
  60. function can be provided at the time of cache construction;
  61. alternatively, you can subclass the cache backend to provide
  62. custom key making behavior.
  63. """
  64. if version is None:
  65. version = self.version
  66. new_key = self.key_func(key, self.key_prefix, version)
  67. return new_key
  68. def add(self, key, value, timeout=None, version=None):
  69. """
  70. Set a value in the cache if the key does not already exist. If
  71. timeout is given, that timeout will be used for the key; otherwise
  72. the default cache timeout will be used.
  73. Returns True if the value was stored, False otherwise.
  74. """
  75. raise NotImplementedError
  76. def get(self, key, default=None, version=None):
  77. """
  78. Fetch a given key from the cache. If the key does not exist, return
  79. default, which itself defaults to None.
  80. """
  81. raise NotImplementedError
  82. def set(self, key, value, timeout=None, version=None):
  83. """
  84. Set a value in the cache. If timeout is given, that timeout will be
  85. used for the key; otherwise the default cache timeout will be used.
  86. """
  87. raise NotImplementedError
  88. def delete(self, key, version=None):
  89. """
  90. Delete a key from the cache, failing silently.
  91. """
  92. raise NotImplementedError
  93. def get_many(self, keys, version=None):
  94. """
  95. Fetch a bunch of keys from the cache. For certain backends (memcached,
  96. pgsql) this can be *much* faster when fetching multiple values.
  97. Returns a dict mapping each key in keys to its value. If the given
  98. key is missing, it will be missing from the response dict.
  99. """
  100. d = {}
  101. for k in keys:
  102. val = self.get(k, version=version)
  103. if val is not None:
  104. d[k] = val
  105. return d
  106. def has_key(self, key, version=None):
  107. """
  108. Returns True if the key is in the cache and has not expired.
  109. """
  110. return self.get(key, version=version) is not None
  111. def incr(self, key, delta=1, version=None):
  112. """
  113. Add delta to value in the cache. If the key does not exist, raise a
  114. ValueError exception.
  115. """
  116. value = self.get(key, version=version)
  117. if value is None:
  118. raise ValueError("Key '%s' not found" % key)
  119. new_value = value + delta
  120. self.set(key, new_value, version=version)
  121. return new_value
  122. def decr(self, key, delta=1, version=None):
  123. """
  124. Subtract delta from value in the cache. If the key does not exist, raise
  125. a ValueError exception.
  126. """
  127. return self.incr(key, -delta, version=version)
  128. def __contains__(self, key):
  129. """
  130. Returns True if the key is in the cache and has not expired.
  131. """
  132. # This is a separate method, rather than just a copy of has_key(),
  133. # so that it always has the same functionality as has_key(), even
  134. # if a subclass overrides it.
  135. return self.has_key(key)
  136. def set_many(self, data, timeout=None, version=None):
  137. """
  138. Set a bunch of values in the cache at once from a dict of key/value
  139. pairs. For certain backends (memcached), this is much more efficient
  140. than calling set() multiple times.
  141. If timeout is given, that timeout will be used for the key; otherwise
  142. the default cache timeout will be used.
  143. """
  144. for key, value in data.items():
  145. self.set(key, value, timeout=timeout, version=version)
  146. def delete_many(self, keys, version=None):
  147. """
  148. Set a bunch of values in the cache at once. For certain backends
  149. (memcached), this is much more efficient than calling delete() multiple
  150. times.
  151. """
  152. for key in keys:
  153. self.delete(key, version=version)
  154. def clear(self):
  155. """Remove *all* values from the cache at once."""
  156. raise NotImplementedError
  157. def validate_key(self, key):
  158. """
  159. Warn about keys that would not be portable to the memcached
  160. backend. This encourages (but does not force) writing backend-portable
  161. cache code.
  162. """
  163. if len(key) > MEMCACHE_MAX_KEY_LENGTH:
  164. warnings.warn('Cache key will cause errors if used with memcached: '
  165. '%s (longer than %s)' % (key, MEMCACHE_MAX_KEY_LENGTH),
  166. CacheKeyWarning)
  167. for char in key:
  168. if ord(char) < 33 or ord(char) == 127:
  169. warnings.warn('Cache key contains characters that will cause '
  170. 'errors if used with memcached: %r' % key,
  171. CacheKeyWarning)
  172. def incr_version(self, key, delta=1, version=None):
  173. """Adds delta to the cache version for the supplied key. Returns the
  174. new version.
  175. """
  176. if version is None:
  177. version = self.version
  178. value = self.get(key, version=version)
  179. if value is None:
  180. raise ValueError("Key '%s' not found" % key)
  181. self.set(key, value, version=version+delta)
  182. self.delete(key, version=version)
  183. return version+delta
  184. def decr_version(self, key, delta=1, version=None):
  185. """Substracts delta from the cache version for the supplied key. Returns
  186. the new version.
  187. """
  188. return self.incr_version(key, -delta, version)