1
0
mirror of https://github.com/django/django.git synced 2025-10-26 15:16:09 +00:00

Fixed #22634 -- Made the database-backed session backends more extensible.

Introduced an AbstractBaseSession model and hooks providing the option
of overriding the model class used by the session store and the session
store class used by the model.
This commit is contained in:
Sergey Kolosov
2014-05-16 18:18:34 +02:00
committed by Tim Graham
parent 956df84a61
commit 22bb548900
12 changed files with 370 additions and 78 deletions

View File

@@ -640,6 +640,7 @@ answer newbie questions, and generally made Django that much better:
Sengtha Chay <sengtha@e-khmer.com> Sengtha Chay <sengtha@e-khmer.com>
Senko Rašić <senko.rasic@dobarkod.hr> Senko Rašić <senko.rasic@dobarkod.hr>
serbaut@gmail.com serbaut@gmail.com
Sergey Kolosov <m17.admin@gmail.com>
Seth Hill <sethrh@gmail.com> Seth Hill <sethrh@gmail.com>
Shai Berger <shai@platonix.com> Shai Berger <shai@platonix.com>
Shannon -jj Behrens <http://jjinux.blogspot.com/> Shannon -jj Behrens <http://jjinux.blogspot.com/>

View File

@@ -10,13 +10,15 @@ class SessionStore(SessionBase):
""" """
A cache-based session store. A cache-based session store.
""" """
cache_key_prefix = KEY_PREFIX
def __init__(self, session_key=None): def __init__(self, session_key=None):
self._cache = caches[settings.SESSION_CACHE_ALIAS] self._cache = caches[settings.SESSION_CACHE_ALIAS]
super(SessionStore, self).__init__(session_key) super(SessionStore, self).__init__(session_key)
@property @property
def cache_key(self): def cache_key(self):
return KEY_PREFIX + self._get_or_create_session_key() return self.cache_key_prefix + self._get_or_create_session_key()
def load(self): def load(self):
try: try:
@@ -62,14 +64,14 @@ class SessionStore(SessionBase):
raise CreateError raise CreateError
def exists(self, session_key): def exists(self, session_key):
return session_key and (KEY_PREFIX + session_key) in self._cache return session_key and (self.cache_key_prefix + session_key) in self._cache
def delete(self, session_key=None): def delete(self, session_key=None):
if session_key is None: if session_key is None:
if self.session_key is None: if self.session_key is None:
return return
session_key = self.session_key session_key = self.session_key
self._cache.delete(KEY_PREFIX + session_key) self._cache.delete(self.cache_key_prefix + session_key)
@classmethod @classmethod
def clear_expired(cls): def clear_expired(cls):

View File

@@ -18,6 +18,7 @@ class SessionStore(DBStore):
""" """
Implements cached, database backed sessions. Implements cached, database backed sessions.
""" """
cache_key_prefix = KEY_PREFIX
def __init__(self, session_key=None): def __init__(self, session_key=None):
self._cache = caches[settings.SESSION_CACHE_ALIAS] self._cache = caches[settings.SESSION_CACHE_ALIAS]
@@ -25,7 +26,7 @@ class SessionStore(DBStore):
@property @property
def cache_key(self): def cache_key(self):
return KEY_PREFIX + self._get_or_create_session_key() return self.cache_key_prefix + self._get_or_create_session_key()
def load(self): def load(self):
try: try:
@@ -39,14 +40,14 @@ class SessionStore(DBStore):
# Duplicate DBStore.load, because we need to keep track # Duplicate DBStore.load, because we need to keep track
# of the expiry date to set it properly in the cache. # of the expiry date to set it properly in the cache.
try: try:
s = Session.objects.get( s = self.model.objects.get(
session_key=self.session_key, session_key=self.session_key,
expire_date__gt=timezone.now() expire_date__gt=timezone.now()
) )
data = self.decode(s.session_data) data = self.decode(s.session_data)
self._cache.set(self.cache_key, data, self._cache.set(self.cache_key, data,
self.get_expiry_age(expiry=s.expire_date)) self.get_expiry_age(expiry=s.expire_date))
except (Session.DoesNotExist, SuspiciousOperation) as e: except (self.model.DoesNotExist, SuspiciousOperation) as e:
if isinstance(e, SuspiciousOperation): if isinstance(e, SuspiciousOperation):
logger = logging.getLogger('django.security.%s' % logger = logging.getLogger('django.security.%s' %
e.__class__.__name__) e.__class__.__name__)
@@ -56,7 +57,7 @@ class SessionStore(DBStore):
return data return data
def exists(self, session_key): def exists(self, session_key):
if session_key and (KEY_PREFIX + session_key) in self._cache: if session_key and (self.cache_key_prefix + session_key) in self._cache:
return True return True
return super(SessionStore, self).exists(session_key) return super(SessionStore, self).exists(session_key)
@@ -70,7 +71,7 @@ class SessionStore(DBStore):
if self.session_key is None: if self.session_key is None:
return return
session_key = self.session_key session_key = self.session_key
self._cache.delete(KEY_PREFIX + session_key) self._cache.delete(self.cache_key_prefix + session_key)
def flush(self): def flush(self):
""" """
@@ -80,7 +81,3 @@ class SessionStore(DBStore):
self.clear() self.clear()
self.delete(self.session_key) self.delete(self.session_key)
self._session_key = None self._session_key = None
# At bottom to avoid circular import
from django.contrib.sessions.models import Session # isort:skip

View File

@@ -5,6 +5,7 @@ from django.core.exceptions import SuspiciousOperation
from django.db import IntegrityError, router, transaction from django.db import IntegrityError, router, transaction
from django.utils import timezone from django.utils import timezone
from django.utils.encoding import force_text from django.utils.encoding import force_text
from django.utils.functional import cached_property
class SessionStore(SessionBase): class SessionStore(SessionBase):
@@ -14,14 +15,25 @@ class SessionStore(SessionBase):
def __init__(self, session_key=None): def __init__(self, session_key=None):
super(SessionStore, self).__init__(session_key) super(SessionStore, self).__init__(session_key)
@classmethod
def get_model_class(cls):
# Avoids a circular import and allows importing SessionStore when
# django.contrib.sessions is not in INSTALLED_APPS.
from django.contrib.sessions.models import Session
return Session
@cached_property
def model(self):
return self.get_model_class()
def load(self): def load(self):
try: try:
s = Session.objects.get( s = self.model.objects.get(
session_key=self.session_key, session_key=self.session_key,
expire_date__gt=timezone.now() expire_date__gt=timezone.now()
) )
return self.decode(s.session_data) return self.decode(s.session_data)
except (Session.DoesNotExist, SuspiciousOperation) as e: except (self.model.DoesNotExist, SuspiciousOperation) as e:
if isinstance(e, SuspiciousOperation): if isinstance(e, SuspiciousOperation):
logger = logging.getLogger('django.security.%s' % logger = logging.getLogger('django.security.%s' %
e.__class__.__name__) e.__class__.__name__)
@@ -30,7 +42,7 @@ class SessionStore(SessionBase):
return {} return {}
def exists(self, session_key): def exists(self, session_key):
return Session.objects.filter(session_key=session_key).exists() return self.model.objects.filter(session_key=session_key).exists()
def create(self): def create(self):
while True: while True:
@@ -45,6 +57,18 @@ class SessionStore(SessionBase):
self.modified = True self.modified = True
return return
def create_model_instance(self, data):
"""
Return a new instance of the session model object, which represents the
current session state. Intended to be used for saving the session data
to the database.
"""
return self.model(
session_key=self._get_or_create_session_key(),
session_data=self.encode(data),
expire_date=self.get_expiry_date(),
)
def save(self, must_create=False): def save(self, must_create=False):
""" """
Saves the current session data to the database. If 'must_create' is Saves the current session data to the database. If 'must_create' is
@@ -54,12 +78,9 @@ class SessionStore(SessionBase):
""" """
if self.session_key is None: if self.session_key is None:
return self.create() return self.create()
obj = Session( data = self._get_session(no_load=must_create)
session_key=self._get_or_create_session_key(), obj = self.create_model_instance(data)
session_data=self.encode(self._get_session(no_load=must_create)), using = router.db_for_write(self.model, instance=obj)
expire_date=self.get_expiry_date()
)
using = router.db_for_write(Session, instance=obj)
try: try:
with transaction.atomic(using=using): with transaction.atomic(using=using):
obj.save(force_insert=must_create, using=using) obj.save(force_insert=must_create, using=using)
@@ -74,14 +95,10 @@ class SessionStore(SessionBase):
return return
session_key = self.session_key session_key = self.session_key
try: try:
Session.objects.get(session_key=session_key).delete() self.model.objects.get(session_key=session_key).delete()
except Session.DoesNotExist: except self.model.DoesNotExist:
pass pass
@classmethod @classmethod
def clear_expired(cls): def clear_expired(cls):
Session.objects.filter(expire_date__lt=timezone.now()).delete() cls.get_model_class().objects.filter(expire_date__lt=timezone.now()).delete()
# At bottom to avoid circular import
from django.contrib.sessions.models import Session # isort:skip

View File

@@ -0,0 +1,51 @@
"""
This module allows importing AbstractBaseSession even
when django.contrib.sessions is not in INSTALLED_APPS.
"""
from __future__ import unicode_literals
from django.db import models
from django.utils.encoding import python_2_unicode_compatible
from django.utils.translation import ugettext_lazy as _
class BaseSessionManager(models.Manager):
def encode(self, session_dict):
"""
Return the given session dictionary serialized and encoded as a string.
"""
session_store_class = self.model.get_session_store_class()
return session_store_class().encode(session_dict)
def save(self, session_key, session_dict, expire_date):
s = self.model(session_key, self.encode(session_dict), expire_date)
if session_dict:
s.save()
else:
s.delete() # Clear sessions with no data.
return s
@python_2_unicode_compatible
class AbstractBaseSession(models.Model):
session_key = models.CharField(_('session key'), max_length=40, primary_key=True)
session_data = models.TextField(_('session data'))
expire_date = models.DateTimeField(_('expire date'), db_index=True)
objects = BaseSessionManager()
class Meta:
abstract = True
verbose_name = _('session')
verbose_name_plural = _('sessions')
def __str__(self):
return self.session_key
@classmethod
def get_session_store_class(cls):
raise NotImplementedError
def get_decoded(self):
session_store_class = self.get_session_store_class()
return session_store_class().decode(self.session_data)

View File

@@ -19,11 +19,11 @@ class Migration(migrations.Migration):
('expire_date', models.DateTimeField(verbose_name='expire date', db_index=True)), ('expire_date', models.DateTimeField(verbose_name='expire date', db_index=True)),
], ],
options={ options={
'abstract': False,
'db_table': 'django_session', 'db_table': 'django_session',
'verbose_name': 'session', 'verbose_name': 'session',
'verbose_name_plural': 'sessions', 'verbose_name_plural': 'sessions',
}, },
bases=(models.Model,),
managers=[ managers=[
('objects', django.contrib.sessions.models.SessionManager()), ('objects', django.contrib.sessions.models.SessionManager()),
], ],

View File

@@ -1,30 +1,15 @@
from __future__ import unicode_literals from __future__ import unicode_literals
from django.db import models from django.contrib.sessions.base_session import (
from django.utils.encoding import python_2_unicode_compatible AbstractBaseSession, BaseSessionManager,
from django.utils.translation import ugettext_lazy as _ )
class SessionManager(models.Manager): class SessionManager(BaseSessionManager):
use_in_migrations = True use_in_migrations = True
def encode(self, session_dict):
"""
Returns the given session dictionary serialized and encoded as a string.
"""
return SessionStore().encode(session_dict)
def save(self, session_key, session_dict, expire_date): class Session(AbstractBaseSession):
s = self.model(session_key, self.encode(session_dict), expire_date)
if session_dict:
s.save()
else:
s.delete() # Clear sessions with no data.
return s
@python_2_unicode_compatible
class Session(models.Model):
""" """
Django provides full support for anonymous sessions. The session Django provides full support for anonymous sessions. The session
framework lets you store and retrieve arbitrary data on a framework lets you store and retrieve arbitrary data on a
@@ -41,23 +26,12 @@ class Session(models.Model):
the sessions documentation that is shipped with Django (also available the sessions documentation that is shipped with Django (also available
on the Django Web site). on the Django Web site).
""" """
session_key = models.CharField(_('session key'), max_length=40,
primary_key=True)
session_data = models.TextField(_('session data'))
expire_date = models.DateTimeField(_('expire date'), db_index=True)
objects = SessionManager() objects = SessionManager()
class Meta: @classmethod
def get_session_store_class(cls):
from django.contrib.sessions.backends.db import SessionStore
return SessionStore
class Meta(AbstractBaseSession.Meta):
db_table = 'django_session' db_table = 'django_session'
verbose_name = _('session')
verbose_name_plural = _('sessions')
def __str__(self):
return self.session_key
def get_decoded(self):
return SessionStore().decode(self.session_data)
# At bottom to avoid circular import
from django.contrib.sessions.backends.db import SessionStore # isort:skip

View File

@@ -254,7 +254,10 @@ Minor features
:mod:`django.contrib.sessions` :mod:`django.contrib.sessions`
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
* ... * The session model and ``SessionStore`` classes for the ``db`` and
``cached_db`` backends are refactored to allow a custom database session
backend to build upon them. See
:ref:`extending-database-backed-session-engines` for more details.
:mod:`django.contrib.sitemaps` :mod:`django.contrib.sitemaps`
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^

View File

@@ -514,8 +514,10 @@ access sessions using the normal Django database API::
>>> s.expire_date >>> s.expire_date
datetime.datetime(2005, 8, 20, 13, 35, 12) datetime.datetime(2005, 8, 20, 13, 35, 12)
Note that you'll need to call ``get_decoded()`` to get the session dictionary. Note that you'll need to call
This is necessary because the dictionary is stored in an encoded format:: :meth:`~base_session.AbstractBaseSession.get_decoded()` to get the session
dictionary. This is necessary because the dictionary is stored in an encoded
format::
>>> s.session_data >>> s.session_data
'KGRwMQpTJ19hdXRoX3VzZXJfaWQnCnAyCkkxCnMuMTExY2ZjODI2Yj...' 'KGRwMQpTJ19hdXRoX3VzZXJfaWQnCnAyCkkxCnMuMTExY2ZjODI2Yj...'
@@ -670,6 +672,177 @@ Technical details
* Django only sends a cookie if it needs to. If you don't set any session * Django only sends a cookie if it needs to. If you don't set any session
data, it won't send a session cookie. data, it won't send a session cookie.
The ``SessionStore`` object
---------------------------
When working with sessions internally, Django uses a session store object from
the corresponding session engine. By convention, the session store object class
is named ``SessionStore`` and is located in the module designated by
:setting:`SESSION_ENGINE`.
All ``SessionStore`` classes available in Django inherit from
:class:`~backends.base.SessionBase` and implement data manipulation methods,
namely:
* ``exists()``
* ``create()``
* ``save()``
* ``delete()``
* ``load()``
* :meth:`~backends.base.SessionBase.clear_expired`
In order to build a custom session engine or to customize an existing one, you
may create a new class inheriting from :class:`~backends.base.SessionBase` or
any other existing ``SessionStore`` class.
Extending most of the session engines is quite straightforward, but doing so
with database-backed session engines generally requires some extra effort (see
the next section for details).
.. _extending-database-backed-session-engines:
Extending database-backed session engines
=========================================
.. versionadded:: 1.9
Creating a custom database-backed session engine built upon those included in
Django (namely ``db`` and ``cached_db``) may be done by inheriting
:class:`~base_session.AbstractBaseSession` and either ``SessionStore`` class.
``AbstractBaseSession`` and ``BaseSessionManager`` are importable from
``django.contrib.sessions.base_session`` so that they can be imported without
including ``django.contrib.sessions`` in :setting:`INSTALLED_APPS`.
.. class:: base_session.AbstractBaseSession
.. versionadded:: 1.9
The abstract base session model.
.. attribute:: session_key
Primary key. The field itself may contain up to 40 characters. The
current implementation generates a 32-character string (a random
sequence of digits and lowercase ASCII letters).
.. attribute:: session_data
A string containing an encoded and serialized session dictionary.
.. attribute:: expire_date
A datetime designating when the session expires.
Expired sessions are not available to a user, however, they may still
be stored in the database until the :djadmin:`clearsessions` management
command is run.
.. classmethod:: get_session_store_class()
Returns a session store class to be used with this session model.
.. method:: get_decoded()
Returns decoded session data.
Decoding is performed by the session store class.
You can also customize the model manager by subclassing
:class:`~django.contrib.sessions.base_session.BaseSessionManager`:
.. class:: base_session.BaseSessionManager
.. versionadded:: 1.9
.. method:: encode(session_dict)
Returns the given session dictionary serialized and encoded as a string.
Encoding is performed by the session store class tied to a model class.
.. method:: save(session_key, session_dict, expire_date)
Saves session data for a provided session key, or deletes the session
in case the data is empty.
Customization of ``SessionStore`` classes is achieved by overriding methods
and properties described below:
.. class:: backends.db.SessionStore
Implements database-backed session store.
.. classmethod:: get_model_class()
.. versionadded:: 1.9
Override this method to return a custom session model if you need one.
.. method:: create_model_instance(data)
.. versionadded:: 1.9
Returns a new instance of the session model object, which represents
the current session state.
Overriding this method provides the ability to modify session model
data before it's saved to database.
.. class:: backends.cached_db.SessionStore
Implements cached database-backed session store.
.. attribute:: cache_key_prefix
.. versionadded:: 1.9
A prefix added to a session key to build a cache key string.
Example
-------
The example below shows a custom database-backed session engine that includes
an additional database column to store an account ID (thus providing an option
to query the database for all active sessions for an account)::
from django.contrib.sessions.backends.db import SessionStore as DBStore
from django.contrib.sessions.base_session import AbstractBaseSession
from django.db import models
class CustomSession(AbstractBaseSession):
account_id = models.IntegerField(null=True, db_index=True)
class Meta:
app_label = 'mysessions'
@classmethod
def get_session_store_class(cls):
return SessionStore
class SessionStore(DBStore):
@classmethod
def get_model_class(cls):
return CustomSession
def create_model_instance(self, data):
obj = super(SessionStore, self).create_model_instance(data)
try:
account_id = int(data.get('_auth_user_id'))
except (ValueError, TypeError):
account_id = None
obj.account_id = account_id
return obj
If you are migrating from the Django's built-in ``cached_db`` session store to
a custom one based on ``cached_db``, you should override the cache key prefix
in order to prevent a namespace clash::
class SessionStore(CachedDBStore):
cache_key_prefix = 'mysessions.custom_cached_db_backend'
# ...
Session IDs in URLs Session IDs in URLs
=================== ===================

View File

@@ -140,6 +140,7 @@ def setup(verbosity, test_labels):
# us skip creating migrations for the test models. # us skip creating migrations for the test models.
'auth': 'django.contrib.auth.tests.migrations', 'auth': 'django.contrib.auth.tests.migrations',
'contenttypes': 'contenttypes_tests.migrations', 'contenttypes': 'contenttypes_tests.migrations',
'sessions': 'sessions_tests.migrations',
} }
log_config = DEFAULT_LOGGING log_config = DEFAULT_LOGGING
# Filter out non-error logging so we don't have to capture it in lots of # Filter out non-error logging so we don't have to capture it in lots of

View File

@@ -0,0 +1,43 @@
"""
This custom Session model adds an extra column to store an account ID. In
real-world applications, it gives you the option of querying the database for
all active sessions for a particular account.
"""
from django.contrib.sessions.backends.db import SessionStore as DBStore
from django.contrib.sessions.base_session import AbstractBaseSession
from django.db import models
class CustomSession(AbstractBaseSession):
"""
A session model with a column for an account ID.
"""
account_id = models.IntegerField(null=True, db_index=True)
class Meta:
app_label = 'sessions'
@classmethod
def get_session_store_class(cls):
return SessionStore
class SessionStore(DBStore):
"""
A database session store, that handles updating the account ID column
inside the custom session model.
"""
@classmethod
def get_model_class(cls):
return CustomSession
def create_model_instance(self, data):
obj = super(SessionStore, self).create_model_instance(data)
try:
account_id = int(data.get('_auth_user_id'))
except (ValueError, TypeError):
account_id = None
obj.account_id = account_id
return obj

View File

@@ -34,6 +34,8 @@ from django.utils import six, timezone
from django.utils.encoding import force_text from django.utils.encoding import force_text
from django.utils.six.moves import http_cookies from django.utils.six.moves import http_cookies
from .custom_db_backend import SessionStore as CustomDatabaseSession
class SessionTestsMixin(object): class SessionTestsMixin(object):
# This does not inherit from TestCase to avoid any tests being run with this # This does not inherit from TestCase to avoid any tests being run with this
@@ -355,6 +357,11 @@ class SessionTestsMixin(object):
class DatabaseSessionTests(SessionTestsMixin, TestCase): class DatabaseSessionTests(SessionTestsMixin, TestCase):
backend = DatabaseSession backend = DatabaseSession
session_engine = 'django.contrib.sessions.backends.db'
@property
def model(self):
return self.backend.get_model_class()
def test_session_str(self): def test_session_str(self):
"Session repr should be the session key." "Session repr should be the session key."
@@ -362,7 +369,7 @@ class DatabaseSessionTests(SessionTestsMixin, TestCase):
self.session.save() self.session.save()
session_key = self.session.session_key session_key = self.session.session_key
s = Session.objects.get(session_key=session_key) s = self.model.objects.get(session_key=session_key)
self.assertEqual(force_text(s), session_key) self.assertEqual(force_text(s), session_key)
@@ -374,7 +381,7 @@ class DatabaseSessionTests(SessionTestsMixin, TestCase):
self.session['x'] = 1 self.session['x'] = 1
self.session.save() self.session.save()
s = Session.objects.get(session_key=self.session.session_key) s = self.model.objects.get(session_key=self.session.session_key)
self.assertEqual(s.get_decoded(), {'x': 1}) self.assertEqual(s.get_decoded(), {'x': 1})
@@ -386,19 +393,18 @@ class DatabaseSessionTests(SessionTestsMixin, TestCase):
self.session['y'] = 1 self.session['y'] = 1
self.session.save() self.session.save()
s = Session.objects.get(session_key=self.session.session_key) s = self.model.objects.get(session_key=self.session.session_key)
# Change it # Change it
Session.objects.save(s.session_key, {'y': 2}, s.expire_date) self.model.objects.save(s.session_key, {'y': 2}, s.expire_date)
# Clear cache, so that it will be retrieved from DB # Clear cache, so that it will be retrieved from DB
del self.session._session_cache del self.session._session_cache
self.assertEqual(self.session['y'], 2) self.assertEqual(self.session['y'], 2)
@override_settings(SESSION_ENGINE="django.contrib.sessions.backends.db")
def test_clearsessions_command(self): def test_clearsessions_command(self):
""" """
Test clearsessions command for clearing expired sessions. Test clearsessions command for clearing expired sessions.
""" """
self.assertEqual(0, Session.objects.count()) self.assertEqual(0, self.model.objects.count())
# One object in the future # One object in the future
self.session['foo'] = 'bar' self.session['foo'] = 'bar'
@@ -412,10 +418,11 @@ class DatabaseSessionTests(SessionTestsMixin, TestCase):
other_session.save() other_session.save()
# Two sessions are in the database before clearsessions... # Two sessions are in the database before clearsessions...
self.assertEqual(2, Session.objects.count()) self.assertEqual(2, self.model.objects.count())
management.call_command('clearsessions') with override_settings(SESSION_ENGINE=self.session_engine):
management.call_command('clearsessions')
# ... and one is deleted. # ... and one is deleted.
self.assertEqual(1, Session.objects.count()) self.assertEqual(1, self.model.objects.count())
@override_settings(USE_TZ=True) @override_settings(USE_TZ=True)
@@ -423,6 +430,29 @@ class DatabaseSessionWithTimeZoneTests(DatabaseSessionTests):
pass pass
class CustomDatabaseSessionTests(DatabaseSessionTests):
backend = CustomDatabaseSession
session_engine = 'sessions_tests.custom_db_backend'
def test_extra_session_field(self):
# Set the account ID to be picked up by a custom session storage
# and saved to a custom session model database column.
self.session['_auth_user_id'] = 42
self.session.save()
# Make sure that the customized create_model_instance() was called.
s = self.model.objects.get(session_key=self.session.session_key)
self.assertEqual(s.account_id, 42)
# Make the session "anonymous".
self.session.pop('_auth_user_id')
self.session.save()
# Make sure that save() on an existing session did the right job.
s = self.model.objects.get(session_key=self.session.session_key)
self.assertEqual(s.account_id, None)
class CacheDBSessionTests(SessionTestsMixin, TestCase): class CacheDBSessionTests(SessionTestsMixin, TestCase):
backend = CacheDBSession backend = CacheDBSession