Make testing much faster by using a save point, rather than recreating the database every test

This commit is contained in:
Joseph Schorr 2014-01-30 20:57:40 -05:00
parent 31ff854031
commit 0833c88065
6 changed files with 129 additions and 24 deletions

View file

@ -2,6 +2,7 @@ import logging
from app import app as application from app import app as application
import model
logging.basicConfig(**application.config['LOGGING_CONFIG']) logging.basicConfig(**application.config['LOGGING_CONFIG'])
@ -27,6 +28,16 @@ application.register_blueprint(registry, url_prefix='/v1')
application.register_blueprint(api, url_prefix='/api') application.register_blueprint(api, url_prefix='/api')
application.register_blueprint(webhooks, url_prefix='/webhooks') application.register_blueprint(webhooks, url_prefix='/webhooks')
def close_db(exc):
db = model.db
if not db.is_closed():
logger.debug('Disconnecting from database.')
db.close()
application.teardown_request(close_db)
# Remove this for prod config # Remove this for prod config
application.debug = True application.debug = True

View file

@ -12,16 +12,6 @@ logger = logging.getLogger(__name__)
db = app.config['DB_DRIVER'](app.config['DB_NAME'], db = app.config['DB_DRIVER'](app.config['DB_NAME'],
**app.config['DB_CONNECTION_ARGS']) **app.config['DB_CONNECTION_ARGS'])
def close_db(exc):
if not db.is_closed():
logger.debug('Disconnecting from database.')
db.close()
app.teardown_request(close_db)
def random_string_generator(length=16): def random_string_generator(length=16):
def random_string(): def random_string():
random = SystemRandom() random = SystemRandom()

View file

@ -29,7 +29,6 @@ SAMPLE_CMDS = [["/bin/bash"],
REFERENCE_DATE = datetime(2013, 6, 23) REFERENCE_DATE = datetime(2013, 6, 23)
TEST_STRIPE_ID = 'cus_2tmnh3PkXQS8NG' TEST_STRIPE_ID = 'cus_2tmnh3PkXQS8NG'
def __gen_checksum(image_id): def __gen_checksum(image_id):
h = hashlib.md5(image_id) h = hashlib.md5(image_id)
return 'tarsum+sha256:' + h.hexdigest() + h.hexdigest() return 'tarsum+sha256:' + h.hexdigest() + h.hexdigest()
@ -112,6 +111,45 @@ def __generate_repository(user, name, description, is_public, permissions,
return repo return repo
from util.dbutil import savepoint_sqlite
db_initialized_for_testing = False
testcases = {}
def finished_database_for_testing(testcase):
""" Called when a testcase has finished using the database, indicating that
any changes should be discarded.
"""
global testcases
testcases[testcase]['savepoint'].__exit__(True, None, None)
def setup_database_for_testing(testcase):
""" Called when a testcase has started using the database, indicating that
the database should be setup (if not already) and a savepoint created.
"""
# Sanity check to make sure we're not killing our prod db
db = model.db
if (not isinstance(model.db, SqliteDatabase) or
app.config['DB_DRIVER'] is not SqliteDatabase):
raise RuntimeError('Attempted to wipe production database!')
global db_initialized_for_testing
if not db_initialized_for_testing:
logger.debug('Setting up DB for testing.')
# Setup the database.
wipe_database()
initialize_database()
populate_database()
db_initialized_for_testing = True
# Create a savepoint for the testcase.
global testcases
testcases[testcase] = {}
testcases[testcase]['savepoint'] = savepoint_sqlite(db)
testcases[testcase]['savepoint'].__enter__()
def initialize_database(): def initialize_database():
create_model_tables(all_models) create_model_tables(all_models)

View file

@ -2,7 +2,7 @@ import unittest
from endpoints.api import api from endpoints.api import api
from app import app from app import app
from initdb import wipe_database, initialize_database, populate_database from initdb import setup_database_for_testing, finished_database_for_testing
from specs import build_specs from specs import build_specs
@ -16,9 +16,10 @@ ADMIN_ACCESS_USER = 'devtable'
class ApiTestCase(unittest.TestCase): class ApiTestCase(unittest.TestCase):
def setUp(self): def setUp(self):
wipe_database() setup_database_for_testing(self)
initialize_database()
populate_database() def tearDown(self):
finished_database_for_testing(self)
class _SpecTestBuilder(type): class _SpecTestBuilder(type):
@ -28,6 +29,8 @@ class _SpecTestBuilder(type):
with app.test_client() as c: with app.test_client() as c:
if auth_username: if auth_username:
# Temporarily remove the teardown functions # Temporarily remove the teardown functions
teardown_funcs = []
if None in app.teardown_request_funcs:
teardown_funcs = app.teardown_request_funcs[None] teardown_funcs = app.teardown_request_funcs[None]
app.teardown_request_funcs[None] = [] app.teardown_request_funcs[None] = []

View file

@ -2,7 +2,7 @@ import unittest
from app import app from app import app
from util.names import parse_namespace_repository from util.names import parse_namespace_repository
from initdb import wipe_database, initialize_database, populate_database from initdb import setup_database_for_testing, finished_database_for_testing
from specs import build_index_specs from specs import build_index_specs
from endpoints.registry import registry from endpoints.registry import registry
from endpoints.index import index from endpoints.index import index
@ -21,9 +21,10 @@ ADMIN_ACCESS_USER = 'devtable'
class EndpointTestCase(unittest.TestCase): class EndpointTestCase(unittest.TestCase):
def setUp(self): def setUp(self):
wipe_database() setup_database_for_testing(self)
initialize_database()
populate_database() def tearDown(self):
finished_database_for_testing(self)
class _SpecTestBuilder(type): class _SpecTestBuilder(type):
@ -33,6 +34,8 @@ class _SpecTestBuilder(type):
with app.test_client() as c: with app.test_client() as c:
if session_var_list: if session_var_list:
# Temporarily remove the teardown functions # Temporarily remove the teardown functions
teardown_funcs = []
if None in app.teardown_request_funcs:
teardown_funcs = app.teardown_request_funcs[None] teardown_funcs = app.teardown_request_funcs[None]
app.teardown_request_funcs[None] = [] app.teardown_request_funcs[None] = []

60
util/dbutil.py Normal file
View file

@ -0,0 +1,60 @@
import uuid
# Note: These savepoint classes are implemented in peewee, but not the version we have. Copied here from https://github.com/coleifer/peewee/blob/b657d08a14e4cdafee417111ccba62ede9344222/peewee.py
class savepoint(object):
def __init__(self, db, sid=None):
self.db = db
_compiler = db.compiler()
self.sid = sid or 's' + uuid.uuid4().get_hex()
self.quoted_sid = _compiler.quote(self.sid)
def _execute(self, query):
self.db.execute_sql(query, require_commit=False)
def commit(self):
self._execute('RELEASE SAVEPOINT %s;' % self.quoted_sid)
def rollback(self):
self._execute('ROLLBACK TO SAVEPOINT %s;' % self.quoted_sid)
def __enter__(self):
self._orig_autocommit = self.db.get_autocommit()
self.db.set_autocommit(False)
self._execute('SAVEPOINT %s;' % self.quoted_sid)
return self
def __exit__(self, exc_type, exc_val, exc_tb):
try:
if exc_type:
self.rollback()
else:
try:
self.commit()
except:
self.rollback()
raise
finally:
self.db.set_autocommit(self._orig_autocommit)
class savepoint_sqlite(savepoint):
def __enter__(self):
conn = self.db.get_conn()
# For sqlite, the connection's isolation_level *must* be set to None.
# The act of setting it, though, will break any existing savepoints,
# so only write to it if necessary.
if conn.isolation_level is not None:
self._orig_isolation_level = conn.isolation_level
conn.isolation_level = None
else:
self._orig_isolation_level = None
super(savepoint_sqlite, self).__enter__()
def __exit__(self, exc_type, exc_val, exc_tb):
try:
return super(savepoint_sqlite, self).__exit__(
exc_type, exc_val, exc_tb)
finally:
if self._orig_isolation_level is not None:
self.db.get_conn().isolation_level = self._orig_isolation_level